diff --git a/.gitignore b/.gitignore index 09f386b4925d5a360b83280784831f91551e123e..ad3cf3f086eaf2982f61134ff6a4232200aa8dc2 100644 --- a/.gitignore +++ b/.gitignore @@ -47,8 +47,9 @@ /config/chroot_local-includes/usr/share/desktop-directories/Tails.directory /tmp/ -# Files generated during the test suite -/features/misc_files/video.mp4 - # Files generated by Makefile /docker/tails_builder/provision/assets/apt/deb.tails.boum.org.key + +# The test suite's local configuration files +/features/config/local.yml +/features/config/*.d/ diff --git a/Rakefile b/Rakefile index 332c08a338a7482787121970a305eb346f4059b1..0eeba399d01eb239ad2b21f0807700088d950b3e 100644 --- a/Rakefile +++ b/Rakefile @@ -34,7 +34,7 @@ VAGRANT_PATH = File.expand_path('../vagrant', __FILE__) STABLE_BRANCH_NAMES = ['stable', 'testing'] # Environment variables that will be exported to the build script -EXPORTED_VARIABLES = ['http_proxy', 'MKSQUASHFS_OPTIONS', 'TAILS_RAM_BUILD', 'TAILS_CLEAN_BUILD', 'TAILS_BOOTSTRAP_CACHE'] +EXPORTED_VARIABLES = ['http_proxy', 'MKSQUASHFS_OPTIONS', 'TAILS_RAM_BUILD', 'TAILS_CLEAN_BUILD'] # Let's save the http_proxy set before playing with it EXTERNAL_HTTP_PROXY = ENV['http_proxy'] @@ -167,10 +167,6 @@ task :parse_build_options do when 'noram' ENV['TAILS_RAM_BUILD'] = nil # Bootstrap cache settings - when 'cache' - ENV['TAILS_BOOTSTRAP_CACHE'] = '1' - when 'nocache' - ENV['TAILS_BOOTSTRAP_CACHE'] = nil # HTTP proxy settings when 'extproxy' abort "No HTTP proxy set, but one is required by TAILS_BUILD_OPTIONS. Aborting." unless EXTERNAL_HTTP_PROXY diff --git a/auto/build b/auto/build index 1845bd61e4a5235db9232105995b4d9f0f8a0254..80e49835128e5df5ed24fa90bf0b0345a610a550 100755 --- a/auto/build +++ b/auto/build @@ -1,6 +1,6 @@ #!/bin/bash -# set -x +set -x umask 022 @@ -11,6 +11,21 @@ fatal () { exit 1 } +syslinux_utils_upstream_version () { + dpkg-query -W -f='${Version}\n' syslinux-utils | \ + # drop epoch + sed -e 's,.*:,,' | \ + # drop +dfsg and everything that follows + sed -e 's,\+dfsg.*,,' +} + +print_iso_size () { + local isofile="$1" + [ -f "$isofile" ] || return 23 + size=$(stat --printf='%s' "$isofile") + echo "The ISO is ${size} bytes large." +} + ### Main # we require building from git @@ -94,10 +109,44 @@ else fi fi +GIT_BASE_BRANCH=$(head -n1 config/base_branch) \ + || fatal "GIT_BASE_BRANCH could not be guessed." + +# Merge base branch into the branch being built, iff. we're building +# in Jenkins, and not building from a tag, and not building the base +# branch itself +if [ -n "$JENKINS_URL" ] && [ -z "$GIT_TAG" ] \ + && [ "$GIT_BRANCH" != "$GIT_BASE_BRANCH" ] ; then + GIT_BASE_BRANCH_COMMIT=$(git rev-parse "origin/${GIT_BASE_BRANCH}") \ + || fatal "Base branch's top commit could not be guessed." + + echo "Merging base branch origin/${GIT_BASE_BRANCH}" + echo "(at commit ${GIT_BASE_BRANCH_COMMIT})..." + git merge --no-edit "origin/${GIT_BASE_BRANCH}" \ + || fatal "Failed to merge base branch." + + # Adjust BUILD_BASENAME to embed the base branch name and its top commit + CLEAN_GIT_BASE_BRANCH=$(echo "$GIT_BASE_BRANCH" | sed 's,/,_,g') + GIT_BASE_BRANCH_SHORT_ID=$(git rev-parse --short "origin/${GIT_BASE_BRANCH}") \ + || fatal "Base branch's top commit short ID could not be guessed." + BUILD_BASENAME="${BUILD_BASENAME}+${CLEAN_GIT_BASE_BRANCH}" + BUILD_BASENAME="${BUILD_BASENAME}@${GIT_BASE_BRANCH_SHORT_ID}" +fi + case "$LB_BINARY_IMAGES" in iso) BUILD_FILENAME_EXT=iso BUILD_FILENAME=binary + which isohybrid >/dev/null || fatal 'Cannot find isohybrid in $PATH' + installed_syslinux_utils_upstream_version="$(syslinux_utils_upstream_version)" + if dpkg --compare-versions \ + "$installed_syslinux_utils_upstream_version" \ + 'lt' \ + "$REQUIRED_SYSLINUX_UTILS_UPSTREAM_VERSION" ; then + fatal \ + "syslinux-utils '${installed_syslinux_utils_upstream_version}' is installed, " \ + "while we need at least '${REQUIRED_SYSLINUX_UTILS_UPSTREAM_VERSION}'." + fi ;; iso-hybrid) BUILD_FILENAME_EXT=iso @@ -122,15 +171,30 @@ BUILD_LOG="${BUILD_DEST_FILENAME}.buildlog" BUILD_START_FILENAME="${BUILD_DEST_FILENAME}.start.timestamp" BUILD_END_FILENAME="${BUILD_DEST_FILENAME}.end.timestamp" +# Clone all output, from this point on, to the log file +exec > >(tee -a "$BUILD_LOG") +trap "kill -9 $! 2>/dev/null" EXIT HUP INT QUIT TERM +exec 2> >(tee -a "$BUILD_LOG" >&2) +trap "kill -9 $! 2>/dev/null" EXIT HUP INT QUIT TERM + echo "Building $LB_BINARY_IMAGES image ${BUILD_BASENAME}..." set -o pipefail -date --utc '+%s' > "$BUILD_START_FILENAME" -time eatmydata lb build noauto ${@} 2>&1 | tee "${BUILD_LOG}" +[ -z "$JENKINS_URL" ] || date --utc '+%s' > "$BUILD_START_FILENAME" +time eatmydata lb build noauto ${@} RET=$? if [ -e "${BUILD_FILENAME}.${BUILD_FILENAME_EXT}" ]; then if [ "$RET" -eq 0 ]; then - date --utc '+%s' > "$BUILD_END_FILENAME" + [ -z "$JENKINS_URL" ] || date --utc '+%s' > "$BUILD_END_FILENAME" echo "Image was successfully created" + if [ "$LB_BINARY_IMAGES" = iso ]; then + ISO_FILE="${BUILD_FILENAME}.${BUILD_FILENAME_EXT}" + print_iso_size "$ISO_FILE" + echo "Hybriding it..." + isohybrid $AMNESIA_ISOHYBRID_OPTS "$ISO_FILE" + print_iso_size "$ISO_FILE" + truncate -s %2048 "$ISO_FILE" + print_iso_size "$ISO_FILE" + fi else echo "Warning: image created, but lb build exited with code $RET" fi diff --git a/auto/clean b/auto/clean index 091618392f24f3a1aacce2839bbf6f7e5029089c..06a546f7dcfff27dd619184efd50d18f7900d38e 100755 --- a/auto/clean +++ b/auto/clean @@ -1,5 +1,7 @@ #!/bin/sh +set -x + for dir in chroot/{dev/pts,proc,sys,var/lib/dpkg} ; do if mountpoint -q "$dir" ; then umount "$dir" diff --git a/auto/config b/auto/config index 76f1a67e96a55313ddfba617129fd109fe27bf42..bc804e986c451f6307e61063b50d43a6f92bca7d 100755 --- a/auto/config +++ b/auto/config @@ -1,6 +1,8 @@ #! /bin/sh # automatically run by "lb config" +set -x + # we require building from git if ! git rev-parse --is-inside-work-tree; then echo "${PWD} is not a Git tree. Exiting." @@ -33,6 +35,9 @@ $RUN_LB_CONFIG \ --iso-publisher="https://tails.boum.org/" \ --iso-volume="TAILS ${AMNESIA_FULL_VERSION}" \ --memtest none \ + --mirror-binary "http://ftp.us.debian.org/debian/" \ + --mirror-bootstrap "http://ftp.us.debian.org/debian/" \ + --mirror-chroot "http://ftp.us.debian.org/debian/" \ --packages-lists="standard" \ --tasks="standard" \ --linux-packages="linux-image-3.16.0-4" \ diff --git a/auto/scripts/tails-custom-apt-sources b/auto/scripts/tails-custom-apt-sources index ce939d1689b13194ee7d25bea84a75cf31ad8377..e172926c5512e7102d02f69482994272bccaa64e 100755 --- a/auto/scripts/tails-custom-apt-sources +++ b/auto/scripts/tails-custom-apt-sources @@ -1,9 +1,15 @@ -#!/bin/sh +#!/bin/bash set -e APT_MIRROR_URL="http://deb.tails.boum.org/" DEFAULT_COMPONENTS="main" +BASE_BRANCHES="stable testing devel feature/jessie" + +fatal() { + echo "$*" >&2 + exit 1 +} git_tag_exists() { local tag="$1" @@ -29,12 +35,30 @@ output_apt_binary_source() { echo "deb $APT_MIRROR_URL $suite $components" } +output_overlay_apt_binary_sources() { + for suite in $(ls config/APT_overlays.d) ; do + output_apt_binary_source "$suite" + done +} + current_branch() { git branch | awk '/^\* / { print $2 }' } -on_topic_branch() { - current_branch | grep -qE '^(feature|bug|bugfix)/' +on_base_branch() { + local current_branch=$(current_branch) + + for base_branch in $BASE_BRANCHES ; do + if [ "$current_branch" = "$base_branch" ] ; then + return 0 + fi + done + + return 1 +} + +base_branch() { + cat config/base_branch | head -n1 } branch_name_to_suite() { @@ -43,19 +67,29 @@ branch_name_to_suite() { echo "$branch" | sed -e 's,[^.a-z0-9-],-,ig' | tr '[A-Z]' '[a-z]' } +### Sanity checks + +[ -d config/APT_overlays.d ] || fatal 'config/APT_overlays.d/ does not exist' +[ -e config/base_branch ] || fatal 'config/base_branch does not exist' + +[ "$(cat config/base_branch | wc -l)" -eq 1 ] \ + || fatal 'config/base_branch must contain exactly one line' + +if on_base_branch && ! [ "$(base_branch)" = "$(current_branch)" ] ; then + echo "base_branch: $(base_branch)" >&2 + echo "current_branch: $(current_branch)" >&2 + fatal "In a base branch, config/base_branch must match the current branch." +fi + +### Main if version_was_released "$(version_in_changelog)"; then + if [ -n "$(ls config/APT_overlays.d)" ]; then + fatal 'config/APT_overlays.d/ must be empty while releasing' + fi output_apt_binary_source "$(branch_name_to_suite "$(version_in_changelog)")" -elif [ "$(current_branch)" = "stable" ]; then - output_apt_binary_source stable -elif [ "$(current_branch)" = "testing" ]; then - output_apt_binary_source testing -elif [ "$(current_branch)" = "experimental" ]; then - output_apt_binary_source experimental else - output_apt_binary_source devel + output_apt_binary_source "$(branch_name_to_suite "$(base_branch)")" + output_overlay_apt_binary_sources fi -if on_topic_branch; then - output_apt_binary_source "$(branch_name_to_suite $(current_branch))" -fi diff --git a/build-wiki b/build-wiki index 5cf0d3bc238b277636d4bb73e86cc6b89145bdbd..bb1590b39d3fab265dc7e5a181ff6b9374511f87 100755 --- a/build-wiki +++ b/build-wiki @@ -1,3 +1,3 @@ #!/bin/sh -ikiwiki -setup ikiwiki.setup -refresh ${@} +ikiwiki -setup ikiwiki.setup -refresh "$@" diff --git a/config/APT_overlays.d/.placeholder b/config/APT_overlays.d/.placeholder new file mode 100644 index 0000000000000000000000000000000000000000..e69de29bb2d1d6434b8b29ae775ad8c2e48c5391 diff --git a/config/amnesia b/config/amnesia index cc603982d1723c47072d8d91b1d96d659e9dbfcb..437ccdfa8200ee32bc116204d9f8d2bfdd8e5337 100644 --- a/config/amnesia +++ b/config/amnesia @@ -15,7 +15,13 @@ # need to set block.events_dfl_poll_msecs AMNESIA_APPEND="live-media=removable apparmor=1 security=apparmor nopersistent noprompt timezone=Etc/UTC block.events_dfl_poll_msecs=1000 splash noautologin module=Tails" -### You should not have to change anything bellow this line #################### +# Options passed to isohybrid +AMNESIA_ISOHYBRID_OPTS="-h 255 -s 63" + +# Minimal upstream version of syslinux-utils we need +REQUIRED_SYSLINUX_UTILS_UPSTREAM_VERSION="6.03~pre20" + +### You should not have to change anything below this line #################### # sanity checks if [ ! -x "`which dpkg-parsechangelog`" ]; then @@ -32,4 +38,4 @@ AMNESIA_FULL_VERSION="${AMNESIA_VERSION} - ${AMNESIA_TODAY}" # Developpers' data used by git-dch, debcommit and friends in the release script AMNESIA_DEV_FULLNAME='Tails developers' AMNESIA_DEV_EMAIL="tails@boum.org" -AMNESIA_DEV_KEYID="BE2CD9C1" +AMNESIA_DEV_KEYID="A490 D0F4 D311 A415 3E2B B7CA DBB8 02B2 58AC D84F" diff --git a/config/base_branch b/config/base_branch new file mode 100644 index 0000000000000000000000000000000000000000..2bf5ad0447d3370461c6f32a0a5bc8a3177376aa --- /dev/null +++ b/config/base_branch @@ -0,0 +1 @@ +stable diff --git a/config/binary_local-hooks/40-include_syslinux_in_ISO_filesystem b/config/binary_local-hooks/40-include_syslinux_in_ISO_filesystem index 8fc75e1396d3504fe4c0e129cc0f0ca237948975..aed5f33c7c7978825895310507be709b51425656 100755 --- a/config/binary_local-hooks/40-include_syslinux_in_ISO_filesystem +++ b/config/binary_local-hooks/40-include_syslinux_in_ISO_filesystem @@ -41,14 +41,14 @@ cp "$CHROOT_SYSLINUX_BIN" "$LINUX_BINARY_UTILS_DIR/" cp "$CHROOT_SYSLINUX_MBR" "$BINARY_MBR_DIR/mbr.bin" cat chroot/etc/apt/sources.list chroot/etc/apt/sources.list.d/*.list \ + | grep --extended-regexp --line-regexp --invert-match \ + 'deb\s+file:/root/local-packages\s+\./' \ | sed --regexp-extended -e 's,^deb(\s+),deb-src\1,' \ > "$CHROOT_TEMP_APT_SOURCES" -Chroot chroot /usr/local/lib/apt-toggle-tor-http off Chroot chroot apt-get --yes update Chroot chroot apt-get --yes install dpkg-dev Chroot chroot apt-get source syslinux="$(syslinux_deb_version_in_chroot)" cp chroot/syslinux-*/bios/win32/syslinux.exe "$WIN32_BINARY_UTILS_DIR/" rm -r chroot/syslinux* rm "$CHROOT_TEMP_APT_SOURCES" -Chroot chroot /usr/local/lib/apt-toggle-tor-http on Chroot chroot apt-get --yes purge dpkg-dev make # dpkg-dev depends on make diff --git a/config/binary_rootfs/squashfs.sort b/config/binary_rootfs/squashfs.sort index 647698fd7057457187a45f0d434fd1c73f377817..0cbd930a421269eff65fcd738447ebc23e7d0cfa 100644 --- a/config/binary_rootfs/squashfs.sort +++ b/config/binary_rootfs/squashfs.sort @@ -12,4311 +12,4310 @@ lib/i386-linux-gnu/libdl-2.13.so 32755 lib/live/config/0000-resolv-conf 32754 bin/rm 32753 bin/ln 32752 -lib/live/config/0010-debconf 32750 -lib/live/config/0020-hostname 32749 -etc/hostname 32748 -bin/sed 32747 -lib/i386-linux-gnu/libselinux.so.1 32746 -usr/bin/mawk 32745 -bin/ip 32744 -lib/i386-linux-gnu/libresolv-2.13.so 32743 -bin/kmod 32742 -lib/i386-linux-gnu/libkmod.so.2.1.3 32741 -lib/modprobe.d/aliases.conf 32740 -etc/modprobe.d/all-net-blacklist.conf 32739 -etc/modprobe.d/alsa-base-blacklist.conf 32738 -etc/modprobe.d/alsa-base.conf 32737 -etc/modprobe.d/blacklist-berry_charge.conf 32736 -etc/modprobe.d/fbdev-blacklist.conf 32735 -etc/modprobe.d/intel-microcode-blacklist.conf 32734 -etc/modprobe.d/libpisock9.conf 32733 -etc/modprobe.d/no-mei.conf 32732 -etc/modprobe.d/no-pc-speaker.conf 32731 -etc/modprobe.d/open-vm-tools.conf 32730 -etc/modprobe.d/radeon-kms.conf 32729 -lib/modules/3.16.0-4-amd64/modules.dep.bin 32728 -lib/modules/3.16.0-4-amd64/modules.alias.bin 32727 -lib/modules/3.16.0-4-amd64/modules.symbols.bin 32726 -lib/modules/3.16.0-4-amd64/modules.builtin.bin 32725 -lib/i386-linux-gnu/libm-2.13.so 32724 -etc/hosts 32723 -bin/cat 32722 -bin/hostname 32721 -lib/i386-linux-gnu/libnsl-2.13.so 32720 -lib/live/config/0030-user-setup 32718 -usr/bin/debconf-set-selections 32715 -usr/bin/perl 32714 -lib/i386-linux-gnu/libcrypt-2.13.so 32713 -usr/share/perl/5.14.2/warnings.pm 32712 -usr/share/perl/5.14.2/strict.pm 32711 -usr/share/perl5/Debconf/Db.pm 32710 -usr/share/perl5/Debconf/Log.pm 32709 -usr/share/perl/5.14.2/base.pm 32708 -usr/share/perl/5.14.2/vars.pm 32707 -usr/share/perl/5.14.2/warnings/register.pm 32706 -usr/share/perl/5.14.2/Exporter.pm 32705 -usr/share/perl5/Debconf/Config.pm 32704 -usr/share/perl5/Debconf/Question.pm 32703 -usr/share/perl5/Debconf/Template.pm 32702 -usr/lib/perl/5.14.2/POSIX.pm 32701 -usr/share/perl/5.14.2/AutoLoader.pm 32700 -usr/lib/perl/5.14.2/auto/POSIX/autosplit.ix 32699 -usr/lib/perl/5.14.2/Fcntl.pm 32698 -usr/share/perl/5.14.2/XSLoader.pm 32697 -usr/lib/perl/5.14.2/auto/Fcntl/Fcntl.so 32696 -usr/share/perl/5.14.2/Tie/Hash.pm 32695 -usr/share/perl/5.14.2/Carp.pm 32694 -usr/lib/perl/5.14.2/auto/POSIX/POSIX.so 32693 -usr/lib/perl/5.14.2/auto/POSIX/load_imports.al 32692 -usr/share/perl/5.14.2/Exporter/Heavy.pm 32691 -usr/share/perl/5.14.2/FileHandle.pm 32690 -usr/lib/perl/5.14.2/IO/File.pm 32689 -usr/share/perl/5.14.2/Symbol.pm 32688 -usr/share/perl/5.14.2/SelectSaver.pm 32687 -usr/lib/perl/5.14.2/IO/Seekable.pm 32686 -usr/lib/perl/5.14.2/IO/Handle.pm 32685 -usr/lib/perl/5.14.2/IO.pm 32684 -usr/lib/perl/5.14.2/auto/IO/IO.so 32683 -usr/lib/perl/5.14.2/File/Spec.pm 32682 -usr/lib/perl/5.14.2/File/Spec/Unix.pm 32681 -usr/share/perl5/Debconf/Gettext.pm 32680 -usr/lib/perl5/Locale/gettext.pm 32679 -usr/lib/perl5/Encode.pm 32678 -usr/share/perl/5.14.2/constant.pm 32677 -usr/lib/perl5/Encode/Alias.pm 32676 -usr/share/perl/5.14.2/bytes.pm 32675 -usr/lib/perl5/auto/Encode/Encode.so 32674 -usr/lib/perl5/Encode/Config.pm 32673 -usr/lib/perl5/Encode/Encoding.pm 32672 -usr/lib/perl/5.14.2/DynaLoader.pm 32671 -usr/lib/perl/5.14.2/Config.pm 32670 -usr/lib/perl5/auto/Locale/gettext/gettext.so 32669 -usr/share/perl/5.14.2/Text/Wrap.pm 32668 -usr/share/perl/5.14.2/Text/Tabs.pm 32667 -usr/lib/perl/5.14.2/re.pm 32666 -usr/lib/perl/5.14.2/auto/re/re.so 32665 -usr/share/perl5/Debconf/Iterator.pm 32664 -usr/share/perl5/Debconf/Base.pm 32663 -usr/share/perl/5.14.2/fields.pm 32662 -usr/share/perl5/Debconf/Encoding.pm 32661 -usr/lib/perl5/Text/Iconv.pm 32660 -usr/lib/perl5/auto/Text/Iconv/Iconv.so 32659 -usr/bin/locale 32658 -usr/share/perl5/Text/WrapI18N.pm 32657 -usr/lib/perl5/Text/CharWidth.pm 32656 -usr/lib/perl5/auto/Text/CharWidth/CharWidth.so 32655 -usr/share/perl/5.14.2/overload.pm 32654 -usr/share/perl5/Debconf/Priority.pm 32653 -usr/lib/perl/5.14.2/Hash/Util.pm 32652 -usr/lib/perl/5.14.2/Scalar/Util.pm 32651 -usr/lib/perl/5.14.2/List/Util.pm 32650 -usr/lib/perl/5.14.2/auto/List/Util/Util.so 32649 -usr/lib/perl/5.14.2/auto/Hash/Util/Util.so 32648 -etc/nsswitch.conf 32647 -lib/i386-linux-gnu/libnss_compat-2.13.so 32646 -lib/i386-linux-gnu/libnss_nis-2.13.so 32645 -lib/i386-linux-gnu/libnss_files-2.13.so 32644 -usr/share/perl5/Debconf/DbDriver.pm 32642 -usr/share/perl/5.14.2/Getopt/Long.pm 32641 -etc/debconf.conf 32640 -usr/share/perl5/Debconf/DbDriver/File.pm 32639 -usr/lib/perl/5.14.2/Cwd.pm 32638 -usr/lib/perl/5.14.2/auto/Cwd/Cwd.so 32637 -usr/share/perl5/Debconf/DbDriver/Cache.pm 32636 -usr/share/perl5/Debconf/Format/822.pm 32635 -usr/share/perl5/Debconf/Format.pm 32634 -usr/share/perl5/Debconf/DbDriver/Stack.pm 32631 -usr/share/perl5/Debconf/DbDriver/Copy.pm 32630 -bin/chmod 32624 -usr/lib/user-setup/user-setup-apply 32623 -bin/dash 32622 -usr/share/debconf/confmodule 32621 -usr/share/debconf/frontend 32620 -usr/share/perl5/Debconf/AutoSelect.pm 32619 -usr/share/perl5/Debconf/ConfModule.pm 32618 -usr/share/perl/5.14.2/IPC/Open2.pm 32617 -usr/share/perl/5.14.2/IPC/Open3.pm 32616 -usr/share/perl5/Debconf/FrontEnd/Noninteractive.pm 32615 -usr/share/perl5/Debconf/FrontEnd.pm 32614 -usr/share/perl5/Debconf/FrontEnd/Dialog.pm 32613 -usr/share/perl5/Debconf/TmpFile.pm 32612 -usr/share/perl5/Debconf/Path.pm 32611 -usr/share/perl5/Debconf/FrontEnd/ScreenSize.pm 32610 -usr/lib/user-setup/functions.sh 32609 -sbin/shadowconfig 32608 -usr/sbin/pwck 32607 -usr/sbin/grpck 32606 -etc/login.defs 32604 -usr/sbin/pwconv 32602 -etc/.pwd.lock 32601 -usr/sbin/grpconv 32598 -bin/chown 32591 -usr/bin/cut 32590 -usr/bin/dpkg-query 32589 -var/lib/dpkg/status 32588 -var/lib/dpkg/triggers/File 32587 -usr/bin/dpkg 32586 -etc/dpkg/dpkg.cfg 32585 -usr/sbin/usermod 32584 -usr/lib/i386-linux-gnu/libsemanage.so.1 32583 -lib/i386-linux-gnu/libsepol.so.1 32582 -lib/i386-linux-gnu/libbz2.so.1.0.4 32581 -usr/lib/i386-linux-gnu/libustr-1.0.so.1.0.4 32580 -etc/localtime 32577 -usr/sbin/adduser 32573 -usr/share/perl5/Debian/AdduserCommon.pm 32572 -usr/lib/perl/5.14.2/I18N/Langinfo.pm 32571 -usr/lib/perl/5.14.2/auto/I18N/Langinfo/Langinfo.so 32570 -etc/adduser.conf 32569 -usr/sbin/groupadd 32568 -usr/sbin/useradd 32565 -etc/default/useradd 32564 -var/log/faillog 32559 -var/log/lastlog 32558 -usr/bin/find 32557 -etc/skel/.config/gnome-panel/panel-default-layout.layout 32555 -etc/skel/.config/keepassx/config.ini 32554 -etc/skel/.config/menus/gnome-applications.menu 32553 -etc/skel/.config/menus/gnome-settings.menu 32552 -etc/skel/.bash_logout 32551 -etc/skel/.bashrc 32550 -etc/skel/.claws-mail/accountrc.tmpl 32549 -etc/skel/.claws-mail/clawsrc 32548 -etc/skel/.claws-mail/dispheaderrc 32547 -etc/skel/.gnome2/keyrings/default 32546 -etc/skel/.gnome2/keyrings/tails.keyring 32545 -etc/skel/.gnupg/gpg.conf 32544 -etc/skel/.local/share/applications/mimeapps.list 32543 -etc/skel/.monkeysphere/monkeysphere.conf 32542 -etc/skel/.poedit/config 32541 -etc/skel/.profile 32540 -etc/skel/.purple/accounts.xml 32539 -etc/skel/.purple/blist.xml 32538 -etc/skel/.purple/prefs.xml 32537 -etc/skel/.tor-browser/profile.default/adblockplus/patterns.ini 32536 -etc/skel/.tor-browser/profile.default/bookmarks.html 32535 -etc/skel/.tor-browser/profile.default/chrome/userChrome.css 32534 -etc/skel/.tor-browser/profile.default/localstore.rdf 32533 -etc/skel/.tor-browser/profile.default/preferences/0000tails.js 32532 -etc/skel/.tor-browser/profile.default/preferences/extension-overrides.js 32531 -etc/skel/.xsessionrc 32530 -etc/skel/Desktop/Report_an_error.desktop 32529 -etc/skel/Desktop/tails-documentation.desktop 32528 -usr/bin/chfn 32525 -lib/i386-linux-gnu/libpam.so.0.83.0 32524 -lib/i386-linux-gnu/libpam_misc.so.0.82.0 32523 -etc/pam.d/chfn 32522 -lib/i386-linux-gnu/security/pam_rootok.so 32521 -etc/pam.d/common-auth 32520 -lib/i386-linux-gnu/security/pam_unix.so 32519 -lib/i386-linux-gnu/security/pam_deny.so 32518 -lib/i386-linux-gnu/security/pam_permit.so 32517 -etc/pam.d/common-account 32516 -etc/pam.d/common-session 32515 -etc/pam.d/other 32514 -etc/pam.d/common-password 32513 -usr/bin/gpasswd 32509 -lib/live/config/0040-sudo 32483 -lib/live/config/0050-locales 32482 -lib/live/config/0060-locales-all 32481 -lib/live/config/0070-tzdata 32478 -usr/bin/debconf-communicate 32477 -bin/cp 32476 -lib/i386-linux-gnu/libacl.so.1.1.0 32475 -lib/i386-linux-gnu/libattr.so.1.1.0 32474 -usr/share/zoneinfo/posix/Zulu 32473 -lib/live/config/0160-keyboard-configuration 32471 -lib/live/config/0180-sysv-rc 32470 -lib/live/config/1000-remount-procfs 32468 -bin/mount 32467 -lib/i386-linux-gnu/libblkid.so.1.1.0 32466 -lib/i386-linux-gnu/libmount.so.1.1.0 32465 -lib/i386-linux-gnu/libuuid.so.1.3.0 32464 -etc/fstab 32463 -lib/live/config/1020-gnome-panel-data 32459 -usr/bin/sudo 32458 -lib/i386-linux-gnu/libutil-2.13.so 32457 -usr/lib/sudo/sudoers.so 32456 -etc/default/nss 32455 -etc/sudoers 32454 -etc/sudoers.d/README 32453 -etc/sudoers.d/always-ask-password 32452 -etc/sudoers.d/tails-greeter-cryptsetup 32451 -etc/sudoers.d/tails-greeter-live-persist 32450 -etc/sudoers.d/zzz_halt 32448 -etc/sudoers.d/zzz_persistence-setup 32447 -etc/sudoers.d/zzz_tails-debugging-info 32446 -etc/sudoers.d/zzz_tor-has-bootstrapped 32445 -etc/sudoers.d/zzz_tor-launcher 32444 -etc/sudoers.d/zzz_unsafe-browser 32443 -etc/sudoers.d/zzz_upgrade 32442 -etc/host.conf 32441 -etc/pam.d/sudo 32440 -etc/pam.d/common-session-noninteractive 32439 -run/utmp 32438 -usr/bin/gconftool-2 32437 -usr/lib/i386-linux-gnu/libgconf-2.so.4.1.5 32436 -usr/lib/i386-linux-gnu/libgthread-2.0.so.0.3200.4 32435 -lib/i386-linux-gnu/libglib-2.0.so.0.3200.4 32434 -usr/lib/i386-linux-gnu/libxml2.so.2.8.0 32433 -usr/lib/i386-linux-gnu/libgio-2.0.so.0.3200.4 32432 -usr/lib/i386-linux-gnu/libgmodule-2.0.so.0.3200.4 32431 -usr/lib/i386-linux-gnu/libdbus-glib-1.so.2.2.2 32430 -lib/i386-linux-gnu/libdbus-1.so.3.7.2 32429 -usr/lib/i386-linux-gnu/libgobject-2.0.so.0.3200.4 32428 -lib/i386-linux-gnu/libpcre.so.3.13.1 32427 -lib/i386-linux-gnu/libz.so.1.2.7 32426 -lib/i386-linux-gnu/liblzma.so.5.0.0 32425 -usr/lib/i386-linux-gnu/libffi.so.5.0.10 32424 -usr/lib/i386-linux-gnu/gconv/gconv-modules.cache 32423 -etc/gconf/2/path 32422 -usr/lib/i386-linux-gnu/gconf/2/libgconfbackend-xml.so 32421 -etc/gconf/gconf.xml.mandatory/%gconf-tree.xml 32420 -lib/live/config/1030-gnome-power-manager 32418 -lib/live/config/1040-gnome-screensaver 32416 -lib/live/config/1050-kaboom 32415 -lib/live/config/1060-kde-services 32414 -lib/live/config/1070-debian-installer-launcher 32412 -lib/live/config/1090-policykit 32411 -lib/live/config/1100-sslcert 32410 -lib/live/config/1110-update-notifier 32409 -lib/live/config/1120-anacron 32408 -lib/live/config/1130-util-linux 32407 -lib/live/config/1140-login 32405 -lib/live/config/1150-xserver-xorg 32401 -usr/bin/update-alternatives 32400 -var/log/alternatives.log 32398 -usr/bin/tr 32396 -usr/bin/lspci 32395 -lib/i386-linux-gnu/libpci.so.3.1.9 32394 -bin/ls 32393 -bin/mkdir 32392 -usr/share/live/config/xserver-xorg/vboxvideo.conf 32391 -lib/live/config/1170-openssh-server 32389 -lib/live/config/1170-xfce4-panel 32388 -lib/live/config/2000-aesthetics 32387 -lib/live/config/2000-import-gnupg-key 32386 -usr/bin/gpg 32385 -lib/i386-linux-gnu/libreadline.so.6.2 32384 -lib/i386-linux-gnu/libusb-0.1.so.4.4.4 32383 -lib/i386-linux-gnu/libtinfo.so.5.9 32382 -usr/share/doc/tails/website/tails-accounting.key 32381 -usr/share/doc/tails/website/tails-bugs.key 32380 -usr/share/doc/tails/website/tails-email.key 32379 -usr/share/doc/tails/website/tails-press.key 32378 -usr/share/doc/tails/website/tails-signing.key 32377 -lib/live/config/2010-pidgin 32375 -usr/local/bin/lc.py 32374 -usr/bin/python2.7 32373 -lib/i386-linux-gnu/libgcc_s.so.1 32372 -usr/lib/python2.7/site.py 32371 -usr/lib/python2.7/site.pyc 32370 -usr/lib/python2.7/os.py 32369 -usr/lib/python2.7/os.pyc 32368 -usr/lib/python2.7/posixpath.py 32367 -usr/lib/python2.7/posixpath.pyc 32366 -usr/lib/python2.7/stat.py 32365 -usr/lib/python2.7/stat.pyc 32364 -usr/lib/python2.7/genericpath.py 32363 -usr/lib/python2.7/genericpath.pyc 32362 -usr/lib/python2.7/warnings.py 32361 -usr/lib/python2.7/warnings.pyc 32360 -usr/lib/python2.7/linecache.py 32359 -usr/lib/python2.7/linecache.pyc 32358 -usr/lib/python2.7/types.py 32357 -usr/lib/python2.7/types.pyc 32356 -usr/lib/python2.7/UserDict.py 32355 -usr/lib/python2.7/UserDict.pyc 32354 -usr/lib/python2.7/_abcoll.py 32353 -usr/lib/python2.7/_abcoll.pyc 32352 -usr/lib/python2.7/abc.py 32351 -usr/lib/python2.7/abc.pyc 32350 -usr/lib/python2.7/_weakrefset.py 32349 -usr/lib/python2.7/_weakrefset.pyc 32348 -usr/lib/python2.7/copy_reg.py 32347 -usr/lib/python2.7/copy_reg.pyc 32346 -usr/lib/python2.7/traceback.py 32345 -usr/lib/python2.7/traceback.pyc 32344 -usr/lib/python2.7/sysconfig.py 32343 -usr/lib/python2.7/sysconfig.pyc 32342 -usr/lib/python2.7/re.py 32341 -usr/lib/python2.7/re.pyc 32340 -usr/lib/python2.7/sre_compile.py 32339 -usr/lib/python2.7/sre_compile.pyc 32338 -usr/lib/python2.7/sre_parse.py 32337 -usr/lib/python2.7/sre_parse.pyc 32336 -usr/lib/python2.7/sre_constants.py 32335 -usr/lib/python2.7/sre_constants.pyc 32334 -usr/lib/python2.7/_sysconfigdata.py 32333 -usr/lib/python2.7/_sysconfigdata.pyc 32332 -usr/lib/python2.7/_sysconfigdata_nd.py 32331 -usr/lib/python2.7/_sysconfigdata_nd.pyc 32330 -usr/share/pyshared/PIL.pth 32329 -usr/lib/python2.7/dist-packages/gtk-2.0-pysupport-compat.pth 32328 -usr/share/pyshared/pygst.pth 32327 -usr/share/pyshared/pygtk.pth 32326 -usr/lib/pymodules/python2.7/.path 32325 -usr/share/pyshared/zope.interface-3.6.1-nspkg.pth 32324 -etc/python2.7/sitecustomize.py 32323 -usr/lib/python2.7/sitecustomize.pyc 32322 -usr/lib/python2.7/encodings/__init__.py 32321 -usr/lib/python2.7/encodings/__init__.pyc 32320 -usr/lib/python2.7/codecs.py 32319 -usr/lib/python2.7/codecs.pyc 32318 -usr/lib/python2.7/encodings/aliases.py 32317 -usr/lib/python2.7/encodings/aliases.pyc 32316 -usr/lib/python2.7/encodings/ascii.py 32315 -usr/lib/python2.7/encodings/ascii.pyc 32314 -usr/lib/python2.7/__future__.py 32313 -usr/lib/python2.7/__future__.pyc 32312 -usr/lib/python2.7/optparse.py 32311 -usr/lib/python2.7/textwrap.py 32309 -usr/lib/python2.7/string.py 32307 -usr/lib/python2.7/gettext.py 32305 -usr/lib/python2.7/locale.py 32303 -usr/lib/python2.7/functools.py 32301 -usr/lib/python2.7/functools.pyc 32300 -usr/lib/python2.7/copy.py 32299 -usr/lib/python2.7/weakref.py 32297 -usr/lib/python2.7/weakref.pyc 32296 -usr/lib/python2.7/struct.py 32295 -usr/lib/python2.7/struct.pyc 32294 -usr/lib/python2.7/random.py 32293 -usr/lib/python2.7/random.pyc 32292 -usr/lib/python2.7/hashlib.py 32291 -usr/lib/python2.7/hashlib.pyc 32290 -usr/lib/python2.7/lib-dynload/_hashlib.so 32289 -usr/lib/i386-linux-gnu/i686/cmov/libssl.so.1.0.0 32288 -usr/lib/i386-linux-gnu/i686/cmov/libcrypto.so.1.0.0 32287 -usr/share/amnesia/firstnames.txt 32286 -usr/bin/od 32285 -usr/bin/expr 32284 -usr/bin/bc 32283 -lib/i386-linux-gnu/libncurses.so.5.9 32282 -lib/live/config/2060-create-upgrader-run-directory 32280 -usr/bin/install 32279 -lib/live/config/2060-kiosk-mode 32278 -lib/live/config/2080-install-i2p 32277 -lib/live/config/7000-debug 32276 -lib/live/config/8000-rootpw 32275 -lib/live/config/9980-permissions 32274 -sbin/udevadm 32273 -etc/udev/udev.conf 32272 -bin/readlink 32271 -lib/live/config/9990-hooks 32268 -lib/live/config/9999-autotest 32267 -etc/init.d/mountkernfs.sh 32266 -lib/init/vars.sh 32265 -etc/default/rcS 32264 -lib/init/tmpfs.sh 32263 -etc/default/tmpfs 32262 -lib/lsb/init-functions 32261 -bin/run-parts 32260 -lib/lsb/init-functions.d/20-left-info-blocks 32259 -lib/lsb/init-functions.d/40-systemd 32258 -lib/init/mount-functions.sh 32257 -bin/uname 32256 -bin/mountpoint 32255 -etc/init.d/udev 32253 -bin/egrep 32252 -bin/ps 32251 -lib/i386-linux-gnu/libprocps.so.0.0.1 32250 -lib/udev/create_static_nodes 32249 -etc/udev/links.conf 32248 -bin/mknod 32247 -usr/bin/tput 32246 -lib/terminfo/l/linux 32245 -bin/echo 32244 -sbin/udevd 32243 -lib/modules/3.16.0-4-amd64/modules.devname 32242 -etc/udev/rules.d/00-mac-spoof.rules 32240 -lib/udev/rules.d/10-blackberry.rules 32239 -lib/udev/rules.d/40-hplip.rules 32238 -lib/udev/rules.d/40-usb_modeswitch.rules 32237 -lib/udev/rules.d/42-qemu-usb.rules 32236 -lib/udev/rules.d/50-udev-default.rules 32235 -lib/udev/rules.d/55-dm.rules 32234 -lib/udev/rules.d/56-hpmud_support.rules 32233 -lib/udev/rules.d/56-lvm.rules 32232 -lib/udev/rules.d/60-cdrom_id.rules 32231 -lib/udev/rules.d/60-crda.rules 32230 -lib/udev/rules.d/60-ekeyd.rules 32229 -lib/udev/rules.d/60-fuse.rules 32228 -lib/udev/rules.d/60-gnupg.rules 32227 -lib/udev/rules.d/60-gobi-loader.rules 32226 -lib/udev/rules.d/60-libgphoto2-2.rules 32225 -lib/udev/rules.d/60-libpisock9.rules 32224 -lib/udev/rules.d/60-libsane.rules 32223 -lib/udev/rules.d/60-open-vm-tools.rules 32222 -lib/udev/rules.d/60-persistent-alsa.rules 32221 -lib/udev/rules.d/60-persistent-input.rules 32220 -lib/udev/rules.d/60-persistent-serial.rules 32219 -lib/udev/rules.d/60-persistent-storage-dm.rules 32218 -lib/udev/rules.d/60-persistent-storage-tape.rules 32217 -lib/udev/rules.d/60-persistent-storage.rules 32216 -lib/udev/rules.d/60-persistent-v4l.rules 32215 -etc/udev/rules.d/60-virtualbox-guest-dkms.rules 32214 -lib/udev/rules.d/61-accelerometer.rules 32213 -lib/udev/rules.d/64-xorg-xkb.rules 32212 -lib/udev/rules.d/66-bilibop.rules 32211 -lib/udev/rules.d/69-xorg-vmmouse.rules 32210 -etc/udev/rules.d/70-protect-boot-medium-for-udisks.rules 32209 -lib/udev/rules.d/70-uaccess.rules 32208 -lib/udev/rules.d/70-udev-acl.rules 32207 -lib/udev/rules.d/71-seat.rules 32206 -lib/udev/rules.d/73-seat-late.rules 32205 -lib/udev/rules.d/75-cd-aliases-generator.rules 32204 -lib/udev/rules.d/75-net-description.rules 32203 -lib/udev/rules.d/75-persistent-net-generator.rules 32202 -lib/udev/rules.d/75-probe_mtd.rules 32201 -lib/udev/rules.d/75-tty-description.rules 32200 -lib/udev/rules.d/77-mm-ericsson-mbm.rules 32199 -lib/udev/rules.d/77-mm-longcheer-port-types.rules 32198 -lib/udev/rules.d/77-mm-nokia-port-types.rules 32197 -lib/udev/rules.d/77-mm-pcmcia-device-blacklist.rules 32196 -lib/udev/rules.d/77-mm-platform-serial-whitelist.rules 32195 -lib/udev/rules.d/77-mm-qdl-device-blacklist.rules 32194 -lib/udev/rules.d/77-mm-simtech-port-types.rules 32193 -lib/udev/rules.d/77-mm-usb-device-blacklist.rules 32192 -lib/udev/rules.d/77-mm-x22x-port-types.rules 32191 -lib/udev/rules.d/77-mm-zte-port-types.rules 32190 -lib/udev/rules.d/77-nm-olpc-mesh.rules 32189 -lib/udev/rules.d/78-sound-card.rules 32188 -lib/udev/rules.d/80-drivers.rules 32187 -lib/udev/rules.d/80-mm-candidate.rules 32186 -lib/udev/rules.d/80-networking.rules 32185 -lib/udev/rules.d/80-udisks.rules 32184 -lib/udev/rules.d/85-hdparm.rules 32183 -lib/udev/rules.d/85-hwclock.rules 32182 -lib/udev/rules.d/85-regulatory.rules 32181 -lib/udev/rules.d/85-usbmuxd.rules 32180 -lib/udev/rules.d/90-alsa-restore.rules 32179 -lib/udev/rules.d/90-iphone-tether.rules 32178 -lib/udev/rules.d/90-pulseaudio.rules 32177 -lib/udev/rules.d/91-permissions.rules 32176 -lib/udev/rules.d/92-libccid.rules 32175 -lib/udev/rules.d/95-keyboard-force-release.rules 32174 -lib/udev/rules.d/95-keymap.rules 32173 -lib/udev/rules.d/95-udev-late.rules 32172 -lib/udev/rules.d/95-upower-battery-recall-dell.rules 32171 -lib/udev/rules.d/95-upower-battery-recall-fujitsu.rules 32170 -lib/udev/rules.d/95-upower-battery-recall-gateway.rules 32169 -lib/udev/rules.d/95-upower-battery-recall-ibm.rules 32168 -lib/udev/rules.d/95-upower-battery-recall-lenovo.rules 32167 -lib/udev/rules.d/95-upower-battery-recall-toshiba.rules 32166 -lib/udev/rules.d/95-upower-csr.rules 32165 -lib/udev/rules.d/95-upower-hid.rules 32164 -lib/udev/rules.d/95-upower-wup.rules 32163 -lib/udev/rules.d/99-blackberry-perms.rules 32162 -etc/udev/rules.d/99-hide-TailsData.rules 32161 -lib/udev/rules.d/99-laptop-mode.rules 32160 -lib/udev/rules.d/99-systemd.rules 32159 -lib/udev/write_dev_root_rule 32158 -lib/udev/pci-db 32157 -usr/share/misc/pci.ids 32156 -lib/udev/lmt-udev 32155 -lib/udev/hotplug.functions 32154 -usr/sbin/laptop_mode 32153 -lib/modules/3.16.0-4-amd64/updates/dkms/vboxguest.ko 32144 -lib/modules/3.16.0-4-amd64/kernel/drivers/i2c/i2c-core.ko 32143 -lib/modules/3.16.0-4-amd64/kernel/drivers/gpu/drm/drm.ko 32142 -lib/modules/3.16.0-4-amd64/kernel/drivers/powercap/intel_rapl.ko 32141 -lib/modules/3.16.0-4-amd64/kernel/drivers/i2c/busses/i2c-piix4.ko 32140 -lib/modules/3.16.0-4-amd64/kernel/drivers/acpi/ac.ko 32139 -lib/modules/3.16.0-4-amd64/kernel/drivers/acpi/battery.ko 32138 -lib/modules/3.16.0-4-amd64/kernel/sound/ac97_bus.ko 32137 -lib/modules/3.16.0-4-amd64/kernel/drivers/input/serio/serio_raw.ko 32136 -bin/which 32135 -lib/udev/hwclock-set 32134 -lib/modules/3.16.0-4-amd64/kernel/drivers/input/evdev.ko 32133 -lib/modules/3.16.0-4-amd64/kernel/drivers/acpi/button.ko 32131 -sbin/blkid 32130 -etc/laptop-mode/conf.d/ac97-powersave.conf 32117 -lib/udev/net.agent 32097 -lib/modules/3.16.0-4-amd64/kernel/drivers/block/floppy.ko 32086 -lib/modules/3.16.0-4-amd64/kernel/drivers/parport/parport.ko 32085 -lib/udev/cdrom_id 32060 -lib/modules/3.16.0-4-amd64/updates/dkms/vboxvideo.ko 32021 -lib/modules/3.16.0-4-amd64/kernel/drivers/thermal/thermal_sys.ko 32017 -lib/udev/ata_id 32016 -lib/modules/3.16.0-4-amd64/kernel/drivers/input/mouse/psmouse.ko 32015 -etc/default/hwclock 32014 -lib/udev/udisks-part-id 32013 -etc/laptop-mode/conf.d/auto-hibernate.conf 32012 -etc/laptop-mode/conf.d/battery-level-polling.conf 32011 -etc/laptop-mode/conf.d/bluetooth.conf 32010 -etc/laptop-mode/conf.d/configuration-file-control.conf 32009 -etc/laptop-mode/conf.d/cpufreq.conf 32008 -etc/laptop-mode/conf.d/dpms-standby.conf 32007 -etc/laptop-mode/conf.d/eee-superhe.conf 32006 -etc/laptop-mode/conf.d/ethernet.conf 32005 -etc/laptop-mode/conf.d/exec-commands.conf 32004 -etc/laptop-mode/conf.d/hal-polling.conf 32003 -etc/laptop-mode/conf.d/intel-hda-powersave.conf 32002 -etc/laptop-mode/conf.d/intel-sata-powermgmt.conf 32001 -etc/laptop-mode/conf.d/lcd-brightness.conf 32000 -etc/laptop-mode/conf.d/nmi-watchdog.conf 31999 -etc/laptop-mode/conf.d/runtime-pm.conf 31998 -etc/laptop-mode/conf.d/sched-mc-power-savings.conf 31997 -etc/laptop-mode/conf.d/sched-smt-power-savings.conf 31996 -etc/laptop-mode/conf.d/start-stop-programs.conf 31995 -etc/laptop-mode/conf.d/terminal-blanking.conf 31994 -etc/laptop-mode/conf.d/usb-autosuspend.conf 31993 -etc/laptop-mode/conf.d/video-out.conf 31992 -etc/laptop-mode/conf.d/wireless-ipw-power.conf 31991 -etc/laptop-mode/conf.d/wireless-iwl-power.conf 31990 -etc/laptop-mode/conf.d/wireless-power.conf 31989 -etc/default/keyboard 31985 -usr/bin/logger 31984 -etc/laptop-mode/laptop-mode.conf 31983 -lib/modules/3.16.0-4-amd64/kernel/drivers/parport/parport_pc.ko 31982 -usr/bin/flock 31979 -bin/vmmouse_detect 31978 -lib/udev/write_cd_rules 31977 -lib/modules/3.16.0-4-amd64/kernel/sound/soundcore.ko 31976 -usr/bin/basename 31975 -lib/i386-linux-gnu/libudev.so.0.13.0 31972 -lib/i386-linux-gnu/libparted.so.0.0.1 31971 -sbin/hwclock 31969 -usr/share/laptop-mode-tools/modules/ac97-powersave 31968 -usr/share/laptop-mode-tools/modules/battery-level-polling 31967 -usr/share/laptop-mode-tools/modules/bluetooth 31965 -usr/share/laptop-mode-tools/modules/configuration-file-control 31964 -usr/share/laptop-mode-tools/modules/cpufreq 31963 -lib/udev/rule_generator.functions 31962 -usr/share/laptop-mode-tools/modules/dpms-standby 31961 -usr/share/laptop-mode-tools/modules/eee-superhe 31960 -usr/share/laptop-mode-tools/modules/ethernet 31959 -lib/modules/3.16.0-4-amd64/kernel/drivers/thermal/intel_powerclamp.ko 31958 -usr/share/laptop-mode-tools/modules/exec-commands 31957 -lib/modules/3.16.0-4-amd64/kernel/sound/core/snd.ko 31956 -usr/share/laptop-mode-tools/modules/hal-polling 31955 -lib/modules/3.16.0-4-amd64/kernel/sound/core/snd-timer.ko 31954 -bin/rmdir 31952 -usr/share/laptop-mode-tools/modules/hdparm 31951 -lib/modules/3.16.0-4-amd64/kernel/sound/core/seq/snd-seq-device.ko 31950 -lib/modules/3.16.0-4-amd64/kernel/sound/core/seq/snd-seq.ko 31949 -lib/modules/3.16.0-4-amd64/kernel/sound/core/snd-pcm.ko 31948 -lib/modules/3.16.0-4-amd64/kernel/sound/pci/ac97/snd-ac97-codec.ko 31947 -usr/share/laptop-mode-tools/modules/intel-hda-powersave 31946 -usr/share/laptop-mode-tools/modules/intel-sata-powermgmt 31943 -lib/i386-linux-gnu/libdevmapper.so.1.02.1 31942 -usr/share/laptop-mode-tools/modules/laptop-mode 31933 -sbin/blockdev 31932 -lib/modules/3.16.0-4-amd64/kernel/sound/pci/snd-intel8x0.ko 31931 -etc/adjtime 31930 -usr/share/laptop-mode-tools/modules/lcd-brightness 31929 -usr/share/laptop-mode-tools/modules/nmi-watchdog 31928 -usr/share/laptop-mode-tools/modules/runtime-pm 31926 -usr/share/laptop-mode-tools/modules/sched-mc-power-savings 31925 -usr/share/laptop-mode-tools/modules/sched-smt-power-savings 31924 -usr/share/laptop-mode-tools/modules/start-stop-programs 31923 -usr/share/laptop-mode-tools/modules/syslog-conf 31922 -usr/share/laptop-mode-tools/modules/terminal-blanking 31921 -usr/share/laptop-mode-tools/modules/usb-autosuspend 31920 -usr/share/laptop-mode-tools/modules/video-out 31919 -usr/share/laptop-mode-tools/modules/wireless-ipw-power 31918 -usr/share/laptop-mode-tools/modules/wireless-iwl-power 31917 -usr/share/laptop-mode-tools/modules/wireless-power 31916 -sbin/iwconfig 31915 -lib/i386-linux-gnu/libiw.so.30 31914 -usr/sbin/alsactl 31909 -usr/lib/i386-linux-gnu/libasound.so.2.0.0 31908 -usr/share/alsa/alsa.conf 31907 -usr/share/alsa/alsa.conf.d/50-pulseaudio.conf 31906 -usr/share/alsa/alsa.conf.d/pulse.conf 31905 -usr/lib/i386-linux-gnu/alsa-lib/libasound_module_conf_pulse.so 31904 -usr/lib/i386-linux-gnu/libpulse.so.0.14.2 31903 -lib/i386-linux-gnu/libjson.so.0.1.0 31902 -usr/lib/i386-linux-gnu/pulseaudio/libpulsecommon-2.0.so 31901 -lib/i386-linux-gnu/libcap.so.2.22 31900 -usr/lib/i386-linux-gnu/libX11-xcb.so.1.0.0 31899 -usr/lib/i386-linux-gnu/libX11.so.6.3.0 31898 -usr/lib/i386-linux-gnu/libxcb.so.1.1.0 31897 -usr/lib/i386-linux-gnu/libICE.so.6.3.0 31896 -usr/lib/i386-linux-gnu/libSM.so.6.0.1 31895 -usr/lib/i386-linux-gnu/libXtst.so.6.1.0 31894 -lib/i386-linux-gnu/libwrap.so.0.7.6 31893 -usr/lib/i386-linux-gnu/libsndfile.so.1.0.25 31892 -usr/lib/i386-linux-gnu/libasyncns.so.0.3.1 31891 -usr/lib/i386-linux-gnu/libXau.so.6.0.0 31890 -usr/lib/i386-linux-gnu/libXdmcp.so.6.0.0 31889 -usr/lib/i386-linux-gnu/libXext.so.6.4.0 31888 -usr/lib/i386-linux-gnu/libXi.so.6.1.0 31887 -usr/lib/i386-linux-gnu/libFLAC.so.8.2.0 31886 -usr/lib/i386-linux-gnu/libvorbisenc.so.2.0.8 31885 -usr/lib/i386-linux-gnu/libvorbis.so.0.4.5 31884 -usr/lib/i386-linux-gnu/libogg.so.0.8.0 31883 -etc/pulse/client.conf 31882 -etc/machine-id 31880 -usr/share/alsa/init/00main 31879 -usr/share/alsa/init/default 31878 -etc/init.d/mountdevsubfs.sh 31876 -etc/default/devpts 31875 -usr/bin/stat 31874 -etc/init.d/hwclock.sh 31873 -etc/init.d/keymap.sh 31872 -etc/init.d/keyboard-setup 31871 -etc/default/locale 31870 -usr/lib/locale/en_US.utf8/LC_IDENTIFICATION 31869 -usr/lib/locale/yi_US.utf8/LC_MEASUREMENT 31868 -usr/lib/locale/yi_US.utf8/LC_TELEPHONE 31867 -usr/lib/locale/en_US.utf8/LC_ADDRESS 31866 -usr/lib/locale/yi_US.utf8/LC_NAME 31865 -usr/lib/locale/yi_US.utf8/LC_PAPER 31864 -usr/lib/locale/en_US.utf8/LC_MESSAGES/SYS_LC_MESSAGES 31863 -usr/lib/locale/en_US.utf8/LC_MONETARY 31862 -usr/lib/locale/zu_ZA.utf8/LC_COLLATE 31861 -usr/lib/locale/en_US.utf8/LC_TIME 31860 -usr/lib/locale/zu_ZA.utf8/LC_NUMERIC 31859 -usr/lib/locale/zu_ZA.utf8/LC_CTYPE 31858 -bin/setupcon 31857 -etc/default/console-setup 31856 -sbin/killall5 31855 -bin/stty 31854 -usr/bin/tty 31853 -etc/sysctl.conf 31852 -bin/kbd_mode 31851 -bin/loadkeys 31840 -etc/console-setup/cached_UTF-8_del.kmap.gz 31839 -bin/gzip 31838 -etc/init.d/checkroot.sh 31837 -sbin/swapon 31836 -bin/true 31835 -etc/init.d/checkroot-bootclean.sh 31834 -lib/init/bootclean.sh 31833 -etc/init.d/cryptdisks-early 31832 -lib/cryptsetup/cryptdisks.functions 31831 -etc/default/cryptdisks 31830 -lib/modules/3.16.0-4-amd64/kernel/drivers/md/dm-mod.ko 31829 -lib/modules/3.16.0-4-amd64/kernel/drivers/md/dm-crypt.ko 31827 -sbin/dmsetup 31826 -etc/crypttab 31825 -etc/init.d/cryptdisks 31824 -etc/init.d/kmod 31823 -etc/modules 31822 -lib/modules/3.16.0-4-amd64/kernel/drivers/acpi/processor.ko 31821 -lib/modules/3.16.0-4-amd64/kernel/drivers/cpufreq/acpi-cpufreq.ko 31820 -lib/modules/3.16.0-4-amd64/kernel/drivers/cpufreq/cpufreq_powersave.ko 31819 -etc/init.d/mtab.sh 31818 -etc/init.d/checkfs.sh 31817 -lib/init/swap-functions.sh 31816 -sbin/logsave 31815 -var/log/fsck/checkfs 31814 -sbin/fsck 31813 -etc/init.d/mountall.sh 31812 -bin/df 31811 -etc/init.d/mountall-bootclean.sh 31810 -etc/init.d/pppd-dns 31809 -etc/ppp/ip-down.d/0000usepeerdns 31808 -etc/init.d/procps 31807 -sbin/sysctl 31806 -etc/sysctl.d/dmesg_restrict.conf 31805 -etc/sysctl.d/ptrace_scope.conf 31804 -etc/sysctl.d/tcp_timestamps.conf 31803 -etc/init.d/resolvconf 31802 -sbin/resolvconf 31801 -etc/resolvconf/update.d/dnscache 31800 -etc/resolvconf/update.d/libc 31799 -lib/resolvconf/list-records 31798 -bin/bash 31797 -etc/resolvconf/interface-order 31796 -etc/resolvconf/resolv.conf.d/base 31795 -etc/resolvconf/resolv.conf.d/head 31794 -etc/resolvconf/resolv.conf.d/tail 31793 -bin/mv 31792 -etc/init.d/tails-detect-virtualization 31791 -usr/sbin/virt-what 31790 -usr/bin/getopt 31789 -usr/bin/id 31788 -usr/lib/virt-what/virt-what-cpuid-helper 31787 -usr/sbin/dmidecode 31786 -etc/init.d/udev-mtab 31785 -etc/init.d/urandom 31784 -bin/date 31783 -var/lib/urandom/random-seed 31782 -bin/dd 31781 -etc/init.d/networking 31780 -etc/default/networking 31779 -sbin/ifup 31778 -etc/network/if-pre-up.d/wireless-tools 31777 -etc/wpa_supplicant/ifupdown.sh 31776 -etc/wpa_supplicant/functions.sh 31775 -etc/network/if-up.d/000resolvconf 31774 -etc/network/if-up.d/mountnfs 31773 -etc/network/if-up.d/upstart 31772 -sbin/ifquery 31771 -etc/init.d/mountnfs.sh 31770 -etc/init.d/mountnfs-bootclean.sh 31769 -etc/init.d/alsa-utils 31768 -usr/share/alsa/utils.sh 31767 -usr/bin/amixer 31766 -etc/init.d/apparmor 31764 -lib/apparmor/functions 31763 -usr/bin/getconf 31762 -usr/bin/xargs 31761 -sbin/apparmor_parser 31760 -etc/apparmor/subdomain.conf 31759 -etc/apparmor.d/gst_plugin_scanner 31758 -etc/apparmor.d/tunables/global 31757 -etc/apparmor.d/tunables/home 31756 -etc/apparmor.d/tunables/home.d/ubuntu 31755 -etc/apparmor.d/tunables/multiarch 31754 -etc/apparmor.d/tunables/proc 31753 -etc/apparmor.d/tunables/alias 31752 -etc/apparmor.d/abstractions/base 31751 -etc/apparmor.d/abstractions/gstreamer 31750 -etc/apparmor.d/abstractions/p11-kit 31749 -etc/apparmor.d/abstractions/X 31748 -etc/apparmor.d/system_tor 31747 -etc/apparmor.d/abstractions/tor 31746 -etc/apparmor.d/abstractions/nameservice 31745 -etc/apparmor.d/abstractions/nis 31744 -etc/apparmor.d/abstractions/ldapclient 31743 -etc/apparmor.d/abstractions/ssl_certs 31742 -etc/apparmor.d/abstractions/winbind 31741 -etc/apparmor.d/abstractions/likewise 31740 -etc/apparmor.d/abstractions/mdns 31739 -etc/apparmor.d/abstractions/kerberosclient 31738 -etc/apparmor.d/local/system_tor 31737 -etc/apparmor.d/usr.bin.evince 31736 -etc/apparmor.d/abstractions/audio 31735 -etc/apparmor.d/abstractions/bash 31734 -etc/apparmor.d/abstractions/cups-client 31733 -etc/apparmor.d/abstractions/dbus 31732 -etc/apparmor.d/abstractions/dbus-session 31731 -etc/apparmor.d/abstractions/evince 31730 -etc/apparmor.d/abstractions/gnome 31729 -etc/apparmor.d/abstractions/fonts 31728 -etc/apparmor.d/abstractions/freedesktop.org 31727 -etc/apparmor.d/abstractions/xdg-desktop 31726 -etc/apparmor.d/abstractions/user-tmp 31725 -etc/apparmor.d/abstractions/ubuntu-helpers 31724 -etc/apparmor.d/abstractions/private-files 31723 -etc/apparmor.d/local/usr.bin.evince 31722 -etc/apparmor.d/abstractions/ibus 31721 -etc/apparmor.d/abstractions/ubuntu-browsers 31720 -etc/apparmor.d/abstractions/ubuntu-console-browsers 31719 -etc/apparmor.d/abstractions/ubuntu-email 31718 -etc/apparmor.d/abstractions/ubuntu-console-email 31717 -etc/apparmor.d/abstractions/ubuntu-media-players 31716 -etc/apparmor.d/abstractions/ubuntu-gnome-terminal 31715 -etc/apparmor.d/usr.bin.irssi 31714 -etc/apparmor.d/abstractions/perl 31713 -etc/apparmor.d/abstractions/wutmp 31712 -etc/apparmor.d/usr.bin.pidgin 31711 -etc/apparmor.d/abstractions/enchant 31710 -etc/apparmor.d/abstractions/aspell 31709 -etc/apparmor.d/abstractions/launchpad-integration 31708 -etc/apparmor.d/abstractions/private-files-strict 31707 -etc/apparmor.d/abstractions/user-download 31706 -etc/apparmor.d/local/usr.bin.pidgin 31705 -etc/apparmor.d/usr.bin.totem 31704 -etc/apparmor.d/abstractions/python 31703 -etc/apparmor.d/abstractions/totem 31702 -etc/apparmor.d/usr.bin.totem-previewers 31701 -etc/apparmor.d/usr.bin.vidalia 31700 -etc/apparmor.d/abstractions/kde 31699 -etc/apparmor.d/local/usr.bin.vidalia 31698 -etc/apparmor.d/usr.sbin.ntpd 31697 -etc/apparmor.d/tunables/ntpd 31696 -etc/apparmor.d/local/usr.sbin.ntpd 31695 -etc/apparmor.d/usr.sbin.tcpdump 31694 -etc/apparmor.d/local/usr.sbin.tcpdump 31693 -etc/init.d/bootmisc.sh 31692 -bin/chgrp 31691 -etc/init.d/ferm 31690 -etc/default/ferm 31689 -usr/bin/diff 31688 -usr/sbin/ferm 31687 -etc/ferm/ferm.conf 31686 -sbin/xtables-multi 31685 -lib/libip4tc.so.0.1.0 31684 -lib/libip6tc.so.0.1.0 31683 -lib/libxtables.so.7.0.0 31682 -lib/modules/3.16.0-4-amd64/kernel/net/netfilter/x_tables.ko 31681 -lib/modules/3.16.0-4-amd64/kernel/net/ipv4/netfilter/ip_tables.ko 31680 -lib/modules/3.16.0-4-amd64/kernel/net/netfilter/nf_conntrack.ko 31679 -lib/modules/3.16.0-4-amd64/kernel/net/netfilter/nf_nat.ko 31678 -lib/modules/3.16.0-4-amd64/kernel/net/ipv4/netfilter/nf_nat_ipv4.ko 31677 -lib/modules/3.16.0-4-amd64/kernel/net/ipv4/netfilter/nf_defrag_ipv4.ko 31676 -lib/modules/3.16.0-4-amd64/kernel/net/ipv4/netfilter/nf_conntrack_ipv4.ko 31675 -lib/modules/3.16.0-4-amd64/kernel/net/ipv4/netfilter/iptable_nat.ko 31674 -etc/protocols 31673 -lib/xtables/libipt_REDIRECT.so 31672 -lib/xtables/libxt_udp.so 31671 -etc/gai.conf 31670 -lib/modules/3.16.0-4-amd64/kernel/net/netfilter/xt_REDIRECT.ko 31669 -lib/modules/3.16.0-4-amd64/kernel/net/netfilter/xt_tcpudp.ko 31668 -lib/modules/3.16.0-4-amd64/kernel/net/ipv4/netfilter/iptable_filter.ko 31667 -lib/xtables/libxt_state.so 31666 -lib/xtables/libxt_standard.so 31665 -lib/xtables/libxt_tcp.so 31664 -lib/xtables/libxt_owner.so 31663 -lib/modules/3.16.0-4-amd64/kernel/net/netfilter/xt_owner.ko 31662 -lib/xtables/libxt_multiport.so 31661 -lib/modules/3.16.0-4-amd64/kernel/net/netfilter/xt_multiport.ko 31660 -etc/services 31659 -lib/xtables/libipt_LOG.so 31658 -lib/xtables/libipt_REJECT.so 31657 -lib/modules/3.16.0-4-amd64/kernel/net/netfilter/xt_state.ko 31656 -lib/modules/3.16.0-4-amd64/kernel/net/netfilter/xt_LOG.ko 31655 -lib/modules/3.16.0-4-amd64/kernel/net/ipv4/netfilter/ipt_REJECT.ko 31654 -lib/modules/3.16.0-4-amd64/kernel/net/ipv6/netfilter/ip6_tables.ko 31653 -lib/modules/3.16.0-4-amd64/kernel/net/ipv6/netfilter/ip6table_filter.ko 31652 -lib/xtables/libip6t_LOG.so 31651 -lib/xtables/libip6t_REJECT.so 31650 -lib/modules/3.16.0-4-amd64/kernel/net/ipv6/netfilter/ip6t_REJECT.ko 31649 -etc/init.d/kbd 31648 -etc/kbd/config 31647 -bin/fgconsole 31646 -etc/inittab 31645 -usr/bin/setterm 31644 -etc/init.d/console-setup 31643 -bin/setfont 31642 -etc/console-setup/Uni2-Fixed16.psf.gz 31641 -etc/init.d/live 31640 -etc/init.d/plymouth-log 31639 -bin/plymouth 31638 -lib/i386-linux-gnu/libply.so.2.1.0 31637 -etc/init.d/virtualbox-guest-x11 31636 -etc/init.d/x11-common 31635 -etc/init.d/rc 31634 -sbin/startpar 31633 -etc/init.d/.depend.start 31632 -etc/init.d/open-vm-tools 31631 -etc/init.d/motd 31630 -etc/init.d/rsyslog 31629 -etc/default/rsyslog 31628 -etc/init.d/polipo 31626 -usr/bin/vmware-checkvm 31625 -usr/lib/libvmtools.so.0.0.0 31624 -usr/lib/i386-linux-gnu/libicui18n.so.48.1.1 31623 -usr/lib/polipo/polipo-control 31622 -sbin/start-stop-daemon 31621 -usr/bin/polipo 31620 -usr/sbin/rsyslogd 31619 -usr/lib/rsyslog/lmnet.so 31618 -etc/rsyslog.conf 31616 -usr/lib/rsyslog/imuxsock.so 31615 -usr/lib/rsyslog/imklog.so 31614 -etc/polipo/config 31613 -etc/polipo/forbidden 31612 -usr/lib/i386-linux-gnu/libicuuc.so.48.1.1 31611 -etc/init.d/sudo 31610 -etc/init.d/tails-reconfigure-kexec 31609 -usr/local/bin/tails-get-bootinfo 31608 -usr/local/bin/tails-boot-to-kexec 31607 -usr/lib/i386-linux-gnu/libicudata.so.48.1.1 31606 -etc/init.d/dbus 31605 -etc/default/dbus 31604 -etc/default/kexec 31603 -etc/init.d/cron 31602 -usr/bin/dbus-uuidgen 31601 -etc/default/cron 31600 -usr/bin/tail 31599 -etc/environment 31598 -usr/bin/dbus-daemon 31597 -lib/i386-linux-gnu/libsystemd-login.so.0.2.1 31596 -lib/i386-linux-gnu/libexpat.so.1.6.0 31595 -etc/dbus-1/system.conf 31594 -usr/lib/i386-linux-gnu/libstdc++.so.6.0.17 31593 -etc/timezone 31592 -etc/dbus-1/system.d/ConsoleKit.conf 31591 -etc/dbus-1/system.d/com.hp.hplip.conf 31590 -etc/dbus-1/system.d/com.redhat.NewPrinterNotification.conf 31589 -etc/dbus-1/system.d/com.redhat.PrinterDriversInstaller.conf 31588 -etc/dbus-1/system.d/gdm.conf 31587 -etc/dbus-1/system.d/nm-avahi-autoipd.conf 31586 -etc/dbus-1/system.d/nm-dhcp-client.conf 31585 -etc/dbus-1/system.d/nm-dispatcher.conf 31584 -etc/dbus-1/system.d/org.freedesktop.Accounts.conf 31583 -etc/dbus-1/system.d/org.freedesktop.ModemManager.conf 31582 -etc/dbus-1/system.d/org.freedesktop.NetworkManager.conf 31581 -etc/dbus-1/system.d/org.freedesktop.PolicyKit1.conf 31580 -etc/dbus-1/system.d/org.freedesktop.UDisks.conf 31579 -etc/dbus-1/system.d/org.freedesktop.UPower.conf 31578 -etc/dbus-1/system.d/org.freedesktop.hostname1.conf 31577 -etc/dbus-1/system.d/org.freedesktop.locale1.conf 31576 -etc/dbus-1/system.d/org.freedesktop.login1.conf 31575 -etc/dbus-1/system.d/org.freedesktop.systemd1.conf 31574 -etc/dbus-1/system.d/org.freedesktop.timedate1.conf 31573 -etc/dbus-1/system.d/org.gnome.SettingsDaemon.DateTimeMechanism.conf 31572 -etc/dbus-1/system.d/org.opensuse.CupsPkHelper.Mechanism.conf 31571 -etc/dbus-1/system.d/pulseaudio-system.conf 31570 -etc/dbus-1/system.d/wpa_supplicant.conf 31569 -usr/share/dbus-1/system-services/com.hp.hplip.service 31568 -usr/share/dbus-1/system-services/fi.epitest.hostap.WPASupplicant.service 31567 -usr/sbin/cron 31566 -etc/crontab 31564 -usr/share/dbus-1/system-services/fi.w1.wpa_supplicant1.service 31563 -usr/share/dbus-1/system-services/org.freedesktop.Accounts.service 31562 -usr/share/dbus-1/system-services/org.freedesktop.ConsoleKit.service 31561 -usr/share/dbus-1/system-services/org.freedesktop.ModemManager.service 31560 -usr/share/dbus-1/system-services/org.freedesktop.NetworkManager.service 31559 -usr/share/dbus-1/system-services/org.freedesktop.PolicyKit1.service 31558 -usr/share/dbus-1/system-services/org.freedesktop.UDisks.service 31557 -usr/share/dbus-1/system-services/org.freedesktop.UPower.service 31556 -usr/share/dbus-1/system-services/org.freedesktop.hostname1.service 31555 -usr/share/dbus-1/system-services/org.freedesktop.locale1.service 31554 -usr/share/dbus-1/system-services/org.freedesktop.login1.service 31553 -usr/share/dbus-1/system-services/org.freedesktop.nm_dispatcher.service 31552 -usr/share/dbus-1/system-services/org.freedesktop.systemd1.service 31551 -usr/share/dbus-1/system-services/org.freedesktop.timedate1.service 31550 -usr/share/dbus-1/system-services/org.gnome.SettingsDaemon.DateTimeMechanism.service 31549 -usr/share/dbus-1/system-services/org.opensuse.CupsPkHelper.Mechanism.service 31548 -etc/init.d/gdm3 31546 -etc/X11/default-display-manager 31545 -etc/gdm3/greeter.gsettings 31544 -usr/bin/dconf 31543 -usr/lib/i386-linux-gnu/libdconf.so.0.0.0 31542 -usr/share/gdm/dconf/00-upstream-settings 31541 -usr/share/gdm/dconf/locks/00-upstream-settings-locks 31540 -usr/sbin/gdm3 31539 -usr/lib/i386-linux-gnu/libXrandr.so.2.2.0 31538 -usr/lib/libaccountsservice.so.0.0.0 31537 -usr/lib/i386-linux-gnu/libXrender.so.1.3.0 31536 -etc/gdm3/daemon.conf 31535 -usr/share/gdm/gdm.schemas 31534 -usr/lib/gdm3/gdm-simple-slave 31532 -lib/libaudit.so.0.0.0 31531 -usr/lib/libxklavier.so.16.2.0 31530 -usr/lib/i386-linux-gnu/libxkbfile.so.1.0.2 31529 -usr/bin/Xorg 31526 -etc/init.d/bootlogs 31525 -usr/bin/savelog 31524 -usr/bin/dirname 31523 -bin/dmesg 31522 -etc/init.d/cups 31521 -etc/default/cups 31520 -lib/modules/3.16.0-4-amd64/kernel/drivers/char/lp.ko 31519 -lib/modules/3.16.0-4-amd64/kernel/drivers/char/ppdev.ko 31518 -usr/sbin/cupsd 31517 -usr/lib/i386-linux-gnu/libcupsmime.so.1 31516 -usr/lib/i386-linux-gnu/libgnutls.so.26.22.4 31515 -usr/lib/libslp.so.1.0.1 31514 -usr/lib/i386-linux-gnu/libldap_r-2.4.so.2.8.3 31513 -usr/lib/i386-linux-gnu/libpaper.so.1.1.2 31512 -usr/lib/i386-linux-gnu/libavahi-common.so.3.5.3 31511 -usr/lib/i386-linux-gnu/libavahi-client.so.3.2.9 31510 -usr/lib/i386-linux-gnu/libcups.so.2 31509 -usr/lib/i386-linux-gnu/libgssapi_krb5.so.2.2 31508 -usr/lib/i386-linux-gnu/libkrb5.so.3.3 31507 -lib/i386-linux-gnu/libgcrypt.so.11.7.0 31506 -usr/lib/i386-linux-gnu/libpciaccess.so.0.11.1 31505 -usr/lib/i386-linux-gnu/libpixman-1.so.0.26.0 31504 -usr/lib/i386-linux-gnu/libtasn1.so.3.1.16 31503 -usr/lib/i386-linux-gnu/libp11-kit.so.0.0.0 31502 -usr/lib/i386-linux-gnu/liblber-2.4.so.2.8.3 31501 -usr/lib/i386-linux-gnu/libsasl2.so.2.0.25 31500 -usr/lib/i386-linux-gnu/libk5crypto.so.3.1 31499 -usr/lib/libXfont.so.1.4.1 31498 -lib/i386-linux-gnu/libgpg-error.so.0.8.0 31497 -usr/lib/i386-linux-gnu/libfreetype.so.6.8.1 31496 -usr/lib/i386-linux-gnu/libfontenc.so.1.0.0 31495 -usr/lib/xorg/protocol.txt 31494 -usr/share/X11/xorg.conf.d/10-evdev.conf 31493 -usr/share/X11/xorg.conf.d/50-synaptics.conf 31492 -usr/share/X11/xorg.conf.d/50-vmmouse.conf 31491 -etc/X11/xorg.conf.d/disable-screen-blanking.conf 31490 -usr/lib/xorg/modules/extensions/libextmod.so 31489 -lib/i386-linux-gnu/libcom_err.so.2.1 31488 -usr/lib/i386-linux-gnu/libkrb5support.so.0.1 31487 -lib/i386-linux-gnu/libkeyutils.so.1.4 31486 -usr/lib/xorg/modules/extensions/libdbe.so 31485 -usr/lib/xorg/modules/extensions/libglx.so 31484 -usr/lib/xorg/modules/extensions/librecord.so 31483 -usr/lib/xorg/modules/extensions/libdri.so 31482 -usr/lib/i386-linux-gnu/libdrm.so.2.4.0 31481 -usr/lib/xorg/modules/extensions/libdri2.so 31480 -usr/lib/xorg/modules/drivers/vboxvideo_drv.so 31479 -etc/cups/cups-files.conf 31478 -etc/cups/cupsd.conf 31477 -etc/papersize 31476 -usr/share/cups/mime/cupsfilters.types 31475 -usr/share/cups/mime/mime.types 31474 -usr/share/cups/mime/pstotiff.types 31473 -etc/cups/raw.types 31472 -usr/share/cups/mime/cupsfilters.convs 31471 -usr/share/cups/mime/gstoraster.convs 31470 -usr/share/cups/mime/mime.convs 31469 -usr/share/cups/mime/pstotiff.convs 31468 -etc/cups/raw.convs 31467 -usr/share/cups/banners/classified 31466 -usr/share/cups/banners/confidential 31465 -usr/share/cups/banners/secret 31464 -usr/share/cups/banners/standard 31463 -usr/share/cups/banners/topsecret 31462 -usr/share/cups/banners/unclassified 31461 -etc/pkcs11/modules/gnome-keyring-module 31460 -usr/lib/xorg/modules/libfb.so 31459 -usr/lib/xorg/modules/libshadowfb.so 31458 -usr/lib/i386-linux-gnu/pkcs11/gnome-keyring-pkcs11.so 31457 -etc/init.d/ekeyd 31456 -etc/default/ekeyd 31455 -usr/sbin/ekeyd 31454 -usr/lib/i386-linux-gnu/liblua5.1.so.0.0.0 31453 -usr/share/lua/5.1/socket.lua 31452 -usr/lib/i386-linux-gnu/liblua5.1-socket.so.2.0.0 31451 -usr/lib/i386-linux-gnu/liblua5.1-socket-unix.so.2.0.0 31450 -etc/entropykey/ekeyd.conf 31449 -etc/entropykey/keyring 31448 -etc/init.d/haveged 31446 -etc/default/haveged 31445 -usr/sbin/haveged 31444 -etc/init.d/pcscd 31443 -usr/lib/xorg/modules/libvgahw.so 31441 -usr/sbin/pcscd 31440 -etc/reader.conf.d/libccidtwin 31439 -etc/libccid_Info.plist 31438 -etc/init.d/rsync 31435 -etc/default/rsync 31434 -etc/init.d/saned 31433 -etc/default/saned 31432 -etc/init.d/speech-dispatcher 31431 -etc/default/speech-dispatcher 31430 -etc/init.d/spice-vdagent 31429 -etc/init.d/tails-reconfigure-memlockd 31428 -etc/memlockd.cfg 31427 -etc/init.d/memlockd 31426 -etc/default/memlockd 31425 -usr/sbin/memlockd 31424 -etc/init.d/tails-sdmem-on-media-removal 31423 -usr/bin/ldd 31422 -bin/chvt 31421 -bin/sleep 31420 -usr/local/sbin/udev-watchdog-wrapper 31419 -usr/bin/eject 31418 -usr/local/sbin/udev-watchdog 31417 -etc/init.d/kexec-load 31416 -etc/init.d/tails-kexec 31415 -sbin/kexec 31414 -usr/bin/pgrep 31413 -lib/live/mount/medium/live/vmlinuz2 31412 -lib/live/mount/medium/live/initrd2.img 31411 -etc/init.d/tails-set-wireless-devices-state 31409 -etc/init.d/tor-controlport-filter 31408 -usr/local/sbin/tails-set-wireless-devices-state 31407 -etc/init.d/virtualbox-guest-utils 31406 -usr/local/sbin/tor-controlport-filter 31405 -usr/lib/python2.7/socket.py 31404 -usr/lib/python2.7/socket.pyc 31403 -usr/lib/python2.7/lib-dynload/_ssl.so 31402 -lib/modules/3.16.0-4-amd64/updates/dkms/vboxsf.ko 31401 -usr/sbin/VBoxService 31400 -usr/lib/i386-linux-gnu/dri/swrast_dri.so 31399 -usr/share/fonts/X11/misc/fonts.dir 31398 -usr/share/fonts/X11/misc/fonts.alias 31397 -usr/share/fonts/X11/100dpi/fonts.dir 31396 -usr/share/fonts/X11/100dpi/fonts.alias 31395 -usr/share/fonts/X11/75dpi/fonts.dir 31394 -usr/share/fonts/X11/75dpi/fonts.alias 31393 -usr/share/fonts/X11/Type1/fonts.dir 31392 -usr/share/fonts/X11/misc/6x13-ISO8859-1.pcf.gz 31391 -usr/share/fonts/X11/misc/cursor.pcf.gz 31390 -usr/share/X11/xkb/rules/evdev 31389 -usr/bin/xkbcomp 31388 -usr/share/X11/xkb/keycodes/evdev 31387 -usr/share/X11/xkb/keycodes/aliases 31386 -usr/share/X11/xkb/geometry/pc 31385 -usr/share/X11/xkb/types/complete 31384 -usr/share/X11/xkb/types/basic 31383 -usr/share/X11/xkb/types/mousekeys 31382 -usr/share/X11/xkb/types/pc 31381 -usr/share/X11/xkb/types/iso9995 31380 -usr/share/X11/xkb/types/level5 31379 -usr/share/X11/xkb/types/extra 31378 -usr/share/X11/xkb/types/numpad 31377 -usr/share/X11/xkb/compat/complete 31376 -usr/share/X11/xkb/compat/basic 31375 -usr/share/X11/xkb/compat/ledcaps 31374 -usr/share/X11/xkb/compat/lednum 31373 -usr/share/X11/xkb/compat/iso9995 31372 -usr/share/X11/xkb/compat/mousekeys 31371 -usr/share/X11/xkb/compat/accessx 31370 -usr/share/X11/xkb/compat/misc 31369 -usr/share/X11/xkb/compat/ledscroll 31368 -usr/share/X11/xkb/compat/xfree86 31367 -usr/share/X11/xkb/compat/level5 31366 -usr/share/X11/xkb/compat/caps 31365 -usr/share/X11/xkb/symbols/pc 31364 -usr/share/X11/xkb/symbols/srvr_ctrl 31363 -usr/share/X11/xkb/symbols/keypad 31362 -usr/share/X11/xkb/symbols/altwin 31361 -usr/share/X11/xkb/symbols/us 31360 -usr/share/X11/xkb/symbols/inet 31359 -usr/lib/xorg/modules/input/evdev_drv.so 31356 -usr/lib/i386-linux-gnu/libXcursor.so.1.0.2 31271 -usr/lib/i386-linux-gnu/libXfixes.so.3.1.0 31270 -usr/share/icons/DMZ-White/cursor.theme 31269 -usr/share/icons/DMZ-White/cursors/watch 31268 -usr/share/X11/xkb/rules/evdev.lst 31267 -usr/lib/ConsoleKit/ck-get-x11-display-device 31266 -etc/gdm3/Init/Default 31265 -usr/bin/dbus-launch 31264 -etc/dbus-1/session.conf 31263 -usr/share/dbus-1/services/ca.desrt.dconf.service 31262 -usr/share/dbus-1/services/gnome-vfs-daemon.service 31261 -usr/share/dbus-1/services/gvfs-daemon.service 31260 -usr/share/dbus-1/services/gvfs-metadata.service 31259 -usr/share/dbus-1/services/org.a11y.Bus.service 31258 -usr/share/dbus-1/services/org.a11y.atspi.Registry.service 31257 -usr/share/dbus-1/services/org.freedesktop.FileManager1.service 31256 -usr/share/dbus-1/services/org.freedesktop.gnome.Magnifier.service 31255 -usr/share/dbus-1/services/org.freedesktop.secrets.service 31254 -usr/share/dbus-1/services/org.gnome.FileRoller.service 31253 -usr/share/dbus-1/services/org.gnome.GConf.service 31252 -usr/share/dbus-1/services/org.gnome.Nautilus.service 31251 -usr/share/dbus-1/services/org.gnome.evince.Daemon.service 31250 -usr/share/dbus-1/services/org.gnome.evolution.dataserver.AddressBook.service 31249 -usr/share/dbus-1/services/org.gnome.evolution.dataserver.Calendar.service 31248 -usr/share/dbus-1/services/org.gnome.gedit.service 31247 -usr/share/dbus-1/services/org.gnome.keyring.PrivatePrompter.service 31246 -usr/share/dbus-1/services/org.gnome.keyring.SystemPrompter.service 31245 -usr/share/dbus-1/services/org.gnome.keyring.service 31244 -usr/share/dbus-1/services/org.gnome.panel.applet.ShutdownHelperFactory.service 31243 -usr/share/dbus-1/services/org.gnome.panel.applet.WindowPickerFactory.service 31242 -usr/share/dbus-1/services/org.gnome.seahorse.service 31241 -usr/share/dbus-1/services/org.gtk.GLib.PACRunner.service 31240 -usr/share/dbus-1/services/org.gtk.Private.AfcVolumeMonitor.service 31239 -usr/share/dbus-1/services/org.gtk.Private.GPhoto2VolumeMonitor.service 31238 -usr/share/dbus-1/services/org.gtk.Private.GduVolumeMonitor.service 31237 -usr/lib/gdm3/gdm-session-worker 31236 -usr/lib/dbus-1.0/dbus-daemon-launch-helper 31235 -usr/lib/accountsservice/accounts-daemon 31234 -usr/lib/i386-linux-gnu/libpolkit-gobject-1.so.0.0.0 31233 -usr/lib/i386-linux-gnu/gio/modules/giomodule.cache 31232 -usr/lib/i386-linux-gnu/gio/modules/libgvfsdbus.so 31231 -usr/lib/i386-linux-gnu/gvfs/libgvfscommon.so 31230 -usr/lib/i386-linux-gnu/libbluray.so.1.1.0 31229 -usr/lib/policykit-1/polkitd 31228 -usr/lib/i386-linux-gnu/libpolkit-backend-1.so.0.0.0 31227 -usr/lib/i386-linux-gnu/polkit-1/extensions/libnullbackend.so 31226 -etc/polkit-1/nullbackend.conf.d/50-nullbackend.conf 31225 -usr/sbin/console-kit-daemon 31224 -etc/ConsoleKit/seats.d/00-primary.seat 31223 -lib/udev/udev-acl 31222 -etc/pam.d/gdm3-autologin 31220 -lib/i386-linux-gnu/security/pam_nologin.so 31219 -lib/i386-linux-gnu/security/pam_succeed_if.so 31218 -lib/i386-linux-gnu/security/pam_selinux.so 31217 -lib/i386-linux-gnu/security/pam_limits.so 31216 -lib/i386-linux-gnu/security/pam_env.so 31215 -lib/i386-linux-gnu/security/pam_loginuid.so 31214 -usr/share/polkit-1/actions/com.hp.hplip.policy 31213 -usr/share/polkit-1/actions/com.ubuntu.pkexec.synaptic.policy 31212 -usr/share/polkit-1/actions/org.debian.pkexec.gnome-system-log.policy 31211 -usr/share/polkit-1/actions/org.freedesktop.NetworkManager.policy 31210 -usr/share/polkit-1/actions/org.freedesktop.accounts.policy 31209 -usr/share/polkit-1/actions/org.freedesktop.consolekit.policy 31208 -usr/share/polkit-1/actions/org.freedesktop.hostname1.policy 31207 -usr/share/polkit-1/actions/org.freedesktop.locale1.policy 31206 -usr/share/polkit-1/actions/org.freedesktop.login1.policy 31205 -usr/share/polkit-1/actions/org.freedesktop.modem-manager.policy 31204 -usr/share/polkit-1/actions/org.freedesktop.policykit.policy 31203 -usr/share/polkit-1/actions/org.freedesktop.systemd1.policy 31202 -usr/share/polkit-1/actions/org.freedesktop.timedate1.policy 31201 -usr/share/polkit-1/actions/org.freedesktop.udisks.policy 31200 -usr/share/polkit-1/actions/org.freedesktop.upower.policy 31199 -usr/share/polkit-1/actions/org.freedesktop.upower.qos.policy 31198 -usr/share/polkit-1/actions/org.gnome.settings-daemon.plugins.power.policy 31197 -usr/share/polkit-1/actions/org.gnome.settings-daemon.plugins.wacom.policy 31196 -usr/share/polkit-1/actions/org.gnome.settingsdaemon.datetimemechanism.policy 31195 -usr/share/polkit-1/actions/org.opensuse.cupspkhelper.mechanism.policy 31194 -etc/security/limits.conf 31193 -etc/security/pam_env.conf 31192 -usr/share/gdm/BuiltInSessions/default.desktop 31191 -usr/lib/ConsoleKit/ck-collect-session-info 31190 -usr/lib/ConsoleKit/ck-get-x11-server-pid 31189 -usr/lib/ConsoleKit/run-session.d/pam-foreground-compat.ck 31188 -usr/bin/getent 31187 -usr/bin/gnome-session 31178 -usr/lib/i386-linux-gnu/libgtk-3.so.0.400.2 31177 -usr/lib/i386-linux-gnu/libgdk-3.so.0.400.2 31176 -usr/lib/i386-linux-gnu/libcairo.so.2.11200.2 31175 -usr/lib/libupower-glib.so.1.0.2 31174 -usr/lib/i386-linux-gnu/libjson-glib-1.0.so.0.1400.2 31173 -usr/lib/i386-linux-gnu/libnotify.so.4.0.0 31172 -usr/lib/i386-linux-gnu/libgdk_pixbuf-2.0.so.0.2600.1 31171 -usr/lib/i386-linux-gnu/libpangocairo-1.0.so.0.3000.0 31170 -usr/lib/i386-linux-gnu/libXcomposite.so.1.0.0 31169 -usr/lib/i386-linux-gnu/libXdamage.so.1.1.0 31168 -usr/lib/i386-linux-gnu/libatk-1.0.so.0.20409.1 31167 -usr/lib/i386-linux-gnu/libcairo-gobject.so.2.11200.2 31166 -usr/lib/i386-linux-gnu/libpangoft2-1.0.so.0.3000.0 31165 -usr/lib/i386-linux-gnu/libpango-1.0.so.0.3000.0 31164 -usr/lib/i386-linux-gnu/libfontconfig.so.1.5.0 31163 -usr/lib/i386-linux-gnu/libXinerama.so.1.0.0 31162 -lib/i386-linux-gnu/libpng12.so.0.49.0 31161 -usr/lib/i386-linux-gnu/libxcb-shm.so.0.0.0 31160 -usr/lib/i386-linux-gnu/libxcb-render.so.0.0.0 31159 -usr/share/locale/en/LC_MESSAGES/gtk30.mo 31158 -usr/share/locale/en/LC_MESSAGES/gtk30-properties.mo 31157 -usr/share/glib-2.0/schemas/gschemas.compiled 31156 -usr/lib/i386-linux-gnu/gio/modules/libdconfsettings.so 31155 -usr/share/gdm/dconf-profile 31154 -usr/share/gdm/greeter/autostart/orca-autostart.desktop 31153 -etc/xdg/autostart/spice-vdagent.desktop 31152 -usr/share/gnome-session/sessions/gdm-fallback.session 31151 -usr/share/applications/metacity.desktop 31150 -usr/share/gdm/greeter/applications/gdm-simple-greeter.desktop 31149 -usr/share/gnome/autostart/gnome-settings-daemon.desktop 31148 -etc/xdg/autostart/polkit-gnome-authentication-agent-1.desktop 31147 -usr/lib/gnome-settings-daemon/gnome-settings-daemon 31146 -usr/lib/libgnome-desktop-3.so.2.1.4 31145 -usr/bin/spice-vdagent 31144 -usr/lib/gnome-settings-daemon-3.0/a11y-keyboard.gnome-settings-plugin 31143 -usr/lib/gnome-settings-daemon-3.0/a11y-settings.gnome-settings-plugin 31142 -usr/lib/gnome-settings-daemon-3.0/background.gnome-settings-plugin 31141 -usr/lib/gnome-settings-daemon-3.0/clipboard.gnome-settings-plugin 31140 -usr/lib/gnome-settings-daemon-3.0/color.gnome-settings-plugin 31139 -usr/lib/gnome-settings-daemon-3.0/cursor.gnome-settings-plugin 31138 -usr/lib/gnome-settings-daemon-3.0/housekeeping.gnome-settings-plugin 31137 -usr/lib/gnome-settings-daemon-3.0/keyboard.gnome-settings-plugin 31136 -usr/lib/gnome-settings-daemon-3.0/media-keys.gnome-settings-plugin 31135 -usr/lib/gnome-settings-daemon-3.0/mouse.gnome-settings-plugin 31134 -usr/lib/gnome-settings-daemon-3.0/orientation.gnome-settings-plugin 31133 -usr/lib/gnome-settings-daemon-3.0/power.gnome-settings-plugin 31132 -usr/lib/gnome-settings-daemon-3.0/print-notifications.gnome-settings-plugin 31131 -usr/lib/gnome-settings-daemon-3.0/smartcard.gnome-settings-plugin 31130 -usr/lib/gnome-settings-daemon-3.0/sound.gnome-settings-plugin 31129 -usr/lib/gnome-settings-daemon-3.0/updates.gnome-settings-plugin 31128 -usr/lib/gnome-settings-daemon-3.0/wacom.gnome-settings-plugin 31127 -usr/lib/gnome-settings-daemon-3.0/xrandr.gnome-settings-plugin 31126 -usr/lib/gnome-settings-daemon-3.0/xsettings.gnome-settings-plugin 31125 -usr/lib/gnome-settings-daemon-3.0/libpower.so 31124 -usr/lib/gnome-settings-daemon-3.0/libgsd.so 31123 -usr/lib/i386-linux-gnu/libcanberra-gtk3.so.0.1.8 31122 -usr/lib/i386-linux-gnu/libcanberra.so.0.2.5 31121 -usr/lib/i386-linux-gnu/libvorbisfile.so.3.3.4 31120 -usr/lib/i386-linux-gnu/libtdb.so.1.2.10 31119 -usr/lib/i386-linux-gnu/libltdl.so.7.3.0 31118 -usr/lib/upower/upowerd 31117 -lib/i386-linux-gnu/libusb-1.0.so.0.1.0 31116 -usr/lib/i386-linux-gnu/libgudev-1.0.so.0.1.1 31115 -usr/lib/libimobiledevice.so.2.0.1 31114 -usr/lib/libplist.so.1.1.8 31113 -usr/lib/libusbmuxd.so.1.0.7 31112 -etc/UPower/UPower.conf 31111 -usr/bin/pm-is-supported 31110 -usr/lib/pm-utils/pm-functions 31109 -usr/lib/pm-utils/defaults 31108 -usr/lib/pm-utils/functions 31107 -usr/lib/pm-utils/module.d/tuxonice 31106 -usr/lib/pm-utils/module.d/uswsusp 31105 -usr/sbin/pm-powersave 31104 -etc/polkit-1/localauthority/10-vendor.d/org.freedesktop.NetworkManager.pkla 31103 -etc/polkit-1/localauthority/10-vendor.d/org.boum.tails.pkla 31102 -etc/polkit-1/localauthority/10-vendor.d/org.boum.tails.accounts.pkla 31101 -usr/lib/gvfs/gvfsd 31100 -usr/lib/i386-linux-gnu/gvfs/libgvfsdaemon.so 31099 -usr/bin/sort 31098 -usr/bin/uniq 31097 -usr/lib/pm-utils/power.d/95hdparm-apm 31096 -lib/hdparm/hdparm-functions 31095 -usr/lib/i386-linux-gnu/libgnome-keyring.so.0.2.0 31094 -usr/share/gvfs/mounts/afc.mount 31093 -usr/share/gvfs/mounts/afp-browse.mount 31092 -usr/share/gvfs/mounts/afp.mount 31091 -usr/share/gvfs/mounts/archive.mount 31090 -usr/share/gvfs/mounts/burn.mount 31089 -usr/share/gvfs/mounts/cdda.mount 31088 -usr/share/gvfs/mounts/computer.mount 31087 -usr/share/gvfs/mounts/dav+sd.mount 31086 -usr/share/gvfs/mounts/dav.mount 31085 -usr/share/gvfs/mounts/dns-sd.mount 31084 -usr/share/gvfs/mounts/ftp.mount 31083 -usr/share/gvfs/mounts/gphoto2.mount 31082 -usr/share/gvfs/mounts/http.mount 31081 -usr/share/gvfs/mounts/localtest.mount 31080 -usr/share/gvfs/mounts/network.mount 31079 -usr/share/gvfs/mounts/obexftp.mount 31078 -usr/share/gvfs/mounts/sftp.mount 31077 -usr/share/gvfs/mounts/smb-browse.mount 31076 -usr/share/gvfs/mounts/smb.mount 31075 -usr/share/gvfs/mounts/trash.mount 31074 -usr/lib/pm-utils/power.d/disable_wol 31073 -usr/lib/i386-linux-gnu/gdk-pixbuf-2.0/2.10.0/loaders.cache 31072 -usr/share/icons/hicolor/index.theme 31071 -usr/lib/pm-utils/power.d/intel-audio-powersave 31070 -usr/lib/pm-utils/power.d/laptop-mode 31069 -usr/share/icons/hicolor/36x36/emblems/emblem-debian.icon 31068 -usr/lib/pm-utils/power.d/pci_devices 31067 -usr/share/icons/gnome/index.theme 31066 -usr/share/icons/gnome/scalable/status/battery-full-charged-symbolic.svg 31065 -usr/lib/pm-utils/power.d/pcie_aspm 31064 -usr/lib/pm-utils/power.d/sata_alpm 31063 -usr/lib/pm-utils/power.d/sched-powersave 31062 -usr/lib/pm-utils/power.d/usb_bluetooth 31061 -usr/lib/pm-utils/power.d/wireless 31060 -usr/lib/pm-utils/power.d/xfs_buffer 31059 -usr/share/mime/mime.cache 31058 -usr/lib/i386-linux-gnu/gdk-pixbuf-2.0/2.10.0/loaders/libpixbufloader-svg.so 31057 -usr/lib/i386-linux-gnu/librsvg-2.so.2.36.1 31056 -usr/lib/i386-linux-gnu/libcroco-0.6.so.3.0.1 31055 -usr/lib/gnome-settings-daemon-3.0/liborientation.so 31054 -usr/lib/gnome-settings-daemon-3.0/libxsettings.so 31053 -usr/lib/gnome-settings-daemon-3.0/gtk-modules/at-spi2-atk.desktop 31052 -etc/fonts/fonts.conf 31051 -etc/fonts/conf.avail/10-autohint.conf 31050 -etc/fonts/conf.avail/10-sub-pixel-rgb.conf 31049 -etc/fonts/conf.avail/11-lcdfilter-default.conf 31048 -etc/fonts/conf.avail/12-hintstyle-hintslight.conf 31046 -etc/fonts/conf.avail/13-antialias.conf 31045 -etc/fonts/conf.avail/20-fix-globaladvance.conf 31044 -etc/fonts/conf.avail/20-unhint-small-vera.conf 31043 -etc/fonts/conf.avail/25-arphic-ukai-render.conf 31042 -etc/fonts/conf.avail/25-arphic-uming-render.conf 31041 -etc/fonts/conf.avail/30-metric-aliases.conf 31040 -etc/fonts/conf.avail/30-urw-aliases.conf 31039 -etc/fonts/conf.avail/35-arphic-ukai-aliases.conf 31038 -etc/fonts/conf.avail/35-arphic-uming-aliases.conf 31037 -etc/fonts/conf.avail/40-nonlatin.conf 31036 -etc/fonts/conf.avail/41-arphic-ukai.conf 31035 -etc/fonts/conf.avail/41-arphic-uming.conf 31034 -etc/fonts/conf.avail/45-latin.conf 31033 -etc/fonts/conf.avail/49-sansserif.conf 31032 -etc/fonts/conf.avail/50-user.conf 31031 -etc/fonts/conf.avail/51-local.conf 31030 -etc/fonts/conf.avail/60-latin.conf 31029 -etc/fonts/conf.avail/64-01-tlwg-kinnari.conf 31028 -etc/fonts/conf.avail/64-02-tlwg-norasi.conf 31027 -etc/fonts/conf.avail/64-11-tlwg-waree.conf 31026 -etc/fonts/conf.avail/64-12-tlwg-loma.conf 31025 -etc/fonts/conf.avail/64-13-tlwg-garuda.conf 31024 -etc/fonts/conf.avail/64-14-tlwg-umpush.conf 31023 -etc/fonts/conf.avail/64-21-tlwg-typo.conf 31022 -etc/fonts/conf.avail/64-22-tlwg-typist.conf 31021 -etc/fonts/conf.avail/64-23-tlwg-mono.conf 31020 -etc/fonts/conf.avail/64-arphic-uming.conf 31019 -etc/fonts/conf.avail/65-0-fonts-beng-extra.conf/65-0-fonts-beng-extra.conf 31018 -etc/fonts/conf.avail/65-0-fonts-deva-extra.conf 31017 -etc/fonts/conf.avail/65-0-fonts-gubbi.conf 31016 -etc/fonts/conf.avail/65-0-fonts-gujr-extra.conf 31015 -etc/fonts/conf.avail/65-0-fonts-guru-extra.conf 31014 -etc/fonts/conf.avail/65-0-fonts-orya-extra.conf 31013 -etc/fonts/conf.avail/65-0-fonts-pagul.conf 31012 -etc/fonts/conf.avail/65-0-fonts-telu-extra.conf 31011 -etc/fonts/conf.avail/65-culmus.conf 31010 -etc/fonts/conf.avail/65-fonts-persian.conf 31009 -etc/fonts/conf.d/65-khmer.conf 31008 -etc/fonts/conf.avail/65-nonlatin.conf 31007 -etc/fonts/conf.avail/69-unifont.conf 31006 -etc/fonts/conf.avail/70-no-bitmaps.conf 31005 -etc/fonts/conf.avail/75-arphic-ukai-select.conf 31004 -etc/fonts/conf.avail/80-delicious.conf 31003 -etc/fonts/conf.avail/85-xfonts-wqy.conf/85-wqy-bitmapsong.conf 31002 -etc/fonts/conf.avail/89-tlwg-garuda-synthetic.conf 31001 -etc/fonts/conf.avail/89-tlwg-kinnari-synthetic.conf 31000 -etc/fonts/conf.avail/89-tlwg-loma-synthetic.conf 30999 -etc/fonts/conf.avail/89-tlwg-umpush-synthetic.conf 30998 -etc/fonts/conf.avail/89-tlwg-waree-synthetic.conf 30997 -etc/fonts/conf.avail/90-arphic-ukai-embolden.conf 30996 -etc/fonts/conf.avail/90-arphic-uming-embolden.conf 30995 -etc/fonts/conf.avail/90-fonts-unfonts-core.conf 30994 -etc/fonts/conf.avail/90-synthetic.conf 30993 -etc/fonts/conf.d/99pdftoopvp.conf 30992 -var/cache/fontconfig/3830d5c3ddfd5cd38a049b759396e72e-le32d4.cache-3 30991 -var/cache/fontconfig/4c599c202bc5c08e2d34565a40eac3b2-le32d4.cache-3 30990 -var/cache/fontconfig/c855463f699352c367813e37f3f70ea7-le32d4.cache-3 30989 -var/cache/fontconfig/57e423e26b20ab21d0f2f29c145174c3-le32d4.cache-3 30988 -var/cache/fontconfig/573ec803664ed168555e0e8b6d0f0c7f-le32d4.cache-3 30987 -var/cache/fontconfig/7ef2298fde41cc6eeb7af42e48b7d293-le32d4.cache-3 30986 -var/cache/fontconfig/d82eb4fd963d448e2fcb7d7b793b5df3-le32d4.cache-3 30985 -var/cache/fontconfig/21a99156bb11811cef641abeda519a45-le32d4.cache-3 30984 -var/cache/fontconfig/eeebfc908bd29a90773fd860017aada4-le32d4.cache-3 30983 -var/cache/fontconfig/e13b20fdb08344e0e664864cc2ede53d-le32d4.cache-3 30982 -var/cache/fontconfig/707971e003b4ae6c8121c3a920e507f5-le32d4.cache-3 30981 -var/cache/fontconfig/cabbd14511b9e8a55e92af97fb3a0461-le32d4.cache-3 30980 -usr/share/fonts/X11/misc/10x20-ISO8859-1.pcf.gz 30979 -usr/share/fonts/X11/misc/10x20-ISO8859-10.pcf.gz 30978 -usr/share/fonts/X11/misc/10x20-ISO8859-11.pcf.gz 30977 -usr/share/fonts/X11/misc/10x20-ISO8859-13.pcf.gz 30976 -usr/share/fonts/X11/misc/10x20-ISO8859-14.pcf.gz 30975 -usr/share/fonts/X11/misc/10x20-ISO8859-15.pcf.gz 30974 -usr/share/fonts/X11/misc/10x20-ISO8859-16.pcf.gz 30973 -usr/share/fonts/X11/misc/10x20-ISO8859-2.pcf.gz 30972 -usr/share/fonts/X11/misc/10x20-ISO8859-3.pcf.gz 30971 -usr/share/fonts/X11/misc/10x20-ISO8859-4.pcf.gz 30970 -usr/share/fonts/X11/misc/10x20-ISO8859-5.pcf.gz 30969 -usr/share/fonts/X11/misc/10x20-ISO8859-7.pcf.gz 30968 -usr/share/fonts/X11/misc/10x20-ISO8859-8.pcf.gz 30967 -usr/share/fonts/X11/misc/10x20-ISO8859-9.pcf.gz 30966 -usr/share/fonts/X11/misc/10x20-KOI8-R.pcf.gz 30965 -usr/share/fonts/X11/misc/10x20.pcf.gz 30964 -usr/share/fonts/X11/misc/10x20c_r.pcf.gz 30963 -usr/share/fonts/X11/misc/12x13ja.pcf.gz 30962 -etc/init.d/laptop-mode 30961 -usr/share/fonts/X11/misc/12x24.pcf.gz 30960 -usr/share/fonts/X11/misc/12x24c_r.pcf.gz 30959 -usr/share/fonts/X11/misc/12x24rk.pcf.gz 30958 -usr/share/fonts/X11/misc/18x18ja.pcf.gz 30957 -usr/share/fonts/X11/misc/18x18ko.pcf.gz 30956 -etc/init.d/plymouth 30955 -etc/init.d/rc.local 30954 -etc/rc.local 30953 -etc/init.d/rmnologin 30952 -usr/share/fonts/X11/misc/4x6-ISO8859-1.pcf.gz 30951 -usr/share/fonts/X11/misc/4x6-ISO8859-10.pcf.gz 30950 -usr/share/fonts/X11/misc/4x6-ISO8859-13.pcf.gz 30949 -usr/share/fonts/X11/misc/4x6-ISO8859-14.pcf.gz 30948 -usr/share/fonts/X11/misc/4x6-ISO8859-15.pcf.gz 30947 -usr/share/fonts/X11/misc/4x6-ISO8859-16.pcf.gz 30946 -usr/share/fonts/X11/misc/4x6-ISO8859-2.pcf.gz 30945 -usr/share/fonts/X11/misc/4x6-ISO8859-3.pcf.gz 30944 -usr/share/fonts/X11/misc/4x6-ISO8859-4.pcf.gz 30943 -usr/share/fonts/X11/misc/4x6-ISO8859-5.pcf.gz 30942 -usr/share/fonts/X11/misc/4x6-ISO8859-7.pcf.gz 30941 -usr/share/fonts/X11/misc/4x6-ISO8859-8.pcf.gz 30940 -usr/share/fonts/X11/misc/4x6-ISO8859-9.pcf.gz 30939 -usr/share/fonts/X11/misc/4x6-KOI8-R.pcf.gz 30938 -usr/share/fonts/X11/misc/4x6.pcf.gz 30937 -usr/share/fonts/X11/misc/5x7-ISO8859-1.pcf.gz 30936 -usr/share/fonts/X11/misc/5x7-ISO8859-10.pcf.gz 30935 -usr/share/fonts/X11/misc/5x7-ISO8859-13.pcf.gz 30934 -usr/share/fonts/X11/misc/5x7-ISO8859-14.pcf.gz 30933 -usr/share/fonts/X11/misc/5x7-ISO8859-15.pcf.gz 30932 -usr/share/fonts/X11/misc/5x7-ISO8859-16.pcf.gz 30931 -usr/share/fonts/X11/misc/5x7-ISO8859-2.pcf.gz 30930 -usr/share/fonts/X11/misc/5x7-ISO8859-3.pcf.gz 30929 -usr/share/fonts/X11/misc/5x7-ISO8859-4.pcf.gz 30928 -usr/share/fonts/X11/misc/5x7-ISO8859-5.pcf.gz 30927 -usr/share/fonts/X11/misc/5x7-ISO8859-7.pcf.gz 30926 -usr/share/fonts/X11/misc/5x7-ISO8859-8.pcf.gz 30925 -usr/share/fonts/X11/misc/5x7-ISO8859-9.pcf.gz 30924 -usr/share/fonts/X11/misc/5x7-KOI8-R.pcf.gz 30923 -usr/share/fonts/X11/misc/5x7.pcf.gz 30922 -usr/share/fonts/X11/misc/5x7c_r.pcf.gz 30921 -usr/share/fonts/X11/misc/5x8-ISO8859-1.pcf.gz 30920 -usr/share/fonts/X11/misc/5x8-ISO8859-10.pcf.gz 30919 -usr/share/fonts/X11/misc/5x8-ISO8859-13.pcf.gz 30918 -usr/share/fonts/X11/misc/5x8-ISO8859-14.pcf.gz 30917 -usr/share/fonts/X11/misc/5x8-ISO8859-15.pcf.gz 30916 -usr/share/fonts/X11/misc/5x8-ISO8859-16.pcf.gz 30915 -usr/share/fonts/X11/misc/5x8-ISO8859-2.pcf.gz 30914 -usr/share/fonts/X11/misc/5x8-ISO8859-3.pcf.gz 30913 -usr/share/fonts/X11/misc/5x8-ISO8859-4.pcf.gz 30912 -usr/share/fonts/X11/misc/5x8-ISO8859-5.pcf.gz 30911 -usr/share/fonts/X11/misc/5x8-ISO8859-7.pcf.gz 30910 -usr/share/fonts/X11/misc/5x8-ISO8859-8.pcf.gz 30909 -usr/share/fonts/X11/misc/5x8-ISO8859-9.pcf.gz 30908 -usr/share/fonts/X11/misc/5x8-KOI8-R.pcf.gz 30907 -usr/share/fonts/X11/misc/5x8.pcf.gz 30906 -usr/share/fonts/X11/misc/6x10-ISO8859-1.pcf.gz 30905 -usr/share/fonts/X11/misc/6x10-ISO8859-10.pcf.gz 30904 -usr/share/fonts/X11/misc/6x10-ISO8859-13.pcf.gz 30903 -usr/share/fonts/X11/misc/6x10-ISO8859-14.pcf.gz 30902 -usr/share/fonts/X11/misc/6x10-ISO8859-15.pcf.gz 30901 -usr/share/fonts/X11/misc/6x10-ISO8859-16.pcf.gz 30900 -usr/share/fonts/X11/misc/6x10-ISO8859-2.pcf.gz 30899 -usr/share/fonts/X11/misc/6x10-ISO8859-3.pcf.gz 30898 -usr/share/fonts/X11/misc/6x10-ISO8859-4.pcf.gz 30897 -usr/share/fonts/X11/misc/6x10-ISO8859-5.pcf.gz 30896 -usr/share/fonts/X11/misc/6x10-ISO8859-7.pcf.gz 30895 -usr/share/fonts/X11/misc/6x10-ISO8859-8.pcf.gz 30894 -usr/share/fonts/X11/misc/6x10-ISO8859-9.pcf.gz 30893 -usr/share/fonts/X11/misc/6x10-KOI8-R.pcf.gz 30892 -usr/share/fonts/X11/misc/6x10.pcf.gz 30891 -sbin/getty 30890 -usr/lib/locale/C.UTF-8/LC_CTYPE 30889 -etc/issue 30888 -usr/share/fonts/X11/misc/6x10c_r.pcf.gz 30887 -usr/share/fonts/X11/misc/6x12-ISO8859-1.pcf.gz 30886 -usr/share/fonts/X11/misc/6x12-ISO8859-10.pcf.gz 30885 -usr/share/fonts/X11/misc/6x12-ISO8859-13.pcf.gz 30884 -usr/share/fonts/X11/misc/6x12-ISO8859-14.pcf.gz 30883 -usr/share/fonts/X11/misc/6x12-ISO8859-15.pcf.gz 30882 -usr/share/fonts/X11/misc/6x12-ISO8859-16.pcf.gz 30881 -usr/share/fonts/X11/misc/6x12-ISO8859-2.pcf.gz 30880 -usr/share/fonts/X11/misc/6x12-ISO8859-3.pcf.gz 30879 -usr/share/fonts/X11/misc/6x12-ISO8859-4.pcf.gz 30878 -usr/share/fonts/X11/misc/6x12-ISO8859-5.pcf.gz 30877 -usr/share/fonts/X11/misc/6x12-ISO8859-7.pcf.gz 30876 -usr/share/fonts/X11/misc/6x12-ISO8859-8.pcf.gz 30875 -usr/share/fonts/X11/misc/6x12-ISO8859-9.pcf.gz 30874 -usr/share/fonts/X11/misc/6x12-KOI8-R.pcf.gz 30873 -usr/share/fonts/X11/misc/6x12.pcf.gz 30872 -usr/share/fonts/X11/misc/6x13-ISO8859-10.pcf.gz 30871 -usr/share/fonts/X11/misc/6x13-ISO8859-11.pcf.gz 30870 -usr/share/fonts/X11/misc/6x13-ISO8859-13.pcf.gz 30869 -usr/share/fonts/X11/misc/6x13-ISO8859-14.pcf.gz 30868 -usr/share/fonts/X11/misc/6x13-ISO8859-15.pcf.gz 30867 -usr/share/fonts/X11/misc/6x13-ISO8859-16.pcf.gz 30866 -usr/share/fonts/X11/misc/6x13-ISO8859-2.pcf.gz 30865 -usr/share/fonts/X11/misc/6x13-ISO8859-3.pcf.gz 30864 -usr/share/fonts/X11/misc/6x13-ISO8859-4.pcf.gz 30863 -usr/share/fonts/X11/misc/6x13-ISO8859-5.pcf.gz 30862 -usr/share/fonts/X11/misc/6x13-ISO8859-7.pcf.gz 30861 -usr/share/fonts/X11/misc/6x13-ISO8859-8.pcf.gz 30860 -usr/share/fonts/X11/misc/6x13-ISO8859-9.pcf.gz 30859 -usr/share/fonts/X11/misc/6x13-KOI8-R.pcf.gz 30858 -usr/share/fonts/X11/misc/6x13.pcf.gz 30857 -usr/share/fonts/X11/misc/6x13B-ISO8859-1.pcf.gz 30856 -usr/share/fonts/X11/misc/6x13B-ISO8859-10.pcf.gz 30855 -usr/share/fonts/X11/misc/6x13B-ISO8859-13.pcf.gz 30854 -usr/share/fonts/X11/misc/6x13B-ISO8859-14.pcf.gz 30853 -usr/share/fonts/X11/misc/6x13B-ISO8859-15.pcf.gz 30852 -usr/share/fonts/X11/misc/6x13B-ISO8859-16.pcf.gz 30851 -usr/share/fonts/X11/misc/6x13B-ISO8859-2.pcf.gz 30850 -usr/share/fonts/X11/misc/6x13B-ISO8859-3.pcf.gz 30849 -usr/share/fonts/X11/misc/6x13B-ISO8859-4.pcf.gz 30848 -usr/share/fonts/X11/misc/6x13B-ISO8859-5.pcf.gz 30847 -usr/share/fonts/X11/misc/6x13B-ISO8859-7.pcf.gz 30846 -usr/share/fonts/X11/misc/6x13B-ISO8859-8.pcf.gz 30845 -usr/share/fonts/X11/misc/6x13B-ISO8859-9.pcf.gz 30844 -usr/share/fonts/X11/misc/6x13B.pcf.gz 30843 -usr/share/fonts/X11/misc/6x13Bc_r.pcf.gz 30842 -usr/share/fonts/X11/misc/6x13O-ISO8859-1.pcf.gz 30841 -usr/share/fonts/X11/misc/6x13O-ISO8859-10.pcf.gz 30840 -usr/share/fonts/X11/misc/6x13O-ISO8859-13.pcf.gz 30839 -usr/share/fonts/X11/misc/6x13O-ISO8859-14.pcf.gz 30838 -usr/share/fonts/X11/misc/6x13O-ISO8859-15.pcf.gz 30837 -usr/share/fonts/X11/misc/6x13O-ISO8859-16.pcf.gz 30836 -usr/share/fonts/X11/misc/6x13O-ISO8859-2.pcf.gz 30835 -usr/share/fonts/X11/misc/6x13O-ISO8859-3.pcf.gz 30834 -usr/share/fonts/X11/misc/6x13O-ISO8859-4.pcf.gz 30833 -usr/share/fonts/X11/misc/6x13O-ISO8859-5.pcf.gz 30832 -usr/share/fonts/X11/misc/6x13O-ISO8859-7.pcf.gz 30831 -usr/share/fonts/X11/misc/6x13O-ISO8859-9.pcf.gz 30830 -usr/share/fonts/X11/misc/6x13O.pcf.gz 30829 -usr/share/fonts/X11/misc/6x13c_r.pcf.gz 30828 -usr/share/fonts/X11/misc/6x9-ISO8859-1.pcf.gz 30827 -usr/share/fonts/X11/misc/6x9-ISO8859-10.pcf.gz 30826 -usr/share/fonts/X11/misc/6x9-ISO8859-13.pcf.gz 30825 -usr/share/fonts/X11/misc/6x9-ISO8859-14.pcf.gz 30824 -usr/share/fonts/X11/misc/6x9-ISO8859-15.pcf.gz 30823 -usr/share/fonts/X11/misc/6x9-ISO8859-16.pcf.gz 30822 -usr/share/fonts/X11/misc/6x9-ISO8859-2.pcf.gz 30821 -usr/share/fonts/X11/misc/6x9-ISO8859-3.pcf.gz 30820 -usr/share/fonts/X11/misc/6x9-ISO8859-4.pcf.gz 30819 -usr/share/fonts/X11/misc/6x9-ISO8859-5.pcf.gz 30818 -usr/share/fonts/X11/misc/6x9-ISO8859-7.pcf.gz 30817 -usr/share/fonts/X11/misc/6x9-ISO8859-8.pcf.gz 30816 -usr/share/fonts/X11/misc/6x9-ISO8859-9.pcf.gz 30815 -usr/share/fonts/X11/misc/6x9-KOI8-R.pcf.gz 30814 -usr/share/fonts/X11/misc/6x9.pcf.gz 30813 -usr/share/fonts/X11/misc/7x13-ISO8859-1.pcf.gz 30812 -usr/share/fonts/X11/misc/7x13-ISO8859-10.pcf.gz 30811 -usr/share/fonts/X11/misc/7x13-ISO8859-11.pcf.gz 30810 -usr/share/fonts/X11/misc/7x13-ISO8859-13.pcf.gz 30809 -usr/share/fonts/X11/misc/7x13-ISO8859-14.pcf.gz 30808 -usr/share/fonts/X11/misc/7x13-ISO8859-15.pcf.gz 30807 -usr/share/fonts/X11/misc/7x13-ISO8859-16.pcf.gz 30806 -usr/share/fonts/X11/misc/7x13-ISO8859-2.pcf.gz 30805 -usr/share/fonts/X11/misc/7x13-ISO8859-3.pcf.gz 30804 -usr/share/fonts/X11/misc/7x13-ISO8859-4.pcf.gz 30803 -usr/share/fonts/X11/misc/7x13-ISO8859-5.pcf.gz 30802 -usr/share/fonts/X11/misc/7x13-ISO8859-7.pcf.gz 30801 -usr/share/fonts/X11/misc/7x13-ISO8859-8.pcf.gz 30800 -usr/share/fonts/X11/misc/7x13-ISO8859-9.pcf.gz 30799 -usr/share/fonts/X11/misc/7x13-KOI8-R.pcf.gz 30798 -usr/share/fonts/X11/misc/7x13.pcf.gz 30797 -usr/share/fonts/X11/misc/7x13B-ISO8859-1.pcf.gz 30796 -usr/share/fonts/X11/misc/7x13B-ISO8859-10.pcf.gz 30795 -usr/share/fonts/X11/misc/7x13B-ISO8859-11.pcf.gz 30794 -usr/share/fonts/X11/misc/7x13B-ISO8859-13.pcf.gz 30793 -usr/share/fonts/X11/misc/7x13B-ISO8859-14.pcf.gz 30792 -usr/share/fonts/X11/misc/7x13B-ISO8859-15.pcf.gz 30791 -usr/share/fonts/X11/misc/7x13B-ISO8859-16.pcf.gz 30790 -usr/share/fonts/X11/misc/7x13B-ISO8859-2.pcf.gz 30789 -usr/share/fonts/X11/misc/7x13B-ISO8859-3.pcf.gz 30788 -usr/share/fonts/X11/misc/7x13B-ISO8859-4.pcf.gz 30787 -usr/share/fonts/X11/misc/7x13B-ISO8859-5.pcf.gz 30786 -usr/share/fonts/X11/misc/7x13B-ISO8859-7.pcf.gz 30785 -usr/share/fonts/X11/misc/7x13B-ISO8859-8.pcf.gz 30784 -usr/share/fonts/X11/misc/7x13B-ISO8859-9.pcf.gz 30783 -usr/share/fonts/X11/misc/7x13B.pcf.gz 30782 -usr/share/fonts/X11/misc/7x13Bc_r.pcf.gz 30781 -usr/share/fonts/X11/misc/7x13O-ISO8859-1.pcf.gz 30780 -usr/share/fonts/X11/misc/7x13O-ISO8859-10.pcf.gz 30779 -usr/share/fonts/X11/misc/7x13O-ISO8859-11.pcf.gz 30778 -usr/share/fonts/X11/misc/7x13O-ISO8859-13.pcf.gz 30777 -usr/share/fonts/X11/misc/7x13O-ISO8859-14.pcf.gz 30776 -usr/share/fonts/X11/misc/7x13O-ISO8859-15.pcf.gz 30775 -usr/share/fonts/X11/misc/7x13O-ISO8859-16.pcf.gz 30774 -usr/share/fonts/X11/misc/7x13O-ISO8859-2.pcf.gz 30773 -usr/share/fonts/X11/misc/7x13O-ISO8859-3.pcf.gz 30772 -usr/share/fonts/X11/misc/7x13O-ISO8859-4.pcf.gz 30771 -usr/share/fonts/X11/misc/7x13O-ISO8859-5.pcf.gz 30770 -usr/share/fonts/X11/misc/7x13O-ISO8859-7.pcf.gz 30769 -usr/share/fonts/X11/misc/7x13O-ISO8859-9.pcf.gz 30768 -usr/share/fonts/X11/misc/7x13O.pcf.gz 30767 -usr/share/fonts/X11/misc/7x13c_r.pcf.gz 30766 -usr/share/fonts/X11/misc/7x14-ISO8859-1.pcf.gz 30765 -usr/share/fonts/X11/misc/7x14-ISO8859-10.pcf.gz 30764 -usr/share/fonts/X11/misc/7x14-ISO8859-11.pcf.gz 30763 -usr/share/fonts/X11/misc/7x14-ISO8859-13.pcf.gz 30762 -usr/share/fonts/X11/misc/7x14-ISO8859-14.pcf.gz 30761 -usr/share/fonts/X11/misc/7x14-ISO8859-15.pcf.gz 30760 -usr/share/fonts/X11/misc/7x14-ISO8859-16.pcf.gz 30759 -usr/share/fonts/X11/misc/7x14-ISO8859-2.pcf.gz 30758 -usr/share/fonts/X11/misc/7x14-ISO8859-3.pcf.gz 30757 -usr/share/fonts/X11/misc/7x14-ISO8859-4.pcf.gz 30756 -usr/share/fonts/X11/misc/7x14-ISO8859-5.pcf.gz 30755 -usr/share/fonts/X11/misc/7x14-ISO8859-7.pcf.gz 30754 -usr/share/fonts/X11/misc/7x14-ISO8859-8.pcf.gz 30753 -usr/share/fonts/X11/misc/7x14-ISO8859-9.pcf.gz 30752 -usr/share/fonts/X11/misc/7x14-JISX0201.1976-0.pcf.gz 30751 -usr/share/fonts/X11/misc/7x14-KOI8-R.pcf.gz 30750 -usr/share/fonts/X11/misc/7x14.pcf.gz 30749 -usr/share/fonts/X11/misc/7x14B-ISO8859-1.pcf.gz 30748 -usr/share/fonts/X11/misc/7x14B-ISO8859-10.pcf.gz 30747 -usr/share/fonts/X11/misc/7x14B-ISO8859-11.pcf.gz 30746 -usr/share/fonts/X11/misc/7x14B-ISO8859-13.pcf.gz 30745 -usr/share/fonts/X11/misc/7x14B-ISO8859-14.pcf.gz 30744 -usr/share/fonts/X11/misc/7x14B-ISO8859-15.pcf.gz 30743 -usr/share/fonts/X11/misc/7x14B-ISO8859-16.pcf.gz 30742 -usr/share/fonts/X11/misc/7x14B-ISO8859-2.pcf.gz 30741 -usr/share/fonts/X11/misc/7x14B-ISO8859-3.pcf.gz 30740 -usr/share/fonts/X11/misc/7x14B-ISO8859-4.pcf.gz 30739 -usr/share/fonts/X11/misc/7x14B-ISO8859-5.pcf.gz 30738 -usr/share/fonts/X11/misc/7x14B-ISO8859-7.pcf.gz 30737 -usr/share/fonts/X11/misc/7x14B-ISO8859-8.pcf.gz 30736 -usr/share/fonts/X11/misc/7x14B-ISO8859-9.pcf.gz 30735 -usr/share/fonts/X11/misc/7x14B.pcf.gz 30734 -usr/share/fonts/X11/misc/7x14Bc_r.pcf.gz 30733 -usr/share/fonts/X11/misc/7x14c_r.pcf.gz 30732 -usr/share/fonts/X11/misc/8x13-ISO8859-1.pcf.gz 30731 -usr/share/fonts/X11/misc/8x13-ISO8859-10.pcf.gz 30730 -usr/share/fonts/X11/misc/8x13-ISO8859-13.pcf.gz 30729 -usr/share/fonts/X11/misc/8x13-ISO8859-14.pcf.gz 30728 -usr/share/fonts/X11/misc/8x13-ISO8859-15.pcf.gz 30727 -usr/share/fonts/X11/misc/8x13-ISO8859-16.pcf.gz 30726 -usr/share/fonts/X11/misc/8x13-ISO8859-2.pcf.gz 30725 -usr/share/fonts/X11/misc/8x13-ISO8859-3.pcf.gz 30724 -usr/share/fonts/X11/misc/8x13-ISO8859-4.pcf.gz 30723 -usr/share/fonts/X11/misc/8x13-ISO8859-5.pcf.gz 30722 -usr/share/fonts/X11/misc/8x13-ISO8859-7.pcf.gz 30721 -usr/share/fonts/X11/misc/8x13-ISO8859-8.pcf.gz 30720 -usr/share/fonts/X11/misc/8x13-ISO8859-9.pcf.gz 30719 -usr/share/fonts/X11/misc/8x13-KOI8-R.pcf.gz 30718 -usr/share/fonts/X11/misc/8x13.pcf.gz 30717 -usr/share/fonts/X11/misc/8x13B-ISO8859-1.pcf.gz 30716 -usr/share/fonts/X11/misc/8x13B-ISO8859-10.pcf.gz 30715 -usr/share/fonts/X11/misc/8x13B-ISO8859-13.pcf.gz 30714 -usr/share/fonts/X11/misc/8x13B-ISO8859-14.pcf.gz 30713 -usr/share/fonts/X11/misc/8x13B-ISO8859-15.pcf.gz 30712 -usr/share/fonts/X11/misc/8x13B-ISO8859-16.pcf.gz 30711 -usr/share/fonts/X11/misc/8x13B-ISO8859-2.pcf.gz 30710 -usr/share/fonts/X11/misc/8x13B-ISO8859-3.pcf.gz 30709 -usr/share/fonts/X11/misc/8x13B-ISO8859-4.pcf.gz 30708 -usr/share/fonts/X11/misc/8x13B-ISO8859-5.pcf.gz 30707 -usr/share/fonts/X11/misc/8x13B-ISO8859-7.pcf.gz 30706 -usr/share/fonts/X11/misc/8x13B-ISO8859-8.pcf.gz 30705 -usr/share/fonts/X11/misc/8x13B-ISO8859-9.pcf.gz 30704 -usr/share/fonts/X11/misc/8x13B.pcf.gz 30703 -usr/share/fonts/X11/misc/8x13Bc_r.pcf.gz 30702 -usr/share/fonts/X11/misc/8x13O-ISO8859-1.pcf.gz 30701 -usr/share/fonts/X11/misc/8x13O-ISO8859-10.pcf.gz 30700 -usr/share/fonts/X11/misc/8x13O-ISO8859-13.pcf.gz 30699 -usr/share/fonts/X11/misc/8x13O-ISO8859-14.pcf.gz 30698 -usr/share/fonts/X11/misc/8x13O-ISO8859-15.pcf.gz 30697 -usr/share/fonts/X11/misc/8x13O-ISO8859-16.pcf.gz 30696 -usr/share/fonts/X11/misc/8x13O-ISO8859-2.pcf.gz 30695 -usr/share/fonts/X11/misc/8x13O-ISO8859-3.pcf.gz 30694 -usr/share/fonts/X11/misc/8x13O-ISO8859-4.pcf.gz 30693 -usr/share/fonts/X11/misc/8x13O-ISO8859-5.pcf.gz 30692 -usr/share/fonts/X11/misc/8x13O-ISO8859-7.pcf.gz 30691 -usr/share/fonts/X11/misc/8x13O-ISO8859-9.pcf.gz 30690 -usr/share/fonts/X11/misc/8x13O.pcf.gz 30689 -usr/share/fonts/X11/misc/8x13c_r.pcf.gz 30688 -usr/share/fonts/X11/misc/8x16.pcf.gz 30687 -usr/share/fonts/X11/misc/8x16c_r.pcf.gz 30686 -usr/share/fonts/X11/misc/8x16rk.pcf.gz 30685 -usr/share/fonts/X11/misc/9x15-ISO8859-1.pcf.gz 30684 -usr/share/fonts/X11/misc/9x15-ISO8859-10.pcf.gz 30683 -usr/share/fonts/X11/misc/9x15-ISO8859-11.pcf.gz 30682 -usr/share/fonts/X11/misc/9x15-ISO8859-13.pcf.gz 30681 -usr/share/fonts/X11/misc/9x15-ISO8859-14.pcf.gz 30680 -usr/share/fonts/X11/misc/9x15-ISO8859-15.pcf.gz 30679 -usr/share/fonts/X11/misc/9x15-ISO8859-16.pcf.gz 30678 -usr/share/fonts/X11/misc/9x15-ISO8859-2.pcf.gz 30677 -usr/share/fonts/X11/misc/9x15-ISO8859-3.pcf.gz 30676 -usr/share/fonts/X11/misc/9x15-ISO8859-4.pcf.gz 30675 -usr/share/fonts/X11/misc/9x15-ISO8859-5.pcf.gz 30674 -usr/share/fonts/X11/misc/9x15-ISO8859-7.pcf.gz 30673 -usr/share/fonts/X11/misc/9x15-ISO8859-8.pcf.gz 30672 -usr/share/fonts/X11/misc/9x15-ISO8859-9.pcf.gz 30671 -usr/share/fonts/X11/misc/9x15-KOI8-R.pcf.gz 30670 -usr/share/fonts/X11/misc/9x15.pcf.gz 30669 -usr/share/fonts/X11/misc/9x15B-ISO8859-1.pcf.gz 30668 -usr/share/fonts/X11/misc/9x15B-ISO8859-10.pcf.gz 30667 -usr/share/fonts/X11/misc/9x15B-ISO8859-11.pcf.gz 30666 -usr/share/fonts/X11/misc/9x15B-ISO8859-13.pcf.gz 30665 -usr/share/fonts/X11/misc/9x15B-ISO8859-14.pcf.gz 30664 -usr/share/fonts/X11/misc/9x15B-ISO8859-15.pcf.gz 30663 -usr/share/fonts/X11/misc/9x15B-ISO8859-16.pcf.gz 30662 -usr/share/fonts/X11/misc/9x15B-ISO8859-2.pcf.gz 30661 -usr/share/fonts/X11/misc/9x15B-ISO8859-3.pcf.gz 30660 -usr/share/fonts/X11/misc/9x15B-ISO8859-4.pcf.gz 30659 -usr/share/fonts/X11/misc/9x15B-ISO8859-5.pcf.gz 30658 -usr/share/fonts/X11/misc/9x15B-ISO8859-7.pcf.gz 30657 -usr/share/fonts/X11/misc/9x15B-ISO8859-8.pcf.gz 30656 -usr/share/fonts/X11/misc/9x15B-ISO8859-9.pcf.gz 30655 -usr/share/fonts/X11/misc/9x15B.pcf.gz 30654 -usr/share/fonts/X11/misc/9x15Bc_r.pcf.gz 30653 -usr/share/fonts/X11/misc/9x15c_r.pcf.gz 30652 -usr/share/fonts/X11/misc/9x18-ISO8859-1.pcf.gz 30651 -usr/share/fonts/X11/misc/9x18-ISO8859-10.pcf.gz 30650 -usr/share/fonts/X11/misc/9x18-ISO8859-11.pcf.gz 30649 -usr/share/fonts/X11/misc/9x18-ISO8859-13.pcf.gz 30648 -usr/share/fonts/X11/misc/9x18-ISO8859-14.pcf.gz 30647 -usr/share/fonts/X11/misc/9x18-ISO8859-15.pcf.gz 30646 -usr/share/fonts/X11/misc/9x18-ISO8859-16.pcf.gz 30645 -usr/share/fonts/X11/misc/9x18-ISO8859-2.pcf.gz 30644 -usr/share/fonts/X11/misc/9x18-ISO8859-3.pcf.gz 30643 -usr/share/fonts/X11/misc/9x18-ISO8859-4.pcf.gz 30642 -usr/share/fonts/X11/misc/9x18-ISO8859-5.pcf.gz 30641 -usr/share/fonts/X11/misc/9x18-ISO8859-7.pcf.gz 30640 -usr/share/fonts/X11/misc/9x18-ISO8859-8.pcf.gz 30639 -usr/share/fonts/X11/misc/9x18-ISO8859-9.pcf.gz 30638 -usr/share/fonts/X11/misc/9x18-KOI8-R.pcf.gz 30637 -usr/share/fonts/X11/misc/9x18.pcf.gz 30636 -usr/share/fonts/X11/misc/9x18B-ISO8859-1.pcf.gz 30635 -usr/share/fonts/X11/misc/9x18B-ISO8859-10.pcf.gz 30634 -usr/share/fonts/X11/misc/9x18B-ISO8859-13.pcf.gz 30633 -usr/share/fonts/X11/misc/9x18B-ISO8859-14.pcf.gz 30632 -usr/share/fonts/X11/misc/9x18B-ISO8859-15.pcf.gz 30631 -usr/share/fonts/X11/misc/9x18B-ISO8859-16.pcf.gz 30630 -usr/share/fonts/X11/misc/9x18B-ISO8859-2.pcf.gz 30629 -usr/share/fonts/X11/misc/9x18B-ISO8859-3.pcf.gz 30628 -usr/share/fonts/X11/misc/9x18B-ISO8859-4.pcf.gz 30627 -usr/share/fonts/X11/misc/9x18B-ISO8859-5.pcf.gz 30626 -usr/share/fonts/X11/misc/9x18B-ISO8859-7.pcf.gz 30625 -usr/share/fonts/X11/misc/9x18B-ISO8859-8.pcf.gz 30624 -usr/share/fonts/X11/misc/9x18B-ISO8859-9.pcf.gz 30623 -usr/share/fonts/X11/misc/9x18B.pcf.gz 30622 -usr/share/fonts/X11/misc/arabic24.pcf.gz 30621 -usr/share/fonts/X11/misc/clB6x10.pcf.gz 30620 -usr/share/fonts/X11/misc/clB6x12.pcf.gz 30619 -usr/share/fonts/X11/misc/clB8x10.pcf.gz 30618 -usr/share/fonts/X11/misc/clB8x12.pcf.gz 30617 -usr/share/fonts/X11/misc/clB8x13.pcf.gz 30616 -usr/share/fonts/X11/misc/clB8x14.pcf.gz 30615 -usr/share/fonts/X11/misc/clB8x16.pcf.gz 30614 -usr/share/fonts/X11/misc/clB8x8.pcf.gz 30613 -usr/share/fonts/X11/misc/clB9x15.pcf.gz 30612 -usr/share/fonts/X11/misc/clI6x12.pcf.gz 30611 -usr/share/fonts/X11/misc/clI8x8.pcf.gz 30610 -usr/share/fonts/X11/misc/clR4x6.pcf.gz 30609 -usr/share/fonts/X11/misc/clR5x10.pcf.gz 30608 -usr/share/fonts/X11/misc/clR5x6.pcf.gz 30607 -usr/share/fonts/X11/misc/clR5x8.pcf.gz 30606 -usr/share/fonts/X11/misc/clR6x10.pcf.gz 30605 -usr/share/fonts/X11/misc/clR6x12-ISO8859-1.pcf.gz 30604 -usr/share/fonts/X11/misc/clR6x12-ISO8859-10.pcf.gz 30603 -usr/share/fonts/X11/misc/clR6x12-ISO8859-13.pcf.gz 30602 -usr/share/fonts/X11/misc/clR6x12-ISO8859-14.pcf.gz 30601 -usr/share/fonts/X11/misc/clR6x12-ISO8859-15.pcf.gz 30600 -usr/share/fonts/X11/misc/clR6x12-ISO8859-16.pcf.gz 30599 -usr/share/fonts/X11/misc/clR6x12-ISO8859-2.pcf.gz 30598 -usr/share/fonts/X11/misc/clR6x12-ISO8859-3.pcf.gz 30597 -usr/share/fonts/X11/misc/clR6x12-ISO8859-4.pcf.gz 30596 -usr/share/fonts/X11/misc/clR6x12-ISO8859-5.pcf.gz 30595 -usr/share/fonts/X11/misc/clR6x12-ISO8859-7.pcf.gz 30594 -usr/share/fonts/X11/misc/clR6x12-ISO8859-8.pcf.gz 30593 -usr/share/fonts/X11/misc/clR6x12-ISO8859-9.pcf.gz 30592 -usr/share/fonts/X11/misc/clR6x12-KOI8-R.pcf.gz 30591 -usr/share/fonts/X11/misc/clR6x12.pcf.gz 30590 -usr/share/fonts/X11/misc/clR6x13.pcf.gz 30589 -usr/share/fonts/X11/misc/clR6x6.pcf.gz 30588 -usr/share/fonts/X11/misc/clR6x8.pcf.gz 30587 -usr/share/fonts/X11/misc/clR7x10.pcf.gz 30586 -usr/share/fonts/X11/misc/clR7x12.pcf.gz 30585 -usr/share/fonts/X11/misc/clR7x14.pcf.gz 30584 -usr/share/fonts/X11/misc/clR7x8.pcf.gz 30583 -usr/share/fonts/X11/misc/clR8x10.pcf.gz 30582 -usr/share/fonts/X11/misc/clR8x12.pcf.gz 30581 -usr/share/fonts/X11/misc/clR8x13.pcf.gz 30580 -usr/share/fonts/X11/misc/clR8x14.pcf.gz 30579 -usr/share/fonts/X11/misc/clR8x16.pcf.gz 30578 -usr/share/fonts/X11/misc/clR8x8.pcf.gz 30577 -usr/share/fonts/X11/misc/clR9x15.pcf.gz 30576 -usr/share/fonts/X11/misc/cns1-16.pcf.gz 30575 -usr/share/fonts/X11/misc/cns1-24.pcf.gz 30574 -usr/share/fonts/X11/misc/cns2-16.pcf.gz 30573 -usr/share/fonts/X11/misc/cns2-24.pcf.gz 30572 -usr/share/fonts/X11/misc/cns3-16.pcf.gz 30571 -usr/share/fonts/X11/misc/cns3-24.pcf.gz 30570 -usr/share/fonts/X11/misc/cns4-16.pcf.gz 30569 -usr/share/fonts/X11/misc/cns4-24.pcf.gz 30568 -usr/share/fonts/X11/misc/cns5-16.pcf.gz 30567 -usr/share/fonts/X11/misc/cns5-24.pcf.gz 30566 -usr/share/fonts/X11/misc/cns6-16.pcf.gz 30565 -usr/share/fonts/X11/misc/cns6-24.pcf.gz 30564 -usr/share/fonts/X11/misc/cns7-16.pcf.gz 30563 -usr/share/fonts/X11/misc/cns7-24.pcf.gz 30562 -usr/share/fonts/X11/misc/cu-alt12.pcf.gz 30561 -usr/share/fonts/X11/misc/cu-arabic12.pcf.gz 30560 -usr/share/fonts/X11/misc/cu-devnag12.pcf.gz 30559 -usr/share/fonts/X11/misc/cu-lig12.pcf.gz 30558 -usr/share/fonts/X11/misc/cu-pua12.pcf.gz 30557 -usr/share/fonts/X11/misc/cu12.pcf.gz 30556 -usr/share/fonts/X11/misc/cuarabic12.pcf.gz 30555 -usr/share/fonts/X11/misc/cudevnag12.pcf.gz 30554 -usr/share/fonts/X11/misc/deccurs.pcf.gz 30553 -usr/share/fonts/X11/misc/decsess.pcf.gz 30552 -usr/share/fonts/X11/misc/encodings.dir 30551 -usr/share/fonts/X11/misc/gb16fs.pcf.gz 30550 -usr/share/fonts/X11/misc/gb16st.pcf.gz 30549 -usr/share/fonts/X11/misc/gb24st.pcf.gz 30548 -usr/share/fonts/X11/misc/guob16.pcf.gz 30547 -usr/share/fonts/X11/misc/hanglg16.pcf.gz 30546 -usr/share/fonts/X11/misc/hanglm16.pcf.gz 30545 -usr/share/fonts/X11/misc/hanglm24.pcf.gz 30544 -usr/share/fonts/X11/misc/jiskan16.pcf.gz 30543 -usr/share/fonts/X11/misc/jiskan24.pcf.gz 30542 -usr/share/fonts/X11/misc/k14.pcf.gz 30541 -usr/share/fonts/X11/misc/micro.pcf.gz 30540 -usr/share/fonts/X11/misc/nil2.pcf.gz 30539 -usr/share/fonts/X11/misc/nil2c_r.pcf.gz 30538 -usr/share/fonts/X11/misc/olcursor.pcf.gz 30537 -usr/share/fonts/X11/misc/olgl10.pcf.gz 30536 -usr/share/fonts/X11/misc/olgl12.pcf.gz 30535 -usr/share/fonts/X11/misc/olgl14.pcf.gz 30534 -usr/share/fonts/X11/misc/olgl19.pcf.gz 30533 -usr/share/fonts/X11/misc/sish14-etl.pcf.gz 30532 -usr/share/fonts/X11/misc/sish16-etl.pcf.gz 30531 -usr/share/fonts/X11/misc/sish24-etl.pcf.gz 30530 -usr/share/fonts/X11/misc/taipei16.pcf.gz 30529 -usr/share/fonts/X11/misc/taipei24.pcf.gz 30528 -usr/share/fonts/X11/misc/wenquanyi_10pt.pcf 30527 -usr/share/fonts/X11/misc/wenquanyi_10ptb.pcf 30526 -usr/share/fonts/X11/misc/wenquanyi_11pt.pcf 30525 -usr/share/fonts/X11/misc/wenquanyi_11ptb.pcf 30524 -usr/share/fonts/X11/misc/wenquanyi_12pt.pcf 30523 -usr/share/fonts/X11/misc/wenquanyi_12ptb.pcf 30522 -usr/share/fonts/X11/misc/wenquanyi_9pt.pcf 30521 -usr/share/fonts/X11/misc/wenquanyi_9ptb.pcf 30520 -var/cache/fontconfig/fe547fea3a41b43a38975d292a2b19c7-le32d4.cache-3 30519 -var/cache/fontconfig/f1f2465696798768e9653f19e17ccdc8-le32d4.cache-3 30518 -var/cache/fontconfig/95530828ff6c81d309f8258d8d02a23e-le32d4.cache-3 30517 -var/cache/fontconfig/aab625760c084032d851d1c27543d4f0-le32d4.cache-3 30516 -var/cache/fontconfig/d3e5c4ee2ceb1fc347f91d4cefc53bc0-le32d4.cache-3 30515 -var/cache/fontconfig/188ac73a183f12857f63bb60a4a6d603-le32d4.cache-3 30514 -var/cache/fontconfig/62f91419b9ebdb6975e7e41ab6412357-le32d4.cache-3 30513 -var/cache/fontconfig/f6e6e0a5c3d2f6ae0c0c2e0ecd42a997-le32d4.cache-3 30512 -var/cache/fontconfig/089dead882dea3570ffc31a9898cfb69-le32d4.cache-3 30511 -var/cache/fontconfig/a0513722a37733a9dfd54dccd328039d-le32d4.cache-3 30510 -var/cache/fontconfig/75994e804c4bf4eaf913a982c1a8d8e9-le32d4.cache-3 30509 -var/cache/fontconfig/674d1711f2d1d2a09646eb0bdcadee49-le32d4.cache-3 30508 -var/cache/fontconfig/550f3886151c940c12a5ed35f6a00586-le32d4.cache-3 30507 -var/cache/fontconfig/f259c2cffa685e28062317905db73c4a-le32d4.cache-3 30506 -var/cache/fontconfig/551ecf3b0e8b0bca0f25c0944f561853-le32d4.cache-3 30505 -var/cache/fontconfig/8de269a375a9a10cf5084420fcfd985a-le32d4.cache-3 30504 -var/cache/fontconfig/b778cd948d870ea7ed802a3b53692293-le32d4.cache-3 30503 -var/cache/fontconfig/0effc90d0106505626632cd26e63bb45-le32d4.cache-3 30502 -var/cache/fontconfig/6b2c5944714ca7831b25bed9e85cb5c8-le32d4.cache-3 30501 -var/cache/fontconfig/9e300358e2f63febb098183e8e032af6-le32d4.cache-3 30500 -var/cache/fontconfig/370e5b74bf5dafc30834de68e24a87a4-le32d4.cache-3 30499 -var/cache/fontconfig/b47c4e1ecd0709278f4910c18777a504-le32d4.cache-3 30498 -var/cache/fontconfig/d512a7b9f4305a5cce37c9b1a598863a-le32d4.cache-3 30497 -var/cache/fontconfig/56cf4f4769d0f4abc89a4895d7bd3ae1-le32d4.cache-3 30496 -var/cache/fontconfig/3047814df9a2f067bd2d96a2b9c36e5a-le32d4.cache-3 30495 -var/cache/fontconfig/564b2e68ac9bc4e36a6f7f6d6125ec1c-le32d4.cache-3 30494 -var/cache/fontconfig/a48eab177a16e4f3713381162db2f3e9-le32d4.cache-3 30493 -var/cache/fontconfig/16c2fda60d1b4b719f4b3d06fd951d25-le32d4.cache-3 30492 -var/cache/fontconfig/3f589640d34b7dc9042c8d453f7c8b9c-le32d4.cache-3 30491 -var/cache/fontconfig/aec30016f93e1b46d1a973dce0d74068-le32d4.cache-3 30490 -var/cache/fontconfig/c5c45a61289222e0d30b1a26ef4effbe-le32d4.cache-3 30489 -var/cache/fontconfig/2171a34dccabdb6bcbbc728186263178-le32d4.cache-3 30488 -var/cache/fontconfig/bab58bb527bb656aaa9f116d68a48d89-le32d4.cache-3 30487 -var/cache/fontconfig/589f83ef4c36d296ce6e1c846f468f08-le32d4.cache-3 30486 -var/cache/fontconfig/b872e6e592da6075ffa4ab0a1fcc0c75-le32d4.cache-3 30485 -var/cache/fontconfig/a015930274ffcd967d2ca1b57da47cc7-le32d4.cache-3 30484 -var/cache/fontconfig/4794a0821666d79190d59a36cb4f44b5-le32d4.cache-3 30483 -var/cache/fontconfig/4f3e3037c9980c83b53a9351efadef62-le32d4.cache-3 30482 -var/cache/fontconfig/14a5e22175779b556eaa434240950366-le32d4.cache-3 30481 -var/cache/fontconfig/dc05db6664285cc2f12bf69c139ae4c3-le32d4.cache-3 30480 -var/cache/fontconfig/04aabc0a78ac019cf9454389977116d2-le32d4.cache-3 30479 -var/cache/fontconfig/6d41288fd70b0be22e8c3a91e032eec0-le32d4.cache-3 30478 -var/cache/fontconfig/a6d8cf8e4ec09cdbc8633c31745a07dd-le32d4.cache-3 30477 -var/cache/fontconfig/0fafd173547752dce4dee1a69e0b3c95-le32d4.cache-3 30476 -var/cache/fontconfig/945677eb7aeaf62f1d50efc3fb3ec7d8-le32d4.cache-3 30475 -var/cache/fontconfig/6333f38776742d18e214673cd2c24e34-le32d4.cache-3 30474 -usr/lib/gnome-settings-daemon-3.0/libxrandr.so 30473 -usr/lib/gnome-settings-daemon-3.0/libsound.so 30472 -usr/lib/i386-linux-gnu/libpulse-mainloop-glib.so.0.0.4 30471 -usr/lib/gnome-settings-daemon-3.0/libgsdwacom.so 30470 -usr/lib/i386-linux-gnu/libwacom.so.2.1.0 30469 -usr/share/themes/Adwaita/gtk-3.0/gtk.gresource 30468 -usr/share/themes/Adwaita/gtk-3.0/gtk.css 30467 -usr/lib/gnome-settings-daemon-3.0/liba11y-keyboard.so 30466 -usr/lib/gnome-settings-daemon-3.0/libbackground.so 30465 -usr/lib/gnome-settings-daemon-3.0/libmedia-keys.so 30464 -usr/bin/pulseaudio 30463 -usr/lib/gtk-3.0/3.0.0/theming-engines/libadwaita.so 30462 -usr/lib/libpulsecore-2.0.so 30461 -usr/lib/i386-linux-gnu/libsamplerate.so.0.1.8 30460 -usr/share/themes/Adwaita/gtk-3.0/settings.ini 30459 -usr/share/themes/Default/gtk-3.0/gtk-keys.css 30458 -usr/lib/i386-linux-gnu/gtk-3.0/modules/libatk-bridge.so 30457 -usr/lib/i386-linux-gnu/libatk-bridge-2.0.so.0.0.0 30456 -usr/lib/i386-linux-gnu/libatspi.so.0.0.1 30455 -usr/lib/at-spi2-core/at-spi-bus-launcher 30454 -etc/at-spi2/accessibility.conf 30453 -usr/lib/at-spi2-core/at-spi2-registryd 30452 -usr/lib/i386-linux-gnu/sse2/libspeexdsp.so.1.5.0 30451 -usr/lib/i386-linux-gnu/liborc-0.4.so.0.16.0 30450 -etc/pulse/daemon.conf 30449 -etc/pulse/default.pa 30448 -usr/lib/pulse-2.0/modules/module-device-restore.so 30447 -usr/lib/pulse-2.0/modules/libprotocol-native.so 30446 -usr/lib/pulse-2.0/modules/module-stream-restore.so 30445 -usr/lib/pulse-2.0/modules/module-card-restore.so 30444 -usr/lib/pulse-2.0/modules/module-augment-properties.so 30443 -usr/lib/pulse-2.0/modules/module-udev-detect.so 30442 -usr/lib/pulse-2.0/modules/module-alsa-card.so 30440 -usr/lib/pulse-2.0/modules/libalsa-util.so 30439 -usr/share/pulseaudio/alsa-mixer/profile-sets/extra-hdmi.conf 30438 -usr/share/alsa/cards/aliases.conf 30437 -usr/share/alsa/pcm/default.conf 30436 -usr/share/alsa/pcm/dmix.conf 30435 -usr/share/alsa/pcm/dsnoop.conf 30434 -usr/share/alsa/cards/ICH.conf 30433 -usr/share/alsa/pcm/front.conf 30432 -usr/share/alsa/pcm/surround40.conf 30431 -usr/share/alsa/pcm/surround41.conf 30430 -usr/share/alsa/pcm/surround50.conf 30429 -usr/share/alsa/pcm/surround51.conf 30428 -usr/share/alsa/pcm/iec958.conf 30427 -usr/share/pulseaudio/alsa-mixer/paths/analog-output.conf 30426 -usr/share/pulseaudio/alsa-mixer/paths/analog-output.conf.common 30425 -usr/share/pulseaudio/alsa-mixer/paths/analog-output-speaker.conf 30424 -usr/share/pulseaudio/alsa-mixer/paths/analog-output-desktop-speaker.conf 30423 -usr/share/pulseaudio/alsa-mixer/paths/analog-output-headphones.conf 30422 -usr/share/pulseaudio/alsa-mixer/paths/analog-output-headphones-2.conf 30421 -usr/share/pulseaudio/alsa-mixer/paths/analog-input-front-mic.conf 30420 -usr/share/pulseaudio/alsa-mixer/paths/analog-input-mic.conf.common 30419 -usr/share/pulseaudio/alsa-mixer/paths/analog-input-rear-mic.conf 30418 -usr/share/pulseaudio/alsa-mixer/paths/analog-input-internal-mic.conf 30417 -usr/share/pulseaudio/alsa-mixer/paths/analog-input-dock-mic.conf 30416 -usr/share/pulseaudio/alsa-mixer/paths/analog-input.conf 30415 -usr/share/pulseaudio/alsa-mixer/paths/analog-input.conf.common 30414 -usr/share/pulseaudio/alsa-mixer/paths/analog-input-mic.conf 30413 -usr/share/pulseaudio/alsa-mixer/paths/analog-input-linein.conf 30412 -usr/share/pulseaudio/alsa-mixer/paths/analog-input-aux.conf 30411 -usr/share/pulseaudio/alsa-mixer/paths/analog-input-video.conf 30410 -usr/share/pulseaudio/alsa-mixer/paths/analog-input-tvtuner.conf 30409 -usr/share/pulseaudio/alsa-mixer/paths/analog-input-fm.conf 30408 -usr/share/pulseaudio/alsa-mixer/paths/analog-input-mic-line.conf 30407 -usr/lib/pulse-2.0/modules/module-native-protocol-unix.so 30406 -usr/lib/pulse-2.0/modules/module-default-device-restore.so 30405 -usr/lib/pulse-2.0/modules/module-rescue-streams.so 30404 -usr/lib/pulse-2.0/modules/module-always-sink.so 30403 -usr/lib/pulse-2.0/modules/module-intended-roles.so 30402 -usr/lib/pulse-2.0/modules/module-suspend-on-idle.so 30401 -usr/lib/pulse-2.0/modules/module-console-kit.so 30400 -lib/i386-linux-gnu/libsystemd-daemon.so.0.0.1 30399 -usr/lib/pulse-2.0/modules/module-systemd-login.so 30398 -usr/lib/pulse-2.0/modules/module-position-event-sounds.so 30397 -usr/lib/pulse-2.0/modules/module-role-cork.so 30396 -usr/lib/pulse-2.0/modules/module-filter-heuristics.so 30395 -usr/lib/pulse-2.0/modules/module-filter-apply.so 30394 -usr/lib/pulse-2.0/modules/module-dbus-protocol.so 30393 -usr/lib/pulse-2.0/modules/module-switch-on-port-available.so 30392 -usr/lib/gnome-settings-daemon-3.0/libcursor.so 30391 -usr/bin/metacity 30390 -usr/lib/i386-linux-gnu/libcanberra-gtk.so.0.1.8 30389 -usr/lib/i386-linux-gnu/libgtk-x11-2.0.so.0.2400.10 30388 -usr/share/icons/gnome/48x48/apps/preferences-desktop-accessibility.png 30387 -usr/lib/i386-linux-gnu/gdk-pixbuf-2.0/2.10.0/loaders/libpixbufloader-png.so 30386 -usr/lib/i386-linux-gnu/libgdk-x11-2.0.so.0.2400.10 30385 -usr/lib/libstartup-notification-1.so.0.0.0 30384 -usr/lib/libgtop-2.0.so.7.2.0 30383 -usr/lib/i386-linux-gnu/libxcb-util.so.0.0.0 30382 -usr/share/X11/locale/locale.alias 30381 -usr/share/X11/locale/locale.dir 30380 -usr/share/X11/locale/en_US.UTF-8/XLC_LOCALE 30379 -usr/share/themes/Adwaita/gtk-2.0/gtkrc 30378 -usr/lib/i386-linux-gnu/gtk-2.0/2.10.0/engines/libclearlooks.so 30377 -usr/share/themes/Default/gtk-2.0-key/gtkrc 30376 -usr/lib/i386-linux-gnu/gtk-2.0/modules/libgail.so 30375 -usr/lib/i386-linux-gnu/libgailutil.so.18.0.1 30374 -usr/lib/i386-linux-gnu/gtk-2.0/modules/libatk-bridge.so 30373 -usr/share/themes/Adwaita/metacity-1/metacity-theme-2.xml 30372 -usr/bin/tails-greeter 30371 -usr/lib/policykit-1-gnome/polkit-gnome-authentication-agent-1 30370 -usr/lib/i386-linux-gnu/libpolkit-agent-1.so.0.0.0 30369 -usr/lib/python2.7/encodings/utf_8.py 30368 -usr/share/tails-greeter/tails-greeter.py 30367 -usr/lib/python2.7/logging/__init__.py 30366 -usr/lib/python2.7/threading.py 30365 -usr/lib/python2.7/threading.pyc 30364 -usr/lib/python2.7/collections.py 30363 -usr/lib/python2.7/collections.pyc 30362 -usr/lib/python2.7/keyword.py 30361 -usr/lib/python2.7/keyword.pyc 30360 -usr/lib/python2.7/heapq.py 30359 -usr/lib/python2.7/heapq.pyc 30358 -usr/lib/python2.7/bisect.py 30357 -usr/lib/python2.7/bisect.pyc 30356 -usr/lib/python2.7/atexit.py 30355 -usr/lib/python2.7/atexit.pyc 30354 -usr/lib/python2.7/logging/config.py 30353 -usr/share/icons/Adwaita/cursors/left_ptr 30352 -usr/lib/python2.7/logging/handlers.py 30351 -usr/lib/python2.7/SocketServer.py 30350 -usr/share/pyshared/gi/__init__.py 30349 -usr/lib/python2.7/dist-packages/gi/_gi.so 30348 -usr/lib/libgirepository-1.0.so.1.0.0 30347 -usr/lib/libpyglib-gi-2.0-python2.7.so.0.0.0 30346 -usr/share/pyshared/gi/_gobject/__init__.py 30345 -usr/share/pyshared/gi/_glib/__init__.py 30344 -usr/lib/python2.7/dist-packages/gi/_glib/_glib.so 30343 -usr/share/pyshared/gi/_glib/option.py 30342 -usr/share/pyshared/gi/_gobject/constants.py 30341 -usr/lib/python2.7/dist-packages/gi/_gobject/_gobject.so 30340 -usr/share/pyshared/gi/_gobject/propertyhelper.py 30339 -usr/lib/python2.7/lib-dynload/datetime.so 30338 -usr/share/pyshared/gi/repository/__init__.py 30337 -usr/share/pyshared/gi/importer.py 30336 -usr/share/pyshared/gi/module.py 30335 -usr/share/pyshared/gi/overrides/__init__.py 30334 -usr/share/pyshared/gi/types.py 30333 -usr/lib/girepository-1.0/Gtk-3.0.typelib 30332 -usr/lib/girepository-1.0/xlib-2.0.typelib 30331 -usr/lib/girepository-1.0/cairo-1.0.typelib 30330 -usr/lib/girepository-1.0/Pango-1.0.typelib 30329 -usr/lib/girepository-1.0/GObject-2.0.typelib 30328 -usr/lib/girepository-1.0/GLib-2.0.typelib 30327 -usr/lib/girepository-1.0/Gio-2.0.typelib 30326 -usr/lib/girepository-1.0/GdkPixbuf-2.0.typelib 30325 -usr/lib/girepository-1.0/GModule-2.0.typelib 30324 -usr/lib/girepository-1.0/Gdk-3.0.typelib 30323 -usr/lib/girepository-1.0/Atk-1.0.typelib 30322 -usr/share/pyshared/gi/overrides/Gtk.py 30321 -usr/share/pyshared/tailsgreeter/__init__.py 30320 -usr/share/pyshared/tailsgreeter/errors.py 30319 -usr/share/pyshared/tailsgreeter/gdmclient.py 30318 -usr/lib/gdm/GdmGreeter-1.0.typelib 30317 -usr/lib/girepository-1.0/DBusGLib-1.0.typelib 30316 -usr/share/pyshared/gi/overrides/GLib.py 30315 -usr/share/pyshared/tailsgreeter/config.py 30314 -usr/lib/python2.7/ConfigParser.py 30313 -usr/share/tails-greeter/tails-logging.conf 30312 -usr/lib/python2.7/pipes.py 30311 -usr/lib/python2.7/tempfile.py 30310 -usr/lib/python2.7/tempfile.pyc 30309 -usr/share/pyshared/tailsgreeter/rootaccess.py 30308 -usr/share/pyshared/tailsgreeter/camouflage.py 30307 -usr/share/pyshared/tailsgreeter/persistence.py 30306 -usr/lib/python2.7/subprocess.py 30305 -usr/lib/python2.7/subprocess.pyc 30304 -usr/lib/python2.7/pickle.py 30303 -usr/lib/python2.7/pickle.pyc 30302 -usr/share/pyshared/tailsgreeter/utils.py 30301 -usr/share/pyshared/tailsgreeter/physicalsecurity.py 30300 -usr/share/pyshared/tailsgreeter/language.py 30299 -usr/share/pyshared/pycountry/__init__.py 30298 -usr/share/pyshared/pycountry/db.py 30297 -usr/lib/python2.7/xml/__init__.py 30296 -usr/lib/python2.7/xml/dom/__init__.py 30295 -usr/lib/python2.7/xml/dom/domreg.py 30294 -usr/lib/python2.7/xml/dom/minicompat.py 30293 -usr/lib/python2.7/xml/dom/minidom.py 30292 -usr/lib/python2.7/xml/dom/xmlbuilder.py 30291 -usr/lib/python2.7/xml/dom/NodeFilter.py 30290 -usr/share/xml/iso-codes/iso_3166.xml 30289 -usr/lib/python2.7/xml/dom/expatbuilder.py 30288 -usr/lib/python2.7/xml/parsers/__init__.py 30287 -usr/lib/python2.7/xml/parsers/expat.py 30286 -usr/lib/python2.7/lib-dynload/pyexpat.so 30285 -usr/share/xml/iso-codes/iso_15924.xml 30284 -usr/share/xml/iso-codes/iso_4217.xml 30283 -usr/share/xml/iso-codes/iso_639.xml 30282 -usr/share/xml/iso-codes/iso_3166_2.xml 30281 -usr/share/pyshared/icu.py 30280 -usr/share/pyshared/docs.py 30279 -usr/lib/python2.7/dist-packages/_icu.so 30278 -usr/lib/i386-linux-gnu/libicule.so.48.1.1 30277 -usr/share/zoneinfo/posix/Atlantic/St_Helena 30276 -usr/share/zoneinfo/posix/Africa/Accra 30275 -usr/share/zoneinfo/posix/Indian/Mayotte 30274 -usr/share/zoneinfo/posix/Africa/Algiers 30273 -usr/share/zoneinfo/posix/Africa/Porto-Novo 30272 -usr/share/zoneinfo/posix/Africa/Bissau 30271 -usr/share/zoneinfo/posix/Africa/Lusaka 30270 -usr/share/zoneinfo/posix/Egypt 30269 -usr/share/zoneinfo/posix/Africa/Casablanca 30268 -usr/share/zoneinfo/posix/Africa/Ceuta 30267 -usr/share/zoneinfo/posix/Africa/El_Aaiun 30266 -usr/share/zoneinfo/posix/Africa/Mbabane 30265 -usr/share/zoneinfo/posix/Africa/Juba 30264 -usr/share/zoneinfo/posix/Africa/Monrovia 30263 -usr/share/zoneinfo/posix/Africa/Ndjamena 30262 -usr/share/zoneinfo/posix/Libya 30261 -usr/share/zoneinfo/posix/Africa/Tunis 30260 -usr/share/zoneinfo/posix/Africa/Windhoek 30259 -usr/share/zoneinfo/posix/US/Aleutian 30258 -usr/share/zoneinfo/posix/SystemV/YST9YDT 30257 -usr/share/zoneinfo/posix/America/Virgin 30256 -usr/share/zoneinfo/posix/America/Antigua 30255 -usr/share/zoneinfo/posix/America/Araguaina 30254 -usr/share/zoneinfo/posix/America/Buenos_Aires 30253 -usr/share/zoneinfo/posix/America/Catamarca 30252 -usr/share/zoneinfo/posix/America/Rosario 30251 -usr/share/zoneinfo/posix/America/Jujuy 30250 -usr/share/zoneinfo/posix/America/Argentina/La_Rioja 30249 -usr/share/zoneinfo/posix/America/Mendoza 30248 -usr/share/zoneinfo/posix/America/Argentina/Rio_Gallegos 30247 -usr/share/zoneinfo/posix/America/Argentina/Salta 30246 -usr/share/zoneinfo/posix/America/Argentina/San_Juan 30245 -usr/share/zoneinfo/posix/America/Argentina/San_Luis 30244 -usr/share/zoneinfo/posix/America/Argentina/Tucuman 30243 -usr/share/zoneinfo/posix/America/Argentina/Ushuaia 30242 -usr/share/zoneinfo/posix/America/Kralendijk 30241 -usr/share/zoneinfo/posix/America/Asuncion 30240 -usr/share/zoneinfo/posix/America/Coral_Harbour 30239 -usr/share/zoneinfo/posix/America/Bahia 30238 -usr/share/zoneinfo/posix/America/Bahia_Banderas 30237 -usr/share/zoneinfo/posix/America/Barbados 30236 -usr/share/zoneinfo/posix/America/Belem 30235 -usr/share/zoneinfo/posix/America/Belize 30234 -usr/share/zoneinfo/posix/America/Blanc-Sablon 30233 -usr/share/zoneinfo/posix/America/Boa_Vista 30232 -usr/share/zoneinfo/posix/America/Bogota 30231 -usr/share/zoneinfo/posix/America/Boise 30230 -usr/share/zoneinfo/posix/America/Cambridge_Bay 30229 -usr/share/zoneinfo/posix/America/Campo_Grande 30228 -usr/share/zoneinfo/posix/America/Cancun 30227 -usr/share/zoneinfo/posix/America/Caracas 30226 -usr/share/zoneinfo/posix/America/Cayenne 30225 -usr/share/zoneinfo/posix/America/Cayman 30224 -usr/share/zoneinfo/posix/SystemV/CST6CDT 30223 -usr/share/zoneinfo/posix/America/Chihuahua 30222 -usr/share/zoneinfo/posix/America/Costa_Rica 30221 -usr/share/zoneinfo/posix/America/Creston 30220 -usr/share/zoneinfo/posix/America/Cuiaba 30219 -usr/share/zoneinfo/posix/America/Danmarkshavn 30218 -usr/share/zoneinfo/posix/America/Dawson 30217 -usr/share/zoneinfo/posix/America/Dawson_Creek 30216 -usr/share/zoneinfo/posix/SystemV/MST7MDT 30215 -usr/share/zoneinfo/posix/US/Michigan 30214 -usr/share/zoneinfo/posix/Canada/Mountain 30213 -usr/share/zoneinfo/posix/America/Eirunepe 30212 -usr/share/zoneinfo/posix/America/El_Salvador 30211 -usr/share/zoneinfo/posix/Mexico/BajaNorte 30210 -usr/share/zoneinfo/posix/US/East-Indiana 30209 -usr/share/zoneinfo/posix/America/Fortaleza 30208 -usr/share/zoneinfo/posix/America/Glace_Bay 30207 -usr/share/zoneinfo/posix/America/Godthab 30206 -usr/share/zoneinfo/posix/America/Goose_Bay 30205 -usr/share/zoneinfo/posix/America/Grand_Turk 30204 -usr/share/zoneinfo/posix/America/Guatemala 30203 -usr/share/zoneinfo/posix/America/Guayaquil 30202 -usr/share/zoneinfo/posix/America/Guyana 30201 -usr/share/zoneinfo/posix/SystemV/AST4ADT 30200 -usr/share/zoneinfo/posix/Cuba 30199 -usr/share/zoneinfo/posix/America/Hermosillo 30198 -usr/share/zoneinfo/posix/US/Indiana-Starke 30197 -usr/share/zoneinfo/posix/America/Indiana/Marengo 30196 -usr/share/zoneinfo/posix/America/Indiana/Petersburg 30195 -usr/share/zoneinfo/posix/America/Indiana/Tell_City 30194 -usr/share/zoneinfo/posix/America/Indiana/Vevay 30193 -usr/share/zoneinfo/posix/America/Indiana/Vincennes 30192 -usr/share/zoneinfo/posix/America/Indiana/Winamac 30191 -usr/share/zoneinfo/posix/America/Inuvik 30190 -usr/share/zoneinfo/posix/America/Iqaluit 30189 -usr/share/zoneinfo/posix/Jamaica 30188 -usr/share/zoneinfo/posix/America/Juneau 30187 -usr/share/zoneinfo/posix/America/Louisville 30186 -usr/share/zoneinfo/posix/America/Kentucky/Monticello 30185 -usr/share/zoneinfo/posix/America/La_Paz 30184 -usr/share/zoneinfo/posix/America/Lima 30183 -usr/share/zoneinfo/posix/SystemV/PST8PDT 30182 -usr/share/zoneinfo/posix/America/Maceio 30181 -usr/share/zoneinfo/posix/America/Managua 30180 -usr/share/zoneinfo/posix/Brazil/West 30179 -usr/share/zoneinfo/posix/America/Martinique 30178 -usr/share/zoneinfo/posix/America/Matamoros 30177 -usr/share/zoneinfo/posix/Mexico/BajaSur 30176 -usr/share/zoneinfo/posix/America/Menominee 30175 -usr/share/zoneinfo/posix/America/Merida 30174 -usr/share/zoneinfo/posix/America/Metlakatla 30173 -usr/share/zoneinfo/posix/Mexico/General 30172 -usr/share/zoneinfo/posix/America/Miquelon 30171 -usr/share/zoneinfo/posix/America/Moncton 30170 -usr/share/zoneinfo/posix/America/Monterrey 30169 -usr/share/zoneinfo/posix/America/Montevideo 30168 -usr/share/zoneinfo/posix/America/Montreal 30167 -usr/share/zoneinfo/posix/America/Nassau 30166 -usr/share/zoneinfo/posixrules 30165 -usr/share/zoneinfo/posix/America/Nipigon 30164 -usr/share/zoneinfo/posix/America/Nome 30163 -usr/share/zoneinfo/posix/Brazil/DeNoronha 30162 -usr/share/zoneinfo/posix/America/North_Dakota/Beulah 30161 -usr/share/zoneinfo/posix/America/North_Dakota/Center 30160 -usr/share/zoneinfo/posix/America/North_Dakota/New_Salem 30159 -usr/share/zoneinfo/posix/America/Ojinaga 30158 -usr/share/zoneinfo/posix/SystemV/EST5 30157 -usr/share/zoneinfo/posix/America/Pangnirtung 30156 -usr/share/zoneinfo/posix/America/Paramaribo 30155 -usr/share/zoneinfo/posix/SystemV/MST7 30154 -usr/share/zoneinfo/posix/America/Port-au-Prince 30153 -usr/share/zoneinfo/posix/Brazil/Acre 30152 -usr/share/zoneinfo/posix/America/Porto_Velho 30151 -usr/share/zoneinfo/posix/SystemV/AST4 30150 -usr/share/zoneinfo/posix/America/Rainy_River 30149 -usr/share/zoneinfo/posix/America/Rankin_Inlet 30148 -usr/share/zoneinfo/posix/America/Recife 30147 -usr/share/zoneinfo/posix/SystemV/CST6 30146 -usr/share/zoneinfo/posix/America/Resolute 30145 -usr/share/zoneinfo/posix/America/Santa_Isabel 30144 -usr/share/zoneinfo/posix/America/Santarem 30143 -usr/share/zoneinfo/posix/Chile/Continental 30142 -usr/share/zoneinfo/posix/America/Santo_Domingo 30141 -usr/share/zoneinfo/posix/Brazil/East 30140 -usr/share/zoneinfo/posix/America/Scoresbysund 30139 -usr/share/zoneinfo/posix/America/Sitka 30138 -usr/share/zoneinfo/posix/Canada/Newfoundland 30137 -usr/share/zoneinfo/posix/America/Swift_Current 30136 -usr/share/zoneinfo/posix/America/Tegucigalpa 30135 -usr/share/zoneinfo/posix/America/Thule 30134 -usr/share/zoneinfo/posix/America/Thunder_Bay 30133 -usr/share/zoneinfo/posix/Canada/Eastern 30132 -usr/share/zoneinfo/posix/Canada/Pacific 30131 -usr/share/zoneinfo/posix/Canada/Yukon 30130 -usr/share/zoneinfo/posix/Canada/Central 30129 -usr/share/zoneinfo/posix/America/Yakutat 30128 -usr/share/zoneinfo/posix/America/Yellowknife 30127 -usr/share/zoneinfo/posix/Antarctica/Casey 30126 -usr/share/zoneinfo/posix/Antarctica/Davis 30125 -usr/share/zoneinfo/posix/Antarctica/DumontDUrville 30124 -usr/share/zoneinfo/posix/Antarctica/Macquarie 30123 -usr/share/zoneinfo/posix/Antarctica/Mawson 30122 -usr/share/zoneinfo/posix/NZ 30121 -usr/share/zoneinfo/posix/Antarctica/Palmer 30120 -usr/share/zoneinfo/posix/Antarctica/Rothera 30119 -usr/share/zoneinfo/posix/Antarctica/Syowa 30118 -usr/share/zoneinfo/posix/Antarctica/Troll 30117 -usr/share/zoneinfo/posix/Antarctica/Vostok 30116 -usr/share/zoneinfo/posix/Arctic/Longyearbyen 30115 -usr/share/zoneinfo/posix/Asia/Aden 30114 -usr/share/zoneinfo/posix/Asia/Almaty 30113 -usr/share/zoneinfo/posix/Asia/Amman 30112 -usr/share/zoneinfo/posix/Asia/Anadyr 30111 -usr/share/zoneinfo/posix/Asia/Aqtau 30110 -usr/share/zoneinfo/posix/Asia/Aqtobe 30109 -usr/share/zoneinfo/posix/Asia/Ashkhabad 30108 -usr/share/zoneinfo/posix/Asia/Baghdad 30107 -usr/share/zoneinfo/posix/Asia/Bahrain 30106 -usr/share/zoneinfo/posix/Asia/Baku 30105 -usr/share/zoneinfo/posix/Asia/Vientiane 30104 -usr/share/zoneinfo/posix/Asia/Beirut 30103 -usr/share/zoneinfo/posix/Asia/Bishkek 30102 -usr/share/zoneinfo/posix/Asia/Brunei 30101 -usr/share/zoneinfo/posix/Asia/Calcutta 30100 -usr/share/zoneinfo/posix/Asia/Chita 30099 -usr/share/zoneinfo/posix/Asia/Choibalsan 30098 -usr/share/zoneinfo/posix/PRC 30097 -usr/share/zoneinfo/posix/Asia/Colombo 30096 -usr/share/zoneinfo/posix/Asia/Dacca 30095 -usr/share/zoneinfo/posix/Asia/Damascus 30094 -usr/share/zoneinfo/posix/Asia/Dili 30093 -usr/share/zoneinfo/posix/Asia/Dubai 30092 -usr/share/zoneinfo/posix/Asia/Dushanbe 30091 -usr/share/zoneinfo/posix/Asia/Gaza 30090 -usr/share/zoneinfo/posix/Asia/Hebron 30089 -usr/share/zoneinfo/posix/Asia/Saigon 30088 -usr/share/zoneinfo/posix/Hongkong 30087 -usr/share/zoneinfo/posix/Asia/Hovd 30086 -usr/share/zoneinfo/posix/Asia/Irkutsk 30085 -usr/share/zoneinfo/posix/Turkey 30084 -usr/share/zoneinfo/posix/Asia/Jakarta 30083 -usr/share/zoneinfo/posix/Asia/Jayapura 30082 -usr/share/zoneinfo/posix/Israel 30081 -usr/share/zoneinfo/posix/Asia/Kabul 30080 -usr/share/zoneinfo/posix/Asia/Kamchatka 30079 -usr/share/zoneinfo/posix/Asia/Karachi 30078 -usr/share/zoneinfo/posix/Asia/Kashgar 30077 -usr/share/zoneinfo/posix/Asia/Katmandu 30076 -usr/share/zoneinfo/posix/Asia/Khandyga 30075 -usr/share/zoneinfo/posix/Asia/Krasnoyarsk 30074 -usr/share/zoneinfo/posix/Asia/Kuala_Lumpur 30073 -usr/share/zoneinfo/posix/Asia/Kuching 30072 -usr/share/zoneinfo/posix/Asia/Kuwait 30071 -usr/share/zoneinfo/posix/Asia/Macao 30070 -usr/share/zoneinfo/posix/Asia/Magadan 30069 -usr/share/zoneinfo/posix/Asia/Ujung_Pandang 30068 -usr/share/zoneinfo/posix/Asia/Manila 30067 -usr/share/zoneinfo/posix/Asia/Muscat 30066 -usr/share/zoneinfo/posix/Europe/Nicosia 30065 -usr/share/zoneinfo/posix/Asia/Novokuznetsk 30064 -usr/share/zoneinfo/posix/Asia/Novosibirsk 30063 -usr/share/zoneinfo/posix/Asia/Omsk 30062 -usr/share/zoneinfo/posix/Asia/Oral 30061 -usr/share/zoneinfo/posix/Asia/Pontianak 30060 -usr/share/zoneinfo/posix/Asia/Pyongyang 30059 -usr/share/zoneinfo/posix/Asia/Qatar 30058 -usr/share/zoneinfo/posix/Asia/Qyzylorda 30057 -usr/share/zoneinfo/posix/Asia/Rangoon 30056 -usr/share/zoneinfo/posix/Asia/Riyadh 30055 -usr/share/zoneinfo/posix/Asia/Sakhalin 30054 -usr/share/zoneinfo/posix/Asia/Samarkand 30053 -usr/share/zoneinfo/posix/ROK 30052 -usr/share/zoneinfo/posix/Singapore 30051 -usr/share/zoneinfo/posix/Asia/Srednekolymsk 30050 -usr/share/zoneinfo/posix/ROC 30049 -usr/share/zoneinfo/posix/Asia/Tashkent 30048 -usr/share/zoneinfo/posix/Asia/Tbilisi 30047 -usr/share/zoneinfo/posix/Iran 30046 -usr/share/zoneinfo/posix/Asia/Thimbu 30045 -usr/share/zoneinfo/posix/Japan 30044 -usr/share/zoneinfo/posix/Asia/Ulan_Bator 30043 -usr/share/zoneinfo/posix/Asia/Ust-Nera 30042 -usr/share/zoneinfo/posix/Asia/Vladivostok 30041 -usr/share/zoneinfo/posix/Asia/Yakutsk 30040 -usr/share/zoneinfo/posix/Asia/Yekaterinburg 30039 -usr/share/zoneinfo/posix/Asia/Yerevan 30038 -usr/share/zoneinfo/posix/Atlantic/Azores 30037 -usr/share/zoneinfo/posix/Atlantic/Bermuda 30036 -usr/share/zoneinfo/posix/Atlantic/Canary 30035 -usr/share/zoneinfo/posix/Atlantic/Cape_Verde 30034 -usr/share/zoneinfo/posix/Atlantic/Faeroe 30033 -usr/share/zoneinfo/posix/Atlantic/Madeira 30032 -usr/share/zoneinfo/posix/Iceland 30031 -usr/share/zoneinfo/posix/Atlantic/South_Georgia 30030 -usr/share/zoneinfo/posix/Atlantic/Stanley 30029 -usr/share/zoneinfo/posix/Australia/NSW 30028 -usr/share/zoneinfo/posix/Australia/South 30027 -usr/share/zoneinfo/posix/Australia/Queensland 30026 -usr/share/zoneinfo/posix/Australia/Yancowinna 30025 -usr/share/zoneinfo/posix/Australia/Currie 30024 -usr/share/zoneinfo/posix/Australia/North 30023 -usr/share/zoneinfo/posix/Australia/Eucla 30022 -usr/share/zoneinfo/posix/Australia/Tasmania 30021 -usr/share/zoneinfo/posix/Australia/LHI 30020 -usr/share/zoneinfo/posix/Australia/Lindeman 30019 -usr/share/zoneinfo/posix/Australia/Victoria 30018 -usr/share/zoneinfo/posix/Australia/West 30017 -usr/share/zoneinfo/posix/CET 30016 -usr/share/zoneinfo/posix/CST6CDT 30015 -usr/share/zoneinfo/posix/Chile/EasterIsland 30014 -usr/share/zoneinfo/posix/EET 30013 -usr/share/zoneinfo/posix/EST 30012 -usr/share/zoneinfo/posix/EST5EDT 30011 -usr/share/zoneinfo/posix/Eire 30010 -usr/share/zoneinfo/posix/Greenwich 30009 -usr/share/zoneinfo/posix/Etc/GMT+1 30008 -usr/share/zoneinfo/posix/Etc/GMT+10 30007 -usr/share/zoneinfo/posix/Etc/GMT+11 30006 -usr/share/zoneinfo/posix/Etc/GMT+12 30005 -usr/share/zoneinfo/posix/Etc/GMT+2 30004 -usr/share/zoneinfo/posix/Etc/GMT+3 30003 -usr/share/zoneinfo/posix/Etc/GMT+4 30002 -usr/share/zoneinfo/posix/Etc/GMT+5 30001 -usr/share/zoneinfo/posix/Etc/GMT+6 30000 -usr/share/zoneinfo/posix/Etc/GMT+7 29999 -usr/share/zoneinfo/posix/Etc/GMT+8 29998 -usr/share/zoneinfo/posix/Etc/GMT+9 29997 -usr/share/zoneinfo/posix/Etc/GMT-1 29996 -usr/share/zoneinfo/posix/Etc/GMT-10 29995 -usr/share/zoneinfo/posix/Etc/GMT-11 29994 -usr/share/zoneinfo/posix/Etc/GMT-12 29993 -usr/share/zoneinfo/posix/Etc/GMT-13 29992 -usr/share/zoneinfo/posix/Etc/GMT-14 29991 -usr/share/zoneinfo/posix/Etc/GMT-2 29990 -usr/share/zoneinfo/posix/Etc/GMT-3 29989 -usr/share/zoneinfo/posix/Etc/GMT-4 29988 -usr/share/zoneinfo/posix/Etc/GMT-5 29987 -usr/share/zoneinfo/posix/Etc/GMT-6 29986 -usr/share/zoneinfo/posix/Etc/GMT-7 29985 -usr/share/zoneinfo/posix/Etc/GMT-8 29984 -usr/share/zoneinfo/posix/Etc/GMT-9 29983 -usr/share/zoneinfo/posix/UCT 29982 -usr/share/pyshared/gi/overrides/Gdk.py 29981 -usr/lib/girepository-1.0/GdkX11-3.0.typelib 29980 -usr/lib/girepository-1.0/Xkl-1.0.typelib 29979 -usr/lib/girepository-1.0/AccountsService-1.0.typelib 29978 -usr/share/tails-greeter/default_langcodes 29977 -usr/share/tails-greeter/language_codes 29976 -usr/share/X11/xkb/rules/evdev.xml 29975 -usr/share/pyshared/tailsgreeter/langpanel.py 29974 -usr/share/pyshared/tailsgreeter/persistencewindow.py 29973 -usr/share/pyshared/tailsgreeter/helpwindow.py 29972 -usr/lib/python2.7/webbrowser.py 29971 -usr/lib/python2.7/shlex.py 29970 -usr/lib/girepository-1.0/WebKit-3.0.typelib 29969 -usr/lib/girepository-1.0/Soup-2.4.typelib 29968 -usr/lib/girepository-1.0/JSCore-3.0.typelib 29967 -usr/share/pyshared/tailsgreeter/optionswindow.py 29966 -usr/lib/gdm/libgdmgreeter.so.1.0.0 29965 -usr/share/tails-greeter/glade/langpanel.glade 29964 -usr/share/locale/en/LC_MESSAGES/tails-greeter.mo 29963 -usr/lib/i386-linux-gnu/pango/1.6.0/module-files.d/libpango1.0-0.modules 29962 -usr/lib/i386-linux-gnu/pango/1.6.0/modules/pango-basic-fc.so 29961 -usr/share/fonts/opentype/cantarell/Cantarell-Regular.otf 29960 -usr/share/icons/gnome/22x22/categories/applications-internet.png 29959 -usr/share/fonts/truetype/ttf-dejavu/DejaVuSans.ttf 29958 -usr/lib/i386-linux-gnu/pango/1.6.0/modules/pango-arabic-lang.so 29957 -usr/lib/i386-linux-gnu/pango/1.6.0/modules/pango-arabic-fc.so 29956 -usr/share/icons/gnome/22x22/apps/preferences-desktop-locale.png 29955 -usr/share/icons/gnome/22x22/apps/preferences-desktop-keyboard.png 29954 -usr/share/tails-greeter/glade/persistencewindow.glade 29953 -usr/local/sbin/live-persist 29952 -lib/live/boot/9990-cmdline-old 29951 -lib/live/boot/9990-misc-helpers.sh 29950 -sbin/cryptsetup 29949 -lib/i386-linux-gnu/libcryptsetup.so.4.5.0 29948 -lib/i386-linux-gnu/libpopt.so.0.0.0 29947 -usr/share/tails-greeter/glade/optionswindow.glade 29946 -usr/share/icons/gnome/16x16/status/dialog-warning.png 29945 -usr/lib/i386-linux-gnu/gtk-3.0/3.0.0/immodules.cache 29944 -usr/lib/i386-linux-gnu/gtk-3.0/3.0.0/immodules/im-ibus.so 29943 -usr/lib/i386-linux-gnu/libibus-1.0.so.0.401.0 29942 -usr/share/icons/Adwaita/cursors/bottom_right_corner 29941 -usr/share/fonts/opentype/cantarell/Cantarell-Bold.otf 29940 -usr/lib/i386-linux-gnu/gconv/ISO8859-1.so 29939 -usr/share/icons/Adwaita/cursors/watch 29938 -etc/gdm3/PostLogin/Default 29937 -etc/live/config.d/username.conf 29936 -bin/sync 29935 -usr/local/sbin/tails-restricted-network-detector 29934 -usr/bin/env 29933 -usr/local/sbin/tails-unblock-network 29932 -usr/share/perl5/File/Tail.pm 29931 -lib/modules/3.16.0-4-amd64/kernel/drivers/net/ethernet/intel/e1000/e1000.ko 29928 -usr/share/perl/5.14.2/File/stat.pm 29925 -usr/share/perl/5.14.2/Class/Struct.pm 29892 -usr/lib/perl/5.14.2/Time/HiRes.pm 29891 -usr/lib/perl/5.14.2/auto/Time/HiRes/HiRes.so 29890 -usr/share/perl5/Parse/Syslog.pm 29871 -usr/share/perl/5.14.2/Time/Local.pm 29870 -usr/share/perl5/IPC/System/Simple.pm 29869 -usr/share/X11/XErrorDB 29868 -usr/lib/perl/5.14.2/Config_heavy.pl 29867 -usr/lib/perl/5.14.2/Config_git.pl 29866 -usr/local/sbin/tails-spoof-mac 29864 -usr/local/lib/tails-shell-library/hardware.sh 29863 -usr/local/lib/tails-shell-library/log.sh 29862 -usr/local/lib/tails-shell-library/tails_greeter.sh 29861 -usr/bin/gettext.sh 29860 -usr/bin/macchanger 29859 -usr/share/macchanger/OUI.list 29858 -usr/share/macchanger/wireless.list 29857 -usr/sbin/service 29856 -etc/init.d/network-manager 29855 -usr/sbin/NetworkManager 29854 -usr/lib/libnm-util.so.2.3.0 29853 -usr/lib/i386-linux-gnu/libnl-route-3.so.200.5.2 29852 -lib/i386-linux-gnu/libnl-genl-3.so.200.5.2 29851 -lib/i386-linux-gnu/libnl-3.so.200.5.2 29850 -etc/libnl-3/classid 29849 -etc/NetworkManager/NetworkManager.conf 29848 -usr/local/sbin/tails-additional-software 29846 -usr/sbin/modem-manager 29844 -usr/lib/ModemManager/libmm-plugin-anydata.so 29843 -usr/lib/ModemManager/libmm-plugin-generic.so 29842 -etc/dhcp/dhclient.conf 29841 -usr/lib/ModemManager/libmm-plugin-gobi.so 29840 -usr/lib/ModemManager/libmm-plugin-hso.so 29839 -usr/lib/ModemManager/libmm-plugin-huawei.so 29838 -usr/lib/ModemManager/libmm-plugin-linktop.so 29837 -usr/lib/ModemManager/libmm-plugin-longcheer.so 29836 -usr/lib/ModemManager/libmm-plugin-mbm.so 29835 -usr/lib/ModemManager/libmm-plugin-moto-c.so 29834 -usr/lib/ModemManager/libmm-plugin-nokia.so 29833 -usr/lib/ModemManager/libmm-plugin-novatel.so 29832 -usr/lib/ModemManager/libmm-plugin-option.so 29831 -usr/lib/ModemManager/libmm-plugin-samsung.so 29830 -usr/lib/ModemManager/libmm-plugin-sierra.so 29829 -usr/lib/ModemManager/libmm-plugin-simtech.so 29828 -usr/lib/ModemManager/libmm-plugin-wavecom.so 29827 -usr/lib/ModemManager/libmm-plugin-x22x.so 29826 -usr/lib/ModemManager/libmm-plugin-zte.so 29825 -usr/sbin/deluser 29824 -usr/share/perl/5.14.2/File/Find.pm 29823 -sbin/dhclient 29821 -usr/share/perl/5.14.2/File/Basename.pm 29820 -usr/share/perl/5.14.2/File/Temp.pm 29819 -usr/lib/NetworkManager/nm-dhcp-client.action 29817 -usr/share/perl/5.14.2/File/Path.pm 29816 -usr/lib/perl/5.14.2/Errno.pm 29815 -usr/share/perl/5.14.2/Carp/Heavy.pm 29814 -etc/deluser.conf 29813 -etc/gdm3/PreSession/Default 29812 -etc/gdm3/Xsession 29811 -etc/profile 29810 -etc/profile.d/bash_completion.sh 29809 -etc/X11/Xsession.d/20x11-common_process-args 29808 -etc/X11/Xsession.options 29807 -etc/X11/Xsession.d/30x11-common_xresources 29806 -usr/bin/xrdb 29805 -usr/lib/i386-linux-gnu/libXmuu.so.1.0.0 29804 -etc/X11/Xresources/x11-common 29803 -usr/bin/cpp-4.7 29802 -usr/lib/gcc/i486-linux-gnu/4.7/cc1 29801 -usr/lib/i386-linux-gnu/libmpc.so.2.0.0 29799 -usr/lib/i386-linux-gnu/libmpfr.so.4.1.0 29798 -usr/lib/i386-linux-gnu/libgmp.so.10.0.5 29797 -usr/lib/NetworkManager/nm-dispatcher.action 29796 -etc/NetworkManager/dispatcher.d/00-firewall.sh 29795 -etc/NetworkManager/dispatcher.d/00-save-env 29794 -etc/NetworkManager/dispatcher.d/01-wait-for-NM-applet.sh 29793 -usr/bin/seq 29792 -etc/X11/Xsession.d/35x11-common_xhost-local 29791 -usr/bin/xhost 29790 -etc/X11/Xsession.d/40x11-common_xsessionrc 29789 -etc/amnesia/environment 29788 -etc/X11/Xsession.d/50x11-common_determine-startup 29787 -etc/X11/Xsession.d/55gnome-session_gnomerc 29786 -etc/X11/Xsession.d/70monkeysphere_use-validation-agent 29785 -etc/monkeysphere/monkeysphere.conf 29784 -etc/X11/Xsession.d/75dbus_dbus-launch 29783 -etc/X11/Xsession.d/80im-starter 29782 -etc/X11/Xsession.d/90consolekit 29781 -etc/X11/Xsession.d/90gpg-agent 29780 -usr/bin/gpg-agent 29779 -usr/lib/i386-linux-gnu/libassuan.so.0.3.0 29778 -usr/lib/libpth.so.20.0.27 29777 -etc/X11/Xsession.d/90qt-a11y 29776 -usr/bin/gsettings 29775 -etc/dconf/profile/user 29774 -etc/dconf/db/local 29773 -etc/X11/Xsession.d/90x11-common_ssh-agent 29772 -etc/X11/Xsession.d/98vboxadd-xclient 29771 -usr/bin/VBoxClient 29770 -usr/lib/i386-linux-gnu/libXt.so.6.0.0 29769 -usr/lib/i386-linux-gnu/libXmu.so.6.2.0 29768 -usr/share/icons/DMZ-White/cursors/left_ptr 29767 -etc/X11/Xsession.d/99x11-common_start 29766 -usr/bin/msva-perl 29765 -usr/share/perl5/Crypt/Monkeysphere/MSVA.pm 29764 -usr/share/perl/5.14.2/parent.pm 29763 -usr/share/perl5/HTTP/Server/Simple/CGI.pm 29762 -usr/share/perl5/HTTP/Server/Simple.pm 29761 -usr/lib/perl/5.14.2/Socket.pm 29760 -usr/lib/perl/5.14.2/auto/Socket/Socket.so 29759 -usr/lib/perl/5.14.2/IO/Select.pm 29758 -usr/share/perl5/HTTP/Server/Simple/CGI/Environment.pm 29757 -usr/share/perl5/Regexp/Common.pm 29756 -usr/share/perl5/Regexp/Common/net.pm 29755 -usr/share/perl5/Convert/ASN1.pm 29754 -usr/share/perl/5.14.2/utf8.pm 29753 -usr/share/perl5/Convert/ASN1/_decode.pm 29752 -usr/share/perl5/Convert/ASN1/_encode.pm 29751 -usr/share/perl5/Convert/ASN1/IO.pm 29750 -usr/share/perl5/Convert/ASN1/parser.pm 29749 -usr/lib/perl/5.14.2/MIME/Base64.pm 29748 -usr/lib/perl/5.14.2/auto/MIME/Base64/Base64.so 29747 -usr/lib/perl/5.14.2/IO/Socket.pm 29746 -usr/lib/perl/5.14.2/IO/Socket/INET.pm 29745 -usr/lib/perl/5.14.2/IO/Socket/UNIX.pm 29744 -usr/share/perl5/File/HomeDir.pm 29743 -usr/share/perl5/File/Which.pm 29742 -usr/share/perl5/File/HomeDir/Unix.pm 29741 -usr/share/perl5/File/HomeDir/Driver.pm 29740 -usr/share/perl5/Config/General.pm 29739 -usr/share/perl/5.14.2/English.pm 29738 -usr/lib/perl/5.14.2/Tie/Hash/NamedCapture.pm 29737 -usr/lib/perl/5.14.2/auto/Tie/Hash/NamedCapture/NamedCapture.so 29736 -usr/lib/perl/5.14.2/File/Spec/Functions.pm 29735 -usr/lib/perl/5.14.2/File/Glob.pm 29734 -usr/share/perl/5.14.2/feature.pm 29733 -usr/lib/perl/5.14.2/auto/File/Glob/Glob.so 29732 -usr/share/perl5/Crypt/Monkeysphere/MSVA/MarginalUI.pm 29731 -usr/share/perl/5.14.2/Module/Load/Conditional.pm 29730 -usr/share/perl/5.14.2/Module/Load.pm 29729 -usr/share/perl/5.14.2/Params/Check.pm 29728 -usr/share/perl/5.14.2/Locale/Maketext/Simple.pm 29727 -usr/lib/perl/5.14.2/Data/Dumper.pm 29726 -usr/lib/perl/5.14.2/auto/Data/Dumper/Dumper.so 29725 -usr/share/perl/5.14.2/version.pm 29724 -usr/share/perl5/Crypt/Monkeysphere/MSVA/Logger.pm 29723 -usr/share/perl5/Crypt/Monkeysphere/MSVA/Monitor.pm 29722 -usr/share/perl5/JSON.pm 29721 -usr/share/perl/5.14.2/JSON/PP.pm 29720 -usr/lib/perl/5.14.2/B.pm 29719 -usr/lib/perl/5.14.2/auto/B/B.so 29718 -usr/share/perl5/JSON/backportPP.pm 29717 -usr/share/perl5/GnuPG/Interface.pm 29716 -usr/share/perl5/Any/Moose.pm 29715 -usr/lib/perl5/Mouse.pm 29714 -usr/lib/perl5/Mouse/Exporter.pm 29713 -usr/lib/perl5/Mouse/Util.pm 29712 -usr/lib/perl5/auto/Mouse/Mouse.so 29711 -usr/lib/perl/5.14.2/mro.pm 29710 -usr/lib/perl/5.14.2/auto/mro/mro.so 29709 -usr/lib/perl5/Mouse/Meta/Module.pm 29708 -usr/lib/perl5/Mouse/Meta/Class.pm 29707 -usr/lib/perl5/Mouse/Meta/Role.pm 29706 -usr/lib/perl5/Mouse/Meta/Attribute.pm 29705 -usr/lib/perl5/Mouse/Meta/TypeConstraint.pm 29704 -usr/lib/perl5/Mouse/Object.pm 29703 -usr/lib/perl5/Mouse/Util/TypeConstraints.pm 29702 -usr/share/perl/5.14.2/Fatal.pm 29701 -usr/share/perl/5.14.2/Tie/RefHash.pm 29700 -usr/share/perl5/Math/BigInt.pm 29699 -usr/share/perl5/Math/BigInt/Calc.pm 29698 -usr/share/perl/5.14.2/integer.pm 29697 -usr/share/perl5/GnuPG/Options.pm 29696 -usr/share/perl5/GnuPG/HashInit.pm 29695 -usr/lib/perl5/Mouse/Role.pm 29694 -usr/lib/perl5/Mouse/Meta/Role/Application.pm 29693 -usr/share/perl5/GnuPG/Handles.pm 29692 -usr/share/perl5/Crypt/X509.pm 29691 -usr/lib/perl/5.14.2/auto/POSIX/getuid.al 29690 -usr/lib/perl/5.14.2/auto/POSIX/geteuid.al 29689 -usr/lib/perl/5.14.2/auto/POSIX/getegid.al 29688 -usr/share/perl5/Net/Server/MSVA.pm 29687 -usr/share/perl5/Net/Server/Fork.pm 29686 -usr/share/perl5/Net/Server.pm 29685 -usr/share/perl5/Net/Server/Proto.pm 29684 -usr/share/perl5/Net/Server/Daemonize.pm 29683 -usr/share/perl5/Net/Server/SIG.pm 29682 -usr/share/perl5/Net/Server/Proto/TCP.pm 29681 -usr/bin/gnome-session-fallback 29680 -usr/share/gnome-session/sessions/gnome-fallback.session 29679 -usr/share/applications/gnome-wm.desktop 29678 -etc/xdg/autostart/notification-daemon.desktop 29677 -usr/share/applications/gnome-panel.desktop 29676 -usr/share/gnome/autostart/gnome-fallback-mount-helper.desktop 29675 -usr/share/gnome/autostart/nautilus-autostart.desktop 29674 -etc/xdg/autostart/add-bookmark-for-persistent-directory.desktop 29673 -etc/xdg/autostart/at-spi-dbus-bus.desktop 29672 -usr/share/applications/florence.desktop 29671 -etc/xdg/autostart/gdu-notification-daemon.desktop 29670 -etc/xdg/autostart/gnome-keyring-gpg.desktop 29669 -etc/xdg/autostart/gnome-keyring-pkcs11.desktop 29668 -etc/xdg/autostart/gnome-keyring-secrets.desktop 29667 -etc/xdg/autostart/gnome-keyring-ssh.desktop 29666 -etc/xdg/autostart/gnome-sound-applet.desktop 29665 -etc/xdg/autostart/gpgApplet.desktop 29664 -etc/xdg/autostart/gsettings-data-convert.desktop 29663 -etc/xdg/autostart/nm-applet.desktop 29662 -etc/xdg/autostart/orca-autostart.desktop 29661 -etc/xdg/autostart/print-applet.desktop 29660 -etc/xdg/autostart/pulseaudio-kde.desktop 29659 -etc/xdg/autostart/pulseaudio.desktop 29658 -etc/xdg/autostart/save-im-environment.desktop 29657 -etc/xdg/autostart/security-check.desktop 29656 -etc/xdg/autostart/tails-configure-keyboard.desktop 29655 -etc/xdg/autostart/tails-upgrade-frontend.desktop 29654 -etc/xdg/autostart/tails-warn-about-disabled-persistence.desktop 29653 -etc/xdg/autostart/virt-notify.desktop 29652 -etc/xdg/autostart/vmware-user.desktop 29651 -usr/bin/gnome-keyring-daemon 29650 -usr/lib/libgcr-base-3.so.1.0.0 29649 -usr/lib/libgck-1.so.0.0.0 29648 -usr/lib/libcap-ng.so.0.0.0 29647 -usr/bin/gsettings-data-convert 29646 -usr/share/GConf/gsettings/brasero.convert 29645 -usr/share/GConf/gsettings/eog.convert 29644 -usr/share/GConf/gsettings/evince.convert 29643 -usr/share/GConf/gsettings/file-roller.convert 29642 -usr/share/GConf/gsettings/gedit.convert 29641 -usr/share/GConf/gsettings/gnome-screenshot.convert 29640 -usr/share/GConf/gsettings/gnome-session.convert 29639 -usr/share/GConf/gsettings/gnome-settings-daemon.convert 29638 -usr/share/GConf/gsettings/gsettings-desktop-schemas.convert 29637 -usr/share/GConf/gsettings/gvfs-dns-sd.convert 29636 -usr/share/GConf/gsettings/gvfs-smb.convert 29635 -usr/share/GConf/gsettings/jamendo.convert 29634 -usr/share/GConf/gsettings/libedataserver.convert 29633 -usr/share/GConf/gsettings/libgnomekbd.convert 29632 -usr/share/GConf/gsettings/logview.convert 29631 -usr/share/GConf/gsettings/metacity-schemas.convert 29630 -usr/share/GConf/gsettings/mousetweaks.convert 29629 -usr/share/GConf/gsettings/nautilus.convert 29628 -usr/share/GConf/gsettings/opensubtitles.convert 29627 -usr/share/GConf/gsettings/org.gnome.crypto.cache.convert 29626 -usr/share/GConf/gsettings/org.gnome.crypto.pgp.convert 29625 -usr/share/GConf/gsettings/org.gnome.crypto.pgp_keyservers.convert 29624 -usr/share/GConf/gsettings/org.gnome.seahorse.convert 29623 -usr/share/GConf/gsettings/org.gnome.seahorse.manager.convert 29622 -usr/share/GConf/gsettings/org.gnome.seahorse.nautilus.convert 29621 -usr/share/GConf/gsettings/org.gnome.seahorse.recipients.convert 29620 -usr/share/GConf/gsettings/publish.convert 29619 -usr/share/GConf/gsettings/pythonconsole.convert 29618 -usr/share/GConf/gsettings/totem.convert 29617 -usr/share/GConf/gsettings/wm-schemas.convert 29616 -usr/lib/gnome-settings-daemon-3.0/libcolor.so 29615 -usr/lib/i386-linux-gnu/libcolord.so.1.0.11 29614 -usr/lib/i386-linux-gnu/liblcms2.so.2.0.2 29613 -usr/lib/gnome-settings-daemon-3.0/libkeyboard.so 29612 -usr/lib/libgnomekbdui.so.7.0.0 29611 -usr/lib/libgnomekbd.so.7.0.0 29610 -usr/lib/gnome-settings-daemon-3.0/libmouse.so 29609 -usr/lib/gnome-settings-daemon-3.0/liba11y-settings.so 29608 -usr/lib/gnome-settings-daemon-3.0/libsmartcard.so 29607 -usr/lib/i386-linux-gnu/libnss3.so 29606 -usr/lib/i386-linux-gnu/libnssutil3.so 29605 -usr/lib/i386-linux-gnu/libsmime3.so 29604 -usr/lib/i386-linux-gnu/libssl3.so 29603 -usr/lib/i386-linux-gnu/libplds4.so 29602 -usr/lib/i386-linux-gnu/libplc4.so 29601 -usr/lib/i386-linux-gnu/libnspr4.so 29600 -usr/lib/gnome-settings-daemon-3.0/libprint-notifications.so 29599 -usr/lib/gnome-settings-daemon-3.0/libclipboard.so 29598 -usr/lib/gnome-settings-daemon-3.0/libupdates.so 29597 -usr/lib/i386-linux-gnu/libpackagekit-glib2.so.14.0.15 29596 -usr/lib/i386-linux-gnu/libsqlite3.so.0.8.6 29595 -usr/lib/i386-linux-gnu/libarchive.so.12.0.4 29594 -usr/lib/i386-linux-gnu/libnettle.so.4.3 29593 -usr/lib/i386-linux-gnu/gio/modules/libgioremote-volume-monitor.so 29592 -usr/share/gvfs/remote-volume-monitors/afc.monitor 29591 -usr/share/gvfs/remote-volume-monitors/gdu.monitor 29590 -usr/share/gvfs/remote-volume-monitors/gphoto2.monitor 29589 -usr/lib/gvfs/gvfs-gdu-volume-monitor 29588 -usr/lib/libgdu.so.0.0.0 29587 -usr/lib/udisks/udisks-daemon 29586 -lib/i386-linux-gnu/libatasmart.so.4.0.5 29585 -usr/lib/gvfs/gvfs-gphoto2-volume-monitor 29584 -usr/lib/i386-linux-gnu/libgphoto2.so.2.4.0 29583 -usr/lib/i386-linux-gnu/libgphoto2_port.so.0.8.0 29582 -usr/lib/i386-linux-gnu/libexif.so.12.3.2 29581 -usr/lib/gvfs/gvfs-afc-volume-monitor 29580 -usr/share/dbus-1/interfaces/org.gnome.SettingsDaemonUpdates.xml 29579 -usr/lib/gnome-settings-daemon-3.0/libhousekeeping.so 29578 -usr/bin/gnome-wm 29577 -usr/bin/gnome-panel 29576 -usr/lib/libgnome-menu-3.so.0.0.2 29575 -usr/lib/i386-linux-gnu/libtelepathy-glib.so.0.70.2 29574 -usr/share/X11/xkb/symbols/group 29573 -usr/lib/dconf/dconf-service 29572 -usr/lib/i386-linux-gnu/gconf/gconfd-2 29571 -etc/gconf/gconf.xml.defaults/%gconf-tree.xml 29570 -var/lib/gconf/debian.defaults/%gconf-tree.xml 29569 -var/lib/gconf/defaults/%gconf-tree.xml 29568 -usr/lib/gnome-settings-daemon/gsd-printer 29567 -usr/share/icons/hicolor/22x22/apps/gnome-panel.png 29566 -usr/share/icons/hicolor/16x16/apps/gnome-panel.png 29565 -usr/share/icons/hicolor/24x24/apps/gnome-panel.png 29564 -usr/share/icons/hicolor/32x32/apps/gnome-panel.png 29563 -usr/share/icons/hicolor/48x48/apps/gnome-panel.png 29562 -usr/lib/gnome-disk-utility/gdu-notification-daemon 29561 -usr/lib/libgdu-gtk.so.0.0.0 29560 -usr/local/bin/tails-warn-about-disabled-persistence 29559 -usr/lib/i386-linux-gnu/libavahi-ui-gtk3.so.0.1.4 29558 -usr/lib/i386-linux-gnu/libavahi-glib.so.1.0.2 29557 -usr/lib/i386-linux-gnu/libgdbm.so.3.0.0 29556 -usr/share/perl/5.14.2/autodie.pm 29555 -usr/local/bin/tails-virt-notify-user 29554 -usr/bin/vmware-user-suid-wrapper 29553 -usr/bin/nm-applet 29552 -usr/bin/vmtoolsd 29551 -etc/vmware-tools/tools.conf 29550 -usr/lib/libnm-glib.so.4.3.0 29549 -usr/lib/notification-daemon/notification-daemon 29548 -usr/share/perl5/Desktop/Notify.pm 29547 -usr/lib/perl5/Net/DBus.pm 29546 -usr/lib/open-vm-tools/plugins/common/libhgfsServer.so 29545 -usr/lib/libhgfs.so.0.0.0 29544 -usr/lib/open-vm-tools/plugins/common/libvix.so 29543 -usr/lib/perl5/auto/Net/DBus/DBus.so 29542 -usr/lib/perl5/Net/DBus/Binding/Bus.pm 29541 -usr/lib/perl5/Net/DBus/Binding/Connection.pm 29540 -usr/lib/perl5/Net/DBus/Binding/Message/MethodCall.pm 29539 -usr/lib/perl5/Net/DBus/Binding/Message.pm 29538 -usr/lib/perl5/Net/DBus/Binding/Iterator.pm 29537 -usr/lib/perl5/Net/DBus/Binding/Message/Signal.pm 29536 -usr/bin/gnome-sound-applet 29535 -usr/local/bin/gpgApplet 29534 -usr/lib/perl5/Net/DBus/Binding/Message/MethodReturn.pm 29533 -usr/lib/perl5/Net/DBus/Binding/Message/Error.pm 29532 -usr/lib/perl5/Net/DBus/Binding/PendingCall.pm 29531 -usr/lib/perl5/Net/DBus/Service.pm 29530 -usr/lib/perl5/Net/DBus/RemoteService.pm 29529 -usr/lib/perl5/Net/DBus/RemoteObject.pm 29528 -usr/lib/perl5/Net/DBus/Binding/Introspector.pm 29527 -usr/share/perl5/XML/Twig.pm 29526 -usr/bin/system-config-printer-applet 29525 -usr/bin/start-pulseaudio-x11 29524 -usr/share/locale/en/LC_MESSAGES/gnome-control-center-2.0.mo 29523 -usr/local/bin/tails-save-im-environment 29522 -usr/lib/perl5/Glib.pm 29521 -usr/share/perl/5.14.2/UNIVERSAL.pm 29520 -usr/lib/libnm-gtk.so.0.0.0 29519 -usr/lib/perl5/XML/Parser.pm 29518 -usr/lib/perl5/XML/Parser/Expat.pm 29517 -usr/local/bin/tails-security-check-wrapper 29516 -usr/lib/libnm-glib-vpn.so.1.1.0 29515 -usr/lib/perl5/auto/Glib/Glib.so 29514 -usr/lib/perl5/Gtk2.pm 29513 -usr/lib/perl5/Pango.pm 29512 -usr/lib/perl5/Cairo.pm 29511 -usr/lib/perl5/auto/Cairo/Cairo.so 29510 -usr/lib/perl5/auto/Pango/Pango.so 29509 -usr/share/perl/5.14.2/autodie/exception/system.pm 29508 -usr/lib/perl5/auto/XML/Parser/Expat/Expat.so 29507 -usr/local/bin/tails-configure-keyboard 29506 -usr/local/bin/tails-upgrade-frontend-wrapper 29505 -usr/lib/pyshared/python2.7/cups.so 29503 -usr/lib/perl5/auto/Gtk2/Gtk2.so 29502 -usr/local/sbin/tor-has-bootstrapped 29501 -usr/share/system-config-printer/debug.py 29500 -usr/share/perl/5.14.2/autodie/exception.pm 29499 -usr/share/perl/5.14.2/if.pm 29498 -usr/lib/gnome-settings-daemon/gnome-fallback-mount-helper 29497 -usr/local/bin/tails-add-bookmark-for-persistent-directory 29496 -usr/share/pyshared/dbus/__init__.py 29495 -usr/share/pyshared/dbus/_compat.py 29494 -usr/share/pyshared/dbus/_version.py 29493 -usr/share/pyshared/dbus/exceptions.py 29492 -usr/share/pyshared/dbus/types.py 29491 -usr/local/lib/tails-shell-library/tor.sh 29490 -usr/bin/nautilus 29489 -usr/lib/python2.7/dist-packages/_dbus_bindings.so 29488 -usr/share/pyshared/dbus/_dbus.py 29487 -usr/share/pyshared/dbus/bus.py 29486 -usr/lib/libtracker-sparql-0.14.so.0.1400.1 29485 -usr/lib/libnautilus-extension.so.1.4.0 29484 -usr/lib/i386-linux-gnu/libgailutil-3.so.0.0.0 29483 -usr/lib/i386-linux-gnu/libexempi.so.3.2.2 29482 +lib/live/config/0001-sane-clock 32750 +bin/sed 32749 +lib/i386-linux-gnu/libselinux.so.1 32748 +etc/amnesia/version 32747 +bin/date 32746 +etc/localtime 32745 +lib/live/config/0010-debconf 32744 +lib/live/config/0020-hostname 32743 +etc/hostname 32742 +usr/bin/mawk 32741 +lib/i386-linux-gnu/libm-2.13.so 32740 +bin/ip 32739 +lib/i386-linux-gnu/libresolv-2.13.so 32738 +bin/kmod 32737 +lib/i386-linux-gnu/libkmod.so.2.1.3 32736 +lib/modprobe.d/aliases.conf 32735 +etc/modprobe.d/all-net-blacklist.conf 32734 +etc/modprobe.d/alsa-base-blacklist.conf 32733 +etc/modprobe.d/alsa-base.conf 32732 +etc/modprobe.d/amd64-microcode-blacklist.conf 32731 +etc/modprobe.d/blacklist-berry_charge.conf 32730 +etc/modprobe.d/fbdev-blacklist.conf 32729 +etc/modprobe.d/intel-microcode-blacklist.conf 32728 +etc/modprobe.d/libpisock9.conf 32727 +etc/modprobe.d/no-mei.conf 32726 +etc/modprobe.d/no-pc-speaker.conf 32725 +etc/modprobe.d/open-vm-tools.conf 32724 +etc/modprobe.d/radeon-kms.conf 32723 +lib/modules/3.16.0-4-amd64/modules.dep.bin 32722 +lib/modules/3.16.0-4-amd64/modules.alias.bin 32721 +lib/modules/3.16.0-4-amd64/modules.symbols.bin 32720 +lib/modules/3.16.0-4-amd64/modules.builtin.bin 32719 +etc/hosts 32718 +bin/cat 32717 +bin/hostname 32716 +lib/i386-linux-gnu/libnsl-2.13.so 32715 +lib/live/config/0030-user-setup 32713 +usr/bin/debconf-set-selections 32710 +usr/bin/perl 32709 +lib/i386-linux-gnu/libcrypt-2.13.so 32708 +usr/share/perl/5.14.2/warnings.pm 32707 +usr/share/perl/5.14.2/strict.pm 32706 +usr/share/perl5/Debconf/Db.pm 32705 +usr/share/perl5/Debconf/Log.pm 32704 +usr/share/perl/5.14.2/base.pm 32703 +usr/share/perl/5.14.2/vars.pm 32702 +usr/share/perl/5.14.2/warnings/register.pm 32701 +usr/share/perl/5.14.2/Exporter.pm 32700 +usr/share/perl5/Debconf/Config.pm 32699 +usr/share/perl5/Debconf/Question.pm 32698 +usr/share/perl5/Debconf/Template.pm 32697 +usr/lib/perl/5.14.2/POSIX.pm 32696 +usr/share/perl/5.14.2/AutoLoader.pm 32695 +usr/lib/perl/5.14.2/auto/POSIX/autosplit.ix 32694 +usr/lib/perl/5.14.2/Fcntl.pm 32693 +usr/share/perl/5.14.2/XSLoader.pm 32692 +usr/lib/perl/5.14.2/auto/Fcntl/Fcntl.so 32691 +usr/share/perl/5.14.2/Tie/Hash.pm 32690 +usr/share/perl/5.14.2/Carp.pm 32689 +usr/lib/perl/5.14.2/auto/POSIX/POSIX.so 32688 +usr/lib/perl/5.14.2/auto/POSIX/load_imports.al 32687 +usr/share/perl/5.14.2/Exporter/Heavy.pm 32686 +usr/share/perl/5.14.2/FileHandle.pm 32685 +usr/lib/perl/5.14.2/IO/File.pm 32684 +usr/share/perl/5.14.2/Symbol.pm 32683 +usr/share/perl/5.14.2/SelectSaver.pm 32682 +usr/lib/perl/5.14.2/IO/Seekable.pm 32681 +usr/lib/perl/5.14.2/IO/Handle.pm 32680 +usr/lib/perl/5.14.2/IO.pm 32679 +usr/lib/perl/5.14.2/auto/IO/IO.so 32678 +usr/lib/perl/5.14.2/File/Spec.pm 32677 +usr/lib/perl/5.14.2/File/Spec/Unix.pm 32676 +usr/share/perl5/Debconf/Gettext.pm 32675 +usr/lib/perl5/Locale/gettext.pm 32674 +usr/lib/perl5/Encode.pm 32673 +usr/share/perl/5.14.2/constant.pm 32672 +usr/lib/perl5/Encode/Alias.pm 32671 +usr/share/perl/5.14.2/bytes.pm 32670 +usr/lib/perl5/auto/Encode/Encode.so 32669 +usr/lib/perl5/Encode/Config.pm 32668 +usr/lib/perl5/Encode/Encoding.pm 32667 +usr/lib/perl/5.14.2/DynaLoader.pm 32666 +usr/lib/perl/5.14.2/Config.pm 32665 +usr/lib/perl5/auto/Locale/gettext/gettext.so 32664 +usr/share/perl/5.14.2/Text/Wrap.pm 32663 +usr/share/perl/5.14.2/Text/Tabs.pm 32662 +usr/lib/perl/5.14.2/re.pm 32661 +usr/lib/perl/5.14.2/auto/re/re.so 32660 +usr/share/perl5/Debconf/Iterator.pm 32659 +usr/share/perl5/Debconf/Base.pm 32658 +usr/share/perl/5.14.2/fields.pm 32657 +usr/share/perl5/Debconf/Encoding.pm 32656 +usr/lib/perl5/Text/Iconv.pm 32655 +usr/lib/perl5/auto/Text/Iconv/Iconv.so 32654 +usr/bin/locale 32653 +usr/share/perl5/Text/WrapI18N.pm 32652 +usr/lib/perl5/Text/CharWidth.pm 32651 +usr/lib/perl5/auto/Text/CharWidth/CharWidth.so 32650 +usr/share/perl/5.14.2/overload.pm 32649 +usr/share/perl5/Debconf/Priority.pm 32648 +usr/lib/perl/5.14.2/Hash/Util.pm 32647 +usr/lib/perl/5.14.2/Scalar/Util.pm 32646 +usr/lib/perl/5.14.2/List/Util.pm 32645 +usr/lib/perl/5.14.2/auto/List/Util/Util.so 32644 +usr/lib/perl/5.14.2/auto/Hash/Util/Util.so 32643 +etc/nsswitch.conf 32642 +lib/i386-linux-gnu/libnss_compat-2.13.so 32641 +lib/i386-linux-gnu/libnss_nis-2.13.so 32640 +lib/i386-linux-gnu/libnss_files-2.13.so 32639 +usr/share/perl5/Debconf/DbDriver.pm 32637 +usr/share/perl/5.14.2/Getopt/Long.pm 32636 +etc/debconf.conf 32635 +usr/share/perl5/Debconf/DbDriver/File.pm 32634 +usr/lib/perl/5.14.2/Cwd.pm 32633 +usr/lib/perl/5.14.2/auto/Cwd/Cwd.so 32632 +usr/share/perl5/Debconf/DbDriver/Cache.pm 32631 +usr/share/perl5/Debconf/Format/822.pm 32630 +usr/share/perl5/Debconf/Format.pm 32629 +usr/share/perl5/Debconf/DbDriver/Stack.pm 32626 +usr/share/perl5/Debconf/DbDriver/Copy.pm 32625 +bin/chmod 32619 +usr/lib/user-setup/user-setup-apply 32618 +bin/dash 32617 +usr/share/debconf/confmodule 32616 +usr/share/debconf/frontend 32615 +usr/share/perl5/Debconf/AutoSelect.pm 32614 +usr/share/perl5/Debconf/ConfModule.pm 32613 +usr/share/perl/5.14.2/IPC/Open2.pm 32612 +usr/share/perl/5.14.2/IPC/Open3.pm 32611 +usr/share/perl5/Debconf/FrontEnd/Noninteractive.pm 32610 +usr/share/perl5/Debconf/FrontEnd.pm 32609 +usr/share/perl5/Debconf/FrontEnd/Dialog.pm 32608 +usr/share/perl5/Debconf/TmpFile.pm 32607 +usr/share/perl5/Debconf/Path.pm 32606 +usr/share/perl5/Debconf/FrontEnd/ScreenSize.pm 32605 +usr/lib/user-setup/functions.sh 32604 +sbin/shadowconfig 32603 +usr/sbin/pwck 32602 +usr/sbin/grpck 32601 +etc/login.defs 32599 +usr/sbin/pwconv 32597 +etc/.pwd.lock 32596 +usr/sbin/grpconv 32593 +bin/chown 32586 +usr/bin/cut 32585 +usr/bin/dpkg-query 32584 +var/lib/dpkg/status 32583 +var/lib/dpkg/triggers/File 32582 +usr/bin/dpkg 32581 +etc/dpkg/dpkg.cfg 32580 +usr/sbin/usermod 32579 +usr/lib/i386-linux-gnu/libsemanage.so.1 32578 +lib/i386-linux-gnu/libsepol.so.1 32577 +lib/i386-linux-gnu/libbz2.so.1.0.4 32576 +usr/lib/i386-linux-gnu/libustr-1.0.so.1.0.4 32575 +usr/sbin/adduser 32569 +usr/share/perl5/Debian/AdduserCommon.pm 32568 +usr/lib/perl/5.14.2/I18N/Langinfo.pm 32567 +usr/lib/perl/5.14.2/auto/I18N/Langinfo/Langinfo.so 32566 +etc/adduser.conf 32565 +usr/sbin/groupadd 32564 +usr/sbin/useradd 32561 +etc/default/useradd 32560 +var/log/faillog 32555 +var/log/lastlog 32554 +usr/bin/find 32553 +etc/skel/.config/gnome-panel/panel-default-layout.layout 32551 +etc/skel/.config/keepassx/config.ini 32550 +etc/skel/.config/menus/gnome-applications.menu 32549 +etc/skel/.config/menus/gnome-settings.menu 32548 +etc/skel/.bash_logout 32547 +etc/skel/.bashrc 32546 +etc/skel/.claws-mail/accountrc.tmpl 32545 +etc/skel/.claws-mail/clawsrc 32544 +etc/skel/.claws-mail/dispheaderrc 32543 +etc/skel/.electrum/config 32542 +etc/skel/.gnome2/accels/.placeholder 32541 +etc/skel/.gnome2/keyrings/default 32540 +etc/skel/.gnome2/keyrings/tails.keyring 32539 +etc/skel/.gnome2_private/.placeholder 32538 +etc/skel/.gnupg/gpg.conf 32537 +etc/skel/.local/share/applications/mimeapps.list 32536 +etc/skel/.monkeysphere/monkeysphere.conf 32535 +etc/skel/.poedit/config 32534 +etc/skel/.profile 32533 +etc/skel/.purple/accounts.xml 32532 +etc/skel/.purple/blist.xml 32531 +etc/skel/.purple/prefs.xml 32530 +etc/skel/.tor-browser/profile.default/adblockplus/patterns.ini 32529 +etc/skel/.tor-browser/profile.default/bookmarks.html 32528 +etc/skel/.tor-browser/profile.default/chrome/userChrome.css 32527 +etc/skel/.tor-browser/profile.default/localstore.rdf 32526 +etc/skel/.tor-browser/profile.default/preferences/0000tails.js 32525 +etc/skel/.tor-browser/profile.default/preferences/extension-overrides.js 32524 +etc/skel/.xsessionrc 32523 +etc/skel/Desktop/Report_an_error.desktop 32522 +etc/skel/Desktop/tails-documentation.desktop 32521 +usr/bin/chfn 32518 +lib/i386-linux-gnu/libpam.so.0.83.0 32517 +lib/i386-linux-gnu/libpam_misc.so.0.82.0 32516 +etc/pam.d/chfn 32515 +lib/i386-linux-gnu/security/pam_rootok.so 32514 +etc/pam.d/common-auth 32513 +lib/i386-linux-gnu/security/pam_unix.so 32512 +lib/i386-linux-gnu/security/pam_deny.so 32511 +lib/i386-linux-gnu/security/pam_permit.so 32510 +etc/pam.d/common-account 32509 +etc/pam.d/common-session 32508 +etc/pam.d/other 32507 +etc/pam.d/common-password 32506 +usr/bin/gpasswd 32502 +lib/live/config/0040-sudo 32476 +lib/live/config/0050-locales 32475 +lib/live/config/0060-locales-all 32474 +lib/live/config/0070-tzdata 32471 +usr/bin/debconf-communicate 32470 +bin/cp 32469 +lib/i386-linux-gnu/libacl.so.1.1.0 32468 +lib/i386-linux-gnu/libattr.so.1.1.0 32467 +usr/share/zoneinfo/posix/Zulu 32466 +lib/live/config/0160-keyboard-configuration 32464 +lib/live/config/0180-sysv-rc 32463 +lib/live/config/1000-remount-procfs 32461 +bin/mount 32460 +lib/i386-linux-gnu/libblkid.so.1.1.0 32459 +lib/i386-linux-gnu/libmount.so.1.1.0 32458 +lib/i386-linux-gnu/libuuid.so.1.3.0 32457 +etc/fstab 32456 +lib/live/config/1020-gnome-panel-data 32452 +usr/bin/sudo 32451 +lib/i386-linux-gnu/libutil-2.13.so 32450 +usr/lib/sudo/sudoers.so 32449 +etc/default/nss 32448 +etc/sudoers 32447 +etc/sudoers.d/README 32446 +etc/sudoers.d/always-ask-password 32445 +etc/sudoers.d/tails-greeter-cryptsetup 32444 +etc/sudoers.d/tails-greeter-live-persist 32443 +etc/sudoers.d/zzz_boot_profile 32442 +etc/sudoers.d/zzz_halt 32441 +etc/sudoers.d/zzz_persistence-setup 32440 +etc/sudoers.d/zzz_tails-debugging-info 32439 +etc/sudoers.d/zzz_tor-has-bootstrapped 32438 +etc/sudoers.d/zzz_tor-launcher 32437 +etc/sudoers.d/zzz_unsafe-browser 32436 +etc/sudoers.d/zzz_upgrade 32435 +etc/host.conf 32434 +etc/pam.d/sudo 32433 +etc/pam.d/common-session-noninteractive 32432 +run/utmp 32431 +usr/bin/gconftool-2 32430 +usr/lib/i386-linux-gnu/libgconf-2.so.4.1.5 32429 +usr/lib/i386-linux-gnu/libgthread-2.0.so.0.3200.4 32428 +lib/i386-linux-gnu/libglib-2.0.so.0.3200.4 32427 +usr/lib/i386-linux-gnu/libxml2.so.2.8.0 32426 +usr/lib/i386-linux-gnu/libgio-2.0.so.0.3200.4 32425 +usr/lib/i386-linux-gnu/libgmodule-2.0.so.0.3200.4 32424 +usr/lib/i386-linux-gnu/libdbus-glib-1.so.2.2.2 32423 +lib/i386-linux-gnu/libdbus-1.so.3.7.2 32422 +usr/lib/i386-linux-gnu/libgobject-2.0.so.0.3200.4 32421 +lib/i386-linux-gnu/libpcre.so.3.13.1 32420 +lib/i386-linux-gnu/libz.so.1.2.7 32419 +lib/i386-linux-gnu/liblzma.so.5.0.0 32418 +usr/lib/i386-linux-gnu/libffi.so.5.0.10 32417 +usr/lib/i386-linux-gnu/gconv/gconv-modules.cache 32416 +etc/gconf/2/path 32415 +usr/lib/i386-linux-gnu/gconf/2/libgconfbackend-xml.so 32414 +etc/gconf/gconf.xml.mandatory/%gconf-tree.xml 32413 +lib/live/config/1030-gnome-power-manager 32411 +lib/live/config/1040-gnome-screensaver 32409 +lib/live/config/1050-kaboom 32408 +lib/live/config/1060-kde-services 32407 +lib/live/config/1070-debian-installer-launcher 32405 +lib/live/config/1090-policykit 32404 +lib/live/config/1100-sslcert 32403 +lib/live/config/1110-update-notifier 32402 +lib/live/config/1120-anacron 32401 +lib/live/config/1130-util-linux 32400 +lib/live/config/1140-login 32398 +lib/live/config/1150-xserver-xorg 32394 +usr/bin/update-alternatives 32393 +var/log/alternatives.log 32391 +usr/bin/tr 32389 +usr/bin/lspci 32388 +lib/i386-linux-gnu/libpci.so.3.1.9 32387 +bin/ls 32386 +bin/mkdir 32385 +usr/share/live/config/xserver-xorg/vboxvideo.conf 32384 +lib/live/config/1170-openssh-server 32382 +lib/live/config/1170-xfce4-panel 32381 +lib/live/config/1500-reconfigure-APT 32380 +lib/live/config/2000-aesthetics 32361 +lib/live/config/2000-import-gnupg-key 32360 +usr/bin/gpg 32359 +lib/i386-linux-gnu/libreadline.so.6.2 32358 +lib/i386-linux-gnu/libusb-0.1.so.4.4.4 32357 +lib/i386-linux-gnu/libtinfo.so.5.9 32356 +usr/share/doc/tails/website/tails-accounting.key 32355 +usr/share/doc/tails/website/tails-bugs.key 32354 +usr/share/doc/tails/website/tails-email.key 32353 +usr/share/doc/tails/website/tails-press.key 32352 +usr/share/doc/tails/website/tails-signing.key 32351 +usr/share/doc/tails/website/tails-sysadmins.key 32350 +lib/live/config/2010-pidgin 32348 +usr/local/bin/lc.py 32347 +usr/bin/python2.7 32346 +lib/i386-linux-gnu/libgcc_s.so.1 32345 +usr/lib/python2.7/site.py 32344 +usr/lib/python2.7/site.pyc 32343 +usr/lib/python2.7/os.py 32342 +usr/lib/python2.7/os.pyc 32341 +usr/lib/python2.7/posixpath.py 32340 +usr/lib/python2.7/posixpath.pyc 32339 +usr/lib/python2.7/stat.py 32338 +usr/lib/python2.7/stat.pyc 32337 +usr/lib/python2.7/genericpath.py 32336 +usr/lib/python2.7/genericpath.pyc 32335 +usr/lib/python2.7/warnings.py 32334 +usr/lib/python2.7/warnings.pyc 32333 +usr/lib/python2.7/linecache.py 32332 +usr/lib/python2.7/linecache.pyc 32331 +usr/lib/python2.7/types.py 32330 +usr/lib/python2.7/types.pyc 32329 +usr/lib/python2.7/UserDict.py 32328 +usr/lib/python2.7/UserDict.pyc 32327 +usr/lib/python2.7/_abcoll.py 32326 +usr/lib/python2.7/_abcoll.pyc 32325 +usr/lib/python2.7/abc.py 32324 +usr/lib/python2.7/abc.pyc 32323 +usr/lib/python2.7/_weakrefset.py 32322 +usr/lib/python2.7/_weakrefset.pyc 32321 +usr/lib/python2.7/copy_reg.py 32320 +usr/lib/python2.7/copy_reg.pyc 32319 +usr/lib/python2.7/traceback.py 32318 +usr/lib/python2.7/traceback.pyc 32317 +usr/lib/python2.7/sysconfig.py 32316 +usr/lib/python2.7/sysconfig.pyc 32315 +usr/lib/python2.7/re.py 32314 +usr/lib/python2.7/re.pyc 32313 +usr/lib/python2.7/sre_compile.py 32312 +usr/lib/python2.7/sre_compile.pyc 32311 +usr/lib/python2.7/sre_parse.py 32310 +usr/lib/python2.7/sre_parse.pyc 32309 +usr/lib/python2.7/sre_constants.py 32308 +usr/lib/python2.7/sre_constants.pyc 32307 +usr/lib/python2.7/_sysconfigdata.py 32306 +usr/lib/python2.7/_sysconfigdata.pyc 32305 +usr/lib/python2.7/_sysconfigdata_nd.py 32304 +usr/lib/python2.7/_sysconfigdata_nd.pyc 32303 +usr/share/pyshared/PIL.pth 32302 +usr/lib/python2.7/dist-packages/gtk-2.0-pysupport-compat.pth 32301 +usr/share/pyshared/pygst.pth 32300 +usr/share/pyshared/pygtk.pth 32299 +usr/lib/pymodules/python2.7/.path 32298 +usr/share/pyshared/zope.interface-3.6.1-nspkg.pth 32297 +etc/python2.7/sitecustomize.py 32296 +usr/lib/python2.7/sitecustomize.pyc 32295 +usr/lib/python2.7/encodings/__init__.py 32294 +usr/lib/python2.7/encodings/__init__.pyc 32293 +usr/lib/python2.7/codecs.py 32292 +usr/lib/python2.7/codecs.pyc 32291 +usr/lib/python2.7/encodings/aliases.py 32290 +usr/lib/python2.7/encodings/aliases.pyc 32289 +usr/lib/python2.7/encodings/ascii.py 32288 +usr/lib/python2.7/encodings/ascii.pyc 32287 +usr/lib/python2.7/__future__.py 32286 +usr/lib/python2.7/__future__.pyc 32285 +usr/lib/python2.7/optparse.py 32284 +usr/lib/python2.7/textwrap.py 32282 +usr/lib/python2.7/string.py 32280 +usr/lib/python2.7/gettext.py 32278 +usr/lib/python2.7/locale.py 32276 +usr/lib/python2.7/functools.py 32274 +usr/lib/python2.7/functools.pyc 32273 +usr/lib/python2.7/copy.py 32272 +usr/lib/python2.7/weakref.py 32270 +usr/lib/python2.7/weakref.pyc 32269 +usr/lib/python2.7/struct.py 32268 +usr/lib/python2.7/struct.pyc 32267 +usr/lib/python2.7/random.py 32266 +usr/lib/python2.7/random.pyc 32265 +usr/lib/python2.7/hashlib.py 32264 +usr/lib/python2.7/hashlib.pyc 32263 +usr/lib/python2.7/lib-dynload/_hashlib.so 32262 +usr/lib/i386-linux-gnu/i686/cmov/libssl.so.1.0.0 32261 +usr/lib/i386-linux-gnu/i686/cmov/libcrypto.so.1.0.0 32260 +usr/share/amnesia/firstnames.txt 32259 +usr/bin/od 32258 +usr/bin/expr 32257 +usr/bin/bc 32256 +lib/i386-linux-gnu/libncurses.so.5.9 32255 +lib/live/config/2060-create-upgrader-run-directory 32253 +usr/bin/install 32252 +lib/live/config/2060-kiosk-mode 32251 +lib/live/config/2080-install-i2p 32250 +usr/local/lib/tails-shell-library/i2p.sh 32249 +usr/local/lib/tails-shell-library/common.sh 32248 +usr/local/lib/tails-shell-library/localization.sh 32247 +lib/live/config/7000-debug 32246 +lib/live/config/8000-rootpw 32245 +lib/live/config/9980-permissions 32244 +sbin/udevadm 32243 +etc/udev/udev.conf 32242 +bin/readlink 32241 +lib/live/config/9990-hooks 32238 +etc/init.d/mountkernfs.sh 32237 +lib/init/vars.sh 32236 +etc/default/rcS 32235 +lib/init/tmpfs.sh 32234 +etc/default/tmpfs 32233 +lib/lsb/init-functions 32232 +bin/run-parts 32231 +lib/lsb/init-functions.d/20-left-info-blocks 32230 +lib/lsb/init-functions.d/40-systemd 32229 +lib/init/mount-functions.sh 32228 +bin/uname 32227 +bin/mountpoint 32226 +etc/init.d/udev 32224 +bin/egrep 32223 +bin/ps 32222 +lib/i386-linux-gnu/libprocps.so.0.0.1 32221 +lib/udev/create_static_nodes 32220 +etc/udev/links.conf 32219 +bin/mknod 32218 +usr/bin/tput 32217 +lib/terminfo/l/linux 32216 +bin/echo 32215 +sbin/udevd 32214 +lib/modules/3.16.0-4-amd64/modules.devname 32213 +etc/udev/rules.d/00-mac-spoof.rules 32211 +lib/udev/rules.d/10-blackberry.rules 32210 +lib/udev/rules.d/40-hplip.rules 32209 +lib/udev/rules.d/40-usb_modeswitch.rules 32208 +lib/udev/rules.d/42-qemu-usb.rules 32207 +lib/udev/rules.d/50-udev-default.rules 32206 +lib/udev/rules.d/55-dm.rules 32205 +lib/udev/rules.d/56-hpmud_support.rules 32204 +lib/udev/rules.d/56-lvm.rules 32203 +lib/udev/rules.d/60-cdrom_id.rules 32202 +lib/udev/rules.d/60-crda.rules 32201 +lib/udev/rules.d/60-ekeyd.rules 32200 +lib/udev/rules.d/60-fuse.rules 32199 +lib/udev/rules.d/60-gnupg.rules 32198 +lib/udev/rules.d/60-gobi-loader.rules 32197 +lib/udev/rules.d/60-libgphoto2-2.rules 32196 +lib/udev/rules.d/60-libpisock9.rules 32195 +lib/udev/rules.d/60-libsane.rules 32194 +lib/udev/rules.d/60-open-vm-tools.rules 32193 +lib/udev/rules.d/60-persistent-alsa.rules 32192 +lib/udev/rules.d/60-persistent-input.rules 32191 +lib/udev/rules.d/60-persistent-serial.rules 32190 +lib/udev/rules.d/60-persistent-storage-dm.rules 32189 +lib/udev/rules.d/60-persistent-storage-tape.rules 32188 +lib/udev/rules.d/60-persistent-storage.rules 32187 +lib/udev/rules.d/60-persistent-v4l.rules 32186 +etc/udev/rules.d/60-virtualbox-guest-dkms.rules 32185 +lib/udev/rules.d/61-accelerometer.rules 32184 +lib/udev/rules.d/64-xorg-xkb.rules 32183 +lib/udev/rules.d/66-bilibop.rules 32182 +lib/udev/rules.d/69-xorg-vmmouse.rules 32181 +etc/udev/rules.d/70-protect-boot-medium-for-udisks.rules 32180 +lib/udev/rules.d/70-uaccess.rules 32179 +lib/udev/rules.d/70-udev-acl.rules 32178 +lib/udev/rules.d/71-seat.rules 32177 +lib/udev/rules.d/73-seat-late.rules 32176 +lib/udev/rules.d/75-cd-aliases-generator.rules 32175 +lib/udev/rules.d/75-net-description.rules 32174 +lib/udev/rules.d/75-persistent-net-generator.rules 32173 +lib/udev/rules.d/75-probe_mtd.rules 32172 +lib/udev/rules.d/75-tty-description.rules 32171 +lib/udev/rules.d/77-mm-ericsson-mbm.rules 32170 +lib/udev/rules.d/77-mm-longcheer-port-types.rules 32169 +lib/udev/rules.d/77-mm-nokia-port-types.rules 32168 +lib/udev/rules.d/77-mm-pcmcia-device-blacklist.rules 32167 +lib/udev/rules.d/77-mm-platform-serial-whitelist.rules 32166 +lib/udev/rules.d/77-mm-qdl-device-blacklist.rules 32165 +lib/udev/rules.d/77-mm-simtech-port-types.rules 32164 +lib/udev/rules.d/77-mm-usb-device-blacklist.rules 32163 +lib/udev/rules.d/77-mm-x22x-port-types.rules 32162 +lib/udev/rules.d/77-mm-zte-port-types.rules 32161 +lib/udev/rules.d/77-nm-olpc-mesh.rules 32160 +lib/udev/rules.d/78-sound-card.rules 32159 +lib/udev/rules.d/80-drivers.rules 32158 +lib/udev/rules.d/80-mm-candidate.rules 32157 +lib/udev/rules.d/80-networking.rules 32156 +lib/udev/rules.d/80-udisks.rules 32155 +lib/udev/rules.d/85-hdparm.rules 32154 +lib/udev/rules.d/85-hwclock.rules 32153 +lib/udev/rules.d/85-regulatory.rules 32152 +lib/udev/rules.d/85-usbmuxd.rules 32151 +lib/udev/rules.d/90-alsa-restore.rules 32150 +lib/udev/rules.d/90-iphone-tether.rules 32149 +lib/udev/rules.d/90-pulseaudio.rules 32148 +lib/udev/rules.d/91-permissions.rules 32147 +lib/udev/rules.d/92-libccid.rules 32146 +lib/udev/rules.d/95-keyboard-force-release.rules 32145 +lib/udev/rules.d/95-keymap.rules 32144 +lib/udev/rules.d/95-udev-late.rules 32143 +lib/udev/rules.d/95-upower-battery-recall-dell.rules 32142 +lib/udev/rules.d/95-upower-battery-recall-fujitsu.rules 32141 +lib/udev/rules.d/95-upower-battery-recall-gateway.rules 32140 +lib/udev/rules.d/95-upower-battery-recall-ibm.rules 32139 +lib/udev/rules.d/95-upower-battery-recall-lenovo.rules 32138 +lib/udev/rules.d/95-upower-battery-recall-toshiba.rules 32137 +lib/udev/rules.d/95-upower-csr.rules 32136 +lib/udev/rules.d/95-upower-hid.rules 32135 +lib/udev/rules.d/95-upower-wup.rules 32134 +lib/udev/rules.d/99-blackberry-perms.rules 32133 +etc/udev/rules.d/99-hide-TailsData.rules 32132 +lib/udev/rules.d/99-laptop-mode.rules 32131 +lib/udev/rules.d/99-systemd.rules 32130 +lib/udev/write_dev_root_rule 32129 +lib/modules/3.16.0-4-amd64/kernel/drivers/acpi/button.ko 32127 +lib/udev/pci-db 32125 +usr/share/misc/pci.ids 32124 +lib/modules/3.16.0-4-amd64/kernel/drivers/i2c/i2c-core.ko 32123 +lib/modules/3.16.0-4-amd64/kernel/sound/ac97_bus.ko 32122 +lib/modules/3.16.0-4-amd64/kernel/drivers/acpi/ac.ko 32121 +lib/modules/3.16.0-4-amd64/kernel/drivers/acpi/battery.ko 32120 +lib/modules/3.16.0-4-amd64/kernel/drivers/input/serio/serio_raw.ko 32119 +lib/udev/lmt-udev 32118 +lib/modules/3.16.0-4-amd64/updates/dkms/vboxguest.ko 32117 +lib/modules/3.16.0-4-amd64/kernel/drivers/powercap/intel_rapl.ko 32116 +lib/modules/3.16.0-4-amd64/kernel/drivers/input/evdev.ko 32109 +lib/udev/hwclock-set 32108 +lib/modules/3.16.0-4-amd64/kernel/drivers/parport/parport.ko 32107 +lib/modules/3.16.0-4-amd64/kernel/drivers/block/floppy.ko 32106 +sbin/blkid 32105 +lib/udev/net.agent 32080 +lib/udev/hotplug.functions 32008 +etc/default/hwclock 32007 +lib/modules/3.16.0-4-amd64/kernel/drivers/thermal/thermal_sys.ko 32006 +lib/modules/3.16.0-4-amd64/kernel/sound/soundcore.ko 32005 +lib/modules/3.16.0-4-amd64/kernel/drivers/i2c/busses/i2c-piix4.ko 32004 +lib/modules/3.16.0-4-amd64/kernel/drivers/parport/parport_pc.ko 32003 +lib/modules/3.16.0-4-amd64/kernel/drivers/input/mouse/psmouse.ko 32002 +etc/default/keyboard 32000 +usr/sbin/laptop_mode 31998 +lib/udev/udisks-part-id 31997 +sbin/hwclock 31993 +lib/modules/3.16.0-4-amd64/kernel/drivers/gpu/drm/drm.ko 31986 +lib/modules/3.16.0-4-amd64/updates/dkms/vboxvideo.ko 31985 +lib/udev/cdrom_id 31980 +lib/modules/3.16.0-4-amd64/kernel/drivers/thermal/intel_powerclamp.ko 31979 +etc/adjtime 31978 +lib/i386-linux-gnu/libudev.so.0.13.0 31977 +lib/i386-linux-gnu/libparted.so.0.0.1 31976 +lib/i386-linux-gnu/libdevmapper.so.1.02.1 31975 +bin/which 31963 +etc/laptop-mode/conf.d/ac97-powersave.conf 31962 +etc/laptop-mode/conf.d/auto-hibernate.conf 31961 +etc/laptop-mode/conf.d/battery-level-polling.conf 31960 +etc/laptop-mode/conf.d/bluetooth.conf 31959 +etc/laptop-mode/conf.d/configuration-file-control.conf 31958 +etc/laptop-mode/conf.d/cpufreq.conf 31957 +etc/laptop-mode/conf.d/dpms-standby.conf 31956 +etc/laptop-mode/conf.d/eee-superhe.conf 31955 +etc/laptop-mode/conf.d/ethernet.conf 31954 +etc/laptop-mode/conf.d/exec-commands.conf 31953 +etc/laptop-mode/conf.d/hal-polling.conf 31952 +etc/laptop-mode/conf.d/intel-hda-powersave.conf 31951 +etc/laptop-mode/conf.d/intel-sata-powermgmt.conf 31950 +etc/laptop-mode/conf.d/lcd-brightness.conf 31949 +etc/laptop-mode/conf.d/nmi-watchdog.conf 31948 +etc/laptop-mode/conf.d/runtime-pm.conf 31947 +etc/laptop-mode/conf.d/sched-mc-power-savings.conf 31946 +etc/laptop-mode/conf.d/sched-smt-power-savings.conf 31945 +etc/laptop-mode/conf.d/start-stop-programs.conf 31944 +etc/laptop-mode/conf.d/terminal-blanking.conf 31943 +etc/laptop-mode/conf.d/usb-autosuspend.conf 31942 +etc/laptop-mode/conf.d/video-out.conf 31941 +etc/laptop-mode/conf.d/wireless-ipw-power.conf 31940 +etc/laptop-mode/conf.d/wireless-iwl-power.conf 31939 +etc/laptop-mode/conf.d/wireless-power.conf 31938 +usr/bin/logger 31937 +etc/laptop-mode/laptop-mode.conf 31936 +lib/udev/ata_id 31935 +lib/udev/write_cd_rules 31934 +lib/udev/rule_generator.functions 31933 +usr/bin/flock 31932 +bin/rmdir 31930 +usr/bin/basename 31928 +lib/modules/3.16.0-4-amd64/kernel/sound/core/snd.ko 31927 +usr/share/laptop-mode-tools/modules/ac97-powersave 31926 +lib/modules/3.16.0-4-amd64/kernel/sound/core/snd-timer.ko 31925 +lib/modules/3.16.0-4-amd64/kernel/sound/core/seq/snd-seq-device.ko 31923 +lib/modules/3.16.0-4-amd64/kernel/sound/core/seq/snd-seq.ko 31922 +lib/modules/3.16.0-4-amd64/kernel/sound/core/snd-pcm.ko 31920 +lib/modules/3.16.0-4-amd64/kernel/sound/pci/ac97/snd-ac97-codec.ko 31919 +lib/modules/3.16.0-4-amd64/kernel/sound/pci/snd-intel8x0.ko 31918 +usr/share/laptop-mode-tools/modules/battery-level-polling 31917 +usr/share/laptop-mode-tools/modules/bluetooth 31916 +usr/share/laptop-mode-tools/modules/configuration-file-control 31915 +usr/share/laptop-mode-tools/modules/cpufreq 31913 +bin/vmmouse_detect 31911 +usr/share/laptop-mode-tools/modules/dpms-standby 31909 +usr/share/laptop-mode-tools/modules/eee-superhe 31908 +usr/share/laptop-mode-tools/modules/ethernet 31907 +usr/share/laptop-mode-tools/modules/exec-commands 31906 +usr/share/laptop-mode-tools/modules/hal-polling 31905 +usr/share/laptop-mode-tools/modules/hdparm 31904 +usr/share/laptop-mode-tools/modules/intel-hda-powersave 31903 +usr/share/laptop-mode-tools/modules/intel-sata-powermgmt 31902 +usr/share/laptop-mode-tools/modules/laptop-mode 31901 +usr/share/laptop-mode-tools/modules/lcd-brightness 31900 +usr/share/laptop-mode-tools/modules/nmi-watchdog 31899 +usr/share/laptop-mode-tools/modules/runtime-pm 31898 +usr/share/laptop-mode-tools/modules/sched-mc-power-savings 31897 +usr/share/laptop-mode-tools/modules/sched-smt-power-savings 31896 +usr/share/laptop-mode-tools/modules/start-stop-programs 31895 +usr/share/laptop-mode-tools/modules/syslog-conf 31894 +usr/share/laptop-mode-tools/modules/terminal-blanking 31893 +usr/share/laptop-mode-tools/modules/usb-autosuspend 31892 +usr/share/laptop-mode-tools/modules/video-out 31891 +usr/share/laptop-mode-tools/modules/wireless-ipw-power 31890 +usr/share/laptop-mode-tools/modules/wireless-iwl-power 31889 +usr/share/laptop-mode-tools/modules/wireless-power 31888 +usr/sbin/alsactl 31885 +usr/lib/i386-linux-gnu/libasound.so.2.0.0 31884 +sbin/blockdev 31881 +usr/share/alsa/alsa.conf 31880 +usr/share/alsa/alsa.conf.d/50-pulseaudio.conf 31879 +usr/share/alsa/alsa.conf.d/pulse.conf 31878 +etc/asound.conf 31877 +usr/lib/i386-linux-gnu/alsa-lib/libasound_module_conf_pulse.so 31876 +usr/lib/i386-linux-gnu/libpulse.so.0.14.2 31875 +lib/i386-linux-gnu/libjson.so.0.1.0 31874 +usr/lib/i386-linux-gnu/pulseaudio/libpulsecommon-2.0.so 31873 +lib/i386-linux-gnu/libcap.so.2.22 31872 +usr/lib/i386-linux-gnu/libX11-xcb.so.1.0.0 31871 +usr/lib/i386-linux-gnu/libX11.so.6.3.0 31870 +sbin/iwconfig 31869 +lib/i386-linux-gnu/libiw.so.30 31868 +usr/lib/i386-linux-gnu/libxcb.so.1.1.0 31867 +usr/lib/i386-linux-gnu/libICE.so.6.3.0 31866 +usr/lib/i386-linux-gnu/libSM.so.6.0.1 31865 +usr/lib/i386-linux-gnu/libXtst.so.6.1.0 31864 +lib/i386-linux-gnu/libwrap.so.0.7.6 31863 +usr/lib/i386-linux-gnu/libsndfile.so.1.0.25 31862 +usr/lib/i386-linux-gnu/libasyncns.so.0.3.1 31861 +usr/lib/i386-linux-gnu/libXau.so.6.0.0 31860 +usr/lib/i386-linux-gnu/libXdmcp.so.6.0.0 31859 +usr/lib/i386-linux-gnu/libXext.so.6.4.0 31858 +usr/lib/i386-linux-gnu/libXi.so.6.1.0 31857 +usr/lib/i386-linux-gnu/libFLAC.so.8.2.0 31856 +usr/lib/i386-linux-gnu/libvorbisenc.so.2.0.8 31855 +usr/lib/i386-linux-gnu/libvorbis.so.0.4.5 31854 +usr/lib/i386-linux-gnu/libogg.so.0.8.0 31853 +etc/pulse/client.conf 31852 +etc/machine-id 31850 +usr/share/alsa/init/00main 31849 +usr/share/alsa/init/default 31848 +etc/init.d/mountdevsubfs.sh 31846 +etc/default/devpts 31845 +usr/bin/stat 31844 +etc/init.d/hwclock.sh 31843 +etc/init.d/keymap.sh 31842 +etc/init.d/keyboard-setup 31841 +etc/default/locale 31840 +usr/lib/locale/en_US.utf8/LC_IDENTIFICATION 31839 +usr/lib/locale/yi_US.utf8/LC_MEASUREMENT 31838 +usr/lib/locale/yi_US.utf8/LC_TELEPHONE 31837 +usr/lib/locale/en_US.utf8/LC_ADDRESS 31836 +usr/lib/locale/yi_US.utf8/LC_NAME 31835 +usr/lib/locale/yi_US.utf8/LC_PAPER 31834 +usr/lib/locale/en_US.utf8/LC_MESSAGES/SYS_LC_MESSAGES 31833 +usr/lib/locale/en_US.utf8/LC_MONETARY 31832 +usr/lib/locale/zu_ZA.utf8/LC_COLLATE 31831 +usr/lib/locale/en_US.utf8/LC_TIME 31830 +usr/lib/locale/zu_ZA.utf8/LC_NUMERIC 31829 +usr/lib/locale/zu_ZA.utf8/LC_CTYPE 31828 +bin/setupcon 31827 +etc/default/console-setup 31826 +sbin/killall5 31825 +bin/stty 31824 +usr/bin/tty 31823 +etc/sysctl.conf 31822 +bin/kbd_mode 31821 +bin/loadkeys 31810 +etc/console-setup/cached_UTF-8_del.kmap.gz 31809 +bin/gzip 31808 +etc/init.d/checkroot.sh 31807 +sbin/swapon 31806 +bin/true 31805 +etc/init.d/checkroot-bootclean.sh 31804 +lib/init/bootclean.sh 31803 +etc/init.d/cryptdisks-early 31802 +lib/cryptsetup/cryptdisks.functions 31801 +etc/default/cryptdisks 31800 +lib/modules/3.16.0-4-amd64/kernel/drivers/md/dm-mod.ko 31799 +lib/modules/3.16.0-4-amd64/kernel/drivers/md/dm-crypt.ko 31797 +sbin/dmsetup 31796 +etc/crypttab 31795 +etc/init.d/cryptdisks 31794 +etc/init.d/kmod 31793 +etc/modules 31792 +lib/modules/3.16.0-4-amd64/kernel/drivers/acpi/processor.ko 31791 +lib/modules/3.16.0-4-amd64/kernel/drivers/cpufreq/acpi-cpufreq.ko 31790 +lib/modules/3.16.0-4-amd64/kernel/drivers/cpufreq/cpufreq_powersave.ko 31789 +etc/init.d/mtab.sh 31788 +etc/init.d/checkfs.sh 31787 +lib/init/swap-functions.sh 31786 +sbin/logsave 31785 +var/log/fsck/checkfs 31784 +sbin/fsck 31783 +etc/init.d/mountall.sh 31782 +bin/df 31781 +etc/init.d/mountall-bootclean.sh 31780 +etc/init.d/pppd-dns 31779 +etc/ppp/ip-down.d/0000usepeerdns 31778 +etc/init.d/procps 31777 +sbin/sysctl 31776 +etc/sysctl.d/dmesg_restrict.conf 31775 +etc/sysctl.d/ptrace_scope.conf 31774 +etc/sysctl.d/tcp_timestamps.conf 31773 +etc/init.d/resolvconf 31772 +sbin/resolvconf 31771 +etc/resolvconf/update.d/dnscache 31770 +etc/resolvconf/update.d/libc 31769 +lib/resolvconf/list-records 31768 +bin/bash 31767 +etc/resolvconf/interface-order 31766 +etc/resolvconf/resolv.conf.d/base 31765 +etc/resolvconf/resolv.conf.d/head 31764 +etc/resolvconf/resolv.conf.d/tail 31763 +bin/mv 31762 +etc/init.d/tails-detect-virtualization 31761 +usr/sbin/virt-what 31760 +usr/bin/getopt 31759 +usr/bin/id 31758 +usr/lib/virt-what/virt-what-cpuid-helper 31757 +usr/sbin/dmidecode 31756 +etc/init.d/udev-mtab 31755 +etc/init.d/urandom 31754 +var/lib/urandom/random-seed 31753 +bin/dd 31752 +etc/init.d/networking 31751 +etc/default/networking 31750 +sbin/ifup 31749 +etc/network/if-pre-up.d/wireless-tools 31748 +etc/wpa_supplicant/ifupdown.sh 31747 +etc/wpa_supplicant/functions.sh 31746 +etc/network/if-up.d/000resolvconf 31745 +etc/network/if-up.d/mountnfs 31744 +etc/network/if-up.d/upstart 31743 +sbin/ifquery 31742 +etc/init.d/mountnfs.sh 31741 +etc/init.d/mountnfs-bootclean.sh 31740 +etc/init.d/alsa-utils 31739 +usr/share/alsa/utils.sh 31738 +usr/bin/amixer 31737 +etc/init.d/apparmor 31735 +lib/apparmor/functions 31734 +usr/bin/getconf 31733 +usr/bin/xargs 31732 +sbin/apparmor_parser 31731 +etc/apparmor/subdomain.conf 31730 +etc/apparmor.d/gst_plugin_scanner 31729 +etc/apparmor.d/tunables/global 31728 +etc/apparmor.d/tunables/home 31727 +etc/apparmor.d/tunables/home.d/ubuntu 31726 +etc/apparmor.d/tunables/multiarch 31725 +etc/apparmor.d/tunables/proc 31724 +etc/apparmor.d/tunables/alias 31723 +etc/apparmor.d/abstractions/base 31722 +etc/apparmor.d/abstractions/gstreamer 31721 +etc/apparmor.d/abstractions/p11-kit 31720 +etc/apparmor.d/abstractions/X 31719 +etc/apparmor.d/system_i2p 31718 +etc/apparmor.d/abstractions/i2p 31717 +etc/apparmor.d/abstractions/fonts 31716 +etc/apparmor.d/abstractions/nameservice 31715 +etc/apparmor.d/abstractions/nis 31714 +etc/apparmor.d/abstractions/ldapclient 31713 +etc/apparmor.d/abstractions/ssl_certs 31712 +etc/apparmor.d/abstractions/winbind 31711 +etc/apparmor.d/abstractions/likewise 31710 +etc/apparmor.d/abstractions/mdns 31709 +etc/apparmor.d/abstractions/kerberosclient 31708 +etc/apparmor.d/abstractions/user-tmp 31707 +etc/apparmor.d/local/system_i2p 31706 +etc/apparmor.d/system_tor 31705 +etc/apparmor.d/abstractions/tor 31704 +etc/apparmor.d/local/system_tor 31703 +etc/apparmor.d/torbrowser 31702 +etc/apparmor.d/abstractions/gnome 31701 +etc/apparmor.d/abstractions/freedesktop.org 31700 +etc/apparmor.d/abstractions/xdg-desktop 31699 +etc/apparmor.d/abstractions/ibus 31698 +etc/apparmor.d/abstractions/audio 31697 +etc/apparmor.d/usr.bin.evince 31696 +etc/apparmor.d/abstractions/bash 31695 +etc/apparmor.d/abstractions/cups-client 31694 +etc/apparmor.d/abstractions/dbus 31693 +etc/apparmor.d/abstractions/dbus-session 31692 +etc/apparmor.d/abstractions/evince 31691 +etc/apparmor.d/abstractions/ubuntu-helpers 31690 +etc/apparmor.d/abstractions/private-files 31689 +etc/apparmor.d/local/usr.bin.evince 31688 +etc/apparmor.d/abstractions/ubuntu-browsers 31687 +etc/apparmor.d/abstractions/ubuntu-console-browsers 31686 +etc/apparmor.d/abstractions/ubuntu-email 31685 +etc/apparmor.d/abstractions/ubuntu-console-email 31684 +etc/apparmor.d/abstractions/ubuntu-media-players 31683 +etc/apparmor.d/abstractions/ubuntu-gnome-terminal 31682 +etc/apparmor.d/usr.bin.i2prouter 31681 +etc/apparmor.d/local/usr.bin.i2prouter 31680 +etc/apparmor.d/usr.bin.irssi 31679 +etc/apparmor.d/abstractions/perl 31678 +etc/apparmor.d/abstractions/wutmp 31677 +etc/apparmor.d/usr.bin.pidgin 31676 +etc/apparmor.d/abstractions/enchant 31675 +etc/apparmor.d/abstractions/aspell 31674 +etc/apparmor.d/abstractions/launchpad-integration 31673 +etc/apparmor.d/abstractions/private-files-strict 31672 +etc/apparmor.d/abstractions/user-download 31671 +etc/apparmor.d/local/usr.bin.pidgin 31670 +etc/apparmor.d/usr.bin.totem 31669 +etc/apparmor.d/abstractions/python 31668 +etc/apparmor.d/abstractions/totem 31667 +etc/apparmor.d/usr.bin.totem-previewers 31666 +etc/apparmor.d/usr.bin.vidalia 31665 +etc/apparmor.d/abstractions/kde 31664 +etc/apparmor.d/local/usr.bin.vidalia 31663 +etc/apparmor.d/usr.sbin.ntpd 31662 +etc/apparmor.d/tunables/ntpd 31661 +etc/apparmor.d/local/usr.sbin.ntpd 31660 +etc/apparmor.d/usr.sbin.tcpdump 31659 +etc/apparmor.d/local/usr.sbin.tcpdump 31658 +etc/init.d/bootmisc.sh 31657 +bin/chgrp 31656 +etc/init.d/ferm 31655 +etc/default/ferm 31654 +usr/bin/diff 31653 +usr/sbin/ferm 31652 +etc/ferm/ferm.conf 31651 +sbin/xtables-multi 31650 +lib/libip4tc.so.0.1.0 31649 +lib/libip6tc.so.0.1.0 31648 +lib/libxtables.so.7.0.0 31647 +lib/modules/3.16.0-4-amd64/kernel/net/netfilter/x_tables.ko 31646 +lib/modules/3.16.0-4-amd64/kernel/net/ipv4/netfilter/ip_tables.ko 31645 +lib/modules/3.16.0-4-amd64/kernel/net/netfilter/nf_conntrack.ko 31644 +lib/modules/3.16.0-4-amd64/kernel/net/netfilter/nf_nat.ko 31643 +lib/modules/3.16.0-4-amd64/kernel/net/ipv4/netfilter/nf_nat_ipv4.ko 31642 +lib/modules/3.16.0-4-amd64/kernel/net/ipv4/netfilter/nf_defrag_ipv4.ko 31641 +lib/modules/3.16.0-4-amd64/kernel/net/ipv4/netfilter/nf_conntrack_ipv4.ko 31640 +lib/modules/3.16.0-4-amd64/kernel/net/ipv4/netfilter/iptable_nat.ko 31639 +etc/protocols 31638 +lib/xtables/libipt_REDIRECT.so 31637 +lib/xtables/libxt_udp.so 31636 +etc/gai.conf 31635 +lib/modules/3.16.0-4-amd64/kernel/net/netfilter/xt_REDIRECT.ko 31634 +lib/modules/3.16.0-4-amd64/kernel/net/netfilter/xt_tcpudp.ko 31633 +lib/modules/3.16.0-4-amd64/kernel/net/ipv4/netfilter/iptable_filter.ko 31632 +lib/xtables/libxt_state.so 31631 +lib/xtables/libxt_standard.so 31630 +lib/xtables/libxt_tcp.so 31629 +lib/xtables/libxt_owner.so 31628 +lib/modules/3.16.0-4-amd64/kernel/net/netfilter/xt_owner.ko 31627 +lib/xtables/libxt_multiport.so 31626 +lib/modules/3.16.0-4-amd64/kernel/net/netfilter/xt_multiport.ko 31625 +etc/services 31624 +lib/xtables/libipt_LOG.so 31623 +lib/xtables/libipt_REJECT.so 31622 +lib/modules/3.16.0-4-amd64/kernel/net/netfilter/xt_state.ko 31621 +lib/modules/3.16.0-4-amd64/kernel/net/netfilter/xt_LOG.ko 31620 +lib/modules/3.16.0-4-amd64/kernel/net/ipv4/netfilter/ipt_REJECT.ko 31619 +lib/modules/3.16.0-4-amd64/kernel/net/ipv6/netfilter/ip6_tables.ko 31618 +lib/modules/3.16.0-4-amd64/kernel/net/ipv6/netfilter/ip6table_filter.ko 31617 +lib/xtables/libip6t_LOG.so 31616 +lib/xtables/libip6t_REJECT.so 31615 +lib/modules/3.16.0-4-amd64/kernel/net/ipv6/netfilter/ip6t_REJECT.ko 31614 +etc/init.d/kbd 31613 +etc/kbd/config 31612 +bin/fgconsole 31611 +etc/inittab 31610 +usr/bin/setterm 31609 +etc/init.d/console-setup 31608 +bin/setfont 31607 +etc/console-setup/Uni2-Fixed16.psf.gz 31606 +etc/init.d/live 31605 +etc/init.d/plymouth-log 31604 +bin/plymouth 31603 +lib/i386-linux-gnu/libply.so.2.1.0 31602 +etc/init.d/virtualbox-guest-x11 31601 +etc/init.d/x11-common 31600 +etc/init.d/rc 31599 +sbin/startpar 31598 +etc/init.d/.depend.start 31597 +etc/init.d/motd 31596 +etc/init.d/tails-autotest-remote-shell 31595 +etc/init.d/rsyslog 31594 +etc/default/rsyslog 31593 +etc/init.d/open-vm-tools 31591 +etc/init.d/sudo 31590 +etc/init.d/tails-reconfigure-kexec 31589 +usr/bin/vmware-checkvm 31588 +usr/lib/libvmtools.so.0.0.0 31587 +usr/lib/i386-linux-gnu/libicui18n.so.48.1.1 31586 +usr/local/bin/tails-get-bootinfo 31585 +sbin/start-stop-daemon 31584 +usr/sbin/rsyslogd 31583 +usr/lib/rsyslog/lmnet.so 31582 +usr/local/bin/tails-boot-to-kexec 31581 +etc/rsyslog.conf 31579 +usr/lib/rsyslog/imuxsock.so 31578 +usr/lib/rsyslog/imklog.so 31577 +etc/default/kexec 31576 +usr/lib/i386-linux-gnu/libicuuc.so.48.1.1 31575 +usr/lib/i386-linux-gnu/libicudata.so.48.1.1 31574 +usr/lib/i386-linux-gnu/libstdc++.so.6.0.17 31573 +etc/init.d/dbus 31572 +etc/default/dbus 31571 +usr/bin/dbus-uuidgen 31570 +usr/bin/dbus-daemon 31569 +lib/i386-linux-gnu/libsystemd-login.so.0.2.1 31568 +lib/i386-linux-gnu/libexpat.so.1.6.0 31567 +etc/dbus-1/system.conf 31566 +etc/dbus-1/system.d/ConsoleKit.conf 31565 +etc/dbus-1/system.d/com.hp.hplip.conf 31564 +etc/dbus-1/system.d/com.redhat.NewPrinterNotification.conf 31563 +etc/dbus-1/system.d/com.redhat.PrinterDriversInstaller.conf 31562 +etc/dbus-1/system.d/gdm.conf 31561 +etc/dbus-1/system.d/nm-avahi-autoipd.conf 31560 +etc/dbus-1/system.d/nm-dhcp-client.conf 31559 +etc/dbus-1/system.d/nm-dispatcher.conf 31558 +etc/dbus-1/system.d/org.freedesktop.Accounts.conf 31557 +etc/dbus-1/system.d/org.freedesktop.ModemManager.conf 31556 +etc/dbus-1/system.d/org.freedesktop.NetworkManager.conf 31555 +etc/dbus-1/system.d/org.freedesktop.PolicyKit1.conf 31554 +etc/dbus-1/system.d/org.freedesktop.UDisks.conf 31553 +etc/dbus-1/system.d/org.freedesktop.UPower.conf 31552 +etc/dbus-1/system.d/org.freedesktop.hostname1.conf 31551 +etc/dbus-1/system.d/org.freedesktop.locale1.conf 31550 +etc/dbus-1/system.d/org.freedesktop.login1.conf 31549 +etc/dbus-1/system.d/org.freedesktop.systemd1.conf 31548 +etc/dbus-1/system.d/org.freedesktop.timedate1.conf 31547 +etc/dbus-1/system.d/org.gnome.SettingsDaemon.DateTimeMechanism.conf 31546 +etc/dbus-1/system.d/org.opensuse.CupsPkHelper.Mechanism.conf 31545 +etc/dbus-1/system.d/pulseaudio-system.conf 31544 +etc/dbus-1/system.d/wpa_supplicant.conf 31543 +usr/share/dbus-1/system-services/com.hp.hplip.service 31542 +usr/share/dbus-1/system-services/fi.epitest.hostap.WPASupplicant.service 31541 +usr/share/dbus-1/system-services/fi.w1.wpa_supplicant1.service 31540 +usr/share/dbus-1/system-services/org.freedesktop.Accounts.service 31539 +usr/share/dbus-1/system-services/org.freedesktop.ConsoleKit.service 31538 +usr/share/dbus-1/system-services/org.freedesktop.ModemManager.service 31537 +usr/share/dbus-1/system-services/org.freedesktop.NetworkManager.service 31536 +usr/share/dbus-1/system-services/org.freedesktop.PolicyKit1.service 31535 +usr/share/dbus-1/system-services/org.freedesktop.UDisks.service 31534 +usr/share/dbus-1/system-services/org.freedesktop.UPower.service 31533 +usr/share/dbus-1/system-services/org.freedesktop.hostname1.service 31532 +usr/share/dbus-1/system-services/org.freedesktop.locale1.service 31531 +usr/share/dbus-1/system-services/org.freedesktop.login1.service 31530 +usr/share/dbus-1/system-services/org.freedesktop.nm_dispatcher.service 31529 +usr/share/dbus-1/system-services/org.freedesktop.systemd1.service 31528 +usr/share/dbus-1/system-services/org.freedesktop.timedate1.service 31527 +usr/share/dbus-1/system-services/org.gnome.SettingsDaemon.DateTimeMechanism.service 31526 +usr/share/dbus-1/system-services/org.opensuse.CupsPkHelper.Mechanism.service 31525 +etc/init.d/gdm3 31524 +etc/X11/default-display-manager 31523 +etc/gdm3/greeter.gsettings 31522 +usr/bin/dconf 31521 +usr/lib/i386-linux-gnu/libdconf.so.0.0.0 31520 +usr/share/gdm/dconf/00-upstream-settings 31519 +usr/share/gdm/dconf/locks/00-upstream-settings-locks 31518 +usr/sbin/gdm3 31517 +usr/lib/i386-linux-gnu/libXrandr.so.2.2.0 31516 +usr/lib/libaccountsservice.so.0.0.0 31515 +usr/lib/i386-linux-gnu/libXrender.so.1.3.0 31514 +etc/gdm3/daemon.conf 31513 +usr/share/gdm/gdm.schemas 31512 +usr/lib/gdm3/gdm-simple-slave 31510 +lib/libaudit.so.0.0.0 31509 +usr/lib/libxklavier.so.16.2.0 31508 +usr/lib/i386-linux-gnu/libxkbfile.so.1.0.2 31507 +usr/bin/Xorg 31504 +etc/init.d/bootlogs 31503 +usr/bin/savelog 31502 +usr/bin/dirname 31501 +bin/dmesg 31500 +etc/init.d/cron 31499 +etc/default/cron 31498 +usr/bin/tail 31497 +etc/environment 31496 +etc/timezone 31495 +usr/sbin/cron 31494 +etc/crontab 31492 +etc/init.d/cups 31490 +etc/default/cups 31489 +lib/i386-linux-gnu/libgcrypt.so.11.7.0 31488 +lib/modules/3.16.0-4-amd64/kernel/drivers/char/lp.ko 31487 +usr/lib/i386-linux-gnu/libpciaccess.so.0.11.1 31486 +usr/lib/i386-linux-gnu/libpixman-1.so.0.26.0 31485 +lib/modules/3.16.0-4-amd64/kernel/drivers/char/ppdev.ko 31484 +usr/sbin/cupsd 31483 +usr/lib/i386-linux-gnu/libcupsmime.so.1 31482 +usr/lib/i386-linux-gnu/libgnutls.so.26.22.4 31481 +usr/lib/libXfont.so.1.4.1 31480 +lib/i386-linux-gnu/libgpg-error.so.0.8.0 31479 +usr/lib/libslp.so.1.0.1 31478 +usr/lib/i386-linux-gnu/libldap_r-2.4.so.2.8.3 31477 +usr/lib/i386-linux-gnu/libpaper.so.1.1.2 31476 +usr/lib/i386-linux-gnu/libavahi-common.so.3.5.3 31475 +usr/lib/i386-linux-gnu/libavahi-client.so.3.2.9 31474 +usr/lib/i386-linux-gnu/libfreetype.so.6.8.1 31473 +usr/lib/i386-linux-gnu/libfontenc.so.1.0.0 31472 +usr/lib/i386-linux-gnu/libcups.so.2 31471 +usr/lib/i386-linux-gnu/libgssapi_krb5.so.2.2 31470 +usr/lib/i386-linux-gnu/libkrb5.so.3.3 31469 +usr/lib/xorg/protocol.txt 31468 +usr/share/X11/xorg.conf.d/10-evdev.conf 31467 +usr/share/X11/xorg.conf.d/50-synaptics.conf 31466 +usr/share/X11/xorg.conf.d/50-vmmouse.conf 31465 +usr/share/X11/xorg.conf.d/90-tails.conf 31464 +etc/X11/xorg.conf.d/disable-screen-blanking.conf 31463 +usr/lib/xorg/modules/extensions/libextmod.so 31462 +usr/lib/xorg/modules/extensions/libdbe.so 31461 +usr/lib/xorg/modules/extensions/libglx.so 31460 +usr/lib/xorg/modules/extensions/librecord.so 31459 +usr/lib/xorg/modules/extensions/libdri.so 31458 +usr/lib/i386-linux-gnu/libdrm.so.2.4.0 31457 +usr/lib/xorg/modules/extensions/libdri2.so 31456 +usr/lib/xorg/modules/drivers/vboxvideo_drv.so 31455 +usr/lib/xorg/modules/libfb.so 31454 +usr/lib/xorg/modules/libshadowfb.so 31453 +usr/lib/xorg/modules/libvgahw.so 31452 +usr/lib/i386-linux-gnu/libtasn1.so.3.1.16 31451 +usr/lib/i386-linux-gnu/libp11-kit.so.0.0.0 31450 +usr/lib/i386-linux-gnu/liblber-2.4.so.2.8.3 31449 +usr/lib/i386-linux-gnu/libsasl2.so.2.0.25 31448 +usr/lib/i386-linux-gnu/libk5crypto.so.3.1 31447 +lib/i386-linux-gnu/libcom_err.so.2.1 31446 +usr/lib/i386-linux-gnu/libkrb5support.so.0.1 31445 +lib/i386-linux-gnu/libkeyutils.so.1.4 31444 +etc/cups/cups-files.conf 31443 +etc/cups/cupsd.conf 31442 +etc/papersize 31441 +usr/share/cups/mime/command.types 31440 +usr/share/cups/mime/cupsfilters.types 31439 +usr/share/cups/mime/mime.types 31438 +usr/share/cups/mime/pstotiff.types 31437 +etc/cups/raw.types 31436 +usr/share/cups/mime/cupsfilters.convs 31435 +usr/share/cups/mime/gstoraster.convs 31434 +usr/share/cups/mime/mime.convs 31433 +usr/share/cups/mime/pstotiff.convs 31432 +etc/cups/raw.convs 31431 +usr/share/cups/banners/classified 31430 +usr/share/cups/banners/confidential 31429 +usr/share/cups/banners/secret 31428 +usr/share/cups/banners/standard 31427 +usr/share/cups/banners/topsecret 31426 +usr/share/cups/banners/unclassified 31425 +etc/pkcs11/modules/gnome-keyring-module 31424 +usr/lib/i386-linux-gnu/pkcs11/gnome-keyring-pkcs11.so 31423 +etc/init.d/ekeyd 31422 +etc/default/ekeyd 31421 +usr/sbin/ekeyd 31420 +usr/lib/i386-linux-gnu/liblua5.1.so.0.0.0 31419 +usr/share/lua/5.1/socket.lua 31418 +usr/lib/i386-linux-gnu/liblua5.1-socket.so.2.0.0 31417 +usr/lib/i386-linux-gnu/liblua5.1-socket-unix.so.2.0.0 31416 +etc/entropykey/ekeyd.conf 31415 +etc/entropykey/keyring 31414 +usr/lib/i386-linux-gnu/dri/swrast_dri.so 31412 +etc/init.d/haveged 31411 +etc/default/haveged 31410 +usr/sbin/haveged 31409 +etc/init.d/pcscd 31408 +usr/sbin/pcscd 31406 +etc/reader.conf.d/libccidtwin 31405 +etc/libccid_Info.plist 31404 +etc/init.d/rsync 31401 +etc/default/rsync 31400 +etc/init.d/saned 31399 +etc/default/saned 31398 +etc/init.d/speech-dispatcher 31397 +etc/default/speech-dispatcher 31396 +etc/init.d/spice-vdagent 31395 +etc/init.d/tails-reconfigure-memlockd 31394 +etc/memlockd.cfg 31393 +etc/init.d/memlockd 31392 +etc/default/memlockd 31391 +usr/sbin/memlockd 31390 +etc/init.d/tails-sdmem-on-media-removal 31389 +usr/bin/ldd 31388 +bin/chvt 31387 +bin/sleep 31386 +usr/local/sbin/udev-watchdog-wrapper 31385 +usr/bin/eject 31384 +etc/init.d/kexec-load 31383 +etc/init.d/tails-kexec 31382 +sbin/kexec 31381 +usr/bin/pgrep 31380 +lib/live/mount/medium/live/vmlinuz2 31379 +usr/local/sbin/udev-watchdog 31378 +lib/live/mount/medium/live/initrd2.img 31377 +usr/share/fonts/X11/misc/fonts.dir 31375 +usr/share/fonts/X11/misc/fonts.alias 31374 +usr/share/fonts/X11/100dpi/fonts.dir 31373 +usr/share/fonts/X11/100dpi/fonts.alias 31372 +usr/share/fonts/X11/75dpi/fonts.dir 31371 +usr/share/fonts/X11/75dpi/fonts.alias 31370 +usr/share/fonts/X11/Type1/fonts.dir 31369 +usr/share/fonts/X11/misc/6x13-ISO8859-1.pcf.gz 31368 +usr/share/fonts/X11/misc/cursor.pcf.gz 31367 +usr/share/X11/xkb/rules/evdev 31366 +usr/bin/xkbcomp 31365 +usr/share/X11/xkb/keycodes/evdev 31364 +usr/share/X11/xkb/keycodes/aliases 31363 +usr/share/X11/xkb/geometry/pc 31362 +usr/share/X11/xkb/types/complete 31361 +usr/share/X11/xkb/types/basic 31360 +usr/share/X11/xkb/types/mousekeys 31359 +usr/share/X11/xkb/types/pc 31358 +usr/share/X11/xkb/types/iso9995 31357 +usr/share/X11/xkb/types/level5 31356 +usr/share/X11/xkb/types/extra 31355 +usr/share/X11/xkb/types/numpad 31354 +usr/share/X11/xkb/compat/complete 31353 +usr/share/X11/xkb/compat/basic 31352 +usr/share/X11/xkb/compat/ledcaps 31351 +usr/share/X11/xkb/compat/lednum 31350 +usr/share/X11/xkb/compat/iso9995 31349 +usr/share/X11/xkb/compat/mousekeys 31348 +usr/share/X11/xkb/compat/accessx 31347 +usr/share/X11/xkb/compat/misc 31346 +usr/share/X11/xkb/compat/ledscroll 31345 +usr/share/X11/xkb/compat/xfree86 31344 +usr/share/X11/xkb/compat/level5 31343 +usr/share/X11/xkb/compat/caps 31342 +usr/share/X11/xkb/symbols/pc 31341 +usr/share/X11/xkb/symbols/srvr_ctrl 31340 +usr/share/X11/xkb/symbols/keypad 31339 +usr/share/X11/xkb/symbols/altwin 31338 +usr/share/X11/xkb/symbols/us 31337 +usr/share/X11/xkb/symbols/inet 31336 +usr/lib/xorg/modules/input/evdev_drv.so 31333 +usr/lib/i386-linux-gnu/libXcursor.so.1.0.2 31248 +usr/lib/i386-linux-gnu/libXfixes.so.3.1.0 31247 +usr/share/icons/DMZ-White/cursor.theme 31246 +usr/share/icons/DMZ-White/cursors/watch 31245 +usr/share/X11/xkb/rules/evdev.lst 31244 +usr/lib/ConsoleKit/ck-get-x11-display-device 31243 +etc/gdm3/Init/Default 31242 +usr/bin/dbus-launch 31241 +etc/dbus-1/session.conf 31240 +usr/share/dbus-1/services/ca.desrt.dconf.service 31239 +usr/share/dbus-1/services/gnome-vfs-daemon.service 31238 +usr/share/dbus-1/services/gvfs-daemon.service 31237 +usr/share/dbus-1/services/gvfs-metadata.service 31236 +usr/share/dbus-1/services/org.a11y.Bus.service 31235 +usr/share/dbus-1/services/org.a11y.atspi.Registry.service 31234 +usr/share/dbus-1/services/org.freedesktop.FileManager1.service 31233 +usr/share/dbus-1/services/org.freedesktop.gnome.Magnifier.service 31232 +usr/share/dbus-1/services/org.freedesktop.secrets.service 31231 +usr/share/dbus-1/services/org.gnome.FileRoller.service 31230 +usr/share/dbus-1/services/org.gnome.GConf.service 31229 +usr/share/dbus-1/services/org.gnome.Nautilus.service 31228 +usr/share/dbus-1/services/org.gnome.evince.Daemon.service 31227 +usr/share/dbus-1/services/org.gnome.evolution.dataserver.AddressBook.service 31226 +usr/share/dbus-1/services/org.gnome.evolution.dataserver.Calendar.service 31225 +usr/share/dbus-1/services/org.gnome.gedit.service 31224 +usr/share/dbus-1/services/org.gnome.keyring.PrivatePrompter.service 31223 +usr/share/dbus-1/services/org.gnome.keyring.SystemPrompter.service 31222 +usr/share/dbus-1/services/org.gnome.keyring.service 31221 +usr/share/dbus-1/services/org.gnome.panel.applet.ShutdownHelperFactory.service 31220 +usr/share/dbus-1/services/org.gnome.panel.applet.WindowPickerFactory.service 31219 +usr/share/dbus-1/services/org.gnome.seahorse.service 31218 +usr/share/dbus-1/services/org.gtk.GLib.PACRunner.service 31217 +usr/share/dbus-1/services/org.gtk.Private.AfcVolumeMonitor.service 31216 +usr/share/dbus-1/services/org.gtk.Private.GPhoto2VolumeMonitor.service 31215 +usr/share/dbus-1/services/org.gtk.Private.GduVolumeMonitor.service 31214 +usr/lib/gdm3/gdm-session-worker 31213 +usr/lib/dbus-1.0/dbus-daemon-launch-helper 31212 +usr/lib/accountsservice/accounts-daemon 31211 +usr/lib/i386-linux-gnu/libpolkit-gobject-1.so.0.0.0 31210 +usr/lib/i386-linux-gnu/gio/modules/giomodule.cache 31209 +usr/lib/i386-linux-gnu/gio/modules/libgvfsdbus.so 31208 +usr/lib/i386-linux-gnu/gvfs/libgvfscommon.so 31207 +usr/lib/i386-linux-gnu/libbluray.so.1.1.0 31206 +usr/lib/policykit-1/polkitd 31205 +usr/lib/i386-linux-gnu/libpolkit-backend-1.so.0.0.0 31204 +usr/lib/i386-linux-gnu/polkit-1/extensions/libnullbackend.so 31203 +etc/polkit-1/nullbackend.conf.d/50-nullbackend.conf 31202 +usr/sbin/console-kit-daemon 31201 +etc/ConsoleKit/seats.d/00-primary.seat 31200 +lib/udev/udev-acl 31199 +etc/pam.d/gdm3-autologin 31197 +lib/i386-linux-gnu/security/pam_nologin.so 31196 +lib/i386-linux-gnu/security/pam_succeed_if.so 31195 +lib/i386-linux-gnu/security/pam_selinux.so 31194 +lib/i386-linux-gnu/security/pam_limits.so 31193 +lib/i386-linux-gnu/security/pam_env.so 31192 +lib/i386-linux-gnu/security/pam_loginuid.so 31191 +usr/share/polkit-1/actions/com.hp.hplip.policy 31190 +usr/share/polkit-1/actions/com.ubuntu.pkexec.synaptic.policy 31189 +usr/share/polkit-1/actions/org.debian.pkexec.gnome-system-log.policy 31188 +usr/share/polkit-1/actions/org.freedesktop.NetworkManager.policy 31187 +usr/share/polkit-1/actions/org.freedesktop.accounts.policy 31186 +usr/share/polkit-1/actions/org.freedesktop.consolekit.policy 31185 +usr/share/polkit-1/actions/org.freedesktop.hostname1.policy 31184 +usr/share/polkit-1/actions/org.freedesktop.locale1.policy 31183 +usr/share/polkit-1/actions/org.freedesktop.login1.policy 31182 +usr/share/polkit-1/actions/org.freedesktop.modem-manager.policy 31181 +usr/share/polkit-1/actions/org.freedesktop.policykit.policy 31180 +usr/share/polkit-1/actions/org.freedesktop.systemd1.policy 31179 +usr/share/polkit-1/actions/org.freedesktop.timedate1.policy 31178 +usr/share/polkit-1/actions/org.freedesktop.udisks.policy 31177 +usr/share/polkit-1/actions/org.freedesktop.upower.policy 31176 +usr/share/polkit-1/actions/org.freedesktop.upower.qos.policy 31175 +usr/share/polkit-1/actions/org.gnome.settings-daemon.plugins.power.policy 31174 +usr/share/polkit-1/actions/org.gnome.settings-daemon.plugins.wacom.policy 31173 +usr/share/polkit-1/actions/org.gnome.settingsdaemon.datetimemechanism.policy 31172 +usr/share/polkit-1/actions/org.opensuse.cupspkhelper.mechanism.policy 31171 +etc/security/limits.conf 31170 +etc/security/pam_env.conf 31169 +usr/share/gdm/BuiltInSessions/default.desktop 31168 +usr/lib/ConsoleKit/ck-collect-session-info 31167 +usr/lib/ConsoleKit/ck-get-x11-server-pid 31166 +usr/lib/ConsoleKit/run-session.d/pam-foreground-compat.ck 31165 +usr/bin/getent 31164 +usr/bin/gnome-session 31155 +usr/lib/i386-linux-gnu/libgtk-3.so.0.400.2 31154 +usr/lib/i386-linux-gnu/libgdk-3.so.0.400.2 31153 +usr/lib/i386-linux-gnu/libcairo.so.2.11200.2 31152 +usr/lib/libupower-glib.so.1.0.2 31151 +usr/lib/i386-linux-gnu/libjson-glib-1.0.so.0.1400.2 31150 +usr/lib/i386-linux-gnu/libnotify.so.4.0.0 31149 +usr/lib/i386-linux-gnu/libgdk_pixbuf-2.0.so.0.2600.1 31148 +usr/lib/i386-linux-gnu/libpangocairo-1.0.so.0.3000.0 31147 +usr/lib/i386-linux-gnu/libXcomposite.so.1.0.0 31146 +usr/lib/i386-linux-gnu/libXdamage.so.1.1.0 31145 +usr/lib/i386-linux-gnu/libatk-1.0.so.0.20409.1 31144 +usr/lib/i386-linux-gnu/libcairo-gobject.so.2.11200.2 31143 +usr/lib/i386-linux-gnu/libpangoft2-1.0.so.0.3000.0 31142 +usr/lib/i386-linux-gnu/libpango-1.0.so.0.3000.0 31141 +usr/lib/i386-linux-gnu/libfontconfig.so.1.5.0 31140 +usr/lib/i386-linux-gnu/libXinerama.so.1.0.0 31139 +lib/i386-linux-gnu/libpng12.so.0.49.0 31138 +usr/lib/i386-linux-gnu/libxcb-shm.so.0.0.0 31137 +usr/lib/i386-linux-gnu/libxcb-render.so.0.0.0 31136 +usr/share/locale/en/LC_MESSAGES/gtk30.mo 31135 +usr/share/locale/en/LC_MESSAGES/gtk30-properties.mo 31134 +usr/share/glib-2.0/schemas/gschemas.compiled 31133 +usr/lib/i386-linux-gnu/gio/modules/libdconfsettings.so 31132 +usr/share/gdm/dconf-profile 31131 +usr/share/gdm/greeter/autostart/orca-autostart.desktop 31130 +etc/xdg/autostart/spice-vdagent.desktop 31129 +usr/share/gnome-session/sessions/gdm-fallback.session 31128 +usr/share/applications/metacity.desktop 31127 +usr/share/gdm/greeter/applications/gdm-simple-greeter.desktop 31126 +usr/share/gnome/autostart/gnome-settings-daemon.desktop 31125 +etc/xdg/autostart/polkit-gnome-authentication-agent-1.desktop 31124 +usr/lib/gnome-settings-daemon/gnome-settings-daemon 31123 +usr/lib/libgnome-desktop-3.so.2.1.4 31122 +usr/bin/spice-vdagent 31121 +usr/lib/gnome-settings-daemon-3.0/a11y-keyboard.gnome-settings-plugin 31120 +usr/lib/gnome-settings-daemon-3.0/a11y-settings.gnome-settings-plugin 31119 +usr/lib/gnome-settings-daemon-3.0/background.gnome-settings-plugin 31118 +usr/lib/gnome-settings-daemon-3.0/clipboard.gnome-settings-plugin 31117 +usr/lib/gnome-settings-daemon-3.0/color.gnome-settings-plugin 31116 +usr/lib/gnome-settings-daemon-3.0/cursor.gnome-settings-plugin 31115 +usr/lib/gnome-settings-daemon-3.0/housekeeping.gnome-settings-plugin 31114 +usr/lib/gnome-settings-daemon-3.0/keyboard.gnome-settings-plugin 31113 +usr/lib/gnome-settings-daemon-3.0/media-keys.gnome-settings-plugin 31112 +usr/lib/gnome-settings-daemon-3.0/mouse.gnome-settings-plugin 31111 +usr/lib/gnome-settings-daemon-3.0/orientation.gnome-settings-plugin 31110 +usr/lib/gnome-settings-daemon-3.0/power.gnome-settings-plugin 31109 +usr/lib/gnome-settings-daemon-3.0/print-notifications.gnome-settings-plugin 31108 +usr/lib/gnome-settings-daemon-3.0/smartcard.gnome-settings-plugin 31107 +usr/lib/gnome-settings-daemon-3.0/sound.gnome-settings-plugin 31106 +usr/lib/gnome-settings-daemon-3.0/updates.gnome-settings-plugin 31105 +usr/lib/gnome-settings-daemon-3.0/wacom.gnome-settings-plugin 31104 +usr/lib/gnome-settings-daemon-3.0/xrandr.gnome-settings-plugin 31103 +usr/lib/gnome-settings-daemon-3.0/xsettings.gnome-settings-plugin 31102 +usr/lib/gnome-settings-daemon-3.0/libpower.so 31101 +usr/lib/gnome-settings-daemon-3.0/libgsd.so 31100 +usr/lib/i386-linux-gnu/libcanberra-gtk3.so.0.1.8 31099 +usr/lib/i386-linux-gnu/libcanberra.so.0.2.5 31098 +usr/lib/i386-linux-gnu/libvorbisfile.so.3.3.4 31097 +usr/lib/i386-linux-gnu/libtdb.so.1.2.10 31096 +usr/lib/i386-linux-gnu/libltdl.so.7.3.0 31095 +usr/lib/upower/upowerd 31094 +lib/i386-linux-gnu/libusb-1.0.so.0.1.0 31093 +usr/lib/i386-linux-gnu/libgudev-1.0.so.0.1.1 31092 +usr/lib/libimobiledevice.so.2.0.1 31091 +usr/lib/libplist.so.1.1.8 31090 +usr/lib/libusbmuxd.so.1.0.7 31089 +etc/UPower/UPower.conf 31088 +usr/bin/pm-is-supported 31087 +usr/lib/pm-utils/pm-functions 31086 +usr/lib/pm-utils/defaults 31085 +usr/lib/pm-utils/functions 31084 +usr/lib/pm-utils/module.d/tuxonice 31083 +usr/lib/pm-utils/module.d/uswsusp 31082 +usr/sbin/pm-powersave 31081 +etc/polkit-1/localauthority/10-vendor.d/org.freedesktop.NetworkManager.pkla 31080 +etc/polkit-1/localauthority/10-vendor.d/org.boum.tails.pkla 31079 +etc/polkit-1/localauthority/10-vendor.d/org.boum.tails.accounts.pkla 31078 +usr/lib/gvfs/gvfsd 31077 +usr/lib/i386-linux-gnu/gvfs/libgvfsdaemon.so 31076 +usr/lib/i386-linux-gnu/libgnome-keyring.so.0.2.0 31075 +usr/share/gvfs/mounts/afc.mount 31074 +usr/share/gvfs/mounts/afp-browse.mount 31073 +usr/share/gvfs/mounts/afp.mount 31072 +usr/share/gvfs/mounts/archive.mount 31071 +usr/share/gvfs/mounts/burn.mount 31070 +usr/share/gvfs/mounts/cdda.mount 31069 +usr/share/gvfs/mounts/computer.mount 31068 +usr/share/gvfs/mounts/dav+sd.mount 31067 +usr/share/gvfs/mounts/dav.mount 31066 +usr/share/gvfs/mounts/dns-sd.mount 31065 +usr/share/gvfs/mounts/ftp.mount 31064 +usr/share/gvfs/mounts/gphoto2.mount 31063 +usr/share/gvfs/mounts/http.mount 31062 +usr/share/gvfs/mounts/localtest.mount 31061 +usr/share/gvfs/mounts/network.mount 31060 +usr/share/gvfs/mounts/obexftp.mount 31059 +usr/share/gvfs/mounts/sftp.mount 31058 +usr/share/gvfs/mounts/smb-browse.mount 31057 +usr/share/gvfs/mounts/smb.mount 31056 +usr/share/gvfs/mounts/trash.mount 31055 +usr/lib/i386-linux-gnu/gdk-pixbuf-2.0/2.10.0/loaders.cache 31054 +usr/share/icons/hicolor/index.theme 31053 +usr/share/icons/hicolor/36x36/emblems/emblem-debian.icon 31052 +usr/share/icons/gnome/index.theme 31051 +usr/bin/sort 31050 +usr/bin/uniq 31049 +usr/lib/pm-utils/power.d/95hdparm-apm 31048 +lib/hdparm/hdparm-functions 31047 +usr/lib/pm-utils/power.d/disable_wol 31046 +usr/lib/pm-utils/power.d/intel-audio-powersave 31045 +usr/lib/pm-utils/power.d/laptop-mode 31044 +usr/lib/pm-utils/power.d/pci_devices 31043 +usr/share/icons/gnome/scalable/status/battery-full-charged-symbolic.svg 31042 +usr/share/mime/mime.cache 31041 +usr/lib/i386-linux-gnu/gdk-pixbuf-2.0/2.10.0/loaders/libpixbufloader-svg.so 31040 +usr/lib/i386-linux-gnu/librsvg-2.so.2.36.1 31039 +usr/lib/i386-linux-gnu/libcroco-0.6.so.3.0.1 31038 +usr/lib/gnome-settings-daemon-3.0/liborientation.so 31037 +usr/lib/gnome-settings-daemon-3.0/libxsettings.so 31036 +usr/lib/gnome-settings-daemon-3.0/gtk-modules/at-spi2-atk.desktop 31035 +etc/fonts/fonts.conf 31034 +etc/fonts/conf.avail/10-autohint.conf 31033 +etc/fonts/conf.avail/10-sub-pixel-rgb.conf 31032 +etc/fonts/conf.avail/11-lcdfilter-default.conf 31031 +etc/fonts/conf.avail/12-hintstyle-hintslight.conf 31030 +etc/fonts/conf.avail/13-antialias.conf 31029 +etc/fonts/conf.avail/20-fix-globaladvance.conf 31028 +etc/fonts/conf.avail/20-unhint-small-vera.conf 31027 +etc/fonts/conf.avail/25-arphic-ukai-render.conf 31026 +etc/fonts/conf.avail/25-arphic-uming-render.conf 31025 +etc/fonts/conf.avail/30-metric-aliases.conf 31024 +etc/fonts/conf.avail/30-urw-aliases.conf 31023 +etc/fonts/conf.avail/35-arphic-ukai-aliases.conf 31022 +etc/fonts/conf.avail/35-arphic-uming-aliases.conf 31021 +etc/fonts/conf.avail/40-nonlatin.conf 31020 +etc/fonts/conf.avail/41-arphic-ukai.conf 31019 +etc/fonts/conf.avail/41-arphic-uming.conf 31018 +etc/fonts/conf.avail/45-latin.conf 31017 +etc/fonts/conf.avail/49-sansserif.conf 31016 +etc/fonts/conf.avail/50-user.conf 31015 +etc/fonts/conf.avail/51-local.conf 31014 +etc/fonts/conf.avail/60-latin.conf 31013 +etc/fonts/conf.avail/64-01-tlwg-kinnari.conf 31012 +etc/fonts/conf.avail/64-02-tlwg-norasi.conf 31011 +etc/fonts/conf.avail/64-11-tlwg-waree.conf 31010 +etc/fonts/conf.avail/64-12-tlwg-loma.conf 31009 +etc/fonts/conf.avail/64-13-tlwg-garuda.conf 31008 +etc/fonts/conf.avail/64-14-tlwg-umpush.conf 31007 +etc/fonts/conf.avail/64-21-tlwg-typo.conf 31006 +etc/fonts/conf.avail/64-22-tlwg-typist.conf 31005 +etc/fonts/conf.avail/64-23-tlwg-mono.conf 31004 +etc/fonts/conf.avail/64-arphic-uming.conf 31003 +etc/fonts/conf.avail/65-0-fonts-beng-extra.conf/65-0-fonts-beng-extra.conf 31002 +etc/fonts/conf.avail/65-0-fonts-deva-extra.conf 31001 +etc/fonts/conf.avail/65-0-fonts-gubbi.conf 31000 +etc/fonts/conf.avail/65-0-fonts-gujr-extra.conf 30999 +etc/fonts/conf.avail/65-0-fonts-guru-extra.conf 30998 +etc/fonts/conf.avail/65-0-fonts-orya-extra.conf 30997 +etc/fonts/conf.avail/65-0-fonts-pagul.conf 30996 +etc/fonts/conf.avail/65-0-fonts-telu-extra.conf 30995 +etc/fonts/conf.avail/65-culmus.conf 30994 +etc/fonts/conf.avail/65-fonts-persian.conf 30993 +etc/fonts/conf.d/65-khmer.conf 30992 +etc/fonts/conf.avail/65-nonlatin.conf 30991 +etc/fonts/conf.avail/69-unifont.conf 30990 +etc/fonts/conf.avail/70-no-bitmaps.conf 30989 +etc/fonts/conf.avail/75-arphic-ukai-select.conf 30988 +etc/fonts/conf.avail/80-delicious.conf 30987 +etc/fonts/conf.avail/85-xfonts-wqy.conf/85-wqy-bitmapsong.conf 30986 +etc/fonts/conf.avail/89-tlwg-garuda-synthetic.conf 30985 +etc/fonts/conf.avail/89-tlwg-kinnari-synthetic.conf 30984 +etc/fonts/conf.avail/89-tlwg-loma-synthetic.conf 30983 +etc/fonts/conf.avail/89-tlwg-umpush-synthetic.conf 30982 +etc/fonts/conf.avail/89-tlwg-waree-synthetic.conf 30981 +etc/fonts/conf.avail/90-arphic-ukai-embolden.conf 30980 +etc/fonts/conf.avail/90-arphic-uming-embolden.conf 30979 +etc/fonts/conf.avail/90-fonts-linux-libertine.conf 30978 +etc/fonts/conf.avail/90-fonts-unfonts-core.conf 30977 +etc/fonts/conf.avail/90-synthetic.conf 30976 +etc/fonts/conf.d/99pdftoopvp.conf 30975 +var/cache/fontconfig/3830d5c3ddfd5cd38a049b759396e72e-le32d4.cache-3 30974 +var/cache/fontconfig/4c599c202bc5c08e2d34565a40eac3b2-le32d4.cache-3 30973 +var/cache/fontconfig/c855463f699352c367813e37f3f70ea7-le32d4.cache-3 30972 +var/cache/fontconfig/57e423e26b20ab21d0f2f29c145174c3-le32d4.cache-3 30971 +var/cache/fontconfig/573ec803664ed168555e0e8b6d0f0c7f-le32d4.cache-3 30970 +var/cache/fontconfig/7ef2298fde41cc6eeb7af42e48b7d293-le32d4.cache-3 30969 +var/cache/fontconfig/d82eb4fd963d448e2fcb7d7b793b5df3-le32d4.cache-3 30968 +var/cache/fontconfig/21a99156bb11811cef641abeda519a45-le32d4.cache-3 30967 +var/cache/fontconfig/eeebfc908bd29a90773fd860017aada4-le32d4.cache-3 30966 +var/cache/fontconfig/e13b20fdb08344e0e664864cc2ede53d-le32d4.cache-3 30965 +var/cache/fontconfig/707971e003b4ae6c8121c3a920e507f5-le32d4.cache-3 30964 +var/cache/fontconfig/cabbd14511b9e8a55e92af97fb3a0461-le32d4.cache-3 30963 +usr/lib/pm-utils/power.d/pcie_aspm 30962 +usr/share/fonts/X11/misc/10x20-ISO8859-1.pcf.gz 30961 +usr/share/fonts/X11/misc/10x20-ISO8859-10.pcf.gz 30960 +usr/share/fonts/X11/misc/10x20-ISO8859-11.pcf.gz 30959 +usr/share/fonts/X11/misc/10x20-ISO8859-13.pcf.gz 30958 +usr/share/fonts/X11/misc/10x20-ISO8859-14.pcf.gz 30957 +usr/share/fonts/X11/misc/10x20-ISO8859-15.pcf.gz 30956 +usr/share/fonts/X11/misc/10x20-ISO8859-16.pcf.gz 30955 +usr/share/fonts/X11/misc/10x20-ISO8859-2.pcf.gz 30954 +usr/share/fonts/X11/misc/10x20-ISO8859-3.pcf.gz 30953 +usr/lib/pm-utils/power.d/sata_alpm 30952 +usr/share/fonts/X11/misc/10x20-ISO8859-4.pcf.gz 30951 +usr/share/fonts/X11/misc/10x20-ISO8859-5.pcf.gz 30950 +usr/share/fonts/X11/misc/10x20-ISO8859-7.pcf.gz 30949 +usr/share/fonts/X11/misc/10x20-ISO8859-8.pcf.gz 30948 +usr/share/fonts/X11/misc/10x20-ISO8859-9.pcf.gz 30947 +usr/share/fonts/X11/misc/10x20-KOI8-R.pcf.gz 30946 +usr/share/fonts/X11/misc/10x20.pcf.gz 30945 +usr/lib/pm-utils/power.d/sched-powersave 30944 +usr/lib/pm-utils/power.d/usb_bluetooth 30943 +usr/share/fonts/X11/misc/10x20c_r.pcf.gz 30942 +usr/share/fonts/X11/misc/12x13ja.pcf.gz 30941 +usr/lib/pm-utils/power.d/wireless 30940 +usr/lib/pm-utils/power.d/xfs_buffer 30939 +usr/share/fonts/X11/misc/12x24.pcf.gz 30938 +usr/share/fonts/X11/misc/12x24c_r.pcf.gz 30937 +usr/share/fonts/X11/misc/12x24rk.pcf.gz 30936 +usr/share/fonts/X11/misc/18x18ja.pcf.gz 30935 +usr/share/fonts/X11/misc/18x18ko.pcf.gz 30934 +usr/share/fonts/X11/misc/4x6-ISO8859-1.pcf.gz 30933 +usr/share/fonts/X11/misc/4x6-ISO8859-10.pcf.gz 30932 +usr/share/fonts/X11/misc/4x6-ISO8859-13.pcf.gz 30931 +usr/share/fonts/X11/misc/4x6-ISO8859-14.pcf.gz 30930 +usr/share/fonts/X11/misc/4x6-ISO8859-15.pcf.gz 30929 +usr/share/fonts/X11/misc/4x6-ISO8859-16.pcf.gz 30928 +usr/share/fonts/X11/misc/4x6-ISO8859-2.pcf.gz 30927 +usr/share/fonts/X11/misc/4x6-ISO8859-3.pcf.gz 30926 +usr/share/fonts/X11/misc/4x6-ISO8859-4.pcf.gz 30925 +usr/share/fonts/X11/misc/4x6-ISO8859-5.pcf.gz 30924 +usr/share/fonts/X11/misc/4x6-ISO8859-7.pcf.gz 30923 +usr/share/fonts/X11/misc/4x6-ISO8859-8.pcf.gz 30922 +usr/share/fonts/X11/misc/4x6-ISO8859-9.pcf.gz 30921 +usr/share/fonts/X11/misc/4x6-KOI8-R.pcf.gz 30920 +usr/share/fonts/X11/misc/4x6.pcf.gz 30919 +usr/share/fonts/X11/misc/5x7-ISO8859-1.pcf.gz 30918 +usr/share/fonts/X11/misc/5x7-ISO8859-10.pcf.gz 30917 +usr/share/fonts/X11/misc/5x7-ISO8859-13.pcf.gz 30916 +usr/share/fonts/X11/misc/5x7-ISO8859-14.pcf.gz 30915 +usr/share/fonts/X11/misc/5x7-ISO8859-15.pcf.gz 30914 +usr/share/fonts/X11/misc/5x7-ISO8859-16.pcf.gz 30913 +usr/share/fonts/X11/misc/5x7-ISO8859-2.pcf.gz 30912 +usr/share/fonts/X11/misc/5x7-ISO8859-3.pcf.gz 30911 +usr/share/fonts/X11/misc/5x7-ISO8859-4.pcf.gz 30910 +usr/share/fonts/X11/misc/5x7-ISO8859-5.pcf.gz 30909 +usr/share/fonts/X11/misc/5x7-ISO8859-7.pcf.gz 30908 +usr/share/fonts/X11/misc/5x7-ISO8859-8.pcf.gz 30907 +usr/share/fonts/X11/misc/5x7-ISO8859-9.pcf.gz 30906 +usr/share/fonts/X11/misc/5x7-KOI8-R.pcf.gz 30905 +usr/share/fonts/X11/misc/5x7.pcf.gz 30904 +usr/share/fonts/X11/misc/5x7c_r.pcf.gz 30903 +usr/share/fonts/X11/misc/5x8-ISO8859-1.pcf.gz 30902 +usr/share/fonts/X11/misc/5x8-ISO8859-10.pcf.gz 30901 +usr/share/fonts/X11/misc/5x8-ISO8859-13.pcf.gz 30900 +usr/share/fonts/X11/misc/5x8-ISO8859-14.pcf.gz 30899 +usr/share/fonts/X11/misc/5x8-ISO8859-15.pcf.gz 30898 +usr/share/fonts/X11/misc/5x8-ISO8859-16.pcf.gz 30897 +usr/share/fonts/X11/misc/5x8-ISO8859-2.pcf.gz 30896 +usr/share/fonts/X11/misc/5x8-ISO8859-3.pcf.gz 30895 +usr/share/fonts/X11/misc/5x8-ISO8859-4.pcf.gz 30894 +usr/share/fonts/X11/misc/5x8-ISO8859-5.pcf.gz 30893 +usr/share/fonts/X11/misc/5x8-ISO8859-7.pcf.gz 30892 +usr/share/fonts/X11/misc/5x8-ISO8859-8.pcf.gz 30891 +usr/share/fonts/X11/misc/5x8-ISO8859-9.pcf.gz 30890 +usr/share/fonts/X11/misc/5x8-KOI8-R.pcf.gz 30889 +usr/share/fonts/X11/misc/5x8.pcf.gz 30888 +usr/share/fonts/X11/misc/6x10-ISO8859-1.pcf.gz 30887 +usr/share/fonts/X11/misc/6x10-ISO8859-10.pcf.gz 30886 +usr/share/fonts/X11/misc/6x10-ISO8859-13.pcf.gz 30885 +usr/share/fonts/X11/misc/6x10-ISO8859-14.pcf.gz 30884 +usr/share/fonts/X11/misc/6x10-ISO8859-15.pcf.gz 30883 +usr/share/fonts/X11/misc/6x10-ISO8859-16.pcf.gz 30882 +usr/share/fonts/X11/misc/6x10-ISO8859-2.pcf.gz 30881 +usr/share/fonts/X11/misc/6x10-ISO8859-3.pcf.gz 30880 +usr/share/fonts/X11/misc/6x10-ISO8859-4.pcf.gz 30879 +usr/share/fonts/X11/misc/6x10-ISO8859-5.pcf.gz 30878 +usr/share/fonts/X11/misc/6x10-ISO8859-7.pcf.gz 30877 +usr/share/fonts/X11/misc/6x10-ISO8859-8.pcf.gz 30876 +usr/share/fonts/X11/misc/6x10-ISO8859-9.pcf.gz 30875 +usr/share/fonts/X11/misc/6x10-KOI8-R.pcf.gz 30874 +usr/share/fonts/X11/misc/6x10.pcf.gz 30873 +usr/share/fonts/X11/misc/6x10c_r.pcf.gz 30872 +usr/share/fonts/X11/misc/6x12-ISO8859-1.pcf.gz 30871 +usr/share/fonts/X11/misc/6x12-ISO8859-10.pcf.gz 30870 +usr/share/fonts/X11/misc/6x12-ISO8859-13.pcf.gz 30869 +usr/share/fonts/X11/misc/6x12-ISO8859-14.pcf.gz 30868 +usr/share/fonts/X11/misc/6x12-ISO8859-15.pcf.gz 30867 +usr/share/fonts/X11/misc/6x12-ISO8859-16.pcf.gz 30866 +usr/share/fonts/X11/misc/6x12-ISO8859-2.pcf.gz 30865 +usr/share/fonts/X11/misc/6x12-ISO8859-3.pcf.gz 30864 +usr/share/fonts/X11/misc/6x12-ISO8859-4.pcf.gz 30863 +usr/share/fonts/X11/misc/6x12-ISO8859-5.pcf.gz 30862 +usr/share/fonts/X11/misc/6x12-ISO8859-7.pcf.gz 30861 +usr/share/fonts/X11/misc/6x12-ISO8859-8.pcf.gz 30860 +usr/share/fonts/X11/misc/6x12-ISO8859-9.pcf.gz 30859 +usr/share/fonts/X11/misc/6x12-KOI8-R.pcf.gz 30858 +usr/share/fonts/X11/misc/6x12.pcf.gz 30857 +usr/share/fonts/X11/misc/6x13-ISO8859-10.pcf.gz 30856 +usr/share/fonts/X11/misc/6x13-ISO8859-11.pcf.gz 30855 +usr/share/fonts/X11/misc/6x13-ISO8859-13.pcf.gz 30854 +usr/share/fonts/X11/misc/6x13-ISO8859-14.pcf.gz 30853 +usr/share/fonts/X11/misc/6x13-ISO8859-15.pcf.gz 30852 +usr/share/fonts/X11/misc/6x13-ISO8859-16.pcf.gz 30851 +usr/share/fonts/X11/misc/6x13-ISO8859-2.pcf.gz 30850 +usr/share/fonts/X11/misc/6x13-ISO8859-3.pcf.gz 30849 +usr/share/fonts/X11/misc/6x13-ISO8859-4.pcf.gz 30848 +usr/share/fonts/X11/misc/6x13-ISO8859-5.pcf.gz 30847 +usr/share/fonts/X11/misc/6x13-ISO8859-7.pcf.gz 30846 +usr/share/fonts/X11/misc/6x13-ISO8859-8.pcf.gz 30845 +usr/share/fonts/X11/misc/6x13-ISO8859-9.pcf.gz 30844 +usr/share/fonts/X11/misc/6x13-KOI8-R.pcf.gz 30843 +usr/share/fonts/X11/misc/6x13.pcf.gz 30842 +usr/share/fonts/X11/misc/6x13B-ISO8859-1.pcf.gz 30841 +usr/share/fonts/X11/misc/6x13B-ISO8859-10.pcf.gz 30840 +usr/share/fonts/X11/misc/6x13B-ISO8859-13.pcf.gz 30839 +usr/share/fonts/X11/misc/6x13B-ISO8859-14.pcf.gz 30838 +usr/share/fonts/X11/misc/6x13B-ISO8859-15.pcf.gz 30837 +usr/share/fonts/X11/misc/6x13B-ISO8859-16.pcf.gz 30836 +usr/share/fonts/X11/misc/6x13B-ISO8859-2.pcf.gz 30835 +usr/share/fonts/X11/misc/6x13B-ISO8859-3.pcf.gz 30834 +usr/share/fonts/X11/misc/6x13B-ISO8859-4.pcf.gz 30833 +usr/share/fonts/X11/misc/6x13B-ISO8859-5.pcf.gz 30832 +usr/share/fonts/X11/misc/6x13B-ISO8859-7.pcf.gz 30831 +usr/share/fonts/X11/misc/6x13B-ISO8859-8.pcf.gz 30830 +usr/share/fonts/X11/misc/6x13B-ISO8859-9.pcf.gz 30829 +usr/share/fonts/X11/misc/6x13B.pcf.gz 30828 +usr/share/fonts/X11/misc/6x13Bc_r.pcf.gz 30827 +usr/share/fonts/X11/misc/6x13O-ISO8859-1.pcf.gz 30826 +usr/share/fonts/X11/misc/6x13O-ISO8859-10.pcf.gz 30825 +usr/share/fonts/X11/misc/6x13O-ISO8859-13.pcf.gz 30824 +usr/share/fonts/X11/misc/6x13O-ISO8859-14.pcf.gz 30823 +usr/share/fonts/X11/misc/6x13O-ISO8859-15.pcf.gz 30822 +usr/share/fonts/X11/misc/6x13O-ISO8859-16.pcf.gz 30821 +usr/share/fonts/X11/misc/6x13O-ISO8859-2.pcf.gz 30820 +usr/share/fonts/X11/misc/6x13O-ISO8859-3.pcf.gz 30819 +usr/share/fonts/X11/misc/6x13O-ISO8859-4.pcf.gz 30818 +usr/share/fonts/X11/misc/6x13O-ISO8859-5.pcf.gz 30817 +usr/share/fonts/X11/misc/6x13O-ISO8859-7.pcf.gz 30816 +usr/share/fonts/X11/misc/6x13O-ISO8859-9.pcf.gz 30815 +usr/share/fonts/X11/misc/6x13O.pcf.gz 30814 +usr/share/fonts/X11/misc/6x13c_r.pcf.gz 30813 +usr/share/fonts/X11/misc/6x9-ISO8859-1.pcf.gz 30812 +usr/share/fonts/X11/misc/6x9-ISO8859-10.pcf.gz 30811 +usr/share/fonts/X11/misc/6x9-ISO8859-13.pcf.gz 30810 +usr/share/fonts/X11/misc/6x9-ISO8859-14.pcf.gz 30809 +usr/share/fonts/X11/misc/6x9-ISO8859-15.pcf.gz 30808 +usr/share/fonts/X11/misc/6x9-ISO8859-16.pcf.gz 30807 +usr/share/fonts/X11/misc/6x9-ISO8859-2.pcf.gz 30806 +usr/share/fonts/X11/misc/6x9-ISO8859-3.pcf.gz 30805 +usr/share/fonts/X11/misc/6x9-ISO8859-4.pcf.gz 30804 +usr/share/fonts/X11/misc/6x9-ISO8859-5.pcf.gz 30803 +usr/share/fonts/X11/misc/6x9-ISO8859-7.pcf.gz 30802 +usr/share/fonts/X11/misc/6x9-ISO8859-8.pcf.gz 30801 +usr/share/fonts/X11/misc/6x9-ISO8859-9.pcf.gz 30800 +usr/share/fonts/X11/misc/6x9-KOI8-R.pcf.gz 30799 +usr/share/fonts/X11/misc/6x9.pcf.gz 30798 +usr/share/fonts/X11/misc/7x13-ISO8859-1.pcf.gz 30797 +usr/share/fonts/X11/misc/7x13-ISO8859-10.pcf.gz 30796 +usr/share/fonts/X11/misc/7x13-ISO8859-11.pcf.gz 30795 +usr/share/fonts/X11/misc/7x13-ISO8859-13.pcf.gz 30794 +usr/share/fonts/X11/misc/7x13-ISO8859-14.pcf.gz 30793 +usr/share/fonts/X11/misc/7x13-ISO8859-15.pcf.gz 30792 +usr/share/fonts/X11/misc/7x13-ISO8859-16.pcf.gz 30791 +usr/share/fonts/X11/misc/7x13-ISO8859-2.pcf.gz 30790 +usr/share/fonts/X11/misc/7x13-ISO8859-3.pcf.gz 30789 +usr/share/fonts/X11/misc/7x13-ISO8859-4.pcf.gz 30788 +usr/share/fonts/X11/misc/7x13-ISO8859-5.pcf.gz 30787 +usr/share/fonts/X11/misc/7x13-ISO8859-7.pcf.gz 30786 +usr/share/fonts/X11/misc/7x13-ISO8859-8.pcf.gz 30785 +usr/share/fonts/X11/misc/7x13-ISO8859-9.pcf.gz 30784 +usr/share/fonts/X11/misc/7x13-KOI8-R.pcf.gz 30783 +usr/share/fonts/X11/misc/7x13.pcf.gz 30782 +usr/share/fonts/X11/misc/7x13B-ISO8859-1.pcf.gz 30781 +usr/share/fonts/X11/misc/7x13B-ISO8859-10.pcf.gz 30780 +usr/share/fonts/X11/misc/7x13B-ISO8859-11.pcf.gz 30779 +usr/share/fonts/X11/misc/7x13B-ISO8859-13.pcf.gz 30778 +usr/share/fonts/X11/misc/7x13B-ISO8859-14.pcf.gz 30777 +usr/share/fonts/X11/misc/7x13B-ISO8859-15.pcf.gz 30776 +usr/share/fonts/X11/misc/7x13B-ISO8859-16.pcf.gz 30775 +usr/share/fonts/X11/misc/7x13B-ISO8859-2.pcf.gz 30774 +usr/share/fonts/X11/misc/7x13B-ISO8859-3.pcf.gz 30773 +usr/share/fonts/X11/misc/7x13B-ISO8859-4.pcf.gz 30772 +usr/share/fonts/X11/misc/7x13B-ISO8859-5.pcf.gz 30771 +usr/share/fonts/X11/misc/7x13B-ISO8859-7.pcf.gz 30770 +usr/share/fonts/X11/misc/7x13B-ISO8859-8.pcf.gz 30769 +usr/share/fonts/X11/misc/7x13B-ISO8859-9.pcf.gz 30768 +usr/share/fonts/X11/misc/7x13B.pcf.gz 30767 +usr/share/fonts/X11/misc/7x13Bc_r.pcf.gz 30766 +usr/share/fonts/X11/misc/7x13O-ISO8859-1.pcf.gz 30765 +usr/share/fonts/X11/misc/7x13O-ISO8859-10.pcf.gz 30764 +usr/share/fonts/X11/misc/7x13O-ISO8859-11.pcf.gz 30763 +usr/share/fonts/X11/misc/7x13O-ISO8859-13.pcf.gz 30762 +usr/share/fonts/X11/misc/7x13O-ISO8859-14.pcf.gz 30761 +usr/share/fonts/X11/misc/7x13O-ISO8859-15.pcf.gz 30760 +usr/share/fonts/X11/misc/7x13O-ISO8859-16.pcf.gz 30759 +usr/share/fonts/X11/misc/7x13O-ISO8859-2.pcf.gz 30758 +usr/share/fonts/X11/misc/7x13O-ISO8859-3.pcf.gz 30757 +usr/share/fonts/X11/misc/7x13O-ISO8859-4.pcf.gz 30756 +usr/share/fonts/X11/misc/7x13O-ISO8859-5.pcf.gz 30755 +usr/share/fonts/X11/misc/7x13O-ISO8859-7.pcf.gz 30754 +usr/share/fonts/X11/misc/7x13O-ISO8859-9.pcf.gz 30753 +usr/share/fonts/X11/misc/7x13O.pcf.gz 30752 +usr/share/fonts/X11/misc/7x13c_r.pcf.gz 30751 +usr/share/fonts/X11/misc/7x14-ISO8859-1.pcf.gz 30750 +usr/share/fonts/X11/misc/7x14-ISO8859-10.pcf.gz 30749 +usr/share/fonts/X11/misc/7x14-ISO8859-11.pcf.gz 30748 +usr/share/fonts/X11/misc/7x14-ISO8859-13.pcf.gz 30747 +usr/share/fonts/X11/misc/7x14-ISO8859-14.pcf.gz 30746 +usr/share/fonts/X11/misc/7x14-ISO8859-15.pcf.gz 30745 +usr/share/fonts/X11/misc/7x14-ISO8859-16.pcf.gz 30744 +usr/share/fonts/X11/misc/7x14-ISO8859-2.pcf.gz 30743 +usr/share/fonts/X11/misc/7x14-ISO8859-3.pcf.gz 30742 +usr/share/fonts/X11/misc/7x14-ISO8859-4.pcf.gz 30741 +usr/share/fonts/X11/misc/7x14-ISO8859-5.pcf.gz 30740 +usr/share/fonts/X11/misc/7x14-ISO8859-7.pcf.gz 30739 +usr/share/fonts/X11/misc/7x14-ISO8859-8.pcf.gz 30738 +usr/share/fonts/X11/misc/7x14-ISO8859-9.pcf.gz 30737 +usr/share/fonts/X11/misc/7x14-JISX0201.1976-0.pcf.gz 30736 +usr/share/fonts/X11/misc/7x14-KOI8-R.pcf.gz 30735 +usr/share/fonts/X11/misc/7x14.pcf.gz 30734 +usr/share/fonts/X11/misc/7x14B-ISO8859-1.pcf.gz 30733 +usr/share/fonts/X11/misc/7x14B-ISO8859-10.pcf.gz 30732 +usr/share/fonts/X11/misc/7x14B-ISO8859-11.pcf.gz 30731 +usr/share/fonts/X11/misc/7x14B-ISO8859-13.pcf.gz 30730 +usr/share/fonts/X11/misc/7x14B-ISO8859-14.pcf.gz 30729 +usr/share/fonts/X11/misc/7x14B-ISO8859-15.pcf.gz 30728 +usr/share/fonts/X11/misc/7x14B-ISO8859-16.pcf.gz 30727 +usr/share/fonts/X11/misc/7x14B-ISO8859-2.pcf.gz 30726 +usr/share/fonts/X11/misc/7x14B-ISO8859-3.pcf.gz 30725 +usr/share/fonts/X11/misc/7x14B-ISO8859-4.pcf.gz 30724 +usr/share/fonts/X11/misc/7x14B-ISO8859-5.pcf.gz 30723 +usr/share/fonts/X11/misc/7x14B-ISO8859-7.pcf.gz 30722 +usr/share/fonts/X11/misc/7x14B-ISO8859-8.pcf.gz 30721 +usr/share/fonts/X11/misc/7x14B-ISO8859-9.pcf.gz 30720 +usr/share/fonts/X11/misc/7x14B.pcf.gz 30719 +usr/share/fonts/X11/misc/7x14Bc_r.pcf.gz 30718 +usr/share/fonts/X11/misc/7x14c_r.pcf.gz 30717 +usr/share/fonts/X11/misc/8x13-ISO8859-1.pcf.gz 30716 +usr/share/fonts/X11/misc/8x13-ISO8859-10.pcf.gz 30715 +usr/share/fonts/X11/misc/8x13-ISO8859-13.pcf.gz 30714 +usr/share/fonts/X11/misc/8x13-ISO8859-14.pcf.gz 30713 +usr/share/fonts/X11/misc/8x13-ISO8859-15.pcf.gz 30712 +usr/share/fonts/X11/misc/8x13-ISO8859-16.pcf.gz 30711 +usr/share/fonts/X11/misc/8x13-ISO8859-2.pcf.gz 30710 +usr/share/fonts/X11/misc/8x13-ISO8859-3.pcf.gz 30709 +usr/share/fonts/X11/misc/8x13-ISO8859-4.pcf.gz 30708 +usr/share/fonts/X11/misc/8x13-ISO8859-5.pcf.gz 30707 +usr/share/fonts/X11/misc/8x13-ISO8859-7.pcf.gz 30706 +usr/share/fonts/X11/misc/8x13-ISO8859-8.pcf.gz 30705 +usr/share/fonts/X11/misc/8x13-ISO8859-9.pcf.gz 30704 +usr/share/fonts/X11/misc/8x13-KOI8-R.pcf.gz 30703 +usr/share/fonts/X11/misc/8x13.pcf.gz 30702 +usr/share/fonts/X11/misc/8x13B-ISO8859-1.pcf.gz 30701 +usr/share/fonts/X11/misc/8x13B-ISO8859-10.pcf.gz 30700 +usr/share/fonts/X11/misc/8x13B-ISO8859-13.pcf.gz 30699 +usr/share/fonts/X11/misc/8x13B-ISO8859-14.pcf.gz 30698 +usr/share/fonts/X11/misc/8x13B-ISO8859-15.pcf.gz 30697 +usr/share/fonts/X11/misc/8x13B-ISO8859-16.pcf.gz 30696 +usr/share/fonts/X11/misc/8x13B-ISO8859-2.pcf.gz 30695 +usr/share/fonts/X11/misc/8x13B-ISO8859-3.pcf.gz 30694 +usr/share/fonts/X11/misc/8x13B-ISO8859-4.pcf.gz 30693 +usr/share/fonts/X11/misc/8x13B-ISO8859-5.pcf.gz 30692 +usr/share/fonts/X11/misc/8x13B-ISO8859-7.pcf.gz 30691 +usr/share/fonts/X11/misc/8x13B-ISO8859-8.pcf.gz 30690 +usr/share/fonts/X11/misc/8x13B-ISO8859-9.pcf.gz 30689 +usr/share/fonts/X11/misc/8x13B.pcf.gz 30688 +usr/share/fonts/X11/misc/8x13Bc_r.pcf.gz 30687 +usr/share/fonts/X11/misc/8x13O-ISO8859-1.pcf.gz 30686 +usr/share/fonts/X11/misc/8x13O-ISO8859-10.pcf.gz 30685 +usr/share/fonts/X11/misc/8x13O-ISO8859-13.pcf.gz 30684 +usr/share/fonts/X11/misc/8x13O-ISO8859-14.pcf.gz 30683 +usr/share/fonts/X11/misc/8x13O-ISO8859-15.pcf.gz 30682 +usr/share/fonts/X11/misc/8x13O-ISO8859-16.pcf.gz 30681 +usr/share/fonts/X11/misc/8x13O-ISO8859-2.pcf.gz 30680 +usr/share/fonts/X11/misc/8x13O-ISO8859-3.pcf.gz 30679 +usr/share/fonts/X11/misc/8x13O-ISO8859-4.pcf.gz 30678 +usr/share/fonts/X11/misc/8x13O-ISO8859-5.pcf.gz 30677 +usr/share/fonts/X11/misc/8x13O-ISO8859-7.pcf.gz 30676 +usr/share/fonts/X11/misc/8x13O-ISO8859-9.pcf.gz 30675 +usr/share/fonts/X11/misc/8x13O.pcf.gz 30674 +usr/share/fonts/X11/misc/8x13c_r.pcf.gz 30673 +usr/share/fonts/X11/misc/8x16.pcf.gz 30672 +usr/share/fonts/X11/misc/8x16c_r.pcf.gz 30671 +usr/share/fonts/X11/misc/8x16rk.pcf.gz 30670 +usr/share/fonts/X11/misc/9x15-ISO8859-1.pcf.gz 30669 +usr/share/fonts/X11/misc/9x15-ISO8859-10.pcf.gz 30668 +usr/share/fonts/X11/misc/9x15-ISO8859-11.pcf.gz 30667 +usr/share/fonts/X11/misc/9x15-ISO8859-13.pcf.gz 30666 +usr/share/fonts/X11/misc/9x15-ISO8859-14.pcf.gz 30665 +usr/share/fonts/X11/misc/9x15-ISO8859-15.pcf.gz 30664 +usr/share/fonts/X11/misc/9x15-ISO8859-16.pcf.gz 30663 +usr/share/fonts/X11/misc/9x15-ISO8859-2.pcf.gz 30662 +usr/share/fonts/X11/misc/9x15-ISO8859-3.pcf.gz 30661 +usr/share/fonts/X11/misc/9x15-ISO8859-4.pcf.gz 30660 +usr/share/fonts/X11/misc/9x15-ISO8859-5.pcf.gz 30659 +usr/share/fonts/X11/misc/9x15-ISO8859-7.pcf.gz 30658 +usr/share/fonts/X11/misc/9x15-ISO8859-8.pcf.gz 30657 +usr/share/fonts/X11/misc/9x15-ISO8859-9.pcf.gz 30656 +usr/share/fonts/X11/misc/9x15-KOI8-R.pcf.gz 30655 +usr/share/fonts/X11/misc/9x15.pcf.gz 30654 +usr/share/fonts/X11/misc/9x15B-ISO8859-1.pcf.gz 30653 +usr/share/fonts/X11/misc/9x15B-ISO8859-10.pcf.gz 30652 +usr/share/fonts/X11/misc/9x15B-ISO8859-11.pcf.gz 30651 +usr/share/fonts/X11/misc/9x15B-ISO8859-13.pcf.gz 30650 +usr/share/fonts/X11/misc/9x15B-ISO8859-14.pcf.gz 30649 +usr/share/fonts/X11/misc/9x15B-ISO8859-15.pcf.gz 30648 +usr/share/fonts/X11/misc/9x15B-ISO8859-16.pcf.gz 30647 +usr/share/fonts/X11/misc/9x15B-ISO8859-2.pcf.gz 30646 +usr/share/fonts/X11/misc/9x15B-ISO8859-3.pcf.gz 30645 +usr/share/fonts/X11/misc/9x15B-ISO8859-4.pcf.gz 30644 +usr/share/fonts/X11/misc/9x15B-ISO8859-5.pcf.gz 30643 +usr/share/fonts/X11/misc/9x15B-ISO8859-7.pcf.gz 30642 +usr/share/fonts/X11/misc/9x15B-ISO8859-8.pcf.gz 30641 +usr/share/fonts/X11/misc/9x15B-ISO8859-9.pcf.gz 30640 +usr/share/fonts/X11/misc/9x15B.pcf.gz 30639 +usr/share/fonts/X11/misc/9x15Bc_r.pcf.gz 30638 +usr/share/fonts/X11/misc/9x15c_r.pcf.gz 30637 +usr/share/fonts/X11/misc/9x18-ISO8859-1.pcf.gz 30636 +usr/share/fonts/X11/misc/9x18-ISO8859-10.pcf.gz 30635 +usr/share/fonts/X11/misc/9x18-ISO8859-11.pcf.gz 30634 +usr/share/fonts/X11/misc/9x18-ISO8859-13.pcf.gz 30633 +usr/share/fonts/X11/misc/9x18-ISO8859-14.pcf.gz 30632 +usr/share/fonts/X11/misc/9x18-ISO8859-15.pcf.gz 30631 +usr/share/fonts/X11/misc/9x18-ISO8859-16.pcf.gz 30630 +usr/share/fonts/X11/misc/9x18-ISO8859-2.pcf.gz 30629 +usr/share/fonts/X11/misc/9x18-ISO8859-3.pcf.gz 30628 +usr/share/fonts/X11/misc/9x18-ISO8859-4.pcf.gz 30627 +usr/share/fonts/X11/misc/9x18-ISO8859-5.pcf.gz 30626 +usr/share/fonts/X11/misc/9x18-ISO8859-7.pcf.gz 30625 +usr/share/fonts/X11/misc/9x18-ISO8859-8.pcf.gz 30624 +usr/share/fonts/X11/misc/9x18-ISO8859-9.pcf.gz 30623 +usr/share/fonts/X11/misc/9x18-KOI8-R.pcf.gz 30622 +usr/share/fonts/X11/misc/9x18.pcf.gz 30621 +usr/share/fonts/X11/misc/9x18B-ISO8859-1.pcf.gz 30620 +usr/share/fonts/X11/misc/9x18B-ISO8859-10.pcf.gz 30619 +usr/share/fonts/X11/misc/9x18B-ISO8859-13.pcf.gz 30618 +usr/share/fonts/X11/misc/9x18B-ISO8859-14.pcf.gz 30617 +usr/share/fonts/X11/misc/9x18B-ISO8859-15.pcf.gz 30616 +usr/share/fonts/X11/misc/9x18B-ISO8859-16.pcf.gz 30615 +usr/share/fonts/X11/misc/9x18B-ISO8859-2.pcf.gz 30614 +usr/share/fonts/X11/misc/9x18B-ISO8859-3.pcf.gz 30613 +usr/share/fonts/X11/misc/9x18B-ISO8859-4.pcf.gz 30612 +usr/share/fonts/X11/misc/9x18B-ISO8859-5.pcf.gz 30611 +usr/share/fonts/X11/misc/9x18B-ISO8859-7.pcf.gz 30610 +usr/share/fonts/X11/misc/9x18B-ISO8859-8.pcf.gz 30609 +usr/share/fonts/X11/misc/9x18B-ISO8859-9.pcf.gz 30608 +usr/share/fonts/X11/misc/9x18B.pcf.gz 30607 +usr/share/fonts/X11/misc/arabic24.pcf.gz 30606 +usr/share/fonts/X11/misc/clB6x10.pcf.gz 30605 +usr/share/fonts/X11/misc/clB6x12.pcf.gz 30604 +usr/share/fonts/X11/misc/clB8x10.pcf.gz 30603 +usr/share/fonts/X11/misc/clB8x12.pcf.gz 30602 +usr/share/fonts/X11/misc/clB8x13.pcf.gz 30601 +usr/share/fonts/X11/misc/clB8x14.pcf.gz 30600 +usr/share/fonts/X11/misc/clB8x16.pcf.gz 30599 +usr/share/fonts/X11/misc/clB8x8.pcf.gz 30598 +usr/share/fonts/X11/misc/clB9x15.pcf.gz 30597 +usr/share/fonts/X11/misc/clI6x12.pcf.gz 30596 +usr/share/fonts/X11/misc/clI8x8.pcf.gz 30595 +usr/share/fonts/X11/misc/clR4x6.pcf.gz 30594 +usr/share/fonts/X11/misc/clR5x10.pcf.gz 30593 +usr/share/fonts/X11/misc/clR5x6.pcf.gz 30592 +usr/share/fonts/X11/misc/clR5x8.pcf.gz 30591 +usr/share/fonts/X11/misc/clR6x10.pcf.gz 30590 +usr/share/fonts/X11/misc/clR6x12-ISO8859-1.pcf.gz 30589 +usr/share/fonts/X11/misc/clR6x12-ISO8859-10.pcf.gz 30588 +usr/share/fonts/X11/misc/clR6x12-ISO8859-13.pcf.gz 30587 +usr/share/fonts/X11/misc/clR6x12-ISO8859-14.pcf.gz 30586 +usr/share/fonts/X11/misc/clR6x12-ISO8859-15.pcf.gz 30585 +usr/share/fonts/X11/misc/clR6x12-ISO8859-16.pcf.gz 30584 +usr/share/fonts/X11/misc/clR6x12-ISO8859-2.pcf.gz 30583 +usr/share/fonts/X11/misc/clR6x12-ISO8859-3.pcf.gz 30582 +usr/share/fonts/X11/misc/clR6x12-ISO8859-4.pcf.gz 30581 +usr/share/fonts/X11/misc/clR6x12-ISO8859-5.pcf.gz 30580 +usr/share/fonts/X11/misc/clR6x12-ISO8859-7.pcf.gz 30579 +usr/share/fonts/X11/misc/clR6x12-ISO8859-8.pcf.gz 30578 +usr/share/fonts/X11/misc/clR6x12-ISO8859-9.pcf.gz 30577 +usr/share/fonts/X11/misc/clR6x12-KOI8-R.pcf.gz 30576 +usr/share/fonts/X11/misc/clR6x12.pcf.gz 30575 +usr/share/fonts/X11/misc/clR6x13.pcf.gz 30574 +usr/share/fonts/X11/misc/clR6x6.pcf.gz 30573 +usr/share/fonts/X11/misc/clR6x8.pcf.gz 30572 +usr/share/fonts/X11/misc/clR7x10.pcf.gz 30571 +usr/share/fonts/X11/misc/clR7x12.pcf.gz 30570 +usr/share/fonts/X11/misc/clR7x14.pcf.gz 30569 +usr/share/fonts/X11/misc/clR7x8.pcf.gz 30568 +usr/share/fonts/X11/misc/clR8x10.pcf.gz 30567 +usr/share/fonts/X11/misc/clR8x12.pcf.gz 30566 +usr/share/fonts/X11/misc/clR8x13.pcf.gz 30565 +usr/share/fonts/X11/misc/clR8x14.pcf.gz 30564 +usr/share/fonts/X11/misc/clR8x16.pcf.gz 30563 +usr/share/fonts/X11/misc/clR8x8.pcf.gz 30562 +usr/share/fonts/X11/misc/clR9x15.pcf.gz 30561 +usr/share/fonts/X11/misc/cns1-16.pcf.gz 30560 +usr/share/fonts/X11/misc/cns1-24.pcf.gz 30559 +usr/share/fonts/X11/misc/cns2-16.pcf.gz 30558 +usr/share/fonts/X11/misc/cns2-24.pcf.gz 30557 +usr/share/fonts/X11/misc/cns3-16.pcf.gz 30556 +usr/share/fonts/X11/misc/cns3-24.pcf.gz 30555 +usr/share/fonts/X11/misc/cns4-16.pcf.gz 30554 +usr/share/fonts/X11/misc/cns4-24.pcf.gz 30553 +usr/share/fonts/X11/misc/cns5-16.pcf.gz 30552 +usr/share/fonts/X11/misc/cns5-24.pcf.gz 30551 +etc/init.d/tails-set-wireless-devices-state 30549 +etc/init.d/tor-controlport-filter 30548 +usr/local/sbin/tails-set-wireless-devices-state 30547 +etc/init.d/virtualbox-guest-utils 30546 +usr/local/sbin/tor-controlport-filter 30545 +usr/lib/python2.7/socket.py 30544 +usr/lib/python2.7/socket.pyc 30543 +usr/lib/python2.7/lib-dynload/_ssl.so 30542 +usr/share/fonts/X11/misc/cns6-16.pcf.gz 30541 +usr/share/fonts/X11/misc/cns6-24.pcf.gz 30540 +lib/modules/3.16.0-4-amd64/updates/dkms/vboxsf.ko 30539 +usr/sbin/VBoxService 30538 +usr/share/fonts/X11/misc/cns7-16.pcf.gz 30537 +usr/share/fonts/X11/misc/cns7-24.pcf.gz 30536 +etc/init.d/laptop-mode 30535 +usr/share/fonts/X11/misc/cu-alt12.pcf.gz 30534 +usr/share/fonts/X11/misc/cu-arabic12.pcf.gz 30533 +usr/share/fonts/X11/misc/cu-devnag12.pcf.gz 30532 +usr/share/fonts/X11/misc/cu-lig12.pcf.gz 30531 +usr/share/fonts/X11/misc/cu-pua12.pcf.gz 30530 +usr/share/fonts/X11/misc/cu12.pcf.gz 30529 +usr/share/fonts/X11/misc/cuarabic12.pcf.gz 30528 +usr/share/fonts/X11/misc/cudevnag12.pcf.gz 30527 +usr/share/fonts/X11/misc/deccurs.pcf.gz 30526 +usr/share/fonts/X11/misc/decsess.pcf.gz 30525 +usr/share/fonts/X11/misc/encodings.dir 30524 +usr/share/fonts/X11/misc/gb16fs.pcf.gz 30523 +usr/share/fonts/X11/misc/gb16st.pcf.gz 30522 +etc/init.d/plymouth 30521 +etc/init.d/rc.local 30520 +etc/rc.local 30519 +etc/init.d/rmnologin 30518 +usr/share/fonts/X11/misc/gb24st.pcf.gz 30517 +usr/share/fonts/X11/misc/guob16.pcf.gz 30516 +usr/share/fonts/X11/misc/hanglg16.pcf.gz 30515 +sbin/getty 30514 +usr/lib/locale/C.UTF-8/LC_CTYPE 30513 +etc/issue 30512 +usr/share/fonts/X11/misc/hanglm16.pcf.gz 30511 +usr/share/fonts/X11/misc/hanglm24.pcf.gz 30510 +usr/share/fonts/X11/misc/jiskan16.pcf.gz 30509 +usr/share/fonts/X11/misc/jiskan24.pcf.gz 30508 +usr/share/fonts/X11/misc/k14.pcf.gz 30507 +usr/share/fonts/X11/misc/micro.pcf.gz 30506 +usr/share/fonts/X11/misc/nil2.pcf.gz 30505 +usr/share/fonts/X11/misc/nil2c_r.pcf.gz 30504 +usr/share/fonts/X11/misc/olcursor.pcf.gz 30503 +usr/share/fonts/X11/misc/olgl10.pcf.gz 30502 +usr/share/fonts/X11/misc/olgl12.pcf.gz 30501 +usr/share/fonts/X11/misc/olgl14.pcf.gz 30500 +usr/share/fonts/X11/misc/olgl19.pcf.gz 30499 +usr/share/fonts/X11/misc/sish14-etl.pcf.gz 30498 +usr/share/fonts/X11/misc/sish16-etl.pcf.gz 30497 +usr/share/fonts/X11/misc/sish24-etl.pcf.gz 30496 +usr/share/fonts/X11/misc/taipei16.pcf.gz 30495 +usr/share/fonts/X11/misc/taipei24.pcf.gz 30494 +usr/share/fonts/X11/misc/wenquanyi_10pt.pcf 30493 +usr/share/fonts/X11/misc/wenquanyi_10ptb.pcf 30492 +usr/share/fonts/X11/misc/wenquanyi_11pt.pcf 30491 +usr/share/fonts/X11/misc/wenquanyi_11ptb.pcf 30490 +usr/share/fonts/X11/misc/wenquanyi_12pt.pcf 30489 +usr/share/fonts/X11/misc/wenquanyi_12ptb.pcf 30488 +usr/share/fonts/X11/misc/wenquanyi_9pt.pcf 30487 +usr/share/fonts/X11/misc/wenquanyi_9ptb.pcf 30486 +var/cache/fontconfig/fe547fea3a41b43a38975d292a2b19c7-le32d4.cache-3 30485 +var/cache/fontconfig/f1f2465696798768e9653f19e17ccdc8-le32d4.cache-3 30484 +var/cache/fontconfig/95530828ff6c81d309f8258d8d02a23e-le32d4.cache-3 30483 +var/cache/fontconfig/aab625760c084032d851d1c27543d4f0-le32d4.cache-3 30482 +var/cache/fontconfig/d3e5c4ee2ceb1fc347f91d4cefc53bc0-le32d4.cache-3 30481 +var/cache/fontconfig/188ac73a183f12857f63bb60a4a6d603-le32d4.cache-3 30480 +var/cache/fontconfig/62f91419b9ebdb6975e7e41ab6412357-le32d4.cache-3 30479 +var/cache/fontconfig/53d14c92082a93e67d5078324eb314ca-le32d4.cache-3 30478 +var/cache/fontconfig/f6e6e0a5c3d2f6ae0c0c2e0ecd42a997-le32d4.cache-3 30477 +var/cache/fontconfig/089dead882dea3570ffc31a9898cfb69-le32d4.cache-3 30476 +var/cache/fontconfig/a0513722a37733a9dfd54dccd328039d-le32d4.cache-3 30475 +var/cache/fontconfig/75994e804c4bf4eaf913a982c1a8d8e9-le32d4.cache-3 30474 +var/cache/fontconfig/674d1711f2d1d2a09646eb0bdcadee49-le32d4.cache-3 30473 +var/cache/fontconfig/550f3886151c940c12a5ed35f6a00586-le32d4.cache-3 30472 +var/cache/fontconfig/f259c2cffa685e28062317905db73c4a-le32d4.cache-3 30471 +var/cache/fontconfig/551ecf3b0e8b0bca0f25c0944f561853-le32d4.cache-3 30470 +var/cache/fontconfig/8de269a375a9a10cf5084420fcfd985a-le32d4.cache-3 30469 +var/cache/fontconfig/b778cd948d870ea7ed802a3b53692293-le32d4.cache-3 30468 +var/cache/fontconfig/0effc90d0106505626632cd26e63bb45-le32d4.cache-3 30467 +var/cache/fontconfig/6b2c5944714ca7831b25bed9e85cb5c8-le32d4.cache-3 30466 +var/cache/fontconfig/9e300358e2f63febb098183e8e032af6-le32d4.cache-3 30465 +var/cache/fontconfig/370e5b74bf5dafc30834de68e24a87a4-le32d4.cache-3 30464 +var/cache/fontconfig/b47c4e1ecd0709278f4910c18777a504-le32d4.cache-3 30463 +var/cache/fontconfig/d512a7b9f4305a5cce37c9b1a598863a-le32d4.cache-3 30462 +var/cache/fontconfig/56cf4f4769d0f4abc89a4895d7bd3ae1-le32d4.cache-3 30461 +var/cache/fontconfig/3047814df9a2f067bd2d96a2b9c36e5a-le32d4.cache-3 30460 +var/cache/fontconfig/564b2e68ac9bc4e36a6f7f6d6125ec1c-le32d4.cache-3 30459 +var/cache/fontconfig/a48eab177a16e4f3713381162db2f3e9-le32d4.cache-3 30458 +var/cache/fontconfig/16c2fda60d1b4b719f4b3d06fd951d25-le32d4.cache-3 30457 +var/cache/fontconfig/3f589640d34b7dc9042c8d453f7c8b9c-le32d4.cache-3 30456 +var/cache/fontconfig/aec30016f93e1b46d1a973dce0d74068-le32d4.cache-3 30455 +var/cache/fontconfig/c5c45a61289222e0d30b1a26ef4effbe-le32d4.cache-3 30454 +var/cache/fontconfig/2171a34dccabdb6bcbbc728186263178-le32d4.cache-3 30453 +var/cache/fontconfig/bab58bb527bb656aaa9f116d68a48d89-le32d4.cache-3 30452 +var/cache/fontconfig/589f83ef4c36d296ce6e1c846f468f08-le32d4.cache-3 30451 +var/cache/fontconfig/b872e6e592da6075ffa4ab0a1fcc0c75-le32d4.cache-3 30450 +var/cache/fontconfig/a015930274ffcd967d2ca1b57da47cc7-le32d4.cache-3 30449 +var/cache/fontconfig/4794a0821666d79190d59a36cb4f44b5-le32d4.cache-3 30448 +var/cache/fontconfig/4f3e3037c9980c83b53a9351efadef62-le32d4.cache-3 30447 +var/cache/fontconfig/14a5e22175779b556eaa434240950366-le32d4.cache-3 30446 +var/cache/fontconfig/dc05db6664285cc2f12bf69c139ae4c3-le32d4.cache-3 30445 +var/cache/fontconfig/04aabc0a78ac019cf9454389977116d2-le32d4.cache-3 30444 +var/cache/fontconfig/6d41288fd70b0be22e8c3a91e032eec0-le32d4.cache-3 30443 +var/cache/fontconfig/a6d8cf8e4ec09cdbc8633c31745a07dd-le32d4.cache-3 30442 +var/cache/fontconfig/0fafd173547752dce4dee1a69e0b3c95-le32d4.cache-3 30441 +var/cache/fontconfig/945677eb7aeaf62f1d50efc3fb3ec7d8-le32d4.cache-3 30440 +var/cache/fontconfig/6333f38776742d18e214673cd2c24e34-le32d4.cache-3 30439 +usr/lib/gnome-settings-daemon-3.0/libxrandr.so 30438 +usr/lib/gnome-settings-daemon-3.0/libsound.so 30437 +usr/lib/i386-linux-gnu/libpulse-mainloop-glib.so.0.0.4 30436 +usr/lib/gnome-settings-daemon-3.0/libgsdwacom.so 30435 +usr/lib/i386-linux-gnu/libwacom.so.2.1.0 30434 +usr/lib/gnome-settings-daemon-3.0/liba11y-keyboard.so 30433 +usr/lib/gnome-settings-daemon-3.0/libbackground.so 30432 +usr/lib/gnome-settings-daemon-3.0/libmedia-keys.so 30431 +usr/share/themes/Adwaita/gtk-3.0/gtk.gresource 30430 +usr/share/themes/Adwaita/gtk-3.0/gtk.css 30429 +usr/bin/pulseaudio 30428 +usr/lib/gtk-3.0/3.0.0/theming-engines/libadwaita.so 30427 +usr/lib/libpulsecore-2.0.so 30426 +usr/share/themes/Adwaita/gtk-3.0/settings.ini 30425 +usr/share/themes/Default/gtk-3.0/gtk-keys.css 30424 +usr/lib/i386-linux-gnu/gtk-3.0/modules/libatk-bridge.so 30423 +usr/lib/i386-linux-gnu/libatk-bridge-2.0.so.0.0.0 30422 +usr/lib/i386-linux-gnu/libatspi.so.0.0.1 30421 +usr/lib/at-spi2-core/at-spi-bus-launcher 30420 +usr/lib/i386-linux-gnu/libsamplerate.so.0.1.8 30419 +etc/at-spi2/accessibility.conf 30418 +usr/lib/at-spi2-core/at-spi2-registryd 30417 +usr/lib/i386-linux-gnu/sse2/libspeexdsp.so.1.5.0 30416 +usr/lib/i386-linux-gnu/liborc-0.4.so.0.16.0 30415 +etc/pulse/daemon.conf 30414 +etc/pulse/default.pa 30413 +usr/lib/pulse-2.0/modules/module-device-restore.so 30412 +usr/lib/pulse-2.0/modules/libprotocol-native.so 30411 +usr/lib/pulse-2.0/modules/module-stream-restore.so 30410 +usr/lib/pulse-2.0/modules/module-card-restore.so 30409 +usr/lib/pulse-2.0/modules/module-augment-properties.so 30408 +usr/lib/pulse-2.0/modules/module-udev-detect.so 30407 +usr/lib/pulse-2.0/modules/module-alsa-card.so 30405 +usr/lib/pulse-2.0/modules/libalsa-util.so 30404 +usr/share/pulseaudio/alsa-mixer/profile-sets/extra-hdmi.conf 30403 +usr/share/alsa/cards/aliases.conf 30402 +usr/share/alsa/pcm/default.conf 30401 +usr/share/alsa/pcm/dmix.conf 30400 +usr/share/alsa/pcm/dsnoop.conf 30399 +usr/share/alsa/cards/ICH.conf 30398 +usr/share/alsa/pcm/front.conf 30397 +usr/share/alsa/pcm/surround40.conf 30396 +usr/share/alsa/pcm/surround41.conf 30395 +usr/share/alsa/pcm/surround50.conf 30394 +usr/share/alsa/pcm/surround51.conf 30393 +usr/share/alsa/pcm/iec958.conf 30392 +usr/share/pulseaudio/alsa-mixer/paths/analog-output.conf 30391 +usr/share/pulseaudio/alsa-mixer/paths/analog-output.conf.common 30390 +usr/share/pulseaudio/alsa-mixer/paths/analog-output-speaker.conf 30389 +usr/share/pulseaudio/alsa-mixer/paths/analog-output-desktop-speaker.conf 30388 +usr/share/pulseaudio/alsa-mixer/paths/analog-output-headphones.conf 30387 +usr/share/pulseaudio/alsa-mixer/paths/analog-output-headphones-2.conf 30386 +usr/share/pulseaudio/alsa-mixer/paths/analog-input-front-mic.conf 30385 +usr/share/pulseaudio/alsa-mixer/paths/analog-input-mic.conf.common 30384 +usr/share/pulseaudio/alsa-mixer/paths/analog-input-rear-mic.conf 30383 +usr/share/pulseaudio/alsa-mixer/paths/analog-input-internal-mic.conf 30382 +usr/share/pulseaudio/alsa-mixer/paths/analog-input-dock-mic.conf 30381 +usr/share/pulseaudio/alsa-mixer/paths/analog-input.conf 30380 +usr/share/pulseaudio/alsa-mixer/paths/analog-input.conf.common 30379 +usr/share/pulseaudio/alsa-mixer/paths/analog-input-mic.conf 30378 +usr/share/pulseaudio/alsa-mixer/paths/analog-input-linein.conf 30377 +usr/share/pulseaudio/alsa-mixer/paths/analog-input-aux.conf 30376 +usr/share/pulseaudio/alsa-mixer/paths/analog-input-video.conf 30375 +usr/share/pulseaudio/alsa-mixer/paths/analog-input-tvtuner.conf 30374 +usr/share/pulseaudio/alsa-mixer/paths/analog-input-fm.conf 30373 +usr/share/pulseaudio/alsa-mixer/paths/analog-input-mic-line.conf 30372 +usr/lib/pulse-2.0/modules/module-native-protocol-unix.so 30371 +usr/lib/pulse-2.0/modules/module-default-device-restore.so 30370 +usr/lib/pulse-2.0/modules/module-rescue-streams.so 30369 +usr/lib/pulse-2.0/modules/module-always-sink.so 30368 +usr/lib/pulse-2.0/modules/module-intended-roles.so 30367 +usr/lib/pulse-2.0/modules/module-suspend-on-idle.so 30366 +usr/lib/pulse-2.0/modules/module-console-kit.so 30365 +lib/i386-linux-gnu/libsystemd-daemon.so.0.0.1 30364 +usr/lib/pulse-2.0/modules/module-systemd-login.so 30363 +usr/lib/pulse-2.0/modules/module-position-event-sounds.so 30362 +usr/lib/pulse-2.0/modules/module-role-cork.so 30361 +usr/lib/pulse-2.0/modules/module-filter-heuristics.so 30360 +usr/lib/pulse-2.0/modules/module-filter-apply.so 30359 +usr/lib/pulse-2.0/modules/module-dbus-protocol.so 30358 +usr/lib/pulse-2.0/modules/module-switch-on-port-available.so 30357 +usr/lib/gnome-settings-daemon-3.0/libcursor.so 30356 +usr/bin/metacity 30355 +usr/lib/i386-linux-gnu/libcanberra-gtk.so.0.1.8 30354 +usr/lib/i386-linux-gnu/libgtk-x11-2.0.so.0.2400.10 30353 +usr/share/icons/gnome/48x48/apps/preferences-desktop-accessibility.png 30352 +usr/lib/i386-linux-gnu/gdk-pixbuf-2.0/2.10.0/loaders/libpixbufloader-png.so 30351 +usr/lib/i386-linux-gnu/libgdk-x11-2.0.so.0.2400.10 30350 +usr/lib/libstartup-notification-1.so.0.0.0 30349 +usr/lib/libgtop-2.0.so.7.2.0 30348 +usr/lib/i386-linux-gnu/libxcb-util.so.0.0.0 30347 +usr/share/X11/locale/locale.alias 30346 +usr/share/X11/locale/locale.dir 30345 +usr/share/X11/locale/en_US.UTF-8/XLC_LOCALE 30344 +usr/share/themes/Adwaita/gtk-2.0/gtkrc 30343 +usr/lib/i386-linux-gnu/gtk-2.0/2.10.0/engines/libclearlooks.so 30342 +usr/share/themes/Default/gtk-2.0-key/gtkrc 30341 +usr/lib/i386-linux-gnu/gtk-2.0/modules/libgail.so 30340 +usr/lib/i386-linux-gnu/libgailutil.so.18.0.1 30339 +usr/lib/i386-linux-gnu/gtk-2.0/modules/libatk-bridge.so 30338 +usr/share/themes/Adwaita/metacity-1/metacity-theme-2.xml 30337 +usr/bin/tails-greeter 30336 +usr/lib/policykit-1-gnome/polkit-gnome-authentication-agent-1 30335 +usr/lib/i386-linux-gnu/libpolkit-agent-1.so.0.0.0 30334 +usr/lib/python2.7/encodings/utf_8.py 30333 +usr/share/tails-greeter/tails-greeter.py 30332 +usr/lib/python2.7/logging/__init__.py 30331 +usr/lib/python2.7/threading.py 30330 +usr/lib/python2.7/threading.pyc 30329 +usr/lib/python2.7/collections.py 30328 +usr/lib/python2.7/collections.pyc 30327 +usr/lib/python2.7/keyword.py 30326 +usr/lib/python2.7/keyword.pyc 30325 +usr/lib/python2.7/heapq.py 30324 +usr/lib/python2.7/heapq.pyc 30323 +usr/lib/python2.7/bisect.py 30322 +usr/lib/python2.7/bisect.pyc 30321 +usr/lib/python2.7/atexit.py 30320 +usr/lib/python2.7/atexit.pyc 30319 +usr/lib/python2.7/logging/config.py 30318 +usr/share/icons/Adwaita/cursors/left_ptr 30317 +usr/lib/python2.7/logging/handlers.py 30316 +usr/lib/python2.7/SocketServer.py 30315 +usr/share/pyshared/gi/__init__.py 30314 +usr/lib/python2.7/dist-packages/gi/_gi.so 30313 +usr/lib/libgirepository-1.0.so.1.0.0 30312 +usr/lib/libpyglib-gi-2.0-python2.7.so.0.0.0 30311 +usr/share/pyshared/gi/_gobject/__init__.py 30310 +usr/share/pyshared/gi/_glib/__init__.py 30309 +usr/lib/python2.7/dist-packages/gi/_glib/_glib.so 30308 +usr/share/pyshared/gi/_glib/option.py 30307 +usr/share/pyshared/gi/_gobject/constants.py 30306 +usr/lib/python2.7/dist-packages/gi/_gobject/_gobject.so 30305 +usr/share/pyshared/gi/_gobject/propertyhelper.py 30304 +usr/lib/python2.7/lib-dynload/datetime.so 30303 +usr/share/pyshared/gi/repository/__init__.py 30302 +usr/share/pyshared/gi/importer.py 30301 +usr/share/pyshared/gi/module.py 30300 +usr/share/pyshared/gi/overrides/__init__.py 30299 +usr/share/pyshared/gi/types.py 30298 +usr/lib/girepository-1.0/Gtk-3.0.typelib 30297 +usr/lib/girepository-1.0/xlib-2.0.typelib 30296 +usr/lib/girepository-1.0/cairo-1.0.typelib 30295 +usr/lib/girepository-1.0/Pango-1.0.typelib 30294 +usr/lib/girepository-1.0/GObject-2.0.typelib 30293 +usr/lib/girepository-1.0/GLib-2.0.typelib 30292 +usr/lib/girepository-1.0/Gio-2.0.typelib 30291 +usr/lib/girepository-1.0/GdkPixbuf-2.0.typelib 30290 +usr/lib/girepository-1.0/GModule-2.0.typelib 30289 +usr/lib/girepository-1.0/Gdk-3.0.typelib 30288 +usr/lib/girepository-1.0/Atk-1.0.typelib 30287 +usr/share/pyshared/gi/overrides/Gtk.py 30286 +usr/share/pyshared/tailsgreeter/__init__.py 30285 +usr/share/pyshared/tailsgreeter/errors.py 30284 +usr/share/pyshared/tailsgreeter/gdmclient.py 30283 +usr/lib/gdm/GdmGreeter-1.0.typelib 30282 +usr/lib/girepository-1.0/DBusGLib-1.0.typelib 30281 +usr/share/pyshared/gi/overrides/GLib.py 30280 +usr/share/pyshared/tailsgreeter/config.py 30279 +usr/lib/python2.7/ConfigParser.py 30278 +usr/share/tails-greeter/tails-logging.conf 30277 +usr/lib/python2.7/pipes.py 30276 +usr/lib/python2.7/tempfile.py 30275 +usr/lib/python2.7/tempfile.pyc 30274 +usr/share/pyshared/tailsgreeter/rootaccess.py 30273 +usr/share/pyshared/tailsgreeter/camouflage.py 30272 +usr/share/pyshared/tailsgreeter/persistence.py 30271 +usr/lib/python2.7/subprocess.py 30270 +usr/lib/python2.7/subprocess.pyc 30269 +usr/lib/python2.7/pickle.py 30268 +usr/lib/python2.7/pickle.pyc 30267 +usr/share/pyshared/tailsgreeter/utils.py 30266 +usr/share/pyshared/tailsgreeter/physicalsecurity.py 30265 +usr/share/pyshared/tailsgreeter/language.py 30264 +usr/share/pyshared/pycountry/__init__.py 30263 +usr/share/pyshared/pycountry/db.py 30262 +usr/lib/python2.7/xml/__init__.py 30261 +usr/lib/python2.7/xml/dom/__init__.py 30260 +usr/lib/python2.7/xml/dom/domreg.py 30259 +usr/lib/python2.7/xml/dom/minicompat.py 30258 +usr/lib/python2.7/xml/dom/minidom.py 30257 +usr/lib/python2.7/xml/dom/xmlbuilder.py 30256 +usr/lib/python2.7/xml/dom/NodeFilter.py 30255 +usr/share/xml/iso-codes/iso_3166.xml 30254 +usr/lib/python2.7/xml/dom/expatbuilder.py 30253 +usr/lib/python2.7/xml/parsers/__init__.py 30252 +usr/lib/python2.7/xml/parsers/expat.py 30251 +usr/lib/python2.7/lib-dynload/pyexpat.so 30250 +usr/share/xml/iso-codes/iso_15924.xml 30249 +usr/share/xml/iso-codes/iso_4217.xml 30248 +usr/share/xml/iso-codes/iso_639.xml 30247 +usr/share/xml/iso-codes/iso_3166_2.xml 30246 +usr/share/pyshared/icu.py 30245 +usr/share/pyshared/docs.py 30244 +usr/lib/python2.7/dist-packages/_icu.so 30243 +usr/lib/i386-linux-gnu/libicule.so.48.1.1 30242 +usr/share/zoneinfo/posix/Atlantic/St_Helena 30241 +usr/share/zoneinfo/posix/Africa/Accra 30240 +usr/share/zoneinfo/posix/Indian/Mayotte 30239 +usr/share/zoneinfo/posix/Africa/Algiers 30238 +usr/share/zoneinfo/posix/Africa/Porto-Novo 30237 +usr/share/zoneinfo/posix/Africa/Bissau 30236 +usr/share/zoneinfo/posix/Africa/Lusaka 30235 +usr/share/zoneinfo/posix/Egypt 30234 +usr/share/zoneinfo/posix/Africa/Casablanca 30233 +usr/share/zoneinfo/posix/Africa/Ceuta 30232 +usr/share/zoneinfo/posix/Africa/El_Aaiun 30231 +usr/share/zoneinfo/posix/Africa/Mbabane 30230 +usr/share/zoneinfo/posix/Africa/Juba 30229 +usr/share/zoneinfo/posix/Africa/Monrovia 30228 +usr/share/zoneinfo/posix/Africa/Ndjamena 30227 +usr/share/zoneinfo/posix/Libya 30226 +usr/share/zoneinfo/posix/Africa/Tunis 30225 +usr/share/zoneinfo/posix/Africa/Windhoek 30224 +usr/share/zoneinfo/posix/US/Aleutian 30223 +usr/share/zoneinfo/posix/SystemV/YST9YDT 30222 +usr/share/zoneinfo/posix/America/Virgin 30221 +usr/share/zoneinfo/posix/America/Antigua 30220 +usr/share/zoneinfo/posix/America/Araguaina 30219 +usr/share/zoneinfo/posix/America/Buenos_Aires 30218 +usr/share/zoneinfo/posix/America/Catamarca 30217 +usr/share/zoneinfo/posix/America/Rosario 30216 +usr/share/zoneinfo/posix/America/Jujuy 30215 +usr/share/zoneinfo/posix/America/Argentina/La_Rioja 30214 +usr/share/zoneinfo/posix/America/Mendoza 30213 +usr/share/zoneinfo/posix/America/Argentina/Rio_Gallegos 30212 +usr/share/zoneinfo/posix/America/Argentina/Salta 30211 +usr/share/zoneinfo/posix/America/Argentina/San_Juan 30210 +usr/share/zoneinfo/posix/America/Argentina/San_Luis 30209 +usr/share/zoneinfo/posix/America/Argentina/Tucuman 30208 +usr/share/zoneinfo/posix/America/Argentina/Ushuaia 30207 +usr/share/zoneinfo/posix/America/Kralendijk 30206 +usr/share/zoneinfo/posix/America/Asuncion 30205 +usr/share/zoneinfo/posix/America/Coral_Harbour 30204 +usr/share/zoneinfo/posix/America/Bahia 30203 +usr/share/zoneinfo/posix/America/Bahia_Banderas 30202 +usr/share/zoneinfo/posix/America/Barbados 30201 +usr/share/zoneinfo/posix/America/Belem 30200 +usr/share/zoneinfo/posix/America/Belize 30199 +usr/share/zoneinfo/posix/America/Blanc-Sablon 30198 +usr/share/zoneinfo/posix/America/Boa_Vista 30197 +usr/share/zoneinfo/posix/America/Bogota 30196 +usr/share/zoneinfo/posix/America/Boise 30195 +usr/share/zoneinfo/posix/America/Cambridge_Bay 30194 +usr/share/zoneinfo/posix/America/Campo_Grande 30193 +usr/share/zoneinfo/posix/America/Cancun 30192 +usr/share/zoneinfo/posix/America/Caracas 30191 +usr/share/zoneinfo/posix/America/Cayenne 30190 +usr/share/zoneinfo/posix/America/Cayman 30189 +usr/share/zoneinfo/posix/SystemV/CST6CDT 30188 +usr/share/zoneinfo/posix/America/Chihuahua 30187 +usr/share/zoneinfo/posix/America/Costa_Rica 30186 +usr/share/zoneinfo/posix/America/Creston 30185 +usr/share/zoneinfo/posix/America/Cuiaba 30184 +usr/share/zoneinfo/posix/America/Danmarkshavn 30183 +usr/share/zoneinfo/posix/America/Dawson 30182 +usr/share/zoneinfo/posix/America/Dawson_Creek 30181 +usr/share/zoneinfo/posix/SystemV/MST7MDT 30180 +usr/share/zoneinfo/posix/US/Michigan 30179 +usr/share/zoneinfo/posix/Canada/Mountain 30178 +usr/share/zoneinfo/posix/America/Eirunepe 30177 +usr/share/zoneinfo/posix/America/El_Salvador 30176 +usr/share/zoneinfo/posix/Mexico/BajaNorte 30175 +usr/share/zoneinfo/posix/US/East-Indiana 30174 +usr/share/zoneinfo/posix/America/Fortaleza 30173 +usr/share/zoneinfo/posix/America/Glace_Bay 30172 +usr/share/zoneinfo/posix/America/Godthab 30171 +usr/share/zoneinfo/posix/America/Goose_Bay 30170 +usr/share/zoneinfo/posix/America/Grand_Turk 30169 +usr/share/zoneinfo/posix/America/Guatemala 30168 +usr/share/zoneinfo/posix/America/Guayaquil 30167 +usr/share/zoneinfo/posix/America/Guyana 30166 +usr/share/zoneinfo/posix/SystemV/AST4ADT 30165 +usr/share/zoneinfo/posix/Cuba 30164 +usr/share/zoneinfo/posix/America/Hermosillo 30163 +usr/share/zoneinfo/posix/US/Indiana-Starke 30162 +usr/share/zoneinfo/posix/America/Indiana/Marengo 30161 +usr/share/zoneinfo/posix/America/Indiana/Petersburg 30160 +usr/share/zoneinfo/posix/America/Indiana/Tell_City 30159 +usr/share/zoneinfo/posix/America/Indiana/Vevay 30158 +usr/share/zoneinfo/posix/America/Indiana/Vincennes 30157 +usr/share/zoneinfo/posix/America/Indiana/Winamac 30156 +usr/share/zoneinfo/posix/America/Inuvik 30155 +usr/share/zoneinfo/posix/America/Iqaluit 30154 +usr/share/zoneinfo/posix/Jamaica 30153 +usr/share/zoneinfo/posix/America/Juneau 30152 +usr/share/zoneinfo/posix/America/Louisville 30151 +usr/share/zoneinfo/posix/America/Kentucky/Monticello 30150 +usr/share/zoneinfo/posix/America/La_Paz 30149 +usr/share/zoneinfo/posix/America/Lima 30148 +usr/share/zoneinfo/posix/SystemV/PST8PDT 30147 +usr/share/zoneinfo/posix/America/Maceio 30146 +usr/share/zoneinfo/posix/America/Managua 30145 +usr/share/zoneinfo/posix/Brazil/West 30144 +usr/share/zoneinfo/posix/America/Martinique 30143 +usr/share/zoneinfo/posix/America/Matamoros 30142 +usr/share/zoneinfo/posix/Mexico/BajaSur 30141 +usr/share/zoneinfo/posix/America/Menominee 30140 +usr/share/zoneinfo/posix/America/Merida 30139 +usr/share/zoneinfo/posix/America/Metlakatla 30138 +usr/share/zoneinfo/posix/Mexico/General 30137 +usr/share/zoneinfo/posix/America/Miquelon 30136 +usr/share/zoneinfo/posix/America/Moncton 30135 +usr/share/zoneinfo/posix/America/Monterrey 30134 +usr/share/zoneinfo/posix/America/Montevideo 30133 +usr/share/zoneinfo/posix/America/Montreal 30132 +usr/share/zoneinfo/posix/America/Nassau 30131 +usr/share/zoneinfo/posixrules 30130 +usr/share/zoneinfo/posix/America/Nipigon 30129 +usr/share/zoneinfo/posix/America/Nome 30128 +usr/share/zoneinfo/posix/Brazil/DeNoronha 30127 +usr/share/zoneinfo/posix/America/North_Dakota/Beulah 30126 +usr/share/zoneinfo/posix/America/North_Dakota/Center 30125 +usr/share/zoneinfo/posix/America/North_Dakota/New_Salem 30124 +usr/share/zoneinfo/posix/America/Ojinaga 30123 +usr/share/zoneinfo/posix/SystemV/EST5 30122 +usr/share/zoneinfo/posix/America/Pangnirtung 30121 +usr/share/zoneinfo/posix/America/Paramaribo 30120 +usr/share/zoneinfo/posix/SystemV/MST7 30119 +usr/share/zoneinfo/posix/America/Port-au-Prince 30118 +usr/share/zoneinfo/posix/Brazil/Acre 30117 +usr/share/zoneinfo/posix/America/Porto_Velho 30116 +usr/share/zoneinfo/posix/SystemV/AST4 30115 +usr/share/zoneinfo/posix/America/Rainy_River 30114 +usr/share/zoneinfo/posix/America/Rankin_Inlet 30113 +usr/share/zoneinfo/posix/America/Recife 30112 +usr/share/zoneinfo/posix/SystemV/CST6 30111 +usr/share/zoneinfo/posix/America/Resolute 30110 +usr/share/zoneinfo/posix/America/Santa_Isabel 30109 +usr/share/zoneinfo/posix/America/Santarem 30108 +usr/share/zoneinfo/posix/Chile/Continental 30107 +usr/share/zoneinfo/posix/America/Santo_Domingo 30106 +usr/share/zoneinfo/posix/Brazil/East 30105 +usr/share/zoneinfo/posix/America/Scoresbysund 30104 +usr/share/zoneinfo/posix/America/Sitka 30103 +usr/share/zoneinfo/posix/Canada/Newfoundland 30102 +usr/share/zoneinfo/posix/America/Swift_Current 30101 +usr/share/zoneinfo/posix/America/Tegucigalpa 30100 +usr/share/zoneinfo/posix/America/Thule 30099 +usr/share/zoneinfo/posix/America/Thunder_Bay 30098 +usr/share/zoneinfo/posix/Canada/Eastern 30097 +usr/share/zoneinfo/posix/Canada/Pacific 30096 +usr/share/zoneinfo/posix/Canada/Yukon 30095 +usr/share/zoneinfo/posix/Canada/Central 30094 +usr/share/zoneinfo/posix/America/Yakutat 30093 +usr/share/zoneinfo/posix/America/Yellowknife 30092 +usr/share/zoneinfo/posix/Antarctica/Casey 30091 +usr/share/zoneinfo/posix/Antarctica/Davis 30090 +usr/share/zoneinfo/posix/Antarctica/DumontDUrville 30089 +usr/share/zoneinfo/posix/Antarctica/Macquarie 30088 +usr/share/zoneinfo/posix/Antarctica/Mawson 30087 +usr/share/zoneinfo/posix/NZ 30086 +usr/share/zoneinfo/posix/Antarctica/Palmer 30085 +usr/share/zoneinfo/posix/Antarctica/Rothera 30084 +usr/share/zoneinfo/posix/Antarctica/Syowa 30083 +usr/share/zoneinfo/posix/Antarctica/Troll 30082 +usr/share/zoneinfo/posix/Antarctica/Vostok 30081 +usr/share/zoneinfo/posix/Arctic/Longyearbyen 30080 +usr/share/zoneinfo/posix/Asia/Aden 30079 +usr/share/zoneinfo/posix/Asia/Almaty 30078 +usr/share/zoneinfo/posix/Asia/Amman 30077 +usr/share/zoneinfo/posix/Asia/Anadyr 30076 +usr/share/zoneinfo/posix/Asia/Aqtau 30075 +usr/share/zoneinfo/posix/Asia/Aqtobe 30074 +usr/share/zoneinfo/posix/Asia/Ashkhabad 30073 +usr/share/zoneinfo/posix/Asia/Baghdad 30072 +usr/share/zoneinfo/posix/Asia/Bahrain 30071 +usr/share/zoneinfo/posix/Asia/Baku 30070 +usr/share/zoneinfo/posix/Asia/Vientiane 30069 +usr/share/zoneinfo/posix/Asia/Beirut 30068 +usr/share/zoneinfo/posix/Asia/Bishkek 30067 +usr/share/zoneinfo/posix/Asia/Brunei 30066 +usr/share/zoneinfo/posix/Asia/Calcutta 30065 +usr/share/zoneinfo/posix/Asia/Chita 30064 +usr/share/zoneinfo/posix/Asia/Choibalsan 30063 +usr/share/zoneinfo/posix/PRC 30062 +usr/share/zoneinfo/posix/Asia/Colombo 30061 +usr/share/zoneinfo/posix/Asia/Dacca 30060 +usr/share/zoneinfo/posix/Asia/Damascus 30059 +usr/share/zoneinfo/posix/Asia/Dili 30058 +usr/share/zoneinfo/posix/Asia/Dubai 30057 +usr/share/zoneinfo/posix/Asia/Dushanbe 30056 +usr/share/zoneinfo/posix/Asia/Gaza 30055 +usr/share/zoneinfo/posix/Asia/Hebron 30054 +usr/share/zoneinfo/posix/Asia/Saigon 30053 +usr/share/zoneinfo/posix/Hongkong 30052 +usr/share/zoneinfo/posix/Asia/Hovd 30051 +usr/share/zoneinfo/posix/Asia/Irkutsk 30050 +usr/share/zoneinfo/posix/Turkey 30049 +usr/share/zoneinfo/posix/Asia/Jakarta 30048 +usr/share/zoneinfo/posix/Asia/Jayapura 30047 +usr/share/zoneinfo/posix/Israel 30046 +usr/share/zoneinfo/posix/Asia/Kabul 30045 +usr/share/zoneinfo/posix/Asia/Kamchatka 30044 +usr/share/zoneinfo/posix/Asia/Karachi 30043 +usr/share/zoneinfo/posix/Asia/Kashgar 30042 +usr/share/zoneinfo/posix/Asia/Katmandu 30041 +usr/share/zoneinfo/posix/Asia/Khandyga 30040 +usr/share/zoneinfo/posix/Asia/Krasnoyarsk 30039 +usr/share/zoneinfo/posix/Asia/Kuala_Lumpur 30038 +usr/share/zoneinfo/posix/Asia/Kuching 30037 +usr/share/zoneinfo/posix/Asia/Kuwait 30036 +usr/share/zoneinfo/posix/Asia/Macao 30035 +usr/share/zoneinfo/posix/Asia/Magadan 30034 +usr/share/zoneinfo/posix/Asia/Ujung_Pandang 30033 +usr/share/zoneinfo/posix/Asia/Manila 30032 +usr/share/zoneinfo/posix/Asia/Muscat 30031 +usr/share/zoneinfo/posix/Europe/Nicosia 30030 +usr/share/zoneinfo/posix/Asia/Novokuznetsk 30029 +usr/share/zoneinfo/posix/Asia/Novosibirsk 30028 +usr/share/zoneinfo/posix/Asia/Omsk 30027 +usr/share/zoneinfo/posix/Asia/Oral 30026 +usr/share/zoneinfo/posix/Asia/Pontianak 30025 +usr/share/zoneinfo/posix/Asia/Pyongyang 30024 +usr/share/zoneinfo/posix/Asia/Qatar 30023 +usr/share/zoneinfo/posix/Asia/Qyzylorda 30022 +usr/share/zoneinfo/posix/Asia/Rangoon 30021 +usr/share/zoneinfo/posix/Asia/Riyadh 30020 +usr/share/zoneinfo/posix/Asia/Sakhalin 30019 +usr/share/zoneinfo/posix/Asia/Samarkand 30018 +usr/share/zoneinfo/posix/ROK 30017 +usr/share/zoneinfo/posix/Singapore 30016 +usr/share/zoneinfo/posix/Asia/Srednekolymsk 30015 +usr/share/zoneinfo/posix/ROC 30014 +usr/share/zoneinfo/posix/Asia/Tashkent 30013 +usr/share/zoneinfo/posix/Asia/Tbilisi 30012 +usr/share/zoneinfo/posix/Iran 30011 +usr/share/zoneinfo/posix/Asia/Thimbu 30010 +usr/share/zoneinfo/posix/Japan 30009 +usr/share/zoneinfo/posix/Asia/Ulan_Bator 30008 +usr/share/zoneinfo/posix/Asia/Ust-Nera 30007 +usr/share/zoneinfo/posix/Asia/Vladivostok 30006 +usr/share/zoneinfo/posix/Asia/Yakutsk 30005 +usr/share/zoneinfo/posix/Asia/Yekaterinburg 30004 +usr/share/zoneinfo/posix/Asia/Yerevan 30003 +usr/share/zoneinfo/posix/Atlantic/Azores 30002 +usr/share/zoneinfo/posix/Atlantic/Bermuda 30001 +usr/share/zoneinfo/posix/Atlantic/Canary 30000 +usr/share/zoneinfo/posix/Atlantic/Cape_Verde 29999 +usr/share/zoneinfo/posix/Atlantic/Faeroe 29998 +usr/share/zoneinfo/posix/Atlantic/Madeira 29997 +usr/share/zoneinfo/posix/Iceland 29996 +usr/share/zoneinfo/posix/Atlantic/South_Georgia 29995 +usr/share/zoneinfo/posix/Atlantic/Stanley 29994 +usr/share/zoneinfo/posix/Australia/NSW 29993 +usr/share/zoneinfo/posix/Australia/South 29992 +usr/share/zoneinfo/posix/Australia/Queensland 29991 +usr/share/zoneinfo/posix/Australia/Yancowinna 29990 +usr/share/zoneinfo/posix/Australia/Currie 29989 +usr/share/zoneinfo/posix/Australia/North 29988 +usr/share/zoneinfo/posix/Australia/Eucla 29987 +usr/share/zoneinfo/posix/Australia/Tasmania 29986 +usr/share/zoneinfo/posix/Australia/LHI 29985 +usr/share/zoneinfo/posix/Australia/Lindeman 29984 +usr/share/zoneinfo/posix/Australia/Victoria 29983 +usr/share/zoneinfo/posix/Australia/West 29982 +usr/share/zoneinfo/posix/CET 29981 +usr/share/zoneinfo/posix/CST6CDT 29980 +usr/share/zoneinfo/posix/Chile/EasterIsland 29979 +usr/share/zoneinfo/posix/EET 29978 +usr/share/zoneinfo/posix/EST 29977 +usr/share/zoneinfo/posix/EST5EDT 29976 +usr/share/zoneinfo/posix/Eire 29975 +usr/share/zoneinfo/posix/Greenwich 29974 +usr/share/zoneinfo/posix/Etc/GMT+1 29973 +usr/share/zoneinfo/posix/Etc/GMT+10 29972 +usr/share/zoneinfo/posix/Etc/GMT+11 29971 +usr/share/zoneinfo/posix/Etc/GMT+12 29970 +usr/share/zoneinfo/posix/Etc/GMT+2 29969 +usr/share/zoneinfo/posix/Etc/GMT+3 29968 +usr/share/zoneinfo/posix/Etc/GMT+4 29967 +usr/share/zoneinfo/posix/Etc/GMT+5 29966 +usr/share/zoneinfo/posix/Etc/GMT+6 29965 +usr/share/zoneinfo/posix/Etc/GMT+7 29964 +usr/share/zoneinfo/posix/Etc/GMT+8 29963 +usr/share/zoneinfo/posix/Etc/GMT+9 29962 +usr/share/zoneinfo/posix/Etc/GMT-1 29961 +usr/share/zoneinfo/posix/Etc/GMT-10 29960 +usr/share/zoneinfo/posix/Etc/GMT-11 29959 +usr/share/zoneinfo/posix/Etc/GMT-12 29958 +usr/share/zoneinfo/posix/Etc/GMT-13 29957 +usr/share/zoneinfo/posix/Etc/GMT-14 29956 +usr/share/zoneinfo/posix/Etc/GMT-2 29955 +usr/share/zoneinfo/posix/Etc/GMT-3 29954 +usr/share/zoneinfo/posix/Etc/GMT-4 29953 +usr/share/zoneinfo/posix/Etc/GMT-5 29952 +usr/share/zoneinfo/posix/Etc/GMT-6 29951 +usr/share/zoneinfo/posix/Etc/GMT-7 29950 +usr/share/zoneinfo/posix/Etc/GMT-8 29949 +usr/share/zoneinfo/posix/Etc/GMT-9 29948 +usr/share/zoneinfo/posix/UCT 29947 +usr/share/pyshared/gi/overrides/Gdk.py 29946 +usr/lib/girepository-1.0/GdkX11-3.0.typelib 29945 +usr/lib/girepository-1.0/Xkl-1.0.typelib 29944 +usr/lib/girepository-1.0/AccountsService-1.0.typelib 29943 +usr/share/tails-greeter/default_langcodes 29942 +usr/share/tails-greeter/language_codes 29941 +usr/share/X11/xkb/rules/evdev.xml 29940 +usr/share/pyshared/tailsgreeter/langpanel.py 29939 +usr/share/pyshared/tailsgreeter/persistencewindow.py 29938 +usr/share/pyshared/tailsgreeter/helpwindow.py 29937 +usr/lib/python2.7/webbrowser.py 29936 +usr/lib/python2.7/shlex.py 29935 +usr/lib/girepository-1.0/WebKit-3.0.typelib 29934 +usr/lib/girepository-1.0/Soup-2.4.typelib 29933 +usr/lib/girepository-1.0/JSCore-3.0.typelib 29932 +usr/share/pyshared/tailsgreeter/optionswindow.py 29931 +usr/lib/gdm/libgdmgreeter.so.1.0.0 29930 +usr/share/tails-greeter/glade/langpanel.glade 29929 +usr/share/locale/en/LC_MESSAGES/tails-greeter.mo 29928 +usr/lib/i386-linux-gnu/pango/1.6.0/module-files.d/libpango1.0-0.modules 29927 +usr/lib/i386-linux-gnu/pango/1.6.0/modules/pango-basic-fc.so 29926 +usr/share/fonts/opentype/cantarell/Cantarell-Regular.otf 29925 +usr/share/icons/gnome/22x22/categories/applications-internet.png 29924 +usr/share/fonts/truetype/ttf-dejavu/DejaVuSans.ttf 29923 +usr/lib/i386-linux-gnu/pango/1.6.0/modules/pango-arabic-lang.so 29922 +usr/lib/i386-linux-gnu/pango/1.6.0/modules/pango-arabic-fc.so 29921 +usr/share/icons/gnome/22x22/apps/preferences-desktop-locale.png 29920 +usr/share/icons/gnome/22x22/apps/preferences-desktop-keyboard.png 29919 +usr/share/tails-greeter/glade/persistencewindow.glade 29918 +usr/local/sbin/live-persist 29917 +lib/live/boot/9990-cmdline-old 29916 +lib/live/boot/9990-misc-helpers.sh 29915 +sbin/cryptsetup 29914 +lib/i386-linux-gnu/libcryptsetup.so.4.5.0 29913 +lib/i386-linux-gnu/libpopt.so.0.0.0 29912 +usr/share/tails-greeter/glade/optionswindow.glade 29911 +usr/share/icons/gnome/16x16/status/dialog-warning.png 29910 +usr/lib/i386-linux-gnu/gtk-3.0/3.0.0/immodules.cache 29909 +usr/lib/i386-linux-gnu/gtk-3.0/3.0.0/immodules/im-ibus.so 29908 +usr/lib/i386-linux-gnu/libibus-1.0.so.0.401.0 29907 +usr/share/icons/Adwaita/cursors/bottom_right_corner 29906 +usr/share/fonts/opentype/cantarell/Cantarell-Bold.otf 29905 +usr/lib/i386-linux-gnu/gconv/ISO8859-1.so 29904 +usr/share/icons/Adwaita/cursors/watch 29903 +etc/gdm3/PostLogin/Default 29902 +etc/live/config.d/username.conf 29901 +bin/sync 29900 +usr/local/sbin/tails-restricted-network-detector 29899 +usr/bin/env 29898 +usr/share/perl5/File/Tail.pm 29897 +usr/local/sbin/tails-unblock-network 29896 +lib/modules/3.16.0-4-amd64/kernel/drivers/net/ethernet/intel/e1000/e1000.ko 29892 +usr/share/perl/5.14.2/File/stat.pm 29891 +usr/share/perl/5.14.2/Class/Struct.pm 29889 +usr/lib/perl/5.14.2/Time/HiRes.pm 29881 +usr/lib/perl/5.14.2/auto/Time/HiRes/HiRes.so 29880 +usr/share/perl5/Parse/Syslog.pm 29854 +usr/share/perl/5.14.2/Time/Local.pm 29853 +usr/share/perl5/IPC/System/Simple.pm 29834 +usr/local/sbin/tails-spoof-mac 29832 +usr/local/lib/tails-shell-library/hardware.sh 29831 +usr/local/lib/tails-shell-library/log.sh 29830 +usr/local/lib/tails-shell-library/tails-greeter.sh 29829 +usr/bin/gettext.sh 29828 +usr/lib/perl/5.14.2/Config_heavy.pl 29827 +usr/lib/perl/5.14.2/Config_git.pl 29826 +usr/bin/macchanger 29825 +usr/share/macchanger/OUI.list 29824 +usr/share/macchanger/wireless.list 29823 +usr/share/X11/XErrorDB 29822 +usr/sbin/service 29821 +etc/init.d/network-manager 29820 +usr/sbin/NetworkManager 29819 +usr/lib/libnm-util.so.2.3.0 29818 +usr/lib/i386-linux-gnu/libnl-route-3.so.200.5.2 29817 +lib/i386-linux-gnu/libnl-genl-3.so.200.5.2 29816 +lib/i386-linux-gnu/libnl-3.so.200.5.2 29815 +etc/libnl-3/classid 29814 +etc/NetworkManager/NetworkManager.conf 29813 +usr/sbin/modem-manager 29811 +etc/dhcp/dhclient.conf 29809 +usr/local/sbin/tails-additional-software 29807 +sbin/dhclient 29806 +usr/lib/ModemManager/libmm-plugin-anydata.so 29805 +usr/lib/ModemManager/libmm-plugin-generic.so 29804 +usr/lib/ModemManager/libmm-plugin-gobi.so 29803 +usr/lib/ModemManager/libmm-plugin-hso.so 29802 +usr/lib/ModemManager/libmm-plugin-huawei.so 29801 +usr/lib/ModemManager/libmm-plugin-linktop.so 29800 +usr/lib/ModemManager/libmm-plugin-longcheer.so 29799 +usr/lib/ModemManager/libmm-plugin-mbm.so 29798 +usr/lib/ModemManager/libmm-plugin-moto-c.so 29797 +usr/lib/ModemManager/libmm-plugin-nokia.so 29796 +usr/lib/ModemManager/libmm-plugin-novatel.so 29795 +usr/lib/ModemManager/libmm-plugin-option.so 29794 +usr/lib/ModemManager/libmm-plugin-samsung.so 29793 +usr/lib/ModemManager/libmm-plugin-sierra.so 29792 +usr/lib/ModemManager/libmm-plugin-simtech.so 29791 +usr/lib/ModemManager/libmm-plugin-wavecom.so 29790 +usr/lib/ModemManager/libmm-plugin-x22x.so 29789 +usr/lib/ModemManager/libmm-plugin-zte.so 29788 +usr/sbin/deluser 29787 +usr/share/perl/5.14.2/File/Find.pm 29786 +usr/share/perl/5.14.2/File/Basename.pm 29785 +usr/share/perl/5.14.2/File/Temp.pm 29784 +usr/share/perl/5.14.2/File/Path.pm 29783 +usr/lib/perl/5.14.2/Errno.pm 29782 +usr/share/perl/5.14.2/Carp/Heavy.pm 29781 +etc/deluser.conf 29780 +etc/gdm3/PreSession/Default 29779 +etc/gdm3/Xsession 29778 +etc/profile 29777 +etc/profile.d/bash_completion.sh 29776 +etc/X11/Xsession.d/20x11-common_process-args 29775 +etc/X11/Xsession.options 29774 +etc/X11/Xsession.d/30x11-common_xresources 29773 +usr/bin/xrdb 29772 +usr/lib/i386-linux-gnu/libXmuu.so.1.0.0 29771 +etc/X11/Xresources/x11-common 29770 +usr/bin/cpp-4.7 29769 +usr/lib/gcc/i486-linux-gnu/4.7/cc1 29768 +usr/lib/NetworkManager/nm-dhcp-client.action 29766 +usr/lib/i386-linux-gnu/libmpc.so.2.0.0 29764 +usr/lib/i386-linux-gnu/libmpfr.so.4.1.0 29763 +usr/lib/i386-linux-gnu/libgmp.so.10.0.5 29762 +usr/lib/NetworkManager/nm-dispatcher.action 29761 +etc/NetworkManager/dispatcher.d/00-firewall.sh 29760 +etc/NetworkManager/dispatcher.d/00-save-env 29759 +etc/NetworkManager/dispatcher.d/01-wait-for-NM-applet.sh 29758 +usr/bin/seq 29757 +etc/X11/Xsession.d/35x11-common_xhost-local 29756 +usr/bin/xhost 29755 +etc/X11/Xsession.d/40x11-common_xsessionrc 29754 +etc/amnesia/environment 29753 +etc/X11/Xsession.d/50x11-common_determine-startup 29752 +etc/X11/Xsession.d/55gnome-session_gnomerc 29751 +etc/X11/Xsession.d/70monkeysphere_use-validation-agent 29750 +etc/monkeysphere/monkeysphere.conf 29749 +etc/X11/Xsession.d/75dbus_dbus-launch 29748 +etc/X11/Xsession.d/80im-starter 29747 +etc/X11/Xsession.d/90consolekit 29746 +etc/X11/Xsession.d/90gpg-agent 29745 +usr/bin/gpg-agent 29744 +usr/lib/i386-linux-gnu/libassuan.so.0.3.0 29743 +usr/lib/libpth.so.20.0.27 29742 +etc/X11/Xsession.d/90qt-a11y 29741 +usr/bin/gsettings 29740 +etc/dconf/profile/user 29739 +etc/dconf/db/local 29738 +etc/X11/Xsession.d/90x11-common_ssh-agent 29737 +etc/X11/Xsession.d/98vboxadd-xclient 29736 +usr/bin/VBoxClient 29735 +usr/lib/i386-linux-gnu/libXt.so.6.0.0 29734 +usr/lib/i386-linux-gnu/libXmu.so.6.2.0 29733 +usr/share/icons/DMZ-White/cursors/left_ptr 29732 +etc/X11/Xsession.d/99x11-common_start 29731 +usr/bin/msva-perl 29730 +usr/share/perl5/Crypt/Monkeysphere/MSVA.pm 29729 +usr/share/perl/5.14.2/parent.pm 29728 +usr/share/perl5/HTTP/Server/Simple/CGI.pm 29727 +usr/share/perl5/HTTP/Server/Simple.pm 29726 +usr/lib/perl/5.14.2/Socket.pm 29725 +usr/lib/perl/5.14.2/auto/Socket/Socket.so 29724 +usr/lib/perl/5.14.2/IO/Select.pm 29723 +usr/share/perl5/HTTP/Server/Simple/CGI/Environment.pm 29722 +usr/share/perl5/Regexp/Common.pm 29721 +usr/share/perl5/Regexp/Common/net.pm 29720 +usr/share/perl5/Convert/ASN1.pm 29719 +usr/share/perl/5.14.2/utf8.pm 29718 +usr/share/perl5/Convert/ASN1/_decode.pm 29717 +usr/share/perl5/Convert/ASN1/_encode.pm 29716 +usr/share/perl5/Convert/ASN1/IO.pm 29715 +usr/share/perl5/Convert/ASN1/parser.pm 29714 +usr/lib/perl/5.14.2/MIME/Base64.pm 29713 +usr/lib/perl/5.14.2/auto/MIME/Base64/Base64.so 29712 +usr/lib/perl/5.14.2/IO/Socket.pm 29711 +usr/lib/perl/5.14.2/IO/Socket/INET.pm 29710 +usr/lib/perl/5.14.2/IO/Socket/UNIX.pm 29709 +usr/share/perl5/File/HomeDir.pm 29708 +usr/share/perl5/File/Which.pm 29707 +usr/share/perl5/File/HomeDir/Unix.pm 29706 +usr/share/perl5/File/HomeDir/Driver.pm 29705 +usr/share/perl5/Config/General.pm 29704 +usr/share/perl/5.14.2/English.pm 29703 +usr/lib/perl/5.14.2/Tie/Hash/NamedCapture.pm 29702 +usr/lib/perl/5.14.2/auto/Tie/Hash/NamedCapture/NamedCapture.so 29701 +usr/lib/perl/5.14.2/File/Spec/Functions.pm 29700 +usr/lib/perl/5.14.2/File/Glob.pm 29699 +usr/share/perl/5.14.2/feature.pm 29698 +usr/lib/perl/5.14.2/auto/File/Glob/Glob.so 29697 +usr/share/perl5/Crypt/Monkeysphere/MSVA/MarginalUI.pm 29696 +usr/share/perl/5.14.2/Module/Load/Conditional.pm 29695 +usr/share/perl/5.14.2/Module/Load.pm 29694 +usr/share/perl/5.14.2/Params/Check.pm 29693 +usr/share/perl/5.14.2/Locale/Maketext/Simple.pm 29692 +usr/lib/perl/5.14.2/Data/Dumper.pm 29691 +usr/lib/perl/5.14.2/auto/Data/Dumper/Dumper.so 29690 +usr/share/perl/5.14.2/version.pm 29689 +usr/share/perl5/Crypt/Monkeysphere/MSVA/Logger.pm 29688 +usr/share/perl5/Crypt/Monkeysphere/MSVA/Monitor.pm 29687 +usr/share/perl5/JSON.pm 29686 +usr/share/perl/5.14.2/JSON/PP.pm 29685 +usr/lib/perl/5.14.2/B.pm 29684 +usr/lib/perl/5.14.2/auto/B/B.so 29683 +usr/share/perl5/JSON/backportPP.pm 29682 +usr/share/perl5/GnuPG/Interface.pm 29681 +usr/share/perl5/Any/Moose.pm 29680 +usr/lib/perl5/Mouse.pm 29679 +usr/lib/perl5/Mouse/Exporter.pm 29678 +usr/lib/perl5/Mouse/Util.pm 29677 +usr/lib/perl5/auto/Mouse/Mouse.so 29676 +usr/lib/perl/5.14.2/mro.pm 29675 +usr/lib/perl/5.14.2/auto/mro/mro.so 29674 +usr/lib/perl5/Mouse/Meta/Module.pm 29673 +usr/lib/perl5/Mouse/Meta/Class.pm 29672 +usr/lib/perl5/Mouse/Meta/Role.pm 29671 +usr/lib/perl5/Mouse/Meta/Attribute.pm 29670 +usr/lib/perl5/Mouse/Meta/TypeConstraint.pm 29669 +usr/lib/perl5/Mouse/Object.pm 29668 +usr/lib/perl5/Mouse/Util/TypeConstraints.pm 29667 +usr/share/perl/5.14.2/Fatal.pm 29666 +usr/share/perl/5.14.2/Tie/RefHash.pm 29665 +usr/share/perl5/Math/BigInt.pm 29664 +usr/share/perl5/Math/BigInt/Calc.pm 29663 +usr/share/perl/5.14.2/integer.pm 29662 +usr/share/perl5/GnuPG/Options.pm 29661 +usr/share/perl5/GnuPG/HashInit.pm 29660 +usr/lib/perl5/Mouse/Role.pm 29659 +usr/lib/perl5/Mouse/Meta/Role/Application.pm 29658 +usr/share/perl5/GnuPG/Handles.pm 29657 +usr/share/perl5/Crypt/X509.pm 29656 +usr/lib/perl/5.14.2/auto/POSIX/getuid.al 29655 +usr/lib/perl/5.14.2/auto/POSIX/geteuid.al 29654 +usr/lib/perl/5.14.2/auto/POSIX/getegid.al 29653 +usr/share/perl5/Net/Server/MSVA.pm 29652 +usr/share/perl5/Net/Server/Fork.pm 29651 +usr/share/perl5/Net/Server.pm 29650 +usr/share/perl5/Net/Server/Proto.pm 29649 +usr/share/perl5/Net/Server/Daemonize.pm 29648 +usr/share/perl5/Net/Server/SIG.pm 29647 +usr/share/perl5/Net/Server/Proto/TCP.pm 29646 +usr/bin/gnome-session-fallback 29645 +usr/share/gnome-session/sessions/gnome-fallback.session 29644 +usr/share/applications/gnome-wm.desktop 29643 +etc/xdg/autostart/notification-daemon.desktop 29642 +usr/share/applications/gnome-panel.desktop 29641 +usr/share/gnome/autostart/gnome-fallback-mount-helper.desktop 29640 +usr/share/gnome/autostart/nautilus-autostart.desktop 29639 +etc/xdg/autostart/add-GNOME-bookmarks.desktop 29638 +etc/xdg/autostart/at-spi-dbus-bus.desktop 29637 +etc/xdg/autostart/create-tor-browser-directories.desktop 29636 +usr/share/applications/florence.desktop 29635 +etc/xdg/autostart/gdu-notification-daemon.desktop 29634 +etc/xdg/autostart/gnome-keyring-gpg.desktop 29633 +etc/xdg/autostart/gnome-keyring-pkcs11.desktop 29632 +etc/xdg/autostart/gnome-keyring-secrets.desktop 29631 +etc/xdg/autostart/gnome-keyring-ssh.desktop 29630 +etc/xdg/autostart/gnome-sound-applet.desktop 29629 +etc/xdg/autostart/gpgApplet.desktop 29628 +etc/xdg/autostart/gsettings-data-convert.desktop 29627 +etc/xdg/autostart/nm-applet.desktop 29626 +etc/xdg/autostart/orca-autostart.desktop 29625 +etc/xdg/autostart/print-applet.desktop 29624 +etc/xdg/autostart/pulseaudio-kde.desktop 29623 +etc/xdg/autostart/pulseaudio.desktop 29622 +etc/xdg/autostart/save-im-environment.desktop 29621 +etc/xdg/autostart/security-check.desktop 29620 +etc/xdg/autostart/tails-configure-keyboard.desktop 29619 +etc/xdg/autostart/tails-upgrade-frontend.desktop 29618 +etc/xdg/autostart/tails-warn-about-disabled-persistence.desktop 29617 +etc/xdg/autostart/virt-notify.desktop 29616 +etc/xdg/autostart/vmware-user.desktop 29615 +usr/bin/gnome-keyring-daemon 29614 +usr/lib/libgcr-base-3.so.1.0.0 29613 +usr/lib/libgck-1.so.0.0.0 29612 +usr/lib/libcap-ng.so.0.0.0 29611 +usr/bin/gsettings-data-convert 29610 +usr/share/GConf/gsettings/brasero.convert 29609 +usr/share/GConf/gsettings/eog.convert 29608 +usr/share/GConf/gsettings/evince.convert 29607 +usr/share/GConf/gsettings/file-roller.convert 29606 +usr/share/GConf/gsettings/gedit.convert 29605 +usr/share/GConf/gsettings/gnome-screenshot.convert 29604 +usr/share/GConf/gsettings/gnome-session.convert 29603 +usr/share/GConf/gsettings/gnome-settings-daemon.convert 29602 +usr/share/GConf/gsettings/gsettings-desktop-schemas.convert 29601 +usr/share/GConf/gsettings/gvfs-dns-sd.convert 29600 +usr/share/GConf/gsettings/gvfs-smb.convert 29599 +usr/share/GConf/gsettings/jamendo.convert 29598 +usr/share/GConf/gsettings/libedataserver.convert 29597 +usr/share/GConf/gsettings/libgnomekbd.convert 29596 +usr/share/GConf/gsettings/logview.convert 29595 +usr/share/GConf/gsettings/metacity-schemas.convert 29594 +usr/share/GConf/gsettings/mousetweaks.convert 29593 +usr/share/GConf/gsettings/nautilus.convert 29592 +usr/share/GConf/gsettings/opensubtitles.convert 29591 +usr/share/GConf/gsettings/org.gnome.crypto.cache.convert 29590 +usr/share/GConf/gsettings/org.gnome.crypto.pgp.convert 29589 +usr/share/GConf/gsettings/org.gnome.crypto.pgp_keyservers.convert 29588 +usr/share/GConf/gsettings/org.gnome.seahorse.convert 29587 +usr/share/GConf/gsettings/org.gnome.seahorse.manager.convert 29586 +usr/share/GConf/gsettings/org.gnome.seahorse.nautilus.convert 29585 +usr/share/GConf/gsettings/org.gnome.seahorse.recipients.convert 29584 +usr/share/GConf/gsettings/publish.convert 29583 +usr/share/GConf/gsettings/pythonconsole.convert 29582 +usr/share/GConf/gsettings/totem.convert 29581 +usr/share/GConf/gsettings/wm-schemas.convert 29580 +usr/lib/gnome-settings-daemon-3.0/libcolor.so 29579 +usr/lib/i386-linux-gnu/libcolord.so.1.0.11 29578 +usr/lib/i386-linux-gnu/liblcms2.so.2.0.2 29577 +usr/lib/gnome-settings-daemon-3.0/libkeyboard.so 29576 +usr/lib/libgnomekbdui.so.7.0.0 29575 +usr/lib/libgnomekbd.so.7.0.0 29574 +usr/lib/gnome-settings-daemon-3.0/libmouse.so 29573 +usr/lib/gnome-settings-daemon-3.0/liba11y-settings.so 29572 +usr/lib/gnome-settings-daemon-3.0/libsmartcard.so 29571 +usr/lib/i386-linux-gnu/libnss3.so 29570 +usr/lib/i386-linux-gnu/libnssutil3.so 29569 +usr/lib/i386-linux-gnu/libsmime3.so 29568 +usr/lib/i386-linux-gnu/libssl3.so 29567 +usr/lib/i386-linux-gnu/libplds4.so 29566 +usr/lib/i386-linux-gnu/libplc4.so 29565 +usr/lib/i386-linux-gnu/libnspr4.so 29564 +usr/lib/gnome-settings-daemon-3.0/libprint-notifications.so 29563 +usr/lib/gnome-settings-daemon-3.0/libclipboard.so 29562 +usr/lib/gnome-settings-daemon-3.0/libupdates.so 29561 +usr/lib/i386-linux-gnu/libpackagekit-glib2.so.14.0.15 29560 +usr/lib/i386-linux-gnu/libsqlite3.so.0.8.6 29559 +usr/lib/i386-linux-gnu/libarchive.so.12.0.4 29558 +usr/lib/i386-linux-gnu/libnettle.so.4.3 29557 +usr/lib/i386-linux-gnu/gio/modules/libgioremote-volume-monitor.so 29556 +usr/share/gvfs/remote-volume-monitors/afc.monitor 29555 +usr/share/gvfs/remote-volume-monitors/gdu.monitor 29554 +usr/share/gvfs/remote-volume-monitors/gphoto2.monitor 29553 +usr/lib/gvfs/gvfs-gdu-volume-monitor 29552 +usr/lib/libgdu.so.0.0.0 29551 +usr/lib/udisks/udisks-daemon 29550 +lib/i386-linux-gnu/libatasmart.so.4.0.5 29549 +usr/lib/gvfs/gvfs-gphoto2-volume-monitor 29548 +usr/lib/i386-linux-gnu/libgphoto2.so.2.4.0 29547 +usr/lib/i386-linux-gnu/libgphoto2_port.so.0.8.0 29546 +usr/lib/i386-linux-gnu/libexif.so.12.3.2 29545 +usr/lib/gvfs/gvfs-afc-volume-monitor 29544 +usr/share/dbus-1/interfaces/org.gnome.SettingsDaemonUpdates.xml 29543 +usr/lib/gnome-settings-daemon-3.0/libhousekeeping.so 29542 +usr/bin/gnome-wm 29541 +usr/bin/gnome-panel 29540 +usr/lib/libgnome-menu-3.so.0.0.2 29539 +usr/lib/i386-linux-gnu/libtelepathy-glib.so.0.70.2 29538 +usr/share/X11/xkb/symbols/group 29537 +usr/lib/gnome-settings-daemon/gsd-printer 29536 +usr/lib/dconf/dconf-service 29535 +usr/lib/i386-linux-gnu/gconf/gconfd-2 29534 +etc/gconf/gconf.xml.defaults/%gconf-tree.xml 29533 +var/lib/gconf/debian.defaults/%gconf-tree.xml 29532 +var/lib/gconf/defaults/%gconf-tree.xml 29531 +usr/share/icons/hicolor/22x22/apps/gnome-panel.png 29530 +usr/share/icons/hicolor/16x16/apps/gnome-panel.png 29529 +usr/share/icons/hicolor/24x24/apps/gnome-panel.png 29528 +usr/share/icons/hicolor/32x32/apps/gnome-panel.png 29527 +usr/share/icons/hicolor/48x48/apps/gnome-panel.png 29526 +usr/bin/florence 29525 +usr/lib/i386-linux-gnu/libgstreamer-0.10.so.0.30.0 29524 +usr/lib/gnome-disk-utility/gdu-notification-daemon 29523 +usr/lib/libgdu-gtk.so.0.0.0 29522 +usr/local/bin/tails-upgrade-frontend-wrapper 29521 +usr/local/bin/tails-warn-about-disabled-persistence 29520 +usr/lib/i386-linux-gnu/libavahi-ui-gtk3.so.0.1.4 29519 +usr/lib/i386-linux-gnu/libavahi-glib.so.1.0.2 29518 +usr/lib/i386-linux-gnu/libgdbm.so.3.0.0 29517 +usr/local/bin/tails-virt-notify-user 29516 +usr/bin/nm-applet 29515 +usr/share/perl/5.14.2/autodie.pm 29514 +usr/share/perl5/Desktop/Notify.pm 29513 +usr/lib/perl5/Net/DBus.pm 29512 +usr/lib/perl5/auto/Net/DBus/DBus.so 29511 +usr/lib/perl5/Net/DBus/Binding/Bus.pm 29510 +usr/lib/libnm-glib.so.4.3.0 29509 +usr/lib/libnm-gtk.so.0.0.0 29508 +usr/lib/libnm-glib-vpn.so.1.1.0 29507 +usr/local/sbin/tor-has-bootstrapped 29506 +usr/local/lib/tails-shell-library/tor.sh 29505 +usr/bin/torsocks 29504 +usr/lib/perl5/Net/DBus/Binding/Connection.pm 29503 +usr/lib/perl5/Net/DBus/Binding/Message/MethodCall.pm 29502 +usr/lib/perl5/Net/DBus/Binding/Message.pm 29501 +usr/bin/gnome-sound-applet 29500 +usr/local/bin/gpgApplet 29499 +usr/lib/i386-linux-gnu/gstreamer0.10/gstreamer-0.10/gst-plugin-scanner 29498 +usr/lib/i386-linux-gnu/gstreamer-0.10/libfsfunnel.so 29497 +usr/lib/i386-linux-gnu/libgstbase-0.10.so.0.30.0 29496 +usr/lib/i386-linux-gnu/gstreamer-0.10/libfsmsnconference.so 29495 +usr/lib/i386-linux-gnu/libfarstream-0.1.so.0.0.1 29494 +usr/share/perl/5.14.2/autodie/exception/system.pm 29493 +usr/lib/torsocks/libtorsocks.so.0.0.0 29492 +etc/tor/torsocks.conf 29491 +usr/lib/perl5/Net/DBus/Binding/Iterator.pm 29490 +usr/lib/perl5/Net/DBus/Binding/Message/Signal.pm 29489 +usr/lib/perl5/Net/DBus/Binding/Message/MethodReturn.pm 29488 +usr/lib/perl5/Net/DBus/Binding/Message/Error.pm 29487 +usr/lib/perl5/Glib.pm 29486 +usr/bin/vmware-user-suid-wrapper 29485 +usr/share/locale/en/LC_MESSAGES/gnome-control-center-2.0.mo 29484 +usr/lib/notification-daemon/notification-daemon 29483 +usr/bin/vmtoolsd 29482 etc/NetworkManager/dispatcher.d/01ifupdown 29481 -usr/bin/florence 29480 -usr/share/gnome-panel/4.0/applets/org.boum.tails.ShutdownHelper.panel-applet 29479 -usr/lib/i386-linux-gnu/libgstreamer-0.10.so.0.30.0 29478 -usr/share/pyshared/dbus/connection.py 29477 -usr/share/gnome-panel/4.0/applets/org.gnome.applets.WindowPicker.panel-applet 29476 -usr/share/gnome-panel/4.0/applets/org.gnome.panel.ClockApplet.panel-applet 29475 -usr/share/gnome-panel/4.0/applets/org.gnome.panel.FishApplet.panel-applet 29474 -usr/share/gnome-panel/4.0/applets/org.gnome.panel.NotificationAreaApplet.panel-applet 29473 -usr/share/gnome-panel/4.0/applets/org.gnome.panel.Wncklet.panel-applet 29472 -usr/lib/gnome-panel/4.0/libwnck-applet.so 29471 -usr/lib/libpanel-applet-4.so.0.1.1 29470 -usr/lib/libwnck-3.so.0.2.1 29469 -usr/share/nm-applet/info.ui 29468 -usr/lib/i386-linux-gnu/libXRes.so.1.0.0 29467 -etc/xdg/menus/gnome-applications.menu 29466 -etc/xdg/menus/applications-merged/Tails.menu 29465 -usr/share/applications/audacity.desktop 29464 -usr/share/applications/bluetooth-properties.desktop 29463 -usr/share/applications/bookletimposer.desktop 29462 -usr/share/applications/brasero-nautilus.desktop 29461 -usr/share/pyshared/dbus/lowlevel.py 29460 -usr/share/pyshared/dbus/proxies.py 29459 -usr/share/applications/brasero.desktop 29458 -usr/share/applications/claws-mail.desktop 29457 -usr/share/applications/dasher.desktop 29456 -usr/share/applications/dconf-editor.desktop 29455 -usr/share/pyshared/dbus/_expat_introspect_parser.py 29454 -etc/NetworkManager/dispatcher.d/10-tor.sh 29453 -usr/lib/tracker-0.14/libtracker-data.so.0.1400.1 29452 -usr/share/applications/eog.desktop 29451 -usr/share/applications/evince.desktop 29450 -usr/share/applications/file-roller.desktop 29449 -usr/share/applications/gcalctool.desktop 29448 -usr/share/icons/gnome/scalable/status/audio-volume-muted-symbolic.svg 29447 -etc/init.d/tor 29446 -usr/lib/tracker-0.14/libtracker-common.so.0.1400.1 29445 -usr/lib/i386-linux-gnu/libunistring.so.0.1.2 29444 -usr/share/applications/gcr-prompter.desktop 29443 -usr/share/applications/gcr-viewer.desktop 29442 -usr/share/applications/gedit.desktop 29441 -usr/share/applications/gimp.desktop 29440 -usr/share/applications/gksu.desktop 29439 -usr/share/applications/gnome-background-panel.desktop 29438 -usr/share/applications/gnome-color-panel.desktop 29437 -usr/share/applications/gnome-control-center.desktop 29436 -usr/share/applications/gnome-datetime-panel.desktop 29435 -usr/share/applications/gnome-display-panel.desktop 29434 -usr/share/applications/gnome-info-panel.desktop 29433 -usr/share/applications/gnome-keyboard-panel.desktop 29432 -usr/share/applications/gnome-mouse-panel.desktop 29431 -usr/share/applications/gnome-network-panel.desktop 29430 -usr/share/applications/gnome-online-accounts-panel.desktop 29429 -usr/share/applications/gnome-power-panel.desktop 29428 -usr/share/applications/gnome-power-statistics.desktop 29427 -usr/share/applications/gnome-printers-panel.desktop 29426 -usr/share/applications/gnome-region-panel.desktop 29425 -usr/share/applications/gnome-screen-panel.desktop 29424 -usr/share/applications/gnome-screenshot.desktop 29423 -usr/share/applications/gnome-search-tool.desktop 29422 -usr/share/applications/gnome-sound-panel.desktop 29421 -usr/share/applications/gnome-sound-recorder.desktop 29420 -usr/share/applications/gnome-system-log.desktop 29419 -usr/share/applications/gnome-system-monitor.desktop 29418 -usr/share/applications/gnome-terminal.desktop 29417 -usr/share/applications/gnome-universal-access-panel.desktop 29416 -usr/share/applications/gnome-user-accounts-panel.desktop 29415 -usr/share/pyshared/dbus/glib.py 29414 -usr/share/applications/gnome-wacom-panel.desktop 29413 -usr/share/pyshared/dbus/mainloop/__init__.py 29412 -usr/share/pyshared/dbus/mainloop/glib.py 29411 -usr/lib/python2.7/dist-packages/_dbus_glib_bindings.so 29410 -usr/share/pyshared/dbus/service.py 29409 -usr/lib/perl5/Net/DBus/ASyncReply.pm 29408 -usr/lib/perl5/Net/DBus/Annotation.pm 29407 -usr/share/applications/gobby-0.5.desktop 29406 -usr/share/applications/gstreamer-properties.desktop 29405 -usr/share/applications/gtkhash.desktop 29404 -usr/share/applications/ibus-setup-hangul.desktop 29403 -usr/share/applications/ibus-setup.desktop 29402 -usr/share/applications/ibus.desktop 29401 -usr/share/applications/inkscape.desktop 29400 -usr/share/applications/keepassx.desktop 29399 -usr/lib/libreoffice/share/xdg/calc.desktop 29398 -usr/lib/libreoffice/share/xdg/draw.desktop 29397 -usr/lib/libreoffice/share/xdg/impress.desktop 29396 -usr/lib/libreoffice/share/xdg/math.desktop 29395 -usr/lib/libreoffice/share/xdg/startcenter.desktop 29394 -usr/lib/libreoffice/share/xdg/writer.desktop 29393 -usr/share/applications/liferea.desktop 29392 -usr/share/applications/liveusb-creator-launcher.desktop 29391 -usr/share/applications/mat.desktop 29390 -usr/share/applications/mutt.desktop 29389 -usr/share/applications/nautilus-autorun-software.desktop 29388 -usr/share/applications/nautilus.desktop 29387 -usr/share/pyshared/dbus/decorators.py 29386 -usr/lib/perl5/Net/DBus/Test/MockConnection.pm 29385 -usr/lib/perl5/Net/DBus/Error.pm 29384 -usr/lib/perl5/Net/DBus/Test/MockMessage.pm 29383 -usr/lib/perl5/Net/DBus/Test/MockIterator.pm 29382 -usr/share/icons/hicolor/scalable/status/audio-input-microphone-muted-symbolic.svg 29381 -usr/share/applications/nm-applet.desktop 29380 -usr/lib/python2.7/inspect.py 29379 -usr/share/applications/nm-connection-editor.desktop 29378 -usr/lib/perl5/Net/DBus/Binding/Value.pm 29377 -etc/default/tor 29376 -usr/share/perl5/Desktop/Notify/Notification.pm 29375 -usr/share/perl5/Class/Accessor.pm 29374 -usr/lib/perl5/Sub/Name.pm 29373 -usr/lib/perl5/auto/Sub/Name/Name.so 29372 -usr/lib/python2.7/dis.py 29371 -usr/share/applications/notification-daemon.desktop 29370 -usr/share/applications/openjdk-7-java.desktop 29369 -usr/share/applications/openjdk-7-policytool.desktop 29368 -usr/share/applications/orca.desktop 29367 -usr/share/applications/palimpsest.desktop 29366 -usr/share/applications/pidgin.desktop 29365 -usr/share/applications/pitivi.desktop 29364 -usr/share/applications/poedit.desktop 29363 -usr/share/applications/python2.7.desktop 29362 -usr/share/applications/scribus.desktop 29361 -usr/share/applications/seahorse-pgp-encrypted.desktop 29360 -usr/share/applications/seahorse-pgp-keys.desktop 29359 -usr/share/applications/seahorse-pgp-signature.desktop 29358 -usr/share/applications/seahorse.desktop 29357 -usr/share/applications/session-properties.desktop 29356 -usr/share/applications/simple-scan.desktop 29355 -usr/share/applications/sound-juicer.desktop 29354 -usr/share/applications/synaptic-kde.desktop 29353 -usr/lib/python2.7/opcode.py 29352 -usr/lib/python2.7/tokenize.py 29351 -usr/share/perl5/URI.pm 29350 -usr/lib/python2.7/token.py 29349 -usr/share/perl5/Path/Class.pm 29348 -etc/tor/torrc 29347 -usr/share/pyshared/gobject/__init__.py 29346 -usr/share/perl5/Path/Class/File.pm 29345 -usr/share/perl5/Path/Class/Dir.pm 29344 -usr/share/perl5/Path/Class/Entity.pm 29343 -usr/local/sbin/restart-tor 29342 -usr/share/tails/desktop_wallpaper.png 29341 -usr/share/pyshared/glib/__init__.py 29340 -usr/lib/python2.7/dist-packages/glib/_glib.so 29339 -usr/lib/libpyglib-2.0-python2.7.so.0.0.0 29338 -usr/share/pyshared/glib/option.py 29337 -usr/lib/perl/5.14.2/IO/Dir.pm 29336 -usr/bin/tor 29335 -usr/share/perl5/URI/Escape.pm 29334 -usr/share/applications/synaptic.desktop 29333 -usr/share/applications/system-config-printer.desktop 29332 -usr/share/pyshared/gobject/constants.py 29331 -usr/share/icons/gnome/scalable/status/audio-volume-low-symbolic.svg 29330 -usr/share/icons/hicolor/scalable/status/audio-input-microphone-high-symbolic.svg 29329 -usr/share/perl5/String/Errf.pm 29328 -usr/share/icons/gnome/16x16/devices/network-wired.png 29327 -usr/lib/perl5/Gtk2/Gdk/Keysyms.pm 29326 -usr/lib/i386-linux-gnu/gstreamer0.10/gstreamer-0.10/gst-plugin-scanner 29325 -usr/lib/nautilus/extensions-3.0/libevince-properties-page.so 29324 -usr/share/applications/tails-about.desktop 29323 -usr/share/applications/tails-activate-win8-theme.desktop 29322 -usr/lib/libevdocument3.so.4.0.0 29321 -usr/lib/evince/4/backends/comicsdocument.evince-backend 29320 -usr/share/applications/tails-documentation.desktop 29319 -usr/lib/i386-linux-gnu/libevent-2.0.so.5.1.7 29318 -usr/share/perl/5.14.2/utf8_heavy.pl 29317 -usr/lib/python2.7/dist-packages/gobject/_gobject.so 29316 -usr/lib/evince/4/backends/djvudocument.evince-backend 29315 -usr/share/tor/tor-service-defaults-torrc 29314 -usr/lib/perl5/Gtk2/SimpleList.pm 29313 -usr/local/lib/site_perl/gpgApplet/GnuPG/Interface.pm 29312 -usr/share/pyshared/gobject/propertyhelper.py 29311 -usr/share/pyshared/cupshelpers/__init__.py 29310 -usr/share/applications/tails-persistence-delete.desktop 29309 -usr/share/perl5/String/Formatter.pm 29308 -usr/share/pyshared/cupshelpers/cupshelpers.py 29307 -usr/share/applications/tails-persistence-setup.desktop 29306 -usr/share/perl5/namespace/autoclean.pm 29305 -usr/lib/python2.7/pprint.py 29304 -usr/lib/perl5/Params/Util.pm 29303 -usr/lib/evince/4/backends/dvidocument.evince-backend 29302 -usr/share/pyshared/cupshelpers/ppds.py 29301 -usr/share/pyshared/cupshelpers/xmldriverprefs.py 29300 -usr/lib/python2.7/fnmatch.py 29299 -usr/lib/python2.7/fnmatch.pyc 29298 -usr/lib/python2.7/xml/etree/__init__.py 29297 -usr/lib/python2.7/xml/etree/ElementTree.py 29296 -usr/share/applications/tails-reboot.desktop 29295 -usr/lib/python2.7/xml/etree/ElementPath.py 29294 -usr/lib/perl5/auto/Params/Util/Util.so 29293 -usr/lib/evince/4/backends/pdfdocument.evince-backend 29292 -usr/lib/i386-linux-gnu/gstreamer-0.10/libfsfunnel.so 29291 -usr/lib/i386-linux-gnu/libgstbase-0.10.so.0.30.0 29290 -usr/lib/i386-linux-gnu/gstreamer-0.10/libfsmsnconference.so 29289 -usr/lib/i386-linux-gnu/libfarstream-0.1.so.0.0.1 29288 -usr/lib/i386-linux-gnu/libnice.so.10.0.2 29287 -usr/lib/i386-linux-gnu/libgupnp-igd-1.0.so.4.1.0 29286 -usr/lib/libgupnp-1.0.so.4.0.0 29285 -usr/lib/libgssdp-1.0.so.3.0.0 29284 -usr/lib/i386-linux-gnu/libsoup-2.4.so.1.5.0 29283 -usr/lib/evince/4/backends/psdocument.evince-backend 29282 -usr/lib/i386-linux-gnu/gstreamer-0.10/libfsrawconference.so 29281 -usr/share/pyshared/cupshelpers/openprinting.py 29280 -usr/lib/perl5/Class/MOP.pm 29279 -usr/lib/pyshared/python2.7/pycurl.so 29278 -usr/share/perl5/MRO/Compat.pm 29277 -usr/share/perl5/Sub/Exporter.pm 29276 -usr/share/perl/5.14.2/unicore/Heavy.pl 29275 -usr/share/applications/tails-shutdown.desktop 29274 -usr/share/perl5/Class/Load.pm 29273 -usr/share/perl5/Data/OptList.pm 29272 -usr/share/perl5/Sub/Install.pm 29271 -usr/share/perl5/Module/Implementation.pm 29270 -usr/share/perl5/Module/Runtime.pm 29269 -usr/lib/evince/4/backends/tiffdocument.evince-backend 29268 -usr/lib/perl/5.14.2/Time/Piece.pm 29267 -usr/share/applications/tor-browser.desktop 29266 -usr/share/applications/totem.desktop 29265 -usr/lib/i386-linux-gnu/libcurl-gnutls.so.4.2.0 29264 -usr/share/perl/5.14.2/unicore/lib/Perl/SpacePer.pl 29263 -usr/lib/evince/4/backends/xpsdocument.evince-backend 29262 -usr/lib/nautilus/extensions-3.0/libgtkhash-properties.so 29261 -usr/share/perl5/Try/Tiny.pm 29260 -usr/share/perl5/Package/Stash.pm 29259 -usr/lib/perl/5.14.2/Time/Seconds.pm 29258 -usr/lib/i386-linux-gnu/gstreamer-0.10/libfsrtcpfilter.so 29257 -usr/lib/perl5/Package/Stash/XS.pm 29256 -usr/lib/perl/5.14.2/auto/Time/Piece/Piece.so 29255 -usr/lib/i386-linux-gnu/libidn.so.11.6.8 29254 -usr/lib/i386-linux-gnu/libssh2.so.1.0.1 29253 -usr/lib/i386-linux-gnu/librtmp.so.0 29252 -usr/share/applications/traverso.desktop 29251 -usr/share/applications/unsafe-browser.desktop 29250 -usr/share/applications/whisperback.desktop 29249 -usr/share/applications/yelp.desktop 29248 -usr/share/gnome/applications/openjdk-7-java.desktop 29247 -usr/lib/i386-linux-gnu/libgstrtp-0.10.so.0.25.0 29246 -usr/lib/i386-linux-gnu/gstreamer-0.10/libfsrtpconference.so 29245 -usr/lib/python2.7/urllib.py 29244 -usr/lib/libmhash.so.2.0.1 29243 -usr/lib/nautilus/extensions-3.0/libnautilus-brasero-extension.so 29242 -usr/lib/libbrasero-utils3.so.1.2.3 29241 -usr/lib/perl5/auto/Package/Stash/XS/XS.so 29240 -usr/share/perl5/Package/DeprecationManager.pm 29239 -usr/share/gnome/applications/openjdk-7-policytool.desktop 29238 -usr/lib/i386-linux-gnu/gstreamer-0.10/libfsvideoanyrate.so 29237 -usr/share/desktop-directories/ActionGames.directory 29236 -usr/share/icons/gnome/48x48/actions/mail-message-new.png 29235 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgst1394.so 29234 -usr/lib/python2.7/base64.py 29233 -usr/lib/libbrasero-media3.so.1.2.3 29232 -usr/lib/i386-linux-gnu/libgstinterfaces-0.10.so.0.25.0 29231 -usr/lib/python2.7/urlparse.py 29230 -usr/sbin/aa-status 29229 -usr/lib/i386-linux-gnu/libavc1394.so.0.3.0 29228 -usr/share/desktop-directories/AdventureGames.directory 29227 +usr/share/perl/5.14.2/autodie/exception.pm 29480 +usr/lib/i386-linux-gnu/libnice.so.10.0.2 29479 +etc/vmware-tools/tools.conf 29478 +usr/lib/open-vm-tools/plugins/common/libhgfsServer.so 29477 +usr/share/perl/5.14.2/if.pm 29476 +usr/bin/system-config-printer-applet 29475 +usr/lib/i386-linux-gnu/libgupnp-igd-1.0.so.4.1.0 29474 +usr/lib/libhgfs.so.0.0.0 29473 +usr/lib/open-vm-tools/plugins/common/libvix.so 29472 +usr/bin/start-pulseaudio-x11 29471 +usr/share/nm-applet/info.ui 29470 +usr/lib/libgupnp-1.0.so.4.0.0 29469 +usr/lib/libgssdp-1.0.so.3.0.0 29468 +usr/lib/i386-linux-gnu/libsoup-2.4.so.1.5.0 29467 +usr/local/bin/tails-save-im-environment 29466 +usr/lib/perl5/Net/DBus/Binding/PendingCall.pm 29465 +usr/local/bin/tails-security-check-wrapper 29464 +usr/lib/pyshared/python2.7/cups.so 29463 +usr/local/bin/tails-configure-keyboard 29462 +usr/lib/i386-linux-gnu/gstreamer-0.10/libfsrawconference.so 29461 +usr/lib/i386-linux-gnu/gstreamer-0.10/libfsrtcpfilter.so 29460 +usr/lib/i386-linux-gnu/libgstrtp-0.10.so.0.25.0 29459 +usr/lib/i386-linux-gnu/gstreamer-0.10/libfsrtpconference.so 29458 +usr/lib/i386-linux-gnu/gstreamer-0.10/libfsvideoanyrate.so 29457 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgst1394.so 29456 +usr/lib/i386-linux-gnu/libgstinterfaces-0.10.so.0.25.0 29455 +usr/lib/i386-linux-gnu/libavc1394.so.0.3.0 29454 +usr/lib/i386-linux-gnu/librom1394.so.0.3.0 29453 +usr/lib/libiec61883.so.0.1.1 29452 +usr/lib/i386-linux-gnu/libraw1394.so.11.0.1 29451 +etc/NetworkManager/dispatcher.d/10-tor.sh 29450 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgsta52dec.so 29448 +usr/lib/i386-linux-gnu/libgstaudio-0.10.so.0.25.0 29447 +usr/lib/liba52-0.7.4.so 29446 +usr/lib/i386-linux-gnu/libgstpbutils-0.10.so.0.25.0 29445 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstaasink.so 29444 +usr/share/system-config-printer/debug.py 29443 +etc/init.d/tor 29442 +usr/lib/perl5/Net/DBus/Service.pm 29441 +usr/bin/pactl 29440 +usr/lib/perl5/Net/DBus/RemoteService.pm 29439 +usr/lib/gnome-settings-daemon/gnome-fallback-mount-helper 29438 +usr/lib/perl5/auto/Glib/Glib.so 29437 +usr/lib/perl5/Net/DBus/RemoteObject.pm 29436 +usr/lib/perl5/Net/DBus/Binding/Introspector.pm 29435 +usr/share/perl5/XML/Twig.pm 29434 +usr/lib/perl5/Gtk2.pm 29433 +usr/share/icons/gnome/scalable/status/audio-volume-muted-symbolic.svg 29432 +usr/lib/perl5/Pango.pm 29431 +usr/lib/perl5/Cairo.pm 29430 +usr/lib/perl5/auto/Cairo/Cairo.so 29429 +usr/lib/perl5/auto/Pango/Pango.so 29428 +usr/lib/perl5/auto/Gtk2/Gtk2.so 29427 +usr/lib/i386-linux-gnu/libaa.so.1.0.4 29426 +lib/i386-linux-gnu/libslang.so.2.2.4 29425 +usr/local/lib/add-GNOME-bookmarks 29424 +usr/bin/nautilus 29423 +usr/share/pyshared/dbus/__init__.py 29422 +usr/share/pyshared/dbus/_compat.py 29421 +usr/share/pyshared/dbus/_version.py 29420 +usr/share/pyshared/dbus/exceptions.py 29419 +usr/share/pyshared/dbus/types.py 29418 +usr/lib/python2.7/dist-packages/_dbus_bindings.so 29417 +usr/share/pyshared/dbus/_dbus.py 29416 +usr/share/pyshared/dbus/bus.py 29415 +usr/share/pyshared/dbus/connection.py 29414 +usr/share/pyshared/dbus/lowlevel.py 29413 +usr/share/pyshared/dbus/proxies.py 29412 +usr/share/pyshared/dbus/_expat_introspect_parser.py 29411 +usr/share/icons/gnome/16x16/devices/network-wired.png 29410 +usr/share/perl/5.14.2/UNIVERSAL.pm 29409 +usr/lib/perl5/XML/Parser.pm 29408 +usr/lib/perl5/XML/Parser/Expat.pm 29407 +usr/lib/i386-linux-gnu/libgpm.so.2 29406 +usr/share/pyshared/dbus/glib.py 29405 +usr/share/pyshared/dbus/mainloop/__init__.py 29404 +usr/share/pyshared/dbus/mainloop/glib.py 29403 +usr/lib/python2.7/dist-packages/_dbus_glib_bindings.so 29402 +usr/share/pyshared/dbus/service.py 29401 +etc/default/tor 29400 +usr/lib/perl5/auto/XML/Parser/Expat/Expat.so 29399 +usr/share/pyshared/dbus/decorators.py 29398 +usr/lib/python2.7/inspect.py 29397 +usr/share/icons/hicolor/scalable/status/audio-input-microphone-muted-symbolic.svg 29396 +etc/tor/torrc 29395 +usr/local/sbin/restart-tor 29394 +usr/share/icons/gnome/scalable/status/audio-volume-low-symbolic.svg 29393 +usr/lib/python2.7/dis.py 29392 +usr/share/icons/hicolor/scalable/status/audio-input-microphone-high-symbolic.svg 29391 +usr/lib/python2.7/opcode.py 29390 +usr/lib/python2.7/tokenize.py 29389 +usr/lib/libtracker-sparql-0.14.so.0.1400.1 29388 +usr/lib/libnautilus-extension.so.1.4.0 29387 +usr/lib/i386-linux-gnu/libgailutil-3.so.0.0.0 29386 +usr/lib/i386-linux-gnu/libexempi.so.3.2.2 29385 +usr/bin/tor 29384 +usr/local/lib/create-tor-browser-directories 29383 +usr/share/gnome-panel/4.0/applets/org.boum.tails.ShutdownHelper.panel-applet 29382 +usr/share/gnome-panel/4.0/applets/org.gnome.applets.WindowPicker.panel-applet 29381 +usr/share/gnome-panel/4.0/applets/org.gnome.panel.ClockApplet.panel-applet 29380 +usr/share/gnome-panel/4.0/applets/org.gnome.panel.FishApplet.panel-applet 29379 +usr/share/gnome-panel/4.0/applets/org.gnome.panel.NotificationAreaApplet.panel-applet 29378 +usr/share/gnome-panel/4.0/applets/org.gnome.panel.Wncklet.panel-applet 29377 +usr/share/tails/desktop_wallpaper.png 29376 +usr/lib/python2.7/token.py 29375 +usr/lib/gnome-panel/4.0/libwnck-applet.so 29374 +usr/lib/libpanel-applet-4.so.0.1.1 29373 +usr/lib/libwnck-3.so.0.2.1 29372 +usr/lib/i386-linux-gnu/libXRes.so.1.0.0 29371 +etc/xdg/menus/gnome-applications.menu 29370 +etc/xdg/menus/applications-merged/Tails.menu 29369 +usr/share/applications/audacity.desktop 29368 +usr/share/applications/bluetooth-properties.desktop 29367 +usr/share/applications/bookletimposer.desktop 29366 +usr/share/applications/brasero-nautilus.desktop 29365 +usr/share/applications/brasero.desktop 29364 +usr/share/applications/claws-mail.desktop 29363 +usr/share/applications/dasher.desktop 29362 +usr/share/applications/dconf-editor.desktop 29361 +usr/share/applications/electrum.desktop 29360 +usr/share/applications/eog.desktop 29359 +usr/share/applications/evince.desktop 29358 +usr/share/applications/file-roller.desktop 29357 +usr/share/pyshared/gobject/__init__.py 29356 +usr/share/pyshared/glib/__init__.py 29355 +usr/lib/perl5/Gtk2/Gdk/Keysyms.pm 29354 +usr/lib/tracker-0.14/libtracker-data.so.0.1400.1 29353 +usr/lib/i386-linux-gnu/libevent-2.0.so.5.1.7 29352 +usr/lib/python2.7/dist-packages/glib/_glib.so 29351 +usr/lib/perl5/Net/DBus/ASyncReply.pm 29350 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstadder.so 29349 +usr/lib/libpyglib-2.0-python2.7.so.0.0.0 29348 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstadpcmdec.so 29347 +usr/share/pyshared/glib/option.py 29346 +usr/lib/perl5/Net/DBus/Annotation.pm 29345 +usr/lib/perl5/Net/DBus/Test/MockConnection.pm 29344 +usr/lib/perl5/Net/DBus/Error.pm 29343 +usr/lib/perl5/Net/DBus/Test/MockMessage.pm 29342 +usr/lib/perl5/Net/DBus/Test/MockIterator.pm 29341 +usr/lib/i386-linux-gnu/libseccomp.so.2.1.1 29340 +usr/lib/perl5/Net/DBus/Binding/Value.pm 29339 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstadpcmenc.so 29338 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstaiff.so 29337 +usr/lib/i386-linux-gnu/libgsttag-0.10.so.0.25.0 29336 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstalaw.so 29335 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstalpha.so 29334 +usr/lib/i386-linux-gnu/libgstvideo-0.10.so.0.25.0 29333 +usr/lib/i386-linux-gnu/libgstcontroller-0.10.so.0.30.0 29332 +usr/lib/tracker-0.14/libtracker-common.so.0.1400.1 29331 +usr/lib/i386-linux-gnu/libunistring.so.0.1.2 29330 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstalphacolor.so 29329 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstamrnb.so 29328 +usr/lib/i386-linux-gnu/libopencore-amrnb.so.0.0.3 29327 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstamrwbdec.so 29326 +usr/lib/i386-linux-gnu/libopencore-amrwb.so.0.0.3 29325 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstannodex.so 29324 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstapetag.so 29323 +usr/share/tor/tor-service-defaults-torrc 29322 +usr/share/perl5/Desktop/Notify/Notification.pm 29321 +usr/share/perl5/Class/Accessor.pm 29320 +usr/lib/perl5/Sub/Name.pm 29319 +usr/lib/perl5/Gtk2/SimpleList.pm 29318 +usr/lib/perl5/auto/Sub/Name/Name.so 29317 +usr/share/pyshared/gobject/constants.py 29316 +usr/share/perl5/URI.pm 29315 +usr/share/perl5/Path/Class.pm 29314 +usr/share/perl5/URI/Escape.pm 29313 +usr/share/applications/gcalctool.desktop 29312 +usr/share/perl/5.14.2/utf8_heavy.pl 29311 +usr/share/perl5/Path/Class/File.pm 29310 +usr/share/applications/gcr-prompter.desktop 29309 +usr/lib/python2.7/dist-packages/gobject/_gobject.so 29308 +usr/share/perl/5.14.2/unicore/Heavy.pl 29307 +usr/share/pyshared/gobject/propertyhelper.py 29306 +usr/share/perl5/Path/Class/Dir.pm 29305 +usr/share/perl5/Path/Class/Entity.pm 29304 +usr/lib/perl/5.14.2/IO/Dir.pm 29303 +usr/share/pyshared/cupshelpers/__init__.py 29302 +usr/share/pyshared/cupshelpers/cupshelpers.py 29301 +usr/lib/nautilus/extensions-3.0/libevince-properties-page.so 29300 +usr/share/perl/5.14.2/unicore/lib/Perl/SpacePer.pl 29299 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstapexsink.so 29298 +usr/lib/python2.7/pprint.py 29297 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstapp.so 29296 +usr/share/applications/gcr-viewer.desktop 29295 +usr/local/lib/site_perl/gpgApplet/GnuPG/Interface.pm 29294 +usr/lib/libevdocument3.so.4.0.0 29293 +usr/lib/evince/4/backends/comicsdocument.evince-backend 29292 +usr/lib/evince/4/backends/djvudocument.evince-backend 29291 +usr/lib/evince/4/backends/dvidocument.evince-backend 29290 +usr/lib/evince/4/backends/pdfdocument.evince-backend 29289 +usr/lib/evince/4/backends/psdocument.evince-backend 29288 +usr/lib/evince/4/backends/tiffdocument.evince-backend 29287 +usr/lib/evince/4/backends/xpsdocument.evince-backend 29286 +usr/lib/nautilus/extensions-3.0/libgtkhash-properties.so 29285 +usr/lib/libmhash.so.2.0.1 29284 +usr/lib/nautilus/extensions-3.0/libnautilus-brasero-extension.so 29283 +usr/lib/libbrasero-utils3.so.1.2.3 29282 +usr/lib/i386-linux-gnu/libgstapp-0.10.so.0.25.0 29281 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstasf.so 29280 +usr/share/perl5/String/Errf.pm 29279 +usr/share/pyshared/cupshelpers/ppds.py 29278 +usr/lib/libbrasero-media3.so.1.2.3 29277 +usr/lib/libbrasero-burn3.so.1.2.3 29276 +usr/lib/libtotem-plparser.so.17.0.3 29275 +usr/lib/i386-linux-gnu/libsoup-gnome-2.4.so.1.5.0 29274 +usr/lib/libgmime-2.6.so.0.600.10 29273 +usr/lib/i386-linux-gnu/libquvi.so.7.0.1 29272 +usr/share/icons/gnome/48x48/actions/mail-message-new.png 29271 +usr/share/perl5/String/Formatter.pm 29270 +usr/lib/perl5/Params/Util.pm 29269 +usr/lib/perl5/auto/Params/Util/Util.so 29268 +usr/share/perl5/Sub/Exporter.pm 29267 +usr/share/perl5/Data/OptList.pm 29266 +usr/share/perl5/Sub/Install.pm 29265 +usr/lib/libgpgme-pthread.so.11.7.0 29264 +usr/lib/i386-linux-gnu/libcurl-gnutls.so.4.2.0 29263 +usr/lib/perl/5.14.2/Time/Piece.pm 29262 +usr/lib/perl/5.14.2/Time/Seconds.pm 29261 +usr/lib/i386-linux-gnu/libgstriff-0.10.so.0.25.0 29260 +usr/lib/i386-linux-gnu/libgstrtsp-0.10.so.0.25.0 29259 +usr/share/perl5/namespace/autoclean.pm 29258 +usr/lib/i386-linux-gnu/libidn.so.11.6.8 29257 +usr/lib/i386-linux-gnu/libssh2.so.1.0.1 29256 +usr/lib/i386-linux-gnu/librtmp.so.0 29255 +usr/share/applications/gedit.desktop 29254 +usr/lib/nautilus/extensions-3.0/libnautilus-fileroller.so 29253 +usr/lib/perl/5.14.2/auto/Time/Piece/Piece.so 29252 +usr/lib/i386-linux-gnu/libgstsdp-0.10.so.0.25.0 29251 +usr/share/applications/gimp.desktop 29250 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstasfmux.so 29249 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstassrender.so 29248 +usr/share/pyshared/cupshelpers/xmldriverprefs.py 29247 +usr/lib/perl5/Class/MOP.pm 29246 +usr/lib/nautilus/extensions-3.0/libnautilus-gdu.so 29245 +usr/share/applications/gksu.desktop 29244 +usr/lib/nautilus/extensions-3.0/libnautilus-seahorse.so 29243 +usr/lib/i386-linux-gnu/libass.so.4.1.0 29242 +usr/share/perl5/MRO/Compat.pm 29241 +usr/share/perl5/Class/Load.pm 29240 +usr/share/perl5/Module/Implementation.pm 29239 +usr/share/perl5/Module/Runtime.pm 29238 +usr/lib/i386-linux-gnu/libfribidi.so.0.3.1 29237 +usr/lib/libenca.so.0.5.1 29236 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstaudioconvert.so 29235 +usr/share/perl5/Try/Tiny.pm 29234 +usr/share/perl5/Package/Stash.pm 29233 +usr/lib/perl5/Package/Stash/XS.pm 29232 +usr/lib/perl5/auto/Package/Stash/XS/XS.so 29231 +usr/lib/python2.7/fnmatch.py 29230 +usr/lib/python2.7/fnmatch.pyc 29229 +usr/lib/python2.7/xml/etree/__init__.py 29228 +usr/share/perl5/Package/DeprecationManager.pm 29227 usr/lib/perl5/List/MoreUtils.pm 29226 -usr/share/desktop-directories/ArcadeGames.directory 29225 -usr/lib/perl5/auto/List/MoreUtils/MoreUtils.so 29224 -usr/lib/perl5/Class/Load/XS.pm 29223 -usr/lib/perl5/auto/Class/Load/XS/XS.so 29222 -usr/lib/perl5/Class/MOP/Mixin/AttributeCore.pm 29221 -usr/lib/perl5/Class/MOP/Mixin.pm 29220 -usr/lib/python2.7/ssl.py 29219 -usr/share/desktop-directories/AudioVideo.directory 29218 -usr/share/desktop-directories/BlocksGames.directory 29217 -usr/lib/python2.7/platform.py 29216 -usr/share/desktop-directories/BoardGames.directory 29215 -usr/lib/libbrasero-burn3.so.1.2.3 29214 -usr/lib/i386-linux-gnu/libgstpbutils-0.10.so.0.25.0 29213 -usr/lib/libtotem-plparser.so.17.0.3 29212 -usr/lib/i386-linux-gnu/libsoup-gnome-2.4.so.1.5.0 29211 -usr/lib/libgmime-2.6.so.0.600.10 29210 -usr/sbin/aa-exec 29209 -usr/share/desktop-directories/CardGames.directory 29208 -usr/share/desktop-directories/Debian.directory 29207 -usr/lib/perl5/Class/MOP/Mixin/HasAttributes.pm 29206 -usr/lib/i386-linux-gnu/librom1394.so.0.3.0 29205 -usr/lib/libiec61883.so.0.1.1 29204 -usr/lib/i386-linux-gnu/libraw1394.so.11.0.1 29203 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgsta52dec.so 29202 -usr/lib/i386-linux-gnu/libgstaudio-0.10.so.0.25.0 29201 -usr/lib/liba52-0.7.4.so 29200 -usr/share/desktop-directories/Development.directory 29199 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstaasink.so 29198 -usr/lib/i386-linux-gnu/libaa.so.1.0.4 29197 -lib/i386-linux-gnu/libslang.so.2.2.4 29196 -usr/lib/i386-linux-gnu/libquvi.so.7.0.1 29195 -usr/lib/libgpgme-pthread.so.11.7.0 29194 -usr/share/pyshared/cupshelpers/installdriver.py 29193 -usr/share/pyshared/gtk-2.0/pynotify/__init__.py 29192 -usr/share/desktop-directories/Education.directory 29191 -usr/lib/python2.7/dist-packages/gtk-2.0/pynotify/_pynotify.so 29190 -usr/share/pyshared/gtk-2.0/gtk/__init__.py 29189 -usr/lib/perl5/Class/MOP/Mixin/HasMethods.pm 29188 -usr/lib/perl5/LibAppArmor.pm 29187 -usr/lib/i386-linux-gnu/libgpm.so.2 29186 -usr/lib/nautilus/extensions-3.0/libnautilus-fileroller.so 29185 -usr/lib/nautilus/extensions-3.0/libnautilus-gdu.so 29184 -usr/lib/python2.7/dist-packages/gtk-2.0/gtk/_gtk.so 29183 -usr/lib/nautilus/extensions-3.0/libnautilus-seahorse.so 29182 -usr/lib/nautilus/extensions-3.0/libnautilus-sendto.so 29181 -usr/share/desktop-directories/Game.directory 29180 -usr/share/icons/gnome/16x16/actions/window-close.png 29179 -usr/share/desktop-directories/GnomeScience.directory 29178 -usr/lib/perl5/Class/MOP/Method/Meta.pm 29177 -usr/share/desktop-directories/Graphics.directory 29176 -usr/share/desktop-directories/Hardware.directory 29175 -usr/share/desktop-directories/KidsGames.directory 29174 -usr/share/desktop-directories/LogicGames.directory 29173 -usr/share/desktop-directories/Network.directory 29172 -usr/share/desktop-directories/Office.directory 29171 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstadder.so 29170 -usr/share/desktop-directories/Personal.directory 29169 -usr/share/icons/Adwaita/cursors/xterm 29168 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstadpcmdec.so 29167 -usr/share/desktop-directories/RolePlayingGames.directory 29166 -usr/lib/perl5/Class/MOP/Method.pm 29165 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstadpcmenc.so 29164 -usr/lib/perl5/auto/LibAppArmor/LibAppArmor.so 29163 -usr/lib/libapparmor.so.1.0.2 29162 -usr/share/desktop-directories/Settings-System.directory 29161 -usr/lib/perl5/Class/MOP/Object.pm 29160 -usr/lib/nautilus/extensions-3.0/libnautilus-wipe.so 29159 -usr/share/desktop-directories/Settings.directory 29158 -usr/share/desktop-directories/SimulationGames.directory 29157 -usr/share/desktop-directories/SportsGames.directory 29156 -usr/share/desktop-directories/StrategyGames.directory 29155 -usr/share/desktop-directories/System-Tools.directory 29154 -usr/share/desktop-directories/System.directory 29153 -usr/share/desktop-directories/Tails.directory 29152 -usr/share/tor/geoip 29151 -etc/NetworkManager/dispatcher.d/20-time.sh 29150 -usr/lib/libgsecuredelete.so.0.0.0 29149 -usr/lib/nautilus/extensions-3.0/libtotem-properties-page.so 29148 -usr/lib/i386-linux-gnu/libXxf86vm.so.1.0.0 29147 -usr/lib/i386-linux-gnu/libgsttag-0.10.so.0.25.0 29146 -usr/share/pyshared/cairo/__init__.py 29145 -usr/lib/i386-linux-gnu/libgstvideo-0.10.so.0.25.0 29144 -usr/share/desktop-directories/Utility-Accessibility.directory 29143 -usr/share/desktop-directories/Utility.directory 29142 -usr/share/desktop-directories/X-GNOME-Menu-Applications.directory 29141 -usr/share/desktop-directories/X-GNOME-Other.directory 29140 -usr/share/desktop-directories/gnomecc.directory 29139 -usr/lib/perl5/Class/MOP/Method/Overload.pm 29138 -usr/lib/gvfs/gvfsd-trash 29137 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstaiff.so 29136 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstalaw.so 29135 -bin/su 29134 -usr/lib/pyshared/python2.7/cairo/_cairo.so 29133 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstalpha.so 29132 -usr/lib/i386-linux-gnu/libgstcontroller-0.10.so.0.30.0 29131 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstalphacolor.so 29130 -usr/share/pyshared/gtk-2.0/gio/__init__.py 29129 -usr/lib/perl5/Class/MOP/Class.pm 29128 -usr/lib/gnome-panel/4.0/libclock-applet.so 29127 -usr/lib/libecal-1.2.so.11.2.2 29126 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstamrnb.so 29125 -usr/lib/libical.so.0.48.0 29124 -etc/pam.d/su 29123 -lib/i386-linux-gnu/security/pam_mail.so 29122 -usr/lib/python2.7/dist-packages/gtk-2.0/gio/_gio.so 29121 -usr/lib/libicalss.so.0.48.0 29120 -usr/lib/perl5/Class/MOP/Instance.pm 29119 -usr/local/bin/tails-htp-notify-user 29118 -usr/lib/i386-linux-gnu/libopencore-amrnb.so.0.0.3 29117 -usr/lib/python2.7/dist-packages/gtk-2.0/gio/unix.so 29116 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstamrwbdec.so 29115 -usr/lib/libicalvcal.so.0.48.0 29114 -usr/lib/libedataserverui-3.0.so.1.0.0 29113 -usr/lib/python2.7/dist-packages/gtk-2.0/pango.so 29112 -usr/share/tor/geoip6 29111 -usr/lib/perl5/Class/MOP/Method/Wrapped.pm 29110 -usr/lib/gvfs/gvfsd-burn 29109 -usr/lib/i386-linux-gnu/libopencore-amrwb.so.0.0.3 29108 -usr/lib/libebook-1.2.so.13.3.1 29107 -usr/lib/libedataserver-1.2.so.16.0.0 29106 -usr/lib/libgweather-3.so.0.0.6 29105 -usr/lib/libcamel-1.2.so.33.0.0 29104 -usr/share/icons/gnome/scalable/actions/edit-clear-symbolic.svg 29103 -usr/lib/python2.7/dist-packages/gtk-2.0/atk.so 29102 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstannodex.so 29101 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstapetag.so 29100 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstapexsink.so 29099 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstapp.so 29098 -usr/lib/python2.7/dist-packages/gtk-2.0/pangocairo.so 29097 -usr/share/icons/gnome/scalable/actions/edit-find-symbolic.svg 29096 -usr/lib/perl5/Class/MOP/Method/Accessor.pm 29095 -usr/lib/perl5/Class/MOP/Method/Generated.pm 29094 -usr/share/perl5/Eval/Closure.pm 29093 -usr/lib/i386-linux-gnu/libgstapp-0.10.so.0.25.0 29092 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstasf.so 29091 -usr/lib/i386-linux-gnu/libgstriff-0.10.so.0.25.0 29090 -usr/lib/i386-linux-gnu/libgstrtsp-0.10.so.0.25.0 29089 -usr/lib/perl5/Class/MOP/Method/Constructor.pm 29088 -usr/lib/i386-linux-gnu/libgstsdp-0.10.so.0.25.0 29087 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstasfmux.so 29086 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstassrender.so 29085 -usr/lib/i386-linux-gnu/libass.so.4.1.0 29084 -usr/lib/i386-linux-gnu/libfribidi.so.0.3.1 29083 -usr/lib/libenca.so.0.5.1 29082 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstaudioconvert.so 29081 -usr/lib/perl5/Class/MOP/Method/Inlined.pm 29080 -usr/lib/perl5/Class/MOP/MiniTrait.pm 29079 -usr/lib/perl5/Class/MOP/Module.pm 29078 -usr/lib/perl5/Class/MOP/Package.pm 29077 -usr/share/perl5/Devel/GlobalDestruction.pm 29076 -usr/share/icons/gnome/16x16/actions/edit-clear.png 29075 -usr/share/icons/gnome/48x48/places/user-desktop.png 29074 -usr/share/icons/gnome/22x22/places/user-desktop.png 29073 -usr/share/icons/gnome/16x16/places/user-desktop.png 29072 -usr/share/icons/gnome/24x24/places/user-desktop.png 29071 -usr/share/icons/gnome/32x32/places/user-desktop.png 29070 -usr/share/icons/gnome/256x256/places/user-desktop.png 29069 -usr/lib/perl5/Class/MOP/Attribute.pm 29068 -usr/share/pyshared/gtk-2.0/gtk/_lazyutils.py 29067 -usr/lib/perl5/auto/Moose/Moose.so 29066 -usr/share/pyshared/gtk-2.0/gtk/deprecation.py 29065 -usr/share/icons/gnome/16x16/mimetypes/text-x-generic.png 29064 -usr/share/icons/Adwaita/cursors/sb_h_double_arrow 29063 -usr/lib/perl5/Class/MOP/Deprecated.pm 29062 -usr/lib/perl5/Class/MOP/Class/Immutable/Trait.pm 29061 -usr/lib/python2.7/getopt.py 29060 -usr/share/perl5/B/Hooks/EndOfScope.pm 29059 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstaudiofx.so 29058 -usr/lib/i386-linux-gnu/libgstfft-0.10.so.0.25.0 29057 -usr/lib/perl5/Variable/Magic.pm 29056 -usr/lib/perl5/auto/Variable/Magic/Magic.so 29055 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstaudioparsers.so 29054 -usr/share/perl5/namespace/clean.pm 29053 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstaudiorate.so 29052 -usr/lib/gnome-panel/4.0/libnotification-area-applet.so 29051 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstaudioresample.so 29050 -usr/lib/i386-linux-gnu/liborc-test-0.4.so.0.16.0 29049 -usr/local/lib/shutdown-helper-applet 29048 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstaudiotestsrc.so 29047 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstaudiovisualizers.so 29046 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstauparse.so 29045 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstautoconvert.so 29044 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstautodetect.so 29043 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstavi.so 29042 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstbayer.so 29041 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstbz2.so 29040 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstcacasink.so 29039 -usr/lib/i386-linux-gnu/libcaca.so.0.99.18 29038 -lib/i386-linux-gnu/libncursesw.so.5.9 29037 -usr/local/lib/tor-browser/browser/icons/mozicon128.png 29036 -usr/share/icons/hicolor/48x48/apps/claws-mail.png 29035 -usr/share/icons/hicolor/24x24/apps/pidgin.png 29034 -usr/share/icons/hicolor/24x24/apps/keepassx.png 29033 -usr/share/icons/gnome/24x24/apps/utilities-terminal.png 29032 -usr/share/icons/gnome/24x24/actions/mail-message-new.png 29031 -usr/share/icons/gnome/32x32/devices/network-wired.png 29030 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstcairo.so 29029 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstcamerabin.so 29028 -usr/lib/i386-linux-gnu/libgstphotography-0.10.so.23.0.0 29027 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstcamerabin2.so 29026 -usr/lib/i386-linux-gnu/libgstbasecamerabinsrc-0.10.so.23.0.0 29025 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstcdaudio.so 29024 -usr/lib/libcdaudio.so.1.0.0 29023 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstcdio.so 29022 -usr/lib/i386-linux-gnu/libgstcdda-0.10.so.0.25.0 29021 -usr/lib/libcdio.so.13.0.0 29020 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstcdparanoia.so 29019 -usr/lib/libcdda_interface.so.0.10.2 29018 -usr/lib/libcdda_paranoia.so.0.10.2 29017 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstcdxaparse.so 29016 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstclutter.so 29015 -usr/lib/i386-linux-gnu/libclutter-1.0.so.0.1000.8 29014 -usr/share/perl5/Switch.pm 29013 -usr/share/perl/5.14.2/deprecate.pm 29012 -usr/lib/perl/5.14.2/Filter/Util/Call.pm 29011 -usr/lib/perl/5.14.2/auto/Filter/Util/Call/Call.so 29010 -usr/share/perl/5.14.2/Text/Balanced.pm 29009 -usr/share/perl/5.14.2/SelfLoader.pm 29008 -usr/lib/i386-linux-gnu/libcogl.so.9.1.1 29007 -usr/lib/i386-linux-gnu/libcogl-pango.so.0.0.0 29006 -usr/lib/i386-linux-gnu/libGL.so.1.2 29005 -usr/lib/i386-linux-gnu/libglapi.so.0.0.0 29004 -usr/lib/i386-linux-gnu/libxcb-glx.so.0.0.0 29003 -etc/drirc 29002 -usr/lib/girepository-1.0/PanelApplet-4.0.typelib 29001 -usr/lib/girepository-1.0/GConf-2.0.typelib 29000 -usr/share/icons/gnome/scalable/actions/system-shutdown-symbolic.svg 28999 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstcog.so 28998 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstcoloreffects.so 28997 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstcolorspace.so 28996 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstcoreelements.so 28995 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstcoreindexers.so 28994 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstcurl.so 28993 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstcutter.so 28992 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdataurisrc.so 28991 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdc1394.so 28990 -usr/lib/i386-linux-gnu/libdc1394.so.22.1.7 28989 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdccp.so 28988 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdebug.so 28987 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdebugutilsbad.so 28986 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdecklink.so 28985 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdecodebin.so 28984 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdecodebin2.so 28983 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdeinterlace.so 28982 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdfbvideosink.so 28981 -usr/lib/i386-linux-gnu/libdirectfb-1.2.so.9.0.1 28980 -usr/share/icons/gnome/48x48/devices/computer.png 28979 -usr/share/icons/gnome/48x48/places/user-home.png 28978 -usr/share/icons/gnome/48x48/places/user-trash.png 28977 -usr/lib/perl5/DateTime.pm 28976 -usr/share/icons/gnome/48x48/categories/system-help.png 28975 -usr/lib/gvfs/gvfsd-metadata 28974 -usr/lib/perl5/DateTime/Duration.pm 28973 -usr/lib/i386-linux-gnu/libdirect-1.2.so.9.0.1 28972 -usr/lib/i386-linux-gnu/libfusion-1.2.so.9.0.1 28971 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdirac.so 28970 -usr/lib/i386-linux-gnu/libgstbasevideo-0.10.so.23.0.0 28969 -usr/lib/i386-linux-gnu/libdirac_encoder.so.0.1.0 28968 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdtmf.so 28967 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdtsdec.so 28966 -usr/lib/libdca.so.0.0.0 28965 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdv.so 28964 -usr/lib/i386-linux-gnu/libdv.so.4.0.3 28963 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdvb.so 28962 -usr/lib/perl5/DateTime/Helpers.pm 28961 -usr/lib/perl5/Params/Validate.pm 28960 -usr/lib/perl5/Params/Validate/Constants.pm 28959 -usr/lib/perl5/Params/Validate/XS.pm 28958 -usr/lib/perl5/auto/Params/Validate/XS/XS.so 28957 -usr/share/perl5/DateTime/Locale.pm 28956 -usr/share/perl5/DateTime/Locale/Base.pm 28955 -usr/share/perl5/DateTime/Locale/Catalog.pm 28954 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdvbsuboverlay.so 28953 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdvdlpcmdec.so 28952 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdvdread.so 28951 -usr/lib/i386-linux-gnu/libdvdread.so.4.1.2 28950 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdvdspu.so 28949 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdvdsub.so 28948 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstefence.so 28947 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgsteffectv.so 28946 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstencodebin.so 28945 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstequalizer.so 28944 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstfaad.so 28943 -usr/lib/i386-linux-gnu/libfaad.so.2.0.0 28942 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstfaceoverlay.so 28941 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstfbdevsink.so 28940 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstfestival.so 28939 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstffmpeg.so 28938 -usr/lib/i386-linux-gnu/i686/cmov/libavformat.so.53.21.1 28937 -usr/share/perl5/DateTime/TimeZone.pm 28936 -usr/share/perl5/DateTime/TimeZone/Catalog.pm 28935 -usr/share/perl5/DateTime/TimeZone/Floating.pm 28934 -usr/share/perl5/Class/Singleton.pm 28933 -usr/share/perl5/DateTime/TimeZone/OffsetOnly.pm 28932 -usr/share/perl5/DateTime/TimeZone/UTC.pm 28931 -usr/share/perl5/DateTime/TimeZone/Local.pm 28930 -usr/share/perl5/Math/Round.pm 28929 -usr/lib/perl5/auto/DateTime/DateTime.so 28928 -usr/lib/perl5/DateTime/Infinite.pm 28927 -usr/share/perl5/DateTime/Locale/en_US.pm 28926 -usr/share/perl5/DateTime/Locale/en.pm 28925 -usr/share/perl5/DateTime/Locale/root.pm 28924 -usr/share/pixmaps/whisperback.svg 28923 -usr/share/icons/hicolor/48x48/apps/seahorse.png 28922 -usr/share/icons/hicolor/24x24/apps/seahorse.png 28921 -usr/share/pixmaps/gpgApplet/22x22/gpgApplet-text.png 28920 -usr/lib/i386-linux-gnu/i686/cmov/libavcodec.so.53.35.0 28919 -usr/bin/inotifywait 28918 -usr/lib/libinotifytools.so.0.4.1 28917 -usr/lib/i386-linux-gnu/i686/cmov/libavutil.so.51.22.2 28916 -usr/lib/i386-linux-gnu/libxvidcore.so.4.3 28915 -usr/lib/i386-linux-gnu/i686/sse2/libx264.so.123 28914 -usr/lib/i386-linux-gnu/libvpx.so.1.1.0 28913 -usr/lib/i386-linux-gnu/libtheoraenc.so.1.1.2 28912 -usr/lib/i386-linux-gnu/libtheoradec.so.1.1.4 28911 -usr/lib/i386-linux-gnu/sse2/libspeex.so.1.5.0 28910 -usr/lib/i386-linux-gnu/libschroedinger-1.0.so.0.11.0 28909 -usr/lib/i386-linux-gnu/libopenjpeg-2.1.3.0.so 28908 -usr/lib/i386-linux-gnu/libmp3lame.so.0.0.0 28907 -usr/lib/i386-linux-gnu/libgsm.so.1.0.12 28906 -usr/lib/i386-linux-gnu/libva.so.1.3200.0 28905 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstffmpegcolorspace.so 28904 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstffmpegscale.so 28903 -usr/lib/i386-linux-gnu/i686/cmov/libswscale.so.2.1.0 28902 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstfieldanalysis.so 28901 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstflac.so 28900 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstflite.so 28899 -usr/lib/i386-linux-gnu/libflite.so.1.4 28898 -usr/lib/i386-linux-gnu/libflite_cmu_us_kal.so.1.4 28897 -usr/lib/pulse-2.0/modules/module-null-sink.so 28896 -usr/lib/i386-linux-gnu/libflite_usenglish.so.1.4 28895 -usr/lib/i386-linux-gnu/libflite_cmulex.so.1.4 28894 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstflv.so 28893 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstflxdec.so 28892 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstfragmented.so 28891 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstfreeverb.so 28890 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstfreeze.so 28889 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstfrei0r.so 28888 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstgaudieffects.so 28887 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstgconfelements.so 28886 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstgdkpixbuf.so 28885 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstgdp.so 28884 -usr/lib/i386-linux-gnu/libgstdataprotocol-0.10.so.0.30.0 28883 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstgeometrictransform.so 28882 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstgio.so 28881 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstgme.so 28880 -usr/lib/libgme.so.0.5.3 28879 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstgoom.so 28878 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstgoom2k1.so 28877 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstgsettingselements.so 28876 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstgsm.so 28875 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgsth264parse.so 28874 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgsthdvparse.so 28873 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgsticydemux.so 28872 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstid3demux.so 28871 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstid3tag.so 28870 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstiec958.so 28869 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstimagefreeze.so 28868 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstinter.so 28867 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstinterlace.so 28866 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstinterleave.so 28865 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstisomp4.so 28864 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstivfparse.so 28863 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstjack.so 28862 -usr/lib/i386-linux-gnu/libjack.so.0.1.0 28861 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstjp2k.so 28860 -usr/lib/i386-linux-gnu/libjasper.so.1.0.0 28859 -usr/lib/i386-linux-gnu/libjpeg.so.8.4.0 28858 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstjp2kdecimator.so 28857 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstjpeg.so 28856 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstjpegformat.so 28855 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstkate.so 28854 -usr/lib/libkate.so.1.3.0 28853 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstladspa.so 28852 -usr/lib/i386-linux-gnu/libgstsignalprocessor-0.10.so.23.0.0 28851 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstlame.so 28850 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstlegacyresample.so 28849 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstlevel.so 28848 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstlibvisual.so 28847 -usr/lib/i386-linux-gnu/libvisual-0.4.so.0.0.0 28846 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstlinsys.so 28845 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstliveadder.so 28844 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstlv2.so 28843 -usr/lib/libslv2.so.9.2.0 28842 -usr/lib/libraptor2.so.0.0.0 28841 -usr/lib/librdf.so.0.0.0 28840 -usr/lib/i386-linux-gnu/libxslt.so.1.1.26 28839 -usr/lib/i386-linux-gnu/libyajl.so.2.0.4 28838 -usr/lib/librasqal.so.3.0.0 28837 -usr/lib/i386-linux-gnu/libdb-5.1.so 28836 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmad.so 28835 -usr/lib/libmad.so.0.2.1 28834 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmatroska.so 28833 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmimic.so 28832 -usr/lib/libmimic.so.0.0.1 28831 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmms.so 28830 -usr/lib/i386-linux-gnu/libmms.so.0.0.2 28829 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmodplug.so 28828 -usr/lib/libmodplug.so.1.0.0 28827 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmonoscope.so 28826 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmpeg2dec.so 28825 -usr/lib/libmpeg2.so.0.0.0 28824 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmpegaudioparse.so 28823 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmpegdemux.so 28822 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmpegpsmux.so 28821 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmpegstream.so 28820 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmpegtsdemux.so 28819 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmpegtsmux.so 28818 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmpegvideoparse.so 28817 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmulaw.so 28816 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmultifile.so 28815 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmultipart.so 28814 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmusepack.so 28813 -usr/lib/i386-linux-gnu/libmpcdec.so.6.1.0 28812 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmve.so 28811 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmxf.so 28810 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstnavigationtest.so 28809 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstnice.so 28808 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstnsf.so 28807 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstnuvdemux.so 28806 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstofa.so 28805 -usr/lib/libofa.so.0.0.0 28804 -usr/lib/i386-linux-gnu/libfftw3.so.3.3.2 28803 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstogg.so 28802 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstopenal.so 28801 -usr/lib/i386-linux-gnu/libopenal.so.1.14.0 28800 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstopus.so 28799 -usr/lib/libopus.so.0.0.0 28798 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstoss4audio.so 28797 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstossaudio.so 28796 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstpango.so 28795 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstpatchdetect.so 28794 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstpcapparse.so 28793 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstplaybin.so 28792 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstpng.so 28791 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstpnm.so 28790 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstpostproc.so 28789 -usr/lib/i386-linux-gnu/i686/cmov/libpostproc.so.52.0.0 28788 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstpulse.so 28787 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstrawparse.so 28786 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstreal.so 28785 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstremovesilence.so 28784 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstreplaygain.so 28783 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstrfbsrc.so 28782 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstrmdemux.so 28781 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstrsvg.so 28780 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstrtmp.so 28779 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstrtp.so 28778 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstrtpmanager.so 28777 -usr/lib/i386-linux-gnu/libgstnetbuffer-0.10.so.0.25.0 28776 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstrtpmux.so 28775 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstrtpvp8.so 28774 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstrtsp.so 28773 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstscaletempoplugin.so 28772 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstschro.so 28771 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstsdi.so 28770 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstsdpelem.so 28769 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstsegmentclip.so 28768 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstshapewipe.so 28767 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstshm.so 28766 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstshout2.so 28765 -usr/lib/i386-linux-gnu/libshout.so.3.2.0 28764 -usr/lib/i386-linux-gnu/libtheora.so.0.3.10 28763 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstsid.so 28762 -usr/lib/libsidplay.so.1.0.3 28761 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstsiren.so 28760 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstsmooth.so 28759 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstsmpte.so 28758 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstsndfile.so 28757 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstsoundtouch.so 28756 -usr/lib/i386-linux-gnu/libSoundTouch.so.0.0.0 28755 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstsouphttpsrc.so 28754 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstspandsp.so 28753 -usr/lib/libspandsp.so.2.0.0 28752 -usr/lib/i386-linux-gnu/libtiff.so.4.3.6 28751 -usr/lib/i386-linux-gnu/libjbig.so.0.0.0 28750 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstspectrum.so 28749 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstspeed.so 28748 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstspeex.so 28747 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgststereo.so 28746 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstsubenc.so 28745 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstsubparse.so 28744 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgsttaglib.so 28743 -usr/lib/i386-linux-gnu/libtag.so.1.7.2 28742 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgsttcp.so 28741 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstteletextdec.so 28740 -usr/lib/i386-linux-gnu/libzvbi.so.0.13.1 28739 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgsttheora.so 28738 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgsttta.so 28737 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgsttwolame.so 28736 -usr/lib/libtwolame.so.0.0.0 28735 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgsttypefindfunctions.so 28734 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstudp.so 28733 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvcdsrc.so 28732 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvideo4linux2.so 28731 -usr/lib/i386-linux-gnu/libXv.so.1.0.0 28730 -usr/lib/i386-linux-gnu/libv4l2.so.0 28729 -usr/lib/i386-linux-gnu/libv4lconvert.so.0 28728 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvideobox.so 28727 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvideocrop.so 28726 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvideofilter.so 28725 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvideofiltersbad.so 28724 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvideomaxrate.so 28723 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvideomeasure.so 28722 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvideomixer.so 28721 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvideoparsersbad.so 28720 -usr/lib/i386-linux-gnu/libgstcodecparsers-0.10.so.23.0.0 28719 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvideorate.so 28718 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvideoscale.so 28717 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvideosignal.so 28716 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvideotestsrc.so 28715 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvmnc.so 28714 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvoaacenc.so 28713 -usr/lib/i386-linux-gnu/libvo-aacenc.so.0.0.3 28712 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvoamrwbenc.so 28711 -usr/lib/i386-linux-gnu/libvo-amrwbenc.so.0.0.3 28710 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvolume.so 28709 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvorbis.so 28708 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvp8.so 28707 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstwavenc.so 28706 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstwavpack.so 28705 -usr/lib/i386-linux-gnu/libwavpack.so.1.1.4 28704 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstwavparse.so 28703 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstwildmidi.so 28702 -usr/lib/i386-linux-gnu/libWildMidi.so.1.0.2 28701 -etc/wildmidi/wildmidi.cfg 28700 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstx264.so 28699 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstximagesink.so 28698 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstximagesrc.so 28697 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstxvid.so 28696 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstxvimagesink.so 28695 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgsty4mdec.so 28694 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgsty4menc.so 28693 -usr/lib/i386-linux-gnu/gstreamer-0.10/libgstzbar.so 28692 -usr/lib/libzbar.so.0.2.0 28691 -usr/lib/i386-linux-gnu/gstreamer-0.10/libresindvd.so 28690 -usr/lib/i386-linux-gnu/libdvdnav.so.4.1.2 28689 -usr/lib/gstreamer-0.10/libgnl.so 28688 -usr/lib/gstreamer-0.10/libgstpython.so 28687 -usr/lib/libpython2.7.so.1.0 28686 -usr/share/pyshared/pygtk.py 28685 -usr/lib/python2.7/glob.py 28684 -usr/lib/python2.7/glob.pyc 28683 -usr/share/pyshared/pygst.py 28682 -usr/share/pyshared/gst-0.10/gst/__init__.py 28681 -usr/lib/python2.7/plat-linux2/DLFCN.py 28680 -usr/share/pyshared/libxml2.py 28679 -usr/lib/python2.7/dist-packages/libxml2mod.so 28678 -usr/lib/python2.7/dist-packages/gst-0.10/gst/_gst.so 28677 -usr/lib/i386-linux-gnu/libgstnet-0.10.so.0.30.0 28676 -usr/lib/python2.7/dist-packages/gst-0.10/gst/interfaces.so 28675 -usr/share/florence/layouts/florence.xml 28674 -usr/share/florence/relaxng/florence.rng 28673 -usr/share/florence/styles/hard/florence.style 28672 -usr/share/florence/styles/hard/default.svg 28671 -usr/share/florence/styles/hard/tiny.svg 28670 -usr/share/florence/styles/hard/mini.svg 28669 -usr/share/florence/styles/hard/small.svg 28668 -usr/share/florence/styles/hard/wide.svg 28667 -usr/share/florence/styles/hard/xl.svg 28666 -usr/share/florence/styles/hard/xxl.svg 28665 -usr/share/florence/styles/hard/high.svg 28664 -usr/share/florence/styles/hard/space.svg 28663 -usr/share/florence/styles/hard/return.svg 28662 -usr/share/florence/styles/default/symbols.xml 28661 -usr/share/pixmaps/florence.svg 28660 -usr/share/florence/styles/default/sounds/sounds.xml 28659 -usr/share/florence/relaxng/style.rng 28658 -usr/share/florence/relaxng/svg11.rng 28657 -usr/share/florence/relaxng/svg-container-attrib.rng 28656 -usr/share/florence/relaxng/svg-viewport-attrib.rng 28655 -usr/share/florence/relaxng/svg-paint-attrib.rng 28654 -usr/share/florence/relaxng/svg-opacity-attrib.rng 28653 -usr/share/florence/relaxng/svg-graphics-attrib.rng 28652 -usr/share/florence/relaxng/svg-basic-graphics-attrib.rng 28651 -usr/share/florence/relaxng/svg-docevents-attrib.rng 28650 -usr/share/florence/relaxng/svg-graphevents-attrib.rng 28649 -usr/share/florence/relaxng/svg-animevents-attrib.rng 28648 -usr/share/florence/relaxng/svg-xlink-attrib.rng 28647 -usr/share/florence/relaxng/svg-extresources-attrib.rng 28646 -usr/share/florence/relaxng/svg-structure.rng 28645 -usr/share/florence/relaxng/svg-basic-structure.rng 28644 -usr/share/florence/relaxng/svg-datatypes.rng 28643 -usr/share/florence/relaxng/svg-core-attrib.rng 28642 -usr/share/florence/relaxng/svg-conditional.rng 28641 -usr/share/florence/relaxng/svg-image.rng 28640 -usr/share/florence/relaxng/svg-style.rng 28639 -usr/share/florence/relaxng/svg-shape.rng 28638 -usr/share/florence/relaxng/svg-text.rng 28637 -usr/share/florence/relaxng/svg-basic-text.rng 28636 -usr/share/florence/relaxng/svg-marker.rng 28635 -usr/share/florence/relaxng/svg-profile.rng 28634 -usr/share/florence/relaxng/svg-gradient.rng 28633 -usr/share/florence/relaxng/svg-pattern.rng 28632 -usr/share/florence/relaxng/svg-clip.rng 28631 -usr/share/florence/relaxng/svg-basic-clip.rng 28630 -usr/share/florence/relaxng/svg-mask.rng 28629 -usr/share/florence/relaxng/svg-filter.rng 28628 -usr/share/florence/relaxng/svg-basic-filter.rng 28627 -usr/share/florence/relaxng/svg-cursor.rng 28626 -usr/share/florence/relaxng/svg-hyperlink.rng 28625 -usr/share/florence/relaxng/svg-view.rng 28624 -usr/share/florence/relaxng/svg-script.rng 28623 -usr/share/florence/relaxng/svg-animation.rng 28622 -usr/share/florence/relaxng/svg-font.rng 28621 -usr/share/florence/relaxng/svg-basic-font.rng 28620 -usr/share/florence/relaxng/svg-extensibility.rng 28619 -usr/share/florence/florence.css 28618 -etc/init.d/htpdate 28617 -etc/default/htpdate 28616 -usr/local/bin/getTorBrowserUserAgent 28615 -usr/local/lib/tails-shell-library/tor-browser.sh 28614 -usr/bin/unzip 28613 -usr/local/lib/tor-browser/browser/omni.ja 28612 -usr/local/sbin/htpdate 28611 -etc/NetworkManager/dispatcher.d/30-i2p.sh 28610 -etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh 28609 -usr/bin/gettext 28608 -usr/local/sbin/tails-notify-user 28607 -etc/NetworkManager/dispatcher.d/60-ttdnsd.sh 28606 -usr/bin/notify-send 28605 -etc/init.d/ttdnsd 28604 -etc/default/ttdnsd 28603 -usr/sbin/ttdnsd 28602 -usr/lib/libtsocks.so.1.8 28601 -etc/ttdnsd.conf 28600 -etc/NetworkManager/dispatcher.d/60-vidalia.sh 28599 -usr/local/sbin/restart-vidalia 28598 -usr/bin/killall 28597 -usr/share/perl5/DateTime/Format/DateParse.pm 28596 -usr/share/perl5/Date/Parse.pm 28595 -usr/share/perl5/Time/Zone.pm 28594 -usr/share/perl5/Getopt/Long/Descriptive.pm 28593 -usr/share/perl5/Getopt/Long/Descriptive/Opts.pm 28592 -usr/share/perl5/Getopt/Long/Descriptive/Usage.pm 28591 -usr/share/perl5/Sub/Exporter/Util.pm 28590 -usr/share/perl/5.14.2/open.pm 28589 -usr/lib/perl/5.14.2/threads.pm 28588 -usr/lib/perl/5.14.2/auto/threads/threads.so 28587 -usr/bin/curl 28586 -usr/lib/i386-linux-gnu/libcurl.so.4.2.0 28585 -etc/NetworkManager/dispatcher.d/70-upgrade-additional-software.sh 28584 -usr/bin/lckdo 28583 -usr/bin/vidalia 28582 -usr/share/ca-certificates/mozilla/AddTrust_External_Root.crt 28581 -usr/share/ca-certificates/mozilla/Entrust.net_Secure_Server_CA.crt 28580 -usr/lib/i386-linux-gnu/libQtGui.so.4.8.2 28579 -usr/share/perl/5.14.2/Text/ParseWords.pm 28578 -usr/lib/i386-linux-gnu/libQtXml.so.4.8.2 28577 -usr/share/ca-certificates/mozilla/GlobalSign_Root_CA.crt 28576 -usr/lib/i386-linux-gnu/libQtNetwork.so.4.8.2 28575 -usr/lib/i386-linux-gnu/libQtCore.so.4.8.2 28574 -usr/share/perl/5.14.2/unicore/To/Lower.pl 28573 -usr/share/perl/5.14.2/unicore/lib/Nt/De.pl 28572 -usr/share/perl/5.14.2/unicore/lib/Perl/Word.pl 28571 -usr/lib/i386-linux-gnu/libaudio.so.2.4 28570 -usr/lib/i386-linux-gnu/gconv/UTF-16.so 28569 -usr/share/ca-certificates/mozilla/Verisign_Class_3_Public_Primary_Certification_Authority_2.crt 28568 -usr/share/ca-certificates/mozilla/Verisign_Class_3_Public_Primary_Certification_Authority.crt 28567 -usr/local/bin/tails-security-check 28566 -usr/share/perl5/Carp/Assert/More.pm 28565 -usr/share/perl5/Carp/Assert.pm 28564 -usr/share/perl5/XML/Atom.pm 28563 -usr/lib/perl5/XML/LibXML.pm 28562 -usr/lib/perl5/XML/LibXML/Error.pm 28561 -usr/lib/perl5/XML/LibXML/NodeList.pm 28560 -usr/lib/perl5/XML/LibXML/Boolean.pm 28559 -usr/lib/perl5/XML/LibXML/Number.pm 28558 -usr/lib/perl5/XML/LibXML/Literal.pm 28557 -usr/lib/perl5/XML/LibXML/XPathContext.pm 28556 -usr/lib/perl5/auto/XML/LibXML/LibXML.so 28555 -usr/lib/perl5/XML/LibXML/AttributeHash.pm 28554 -usr/share/perl5/XML/SAX/Exception.pm 28553 -usr/share/perl5/XML/Atom/ErrorHandler.pm 28552 -usr/share/perl5/XML/Atom/Feed.pm 28551 -usr/share/perl5/XML/Atom/Thing.pm 28550 -usr/share/perl5/XML/Atom/Base.pm 28549 -usr/share/perl5/Class/Data/Inheritable.pm 28548 -usr/share/perl5/XML/Atom/Util.pm 28547 -usr/share/perl5/XML/Atom/Category.pm 28546 -usr/share/perl5/XML/Atom/Link.pm 28545 -usr/share/perl5/LWP/UserAgent.pm 28544 -usr/share/perl5/HTTP/Request.pm 28543 -usr/share/perl5/HTTP/Message.pm 28542 -usr/share/perl5/HTTP/Headers.pm 28541 -usr/lib/perl/5.14.2/Storable.pm 28540 -usr/lib/perl/5.14.2/auto/Storable/Storable.so 28539 -usr/share/perl5/HTTP/Response.pm 28538 -usr/share/perl5/HTTP/Status.pm 28537 -usr/share/perl5/HTTP/Date.pm 28536 -usr/lib/i386-linux-gnu/qt4/plugins/inputmethods/libqimsw-multi.so 28535 -usr/share/perl5/LWP.pm 28534 -usr/share/perl5/LWP/Protocol.pm 28533 -usr/share/perl5/LWP/MemberMixin.pm 28532 -usr/share/perl5/XML/Atom/Entry.pm 28531 -usr/share/perl5/XML/Atom/Person.pm 28530 -usr/share/perl5/XML/Atom/Content.pm 28529 -usr/share/perl5/IO/Socket/SSL.pm 28528 -usr/lib/perl5/Net/SSLeay.pm 28527 -usr/lib/perl5/auto/Net/SSLeay/autosplit.ix 28526 -usr/lib/perl5/auto/Net/SSLeay/SSLeay.so 28525 -usr/lib/perl5/Socket6.pm 28524 -usr/lib/i386-linux-gnu/qt4/plugins/inputmethods/libqtim-ibus.so 28523 -usr/lib/perl5/auto/Socket6/Socket6.so 28522 -usr/share/perl5/IO/Socket/INET6.pm 28521 -usr/lib/perl5/auto/Net/SSLeay/randomize.al 28520 -usr/share/perl5/HTTP/Config.pm 28519 -usr/share/perl5/URI/https.pm 28518 -usr/share/perl5/URI/http.pm 28517 -usr/share/perl5/URI/_server.pm 28516 -usr/share/perl5/URI/_generic.pm 28515 -usr/share/perl5/URI/_query.pm 28514 -usr/share/perl5/URI/_idna.pm 28513 -usr/share/perl5/URI/_punycode.pm 28512 -usr/share/perl5/URI/socks.pm 28511 -usr/share/perl5/LWP/Protocol/socks.pm 28510 -usr/share/perl5/LWP/Protocol/http.pm 28509 -usr/share/perl5/Net/HTTP.pm 28508 -usr/share/perl5/Net/HTTP/Methods.pm 28507 +usr/lib/perl5/auto/List/MoreUtils/MoreUtils.so 29225 +usr/lib/perl5/Class/Load/XS.pm 29224 +usr/lib/perl5/auto/Class/Load/XS/XS.so 29223 +usr/lib/perl5/Class/MOP/Mixin/AttributeCore.pm 29222 +usr/lib/perl5/Class/MOP/Mixin.pm 29221 +usr/lib/perl5/Class/MOP/Mixin/HasAttributes.pm 29220 +usr/lib/python2.7/xml/etree/ElementTree.py 29219 +usr/share/applications/gnome-background-panel.desktop 29218 +usr/lib/nautilus/extensions-3.0/libnautilus-sendto.so 29217 +usr/lib/nautilus/extensions-3.0/libnautilus-wipe.so 29216 +usr/lib/libgsecuredelete.so.0.0.0 29215 +usr/lib/nautilus/extensions-3.0/libtotem-properties-page.so 29214 +usr/sbin/aa-status 29213 +usr/lib/perl5/Class/MOP/Mixin/HasMethods.pm 29212 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstaudiofx.so 29211 +usr/lib/python2.7/xml/etree/ElementPath.py 29210 +usr/share/applications/gnome-color-panel.desktop 29209 +usr/lib/perl5/Class/MOP/Method/Meta.pm 29208 +usr/lib/i386-linux-gnu/libXxf86vm.so.1.0.0 29207 +usr/share/icons/gnome/16x16/actions/window-close.png 29206 +usr/share/pyshared/cupshelpers/openprinting.py 29205 +usr/sbin/aa-exec 29204 +usr/share/applications/gnome-control-center.desktop 29203 +usr/lib/i386-linux-gnu/libgstfft-0.10.so.0.25.0 29202 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstaudioparsers.so 29201 +usr/lib/perl5/Class/MOP/Method.pm 29200 +usr/lib/gvfs/gvfsd-trash 29199 +usr/share/applications/gnome-datetime-panel.desktop 29198 +usr/lib/pyshared/python2.7/pycurl.so 29197 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstaudiorate.so 29196 +usr/lib/perl5/Class/MOP/Object.pm 29195 +usr/lib/perl5/Class/MOP/Method/Overload.pm 29194 +usr/share/applications/gnome-display-panel.desktop 29193 +usr/share/applications/gnome-info-panel.desktop 29192 +usr/share/applications/gnome-keyboard-panel.desktop 29191 +usr/share/applications/gnome-mouse-panel.desktop 29190 +usr/share/applications/gnome-network-panel.desktop 29189 +usr/share/applications/gnome-online-accounts-panel.desktop 29188 +usr/share/applications/gnome-power-panel.desktop 29187 +usr/lib/perl5/Class/MOP/Class.pm 29186 +usr/lib/perl5/LibAppArmor.pm 29185 +usr/share/icons/Adwaita/cursors/xterm 29184 +usr/lib/python2.7/urllib.py 29183 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstaudioresample.so 29182 +usr/lib/perl5/Class/MOP/Instance.pm 29181 +usr/share/applications/gnome-power-statistics.desktop 29180 +usr/share/applications/gnome-printers-panel.desktop 29179 +usr/share/applications/gnome-region-panel.desktop 29178 +usr/share/applications/gnome-screen-panel.desktop 29177 +usr/share/applications/gnome-screenshot.desktop 29176 +usr/share/applications/gnome-search-tool.desktop 29175 +usr/share/applications/gnome-sound-panel.desktop 29174 +usr/share/applications/gnome-sound-recorder.desktop 29173 +usr/share/applications/gnome-system-log.desktop 29172 +usr/share/applications/gnome-system-monitor.desktop 29171 +usr/lib/perl5/Class/MOP/Method/Wrapped.pm 29170 +usr/share/applications/gnome-terminal.desktop 29169 +usr/lib/perl5/Class/MOP/Method/Accessor.pm 29168 +usr/lib/perl5/Class/MOP/Method/Generated.pm 29167 +usr/share/perl5/Eval/Closure.pm 29166 +usr/lib/perl5/auto/LibAppArmor/LibAppArmor.so 29165 +usr/lib/perl5/Class/MOP/Method/Constructor.pm 29164 +usr/lib/i386-linux-gnu/liborc-test-0.4.so.0.16.0 29163 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstaudiotestsrc.so 29162 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstaudiovisualizers.so 29161 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstauparse.so 29160 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstautoconvert.so 29159 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstautodetect.so 29158 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstavi.so 29157 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstbayer.so 29156 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstbz2.so 29155 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstcacasink.so 29154 +usr/lib/i386-linux-gnu/libcaca.so.0.99.18 29153 +usr/lib/gvfs/gvfsd-burn 29152 +usr/share/applications/gnome-universal-access-panel.desktop 29151 +usr/lib/libapparmor.so.1.0.2 29150 +lib/i386-linux-gnu/libncursesw.so.5.9 29149 +usr/lib/python2.7/base64.py 29148 +usr/share/tor/geoip 29147 +etc/NetworkManager/dispatcher.d/20-time.sh 29146 +usr/share/applications/gnome-user-accounts-panel.desktop 29145 +usr/lib/perl5/Class/MOP/Method/Inlined.pm 29144 +usr/share/applications/gnome-wacom-panel.desktop 29143 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstcairo.so 29142 +usr/lib/perl5/Class/MOP/MiniTrait.pm 29141 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstcamerabin.so 29140 +usr/share/applications/gobby-0.5.desktop 29139 +usr/lib/i386-linux-gnu/libgstphotography-0.10.so.23.0.0 29138 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstcamerabin2.so 29137 +usr/lib/i386-linux-gnu/libgstbasecamerabinsrc-0.10.so.23.0.0 29136 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstcdaudio.so 29135 +usr/lib/libcdaudio.so.1.0.0 29134 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstcdio.so 29133 +usr/lib/i386-linux-gnu/libgstcdda-0.10.so.0.25.0 29132 +usr/lib/libcdio.so.13.0.0 29131 +usr/lib/perl5/Class/MOP/Module.pm 29130 +usr/lib/perl5/Class/MOP/Package.pm 29129 +usr/share/perl5/Devel/GlobalDestruction.pm 29128 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstcdparanoia.so 29127 +usr/lib/python2.7/urlparse.py 29126 +usr/lib/perl5/Class/MOP/Attribute.pm 29125 +usr/lib/perl5/auto/Moose/Moose.so 29124 +usr/lib/libcdda_interface.so.0.10.2 29123 +usr/lib/libcdda_paranoia.so.0.10.2 29122 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstcdxaparse.so 29121 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstclutter.so 29120 +usr/lib/i386-linux-gnu/libclutter-1.0.so.0.1000.8 29119 +bin/su 29118 +usr/share/icons/gnome/scalable/actions/edit-clear-symbolic.svg 29117 +etc/pam.d/su 29116 +lib/i386-linux-gnu/security/pam_mail.so 29115 +usr/local/bin/tails-htp-notify-user 29114 +usr/share/icons/gnome/scalable/actions/edit-find-symbolic.svg 29113 +usr/share/applications/gstreamer-properties.desktop 29112 +usr/share/applications/gtkhash.desktop 29111 +usr/share/applications/ibus-setup-hangul.desktop 29110 +usr/share/applications/ibus-setup.desktop 29109 +usr/share/applications/ibus.desktop 29108 +usr/share/applications/inkscape.desktop 29107 +usr/share/applications/keepassx.desktop 29106 +usr/lib/libreoffice/share/xdg/calc.desktop 29105 +usr/lib/libreoffice/share/xdg/draw.desktop 29104 +usr/lib/libreoffice/share/xdg/impress.desktop 29103 +usr/lib/libreoffice/share/xdg/math.desktop 29102 +usr/lib/libreoffice/share/xdg/startcenter.desktop 29101 +usr/lib/libreoffice/share/xdg/writer.desktop 29100 +usr/share/applications/liferea.desktop 29099 +usr/share/applications/liveusb-creator-launcher.desktop 29098 +usr/share/applications/mat.desktop 29097 +usr/share/applications/nautilus-autorun-software.desktop 29096 +usr/share/applications/nautilus.desktop 29095 +usr/share/applications/nm-applet.desktop 29094 +usr/lib/perl5/Class/MOP/Deprecated.pm 29093 +usr/lib/i386-linux-gnu/libcogl.so.9.1.1 29092 +usr/share/icons/gnome/16x16/actions/edit-clear.png 29091 +usr/lib/python2.7/ssl.py 29090 +usr/share/applications/nm-connection-editor.desktop 29089 +usr/share/icons/gnome/48x48/places/user-desktop.png 29088 +usr/lib/perl5/Class/MOP/Class/Immutable/Trait.pm 29087 +usr/lib/i386-linux-gnu/libcogl-pango.so.0.0.0 29086 +usr/lib/python2.7/platform.py 29085 +usr/lib/i386-linux-gnu/libGL.so.1.2 29084 +usr/lib/i386-linux-gnu/libglapi.so.0.0.0 29083 +usr/share/pyshared/cupshelpers/installdriver.py 29082 +usr/share/applications/notification-daemon.desktop 29081 +usr/share/applications/openjdk-7-policytool.desktop 29080 +usr/share/applications/orca.desktop 29079 +usr/share/applications/palimpsest.desktop 29078 +usr/share/applications/pidgin.desktop 29077 +usr/share/applications/pitivi.desktop 29076 +usr/share/applications/poedit.desktop 29075 +usr/share/applications/python2.7.desktop 29074 +usr/share/applications/scribus.desktop 29073 +usr/share/applications/seahorse-pgp-encrypted.desktop 29072 +usr/share/applications/seahorse-pgp-keys.desktop 29071 +usr/share/applications/seahorse-pgp-signature.desktop 29070 +usr/share/icons/gnome/22x22/places/user-desktop.png 29069 +usr/share/applications/seahorse.desktop 29068 +usr/share/pyshared/gtk-2.0/pynotify/__init__.py 29067 +usr/share/perl5/B/Hooks/EndOfScope.pm 29066 +usr/lib/perl5/Variable/Magic.pm 29065 +usr/lib/perl5/auto/Variable/Magic/Magic.so 29064 +usr/share/perl5/namespace/clean.pm 29063 +usr/share/icons/gnome/16x16/places/user-desktop.png 29062 +usr/share/applications/session-properties.desktop 29061 +usr/share/applications/simple-scan.desktop 29060 +usr/share/applications/sound-juicer.desktop 29059 +usr/share/applications/synaptic-kde.desktop 29058 +usr/share/applications/synaptic.desktop 29057 +usr/share/applications/system-config-printer.desktop 29056 +usr/share/applications/tails-about.desktop 29055 +usr/share/applications/tails-activate-win8-theme.desktop 29054 +usr/share/applications/tails-documentation.desktop 29053 +usr/share/applications/tails-persistence-delete.desktop 29052 +usr/share/applications/tails-persistence-setup.desktop 29051 +usr/share/applications/tails-reboot.desktop 29050 +usr/share/applications/tails-shutdown.desktop 29049 +usr/share/applications/tor-browser.desktop 29048 +usr/share/applications/totem.desktop 29047 +usr/share/applications/traverso.desktop 29046 +usr/share/icons/gnome/24x24/places/user-desktop.png 29045 +usr/lib/python2.7/dist-packages/gtk-2.0/pynotify/_pynotify.so 29044 +usr/lib/i386-linux-gnu/libxcb-glx.so.0.0.0 29043 +etc/drirc 29042 +usr/share/pyshared/gtk-2.0/gtk/__init__.py 29041 +usr/lib/python2.7/dist-packages/gtk-2.0/gtk/_gtk.so 29040 +usr/share/icons/gnome/32x32/places/user-desktop.png 29039 +usr/share/applications/unsafe-browser.desktop 29038 +usr/share/applications/whisperback.desktop 29037 +usr/share/applications/yelp.desktop 29036 +usr/share/gnome/applications/openjdk-7-policytool.desktop 29035 +usr/share/desktop-directories/ActionGames.directory 29034 +usr/share/desktop-directories/AdventureGames.directory 29033 +usr/share/desktop-directories/ArcadeGames.directory 29032 +usr/share/desktop-directories/AudioVideo.directory 29031 +usr/share/desktop-directories/BlocksGames.directory 29030 +usr/share/desktop-directories/BoardGames.directory 29029 +usr/share/desktop-directories/CardGames.directory 29028 +usr/share/desktop-directories/Debian.directory 29027 +usr/share/desktop-directories/Development.directory 29026 +usr/share/icons/gnome/256x256/places/user-desktop.png 29025 +usr/share/icons/gnome/16x16/mimetypes/text-x-generic.png 29024 +usr/share/icons/Adwaita/cursors/sb_h_double_arrow 29023 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstcog.so 29022 +usr/share/tor/geoip6 29021 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstcoloreffects.so 29020 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstcolorspace.so 29019 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstcoreelements.so 29018 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstcoreindexers.so 29017 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstcurl.so 29016 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstcutter.so 29015 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdataurisrc.so 29014 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdc1394.so 29013 +usr/share/desktop-directories/Education.directory 29012 +usr/share/desktop-directories/Game.directory 29011 +usr/share/desktop-directories/GnomeScience.directory 29010 +usr/share/desktop-directories/Graphics.directory 29009 +usr/share/desktop-directories/Hardware.directory 29008 +usr/share/desktop-directories/KidsGames.directory 29007 +usr/share/desktop-directories/LogicGames.directory 29006 +usr/share/desktop-directories/Network.directory 29005 +usr/share/desktop-directories/Office.directory 29004 +usr/share/desktop-directories/Personal.directory 29003 +usr/share/desktop-directories/RolePlayingGames.directory 29002 +usr/share/desktop-directories/Settings-System.directory 29001 +usr/share/desktop-directories/Settings.directory 29000 +usr/share/desktop-directories/SimulationGames.directory 28999 +usr/share/desktop-directories/SportsGames.directory 28998 +usr/share/desktop-directories/StrategyGames.directory 28997 +usr/share/desktop-directories/System-Tools.directory 28996 +usr/share/desktop-directories/System.directory 28995 +usr/lib/i386-linux-gnu/libdc1394.so.22.1.7 28994 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdccp.so 28993 +usr/share/desktop-directories/Tails.directory 28992 +usr/share/desktop-directories/Utility-Accessibility.directory 28991 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdebug.so 28990 +usr/share/desktop-directories/Utility.directory 28989 +usr/share/desktop-directories/X-GNOME-Menu-Applications.directory 28988 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdebugutilsbad.so 28987 +usr/share/desktop-directories/X-GNOME-Other.directory 28986 +usr/share/desktop-directories/gnomecc.directory 28985 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdecklink.so 28984 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdecodebin.so 28983 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdecodebin2.so 28982 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdeinterlace.so 28981 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdfbvideosink.so 28980 +usr/lib/i386-linux-gnu/libdirectfb-1.2.so.9.0.1 28979 +usr/share/perl5/Switch.pm 28978 +usr/share/pyshared/cairo/__init__.py 28977 +usr/lib/i386-linux-gnu/libdirect-1.2.so.9.0.1 28976 +usr/lib/i386-linux-gnu/libfusion-1.2.so.9.0.1 28975 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdirac.so 28974 +usr/lib/i386-linux-gnu/libgstbasevideo-0.10.so.23.0.0 28973 +usr/lib/i386-linux-gnu/libdirac_encoder.so.0.1.0 28972 +usr/share/perl/5.14.2/deprecate.pm 28971 +lib/i386-linux-gnu/libnss_dns-2.13.so 28970 +usr/lib/pyshared/python2.7/cairo/_cairo.so 28969 +usr/lib/gnome-panel/4.0/libclock-applet.so 28968 +usr/lib/libecal-1.2.so.11.2.2 28967 +usr/share/pyshared/gtk-2.0/gio/__init__.py 28966 +usr/lib/python2.7/dist-packages/gtk-2.0/gio/_gio.so 28965 +usr/lib/libical.so.0.48.0 28964 +usr/lib/libicalss.so.0.48.0 28963 +usr/lib/python2.7/dist-packages/gtk-2.0/gio/unix.so 28962 +usr/lib/python2.7/dist-packages/gtk-2.0/pango.so 28961 +usr/lib/perl/5.14.2/Filter/Util/Call.pm 28960 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdtmf.so 28959 +usr/lib/python2.7/dist-packages/gtk-2.0/atk.so 28958 +usr/lib/libicalvcal.so.0.48.0 28957 +usr/lib/libedataserverui-3.0.so.1.0.0 28956 +usr/lib/libebook-1.2.so.13.3.1 28955 +usr/lib/libedataserver-1.2.so.16.0.0 28954 +usr/lib/libgweather-3.so.0.0.6 28953 +usr/lib/libcamel-1.2.so.33.0.0 28952 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdtsdec.so 28951 +usr/lib/libdca.so.0.0.0 28950 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdv.so 28949 +usr/lib/i386-linux-gnu/libdv.so.4.0.3 28948 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdvb.so 28947 +usr/lib/perl/5.14.2/auto/Filter/Util/Call/Call.so 28946 +usr/lib/python2.7/dist-packages/gtk-2.0/pangocairo.so 28945 +usr/share/perl/5.14.2/Text/Balanced.pm 28944 +usr/share/perl/5.14.2/SelfLoader.pm 28943 +usr/share/pyshared/gtk-2.0/gtk/_lazyutils.py 28942 +usr/share/pyshared/gtk-2.0/gtk/deprecation.py 28941 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdvbsuboverlay.so 28940 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdvdlpcmdec.so 28939 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdvdread.so 28938 +usr/lib/i386-linux-gnu/libdvdread.so.4.1.2 28937 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdvdspu.so 28936 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstdvdsub.so 28935 +usr/lib/python2.7/getopt.py 28934 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstefence.so 28933 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgsteffectv.so 28932 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstencodebin.so 28931 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstequalizer.so 28930 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstfaad.so 28929 +usr/lib/i386-linux-gnu/libfaad.so.2.0.0 28928 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstfaceoverlay.so 28927 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstfbdevsink.so 28926 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstfestival.so 28925 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstffmpeg.so 28924 +usr/lib/gnome-panel/4.0/libnotification-area-applet.so 28923 +usr/local/lib/tor-browser/browser/icons/mozicon128.png 28922 +usr/local/lib/shutdown-helper-applet 28921 +usr/lib/i386-linux-gnu/i686/cmov/libavformat.so.53.21.1 28920 +usr/share/icons/gnome/48x48/devices/computer.png 28919 +usr/share/icons/gnome/48x48/places/user-home.png 28918 +usr/share/icons/gnome/48x48/places/user-trash.png 28917 +usr/share/icons/hicolor/48x48/apps/claws-mail.png 28916 +usr/share/icons/hicolor/24x24/apps/pidgin.png 28915 +usr/share/icons/hicolor/24x24/apps/keepassx.png 28914 +usr/share/icons/gnome/24x24/apps/utilities-terminal.png 28913 +usr/share/pixmaps/whisperback.svg 28912 +usr/share/icons/gnome/48x48/categories/system-help.png 28911 +usr/lib/gvfs/gvfsd-metadata 28910 +usr/lib/i386-linux-gnu/i686/cmov/libavcodec.so.53.35.0 28909 +usr/lib/girepository-1.0/PanelApplet-4.0.typelib 28908 +usr/lib/girepository-1.0/GConf-2.0.typelib 28907 +usr/lib/i386-linux-gnu/i686/cmov/libavutil.so.51.22.3 28906 +usr/lib/i386-linux-gnu/libxvidcore.so.4.3 28905 +usr/share/icons/gnome/24x24/actions/mail-message-new.png 28904 +usr/share/icons/gnome/32x32/devices/network-wired.png 28903 +usr/lib/perl5/DateTime.pm 28902 +usr/lib/i386-linux-gnu/i686/sse2/libx264.so.123 28901 +usr/lib/perl5/DateTime/Duration.pm 28900 +usr/lib/perl5/DateTime/Helpers.pm 28899 +usr/lib/perl5/Params/Validate.pm 28898 +usr/lib/perl5/Params/Validate/Constants.pm 28897 +usr/lib/perl5/Params/Validate/XS.pm 28896 +usr/lib/perl5/auto/Params/Validate/XS/XS.so 28895 +usr/share/perl5/DateTime/Locale.pm 28894 +usr/share/perl5/DateTime/Locale/Base.pm 28893 +usr/share/perl5/DateTime/Locale/Catalog.pm 28892 +usr/share/icons/gnome/scalable/actions/system-shutdown-symbolic.svg 28891 +usr/lib/i386-linux-gnu/libvpx.so.1.1.0 28890 +usr/lib/i386-linux-gnu/libtheoraenc.so.1.1.2 28889 +usr/lib/i386-linux-gnu/libtheoradec.so.1.1.4 28888 +usr/lib/i386-linux-gnu/sse2/libspeex.so.1.5.0 28887 +usr/lib/i386-linux-gnu/libschroedinger-1.0.so.0.11.0 28886 +usr/share/perl5/DateTime/TimeZone.pm 28885 +usr/share/perl5/DateTime/TimeZone/Catalog.pm 28884 +usr/share/perl5/DateTime/TimeZone/Floating.pm 28883 +usr/share/perl5/Class/Singleton.pm 28882 +usr/share/perl5/DateTime/TimeZone/OffsetOnly.pm 28881 +usr/share/perl5/DateTime/TimeZone/UTC.pm 28880 +usr/share/perl5/DateTime/TimeZone/Local.pm 28879 +usr/share/perl5/Math/Round.pm 28878 +usr/lib/perl5/auto/DateTime/DateTime.so 28877 +usr/lib/perl5/DateTime/Infinite.pm 28876 +usr/share/perl5/DateTime/Locale/en_US.pm 28875 +usr/share/perl5/DateTime/Locale/en.pm 28874 +usr/share/perl5/DateTime/Locale/root.pm 28873 +usr/lib/i386-linux-gnu/libopenjpeg-2.1.3.0.so 28872 +usr/lib/i386-linux-gnu/libmp3lame.so.0.0.0 28871 +usr/lib/i386-linux-gnu/libgsm.so.1.0.12 28870 +usr/lib/i386-linux-gnu/libva.so.1.3200.0 28869 +usr/share/icons/hicolor/48x48/apps/seahorse.png 28868 +usr/share/icons/hicolor/24x24/apps/seahorse.png 28867 +usr/share/pixmaps/gpgApplet/22x22/gpgApplet-text.png 28866 +usr/lib/pulse-2.0/modules/module-null-sink.so 28865 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstffmpegcolorspace.so 28864 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstffmpegscale.so 28863 +usr/lib/i386-linux-gnu/i686/cmov/libswscale.so.2.1.0 28862 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstfieldanalysis.so 28861 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstflac.so 28860 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstflite.so 28859 +usr/lib/i386-linux-gnu/libflite.so.1.4 28858 +usr/lib/i386-linux-gnu/libflite_cmu_us_kal.so.1.4 28857 +usr/lib/i386-linux-gnu/libflite_usenglish.so.1.4 28856 +usr/lib/i386-linux-gnu/libflite_cmulex.so.1.4 28855 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstflv.so 28854 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstflxdec.so 28853 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstfragmented.so 28852 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstfreeverb.so 28851 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstfreeze.so 28850 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstfrei0r.so 28849 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstgaudieffects.so 28848 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstgconfelements.so 28847 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstgdkpixbuf.so 28846 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstgdp.so 28845 +usr/lib/i386-linux-gnu/libgstdataprotocol-0.10.so.0.30.0 28844 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstgeometrictransform.so 28843 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstgio.so 28842 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstgme.so 28841 +usr/lib/libgme.so.0.5.3 28840 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstgoom.so 28839 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstgoom2k1.so 28838 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstgsettingselements.so 28837 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstgsm.so 28836 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgsth264parse.so 28835 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgsthdvparse.so 28834 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgsticydemux.so 28833 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstid3demux.so 28832 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstid3tag.so 28831 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstiec958.so 28830 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstimagefreeze.so 28829 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstinter.so 28828 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstinterlace.so 28827 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstinterleave.so 28826 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstisomp4.so 28825 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstivfparse.so 28824 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstjack.so 28823 +usr/lib/i386-linux-gnu/libjack.so.0.1.0 28822 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstjp2k.so 28821 +usr/lib/i386-linux-gnu/libjasper.so.1.0.0 28820 +usr/lib/i386-linux-gnu/libjpeg.so.8.4.0 28819 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstjp2kdecimator.so 28818 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstjpeg.so 28817 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstjpegformat.so 28816 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstkate.so 28815 +usr/lib/libkate.so.1.3.0 28814 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstladspa.so 28813 +usr/lib/i386-linux-gnu/libgstsignalprocessor-0.10.so.23.0.0 28812 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstlame.so 28811 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstlegacyresample.so 28810 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstlevel.so 28809 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstlibvisual.so 28808 +usr/lib/i386-linux-gnu/libvisual-0.4.so.0.0.0 28807 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstlinsys.so 28806 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstliveadder.so 28805 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstlv2.so 28804 +usr/lib/libslv2.so.9.2.0 28803 +usr/lib/libraptor2.so.0.0.0 28802 +usr/lib/librdf.so.0.0.0 28801 +usr/lib/i386-linux-gnu/libxslt.so.1.1.26 28800 +usr/lib/i386-linux-gnu/libyajl.so.2.0.4 28799 +usr/lib/librasqal.so.3.0.0 28798 +usr/lib/i386-linux-gnu/libdb-5.1.so 28797 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmad.so 28796 +usr/lib/libmad.so.0.2.1 28795 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmatroska.so 28794 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmimic.so 28793 +usr/lib/libmimic.so.0.0.1 28792 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmms.so 28791 +usr/lib/i386-linux-gnu/libmms.so.0.0.2 28790 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmodplug.so 28789 +usr/lib/libmodplug.so.1.0.0 28788 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmonoscope.so 28787 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmpeg2dec.so 28786 +usr/lib/libmpeg2.so.0.0.0 28785 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmpegaudioparse.so 28784 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmpegdemux.so 28783 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmpegpsmux.so 28782 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmpegstream.so 28781 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmpegtsdemux.so 28780 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmpegtsmux.so 28779 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmpegvideoparse.so 28778 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmulaw.so 28777 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmultifile.so 28776 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmultipart.so 28775 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmusepack.so 28774 +usr/lib/i386-linux-gnu/libmpcdec.so.6.1.0 28773 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmve.so 28772 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstmxf.so 28771 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstnavigationtest.so 28770 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstnice.so 28769 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstnsf.so 28768 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstnuvdemux.so 28767 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstofa.so 28766 +usr/lib/libofa.so.0.0.0 28765 +usr/lib/i386-linux-gnu/libfftw3.so.3.3.2 28764 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstogg.so 28763 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstopenal.so 28762 +usr/lib/i386-linux-gnu/libopenal.so.1.14.0 28761 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstopus.so 28760 +usr/lib/libopus.so.0.0.0 28759 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstoss4audio.so 28758 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstossaudio.so 28757 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstpango.so 28756 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstpatchdetect.so 28755 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstpcapparse.so 28754 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstplaybin.so 28753 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstpng.so 28752 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstpnm.so 28751 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstpostproc.so 28750 +usr/lib/i386-linux-gnu/i686/cmov/libpostproc.so.52.0.0 28749 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstpulse.so 28748 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstrawparse.so 28747 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstreal.so 28746 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstremovesilence.so 28745 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstreplaygain.so 28744 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstrfbsrc.so 28743 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstrmdemux.so 28742 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstrsvg.so 28741 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstrtmp.so 28740 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstrtp.so 28739 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstrtpmanager.so 28738 +usr/lib/i386-linux-gnu/libgstnetbuffer-0.10.so.0.25.0 28737 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstrtpmux.so 28736 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstrtpvp8.so 28735 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstrtsp.so 28734 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstscaletempoplugin.so 28733 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstschro.so 28732 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstsdi.so 28731 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstsdpelem.so 28730 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstsegmentclip.so 28729 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstshapewipe.so 28728 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstshm.so 28727 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstshout2.so 28726 +usr/lib/i386-linux-gnu/libshout.so.3.2.0 28725 +usr/lib/i386-linux-gnu/libtheora.so.0.3.10 28724 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstsid.so 28723 +usr/lib/libsidplay.so.1.0.3 28722 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstsiren.so 28721 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstsmooth.so 28720 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstsmpte.so 28719 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstsndfile.so 28718 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstsoundtouch.so 28717 +usr/lib/i386-linux-gnu/libSoundTouch.so.0.0.0 28716 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstsouphttpsrc.so 28715 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstspandsp.so 28714 +usr/lib/libspandsp.so.2.0.0 28713 +usr/lib/i386-linux-gnu/libtiff.so.4.3.6 28712 +usr/lib/i386-linux-gnu/libjbig.so.0.0.0 28711 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstspectrum.so 28710 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstspeed.so 28709 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstspeex.so 28708 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgststereo.so 28707 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstsubenc.so 28706 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstsubparse.so 28705 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgsttaglib.so 28704 +usr/lib/i386-linux-gnu/libtag.so.1.7.2 28703 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgsttcp.so 28702 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstteletextdec.so 28701 +usr/lib/i386-linux-gnu/libzvbi.so.0.13.1 28700 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgsttheora.so 28699 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgsttta.so 28698 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgsttwolame.so 28697 +usr/lib/libtwolame.so.0.0.0 28696 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgsttypefindfunctions.so 28695 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstudp.so 28694 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvcdsrc.so 28693 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvideo4linux2.so 28692 +usr/lib/i386-linux-gnu/libXv.so.1.0.0 28691 +usr/lib/i386-linux-gnu/libv4l2.so.0 28690 +usr/lib/i386-linux-gnu/libv4lconvert.so.0 28689 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvideobox.so 28688 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvideocrop.so 28687 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvideofilter.so 28686 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvideofiltersbad.so 28685 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvideomaxrate.so 28684 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvideomeasure.so 28683 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvideomixer.so 28682 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvideoparsersbad.so 28681 +usr/lib/i386-linux-gnu/libgstcodecparsers-0.10.so.23.0.0 28680 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvideorate.so 28679 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvideoscale.so 28678 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvideosignal.so 28677 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvideotestsrc.so 28676 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvmnc.so 28675 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvoaacenc.so 28674 +usr/lib/i386-linux-gnu/libvo-aacenc.so.0.0.3 28673 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvoamrwbenc.so 28672 +usr/lib/i386-linux-gnu/libvo-amrwbenc.so.0.0.3 28671 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvolume.so 28670 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvorbis.so 28669 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstvp8.so 28668 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstwavenc.so 28667 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstwavpack.so 28666 +usr/lib/i386-linux-gnu/libwavpack.so.1.1.4 28665 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstwavparse.so 28664 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstwildmidi.so 28663 +usr/lib/i386-linux-gnu/libWildMidi.so.1.0.2 28662 +etc/wildmidi/wildmidi.cfg 28661 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstx264.so 28660 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstximagesink.so 28659 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstximagesrc.so 28658 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstxvid.so 28657 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstxvimagesink.so 28656 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgsty4mdec.so 28655 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgsty4menc.so 28654 +usr/lib/i386-linux-gnu/gstreamer-0.10/libgstzbar.so 28653 +usr/lib/libzbar.so.0.2.0 28652 +usr/lib/i386-linux-gnu/gstreamer-0.10/libresindvd.so 28651 +usr/lib/i386-linux-gnu/libdvdnav.so.4.1.2 28650 +usr/lib/gstreamer-0.10/libgnl.so 28649 +usr/lib/gstreamer-0.10/libgstpython.so 28648 +usr/lib/libpython2.7.so.1.0 28647 +usr/share/pyshared/pygtk.py 28646 +usr/lib/python2.7/glob.py 28645 +usr/lib/python2.7/glob.pyc 28644 +usr/share/pyshared/pygst.py 28643 +usr/share/pyshared/gst-0.10/gst/__init__.py 28642 +usr/lib/python2.7/plat-linux2/DLFCN.py 28641 +usr/share/pyshared/libxml2.py 28640 +usr/lib/python2.7/dist-packages/libxml2mod.so 28639 +usr/lib/python2.7/dist-packages/gst-0.10/gst/_gst.so 28638 +usr/lib/i386-linux-gnu/libgstnet-0.10.so.0.30.0 28637 +usr/lib/python2.7/dist-packages/gst-0.10/gst/interfaces.so 28636 +usr/share/florence/layouts/florence.xml 28635 +usr/share/florence/relaxng/florence.rng 28634 +usr/share/florence/styles/hard/florence.style 28633 +usr/share/florence/styles/hard/default.svg 28632 +usr/share/florence/styles/hard/tiny.svg 28631 +usr/share/florence/styles/hard/mini.svg 28630 +usr/share/florence/styles/hard/small.svg 28629 +usr/share/florence/styles/hard/wide.svg 28628 +usr/share/florence/styles/hard/xl.svg 28627 +usr/share/florence/styles/hard/xxl.svg 28626 +usr/share/florence/styles/hard/high.svg 28625 +usr/share/florence/styles/hard/space.svg 28624 +usr/share/florence/styles/hard/return.svg 28623 +usr/share/florence/styles/default/symbols.xml 28622 +usr/share/pixmaps/florence.svg 28621 +usr/share/florence/styles/default/sounds/sounds.xml 28620 +usr/share/florence/relaxng/style.rng 28619 +usr/share/florence/relaxng/svg11.rng 28618 +usr/share/florence/relaxng/svg-container-attrib.rng 28617 +usr/share/florence/relaxng/svg-viewport-attrib.rng 28616 +usr/share/florence/relaxng/svg-paint-attrib.rng 28615 +usr/share/florence/relaxng/svg-opacity-attrib.rng 28614 +usr/share/florence/relaxng/svg-graphics-attrib.rng 28613 +usr/share/florence/relaxng/svg-basic-graphics-attrib.rng 28612 +usr/share/florence/relaxng/svg-docevents-attrib.rng 28611 +usr/share/florence/relaxng/svg-graphevents-attrib.rng 28610 +usr/share/florence/relaxng/svg-animevents-attrib.rng 28609 +usr/share/florence/relaxng/svg-xlink-attrib.rng 28608 +usr/share/florence/relaxng/svg-extresources-attrib.rng 28607 +usr/share/florence/relaxng/svg-structure.rng 28606 +usr/share/florence/relaxng/svg-basic-structure.rng 28605 +usr/share/florence/relaxng/svg-datatypes.rng 28604 +usr/share/florence/relaxng/svg-core-attrib.rng 28603 +usr/share/florence/relaxng/svg-conditional.rng 28602 +usr/share/florence/relaxng/svg-image.rng 28601 +usr/share/florence/relaxng/svg-style.rng 28600 +usr/share/florence/relaxng/svg-shape.rng 28599 +usr/share/florence/relaxng/svg-text.rng 28598 +usr/share/florence/relaxng/svg-basic-text.rng 28597 +usr/share/florence/relaxng/svg-marker.rng 28596 +usr/share/florence/relaxng/svg-profile.rng 28595 +usr/share/florence/relaxng/svg-gradient.rng 28594 +usr/share/florence/relaxng/svg-pattern.rng 28593 +usr/share/florence/relaxng/svg-clip.rng 28592 +usr/share/florence/relaxng/svg-basic-clip.rng 28591 +usr/share/florence/relaxng/svg-mask.rng 28590 +usr/share/florence/relaxng/svg-filter.rng 28589 +usr/share/florence/relaxng/svg-basic-filter.rng 28588 +usr/share/florence/relaxng/svg-cursor.rng 28587 +usr/share/florence/relaxng/svg-hyperlink.rng 28586 +usr/share/florence/relaxng/svg-view.rng 28585 +usr/share/florence/relaxng/svg-script.rng 28584 +usr/share/florence/relaxng/svg-animation.rng 28583 +usr/share/florence/relaxng/svg-font.rng 28582 +usr/share/florence/relaxng/svg-basic-font.rng 28581 +usr/share/florence/relaxng/svg-extensibility.rng 28580 +usr/share/florence/florence.css 28579 +usr/bin/inotifywait 28578 +usr/lib/libinotifytools.so.0.4.1 28577 +etc/init.d/htpdate 28576 +etc/default/htpdate 28575 +usr/local/bin/getTorBrowserUserAgent 28574 +usr/local/lib/tails-shell-library/tor-browser.sh 28573 +usr/bin/unzip 28572 +usr/local/lib/tor-browser/browser/omni.ja 28571 +usr/local/bin/tails-security-check 28570 +usr/share/perl5/Carp/Assert/More.pm 28569 +usr/share/perl5/Carp/Assert.pm 28568 +usr/share/perl5/XML/Atom.pm 28567 +usr/lib/perl5/XML/LibXML.pm 28566 +usr/lib/perl5/XML/LibXML/Error.pm 28565 +usr/lib/perl5/XML/LibXML/NodeList.pm 28564 +usr/lib/perl5/XML/LibXML/Boolean.pm 28563 +usr/lib/perl5/XML/LibXML/Number.pm 28562 +usr/lib/perl5/XML/LibXML/Literal.pm 28561 +usr/lib/perl5/XML/LibXML/XPathContext.pm 28560 +usr/lib/perl5/auto/XML/LibXML/LibXML.so 28559 +usr/lib/perl5/XML/LibXML/AttributeHash.pm 28558 +usr/share/perl5/XML/SAX/Exception.pm 28557 +usr/share/perl5/XML/Atom/ErrorHandler.pm 28556 +usr/share/perl5/XML/Atom/Feed.pm 28555 +usr/share/perl5/XML/Atom/Thing.pm 28554 +usr/share/perl5/XML/Atom/Base.pm 28553 +usr/share/perl5/Class/Data/Inheritable.pm 28552 +usr/share/perl5/XML/Atom/Util.pm 28551 +usr/share/perl5/XML/Atom/Category.pm 28550 +usr/share/perl5/XML/Atom/Link.pm 28549 +usr/share/perl5/LWP/UserAgent.pm 28548 +usr/share/perl5/HTTP/Request.pm 28547 +usr/share/perl5/HTTP/Message.pm 28546 +usr/share/perl5/HTTP/Headers.pm 28545 +usr/lib/perl/5.14.2/Storable.pm 28544 +usr/lib/perl/5.14.2/auto/Storable/Storable.so 28543 +usr/share/perl5/HTTP/Response.pm 28542 +usr/share/perl5/HTTP/Status.pm 28541 +usr/share/perl5/HTTP/Date.pm 28540 +usr/share/perl5/LWP.pm 28539 +usr/share/perl5/LWP/Protocol.pm 28538 +usr/share/perl5/LWP/MemberMixin.pm 28537 +usr/share/perl5/XML/Atom/Entry.pm 28536 +usr/share/perl5/XML/Atom/Person.pm 28535 +usr/share/perl5/XML/Atom/Content.pm 28534 +usr/share/perl5/IO/Socket/SSL.pm 28533 +usr/lib/perl5/Net/SSLeay.pm 28532 +usr/lib/perl5/auto/Net/SSLeay/autosplit.ix 28531 +usr/local/sbin/htpdate 28530 +usr/lib/perl5/auto/Net/SSLeay/SSLeay.so 28529 +etc/NetworkManager/dispatcher.d/30-i2p.sh 28528 +usr/lib/perl5/Socket6.pm 28527 +usr/lib/perl5/auto/Socket6/Socket6.so 28526 +etc/NetworkManager/dispatcher.d/60-tor-ready.sh 28525 +usr/share/perl5/IO/Socket/INET6.pm 28524 +usr/lib/perl5/auto/Net/SSLeay/randomize.al 28523 +usr/lib/perl/5.14.2/auto/POSIX/assert.al 28522 +usr/share/perl5/HTTP/Config.pm 28521 +usr/share/perl5/URI/https.pm 28520 +usr/share/perl5/URI/http.pm 28519 +usr/share/perl5/URI/_server.pm 28518 +usr/share/perl5/URI/_generic.pm 28517 +usr/share/perl5/URI/_query.pm 28516 +usr/share/perl5/URI/_idna.pm 28515 +usr/share/perl5/URI/_punycode.pm 28514 +usr/bin/gettext 28513 +usr/share/perl5/URI/socks.pm 28512 +usr/share/perl5/LWP/Protocol/socks.pm 28511 +usr/share/perl5/LWP/Protocol/http.pm 28510 +usr/share/perl5/Net/HTTP.pm 28509 +usr/share/perl5/Net/HTTP/Methods.pm 28508 +usr/local/sbin/tails-notify-user 28507 usr/share/perl5/IO/Socket/Socks.pm 28506 -usr/share/perl5/LWP/Protocol/https.pm 28505 -usr/share/perl5/Net/HTTPS.pm 28504 -usr/lib/libibus-qt.so.1.3.0 28503 -usr/lib/i386-linux-gnu/libQtDBus.so.4.8.2 28502 -home/vidalia/.vidalia/vidalia.conf 28501 -usr/lib/i386-linux-gnu/qt4/plugins/iconengines/libqsvgicon.so 28500 -usr/lib/i386-linux-gnu/libQtSvg.so.4.8.2 28499 -usr/lib/i386-linux-gnu/qt4/plugins/imageformats/libqgif.so 28498 -usr/lib/i386-linux-gnu/qt4/plugins/imageformats/libqico.so 28497 -usr/lib/i386-linux-gnu/qt4/plugins/imageformats/libqjpeg.so 28496 -usr/lib/i386-linux-gnu/qt4/plugins/imageformats/libqmng.so 28495 -usr/lib/i386-linux-gnu/libmng.so.1.1.0.10 28494 -usr/lib/i386-linux-gnu/liblcms.so.1.0.19 28493 -usr/lib/i386-linux-gnu/qt4/plugins/imageformats/libqsvg.so 28492 -usr/lib/i386-linux-gnu/qt4/plugins/imageformats/libqtga.so 28491 -usr/lib/i386-linux-gnu/qt4/plugins/imageformats/libqtiff.so 28490 -usr/share/X11/locale/compose.dir 28489 -usr/share/X11/locale/en_US.UTF-8/Compose 28488 -usr/share/fonts/truetype/ttf-dejavu/DejaVuSans-Bold.ttf 28487 -etc/ssl/certs/ca-certificates.crt 28486 -usr/share/perl/5.14.2/IO/Uncompress/Gunzip.pm 28485 -usr/share/perl/5.14.2/IO/Uncompress/RawInflate.pm 28484 -usr/lib/perl/5.14.2/Compress/Raw/Zlib.pm 28483 -usr/lib/perl/5.14.2/auto/Compress/Raw/Zlib/autosplit.ix 28482 -usr/lib/perl/5.14.2/auto/Compress/Raw/Zlib/Zlib.so 28481 -usr/share/perl/5.14.2/IO/Compress/Base/Common.pm 28480 -usr/share/perl/5.14.2/File/GlobMapper.pm 28479 -usr/share/perl/5.14.2/IO/Uncompress/Base.pm 28478 -usr/share/perl/5.14.2/IO/Uncompress/Adapter/Inflate.pm 28477 -usr/share/perl/5.14.2/IO/Compress/Gzip/Constants.pm 28476 -usr/share/perl/5.14.2/IO/Compress/Zlib/Extra.pm 28475 -usr/bin/tails-upgrade-frontend 28474 -usr/share/perl/5.14.2/FindBin.pm 28473 -usr/lib/perl/5.14.2/lib.pm 28472 -usr/share/perl5/Tails/IUK/Frontend.pm 28471 -usr/lib/perl5/Moose.pm 28470 -usr/lib/perl5/Moose/Deprecated.pm 28469 -usr/lib/perl5/Moose/Exporter.pm 28468 -usr/lib/perl5/Moose/Util/MetaRole.pm 28467 -usr/lib/perl5/Moose/Meta/Class.pm 28466 -usr/lib/perl5/Moose/Meta/Method/Overridden.pm 28465 -usr/lib/perl5/Moose/Meta/Method.pm 28464 -usr/lib/perl5/Moose/Meta/Object/Trait.pm 28463 -usr/lib/perl5/Moose/Meta/Method/Augmented.pm 28462 -usr/lib/perl5/Moose/Error/Default.pm 28461 -usr/lib/perl5/Moose/Error/Util.pm 28460 -usr/lib/perl5/Moose/Meta/Class/Immutable/Trait.pm 28459 -usr/lib/perl5/Moose/Meta/Method/Constructor.pm 28458 -usr/lib/perl5/Moose/Meta/Method/Destructor.pm 28457 -usr/lib/perl5/Moose/Meta/Method/Meta.pm 28456 -usr/lib/perl5/Moose/Util.pm 28455 -usr/lib/perl5/Moose/Meta/TypeConstraint.pm 28454 -usr/lib/perl5/metaclass.pm 28453 -usr/lib/perl5/Moose/Meta/TypeCoercion.pm 28452 -usr/lib/perl5/Moose/Meta/Attribute.pm 28451 -usr/lib/perl5/Moose/Meta/Method/Accessor.pm 28450 -usr/lib/perl5/Moose/Meta/Method/Delegation.pm 28449 -usr/lib/perl5/Moose/Util/TypeConstraints.pm 28448 -usr/lib/perl5/Moose/Meta/TypeConstraint/Union.pm 28447 -usr/lib/perl5/Moose/Meta/TypeCoercion/Union.pm 28446 -usr/lib/perl5/Moose/Meta/TypeConstraint/Parameterized.pm 28445 -usr/lib/perl5/Moose/Meta/TypeConstraint/Parameterizable.pm 28444 -usr/lib/perl5/Moose/Meta/TypeConstraint/Class.pm 28443 -usr/lib/perl5/Moose/Meta/TypeConstraint/Role.pm 28442 -usr/lib/perl5/Moose/Meta/TypeConstraint/Enum.pm 28441 -usr/lib/perl5/Moose/Meta/TypeConstraint/DuckType.pm 28440 -usr/lib/perl5/Moose/Meta/TypeConstraint/Registry.pm 28439 -usr/lib/perl5/Moose/Util/TypeConstraints/Builtins.pm 28438 -usr/lib/perl5/Moose/Meta/Mixin/AttributeCore.pm 28437 -usr/lib/perl5/Moose/Meta/Instance.pm 28436 -usr/lib/perl5/Moose/Object.pm 28435 -usr/lib/perl5/Moose/Meta/Role.pm 28434 -usr/lib/perl5/Moose/Meta/Role/Attribute.pm 28433 -usr/lib/perl5/Moose/Meta/Role/Method.pm 28432 -usr/lib/perl5/Moose/Meta/Role/Method/Required.pm 28431 -usr/lib/perl5/Moose/Meta/Role/Method/Conflicting.pm 28430 -usr/lib/perl5/Moose/Meta/Role/Composite.pm 28429 -usr/lib/perl5/Moose/Meta/Role/Application.pm 28428 -usr/lib/perl5/Moose/Meta/Role/Application/RoleSummation.pm 28427 -usr/lib/perl5/Moose/Meta/Role/Application/ToClass.pm 28426 -usr/lib/perl5/Moose/Meta/Role/Application/ToRole.pm 28425 -usr/lib/perl5/Moose/Meta/Role/Application/ToInstance.pm 28424 -usr/lib/perl5/Moose/Meta/Attribute/Native.pm 28423 -usr/share/perl5/MooseX/Method/Signatures.pm 28422 -usr/lib/perl5/Devel/Declare.pm 28421 -usr/lib/perl5/B/Hooks/OP/Check.pm 28420 -usr/lib/perl5/auto/B/Hooks/OP/Check/Check.so 28419 -usr/lib/perl5/auto/Devel/Declare/Declare.so 28418 -usr/share/perl5/MooseX/LazyRequire.pm 28417 -usr/share/perl5/aliased.pm 28416 -usr/share/perl5/MooseX/LazyRequire/Meta/Attribute/Trait/LazyRequire.pm 28415 -usr/lib/perl5/Moose/Role.pm 28414 -usr/share/perl5/MooseX/Types/Moose.pm 28413 -usr/share/perl5/MooseX/Types.pm 28412 -usr/share/perl5/MooseX/Types/TypeDecorator.pm 28411 -usr/share/perl5/Carp/Clan.pm 28410 -usr/share/perl5/MooseX/Types/Base.pm 28409 -usr/share/perl5/MooseX/Types/Util.pm 28408 -usr/share/perl5/MooseX/Types/UndefinedType.pm 28407 -usr/share/perl5/MooseX/Types/CheckedUtilExports.pm 28406 -usr/share/perl5/MooseX/Method/Signatures/Meta/Method.pm 28405 -usr/share/perl5/Context/Preserve.pm 28404 -usr/share/perl5/Parse/Method/Signatures.pm 28403 -usr/share/perl5/PPI.pm 28402 -usr/share/perl5/PPI/Util.pm 28401 -usr/lib/perl/5.14.2/Digest/MD5.pm 28400 -usr/share/perl/5.14.2/Digest/base.pm 28399 -usr/lib/perl/5.14.2/auto/Digest/MD5/MD5.so 28398 -usr/share/perl5/PPI/Exception.pm 28397 -usr/share/perl5/PPI/Element.pm 28396 -usr/lib/perl5/Clone.pm 28395 -usr/lib/perl5/auto/Clone/Clone.so 28394 -usr/share/perl5/PPI/Node.pm 28393 -usr/share/perl5/PPI/Token.pm 28392 -usr/share/perl5/PPI/Token/BOM.pm 28391 -usr/share/perl5/PPI/Token/Whitespace.pm 28390 -usr/share/perl5/PPI/Token/Comment.pm 28389 -usr/share/perl5/PPI/Token/Pod.pm 28388 -usr/share/perl5/PPI/Token/Number.pm 28387 -usr/share/perl5/PPI/Token/Number/Binary.pm 28386 -usr/share/perl5/PPI/Token/Number/Octal.pm 28385 -usr/share/perl5/PPI/Token/Number/Hex.pm 28384 -usr/share/perl5/PPI/Token/Number/Float.pm 28383 -usr/share/perl5/PPI/Token/Number/Exp.pm 28382 -usr/share/perl5/PPI/Token/Number/Version.pm 28381 -usr/share/perl5/PPI/Token/Word.pm 28380 -usr/share/perl5/PPI/Token/DashedWord.pm 28379 -usr/share/perl5/PPI/Token/Symbol.pm 28378 -usr/share/perl5/PPI/Token/ArrayIndex.pm 28377 -usr/share/perl5/PPI/Token/Magic.pm 28376 -usr/share/perl5/PPI/Token/Unknown.pm 28375 -usr/share/perl5/PPI/Token/Quote/Single.pm 28374 -usr/share/perl5/PPI/Token/Quote.pm 28373 -usr/share/perl5/PPI/Token/_QuoteEngine/Simple.pm 28372 -usr/share/perl5/PPI/Token/_QuoteEngine.pm 28371 -usr/share/perl5/PPI/Token/Quote/Double.pm 28370 -usr/share/perl5/PPI/Token/Quote/Literal.pm 28369 -usr/share/perl5/PPI/Token/_QuoteEngine/Full.pm 28368 -usr/share/perl5/PPI/Token/Quote/Interpolate.pm 28367 -usr/share/perl5/PPI/Token/QuoteLike/Backtick.pm 28366 -usr/share/perl5/PPI/Token/QuoteLike.pm 28365 -usr/share/perl5/PPI/Token/QuoteLike/Command.pm 28364 -usr/share/perl5/PPI/Token/QuoteLike/Regexp.pm 28363 -usr/share/perl5/PPI/Token/QuoteLike/Words.pm 28362 -usr/share/perl5/PPI/Token/QuoteLike/Readline.pm 28361 -usr/share/perl5/PPI/Token/Regexp/Match.pm 28360 -usr/share/perl5/PPI/Token/Regexp.pm 28359 -usr/share/perl5/PPI/Token/Regexp/Substitute.pm 28358 -usr/share/perl5/PPI/Token/Regexp/Transliterate.pm 28357 -usr/share/perl5/PPI/Token/Operator.pm 28356 -usr/share/perl5/PPI/Token/Cast.pm 28355 -usr/share/perl5/PPI/Token/Structure.pm 28354 -usr/share/perl5/PPI/Token/Label.pm 28353 -usr/share/perl5/PPI/Token/HereDoc.pm 28352 -usr/share/perl5/PPI/Token/Separator.pm 28351 -usr/share/perl5/PPI/Token/Data.pm 28350 -usr/share/perl5/IO/String.pm 28349 -usr/share/perl5/PPI/Token/End.pm 28348 -usr/share/perl5/PPI/Token/Prototype.pm 28347 -usr/share/perl5/PPI/Token/Attribute.pm 28346 -usr/share/perl5/PPI/Statement.pm 28345 -usr/share/perl5/PPI/Statement/Break.pm 28344 -usr/share/perl5/PPI/Statement/Compound.pm 28343 -usr/share/perl5/PPI/Statement/Data.pm 28342 -usr/share/perl5/PPI/Statement/End.pm 28341 -usr/share/perl5/PPI/Statement/Expression.pm 28340 -usr/share/perl5/PPI/Statement/Include.pm 28339 -usr/share/perl5/PPI/Statement/Include/Perl6.pm 28338 -usr/share/perl5/PPI/Statement/Null.pm 28337 -usr/share/perl5/PPI/Statement/Package.pm 28336 -usr/share/perl5/PPI/Statement/Scheduled.pm 28335 -usr/share/perl5/PPI/Statement/Sub.pm 28334 -usr/share/perl5/PPI/Statement/Given.pm 28333 -usr/share/perl5/PPI/Statement/UnmatchedBrace.pm 28332 -usr/share/perl5/PPI/Statement/Unknown.pm 28331 -usr/share/perl5/PPI/Statement/Variable.pm 28330 -usr/share/perl5/PPI/Statement/When.pm 28329 -usr/share/perl5/PPI/Structure.pm 28328 -usr/share/perl5/PPI/Structure/Block.pm 28327 -usr/share/perl5/PPI/Structure/Condition.pm 28326 -usr/share/perl5/PPI/Structure/Constructor.pm 28325 -usr/share/perl5/PPI/Structure/For.pm 28324 -usr/share/perl5/PPI/Structure/Given.pm 28323 -usr/share/perl5/PPI/Structure/List.pm 28322 -usr/share/perl5/PPI/Structure/Subscript.pm 28321 -usr/share/perl5/PPI/Structure/Unknown.pm 28320 -usr/share/perl5/PPI/Structure/When.pm 28319 -usr/share/perl5/PPI/Document.pm 28318 -usr/share/perl5/PPI/Exception/ParserTimeout.pm 28317 -usr/share/perl5/PPI/Document/Fragment.pm 28316 -usr/share/perl5/PPI/Document/File.pm 28315 -usr/share/perl5/PPI/Document/Normalized.pm 28314 -usr/share/perl5/PPI/Normal.pm 28313 -usr/share/perl5/PPI/Normal/Standard.pm 28312 -usr/share/perl5/PPI/Tokenizer.pm 28311 -usr/share/perl5/PPI/Exception/ParserRejection.pm 28310 -usr/share/perl5/PPI/Lexer.pm 28309 -usr/share/perl5/Parse/Method/Signatures/ParamCollection.pm 28308 -usr/share/perl5/Parse/Method/Signatures/Types.pm 28307 -usr/share/perl5/Parse/Method/Signatures/TypeConstraint.pm 28306 -usr/share/perl5/MooseX/Meta/TypeConstraint/ForceCoercion.pm 28305 -usr/share/perl5/MooseX/Types/Structured.pm 28304 -usr/share/perl5/MooseX/Meta/TypeConstraint/Structured.pm 28303 -usr/share/perl5/Devel/PartialDump.pm 28302 -usr/share/perl5/MooseX/Meta/TypeCoercion/Structured.pm 28301 -usr/share/perl5/MooseX/Meta/TypeConstraint/Structured/Optional.pm 28300 -usr/share/perl5/MooseX/Meta/TypeCoercion/Structured/Optional.pm 28299 -usr/share/perl5/MooseX/Types/Structured/OverflowHandler.pm 28298 -usr/share/perl5/MooseX/Types/Structured/MessageStack.pm 28297 -usr/lib/perl5/Moose/Meta/Attribute/Native/Trait/Counter.pm 28296 -usr/lib/perl5/Moose/Meta/Attribute/Native/Trait.pm 28295 -usr/lib/perl5/Moose/Meta/Method/Accessor/Native/Counter/dec.pm 28294 -usr/lib/perl5/Moose/Meta/Method/Accessor/Native/Writer.pm 28293 -usr/lib/perl5/Moose/Meta/Method/Accessor/Native.pm 28292 -usr/lib/perl5/Moose/Meta/Method/Accessor/Native/Counter/inc.pm 28291 -usr/lib/perl5/Moose/Meta/Attribute/Native/Trait/Array.pm 28290 -usr/lib/perl5/Moose/Meta/Method/Accessor/Native/Array/count.pm 28289 -usr/lib/perl5/Moose/Meta/Method/Accessor/Native/Reader.pm 28288 -usr/lib/perl5/Moose/Meta/Method/Accessor/Native/Array/elements.pm 28287 -usr/lib/perl5/Moose/Meta/Method/Accessor/Native/Array/push.pm 28286 -usr/lib/perl5/Moose/Meta/Method/Accessor/Native/Array/Writer.pm 28285 -usr/lib/perl5/Moose/Meta/Method/Accessor/Native/Array.pm 28284 -usr/lib/perl5/Moose/Meta/Method/Accessor/Native/Collection.pm 28283 -usr/share/perl5/MooseX/Method/Signatures/Types.pm 28282 -usr/share/perl5/Parse/Method/Signatures/Param/Named.pm 28281 -usr/share/perl5/Parse/Method/Signatures/Param/Placeholder.pm 28280 -usr/lib/perl5/Devel/Declare/Context/Simple.pm 28279 -usr/share/perl5/MooseX/Types/Path/Class.pm 28278 -usr/share/perl5/MooseX/Getopt.pm 28277 -usr/share/perl5/MooseX/Getopt/GLD.pm 28276 -usr/share/perl5/MooseX/Role/Parameterized.pm 28275 -usr/share/perl5/MooseX/Role/Parameterized/Meta/Role/Parameterizable.pm 28274 -usr/share/perl5/MooseX/Role/Parameterized/Meta/Role/Parameterized.pm 28273 -usr/share/perl5/MooseX/Role/Parameterized/Meta/Trait/Parameterized.pm 28272 -usr/share/perl5/MooseX/Role/Parameterized/Parameters.pm 28271 -usr/share/perl5/MooseX/Getopt/Basic.pm 28270 -usr/share/perl5/MooseX/Getopt/OptionTypeMap.pm 28269 -usr/share/perl5/MooseX/Getopt/Meta/Attribute.pm 28268 -usr/share/perl5/MooseX/Getopt/Meta/Attribute/Trait.pm 28267 -usr/share/perl5/MooseX/Getopt/Meta/Attribute/NoGetopt.pm 28266 -usr/share/perl5/MooseX/Getopt/Meta/Attribute/Trait/NoGetopt.pm 28265 -usr/share/perl5/MooseX/Getopt/ProcessedArgv.pm 28264 -usr/share/perl5/MooseX/Has/Sugar/Saccharin.pm 28263 -usr/share/perl/5.14.2/Env.pm 28262 -usr/share/perl/5.14.2/Tie/Array.pm 28261 -usr/share/perl5/IPC/Run.pm 28260 -usr/share/perl5/IPC/Run/Debug.pm 28259 -usr/share/perl5/IPC/Run/IO.pm 28258 -usr/share/perl5/IPC/Run/Timer.pm 28257 -usr/share/perl5/IPC/Run/SafeHandles.pm 28256 -usr/share/perl5/Number/Format.pm 28255 -usr/share/perl5/Tails/RunningSystem.pm 28254 -usr/share/perl5/Sys/Statistics/Linux/MemStats.pm 28253 -usr/share/perl5/Tails/Constants.pm 28252 -usr/share/perl5/Method/Signatures/Simple.pm 28251 -usr/lib/perl5/Devel/Declare/MethodInstaller/Simple.pm 28250 -usr/share/perl5/Tails/UDisks.pm 28249 -usr/lib/perl5/Unix/Mknod.pm 28248 -usr/lib/perl5/auto/Unix/Mknod/Mknod.so 28247 -usr/share/perl5/Tails/Role/HasDBus/System.pm 28246 -usr/lib/perl5/Net/DBus/GLib.pm 28245 -usr/lib/perl5/auto/Net/DBus/GLib/GLib.so 28244 -usr/share/perl5/Parse/Method/Signatures/Sig.pm 28243 -usr/share/perl5/Parse/Method/Signatures/Param.pm 28242 -usr/share/perl5/MooseX/Traits.pm 28241 -usr/share/perl5/MooseX/Traits/Util.pm 28240 -usr/share/perl5/Parse/Method/Signatures/Param/Positional.pm 28239 -usr/share/perl5/Parse/Method/Signatures/Param/Bindable.pm 28238 -usr/share/perl5/Tails/Role/HasEncoding.pm 28237 -usr/share/perl5/Tails/Role/HasCodeset.pm 28236 -usr/share/perl5/Tails/Role/DisplayError/Gtk2.pm 28235 -usr/share/perl5/Tails/IUK/UpgradeDescriptionFile.pm 28234 -usr/share/perl5/Dpkg/Version.pm 28233 -usr/share/perl5/Dpkg/ErrorHandling.pm 28232 -usr/share/perl5/Dpkg.pm 28231 -usr/share/perl5/Dpkg/Gettext.pm 28230 -usr/share/perl5/YAML/Any.pm 28229 -usr/lib/perl5/YAML/XS.pm 28228 -usr/lib/perl5/YAML/XS/LibYAML.pm 28227 -usr/lib/perl5/auto/YAML/XS/LibYAML/LibYAML.so 28226 -usr/share/perl/5.14.2/B/Deparse.pm 28225 -usr/lib/perl5/Moose/Meta/Method/Accessor/Native/Array/clear.pm 28224 -usr/share/perl5/Tails/IUK/Utils.pm 28223 -usr/share/perl/5.14.2/Archive/Tar.pm 28222 -usr/share/perl/5.14.2/IO/Zlib.pm 28221 -usr/share/perl/5.14.2/Compress/Zlib.pm 28220 -usr/share/perl/5.14.2/IO/Compress/Gzip.pm 28219 -usr/share/perl/5.14.2/IO/Compress/RawDeflate.pm 28218 -usr/share/perl/5.14.2/IO/Compress/Base.pm 28217 -usr/share/perl/5.14.2/IO/Compress/Adapter/Deflate.pm 28216 -usr/share/perl/5.14.2/Tie/Handle.pm 28215 -usr/share/perl/5.14.2/Tie/StdHandle.pm 28214 -usr/share/perl/5.14.2/Archive/Tar/File.pm 28213 -usr/share/perl/5.14.2/Archive/Tar/Constant.pm 28212 -usr/share/perl/5.14.2/Package/Constants.pm 28211 -usr/share/perl/5.14.2/IO/Uncompress/Bunzip2.pm 28210 -usr/share/perl/5.14.2/IO/Uncompress/Adapter/Bunzip2.pm 28209 -usr/lib/perl/5.14.2/Compress/Raw/Bzip2.pm 28208 -usr/lib/perl/5.14.2/auto/Compress/Raw/Bzip2/autosplit.ix 28207 -usr/lib/perl/5.14.2/auto/Compress/Raw/Bzip2/Bzip2.so 28206 -usr/share/perl/5.14.2/IO/Compress/Bzip2.pm 28205 -usr/share/perl/5.14.2/IO/Compress/Adapter/Bzip2.pm 28204 -usr/lib/perl5/Filesys/Df.pm 28203 -usr/lib/perl5/auto/Filesys/Df/Df.so 28202 -usr/share/perl5/Tails/IUK/Role/HasEncoding.pm 28201 -usr/share/perl5/Tails/IUK/Role/HasCodeset.pm 28200 -usr/share/perl5/MooseX/Getopt/Dashes.pm 28199 -usr/bin/tails-iuk-get-upgrade-description-file 28198 -usr/share/perl5/Tails/IUK/UpgradeDescriptionFile/Download.pm 28197 -usr/lib/perl5/WWW/Curl/Easy.pm 28196 -usr/lib/perl5/WWW/Curl.pm 28195 -usr/lib/perl5/auto/WWW/Curl/Curl.so 28194 -usr/lib/perl/5.14.2/auto/POSIX/assert.al 28193 -etc/os-release 28192 -usr/local/etc/ssl/certs/tails.boum.org-CA.pem 28191 -usr/local/bin/tor-browser 28190 -usr/local/lib/tor-browser/firefox 28189 -usr/local/lib/tor-browser/libstdc++.so.6 28188 -usr/local/lib/tor-browser/dependentlibs.list 28187 -usr/local/lib/tor-browser/libnspr4.so 28186 -usr/local/lib/tor-browser/libplc4.so 28185 -usr/local/lib/tor-browser/libplds4.so 28184 -usr/local/lib/tor-browser/libnssutil3.so 28183 -usr/local/lib/tor-browser/libnss3.so 28182 -usr/local/lib/tor-browser/libsmime3.so 28181 -usr/local/lib/tor-browser/libssl3.so 28180 -usr/local/lib/tor-browser/libmozsqlite3.so 28179 -usr/local/lib/tor-browser/libmozalloc.so 28178 -usr/local/lib/tor-browser/libxul.so 28177 -usr/lib/libgnomeui-2.so.0.2400.5 28176 -usr/lib/libbonoboui-2.so.0.0.0 28175 -usr/lib/libgnomecanvas-2.so.0.3000.3 28174 -usr/lib/libgnome-2.so.0.3200.1 28173 -usr/lib/i386-linux-gnu/libart_lgpl_2.so.2.3.21 28172 -usr/lib/libbonobo-2.so.0.0.0 28171 -usr/lib/libbonobo-activation.so.4.0.0 28170 -usr/lib/libORBit-2.so.0.1.0 28169 -usr/lib/libgnomevfs-2.so.0.2400.4 28168 -usr/lib/libORBitCosNaming-2.so.0.1.0 28167 -etc/gnome-vfs-2.0/modules/default-modules.conf 28166 -etc/gnome-vfs-2.0/modules/extra-modules.conf 28165 -usr/local/lib/tor-browser/TorBrowser/Data/Browser/profiles.ini 28164 -usr/local/lib/tor-browser/omni.ja 28163 -usr/local/lib/tor-browser/defaults/pref/channel-prefs.js 28162 -usr/local/lib/tor-browser/chrome.manifest 28161 -usr/local/lib/tor-browser/components/components.manifest 28160 -usr/local/lib/tor-browser/components/libdbusservice.so 28159 -usr/local/lib/tor-browser/components/libmozgnome.so 28158 -usr/local/lib/tor-browser/browser/chrome.manifest 28157 -usr/local/lib/tor-browser/browser/components/components.manifest 28156 -usr/local/lib/tor-browser/browser/components/libbrowsercomps.so 28155 -usr/lib/i386-linux-gnu/gtk-2.0/2.10.0/gtk.immodules 28154 -usr/lib/i386-linux-gnu/gtk-2.0/2.10.0/immodules/im-ibus.so 28153 -usr/local/lib/tor-browser/browser/blocklist.xml 28152 -usr/share/xul-ext/adblock-plus/install.rdf 28151 -usr/local/lib/tor-browser/libsoftokn3.so 28150 -usr/local/lib/tor-browser/libfreebl3.so 28149 -usr/local/lib/tor-browser/libnssckbi.so 28148 -usr/share/xul-ext/adblock-plus/chrome.manifest 28147 -usr/share/xul-ext/adblock-plus/bootstrap.js 28146 -usr/local/share/tor-browser-extensions/{73a6fe31-595d-460b-a920-fcc0f8843232}.xpi 28145 -usr/share/xul-ext/torbutton/install.rdf 28144 -usr/share/xul-ext/torbutton/chrome.manifest 28143 -usr/local/share/tor-browser-extensions/langpack-zh-CN@firefox.mozilla.org.xpi 28142 -usr/local/share/tor-browser-extensions/langpack-vi@firefox.mozilla.org.xpi 28141 -usr/local/share/tor-browser-extensions/langpack-tr@firefox.mozilla.org.xpi 28140 -usr/local/share/tor-browser-extensions/langpack-ru@firefox.mozilla.org.xpi 28139 -usr/local/share/tor-browser-extensions/langpack-pt-PT@firefox.mozilla.org.xpi 28138 -usr/local/share/tor-browser-extensions/langpack-pl@firefox.mozilla.org.xpi 28137 -usr/local/share/tor-browser-extensions/langpack-nl@firefox.mozilla.org.xpi 28136 -usr/local/share/tor-browser-extensions/langpack-ko@firefox.mozilla.org.xpi 28135 -usr/local/share/tor-browser-extensions/langpack-it@firefox.mozilla.org.xpi 28134 -usr/local/share/tor-browser-extensions/langpack-fr@firefox.mozilla.org.xpi 28133 -usr/local/share/tor-browser-extensions/langpack-fa@firefox.mozilla.org.xpi 28132 -usr/local/share/tor-browser-extensions/langpack-es-ES@firefox.mozilla.org.xpi 28131 -usr/local/share/tor-browser-extensions/langpack-de@firefox.mozilla.org.xpi 28130 -usr/local/share/tor-browser-extensions/langpack-ar@firefox.mozilla.org.xpi 28129 -usr/local/share/tor-browser-extensions/https-everywhere@eff.org/install.rdf 28128 -usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome.manifest 28127 -usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/install.rdf 28126 -usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome.manifest 28125 -usr/share/xul-ext/adblock-plus/lib/main.js 28124 -usr/share/xul-ext/adblock-plus/lib/filterListener.js 28123 -usr/share/xul-ext/adblock-plus/lib/filterStorage.js 28122 -usr/share/xul-ext/adblock-plus/lib/io.js 28121 -usr/share/xul-ext/adblock-plus/lib/prefs.js 28120 -usr/share/xul-ext/adblock-plus/defaults/prefs.js 28119 -usr/share/xul-ext/adblock-plus/lib/filterClasses.js 28118 -usr/share/xul-ext/adblock-plus/lib/filterNotifier.js 28117 -usr/share/xul-ext/adblock-plus/lib/subscriptionClasses.js 28116 -usr/share/xul-ext/adblock-plus/lib/elemHide.js 28115 -usr/share/xul-ext/adblock-plus/lib/utils.js 28114 -usr/share/xul-ext/adblock-plus/lib/matcher.js 28113 -etc/gnome/defaults.list 28112 -usr/share/applications/mimeinfo.cache 28111 -etc/mime.types 28110 -usr/share/xul-ext/adblock-plus/lib/contentPolicy.js 28109 -usr/share/xul-ext/adblock-plus/lib/objectTabs.js 28108 -usr/share/xul-ext/adblock-plus/lib/requestNotifier.js 28107 -usr/share/xul-ext/adblock-plus/chrome/locale/en-US/global.properties 28106 -usr/share/xul-ext/adblock-plus/lib/synchronizer.js 28105 -usr/share/xul-ext/adblock-plus/lib/sync.js 28104 -usr/share/xul-ext/adblock-plus/lib/ui.js 28103 -usr/share/xul-ext/adblock-plus/lib/keySelector.js 28102 -usr/share/xul-ext/adblock-plus/chrome/content/ui/overlay.xul 28101 -usr/share/xul-ext/adblock-plus/lib/appSupport.js 28100 -usr/share/xul-ext/torbutton/defaults/preferences/preferences.js 28099 -etc/xul-ext/torbutton.js 28098 -usr/local/share/tor-browser-extensions/https-everywhere@eff.org/defaults/preferences/preferences.js 28097 -usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/defaults/preferences/prefs.js 28096 -usr/share/xul-ext/torbutton/components/cookie-jar-selector.js 28095 -usr/share/xul-ext/torbutton/components/torbutton-logger.js 28094 -usr/local/share/tor-browser-extensions/https-everywhere@eff.org/components/https-everywhere.js 28093 -usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/content/code/ChannelReplacement.js 28092 -usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/content/code/IOUtil.js 28091 -usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/content/code/HTTPSRules.js 28090 -usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/content/code/HTTPS.js 28089 -usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/content/code/Cookie.js 28088 -usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/content/code/Thread.js 28087 -usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/content/code/ApplicableList.js 28086 -usr/local/share/tor-browser-extensions/https-everywhere@eff.org/defaults/rulesets.sqlite 28085 -usr/local/share/tor-browser-extensions/https-everywhere@eff.org/components/ssl-observatory.js 28084 -usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/content/code/Root-CAs.js 28083 -usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/content/code/sha256.js 28082 -usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/content/code/X509ChainWhitelist.js 28081 -usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/content/code/NSS.js 28080 -usr/share/xul-ext/torbutton/components/external-app-blocker.js 28079 -usr/share/xul-ext/torbutton/components/startup-observer.js 28078 -usr/share/xul-ext/torbutton/components/tbSessionStore.js 28077 -usr/share/xul-ext/torbutton/chrome/locale/en/brand.properties 28076 -usr/local/lib/tor-browser/browser/chrome/icons/default/default16.png 28075 -usr/local/lib/tor-browser/browser/chrome/icons/default/default32.png 28074 -usr/local/lib/tor-browser/browser/chrome/icons/default/default48.png 28073 -usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome/locale/en-US/amnesia.properties 28072 -usr/share/mime/application/pdf.xml 28071 -usr/share/xul-ext/adblock-plus/chrome/locale/en-US/overlay.dtd 28070 -usr/share/xul-ext/adblock-plus/chrome/locale/en-US/subscriptionSelection.dtd 28069 -usr/share/xul-ext/torbutton/chrome/locale/en/brand.dtd 28068 -usr/share/fonts/truetype/ttf-dejavu/DejaVuSerif.ttf 28067 -usr/share/xul-ext/torbutton/chrome/content/torbutton.xul 28066 -usr/share/xul-ext/torbutton/chrome/locale/en/torbutton.dtd 28065 -usr/share/xul-ext/torbutton/chrome/skin/torbutton.css 28064 -usr/share/mime/application/javascript.xml 28063 -usr/share/xul-ext/torbutton/chrome/content/stanford-safecache.js 28062 -usr/share/xul-ext/torbutton/chrome/content/torbutton_util.js 28061 -usr/share/xul-ext/torbutton/chrome/content/torbutton.js 28060 -usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/content/toolbar_button.xul 28059 -usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/locale/en/https-everywhere.dtd 28058 -usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/skin/https-everywhere.css 28057 -usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/content/toolbar_button.js 28056 -usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/content/ruleset-tests.js 28055 -usr/share/xul-ext/torbutton/chrome/content/popup.xul 28054 -usr/share/mime/application/xml.xml 28053 -usr/share/icons/gnome/16x16/actions/list-add.png 28052 -usr/share/icons/gnome/16x16/actions/edit-find.png 28051 -usr/share/xul-ext/torbutton/chrome/skin/tor-16.png 28050 -usr/share/xul-ext/torbutton/components/torCheckService.js 28049 -usr/share/xul-ext/torbutton/chrome/locale/en/torbutton.properties 28048 -usr/share/xul-ext/torbutton/chrome/skin/tor-enabled-16.png 28047 -usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/content/toolbar_button_binding.xml 28046 -usr/lib/i386-linux-gnu/libXss.so.1.0.0 28045 -usr/share/xul-ext/adblock-plus/lib/windowObserver.js 28044 -usr/share/xul-ext/adblock-plus/chrome/skin/overlay.css 28043 -usr/share/xul-ext/adblock-plus/chrome/skin/abp-status-16.png 28042 -usr/local/lib/tor-browser/browser/searchplugins/duckduckgo.xml 28041 -usr/local/lib/tor-browser/browser/searchplugins/google.xml 28040 -usr/local/lib/tor-browser/browser/searchplugins/startpage.xml 28039 -usr/local/lib/tor-browser/browser/searchplugins/twitter.xml 28038 -usr/local/lib/tor-browser/browser/searchplugins/wikipedia.xml 28037 -usr/share/xul-ext/torbutton/chrome/locale/en/browser.properties 28036 -usr/share/fonts/truetype/ttf-dejavu/DejaVuSerif-Bold.ttf 28035 -usr/share/fonts/truetype/ttf-dejavu/DejaVuSerif-Italic.ttf 28034 -usr/share/fonts/type1/gsfonts/a010013l.pfb 28033 -usr/share/fonts/truetype/ttf-dejavu/DejaVuSans-Oblique.ttf 28032 -usr/share/fonts/type1/gsfonts/n022003l.pfb 28031 -usr/share/mime/application/vnd.mozilla.xul+xml.xml 28030 -usr/lib/i386-linux-gnu/gconv/MACINTOSH.so 28029 -usr/share/icons/Adwaita/cursors/top_side 28028 -usr/share/icons/Adwaita/cursors/hand2 28027 -bin/kill 28024 +etc/NetworkManager/dispatcher.d/60-ttdnsd.sh 28505 +usr/share/perl5/LWP/Protocol/https.pm 28504 +usr/share/perl5/Net/HTTPS.pm 28503 +usr/bin/notify-send 28502 +etc/init.d/ttdnsd 28501 +etc/default/ttdnsd 28500 +usr/sbin/ttdnsd 28499 +usr/lib/libtsocks.so.1.8 28498 +etc/ttdnsd.conf 28497 +etc/NetworkManager/dispatcher.d/60-vidalia.sh 28496 +usr/local/sbin/restart-vidalia 28495 +usr/bin/killall 28494 +usr/share/perl5/DateTime/Format/DateParse.pm 28493 +usr/share/perl5/Date/Parse.pm 28492 +usr/share/perl5/Time/Zone.pm 28491 +usr/share/perl5/Getopt/Long/Descriptive.pm 28490 +usr/share/perl5/Getopt/Long/Descriptive/Opts.pm 28489 +usr/share/perl5/Getopt/Long/Descriptive/Usage.pm 28488 +usr/share/perl5/Sub/Exporter/Util.pm 28487 +usr/share/perl/5.14.2/open.pm 28486 +usr/lib/perl/5.14.2/threads.pm 28485 +usr/lib/perl/5.14.2/auto/threads/threads.so 28484 +usr/bin/curl 28483 +usr/lib/i386-linux-gnu/libcurl.so.4.2.0 28482 +etc/NetworkManager/dispatcher.d/70-upgrade-additional-software.sh 28481 +usr/bin/lckdo 28480 +usr/bin/vidalia 28479 +etc/ssl/certs/ca-certificates.crt 28478 +usr/share/ca-certificates/mozilla/GeoTrust_Global_CA.crt 28477 +usr/lib/i386-linux-gnu/libQtGui.so.4.8.2 28476 +usr/share/perl/5.14.2/Text/ParseWords.pm 28475 +usr/share/perl/5.14.2/unicore/To/Lower.pl 28474 +usr/share/perl/5.14.2/unicore/lib/Nt/De.pl 28473 +usr/share/perl/5.14.2/unicore/lib/Perl/Word.pl 28472 +usr/lib/i386-linux-gnu/libQtXml.so.4.8.2 28471 +usr/lib/i386-linux-gnu/libQtNetwork.so.4.8.2 28470 +usr/lib/i386-linux-gnu/libQtCore.so.4.8.2 28469 +usr/lib/i386-linux-gnu/libaudio.so.2.4 28468 +usr/share/ca-certificates/mozilla/GlobalSign_Root_CA.crt 28467 +usr/lib/i386-linux-gnu/gconv/UTF-16.so 28466 +usr/lib/i386-linux-gnu/qt4/plugins/inputmethods/libqimsw-multi.so 28465 +usr/lib/i386-linux-gnu/qt4/plugins/inputmethods/libqtim-ibus.so 28464 +usr/lib/libibus-qt.so.1.3.0 28463 +usr/lib/i386-linux-gnu/libQtDBus.so.4.8.2 28462 +home/vidalia/.vidalia/vidalia.conf 28461 +usr/lib/i386-linux-gnu/qt4/plugins/iconengines/libqsvgicon.so 28460 +usr/lib/i386-linux-gnu/libQtSvg.so.4.8.2 28459 +usr/lib/i386-linux-gnu/qt4/plugins/imageformats/libqgif.so 28458 +usr/lib/i386-linux-gnu/qt4/plugins/imageformats/libqico.so 28457 +usr/lib/i386-linux-gnu/qt4/plugins/imageformats/libqjpeg.so 28456 +usr/lib/i386-linux-gnu/qt4/plugins/imageformats/libqmng.so 28455 +usr/lib/i386-linux-gnu/libmng.so.1.1.0.10 28454 +usr/share/perl/5.14.2/IO/Uncompress/Gunzip.pm 28453 +usr/share/perl/5.14.2/IO/Uncompress/RawInflate.pm 28452 +usr/lib/perl/5.14.2/Compress/Raw/Zlib.pm 28451 +usr/lib/perl/5.14.2/auto/Compress/Raw/Zlib/autosplit.ix 28450 +usr/lib/i386-linux-gnu/liblcms.so.1.0.19 28449 +usr/lib/i386-linux-gnu/qt4/plugins/imageformats/libqsvg.so 28448 +usr/lib/perl/5.14.2/auto/Compress/Raw/Zlib/Zlib.so 28447 +usr/lib/i386-linux-gnu/qt4/plugins/imageformats/libqtga.so 28446 +usr/lib/i386-linux-gnu/qt4/plugins/imageformats/libqtiff.so 28445 +usr/share/X11/locale/compose.dir 28444 +usr/share/X11/locale/en_US.UTF-8/Compose 28443 +usr/share/fonts/truetype/ttf-dejavu/DejaVuSans-Bold.ttf 28442 +usr/share/perl/5.14.2/IO/Compress/Base/Common.pm 28441 +usr/share/perl/5.14.2/File/GlobMapper.pm 28440 +usr/share/perl/5.14.2/IO/Uncompress/Base.pm 28439 +usr/share/perl/5.14.2/IO/Uncompress/Adapter/Inflate.pm 28438 +usr/share/perl/5.14.2/IO/Compress/Gzip/Constants.pm 28437 +usr/share/perl/5.14.2/IO/Compress/Zlib/Extra.pm 28436 +usr/local/bin/tor-browser 28435 +usr/local/lib/tor-browser/firefox 28434 +usr/local/lib/tor-browser/libstdc++.so.6 28433 +usr/local/lib/tor-browser/dependentlibs.list 28432 +usr/local/lib/tor-browser/libnspr4.so 28431 +usr/local/lib/tor-browser/libplc4.so 28430 +usr/local/lib/tor-browser/libplds4.so 28429 +usr/local/lib/tor-browser/libnssutil3.so 28428 +usr/local/lib/tor-browser/libnss3.so 28427 +usr/local/lib/tor-browser/libsmime3.so 28426 +usr/local/lib/tor-browser/libssl3.so 28425 +usr/local/lib/tor-browser/libmozsqlite3.so 28424 +usr/local/lib/tor-browser/libmozalloc.so 28423 +usr/local/lib/tor-browser/libxul.so 28422 +usr/bin/tails-upgrade-frontend 28421 +usr/share/perl/5.14.2/FindBin.pm 28420 +usr/lib/perl/5.14.2/lib.pm 28419 +usr/share/perl5/Tails/IUK/Frontend.pm 28418 +usr/lib/perl5/Moose.pm 28417 +usr/lib/perl5/Moose/Deprecated.pm 28416 +usr/lib/perl5/Moose/Exporter.pm 28415 +usr/lib/perl5/Moose/Util/MetaRole.pm 28414 +usr/lib/perl5/Moose/Meta/Class.pm 28413 +usr/lib/perl5/Moose/Meta/Method/Overridden.pm 28412 +usr/lib/perl5/Moose/Meta/Method.pm 28411 +usr/lib/perl5/Moose/Meta/Object/Trait.pm 28410 +usr/lib/perl5/Moose/Meta/Method/Augmented.pm 28409 +usr/lib/perl5/Moose/Error/Default.pm 28408 +usr/lib/perl5/Moose/Error/Util.pm 28407 +usr/lib/perl5/Moose/Meta/Class/Immutable/Trait.pm 28406 +usr/lib/perl5/Moose/Meta/Method/Constructor.pm 28405 +usr/lib/perl5/Moose/Meta/Method/Destructor.pm 28404 +usr/lib/perl5/Moose/Meta/Method/Meta.pm 28403 +usr/lib/perl5/Moose/Util.pm 28402 +usr/lib/perl5/Moose/Meta/TypeConstraint.pm 28401 +usr/lib/perl5/metaclass.pm 28400 +usr/lib/perl5/Moose/Meta/TypeCoercion.pm 28399 +usr/lib/perl5/Moose/Meta/Attribute.pm 28398 +usr/lib/perl5/Moose/Meta/Method/Accessor.pm 28397 +usr/lib/perl5/Moose/Meta/Method/Delegation.pm 28396 +usr/lib/perl5/Moose/Util/TypeConstraints.pm 28395 +usr/lib/perl5/Moose/Meta/TypeConstraint/Union.pm 28394 +usr/lib/perl5/Moose/Meta/TypeCoercion/Union.pm 28393 +usr/lib/perl5/Moose/Meta/TypeConstraint/Parameterized.pm 28392 +usr/lib/perl5/Moose/Meta/TypeConstraint/Parameterizable.pm 28391 +usr/lib/perl5/Moose/Meta/TypeConstraint/Class.pm 28390 +usr/lib/perl5/Moose/Meta/TypeConstraint/Role.pm 28389 +usr/lib/perl5/Moose/Meta/TypeConstraint/Enum.pm 28388 +usr/lib/perl5/Moose/Meta/TypeConstraint/DuckType.pm 28387 +usr/lib/perl5/Moose/Meta/TypeConstraint/Registry.pm 28386 +usr/lib/perl5/Moose/Util/TypeConstraints/Builtins.pm 28385 +usr/lib/perl5/Moose/Meta/Mixin/AttributeCore.pm 28384 +usr/lib/perl5/Moose/Meta/Instance.pm 28383 +usr/lib/perl5/Moose/Object.pm 28382 +usr/lib/perl5/Moose/Meta/Role.pm 28381 +usr/lib/perl5/Moose/Meta/Role/Attribute.pm 28380 +usr/lib/perl5/Moose/Meta/Role/Method.pm 28379 +usr/lib/perl5/Moose/Meta/Role/Method/Required.pm 28378 +usr/lib/perl5/Moose/Meta/Role/Method/Conflicting.pm 28377 +usr/lib/perl5/Moose/Meta/Role/Composite.pm 28376 +usr/lib/perl5/Moose/Meta/Role/Application.pm 28375 +usr/lib/perl5/Moose/Meta/Role/Application/RoleSummation.pm 28374 +usr/lib/perl5/Moose/Meta/Role/Application/ToClass.pm 28373 +usr/lib/perl5/Moose/Meta/Role/Application/ToRole.pm 28372 +usr/lib/perl5/Moose/Meta/Role/Application/ToInstance.pm 28371 +usr/lib/perl5/Moose/Meta/Attribute/Native.pm 28370 +usr/share/perl5/MooseX/Method/Signatures.pm 28369 +usr/lib/perl5/Devel/Declare.pm 28368 +usr/lib/perl5/B/Hooks/OP/Check.pm 28367 +usr/lib/perl5/auto/B/Hooks/OP/Check/Check.so 28366 +usr/lib/perl5/auto/Devel/Declare/Declare.so 28365 +usr/share/perl5/MooseX/LazyRequire.pm 28364 +usr/share/perl5/aliased.pm 28363 +usr/share/perl5/MooseX/LazyRequire/Meta/Attribute/Trait/LazyRequire.pm 28362 +usr/lib/perl5/Moose/Role.pm 28361 +usr/share/perl5/MooseX/Types/Moose.pm 28360 +usr/share/perl5/MooseX/Types.pm 28359 +usr/share/perl5/MooseX/Types/TypeDecorator.pm 28358 +usr/share/perl5/Carp/Clan.pm 28357 +usr/share/perl5/MooseX/Types/Base.pm 28356 +usr/share/perl5/MooseX/Types/Util.pm 28355 +usr/share/perl5/MooseX/Types/UndefinedType.pm 28354 +usr/share/perl5/MooseX/Types/CheckedUtilExports.pm 28353 +usr/share/perl5/MooseX/Method/Signatures/Meta/Method.pm 28352 +usr/share/perl5/Context/Preserve.pm 28351 +usr/share/perl5/Parse/Method/Signatures.pm 28350 +usr/share/perl5/PPI.pm 28349 +usr/share/perl5/PPI/Util.pm 28348 +usr/lib/perl/5.14.2/Digest/MD5.pm 28347 +usr/share/perl/5.14.2/Digest/base.pm 28346 +usr/lib/perl/5.14.2/auto/Digest/MD5/MD5.so 28345 +usr/share/perl5/PPI/Exception.pm 28344 +usr/share/perl5/PPI/Element.pm 28343 +usr/lib/perl5/Clone.pm 28342 +usr/lib/perl5/auto/Clone/Clone.so 28341 +usr/share/perl5/PPI/Node.pm 28340 +usr/share/perl5/PPI/Token.pm 28339 +usr/share/perl5/PPI/Token/BOM.pm 28338 +usr/share/perl5/PPI/Token/Whitespace.pm 28337 +usr/share/perl5/PPI/Token/Comment.pm 28336 +usr/share/perl5/PPI/Token/Pod.pm 28335 +usr/share/perl5/PPI/Token/Number.pm 28334 +usr/share/perl5/PPI/Token/Number/Binary.pm 28333 +usr/share/perl5/PPI/Token/Number/Octal.pm 28332 +usr/share/perl5/PPI/Token/Number/Hex.pm 28331 +usr/share/perl5/PPI/Token/Number/Float.pm 28330 +usr/share/perl5/PPI/Token/Number/Exp.pm 28329 +usr/share/perl5/PPI/Token/Number/Version.pm 28328 +usr/share/perl5/PPI/Token/Word.pm 28327 +usr/share/perl5/PPI/Token/DashedWord.pm 28326 +usr/share/perl5/PPI/Token/Symbol.pm 28325 +usr/share/perl5/PPI/Token/ArrayIndex.pm 28324 +usr/share/perl5/PPI/Token/Magic.pm 28323 +usr/share/perl5/PPI/Token/Unknown.pm 28322 +usr/share/perl5/PPI/Token/Quote/Single.pm 28321 +usr/share/perl5/PPI/Token/Quote.pm 28320 +usr/share/perl5/PPI/Token/_QuoteEngine/Simple.pm 28319 +usr/share/perl5/PPI/Token/_QuoteEngine.pm 28318 +usr/share/perl5/PPI/Token/Quote/Double.pm 28317 +usr/share/perl5/PPI/Token/Quote/Literal.pm 28316 +usr/share/perl5/PPI/Token/_QuoteEngine/Full.pm 28315 +usr/share/perl5/PPI/Token/Quote/Interpolate.pm 28314 +usr/share/perl5/PPI/Token/QuoteLike/Backtick.pm 28313 +usr/share/perl5/PPI/Token/QuoteLike.pm 28312 +usr/share/perl5/PPI/Token/QuoteLike/Command.pm 28311 +usr/share/perl5/PPI/Token/QuoteLike/Regexp.pm 28310 +usr/share/perl5/PPI/Token/QuoteLike/Words.pm 28309 +usr/share/perl5/PPI/Token/QuoteLike/Readline.pm 28308 +usr/share/perl5/PPI/Token/Regexp/Match.pm 28307 +usr/share/perl5/PPI/Token/Regexp.pm 28306 +usr/share/perl5/PPI/Token/Regexp/Substitute.pm 28305 +usr/share/perl5/PPI/Token/Regexp/Transliterate.pm 28304 +usr/share/perl5/PPI/Token/Operator.pm 28303 +usr/share/perl5/PPI/Token/Cast.pm 28302 +usr/share/perl5/PPI/Token/Structure.pm 28301 +usr/share/perl5/PPI/Token/Label.pm 28300 +usr/share/perl5/PPI/Token/HereDoc.pm 28299 +usr/share/perl5/PPI/Token/Separator.pm 28298 +usr/share/perl5/PPI/Token/Data.pm 28297 +usr/share/perl5/IO/String.pm 28296 +usr/share/perl5/PPI/Token/End.pm 28295 +usr/share/perl5/PPI/Token/Prototype.pm 28294 +usr/share/perl5/PPI/Token/Attribute.pm 28293 +usr/share/perl5/PPI/Statement.pm 28292 +usr/share/perl5/PPI/Statement/Break.pm 28291 +usr/share/perl5/PPI/Statement/Compound.pm 28290 +usr/share/perl5/PPI/Statement/Data.pm 28289 +usr/share/perl5/PPI/Statement/End.pm 28288 +usr/share/perl5/PPI/Statement/Expression.pm 28287 +usr/share/perl5/PPI/Statement/Include.pm 28286 +usr/share/perl5/PPI/Statement/Include/Perl6.pm 28285 +usr/share/perl5/PPI/Statement/Null.pm 28284 +usr/share/perl5/PPI/Statement/Package.pm 28283 +usr/share/perl5/PPI/Statement/Scheduled.pm 28282 +usr/share/perl5/PPI/Statement/Sub.pm 28281 +usr/share/perl5/PPI/Statement/Given.pm 28280 +usr/share/perl5/PPI/Statement/UnmatchedBrace.pm 28279 +usr/share/perl5/PPI/Statement/Unknown.pm 28278 +usr/share/perl5/PPI/Statement/Variable.pm 28277 +usr/share/perl5/PPI/Statement/When.pm 28276 +usr/share/perl5/PPI/Structure.pm 28275 +usr/share/perl5/PPI/Structure/Block.pm 28274 +usr/share/perl5/PPI/Structure/Condition.pm 28273 +usr/share/perl5/PPI/Structure/Constructor.pm 28272 +usr/share/perl5/PPI/Structure/For.pm 28271 +usr/share/perl5/PPI/Structure/Given.pm 28270 +usr/share/perl5/PPI/Structure/List.pm 28269 +usr/share/perl5/PPI/Structure/Subscript.pm 28268 +usr/share/perl5/PPI/Structure/Unknown.pm 28267 +usr/share/perl5/PPI/Structure/When.pm 28266 +usr/share/perl5/PPI/Document.pm 28265 +usr/share/perl5/PPI/Exception/ParserTimeout.pm 28264 +usr/share/perl5/PPI/Document/Fragment.pm 28263 +usr/share/perl5/PPI/Document/File.pm 28262 +usr/share/perl5/PPI/Document/Normalized.pm 28261 +usr/share/perl5/PPI/Normal.pm 28260 +usr/share/perl5/PPI/Normal/Standard.pm 28259 +usr/share/perl5/PPI/Tokenizer.pm 28258 +usr/share/perl5/PPI/Exception/ParserRejection.pm 28257 +usr/share/perl5/PPI/Lexer.pm 28256 +usr/share/perl5/Parse/Method/Signatures/ParamCollection.pm 28255 +usr/share/perl5/Parse/Method/Signatures/Types.pm 28254 +usr/share/perl5/Parse/Method/Signatures/TypeConstraint.pm 28253 +usr/share/perl5/MooseX/Meta/TypeConstraint/ForceCoercion.pm 28252 +usr/share/perl5/MooseX/Types/Structured.pm 28251 +usr/share/perl5/MooseX/Meta/TypeConstraint/Structured.pm 28250 +usr/share/perl5/Devel/PartialDump.pm 28249 +usr/share/perl5/MooseX/Meta/TypeCoercion/Structured.pm 28248 +usr/share/perl5/MooseX/Meta/TypeConstraint/Structured/Optional.pm 28247 +usr/share/perl5/MooseX/Meta/TypeCoercion/Structured/Optional.pm 28246 +usr/share/perl5/MooseX/Types/Structured/OverflowHandler.pm 28245 +usr/share/perl5/MooseX/Types/Structured/MessageStack.pm 28244 +usr/lib/perl5/Moose/Meta/Attribute/Native/Trait/Counter.pm 28243 +usr/lib/perl5/Moose/Meta/Attribute/Native/Trait.pm 28242 +usr/lib/perl5/Moose/Meta/Method/Accessor/Native/Counter/dec.pm 28241 +usr/lib/perl5/Moose/Meta/Method/Accessor/Native/Writer.pm 28240 +usr/lib/perl5/Moose/Meta/Method/Accessor/Native.pm 28239 +usr/lib/perl5/Moose/Meta/Method/Accessor/Native/Counter/inc.pm 28238 +usr/lib/perl5/Moose/Meta/Attribute/Native/Trait/Array.pm 28237 +usr/lib/perl5/Moose/Meta/Method/Accessor/Native/Array/count.pm 28236 +usr/lib/perl5/Moose/Meta/Method/Accessor/Native/Reader.pm 28235 +usr/lib/perl5/Moose/Meta/Method/Accessor/Native/Array/elements.pm 28234 +usr/lib/perl5/Moose/Meta/Method/Accessor/Native/Array/push.pm 28233 +usr/lib/perl5/Moose/Meta/Method/Accessor/Native/Array/Writer.pm 28232 +usr/lib/perl5/Moose/Meta/Method/Accessor/Native/Array.pm 28231 +usr/lib/perl5/Moose/Meta/Method/Accessor/Native/Collection.pm 28230 +usr/share/perl5/MooseX/Method/Signatures/Types.pm 28229 +usr/share/perl5/Parse/Method/Signatures/Param/Named.pm 28228 +usr/share/perl5/Parse/Method/Signatures/Param/Placeholder.pm 28227 +usr/lib/perl5/Devel/Declare/Context/Simple.pm 28226 +usr/share/perl5/MooseX/Types/Path/Class.pm 28225 +usr/share/perl5/MooseX/Getopt.pm 28224 +usr/share/perl5/MooseX/Getopt/GLD.pm 28223 +usr/share/perl5/MooseX/Role/Parameterized.pm 28222 +usr/share/perl5/MooseX/Role/Parameterized/Meta/Role/Parameterizable.pm 28221 +usr/share/perl5/MooseX/Role/Parameterized/Meta/Role/Parameterized.pm 28220 +usr/share/perl5/MooseX/Role/Parameterized/Meta/Trait/Parameterized.pm 28219 +usr/share/perl5/MooseX/Role/Parameterized/Parameters.pm 28218 +usr/share/perl5/MooseX/Getopt/Basic.pm 28217 +usr/share/perl5/MooseX/Getopt/OptionTypeMap.pm 28216 +usr/share/perl5/MooseX/Getopt/Meta/Attribute.pm 28215 +usr/share/perl5/MooseX/Getopt/Meta/Attribute/Trait.pm 28214 +usr/share/perl5/MooseX/Getopt/Meta/Attribute/NoGetopt.pm 28213 +usr/share/perl5/MooseX/Getopt/Meta/Attribute/Trait/NoGetopt.pm 28212 +usr/share/perl5/MooseX/Getopt/ProcessedArgv.pm 28211 +usr/share/perl5/MooseX/Has/Sugar/Saccharin.pm 28210 +usr/share/perl/5.14.2/Env.pm 28209 +usr/share/perl/5.14.2/Tie/Array.pm 28208 +usr/share/perl5/IPC/Run.pm 28207 +usr/share/perl5/IPC/Run/Debug.pm 28206 +usr/share/perl5/IPC/Run/IO.pm 28205 +usr/share/perl5/IPC/Run/Timer.pm 28204 +usr/share/perl5/IPC/Run/SafeHandles.pm 28203 +usr/share/perl5/Number/Format.pm 28202 +usr/share/perl5/Tails/RunningSystem.pm 28201 +usr/share/perl5/Sys/Statistics/Linux/MemStats.pm 28200 +usr/share/perl5/Tails/Constants.pm 28199 +usr/share/perl5/Method/Signatures/Simple.pm 28198 +usr/lib/perl5/Devel/Declare/MethodInstaller/Simple.pm 28197 +usr/share/perl5/Tails/UDisks.pm 28196 +usr/lib/perl5/Unix/Mknod.pm 28195 +usr/lib/perl5/auto/Unix/Mknod/Mknod.so 28194 +usr/share/perl5/Tails/Role/HasDBus/System.pm 28193 +usr/lib/perl5/Net/DBus/GLib.pm 28192 +usr/lib/perl5/auto/Net/DBus/GLib/GLib.so 28191 +usr/share/perl5/Parse/Method/Signatures/Sig.pm 28190 +usr/share/perl5/Parse/Method/Signatures/Param.pm 28189 +usr/share/perl5/MooseX/Traits.pm 28188 +usr/share/perl5/MooseX/Traits/Util.pm 28187 +usr/share/perl5/Parse/Method/Signatures/Param/Positional.pm 28186 +usr/share/perl5/Parse/Method/Signatures/Param/Bindable.pm 28185 +usr/share/perl5/Tails/Role/HasEncoding.pm 28184 +usr/share/perl5/Tails/Role/HasCodeset.pm 28183 +usr/share/perl5/Tails/Role/DisplayError/Gtk2.pm 28182 +usr/share/perl5/Tails/IUK/UpgradeDescriptionFile.pm 28181 +usr/share/perl5/Dpkg/Version.pm 28180 +usr/share/perl5/Dpkg/ErrorHandling.pm 28179 +usr/share/perl5/Dpkg.pm 28178 +usr/share/perl5/Dpkg/Gettext.pm 28177 +usr/share/perl5/YAML/Any.pm 28176 +usr/lib/perl5/YAML/XS.pm 28175 +usr/lib/perl5/YAML/XS/LibYAML.pm 28174 +usr/lib/perl5/auto/YAML/XS/LibYAML/LibYAML.so 28173 +usr/share/perl/5.14.2/B/Deparse.pm 28172 +usr/lib/perl5/Moose/Meta/Method/Accessor/Native/Array/clear.pm 28171 +usr/share/perl5/Tails/IUK/Utils.pm 28170 +usr/share/perl/5.14.2/Archive/Tar.pm 28169 +usr/share/perl/5.14.2/IO/Zlib.pm 28168 +usr/share/perl/5.14.2/Compress/Zlib.pm 28167 +usr/share/perl/5.14.2/IO/Compress/Gzip.pm 28166 +usr/share/perl/5.14.2/IO/Compress/RawDeflate.pm 28165 +usr/share/perl/5.14.2/IO/Compress/Base.pm 28164 +usr/share/perl/5.14.2/IO/Compress/Adapter/Deflate.pm 28163 +usr/share/perl/5.14.2/Tie/Handle.pm 28162 +usr/share/perl/5.14.2/Tie/StdHandle.pm 28161 +usr/share/perl/5.14.2/Archive/Tar/File.pm 28160 +usr/share/perl/5.14.2/Archive/Tar/Constant.pm 28159 +usr/share/perl/5.14.2/Package/Constants.pm 28158 +usr/share/perl/5.14.2/IO/Uncompress/Bunzip2.pm 28157 +usr/share/perl/5.14.2/IO/Uncompress/Adapter/Bunzip2.pm 28156 +usr/lib/perl/5.14.2/Compress/Raw/Bzip2.pm 28155 +usr/lib/perl/5.14.2/auto/Compress/Raw/Bzip2/autosplit.ix 28154 +usr/lib/perl/5.14.2/auto/Compress/Raw/Bzip2/Bzip2.so 28153 +usr/share/perl/5.14.2/IO/Compress/Bzip2.pm 28152 +usr/share/perl/5.14.2/IO/Compress/Adapter/Bzip2.pm 28151 +usr/lib/perl5/Filesys/Df.pm 28150 +usr/lib/perl5/auto/Filesys/Df/Df.so 28149 +usr/share/perl5/Tails/IUK/Role/HasEncoding.pm 28148 +usr/share/perl5/Tails/IUK/Role/HasCodeset.pm 28147 +usr/share/perl5/MooseX/Getopt/Dashes.pm 28146 +usr/bin/tails-iuk-get-upgrade-description-file 28145 +usr/share/perl5/Tails/IUK/UpgradeDescriptionFile/Download.pm 28144 +usr/lib/libgnomeui-2.so.0.2400.5 28143 +usr/lib/libbonoboui-2.so.0.0.0 28142 +usr/lib/libgnomecanvas-2.so.0.3000.3 28141 +usr/lib/libgnome-2.so.0.3200.1 28140 +usr/lib/i386-linux-gnu/libart_lgpl_2.so.2.3.21 28139 +usr/lib/libbonobo-2.so.0.0.0 28138 +usr/lib/libbonobo-activation.so.4.0.0 28137 +usr/lib/libORBit-2.so.0.1.0 28136 +usr/lib/libgnomevfs-2.so.0.2400.4 28135 +usr/lib/libORBitCosNaming-2.so.0.1.0 28134 +etc/gnome-vfs-2.0/modules/default-modules.conf 28133 +etc/gnome-vfs-2.0/modules/extra-modules.conf 28132 +usr/local/lib/tor-browser/TorBrowser/Data/Browser/profiles.ini 28131 +usr/local/lib/tor-browser/omni.ja 28130 +usr/lib/perl5/WWW/Curl/Easy.pm 28129 +usr/lib/perl5/WWW/Curl.pm 28128 +usr/lib/perl5/auto/WWW/Curl/Curl.so 28127 +etc/os-release 28126 +usr/local/etc/ssl/certs/tails.boum.org-CA.pem 28125 +usr/local/lib/tor-browser/defaults/pref/channel-prefs.js 28124 +usr/local/lib/tor-browser/chrome.manifest 28123 +usr/local/lib/tor-browser/components/components.manifest 28122 +usr/local/lib/tor-browser/components/libdbusservice.so 28121 +usr/local/lib/tor-browser/components/libmozgnome.so 28120 +usr/local/lib/tor-browser/browser/chrome.manifest 28119 +usr/local/lib/tor-browser/browser/components/components.manifest 28118 +usr/local/lib/tor-browser/browser/components/libbrowsercomps.so 28117 +usr/lib/i386-linux-gnu/gtk-2.0/2.10.0/gtk.immodules 28116 +usr/lib/i386-linux-gnu/gtk-2.0/2.10.0/immodules/im-ibus.so 28115 +usr/local/lib/tor-browser/browser/blocklist.xml 28114 +usr/share/xul-ext/adblock-plus/install.rdf 28113 +usr/local/lib/tor-browser/libsoftokn3.so 28112 +usr/local/lib/tor-browser/libfreebl3.so 28111 +usr/local/lib/tor-browser/libnssckbi.so 28110 +usr/share/xul-ext/adblock-plus/chrome.manifest 28109 +usr/share/xul-ext/adblock-plus/bootstrap.js 28108 +usr/local/share/tor-browser-extensions/{73a6fe31-595d-460b-a920-fcc0f8843232}.xpi 28107 +usr/local/share/tor-browser-extensions/torbutton@torproject.org.xpi 28106 +usr/local/share/tor-browser-extensions/langpack-zh-CN@firefox.mozilla.org.xpi 28105 +usr/local/share/tor-browser-extensions/langpack-vi@firefox.mozilla.org.xpi 28104 +usr/local/share/tor-browser-extensions/langpack-tr@firefox.mozilla.org.xpi 28103 +usr/local/share/tor-browser-extensions/langpack-ru@firefox.mozilla.org.xpi 28102 +usr/local/share/tor-browser-extensions/langpack-pt-PT@firefox.mozilla.org.xpi 28101 +usr/local/share/tor-browser-extensions/langpack-pl@firefox.mozilla.org.xpi 28100 +usr/local/share/tor-browser-extensions/langpack-nl@firefox.mozilla.org.xpi 28099 +usr/local/share/tor-browser-extensions/langpack-ko@firefox.mozilla.org.xpi 28098 +usr/local/share/tor-browser-extensions/langpack-it@firefox.mozilla.org.xpi 28097 +usr/local/share/tor-browser-extensions/langpack-fr@firefox.mozilla.org.xpi 28096 +usr/local/share/tor-browser-extensions/langpack-fa@firefox.mozilla.org.xpi 28095 +usr/local/share/tor-browser-extensions/langpack-es-ES@firefox.mozilla.org.xpi 28094 +usr/local/share/tor-browser-extensions/langpack-de@firefox.mozilla.org.xpi 28093 +usr/local/share/tor-browser-extensions/langpack-ar@firefox.mozilla.org.xpi 28092 +usr/local/share/tor-browser-extensions/https-everywhere@eff.org/install.rdf 28091 +usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome.manifest 28090 +usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/install.rdf 28089 +usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome.manifest 28088 +usr/share/xul-ext/adblock-plus/lib/main.js 28087 +usr/share/xul-ext/adblock-plus/lib/filterListener.js 28086 +usr/share/xul-ext/adblock-plus/lib/filterStorage.js 28085 +usr/share/xul-ext/adblock-plus/lib/io.js 28084 +usr/share/xul-ext/adblock-plus/lib/prefs.js 28083 +usr/share/xul-ext/adblock-plus/defaults/prefs.js 28082 +usr/share/xul-ext/adblock-plus/lib/filterClasses.js 28081 +usr/share/xul-ext/adblock-plus/lib/filterNotifier.js 28080 +usr/share/xul-ext/adblock-plus/lib/subscriptionClasses.js 28079 +usr/share/xul-ext/adblock-plus/lib/elemHide.js 28078 +usr/share/xul-ext/adblock-plus/lib/utils.js 28077 +usr/share/xul-ext/adblock-plus/lib/matcher.js 28076 +etc/gnome/defaults.list 28075 +usr/share/applications/mimeinfo.cache 28074 +etc/mime.types 28073 +usr/share/xul-ext/adblock-plus/lib/contentPolicy.js 28072 +usr/share/xul-ext/adblock-plus/lib/objectTabs.js 28071 +usr/share/xul-ext/adblock-plus/lib/requestNotifier.js 28070 +usr/share/xul-ext/adblock-plus/chrome/locale/en-US/global.properties 28069 +usr/share/xul-ext/adblock-plus/lib/synchronizer.js 28068 +usr/share/xul-ext/adblock-plus/lib/sync.js 28067 +usr/share/xul-ext/adblock-plus/lib/ui.js 28066 +usr/share/xul-ext/adblock-plus/lib/keySelector.js 28065 +usr/share/xul-ext/adblock-plus/chrome/content/ui/overlay.xul 28064 +usr/share/xul-ext/adblock-plus/lib/appSupport.js 28063 +usr/local/share/tor-browser-extensions/https-everywhere@eff.org/defaults/preferences/preferences.js 28062 +usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/defaults/preferences/prefs.js 28061 +usr/local/share/tor-browser-extensions/https-everywhere@eff.org/components/https-everywhere.js 28060 +usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/content/code/ChannelReplacement.js 28059 +usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/content/code/IOUtil.js 28058 +usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/content/code/HTTPSRules.js 28057 +usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/content/code/HTTPS.js 28056 +usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/content/code/Cookie.js 28055 +usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/content/code/Thread.js 28054 +usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/content/code/ApplicableList.js 28053 +usr/local/share/tor-browser-extensions/https-everywhere@eff.org/defaults/rulesets.sqlite 28052 +usr/local/share/tor-browser-extensions/https-everywhere@eff.org/components/ssl-observatory.js 28051 +usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/content/code/Root-CAs.js 28050 +usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/content/code/sha256.js 28049 +usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/content/code/X509ChainWhitelist.js 28048 +usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/content/code/NSS.js 28047 +usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/content/code/commonOCSP.json 28046 +usr/local/lib/tor-browser/browser/chrome/icons/default/default16.png 28045 +usr/local/lib/tor-browser/browser/chrome/icons/default/default32.png 28044 +usr/local/lib/tor-browser/browser/chrome/icons/default/default48.png 28043 +usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome/locale/en-US/amnesia.properties 28042 +usr/share/mime/application/pdf.xml 28041 +usr/share/xul-ext/adblock-plus/chrome/locale/en-US/overlay.dtd 28040 +usr/share/xul-ext/adblock-plus/chrome/locale/en-US/subscriptionSelection.dtd 28039 +usr/share/fonts/truetype/ttf-dejavu/DejaVuSerif.ttf 28038 +usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/content/toolbar_button.xul 28037 +usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/locale/en/https-everywhere.dtd 28036 +usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/skin/https-everywhere.css 28035 +usr/share/mime/application/javascript.xml 28034 +usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/content/toolbar_button.js 28033 +usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/content/ruleset-tests.js 28032 +usr/share/mime/application/xml.xml 28031 +usr/share/icons/gnome/16x16/actions/list-add.png 28030 +usr/share/icons/gnome/16x16/actions/edit-find.png 28029 +usr/share/xul-ext/adblock-plus/lib/windowObserver.js 28028 +usr/local/share/tor-browser-extensions/https-everywhere@eff.org/chrome/content/toolbar_button_binding.xml 28027 +usr/share/xul-ext/adblock-plus/chrome/skin/overlay.css 28026 +usr/share/xul-ext/adblock-plus/chrome/skin/abp-status-16.png 28025 +usr/lib/i386-linux-gnu/libXss.so.1.0.0 28024 +usr/local/lib/tor-browser/distribution/searchplugins/locale/en-US/disconnect-en-US.xml 28023 +usr/local/lib/tor-browser/distribution/searchplugins/locale/en-US/startpage-en-US.xml 28022 +usr/local/lib/tor-browser/browser/searchplugins/duckduckgo.xml 28021 +usr/local/lib/tor-browser/browser/searchplugins/google.xml 28020 +usr/local/lib/tor-browser/browser/searchplugins/twitter.xml 28019 +usr/local/lib/tor-browser/browser/searchplugins/wikipedia.xml 28018 +usr/local/lib/tor-browser/browser/searchplugins/youtube.xml 28017 +usr/share/fonts/truetype/ttf-dejavu/DejaVuSerif-Bold.ttf 28016 +usr/share/fonts/truetype/ttf-dejavu/DejaVuSerif-Italic.ttf 28015 +usr/share/fonts/type1/gsfonts/a010013l.pfb 28014 +usr/share/fonts/truetype/ttf-dejavu/DejaVuSans-Oblique.ttf 28013 +usr/share/fonts/type1/gsfonts/n022003l.pfb 28012 +usr/share/mime/application/vnd.mozilla.xul+xml.xml 28011 +usr/lib/i386-linux-gnu/gconv/MACINTOSH.so 28010 diff --git a/config/chroot_apt/preferences b/config/chroot_apt/preferences index 9a9f2c687b7614cf2647bad495245c1fbf14efd2..0fce46e954ac8fbb82001b6071c6d229211606fc 100644 --- a/config/chroot_apt/preferences +++ b/config/chroot_apt/preferences @@ -26,10 +26,22 @@ Package: cryptsetup-bin Pin: release o=Debian Backports,n=wheezy-backports Pin-Priority: 999 +Package: electrum +Pin: release o=Debian Backports,n=wheezy-backports +Pin-Priority: 999 + Package: florence Pin: release o=Debian Backports,n=wheezy-backports Pin-Priority: 999 +Package: gnupg-agent +Pin: release o=Debian Backports,n=wheezy-backports +Pin-Priority: 999 + +Package: gnupg2 +Pin: release o=Debian Backports,n=wheezy-backports +Pin-Priority: 999 + Package: hopenpgp-tools Pin: release o=Debian,n=jessie Pin-Priority: 999 @@ -110,72 +122,76 @@ Package: iucode-tool Pin: release o=Debian Backports,n=wheezy-backports Pin-Priority: 999 +Package: keyringer +Pin: release o=Debian,n=jessie +Pin-Priority: 999 + Package: libcryptsetup4 Pin: release o=Debian Backports,n=wheezy-backports Pin-Priority: 999 Package: linux-base -Pin: release o=Debian,a=unstable +Pin: release o=Debian,a=testing Pin-Priority: 999 Package: linux-compiler-gcc-4.8-x86 -Pin: release o=Debian,a=unstable +Pin: release o=Debian,a=testing Pin-Priority: 999 Package: linux-headers-586 -Pin: release o=Debian,a=unstable +Pin: release o=Debian,a=testing Pin-Priority: 999 Package: linux-headers-686-pae -Pin: release o=Debian,a=unstable +Pin: release o=Debian,a=testing Pin-Priority: 999 Package: linux-headers-amd64 -Pin: release o=Debian,a=unstable +Pin: release o=Debian,a=testing Pin-Priority: 999 Package: linux-headers-3.16.0-4-common -Pin: release o=Debian,a=unstable +Pin: release o=Debian,a=testing Pin-Priority: 999 Package: linux-headers-3.16.0-4-586 -Pin: release o=Debian,a=unstable +Pin: release o=Debian,a=testing Pin-Priority: 999 Package: linux-headers-3.16.0-4-686-pae -Pin: release o=Debian,a=unstable +Pin: release o=Debian,a=testing Pin-Priority: 999 Package: linux-headers-3.16.0-4-amd64 -Pin: release o=Debian,a=unstable +Pin: release o=Debian,a=testing Pin-Priority: 999 Package: linux-image-586 -Pin: release o=Debian,a=unstable +Pin: release o=Debian,a=testing Pin-Priority: 999 Package: linux-image-686-pae -Pin: release o=Debian,a=unstable +Pin: release o=Debian,a=testing Pin-Priority: 999 Package: linux-image-amd64 -Pin: release o=Debian,a=unstable +Pin: release o=Debian,a=testing Pin-Priority: 999 Package: linux-image-3.16.0-4-586 -Pin: release o=Debian,a=unstable +Pin: release o=Debian,a=testing Pin-Priority: 999 Package: linux-image-3.16.0-4-686-pae -Pin: release o=Debian,a=unstable +Pin: release o=Debian,a=testing Pin-Priority: 999 Package: linux-image-3.16.0-4-amd64 -Pin: release o=Debian,a=unstable +Pin: release o=Debian,a=testing Pin-Priority: 999 Package: linux-kbuild-3.16 -Pin: release o=Debian,a=unstable +Pin: release o=Debian,a=testing Pin-Priority: 999 Package: mat @@ -186,16 +202,36 @@ Package: monkeysign Pin: release o=Debian Backports,n=wheezy-backports Pin-Priority: 999 -Package: seahorse-nautilus +Package: obfs4proxy +Pin: release o=TorProject,n=obfs4proxy +Pin-Priority: 990 + +Package: python-six Pin: release o=Debian Backports,n=wheezy-backports Pin-Priority: 999 -Package: shared-mime-info +Package: python-slowaes Pin: release o=Debian Backports,n=wheezy-backports Pin-Priority: 999 -Package: tor -Pin: release o=TorProject,n=wheezy +Package: python-ecdsa +Pin: release o=Debian Backports,n=wheezy-backports +Pin-Priority: 999 + +Package: python-electrum +Pin: release o=Debian Backports,n=wheezy-backports +Pin-Priority: 999 + +Package: scdaemon +Pin: release o=Debian Backports,n=wheezy-backports +Pin-Priority: 999 + +Package: seahorse-nautilus +Pin: release o=Debian Backports,n=wheezy-backports +Pin-Priority: 999 + +Package: shared-mime-info +Pin: release o=Debian Backports,n=wheezy-backports Pin-Priority: 999 Package: torsocks @@ -214,10 +250,6 @@ Package: virtualbox-guest-x11 Pin: release o=Debian Backports,n=wheezy-backports Pin-Priority: 999 -Package: tor-geoipdb -Pin: release o=TorProject,n=wheezy -Pin-Priority: 999 - Package: ttdnsd Pin: release o=TorProject,a=unstable Pin-Priority: 999 diff --git a/config/chroot_local-hooks/10-tbb b/config/chroot_local-hooks/10-tbb index 2a0903f5c5d8ad3fbb315f20230dff36687eaa7c..7626af36f7472a5b80cb74f8833e5e7686ddedb5 100755 --- a/config/chroot_local-hooks/10-tbb +++ b/config/chroot_local-hooks/10-tbb @@ -42,7 +42,7 @@ download_and_verify_files() { } install_tor_browser() { - local bundle destination tmp prep + local bundle destination tmp prep torlauncher_xpi_path torlauncher_version bundle="${1}" destination="${2}" @@ -67,15 +67,30 @@ install_tor_browser() { rm -r "${prep}"/TorBrowser/Tor "${prep}"/TorBrowser/Docs # We don't want tor-launcher to be part of the regular browser - # profile. Moreover, for the stand-alone tor-launcher we use, we - # need our patched version. So, the version shipped in the TB - # really is not useful for us. - rm "${prep}/TorBrowser/Data/Browser/profile.default/extensions/tor-launcher@torproject.org.xpi" - - # Remove TBB's torbutton since the "Tor test" will fail and about:tor - # will report an error. We'll install our own Torbutton later, which - # has the extensions.torbutton.test_enabled boolean pref as a workaround. - rm "${prep}/TorBrowser/Data/Browser/profile.default/extensions/torbutton@torproject.org.xpi" + # profile but we want to keep it as a standalone application + # when Tails is started in "bridge mode". + torlauncher_xpi_path="${prep}/TorBrowser/Data/Browser/profile.default/extensions/tor-launcher@torproject.org.xpi" + 7z x -o'/usr/share/tor-launcher-standalone' "${torlauncher_xpi_path}" + torlauncher_version="$(sed -n \ + 's,^ <em:version>\([0-9\.]\+\)</em:version>,\1,p' \ + '/usr/share/tor-launcher-standalone/install.rdf')" + cat > '/usr/share/tor-launcher-standalone/application.ini' << EOF +[App] +Vendor=TorProject +Name=TorLauncher +Version=${torlauncher_version} +BuildID=$(date +%Y%m%d) +ID=tor-launcher@torproject.org + +[Gecko] +MinVersion=$(get_firefox_version "${prep}/application.ini") +MaxVersion=*.*.* + +[Shell] +Icon=icon.png +EOF + chmod -R a+rX '/usr/share/tor-launcher-standalone' + rm "${torlauncher_xpi_path}" # The Tor Browser will fail, complaining about an incomplete profile, # unless there's a readable TorBrowser/Data/Browser/Caches @@ -149,8 +164,6 @@ install_debian_extensions() { apt-get install --yes "${@}" ln -s /usr/share/xul-ext/adblock-plus/ \ "${destination}"/'{d10d0bf8-f5b5-c8b4-a8b2-2b9879e08c5d}' - ln -s /usr/share/xul-ext/torbutton/ \ - "${destination}"/torbutton@torproject.org } create_default_profile() { @@ -177,13 +190,12 @@ TBB_TARBALLS="$(grep "\<tor-browser-linux32-.*\.tar.xz$" "${TBB_SHA256SUMS_FILE} # We'll use the en-US bundle as our basis; only langpacks will be # installed from the other bundles. MAIN_TARBALL="$(echo "${TBB_TARBALLS}" | grep -o "tor-browser-linux32-.*_en-US.tar.xz")" -VERSION="$(echo "${MAIN_TARBALL}" | sed 's/tor-browser-linux32-\(.*\)_en-US.tar.xz/\1/')" TBB_DIST_URL_FILE=/usr/share/tails/tbb-dist-url.txt -TBB_TARBALLS_BASE_URL="$(cat "${TBB_DIST_URL_FILE}")/${VERSION}" +TBB_TARBALLS_BASE_URL="$(cat "${TBB_DIST_URL_FILE}")" # The Debian Iceweasel extensions we want to install and make # available in the Tor Browser. -DEBIAN_EXT_PKGS="xul-ext-adblock-plus xul-ext-torbutton" +DEBIAN_EXT_PKGS="xul-ext-adblock-plus" TMP="$(mktemp -d)" download_and_verify_files "${TBB_TARBALLS_BASE_URL}" "${TBB_TARBALLS}" "${TMP}" @@ -210,6 +222,10 @@ install_debian_extensions "${TBB_EXT}" ${DEBIAN_EXT_PKGS} mkdir -p "${TBB_PROFILE}" create_default_profile "${TBB_INSTALL}"/TorBrowser/Data/Browser/profile.default "${TBB_EXT}" "${TBB_PROFILE}" +# Create a copy of the Firefox binary, for use e.g. by Tor Launcher. +# It won't be subject to AppArmor confinement. +cp -a "${TBB_INSTALL}/firefox" "${TBB_INSTALL}/firefox-unconfined" + chown -R root:root "${TBB_INSTALL}" "${TBB_PROFILE}" "${TBB_EXT}" chmod -R a+rX "${TBB_INSTALL}" "${TBB_PROFILE}" "${TBB_EXT}" diff --git a/config/chroot_local-hooks/11-localize_browser b/config/chroot_local-hooks/11-localize_browser new file mode 100644 index 0000000000000000000000000000000000000000..19c999a3c1f8893402ef0d4c2b5c12788cafa174 --- /dev/null +++ b/config/chroot_local-hooks/11-localize_browser @@ -0,0 +1,154 @@ +#!/bin/sh + +set -e + +echo "Localize each supported browser locale" + +# Import the TBB_INSTALL variable and supported_tor_browser_locales() +. /usr/local/lib/tails-shell-library/tor-browser.sh + +# Import set_simple_config_key() +. /usr/local/lib/tails-shell-library/common.sh + +# Import language_code_from_locale() +. /usr/local/lib/tails-shell-library/localization.sh + +# Import TAILS_WIKI_SUPPORTED_LANGUAGES +. /etc/amnesia/environment + +TBB_DEFAULT_SEARCHPLUGINS_DIR="${TBB_INSTALL}/browser/searchplugins" +TBB_LOCALIZED_SEACHPLUGINS_DIR="${TBB_INSTALL}/distribution/searchplugins/locale/" +BROWSER_LOCALIZATION_DIR="/usr/share/tails/browser-localization" +DESCRIPTIONS_FILE="${BROWSER_LOCALIZATION_DIR}/descriptions" +BRANDING_TEMPLATE_FILE="${BROWSER_LOCALIZATION_DIR}/amnesia.properties-template" +BRANDING_DIR="/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/" +NO_SPELLCHECKER_LOCALES="ko nl pl tr zh" + +# Sanity check that each supported Tor Browser locale has a +# description for how to localize it further. +BROKEN_LOCALES="" +for LOCALE in $(supported_tor_browser_locales); do + if ! grep -q "^${LOCALE}:" "${DESCRIPTIONS_FILE}" 2>/dev/null; then + BROKEN_LOCALES="${BROKEN_LOCALES} ${LOCALE}" + fi +done +if [ -n "${BROKEN_LOCALES}" ]; then + echo "The following supported browser locales lack search plugin descriptions in ${DESCRIPTIONS_FILE}:${BROKEN_LOCALES}" >&2 + exit 1 +fi + +# This very long while-loop is fed the DESCRIPTIONS_FILE (IO +# redirection at the bottom), which describes how we will localize +# each supported Tor Browser locale. The format is: +# MOZILLA_LOCALE:LOCATION:LOCALIZED_LANG:STARTPAGE_LANG:STARTPAGE_LANG_UI +# Note that we're forced to pick some representative location for the +# language-only locales, like Egypt (EG) for Arabic (ar). +while IFS=: read MOZILLA_LOCALE LOCATION LOCALIZED_LANG STARTPAGE_LANG STARTPAGE_LANG_UI; do + if [ -z "${MOZILLA_LOCALE}" ] || [ -z "${LOCATION}" ] || \ + [ -z "${LOCALIZED_LANG}" ] || [ -z "${STARTPAGE_LANG}" ]; then + echo "Something is wrong with ${DESCRIPTIONS_FILE}" >&2 + echo "Description: ${MOZILLA_LOCALE}:${LOCATION}:${LOCALIZED_LANG}:${STARTPAGE_LANG}:${STARTPAGE_LANG_UI}" >&2 + exit 1 + fi + + echo "- Localizing ${MOZILLA_LOCALE} for browsers..." + + # In some places we'll need the locale in xx_YY format instead of + # Mozilla's xx-YY fromat. Over all, the greatest difficulty in + # this whole script is really to know when to use the correct + # locale format, since Firefox isn't very consistent in it. + NORMAL_LOCALE="$(echo "${MOZILLA_LOCALE}" | tr - _)" + LANG_CODE="$(language_code_from_locale "${NORMAL_LOCALE}")" + TARGET_SEARCHPLUGINS_DIR="${TBB_LOCALIZED_SEACHPLUGINS_DIR}/${MOZILLA_LOCALE}" + mkdir -p "${TARGET_SEARCHPLUGINS_DIR}" + + if [ -z "${STARTPAGE_LANG_UI}" ]; then + STARTPAGE_LANG_UI=english + fi + sed -e "s/\${LOCALIZED_LANG}/${LOCALIZED_LANG}/" \ + -e "s/\${LANG}/${STARTPAGE_LANG}/" \ + -e "s/\${LANG_UI}/${STARTPAGE_LANG}/" \ + "${BROWSER_LOCALIZATION_DIR}/startpage.xml-template" > \ + "${TARGET_SEARCHPLUGINS_DIR}/startpage-${MOZILLA_LOCALE}.xml" + + DISCONNECT_PLUGIN="${TARGET_SEARCHPLUGINS_DIR}/disconnect-${MOZILLA_LOCALE}.xml" + sed -e "s/\${LOCALIZED_LANG}/${LOCALIZED_LANG}/" \ + -e "s/\${LOCATION}/${LOCATION}/" \ + "${BROWSER_LOCALIZATION_DIR}/disconnect.xml-template" > \ + "${DISCONNECT_PLUGIN}" + + # We use the branding@amnesia.org extension to set some per-locale + # default prefs that set the appropriate localization options. + TARGET_BRANDING_DIR="${BRANDING_DIR}/chrome/locale/${MOZILLA_LOCALE}" + echo "locale amnesiabranding ${MOZILLA_LOCALE} chrome/locale/${MOZILLA_LOCALE}/" >> "${BRANDING_DIR}/chrome.manifest" + mkdir -p "${TARGET_BRANDING_DIR}" + TARGET_BRANDING_FILE="${TARGET_BRANDING_DIR}/amnesia.properties" + cp "${BRANDING_TEMPLATE_FILE}" "${TARGET_BRANDING_FILE}" + for KEY in browser.search.defaultenginename \ + browser.search.selectedEngine; do + PLUGIN="Disconnect.me - ${LOCALIZED_LANG}" + if ! grep -q "<ShortName>${PLUGIN}</ShortName>" "${DISCONNECT_PLUGIN}"; then + echo "Trying to make search plugin '${PLUGIN}' the default for ${TARGET_LOCALE} but it unexpectedly wasn't the one we generated earlier" >&2 + exit 1 + fi + set_simple_config_key "${TARGET_BRANDING_FILE}" "${KEY}" "${PLUGIN}" + done + TBB_DICTIONARIES_DIR="${TBB_INSTALL}/dictionaries" + unset SPELLCHECKER_LOCALE + for LOCALE in "${LANG_CODE}_${LOCATION}" "${LANG_CODE}"; do + if [ -e "${TBB_DICTIONARIES_DIR}/${LOCALE}.dic" ]; then + SPELLCHECKER_LOCALE="${LOCALE}" + fi + done + if [ -z "${SPELLCHECKER_LOCALE}" ]; then + if echo "${NO_SPELLCHECKER_LOCALES}" | grep -qw "${LANG_CODE}"; then + SPELLCHECKER_LOCALE="en_US" + else + echo "No spellchecker found for ${MOZILLA_LOCALE}" >&2 + exit 1 + fi + fi + set_simple_config_key "${TARGET_BRANDING_FILE}" \ + "spellchecker.dictionary" \ + "${SPELLCHECKER_LOCALE}" + HOMEPAGE="https://tails.boum.org/news/" + if echo "${TAILS_WIKI_SUPPORTED_LANGUAGES}" | grep -qw "${LANG_CODE}"; then + HOMEPAGE="${HOMEPAGE}index.${LANG_CODE}.html" + fi + set_simple_config_key "${TARGET_BRANDING_FILE}" \ + "browser.startup.homepage" "${HOMEPAGE}" + + # We also want the localized search plugins from Debian's + # Iceweasel packages. Note that en-US doesn't have one; the + # en-US search plugins are in the iceweasel package, but it + # would only add search engines that we have decided to + # exclude so let's skip it. + if [ "${MOZILLA_LOCALE}" != en-US ]; then + PKG="iceweasel-l10n-$(echo "${MOZILLA_LOCALE}" | tr 'A-Z' 'a-z')" + DEB_PATH_TO_SEARCHPLUGINS="etc/iceweasel/searchplugins/locale/${MOZILLA_LOCALE}" + TMP="$(mktemp -d)" + cd "${TMP}" + apt-get download "${PKG}" + ar x "${PKG}"*.deb + tar xf data.tar.* ./"${DEB_PATH_TO_SEARCHPLUGINS}" + rm -f "${DEB_PATH_TO_SEARCHPLUGINS}"/amazon*.xml \ + "${DEB_PATH_TO_SEARCHPLUGINS}"/bing*.xml \ + "${DEB_PATH_TO_SEARCHPLUGINS}"/eBay*.xml \ + "${DEB_PATH_TO_SEARCHPLUGINS}"/yahoo*.xml + cp "${DEB_PATH_TO_SEARCHPLUGINS}"/* "${TARGET_SEARCHPLUGINS_DIR}" + cd / + rm -r "${TMP}" + fi +done < "${DESCRIPTIONS_FILE}" + +# This directory is not needed after build time. +rm -r "${BROWSER_LOCALIZATION_DIR}" + +# All generated files must be world-readable. +chmod -R a+rX "${TBB_LOCALIZED_SEACHPLUGINS_DIR}" "${BRANDING_DIR}" + +# Remove unwanted browser search plugins bundled in the Tor Browser. +rm "${TBB_DEFAULT_SEARCHPLUGINS_DIR}"/yahoo*.xml +# We generate localized versions of the following: +rm "${TBB_DEFAULT_SEARCHPLUGINS_DIR}"/disconnect*.xml +rm "${TBB_DEFAULT_SEARCHPLUGINS_DIR}"/startpage*.xml diff --git a/config/chroot_local-hooks/12-install_browser_searchplugins b/config/chroot_local-hooks/12-install_browser_searchplugins deleted file mode 100755 index c7ffac289d663281f8dc40a7a346e7fda9309eb9..0000000000000000000000000000000000000000 --- a/config/chroot_local-hooks/12-install_browser_searchplugins +++ /dev/null @@ -1,29 +0,0 @@ -#!/bin/sh - -set -e - -echo "Install extra browser search plugins" - -# Import the TBB_EXT variable -. /usr/local/lib/tails-shell-library/tor-browser.sh - -LOCALIZED_PLUGINS_DIR=/usr/share/amnesia/browser/searchplugins/locale - -for langpack in "${TBB_EXT}"/langpack-*@firefox.mozilla.org.xpi; do - locale="$(basename "${langpack}" | sed 's,^langpack-\([^@]\+\)@.*$,\1,')" - pkg=iceweasel-l10n-"$(echo ${locale} | tr 'A-Z' 'a-z')" - tmp="$(mktemp -d)" - cd "${tmp}" - apt-get download "${pkg}" - ar x "${pkg}"*.deb - path_to_searchplugins=etc/iceweasel/searchplugins/locale/"${locale}" - tar xf data.tar.* ./"${path_to_searchplugins}" - rm -f "${path_to_searchplugins}"/amazon*.xml \ - "${path_to_searchplugins}"/bing*.xml \ - "${path_to_searchplugins}"/eBay*.xml \ - "${path_to_searchplugins}"/yahoo*.xml - mkdir -p "${LOCALIZED_PLUGINS_DIR}"/"${locale}" - cp "${path_to_searchplugins}"/* "${LOCALIZED_PLUGINS_DIR}"/"${locale}" - cd / - rm -r "${tmp}" -done diff --git a/config/chroot_local-hooks/12-remove_unwanted_browser_searchplugins b/config/chroot_local-hooks/12-remove_unwanted_browser_searchplugins deleted file mode 100755 index bd17d3e1aec5ac1410ade522441d0995a5c071a4..0000000000000000000000000000000000000000 --- a/config/chroot_local-hooks/12-remove_unwanted_browser_searchplugins +++ /dev/null @@ -1,16 +0,0 @@ -#!/bin/sh - -set -e - -# Remove unwanted browser search plugins. - -echo "Removing unwanted browser search plugins" - -# Import the TBB_INSTALL variable -. /usr/local/lib/tails-shell-library/tor-browser.sh - -PLUGIN_DIR="${TBB_INSTALL}"/browser/searchplugins -rm "${PLUGIN_DIR}"/amazon*.xml -rm "${PLUGIN_DIR}"/bing*.xml -rm "${PLUGIN_DIR}"/eBay*.xml -rm "${PLUGIN_DIR}"/yahoo*.xml diff --git a/config/chroot_local-hooks/14-add_localized_browser_searchplugins b/config/chroot_local-hooks/14-add_localized_browser_searchplugins deleted file mode 100755 index a527c34b7ab34a96749a950baf6bd79b47b6e0a9..0000000000000000000000000000000000000000 --- a/config/chroot_local-hooks/14-add_localized_browser_searchplugins +++ /dev/null @@ -1,35 +0,0 @@ -#!/bin/sh - -set -e - -echo "Setting up localized browser search plugins" - -# Link localized Tails searchplugins to the proper localization directories: -# e.g. files in '/usr/share/amnesia/browser/searchplugins/locale/es' will be -# linked in '/etc/tor-browser/profile/searchplugins/locale/es-AR', -# '/etc/tor-browser/profile/searchplugins/locale/es-ES', etc. - -# Import the TBB_INSTALL and TBB_EXT variables -. /usr/local/lib/tails-shell-library/tor-browser.sh - -locales_for_lang() { - local locale="$1" - local langpacks - - find "${TBB_EXT}" -maxdepth 1 -type f -name 'langpack-*@firefox.mozilla.org.xpi' -printf "%P\n" | - sed -n -e "s/^langpack-\($locale\)\(-[A-Z]\+\)\?@firefox.mozilla.org.xpi/\1\2/p" -} - -for LANGUAGE in $(find /usr/share/amnesia/browser/searchplugins/locale -maxdepth 1 -type d -printf "%P\n"); do - LOCALES="$(locales_for_lang "$LANGUAGE")" - if [ -z "$LOCALES" ]; then - echo "Unable to find a matching locale for $LANGUAGE." >&2 - exit 1 - fi - for LOCALE in $LOCALES; do - mkdir -p "${TBB_INSTALL}"/distribution/searchplugins/locale/$LOCALE - for SEARCHPLUGIN in $(find "/usr/share/amnesia/browser/searchplugins/locale/$LANGUAGE" -maxdepth 1 -type f); do - ln -s "$SEARCHPLUGIN" "${TBB_INSTALL}"/distribution/searchplugins/locale/$LOCALE - done - done -done diff --git a/config/chroot_local-hooks/19-install-tor-browser-AppArmor-profile b/config/chroot_local-hooks/19-install-tor-browser-AppArmor-profile new file mode 100755 index 0000000000000000000000000000000000000000..4472f2f58e2a6055d5d5b7fae2b6a443d00f133c --- /dev/null +++ b/config/chroot_local-hooks/19-install-tor-browser-AppArmor-profile @@ -0,0 +1,50 @@ +#!/bin/sh + +set -e + +echo "Installing AppArmor profile for Tor Browser" + +PATCH='/usr/share/tails/torbrowser-AppArmor-profile.patch' +PROFILE='/etc/apparmor.d/torbrowser' + +### Functions + +toggle_src_APT_sources() { + MODE="$1" + TEMP_APT_SOURCES='/etc/apt/sources.list.d/tmp-deb-src.list' + + case "$MODE" in + on) + cat /etc/apt/sources.list /etc/apt/sources.list.d/*.list \ + | grep --extended-regexp --line-regexp --invert-match \ + 'deb\s+file:/root/local-packages\s+\./' \ + | sed --regexp-extended -e 's,^deb(\s+),deb-src\1,' \ + > "$TEMP_APT_SOURCES" + ;; + off) + rm "$TEMP_APT_SOURCES" + ;; + esac + + apt-get --yes update +} + +install_torbrowser_AppArmor_profile() { + tmpdir="$(mktemp -d)" + ( + cd "$tmpdir" + apt-get source torbrowser-launcher/testing + install -m 0644 \ + torbrowser-launcher-*/apparmor/torbrowser.Browser.firefox \ + "$PROFILE" + ) + rm -r "$tmpdir" +} + +### Main + +toggle_src_APT_sources on +install_torbrowser_AppArmor_profile +toggle_src_APT_sources off +patch --forward --batch "$PROFILE" < "$PATCH" +rm "$PATCH" diff --git a/config/chroot_local-hooks/43-adjust_path_to_ibus-unikey_binaries b/config/chroot_local-hooks/43-adjust_path_to_ibus-unikey_binaries new file mode 100755 index 0000000000000000000000000000000000000000..d690708999023f1f20fc0978036b7b73d58bc13a --- /dev/null +++ b/config/chroot_local-hooks/43-adjust_path_to_ibus-unikey_binaries @@ -0,0 +1,18 @@ +#!/bin/sh + +set -e + +echo "Moving IBus Unikey binaries to /usr/lib/ibus/" + +# Workaround Debian bug #714932 -- we can't just dpkg-divert it, since +# the original path is hardcoded in these binaries. +for infix in engine setup ; do + orig="/usr/lib/ibus-unikey/ibus-$infix-unikey" + dest="/usr/lib/ibus/ibus-$infix-unikey" + ln -s "$orig" "$dest" +done + +# Adjust path to the binary in unikey.xml +sed -i -e \ + 's,/usr/lib/ibus-unikey/ibus-engine-unikey,/usr/lib/ibus/ibus-engine-unikey,' \ + /usr/share/ibus/component/unikey.xml diff --git a/config/chroot_local-hooks/50-fine-tune-syndaemon b/config/chroot_local-hooks/50-fine-tune-syndaemon new file mode 100755 index 0000000000000000000000000000000000000000..692b7c6268c8bb5fa4fee237b9602bfe7be55114 --- /dev/null +++ b/config/chroot_local-hooks/50-fine-tune-syndaemon @@ -0,0 +1,26 @@ +#!/bin/sh + +# XXX: This hook is only needed in Wheezy-based Tails to fix #9011 and +# should be removed once Tails is based on Jessie. + +set -e + +echo "Fune-tuning syndaemon" + +SYNDAEMON_PATH="/usr/bin/syndaemon" +SYNDAEMON_ORIG_PATH="${SYNDAEMON_PATH}.distrib" + +dpkg-divert --rename --add "${SYNDAEMON_PATH}" +[ -x "${SYNDAEMON_ORIG_PATH}" ] || exit 1 + +cat > "${SYNDAEMON_PATH}" <<EOF +#!/bin/sh + +# Temporary workaround for #9011 while Tails is based on Wheezy. +if ! echo "\${@}" | grep -qw -- "-t"; then + set -- "\${@}" -t +fi +exec ${SYNDAEMON_ORIG_PATH} "\${@}" +EOF + +chmod a+rx "${SYNDAEMON_PATH}" diff --git a/config/chroot_local-hooks/52-update-rc.d b/config/chroot_local-hooks/52-update-rc.d index 27f914896035111b3d37954ed39a0804f0da6781..17ea82bbb37165ae3d6b4ffa972dfab9cadbc783 100755 --- a/config/chroot_local-hooks/52-update-rc.d +++ b/config/chroot_local-hooks/52-update-rc.d @@ -3,6 +3,7 @@ set -e CUSTOM_INITSCRIPTS=" +tails-autotest-remote-shell tails-detect-virtualization tails-kexec tails-reconfigure-kexec diff --git a/config/chroot_local-hooks/98-remove_unwanted_packages b/config/chroot_local-hooks/98-remove_unwanted_packages index 76ba6649115e4db4d38ba57b5625ff2680b387f1..a417d412d1090922d4ccd0e3a05cabb0d8fb8849 100755 --- a/config/chroot_local-hooks/98-remove_unwanted_packages +++ b/config/chroot_local-hooks/98-remove_unwanted_packages @@ -27,7 +27,7 @@ apt-get --yes purge \ ### since they have Priority: standard. apt-get --yes purge \ apt-listchanges at bsd-mailx dc debian-faq doc-debian dselect \ - '^exim4*' ftp m4 mlocate ncurses-term nfs-common portmap procmail python-apt \ + '^exim4*' ftp m4 mlocate mutt ncurses-term nfs-common portmap procmail python-apt \ python-reportbug reportbug telnet texinfo time w3m wamerican ### Deinstall some other unwanted packages. diff --git a/config/chroot_local-hooks/99-zzz_runtime_apt_configuration b/config/chroot_local-hooks/99-zzz_runtime_apt_configuration deleted file mode 100755 index 13065669568735c7c5efa716d2527058767a27be..0000000000000000000000000000000000000000 --- a/config/chroot_local-hooks/99-zzz_runtime_apt_configuration +++ /dev/null @@ -1,6 +0,0 @@ -#!/bin/sh - -set -eu - -echo "Configuring APT for runtime" -/usr/local/lib/apt-toggle-tor-http on diff --git a/config/chroot_local-includes/etc/NetworkManager/dispatcher.d/10-tor.sh b/config/chroot_local-includes/etc/NetworkManager/dispatcher.d/10-tor.sh index 434eb3e45d2de81b173e07810275e1d6bcd23f2e..f1c134c29d8e18af8fbc35737844e8dc62945614 100755 --- a/config/chroot_local-includes/etc/NetworkManager/dispatcher.d/10-tor.sh +++ b/config/chroot_local-includes/etc/NetworkManager/dispatcher.d/10-tor.sh @@ -28,7 +28,7 @@ rm -f "${TOR_LOG}" # The Tor syscall sandbox is not compatible with managed proxies. # We could possibly detect whether the user has configured any such -# thing via Tor Launcher later (e.g. in 60-tor-ready-notification.sh), +# thing via Tor Launcher later (e.g. in 60-tor-ready.sh), # but then we would have to restart Tor again to enable the sandbox. # Let's avoid doing that, and enable the Sandbox only if no special Tor # configuration is needed. Too bad users who simply need to configure @@ -51,5 +51,10 @@ if [ "$(tails_netconf)" = "obstacle" ]; then # increase Tor's logging severity. tor_control_setconf "Log=\"info file ${TOR_LOG}\"" + # Enable the transports we support. We cannot do this in general, + # when bridge mode is not enabled, since we then use seccomp + # sandboxing. + tor_control_setconf 'ClientTransportPlugin="obfs2,obfs3,obfs4 exec /usr/bin/obfs4proxy managed"' + /usr/local/sbin/tails-tor-launcher & fi diff --git a/config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh b/config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh similarity index 86% rename from config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh rename to config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh index 6f8f26f26c9286f49bcb3d07d605b0f47333ca36..7e1c22edde20bf7b8fd4a581cf7343469a5e6226 100755 --- a/config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh +++ b/config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh @@ -31,8 +31,9 @@ done # Launcher is still running, we can just kill it and make sure it # won't start next network reconnect. A reason for this happening is # if Tor was restarted by tordate, e.g. if the clock was to incorrect. -if pgrep -f "firefox --app.*tor-launcher-standalone"; then - pkill -f "firefox --app.*tor-launcher-standalone" +TOR_LAUNCHER_PROCESS_REGEX="firefox-unconfined -?-app.*tor-launcher-standalone" +if pgrep -f "${TOR_LAUNCHER_PROCESS_REGEX}"; then + pkill -f "${TOR_LAUNCHER_PROCESS_REGEX}" pref=/user/Data/Browser/profile.default/prefs.js sed -i '/^user_pref("extensions\.torlauncher\.prompt_at_startup"/d' "${pref}" echo 'user_pref("extensions.torlauncher.prompt_at_startup", false);' >> "${pref}" diff --git a/config/chroot_local-includes/etc/X11/Xsession.d/80im-starter b/config/chroot_local-includes/etc/X11/Xsession.d/80im-starter index fc1a54e431875725e37d60ae158cc4fd00bd405b..7a55c5ac203d3ab7129f2635108a34908e614f35 100644 --- a/config/chroot_local-includes/etc/X11/Xsession.d/80im-starter +++ b/config/chroot_local-includes/etc/X11/Xsession.d/80im-starter @@ -16,23 +16,28 @@ # Deside order in which input methods are preferred -# (chinese needs pinyin, japanese needs anthy, korean needs hangul) +# (chinese needs pinyin, japanese needs anthy, korean needs hangul, +# vietnamese needs Unikey) # (bopomofo is an alternative input method for chinese) LANGPREFIX=`echo "$LANG" | sed 's/_.*//'` -PREFLIST='[pinyin,anthy,hangul,bopomofo]' +PREFLIST='[pinyin,anthy,hangul,Unikey,bopomofo]' NEEDIBUS='n' case "$LANGPREFIX" in ja) - PREFLIST='[anthy,pinyin,hangul,bopomofo]' + PREFLIST='[anthy,pinyin,hangul,Unikey,bopomofo]' NEEDIBUS='y' ;; ko) - PREFLIST='[hangul,pinyin,anthy,bopomofo]' + PREFLIST='[hangul,pinyin,anthy,Unikey,bopomofo]' + NEEDIBUS='y' + ;; + vi) + PREFLIST='[Unikey,pinyin,anthy,hangul,bopomofo]' NEEDIBUS='y' ;; zh) - PREFLIST='[pinyin,bopomofo,anthy,hangul]' + PREFLIST='[pinyin,bopomofo,anthy,hangul,Unikey]' NEEDIBUS='y' ;; esac diff --git a/config/chroot_local-includes/etc/asound.conf b/config/chroot_local-includes/etc/asound.conf new file mode 100644 index 0000000000000000000000000000000000000000..d8eb4cf315944de969c39ef7d8de3b20159638cd --- /dev/null +++ b/config/chroot_local-includes/etc/asound.conf @@ -0,0 +1,16 @@ +# Use PulseAudio by default +pcm.!default { + type pulse + fallback "sysdefault" + hint { + show on + description "Default ALSA Output (currently PulseAudio Sound Server)" + } +} + +ctl.!default { + type pulse + fallback "sysdefault" +} + +# vim:set ft=alsaconf: diff --git a/config/chroot_local-includes/etc/dconf/db/local.d/00_Tails_defaults b/config/chroot_local-includes/etc/dconf/db/local.d/00_Tails_defaults index 6f69aac23b8cef3f3ce654535fe84bdc18e1f891..7b955928bec08374836371d497bd687b3afa9e31 100644 --- a/config/chroot_local-includes/etc/dconf/db/local.d/00_Tails_defaults +++ b/config/chroot_local-includes/etc/dconf/db/local.d/00_Tails_defaults @@ -18,7 +18,7 @@ ypos=27 item-filter='' sidebar-visible=true -[org/gnome/crypto/pgp] +[desktop/gnome/crypto/pgp] keyservers = ['hkp://pool.sks-keyservers.net'] [org/gnome/desktop/session] @@ -51,6 +51,12 @@ create-backup-copy = false [org/gnome/nautilus/desktop] volumes-visible = false +[org/gnome/settings-daemon/peripherals/touchpad] +disable-while-typing = true +horiz-scroll-enabled = false +scroll-method = 'two-finger-scrolling' +tap-to-click = true + [org/gnome/settings-daemon/plugins/power] button-hibernate = 'shutdown' button-power = 'shutdown' diff --git a/config/chroot_local-includes/etc/environment b/config/chroot_local-includes/etc/environment index 66a45021c7d753de0217e462f47edf2874bd0e1e..26678802752a0e0364314161414088c1fb995654 100644 --- a/config/chroot_local-includes/etc/environment +++ b/config/chroot_local-includes/etc/environment @@ -7,8 +7,10 @@ SOCKS5_SERVER=127.0.0.1:9050 TOR_CONTROL_HOST='127.0.0.1' TOR_CONTROL_PORT='9052' TOR_CONTROL_PASSWD='passwd' - -GIT_PROXY_COMMAND=/usr/local/bin/connect-socks +# Hide Torbutton's "Tor Network Settings..." context menu entry since +# it doesn't work in Tails, and we deal with those configurations +# strictly through Tor Launcher. +TOR_NO_DISPLAY_NETWORK_SETTINGS='yes' # Port that the monkeysphere validation agent listens on MSVA_PORT='6136' diff --git a/config/chroot_local-includes/etc/init.d/tails-autotest-remote-shell b/config/chroot_local-includes/etc/init.d/tails-autotest-remote-shell new file mode 100755 index 0000000000000000000000000000000000000000..d035f74cc608938f2dcae5612bb6f55246690759 --- /dev/null +++ b/config/chroot_local-includes/etc/init.d/tails-autotest-remote-shell @@ -0,0 +1,75 @@ +#! /bin/sh +### BEGIN INIT INFO +# Provides: tails-autotest-remote-shell +# Required-Start: mountkernfs $local_fs +# Required-Stop: +# Default-Start: 2 3 4 5 +# Default-Stop: +# X-Start-Before: $x-display-manager gdm gdm3 +# Short-Description: Remote shell (over serial link) used in Tails test suite +# Description: Remote shell (over serial link) used in Tails test suite +### END INIT INFO + +# Author: Tails Developers <tails@boum.org> + +# PATH should only include /usr/* if it runs after the mountnfs.sh script +PATH="/usr/sbin:/usr/bin:/sbin:/bin" +DESC="Remote shell (over serial link) used in Tails test suite" +NAME="tails-autotest-remote-shell" +SCRIPTNAME="/etc/init.d/${NAME}" +DAEMON="/usr/local/lib/${NAME}" +DAEMON_ARGS="/dev/ttyS0" + +# Exit if not run by Tails automated test suite. The if-construction +# below may seem silly but we really want to only continue running +# this script this if the expected kernel command-line option is +# present. Fail safe, not open, and all that. +if grep -qw "autotest_never_use_this_option" /proc/cmdline +then + : +else + exit 0 +fi + +# Load the VERBOSE setting and other rcS variables +. /lib/init/vars.sh + +# Define LSB log_* functions. +# Depend on lsb-base (>= 3.2-14) to ensure that this file is present +# and status_of_proc is working. +. /lib/lsb/init-functions + +wait_until_remote_shell_is_listening() +{ + REMOTE_SHELL_STATE_FILE=/var/lib/live/autotest-remote-shell-running + until [ -e "${REMOTE_SHELL_STATE_FILE}" ]; do + sleep 1 + done +} + +do_start() +{ + start-stop-daemon \ + --start \ + --quiet \ + --background \ + --exec ${DAEMON} -- ${DAEMON_ARGS} + wait_until_remote_shell_is_listening +} + +case "${1}" in + start) + [ "${VERBOSE}" != no ] && log_daemon_msg "${DESC}" "${NAME}" + do_start + [ "${VERBOSE}" != no ] && log_end_msg ${?} + ;; + restart|reload|stop|force-reload) + : + ;; + *) + echo "Usage: ${SCRIPTNAME} start" >&2 + exit 1 + ;; +esac + +: diff --git a/config/chroot_local-includes/etc/skel/.electrum/config b/config/chroot_local-includes/etc/skel/.electrum/config new file mode 100644 index 0000000000000000000000000000000000000000..92540831b68e15222e97a70f39a07318169e0259 --- /dev/null +++ b/config/chroot_local-includes/etc/skel/.electrum/config @@ -0,0 +1,6 @@ +{ + 'protocol': 's', + 'auto_cycle': True, + 'server': 'electrum.coinwallet.me:50002:s', + 'proxy': {'host': 'localhost', 'mode': 'socks5', 'port': '9050'}, +} diff --git a/config/chroot_local-includes/etc/skel/.gnome2/accels/.placeholder b/config/chroot_local-includes/etc/skel/.gnome2/accels/.placeholder new file mode 100644 index 0000000000000000000000000000000000000000..e69de29bb2d1d6434b8b29ae775ad8c2e48c5391 diff --git a/config/chroot_local-includes/etc/skel/.gnome2_private/.placeholder b/config/chroot_local-includes/etc/skel/.gnome2_private/.placeholder new file mode 100644 index 0000000000000000000000000000000000000000..e69de29bb2d1d6434b8b29ae775ad8c2e48c5391 diff --git a/config/chroot_local-includes/etc/skel/.purple/blist.xml b/config/chroot_local-includes/etc/skel/.purple/blist.xml index 51feafdcff891cf17d75e874c62d5c2da23226d1..7f2d28de7ab98dd20820257499ef714af10b3d01 100644 --- a/config/chroot_local-includes/etc/skel/.purple/blist.xml +++ b/config/chroot_local-includes/etc/skel/.purple/blist.xml @@ -10,9 +10,6 @@ <chat proto='prpl-irc' account='XXX_NICK_XXX@127.0.0.1'> <component name='channel'>#i2p</component> </chat> - <chat proto='prpl-irc' account='XXX_NICK_XXX@127.0.0.1'> - <component name='channel'>#i2p-help</component> - </chat> </group> </blist> <privacy> diff --git a/config/chroot_local-includes/etc/skel/.purple/prefs.xml b/config/chroot_local-includes/etc/skel/.purple/prefs.xml index b2684336d8f3fb2979a40ed804caa5c626e133ac..94fa8df718bb3d2e898a1779664ce8965b239d2f 100644 --- a/config/chroot_local-includes/etc/skel/.purple/prefs.xml +++ b/config/chroot_local-includes/etc/skel/.purple/prefs.xml @@ -231,7 +231,7 @@ </pref> <pref name='pidgin'> <pref name='browsers'> - <pref name='command' type='path' value='sensible-browser'/> + <pref name='manual_command' type='string' value='/usr/local/bin/tor-browser %s'/> <pref name='browser' type='string' value='custom'/> <pref name='place' type='int' value='0'/> </pref> diff --git a/config/chroot_local-includes/etc/ssh/ssh_config b/config/chroot_local-includes/etc/ssh/ssh_config index 9d3678401566e89fc87fe39f2b1eaca66bae5b81..2636cc7d0c26873ca17603fd5ccb76bfdccb9d81 100644 --- a/config/chroot_local-includes/etc/ssh/ssh_config +++ b/config/chroot_local-includes/etc/ssh/ssh_config @@ -1,4 +1,4 @@ -Host 192.168.* 10.* 172.16.* +Host 192.168.* 10.* 172.16.* 172.17.* 172.18.* 172.19.* 172.20.* 172.21.* 172.22.* 172.23.* 172.24.* 172.25.* 172.26.* 172.27.* 172.28.* 172.29.* 172.30.* 172.31.* ProxyCommand none Host * diff --git a/config/chroot_local-includes/etc/sudoers.d/zzz_tails-debugging-info b/config/chroot_local-includes/etc/sudoers.d/zzz_tails-debugging-info index fce6bc5c76d517bce9d14b4ddd1005ef038085f8..c5f9e6b47aa9a8d03ac91d158045d943128d69de 100644 --- a/config/chroot_local-includes/etc/sudoers.d/zzz_tails-debugging-info +++ b/config/chroot_local-includes/etc/sudoers.d/zzz_tails-debugging-info @@ -1 +1 @@ -amnesia ALL = NOPASSWD: /usr/local/sbin/tails-debugging-info +amnesia ALL = NOPASSWD: /usr/local/sbin/tails-debugging-info "" diff --git a/config/chroot_local-includes/etc/sudoers.d/zzz_tor-launcher b/config/chroot_local-includes/etc/sudoers.d/zzz_tor-launcher index b018e05d2a7f3ab4eee9c7755e1c0b076f959c28..373602b3458f0c22633c64e608cbeeed50fe24a9 100644 --- a/config/chroot_local-includes/etc/sudoers.d/zzz_tor-launcher +++ b/config/chroot_local-includes/etc/sudoers.d/zzz_tor-launcher @@ -1 +1 @@ -Defaults!/usr/bin/tor-launcher always_set_home,env_keep+="TOR_CONFIGURE_ONLY TOR_CONTROL_PORT TOR_CONTROL_COOKIE_AUTH_FILE TOR_FORCE_NET_CONFIG" +Defaults!/usr/bin/tor-launcher always_set_home,env_keep+="TOR_CONFIGURE_ONLY TOR_CONTROL_PORT TOR_CONTROL_COOKIE_AUTH_FILE TOR_FORCE_NET_CONFIG TOR_HIDE_BROWSER_LOGO" diff --git a/config/chroot_local-includes/etc/tor-browser/profile/adblockplus/patterns.ini b/config/chroot_local-includes/etc/tor-browser/profile/adblockplus/patterns.ini index 8098d72b451dd0559ba6cb636da934307f0f7fa8..89955bae90bc87198812a23bfbaa0a266cd90373 100644 --- a/config/chroot_local-includes/etc/tor-browser/profile/adblockplus/patterns.ini +++ b/config/chroot_local-includes/etc/tor-browser/profile/adblockplus/patterns.ini @@ -6,23 +6,23 @@ url=https://easylist-downloads.adblockplus.org/easylist.txt title=EasyList fixedTitle=true homepage=https://easylist.adblockplus.org/ -lastDownload=1421244148 +lastDownload=1431347194 downloadStatus=synchronize_ok -lastModified=Wed, 14 Jan 2015 14:00:49 GMT -lastSuccess=1421244148 +lastModified=Mon, 11 May 2015 12:20:53 GMT +lastSuccess=1431347194 lastCheck=1324811431 -expires=1421935348 -softExpiration=1421603315 +expires=1432038394 +softExpiration=1431687997 requiredVersion=2.0 [Subscription filters] -! Version: 201501141400 -! Last modified: 14 Jan 2015 14:00 UTC +! Version: 201505111220 +! Last modified: 11 May 2015 12:20 UTC ! Expires: 4 days (update frequency) ! Licence: https://easylist-downloads.adblockplus.org/COPYING ! ! Please report any unblocked adverts or problems -! in the forums (http://forums.lanik.us/) +! in the forums (https://forums.lanik.us/) ! or via e-mail (easylist.subscription@gmail.com). ! !-----------------------General advert blocking filters-----------------------! @@ -32,6 +32,7 @@ requiredVersion=2.0 &ad_classid= &ad_height= &ad_keyword= +&ad_network_ &ad_number= &ad_type= &ad_type_ @@ -83,6 +84,7 @@ requiredVersion=2.0 &smallad= &strategy=adsense& &type=ad& +&UrlAdParam= &video_ads_ &videoadid= &view=ad& @@ -109,6 +111,7 @@ requiredVersion=2.0 -ad-data/ -ad-ero- -ad-exo- +-ad-gif1- -ad-home. -ad-hrule- -ad-hrule. @@ -133,9 +136,11 @@ requiredVersion=2.0 -ad-util. -ad-vertical- -ad-zone. +-ad.jpg.pagespeed. -ad.jpg? -ad.jsp| -ad.php? +-ad/main. -ad/right_ -ad1. -ad2. @@ -155,6 +160,7 @@ requiredVersion=2.0 -adhelper. -adhere2. -adimage- +-admarvel/ -adrotation. -ads-180x -ads-728x @@ -174,6 +180,7 @@ requiredVersion=2.0 -ads.swf -ads/728x -ads/oas/ +-Ads_728x902. -ads_9_3. -Ads_Billboard_ -adscript. @@ -211,7 +218,7 @@ requiredVersion=2.0 -affiliates/img_ -article-ads- -article-advert- --Banner-Ad)- +-banner-ad. -banner-ads- -banner.swf? -banner468x60. @@ -260,6 +267,7 @@ requiredVersion=2.0 -news-ad- -newsletter-ad- -NewStockAd- +-online-advert. -page-ad. -page-ad? -page-peel/ @@ -272,10 +280,12 @@ requiredVersion=2.0 -popunder. -popup-ad. -popup-ads- +-printhousead- -publicidad. -rectangle/ad- -Results-Sponsored. -right-ad. +-rightrailad- -rollout-ad- -scrollads. -seasonal-ad. @@ -283,6 +293,7 @@ requiredVersion=2.0 -side-ad- -Skyscraper-Ad. -skyscrapper160x600. +-small-ad. -source/ads/ -sponsor-ad. -sponsored-links- @@ -315,18 +326,22 @@ requiredVersion=2.0 .ad1.nspace .adbanner. .adbutler- +.adcenter. .adforge. .adframesrc. +.adlabs.$domain=~adlabs.ru .admarvel. .adnetwork. .adpartner. .adplacement= -.adresult. +.adresult.$domain=~adresult.ch .adriver.$~object-subrequest .adru. .ads-and-tracking. .ads-lazy. +.ads-min. .ads-tool. +.ads.core. .ads.css .ads.darla. .ads.loader- @@ -343,6 +358,7 @@ requiredVersion=2.0 .adsremote. .adtech_ .adtooltip& +.adv.cdn. .advert.$domain=~advert.ly .AdvertismentBottom. .advertmarket. @@ -373,6 +389,7 @@ requiredVersion=2.0 .ch/adv/ .clkads. .co/ads/ +.co/ads? .com/?ad= .com/?wid= .com/a?network @@ -383,6 +400,7 @@ requiredVersion=2.0 .com/ad2/ .com/ad6/ .com/ad? +.com/adclk? .com/adds/ .com/adgallery .com/adinf/ @@ -443,10 +461,13 @@ requiredVersion=2.0 .info/ads/ .initdoubleclickadselementcontent? .internads. +.is/ads/ .jp/ads/ +.jsp?adcode= .ke/ads/ .lazyload-ad- .lazyload-ad. +.link/ads/ .lk/ads/ .me/ads- .me/ads/ @@ -539,9 +560,11 @@ requiredVersion=2.0 .textads. .th/ads/ .to/ads/ +.topad. .tv/adl. .tv/ads. .tv/ads/ +.twoads. .tz/ads/ .uk/ads/ .uk/adv/ @@ -570,8 +593,11 @@ requiredVersion=2.0 /2010main/ad/* /2011/ads/* /2013/ads/* +/2014/ads/* +/2015/ads/* /24-7ads. /24adscript. +/250x250_advert_ /300-ad- /300250_ad- /300by250ad. @@ -621,6 +647,7 @@ requiredVersion=2.0 /ad%20images/* /ad-125. /ad-300topleft. +/ad-300x250. /ad-300x254. /ad-350x350- /ad-468- @@ -628,6 +655,7 @@ requiredVersion=2.0 /ad-amz. /ad-audit. /ad-banner- +/ad-banner. /ad-bckg. /ad-bin/* /ad-bottom. @@ -686,6 +714,9 @@ requiredVersion=2.0 /ad-manager/* /ad-managment/* /ad-methods. +/ad-minister- +/ad-minister. +/ad-minister/* /ad-modules/* /ad-nytimes. /ad-offer1. @@ -703,6 +734,7 @@ requiredVersion=2.0 /ad-serve? /ad-server. /ad-server/* +/ad-side/* /ad-sidebar- /ad-skyscraper. /ad-source/* @@ -719,8 +751,10 @@ requiredVersion=2.0 /ad-title. /ad-top- /ad-top. +/ad-top/* /ad-topbanner- /ad-unit- +/ad-updated- /ad-utilities. /ad-vert. /ad-vertical- @@ -841,6 +875,7 @@ requiredVersion=2.0 /ad/timing. /ad/top. /ad/top/* +/ad/top1. /ad/top2. /ad/top3. /ad/top_ @@ -848,12 +883,17 @@ requiredVersion=2.0 /ad0. /ad000/* /ad02/background_ +/ad1-728- /ad1. /ad1/index. +/ad12. /ad120x60. /ad125. /ad125b. /ad125x125. +/ad132m. +/ad132m/* +/ad134m/* /ad136/* /ad15. /ad16. @@ -862,7 +902,9 @@ requiredVersion=2.0 /ad160x600. /ad1_ /ad1place. +/ad1r. /ad1x1home. +/ad2-728- /ad2. /ad2/index. /ad2/res/* @@ -945,10 +987,12 @@ requiredVersion=2.0 /ad_banner1. /ad_banner2. /ad_banner_ +/ad_bannerPool- /ad_banners/* /ad_bar_ /ad_base. /ad_big_ +/ad_blog. /ad_bomb/* /ad_bot. /ad_bottom. @@ -984,6 +1028,7 @@ requiredVersion=2.0 /ad_display. /ad_display_ /ad_drivers/* +/ad_ebound. /ad_editorials_ /ad_engine? /ad_entry_ @@ -996,6 +1041,7 @@ requiredVersion=2.0 /ad_flash/* /ad_flat_ /ad_floater. +/ad_folder/* /ad_footer. /ad_footer_ /ad_forum_ @@ -1011,7 +1057,6 @@ requiredVersion=2.0 /ad_h.css? /ad_hcl_ /ad_hcr_ -/ad_head0. /ad_header. /ad_header_ /ad_height/* @@ -1080,7 +1125,6 @@ requiredVersion=2.0 /ad_parts. /ad_peel/* /ad_pics/* -/ad_policy. /ad_pop. /ad_pop1. /ad_pos= @@ -1088,6 +1132,7 @@ requiredVersion=2.0 /ad_position_ /ad_premium. /ad_premium_ +/ad_preroll- /ad_print. /ad_rectangle_ /ad_refresh. @@ -1129,6 +1174,7 @@ requiredVersion=2.0 /ad_square_ /ad_squares. /ad_srv. +/ad_stem/* /ad_styling_ /ad_supertile/* /ad_sys/* @@ -1233,6 +1279,7 @@ requiredVersion=2.0 /adbutler/* /adbytes. /adcache. +/adcall. /adcalloverride. /adcampaigns/* /adcash- @@ -1328,6 +1375,7 @@ requiredVersion=2.0 /adengine/* /adengine_ /adentry. +/aderlee_ads. /adError/* /adevent. /adevents. @@ -1359,6 +1407,7 @@ requiredVersion=2.0 /adfolder/* /adfootcenter. /adfooter. +/adFooterBG. /adfootleft. /adfootright. /adforgame160x600. @@ -1389,7 +1438,6 @@ requiredVersion=2.0 /adfrequencycapping. /adfrm. /adfshow? -/adfuel. /adfuncs. /adfunction. /adfunctions. @@ -1501,10 +1549,11 @@ requiredVersion=2.0 /adleft. /adleft/* /adleftsidebar. +/adlens- /adlesse. /adlift4. /adlift4_ -/adline. +/adline.$domain=~adline.co.il /adlink- /adlink. /adlink/* @@ -1538,13 +1587,14 @@ requiredVersion=2.0 /admarker. /admarker_ /admarket/* +/admarvel. /admaster. /admaster? /admatch- /admatcher.$~object-subrequest,~xmlhttprequest /admatcherclient. /admatik. -/admax. +/admax.$domain=~admax.cn|~admax.co|~admax.eu|~admax.info|~admax.net|~admax.nu|~admax.org|~admax.se|~admax.us /admax/* /admaxads. /admeasure. @@ -1556,6 +1606,7 @@ requiredVersion=2.0 /admeld_ /admeldscript. /admentor/* +/admentor302/* /admentorasp/* /admentorserve. /admeta. @@ -1590,6 +1641,7 @@ requiredVersion=2.0 /adnext. /adnexus- /adng.html +/adnl. /adnotice. /adobject. /adocean. @@ -1597,6 +1649,7 @@ requiredVersion=2.0 /adometry. /adometry? /adonline. +/adonly468. /adops. /adops/* /adoptionicon. @@ -1627,7 +1680,7 @@ requiredVersion=2.0 /adpeeps/* /adperf_ /adperfdemo. -/adphoto. +/adphoto.$domain=~adphoto.fr /adpic. /adpic/* /adpicture. @@ -1748,6 +1801,7 @@ requiredVersion=2.0 /ads.asp? /ads.aspx /ads.cfm? +/ads.css /ads.dll/* /ads.gif /ads.htm @@ -1789,6 +1843,7 @@ requiredVersion=2.0 /ads/ads. /ads/ads/* /ads/ads_ +/ads/adv/* /ads/afc/* /ads/aff- /ads/as_header. @@ -1887,6 +1942,7 @@ requiredVersion=2.0 /ads/load. /ads/main. /ads/marketing/* +/ads/masthead_ /ads/menu_ /ads/motherless. /ads/mpu/* @@ -1907,6 +1963,7 @@ requiredVersion=2.0 /ads/p/* /ads/page. /ads/panel. +/ads/payload/* /ads/pencil/* /ads/player- /ads/plugs/* @@ -1965,6 +2022,7 @@ requiredVersion=2.0 /ads/triggers/* /ads/vertical/* /ads/vg/* +/ads/video/* /ads/video_ /ads/view. /ads/views/* @@ -2013,7 +2071,7 @@ requiredVersion=2.0 /ads300X2502. /ads300x250_ /ads300x250px. -/ads4. +/ads4.$domain=~ads4.city /ads4/* /ads468. /ads468x60. @@ -2059,6 +2117,7 @@ requiredVersion=2.0 /ads_code_ /ads_codes/* /ads_config. +/ads_controller. /ads_display. /ads_event. /ads_files/* @@ -2226,6 +2285,7 @@ requiredVersion=2.0 /adsframe. /adsfuse- /adsgame. +/adsGooglePP3. /adshandler. /adshare. /adshare/* @@ -2352,6 +2412,7 @@ requiredVersion=2.0 /adstream_ /adstreamjscontroller. /adStrip. +/adstrk. /adstrm/* /adstub. /adstube/* @@ -2511,6 +2572,8 @@ requiredVersion=2.0 /adv4. /Adv468. /adv5. +/adv6. +/adv8. /adv_2. /adv_468. /adv_background/* @@ -2521,6 +2584,7 @@ requiredVersion=2.0 /adv_frame/* /adv_horiz. /adv_image/* +/adv_left_ /adv_library3. /adv_link. /adv_manager_ @@ -2613,6 +2677,7 @@ requiredVersion=2.0 /advertising_ /advertisingbanner. /advertisingbanner/* +/advertisingbanner1. /advertisingbanner_ /advertisingcontent/* /AdvertisingIsPresent6? @@ -2671,6 +2736,7 @@ requiredVersion=2.0 /advpreload. /advris/* /advrotator. +/advs.ads. /advs/* /advscript. /advscripts/* @@ -2678,6 +2744,7 @@ requiredVersion=2.0 /advt. /advt/* /advt2. +/advweb. /advzones/* /adw.shtml /adw2.shtml @@ -2691,7 +2758,7 @@ requiredVersion=2.0 /adwizard. /adwizard_ /adwolf. -/adwords. +/adwords.$domain=~ppc.ee /adwords/* /adwordstracking.js /adWorking/* @@ -2785,7 +2852,6 @@ requiredVersion=2.0 /affimg/* /affliate-banners/* /affpic/* -/afimages. /afr.php? /afr?auid= /ahmestatic/ads/* @@ -2823,6 +2889,7 @@ requiredVersion=2.0 /app.ads. /app/ads. /app/ads/* +/aptads/* /Article-Ad- /article_ad. /articleSponsorDeriv_ @@ -2878,6 +2945,7 @@ requiredVersion=2.0 /banmanpro/* /Banner-300x250. /banner-ad- +/banner-ad. /banner-ad/* /banner-ad_ /banner-ads/* @@ -2893,6 +2961,7 @@ requiredVersion=2.0 /banner/ad. /banner/ad/* /banner/ad_ +/banner/adv/* /banner/adv_ /banner/affiliate/* /banner/rtads/* @@ -2953,7 +3022,6 @@ requiredVersion=2.0 /bannerinc. /bannerjs.php? /bannermaker/* -/bannerman/* /bannermanager/* /bannermvt. /bannerpump. @@ -2998,6 +3066,7 @@ requiredVersion=2.0 /bannery/*?banner= /bansrc/* /bar-ad. +/baseAd. /baselinead. /basic/ad/* /bbad. @@ -3187,6 +3256,7 @@ requiredVersion=2.0 /compban.html? /components/ads/* /conad. +/conad_ /configspace/ads/* /cont-adv. /contads. @@ -3249,6 +3319,7 @@ requiredVersion=2.0 /ctamlive160x160. /cube_ads/* /cubead. +/cubeads/* /cubeads_ /curlad. /curveball/ads/* @@ -3270,6 +3341,7 @@ requiredVersion=2.0 /daily/ads/* /dart_ads. /dart_ads/* +/dart_enhancements/* /dartad/* /dartadengine. /dartadengine2. @@ -3345,6 +3417,7 @@ requiredVersion=2.0 /display-ad/* /display-ads- /display-ads/* +/display.ad. /display?ad_ /display_ad /displayad. @@ -3389,7 +3462,7 @@ requiredVersion=2.0 /downads. /download/ad. /download/ad/* -/download/ads/* +/download/ads /drawad. /driveragentad1. /driveragentad2. @@ -3516,6 +3589,7 @@ requiredVersion=2.0 /filter.php?pro$script /fimserve. /finads. +/first-ad_ /flag_ads. /flash-ads. /flash-ads/* @@ -3583,6 +3657,7 @@ requiredVersion=2.0 /friendfinder_ /frnads. /frontend/ads/* +/frontpagead/* /ftp/adv/* /full/ads/* /fullad. @@ -3641,6 +3716,7 @@ requiredVersion=2.0 /getad? /getadcontent. /getadds. +/GetAdForCallBack? /getadframe. /getads- /getads. @@ -3662,6 +3738,7 @@ requiredVersion=2.0 /getfeaturedadsforshow. /gethalfpagead. /getinlineads/* +/getJsonAds? /getmarketplaceads. /getmdhlayer. /getmdhlink. @@ -3698,6 +3775,7 @@ requiredVersion=2.0 /google-ads/* /google-adsense- /google-adsense. +/google-adverts- /google-adwords /google-afc- /google-afc. @@ -3743,6 +3821,7 @@ requiredVersion=2.0 /googleads_ /googleadsafc_ /googleadsafs_ +/googleAdScripts. /googleadsense. /googleAdTaggingSubSec. /googleadunit? @@ -3761,6 +3840,7 @@ requiredVersion=2.0 /groupon/ads/* /gt6skyadtop. /guardianleader. +/guardrailad_ /gujAd. /hads- /Handlers/Ads. @@ -3772,9 +3852,11 @@ requiredVersion=2.0 /headerad. /headeradd2. /headerads. +/headerads1. /headerAdvertismentTab. /headermktgpromoads. /headvert. +/hiadone_ /hikaku/banner/* /hitbar_ad_ /holl_ad. @@ -3822,6 +3904,7 @@ requiredVersion=2.0 /html/sponsors/* /htmlads/* /httpads/* +/hubxt.*/js/eht.js? /hubxt.*/js/ht.js /i/ads/* /i_ads. @@ -3831,6 +3914,7 @@ requiredVersion=2.0 /icon_ad. /icon_ads_ /icon_advertising_ +/idevaffiliate/* /ifolder-ads. /iframe-ad. /iframe-ads/* @@ -3857,11 +3941,14 @@ requiredVersion=2.0 /iframedartad. /iframes/ad/* /ifrm_ads/* +/ignite.partnerembed.js +/ignitecampaigns.com/* /ilivid-ad- /im-ad/im-rotator. /im-ad/im-rotator2. /im-popup/* /im.cams. +/ima/ads_ /imaads. /imads.js /image/ad/* @@ -3910,6 +3997,7 @@ requiredVersion=2.0 /img/_ad. /img/ad- /img/ad. +/img/ad/* /img/ad_ /img/ads/* /img/adv. @@ -3923,6 +4011,7 @@ requiredVersion=2.0 /imgad. /imgad? /imgad_ +/imgAdITN. /imgads/* /imgaffl/* /imgs/ad/* @@ -3934,6 +4023,7 @@ requiredVersion=2.0 /impop. /impopup/* /inad. +/inc/ad- /inc/ad. /inc/ads/* /inc_ad. @@ -3977,6 +4067,7 @@ requiredVersion=2.0 /internetad/* /interstitial-ad. /interstitial-ad/* +/interstitial_ad. /intextadd/* /intextads. /introduction_ad. @@ -3988,6 +4079,7 @@ requiredVersion=2.0 /ip-advertising/* /ipadad. /iprom-ad/* +/iqadcontroller. /irc_ad_ /ireel/ad*.jpg /is.php?ipua_id=*&search_id= @@ -4082,7 +4174,9 @@ requiredVersion=2.0 /leadads/* /leader_ad. /leaderad. +/leaderboard-advert. /leaderboard_ad/* +/leaderboard_adv/* /leaderboardad. /leaderboardadblock. /leaderboardads. @@ -4096,6 +4190,7 @@ requiredVersion=2.0 /leftbanner/* /leftsidebarads. /lib/ad.js +/library/ads/* /lifeshowad/* /lightad. /lightboxad^ @@ -4182,6 +4277,7 @@ requiredVersion=2.0 /metsbanner. /mgid-ad- /mgid-header. +/mgid.html /microad. /microads/* /microsofttag/* @@ -4220,6 +4316,7 @@ requiredVersion=2.0 /modules/ad/* /modules/ad_ /modules/ads/* +/modules/adv/* /modules/doubleclick/* /modules_ads. /momsads. @@ -4251,8 +4348,10 @@ requiredVersion=2.0 /mylayer-ad/* /mysimpleads/* /n/adv_ +/n4403ad. /n_ads/* /namediaad. +/nativeads- /nativeads/* /navad/* /navads/* @@ -4358,9 +4457,11 @@ requiredVersion=2.0 /openx_ /openxtag. /optonlineadcode. +/opxads. /orbitads. /origin-ad- /other/ads/* +/outbrain-min. /overlay-ad. /overlay_ad_ /overlayad. @@ -4379,6 +4480,7 @@ requiredVersion=2.0 /page/ad/* /pagead/ads? /pagead/gen_ +/pagead2. /pagead46. /pagead? /pageadimg/* @@ -4450,7 +4552,9 @@ requiredVersion=2.0 /phpadsnew/* /phpbanner/banner_ /pic/ads/* +/pic_adv/* /pickle-adsystem/* +/pics/ads/* /picture/ad/* /pictureads/* /pictures/ads/* @@ -4580,8 +4684,9 @@ requiredVersion=2.0 /pub/ad/* /pub/ads/* /pub_images/*$third-party -/pubad.$domain=~cbs.com -/pubads.$domain=~cbs.com +/pubad. +/pubads. +/pubads_ /public/ad/* /public/ad? /public/ads/* @@ -4607,6 +4712,7 @@ requiredVersion=2.0 /r_ads/* /radioAdEmbed. /radioadembedgenre. +/radioAdEmbedGPT. /radopenx? /rail_ad_ /railad. @@ -4658,6 +4764,7 @@ requiredVersion=2.0 /remove-ads. /remove_ads. /render-ad/* +/repeat_adv. /report_ad. /report_ad_ /requestadvertisement. @@ -4794,6 +4901,7 @@ requiredVersion=2.0 /show_ads_ /showad. /showad/* +/showAd300- /showAd300. /showad_ /showadcode. @@ -4891,6 +4999,7 @@ requiredVersion=2.0 /small_ad. /small_ads/* /smallad- +/smalladblockbg- /smalltopl. /smart-ad-server. /smartad- @@ -4900,6 +5009,7 @@ requiredVersion=2.0 /smartadserver. /smartlinks.epl? /smb/ads/* +/smeadvertisement/* /smedia/ad/* /SmpAds. /socialads. @@ -4928,6 +5038,7 @@ requiredVersion=2.0 /spons_links_ /sponser. /sponseredlinksros. +/sponsers.cgi /sponsimages/* /sponslink_ /sponsor%20banners/* @@ -4960,6 +5071,7 @@ requiredVersion=2.0 /sponsored_title. /sponsored_top. /sponsoredads/* +/sponsoredbanner/* /sponsoredcontent. /sponsoredheadline. /sponsoredlinks. @@ -5039,6 +5151,7 @@ requiredVersion=2.0 /switchadbanner. /SWMAdPlayer. /synad2. +/synad3. /syndication/ad. /sys/ad/* /system/ad/* @@ -5068,6 +5181,7 @@ requiredVersion=2.0 /templateadvimages/* /templates/ad. /templates/ads/* +/templates/adv_ /testads/* /testingad. /text_ad. @@ -5099,11 +5213,13 @@ requiredVersion=2.0 /tii_ads. /tikilink? /tileads/* +/tinlads. /tinyad. /tit-ads. /title-ad/* /title_ad. /tizers.php? +/tl.ads- /tmnadsense- /tmnadsense. /tmo/ads/* @@ -5139,6 +5255,7 @@ requiredVersion=2.0 /topads3. /topads_ /topads| +/topadv. /topadvert. /topleftads. /topperad. @@ -5187,6 +5304,7 @@ requiredVersion=2.0 /ucstat. /ugoads. /ugoads_inner. +/ui/ads/* /ui/adv. /ui/adv_ /uk.ads. @@ -5215,6 +5333,7 @@ requiredVersion=2.0 /utep_ad.js /v5/ads/* /v9/adv/* +/vads/* /valueclick-ad. /valueclick. /valueclickbanner. @@ -5282,6 +5401,7 @@ requiredVersion=2.0 /wallpaper_ads/* /wallpaperads/* /watchit_ad. +/wave-ad- /wbadvert/* /weather-sponsor/* /weather/ads/* @@ -5304,7 +5424,6 @@ requiredVersion=2.0 /webadverts/* /webmailad. /webmaster_ads/* -/webservices/jsparselinks.aspx?$script /weeklyAdsLabel. /welcome_ad. /welcomead. @@ -5342,6 +5461,7 @@ requiredVersion=2.0 /wp_ad_250_ /wpads/iframe. /wpbanners_show.php +/wpproads. /wrapper/ads/* /writelayerad. /wwe_ads. @@ -5363,14 +5483,17 @@ requiredVersion=2.0 /xmladparser. /xnxx-ads. /xpiads. -/xtendmedia. +/xtendmedia.$domain=~xtendmedia.dk /xxxmatch_ /yads- /yads. /yads/* /yads_ +/yahoo-ad- /yahoo-ads/* +/yahoo/ads. /yahoo_overture. +/YahooAd_ /yahooads. /yahooads/* /yahooadsapi. @@ -5439,6 +5562,7 @@ requiredVersion=2.0 =adcenter& =adcode& =adexpert& +=adlabs& =admeld& =adMenu& =admodeliframe& @@ -5471,6 +5595,7 @@ requiredVersion=2.0 =showsearchgoogleads& =simpleads/ =tickerReportAdCallback_ +=web&ads= =webad2& ?*=x55g%3add4vv4fy. ?action=ads& @@ -5509,6 +5634,7 @@ requiredVersion=2.0 ?advertiserid=$domain=~outbrain.com ?advertising= ?advideo_ +?advsystem= ?advtile= ?advurl= ?adx= @@ -5516,6 +5642,7 @@ requiredVersion=2.0 ?banner.id= ?banner_id= ?bannerid= +?bannerXGroupId= ?dfpadname= ?file=ads& ?g1t2h=*&t1m2k3= @@ -5533,10 +5660,12 @@ requiredVersion=2.0 ?type=oas_pop& ?view=ad& ?wm=*&prm=rev& +?wpproadszoneid= ?ZoneID=*&PageID=*&SiteID= ?ZoneID=*&Task=*&SiteID= ^fp=*&prvtof= ^mod=wms&do=view_*&zone= +^pid=Ads^ _125ad. _160_ad_ _160x550. @@ -5569,9 +5698,11 @@ _ad6. _ad728x90. _ad9. _ad?darttag= +_ad?size= _ad_125x125. _ad_2012. _ad_300. +_ad_350x250. _ad_actron. _ad_background. _ad_banner. @@ -5592,6 +5723,7 @@ _ad_controller. _ad_count. _ad_count= _ad_courier. +_ad_div= _ad_domain_ _ad_end_ _ad_engine/ @@ -5671,6 +5803,7 @@ _adcall_ _adchoice. _adchoices. _adcom. +_adcontent/ _adcount= _adengage. _adengage_ @@ -5716,6 +5849,7 @@ _ads/js/ _ads/square/ _ads1. _ads2. +_ads3. _ads? _ads_cached. _ads_contextualtargeting_ @@ -5770,11 +5904,14 @@ _adtop. _adtxt. _adunit. _adv/300. +_adv/leaderboard_ _adv/overlay/ _Adv_Banner_ _advert. _advert/ _advert1. +_advert_1. +_advert_2. _advert_label. _advert_overview. _advert_vert @@ -5849,6 +5986,7 @@ _custom_ad_ _dart_ads. _dart_interstitial. _dashad_ +_dfp.php? _displayad_ _displaytopads. _doubleclick. @@ -5861,6 +5999,7 @@ _engine_ads_ _english/adv/ _externalad. _fach_ad. +_fbadbookingsystem& _feast_ad. _files/ad. _fixed_ad. @@ -5869,6 +6008,7 @@ _floatingad_ _footer_ad_ _framed_ad/ _friendlyduck. +_fullscreen_ad. _gads_bottom. _gads_footer. _gads_top. @@ -5900,12 +6040,14 @@ _index_ad. _inlineads. _js/ads.js _jtads/ +_juiceadv. _juicyads. _layerad. _leaderboard_ad_ _left_ad. _link_ads- _live/ad/ +_load_ad? _logadslot& _longad_ _mailLoginAd. @@ -5922,6 +6064,7 @@ _openx. _openx/ _org_ad. _overlay_ad. +_paid_ads/ _paidadvert_ _panel_ads. _partner_ad. @@ -5937,6 +6080,7 @@ _popunder_ _popupunder. _post_ads. _preorderad. +_prime_ad. _promo_ad/ _psu_ad. _radio_ad_ @@ -5997,6 +6141,7 @@ _videoad. _vodaaffi_ _web-advert. _Web_ad. +_web_ad_ _webad. _webad_ _WebBannerAd_ @@ -6012,15 +6157,22 @@ takeover_banner_ ||online.*/promoredirect?key= ||ox-d.*^auid= ||serve.*/promoload? +! linkbucks.com script +/webservices/jsparselinks.aspx?$script +! Common adserver string +/mediahosting.engine$script,third-party +/Tag.engine$script,third-party ! White papers insert /sl/assetlisting/? ! Peel script /jquery.peelback.js ! Anti-Adblock +/ad-blocker.js /adb_detector. /adblock-blocker/* /adblock_detector. /adblock_detector2. +/adblock_logger. /adblockdetect. /adblockdetection. /adbuddy. @@ -6615,13 +6767,17 @@ _a468x60. .com/ads?$popup .engine?PlacementId=$popup /?placement=*&redirect$popup +/ad.php?tag=$popup /ad.php|$popup /ad/window.php?$popup +/ad132m/*$popup /ad_pop.php?$popup /adclick.$popup /AdHandler.aspx?$popup /ads.htm$popup +/adServe/sa?cid=$popup /adserver.$popup +/adstream_sx.ads/*$popup /advlink.$popup /afu.php?$popup /bani/index.php?id=$popup @@ -6633,6 +6789,7 @@ _a468x60. /promoredirect?*&campaign=*&zone=$popup /punder.php$popup /realmedia/ads/*$popup +/Redirect.eng?$popup /Redirect.engine$popup /servlet/ajrotator/*$popup /spopunder^$popup @@ -6855,7 +7012,9 @@ _popunder+$popup ###Ads_BA_BUT_box ###Ads_BA_CAD ###Ads_BA_CAD2 +###Ads_BA_CAD2_Text ###Ads_BA_CAD_box +###Ads_BA_FLB ###Ads_BA_SKY ###Ads_CAD ###Ads_OV_BS @@ -7085,6 +7244,8 @@ _popunder+$popup ###Meebo\:AdElement\.Root ###MidPageAds ###Module-From_Advertisers +###MyAdHeader +###MyAdSky ###NavAD ###Nightly_adContainer ###NormalAdModule @@ -7225,27 +7386,40 @@ _popunder+$popup ###ad-0 ###ad-1 ###ad-1000x90-1 +###ad-109 +###ad-118 ###ad-120-left ###ad-120x600-1 ###ad-120x600-other ###ad-120x600-sidebar ###ad-120x60Div ###ad-125x125 +###ad-13 +###ad-133 +###ad-143 ###ad-160 ###ad-160-long ###ad-160x600 ###ad-160x600-sidebar ###ad-160x600-wrapper +###ad-162 +###ad-17 ###ad-170 ###ad-180x150-1 +###ad-19 +###ad-197 ###ad-2 ###ad-2-160x600 +###ad-21 +###ad-213 ###ad-220x90-1 ###ad-230x100-1 ###ad-240x400-1 ###ad-240x400-2 ###ad-250 ###ad-250x300 +###ad-28 +###ad-29 ###ad-3 ###ad-3-300x250 ###ad-300 @@ -7270,13 +7444,17 @@ _popunder+$popup ###ad-300x40-2 ###ad-300x40-5 ###ad-300x60-1 +###ad-32 ###ad-320 ###ad-336 ###ad-350 +###ad-37 ###ad-376x280 ###ad-4 ###ad-4-300x90 ###ad-5-images +###ad-55 +###ad-63 ###ad-635x40-1 ###ad-655 ###ad-7 @@ -7287,9 +7465,11 @@ _popunder+$popup ###ad-728x90-leaderboard-top ###ad-728x90-top ###ad-728x90-top0 +###ad-74 ###ad-88 ###ad-88-wrap ###ad-970 +###ad-98 ###ad-a ###ad-a1 ###ad-abs-b-0 @@ -7388,12 +7568,14 @@ _popunder+$popup ###ad-double-spotlight-container ###ad-e-container ###ad-ear +###ad-extra-flat ###ad-f-container ###ad-featured-right ###ad-first-post ###ad-five ###ad-five-75x50s ###ad-flex-first +###ad-flex-top ###ad-footer ###ad-footer-728x90 ###ad-footprint-160x600 @@ -7423,6 +7605,7 @@ _popunder+$popup ###ad-homepage-content-well ###ad-homepage-top-wrapper ###ad-horizontal-header +###ad-horizontal-top ###ad-img ###ad-in-post ###ad-index @@ -7461,6 +7644,7 @@ _popunder+$popup ###ad-main-bottom ###ad-main-top ###ad-makeup +###ad-manager ###ad-manager-ad-bottom-0 ###ad-manager-ad-top-0 ###ad-medium @@ -7510,6 +7694,7 @@ _popunder+$popup ###ad-rectangle ###ad-rectangle-flag ###ad-rectangle1 +###ad-rectangle1-outer ###ad-rectangle2 ###ad-rectangle3 ###ad-region-1 @@ -7553,6 +7738,7 @@ _popunder+$popup ###ad-sla-sidebar300x250 ###ad-slot-1 ###ad-slot-2 +###ad-slot-4 ###ad-slot-right ###ad-slot1 ###ad-slug-wrapper @@ -7652,6 +7838,7 @@ _popunder+$popup ###ad1_top-left ###ad2-home ###ad2-label +###ad2-original-placeholder ###ad250 ###ad260x60 ###ad2CONT @@ -7814,6 +8001,7 @@ _popunder+$popup ###adFixFooter ###adFlashDiv ###adFooter +###adFooterTitel ###adFot ###adFoxBanner ###adFps @@ -7837,6 +8025,7 @@ _popunder+$popup ###adHolder6 ###adIframe ###adInBetweenPosts +###adInCopy ###adInstoryOneWrap ###adInstoryTwoWrap ###adInteractive1 @@ -8031,6 +8220,9 @@ _popunder+$popup ###adTower1 ###adTower2 ###adTwo +###adUn_1 +###adUn_2 +###adUn_3 ###adUnit ###adValue ###adVcss @@ -8317,6 +8509,7 @@ _popunder+$popup ###ad_horseshoe_top ###ad_hotpots ###ad_houseslot1_desktop +###ad_iframe_160_by_600_middle ###ad_iframe_300 ###ad_img ###ad_img_banner @@ -8387,9 +8580,11 @@ _popunder+$popup ###ad_mpu ###ad_mpu2 ###ad_mpu300x250 +###ad_mpu_1 ###ad_mpuav ###ad_mrcontent ###ad_mrec +###ad_myFrame ###ad_netpromo ###ad_new ###ad_newsletter @@ -8444,6 +8639,8 @@ _popunder+$popup ###ad_rightSidebarSecondBanner ###ad_right_1 ###ad_right_box +###ad_right_column1_1 +###ad_right_column2_1 ###ad_right_content_article_page ###ad_right_content_home ###ad_right_main @@ -8480,6 +8677,7 @@ _popunder+$popup ###ad_sidebar_top ###ad_silo ###ad_sitebar +###ad_skin ###ad_sky ###ad_sky1 ###ad_sky2 @@ -8589,6 +8787,12 @@ _popunder+$popup ###adbannerright ###adbannerwidget ###adbar +###adbar_ad_1_div +###adbar_ad_2_div +###adbar_ad_3_div +###adbar_ad_4_div +###adbar_ads_container_div +###adbar_main_div ###adbarbox ###adbard ###adbg_ad_0 @@ -8639,6 +8843,7 @@ _popunder+$popup ###adbritebottom ###adbutton ###adbuttons +###adcarousel ###adcatfish ###adcell ###adcenter @@ -8754,6 +8959,15 @@ _popunder+$popup ###adleaderboardb ###adleaderboardb_flex ###adleft +###adlink-13 +###adlink-133 +###adlink-19 +###adlink-197 +###adlink-213 +###adlink-28 +###adlink-55 +###adlink-74 +###adlink-98 ###adlinks ###adlinkws ###adlove @@ -8832,6 +9046,8 @@ _popunder+$popup ###adrotate_widgets-5 ###adrotate_widgets-6 ###adrotate_widgets-7 +###adrow +###adrow-house ###adrow1 ###adrow3 ###ads-1 @@ -8894,6 +9110,8 @@ _popunder+$popup ###ads-middle ###ads-mn ###ads-mpu +###ads-outer +###ads-panel ###ads-prices ###ads-rhs ###ads-right @@ -8922,6 +9140,8 @@ _popunder+$popup ###ads120_600-widget-2 ###ads125 ###ads160_600-widget-3 +###ads160_600-widget-5 +###ads160_600-widget-7 ###ads160left ###ads2 ###ads250_250-widget-2 @@ -8929,8 +9149,12 @@ _popunder+$popup ###ads300-250 ###ads300Bottom ###ads300Top +###ads300_250-widget-10 +###ads300_250-widget-11 ###ads300_250-widget-2 ###ads300_250-widget-3 +###ads300_250-widget-4 +###ads300_250-widget-6 ###ads300hp ###ads300k ###ads300x200 @@ -9057,6 +9281,7 @@ _popunder+$popup ###ads_mads_r2 ###ads_medrect ###ads_notice +###ads_pave ###ads_place ###ads_player ###ads_player_audio @@ -9071,6 +9296,7 @@ _popunder+$popup ###ads_side ###ads_sidebar_bgnd ###ads_sidebar_roadblock +###ads_sky ###ads_slide_div ###ads_space ###ads_space_header @@ -9165,6 +9391,7 @@ _popunder+$popup ###adsense_300x250 ###adsense_article_bottom ###adsense_article_left +###adsense_banner_top ###adsense_block ###adsense_block_238x200 ###adsense_block_350x320 @@ -9179,6 +9406,7 @@ _popunder+$popup ###adsense_leaderboard ###adsense_overlay ###adsense_placeholder_2 +###adsense_sidebar ###adsense_testa ###adsense_top ###adsense_unit5 @@ -9192,6 +9420,7 @@ _popunder+$popup ###adsensequadr ###adsenseskyscraper ###adsensetext +###adsensetopmobile ###adsensetopplay ###adsensewide ###adsensewidget-3 @@ -9231,6 +9460,10 @@ _popunder+$popup ###adslot1202 ###adslot2 ###adslot3 +###adslot_c2 +###adslot_m1 +###adslot_m2 +###adslot_m3 ###adsmiddle ###adsonar ###adsonarBlock @@ -9276,6 +9509,8 @@ _popunder+$popup ###adspot-300x125 ###adspot-300x250-pos-1 ###adspot-300x250-pos-2 +###adspot-300x250-pos1 +###adspot-300x600-pos1 ###adspot-468x60-pos-2 ###adspot-620x270-pos-1 ###adspot-620x45-pos-1 @@ -9342,10 +9577,12 @@ _popunder+$popup ###adtopbanner ###adtopbox ###adtophp +###adtrafficright ###adtxt ###adunderpicture ###adunit ###adunit300x500 +###adunit_video ###adunitl ###adv-01 ###adv-300 @@ -9380,10 +9617,12 @@ _popunder+$popup ###adv130x195 ###adv160x600 ###adv170 +###adv2_ban ###adv300bottom ###adv300top ###adv300x250 ###adv300x250container +###adv3_ban ###adv468x90 ###adv728 ###adv728x90 @@ -9403,6 +9642,7 @@ _popunder+$popup ###adv_300x250_2 ###adv_300x250_3 ###adv_468x60_content +###adv_5 ###adv_52 ###adv_6 ###adv_62 @@ -9411,10 +9651,12 @@ _popunder+$popup ###adv_70 ###adv_71 ###adv_728 +###adv_728x90 ###adv_73 ###adv_94 ###adv_96 ###adv_97 +###adv_98 ###adv_Reload ###adv_Skin ###adv_banner_featured @@ -9451,6 +9693,7 @@ _popunder+$popup ###adv_videobox ###adv_wallpaper ###adv_wallpaper2 +###adv_wideleaderboard ###adver ###adver-top ###adver1 @@ -9612,7 +9855,9 @@ _popunder+$popup ###advertisementblock1 ###advertisementblock2 ###advertisementblock3 +###advertisements_bottom ###advertisements_sidebar +###advertisements_top ###advertisementsarticle ###advertisementsxml ###advertiser-container @@ -9680,6 +9925,7 @@ _popunder+$popup ###advertsingle ###advertspace ###advertssection +###adverttop ###advetisement_300x250 ###advframe ###advgeoul @@ -9696,6 +9942,8 @@ _popunder+$popup ###advx3_banner ###adwhitepaperwidget ###adwidget +###adwidget-5 +###adwidget-6 ###adwidget1 ###adwidget2 ###adwidget2_hidden @@ -9763,6 +10011,7 @@ _popunder+$popup ###alert_ads ###amazon-ads ###amazon_bsa_block +###ami_ad_cntnr ###amsSparkleAdFeedback ###analytics_ad ###analytics_banner @@ -9806,6 +10055,8 @@ _popunder+$popup ###article_LeftAdWords ###article_SponsoredLinks ###article_ad +###article_ad_1 +###article_ad_3 ###article_ad_bottom ###article_ad_bottom_cont ###article_ad_container @@ -9902,6 +10153,7 @@ _popunder+$popup ###bannerAdLInk ###bannerAdRight3 ###bannerAdTop +###bannerAdWrap ###bannerAdWrapper ###bannerAd_ctr ###bannerAd_rdr @@ -9937,6 +10189,7 @@ _popunder+$popup ###banneradrow ###bannerads ###banneradspace +###banneradvert3 ###barAdWrapper ###baseAdvertising ###baseboard-ad @@ -9953,6 +10206,7 @@ _popunder+$popup ###belowAd ###belowContactBoxAd ###belowNodeAds +###below_comments_ad_holder ###below_content_ad_container ###belowad ###belowheaderad @@ -10004,6 +10258,7 @@ _popunder+$popup ###block-advertisement ###block-dart-dart-tag-ad_top_728x90 ###block-dart-dart-tag-gfc-ad-top-2 +###block-dctv-ad-banners-wrapper ###block-dfp-skyscraper_left_1 ###block-dfp-skyscraper_left_2 ###block-display-ads-leaderboard @@ -10013,6 +10268,7 @@ _popunder+$popup ###block-fan-ad-fan-ad-front-leaderboard-bottom ###block-fan-ad-fan-ad-front-medrec-top ###block-google-ads +###block-ibtimestv-player-companion-ad ###block-localcom-localcom-ads ###block-openads-0 ###block-openads-1 @@ -10110,6 +10366,7 @@ _popunder+$popup ###bottom-ad-wrapper ###bottom-add ###bottom-ads +###bottom-ads-container ###bottom-adspot ###bottom-advertising ###bottom-article-ad-336x280 @@ -10153,8 +10410,10 @@ _popunder+$popup ###bottom_advert_container ###bottom_adwrapper ###bottom_banner_ad +###bottom_ex_ad_holder ###bottom_leader_ad ###bottom_overture +###bottom_player_adv ###bottom_sponsor_ads ###bottom_sponsored_links ###bottom_text_ad @@ -10184,6 +10443,7 @@ _popunder+$popup ###box-googleadsense-r ###box1ad ###box2ad +###boxAD ###boxAd ###boxAd300 ###boxAdContainer @@ -10222,6 +10482,7 @@ _popunder+$popup ###browsead ###bsaadvert ###bsap_aplink +###btm_ads ###btmad ###btmsponsoredcontent ###btnAds @@ -10263,6 +10524,7 @@ _popunder+$popup ###cb-ad ###cb_medrect1_div ###cbs-video-ad-overlay +###cbz-ads-text-link ###cbz-comm-advert-1 ###cellAd ###center-ad @@ -10275,6 +10537,8 @@ _popunder+$popup ###central-ads ###cgp-bigbox-ad ###ch-ads +###channel-ads-300-box +###channel-ads-300x600-box ###channel_ad ###channel_ads ###chartAdWrap @@ -10382,6 +10646,7 @@ _popunder+$popup ###content-right-ad ###contentAd ###contentAdSense +###contentAdTwo ###contentAds ###contentAds300x200 ###contentAds300x250 @@ -10424,6 +10689,7 @@ _popunder+$popup ###content_box_adright300_google ###content_lower_center_right_ad ###content_mpu +###content_right_ad ###content_right_area_ads ###content_right_side_advertisement_on_top_wrapper ###contentad @@ -10552,6 +10818,7 @@ _popunder+$popup ###ctl00_topAd ###ctl00_ucAffiliateAdvertDisplay_pnlAffiliateAdvert ###ctl00_ucFooter_ucFooterBanner_divAdvertisement +###ctl08_ad1 ###ctl_bottom_ad ###ctl_bottom_ad1 ###ctr-ad @@ -10585,6 +10852,7 @@ _popunder+$popup ###dart_160x600 ###dart_300x250 ###dart_ad_block +###dart_ad_island ###dartad11 ###dartad13 ###dartad16 @@ -10611,6 +10879,7 @@ _popunder+$popup ###ddAd ###ddAdZone2 ###defer-adright +###desktop-aside-ad-container ###detail_page_vid_topads ###devil-ad ###dfp-ad-1 @@ -10683,6 +10952,7 @@ _popunder+$popup ###dfp-ad-stamp_3-wrapper ###dfp-ad-stamp_4 ###dfp-ad-stamp_4-wrapper +###dfp-ad-top ###dfp-ad-tower_1 ###dfp-ad-tower_1-wrapper ###dfp-ad-tower_2 @@ -10746,6 +11016,7 @@ _popunder+$popup ###div-ad-leaderboard ###div-ad-r ###div-ad-r1 +###div-ad-top ###div-adid-4000 ###div-vip-ad-banner ###divAd @@ -10765,6 +11036,7 @@ _popunder+$popup ###divAdvertisement ###divAdvertisingSection ###divArticleInnerAd +###divBannerTopAds ###divBottomad1 ###divBottomad2 ###divDoubleAd @@ -10797,6 +11069,7 @@ _popunder+$popup ###divuppercenterad ###divupperrightad ###dlads +###dmRosAdWrapper-MainNorth ###dmRosAdWrapper-east ###dni-advertising-skyscraper-wrapper ###dni-header-ad @@ -10821,6 +11094,8 @@ _popunder+$popup ###doubleClickAds_bottom_skyscraper ###doubleClickAds_top_banner ###doubleclick-island +###download-leaderboard-ad-bottom +###download-leaderboard-ad-top ###downloadAd ###download_ad ###download_ads @@ -10867,6 +11142,8 @@ _popunder+$popup ###feature_ad ###feature_adlinks ###featuread +###featured-ad-left +###featured-ad-right ###featured-ads ###featured-advertisements ###featuredAdContainer2 @@ -11020,6 +11297,7 @@ _popunder+$popup ###g_ad ###g_adsense ###ga_300x250 +###gad300x250 ###gads300x250 ###gads_middle ###galleries-tower-ad @@ -11083,6 +11361,7 @@ _popunder+$popup ###google-ads-bottom ###google-ads-bottom-container ###google-ads-container +###google-ads-container1 ###google-ads-header ###google-ads-left-side ###google-adsense @@ -11118,10 +11397,14 @@ _popunder+$popup ###googleSubAds ###googleTxtAD ###google_ad +###google_ad_468x60_contnr ###google_ad_EIRU_newsblock +###google_ad_below_stry ###google_ad_container +###google_ad_container_right_side_bar ###google_ad_inline ###google_ad_test +###google_ad_top ###google_ads ###google_ads_1 ###google_ads_aCol @@ -11158,6 +11441,7 @@ _popunder+$popup ###googlead01 ###googlead2 ###googlead_outside +###googleadbig ###googleadleft ###googleads ###googleads1 @@ -11195,6 +11479,7 @@ _popunder+$popup ###gwt-debug-ad ###h-ads ###hAd +###hAdv ###h_ads0 ###h_ads1 ###half-page-ad @@ -11377,6 +11662,7 @@ _popunder+$popup ###homepage-adbar ###homepage-footer-ad ###homepage-header-ad +###homepage-right-rail-ad ###homepage-sidebar-ads ###homepageAd ###homepageAdsTop @@ -11422,6 +11708,7 @@ _popunder+$popup ###hp_ad300x250 ###hp_right_ad_300 ###i_ads_table +###iaa_ad ###ibt_local_ad728 ###icePage_SearchLinks_AdRightDiv ###icePage_SearchLinks_DownloadToolbarAdRightDiv @@ -11454,6 +11741,9 @@ _popunder+$popup ###im_box ###im_popupDiv ###im_popupFixed +###ima_ads-2 +###ima_ads-3 +###ima_ads-4 ###image_selector_ad ###imageadsbox ###imgCollContentAdIFrame @@ -11475,6 +11765,7 @@ _popunder+$popup ###indiv_adsense ###influads_block ###infoBottomAd +###injectableTopAd ###inline-ad ###inline-advert ###inline-story-ad @@ -11527,6 +11818,8 @@ _popunder+$popup ###iqadoverlay ###iqadtile1 ###iqadtile11 +###iqadtile14 +###iqadtile15 ###iqadtile2 ###iqadtile3 ###iqadtile4 @@ -11559,6 +11852,7 @@ _popunder+$popup ###joead ###joead2 ###js-ad-leaderboard +###js-image-ad-mpu ###js_adsense ###jt-advert ###jupiter-ads @@ -11781,6 +12075,7 @@ _popunder+$popup ###main_AD ###main_ad ###main_ads +###main_content_ad ###main_left_side_ads ###main_rec_ad ###main_top_ad @@ -11865,6 +12160,7 @@ _popunder+$popup ###midbnrad ###midcolumn_ad ###middle-ad +###middle-ad-destin ###middle-story-ad-container ###middleRightColumnAdvert ###middle_ad @@ -11883,6 +12179,7 @@ _popunder+$popup ###mini-ad ###mini-panel-dart_stamp_ads ###mini-panel-dfp_stamp_ads +###mini-panel-two_column_ads ###miniAdsAd ###mini_ads_inset ###mn_ads @@ -11914,6 +12211,9 @@ _popunder+$popup ###movieads ###mozo-ad ###mph-rightad +###mpr-ad-leader +###mpr-ad-wrapper-1 +###mpr-ad-wrapper-2 ###mpu-ad ###mpu-advert ###mpu-cont @@ -11969,6 +12269,7 @@ _popunder+$popup ###my-adsFPL ###my-adsFPT ###my-adsLREC +###my-adsMAST ###my-medium-rectangle-ad-1-container ###my-medium-rectangle-ad-2-container ###myAd @@ -12151,6 +12452,7 @@ _popunder+$popup ###plAds ###player-advert ###player-below-advert +###player-midrollAd ###playerAd ###playerAdsRight ###player_ad @@ -12222,6 +12524,11 @@ _popunder+$popup ###printads ###privateadbox ###privateads +###pro_ads_custom_widgets-2 +###pro_ads_custom_widgets-3 +###pro_ads_custom_widgets-5 +###pro_ads_custom_widgets-7 +###pro_ads_custom_widgets-8 ###product-adsense ###profileAdHeader ###proj-bottom-ad @@ -12229,6 +12536,7 @@ _popunder+$popup ###promoAds ###promoFloatAd ###promo_ads +###ps-ad-iframe ###ps-top-ads-sponsored ###ps-vertical-ads ###psmpopup @@ -12246,6 +12554,7 @@ _popunder+$popup ###pusher-ad ###pvadscontainer ###qaSideAd +###qadserve_728x90_StayOn_div ###qm-ad-big-box ###qm-ad-sky ###qm-dvdad @@ -12272,6 +12581,7 @@ _popunder+$popup ###rail_ad2 ###rbAdWrapperRt ###rbAdWrapperTop +###rc_edu_span5AdDiv ###rd_banner_ad ###reader-ad-container ###realEstateAds @@ -12288,6 +12598,8 @@ _popunder+$popup ###rectangle_ad_smallgame ###redirect-ad ###redirect-ad-modal +###redirect_ad_1_div +###redirect_ad_2_div ###reference-ad ###refine-300-ad ###refine-ad @@ -12405,6 +12717,7 @@ _popunder+$popup ###right_mini_ad ###right_panel_ads ###right_rail_ad_header +###right_side_bar_ami_ad ###right_sidebar_ads ###right_top_gad ###rightad @@ -12463,6 +12776,7 @@ _popunder+$popup ###rt-ad468 ###rtAdvertisement ###rtMod_ad +###rt_side_top_google_ad ###rtcol_advert_1 ###rtcol_advert_2 ###rtm_div_562 @@ -12508,6 +12822,7 @@ _popunder+$popup ###search_ad ###search_ads ###search_result_ad +###searchresult_advert_right ###searchsponsor ###sec_adspace ###second-adframe @@ -12532,6 +12847,7 @@ _popunder+$popup ###section-blog-ad ###section-container-ddc_ads ###section-pagetop-ad +###section-sub-ad ###section_ad ###section_advertisements ###section_advertorial_feature @@ -12551,6 +12867,7 @@ _popunder+$popup ###sew_advertbody ###sgAdHeader ###sgAdScGp160x600 +###shellnavAd ###shoppingads ###shortads ###shortnews_advert @@ -12631,6 +12948,7 @@ _popunder+$popup ###sidebar-ads-content ###sidebar-ads-narrow ###sidebar-ads-wide +###sidebar-ads-wrapper ###sidebar-adspace ###sidebar-adv ###sidebar-advertise-text @@ -12638,6 +12956,7 @@ _popunder+$popup ###sidebar-banner300 ###sidebar-left-ad ###sidebar-long-advertise +###sidebar-main-ad ###sidebar-post-120x120-banner ###sidebar-post-300x250-banner ###sidebar-scroll-ad-container @@ -12660,6 +12979,7 @@ _popunder+$popup ###sidebarTowerAds ###sidebar_ad ###sidebar_ad_1 +###sidebar_ad_adam ###sidebar_ad_container ###sidebar_ad_top ###sidebar_ad_widget @@ -12673,6 +12993,8 @@ _popunder+$popup ###sidebar_topad ###sidebar_txt_ad_links ###sidebarad +###sidebarad_300x600-33 +###sidebarad_300x600-4 ###sidebaradpane ###sidebaradsense ###sidebaradver_advertistxt @@ -12701,6 +13023,8 @@ _popunder+$popup ###site-sponsors ###siteAdHeader ###site_body_header_banner_ad +###site_bottom_ad_div +###site_content_ad_div ###site_top_ad ###sitead ###sitemap_ad_left @@ -12864,6 +13188,7 @@ _popunder+$popup ###sponsored_link ###sponsored_link_bottom ###sponsored_links +###sponsored_native_ad ###sponsored_v12 ###sponsoredads ###sponsoredlinks @@ -12916,6 +13241,7 @@ _popunder+$popup ###squareAdWrap ###squareAds ###square_ad +###square_lat_adv ###squaread ###squareadAdvertiseHere ###squared_ad @@ -12993,6 +13319,7 @@ _popunder+$popup ###td-GblHdrAds ###td-applet-ads_2_container ###td-applet-ads_container +###tdBannerTopAds ###tdGoogleAds ###td_adunit1 ###td_adunit1_wrapper @@ -13060,9 +13387,11 @@ _popunder+$popup ###top-ad-banner ###top-ad-container ###top-ad-content +###top-ad-left-spot ###top-ad-menu ###top-ad-position-inner ###top-ad-rect +###top-ad-right-spot ###top-ad-unit ###top-ad-wrapper ###top-adblock @@ -13119,6 +13448,7 @@ _popunder+$popup ###topBannerAdContainer ###topContentAdTeaser ###topImgAd +###topLBAd ###topLeaderAdAreaPageSkin ###topLeaderboardAd ###topMPU @@ -13162,7 +13492,9 @@ _popunder+$popup ###top_advertising ###top_container_ad ###top_content_ad_inner_container +###top_google_ad_container ###top_google_ads +###top_header_ad_wrapper ###top_mpu ###top_mpu_ad ###top_rectangle_ad @@ -13306,6 +13638,7 @@ _popunder+$popup ###videoPlayerAdLayer ###video_ads_background ###video_ads_overdiv +###video_adv ###video_advert ###video_advert2 ###video_advert3 @@ -13400,6 +13733,7 @@ _popunder+$popup ###wp-topAds ###wp125adwrap_2c ###wp_ad_marker +###wp_pro_ad_system_ad_zone ###wrapAd ###wrapAdRight ###wrapAdTop @@ -13416,6 +13750,7 @@ _popunder+$popup ###x300_ad ###xColAds ###xlAd +###xybrad ###y-ad-units ###y708-ad-expedia ###y708-ad-lrec @@ -13428,6 +13763,8 @@ _popunder+$popup ###yahoo-sponsors ###yahooAdsBottom ###yahooSponsored +###yahoo_ad +###yahoo_ad_contanr ###yahoo_ads ###yahoo_sponsor_links ###yahoo_sponsor_links_title @@ -13507,6 +13844,7 @@ _popunder+$popup ##.Ad-Container ##.Ad-Container-976x166 ##.Ad-Header +##.Ad-IframeWrap ##.Ad-MPU ##.Ad-Wrapper-300x100 ##.Ad-label @@ -13563,6 +13901,7 @@ _popunder+$popup ##.AdSenseLeft ##.AdSidebar ##.AdSlot +##.AdSlotHeader ##.AdSpace ##.AdTextSmallFont ##.AdTitle @@ -13592,6 +13931,8 @@ _popunder+$popup ##.Ad_Right ##.Ad_Tit ##.Ad_container +##.Adbuttons +##.Adbuttons-sidebar ##.AdnetBox ##.Ads-768x90 ##.AdsBottom @@ -13641,6 +13982,7 @@ _popunder+$popup ##.Banner468X60 ##.BannerAD728 ##.BannerAd +##.Banner_Group ##.Banner_Group_Ad_Label ##.BigBoxAd ##.BigBoxAdLabel @@ -13751,11 +14093,13 @@ _popunder+$popup ##.Main_right_Adv_incl ##.MarketGid_container ##.MasterLeftContentColumnThreeColumnAdLeft +##.MbanAd ##.MediumRectangleAdPanel ##.MiddleAd ##.MiddleAdContainer ##.MiddleAdvert ##.MspAd +##.NAPmarketAdvert ##.NewsAds ##.OAS_position_TopLeft ##.OSOasAdModule @@ -13790,6 +14134,7 @@ _popunder+$popup ##.RightAdvertiseArea ##.RightAdvertisement ##.RightGoogleAFC +##.RightGoogleAd ##.RightRailAd ##.RightRailAdbg ##.RightRailAdtext @@ -13877,11 +14222,14 @@ _popunder+$popup ##.YEN_Ads_125 ##.ZventsSponsoredLabel ##.ZventsSponsoredList +##.__xX20sponsored20banners ##._bannerAds ##._bottom_ad_wrapper ##._top_ad_wrapper ##.a-d-container ##.a160x600 +##.a300x250 +##.a468x60 ##.a728x90 ##.aa_AdAnnouncement ##.aa_ad-160x600 @@ -13903,11 +14251,15 @@ _popunder+$popup ##.acm_ad_zones ##.ad--300 ##.ad--468 +##.ad--article-top ##.ad--dart +##.ad--footer +##.ad--google ##.ad--inner ##.ad--large ##.ad--leaderboard ##.ad--mpu +##.ad--top-label ##.ad-1 ##.ad-120-60 ##.ad-120-600-inner @@ -13933,6 +14285,7 @@ _popunder+$popup ##.ad-200-big ##.ad-200-small ##.ad-200x200 +##.ad-228x94 ##.ad-234 ##.ad-246x90 ##.ad-250 @@ -13996,6 +14349,7 @@ _popunder+$popup ##.ad-CUSTOM ##.ad-E ##.ad-LREC +##.ad-MPU ##.ad-MediumRectangle ##.ad-RR ##.ad-S @@ -14017,6 +14371,7 @@ _popunder+$popup ##.ad-b ##.ad-background ##.ad-banner +##.ad-banner-300 ##.ad-banner-bkgd ##.ad-banner-container ##.ad-banner-label @@ -14026,6 +14381,7 @@ _popunder+$popup ##.ad-banner-top ##.ad-banner-top-wrapper ##.ad-banner728-top +##.ad-banr ##.ad-bar ##.ad-below-player ##.ad-belowarticle @@ -14087,6 +14443,7 @@ _popunder+$popup ##.ad-choices ##.ad-circ ##.ad-click +##.ad-cluster ##.ad-codes ##.ad-col ##.ad-col-02 @@ -14105,6 +14462,7 @@ _popunder+$popup ##.ad-container-LEADER ##.ad-container-bot ##.ad-container-dk +##.ad-container-embedded ##.ad-container-leaderboard ##.ad-container-responsive ##.ad-container-right @@ -14119,6 +14477,8 @@ _popunder+$popup ##.ad-context ##.ad-d ##.ad-desktop +##.ad-dfp-column +##.ad-dfp-row ##.ad-disclaimer ##.ad-display ##.ad-div @@ -14173,8 +14533,10 @@ _popunder+$popup ##.ad-homepage-1 ##.ad-homepage-2 ##.ad-hor +##.ad-horizontal-top ##.ad-iab-txt ##.ad-icon +##.ad-identifier ##.ad-iframe ##.ad-imagehold ##.ad-img @@ -14186,6 +14548,8 @@ _popunder+$popup ##.ad-inline ##.ad-inner ##.ad-innr +##.ad-insert +##.ad-inserter ##.ad-internal ##.ad-interruptor ##.ad-island @@ -14228,6 +14592,7 @@ _popunder+$popup ##.ad-manager-ad ##.ad-marker ##.ad-marketplace +##.ad-marketplace-horizontal ##.ad-marketswidget ##.ad-med ##.ad-med-rec @@ -14250,6 +14615,7 @@ _popunder+$popup ##.ad-mpu ##.ad-mpu-bottom ##.ad-mpu-middle +##.ad-mpu-middle2 ##.ad-mpu-placeholder ##.ad-mpu-plus-top ##.ad-mpu-top @@ -14277,6 +14643,9 @@ _popunder+$popup ##.ad-pagehead ##.ad-panel ##.ad-panorama +##.ad-parallax-wrap +##.ad-parent-hockey +##.ad-passback-o-rama ##.ad-pb ##.ad-peg ##.ad-permalink @@ -14301,6 +14670,7 @@ _popunder+$popup ##.ad-r ##.ad-rail ##.ad-rect +##.ad-rect-atf-01 ##.ad-rect-top-right ##.ad-rectangle ##.ad-rectangle-banner @@ -14308,6 +14678,7 @@ _popunder+$popup ##.ad-rectangle-long-sky ##.ad-rectangle-text ##.ad-rectangle-wide +##.ad-rectangle-xs ##.ad-region-delay-load ##.ad-related ##.ad-relatedbottom @@ -14379,6 +14750,7 @@ _popunder+$popup ##.ad-sponsor-text ##.ad-sponsored-links ##.ad-sponsored-post +##.ad-sponsors ##.ad-spot ##.ad-spotlight ##.ad-square @@ -14436,6 +14808,7 @@ _popunder+$popup ##.ad-unit-anchor ##.ad-unit-container ##.ad-unit-inline-center +##.ad-unit-medium-retangle ##.ad-unit-mpu ##.ad-unit-top ##.ad-update @@ -14447,12 +14820,15 @@ _popunder+$popup ##.ad-vertical-stack-ad ##.ad-vtu ##.ad-w300 +##.ad-wallpaper-panorama-container ##.ad-warning ##.ad-wgt ##.ad-wide ##.ad-widget +##.ad-widget-area ##.ad-widget-list ##.ad-windowshade-full +##.ad-wings__link ##.ad-with-background ##.ad-with-us ##.ad-wrap @@ -14537,6 +14913,7 @@ _popunder+$popup ##.ad300_ver2 ##.ad300b ##.ad300banner +##.ad300mrec1 ##.ad300shows ##.ad300top ##.ad300w @@ -14598,14 +14975,18 @@ _popunder+$popup ##.ad620x70 ##.ad626X35 ##.ad640x480 +##.ad640x60 ##.ad644 ##.ad650x140 +##.ad652 ##.ad670x83 ##.ad728 ##.ad72890 ##.ad728By90 ##.ad728_90 ##.ad728_blk +##.ad728_cont +##.ad728_wrap ##.ad728cont ##.ad728h ##.ad728x90 @@ -14623,6 +15004,8 @@ _popunder+$popup ##.ad940x30 ##.ad954x60 ##.ad960 +##.ad960x185 +##.ad960x90 ##.ad970x30 ##.ad970x90 ##.ad980 @@ -14631,6 +15014,7 @@ _popunder+$popup ##.ad987 ##.adAgate ##.adAlert +##.adAlone300 ##.adArea ##.adArea674x60 ##.adAreaLC @@ -14744,6 +15128,7 @@ _popunder+$popup ##.adCs ##.adCube ##.adDialog +##.adDingT ##.adDiv ##.adDivSmall ##.adElement @@ -14791,6 +15176,7 @@ _popunder+$popup ##.adIsland ##.adItem ##.adLabel +##.adLabel160x600 ##.adLabel300x250 ##.adLabelLine ##.adLabels @@ -14873,6 +15259,7 @@ _popunder+$popup ##.adSection ##.adSection_rt ##.adSelfServiceAdvertiseLink +##.adSenceImagePush ##.adSense ##.adSepDiv ##.adServer @@ -15011,6 +15398,7 @@ _popunder+$popup ##.ad_300x600 ##.ad_320x250_async ##.ad_320x360 +##.ad_326x260 ##.ad_330x110 ##.ad_336 ##.ad_336_gr_white @@ -15050,12 +15438,15 @@ _popunder+$popup ##.ad_954-60 ##.ad_960 ##.ad_970x90_prog +##.ad_980x260 ##.ad_CustomAd ##.ad_Flex ##.ad_Left ##.ad_Right +##.ad__label ##.ad__rectangle ##.ad__wrapper +##.ad_a ##.ad_adInfo ##.ad_ad_160 ##.ad_ad_300 @@ -15148,7 +15539,12 @@ _popunder+$popup ##.ad_contain ##.ad_container ##.ad_container_300x250 +##.ad_container_5 +##.ad_container_6 +##.ad_container_7 ##.ad_container_728x90 +##.ad_container_8 +##.ad_container_9 ##.ad_container__sidebar ##.ad_container__top ##.ad_container_body @@ -15164,6 +15560,7 @@ _popunder+$popup ##.ad_desktop ##.ad_disclaimer ##.ad_div_banner +##.ad_embed ##.ad_eniro ##.ad_entry_title_under ##.ad_entrylists_end @@ -15238,6 +15635,7 @@ _popunder+$popup ##.ad_leader_plus_top ##.ad_leaderboard ##.ad_leaderboard_top +##.ad_left_cell ##.ad_left_column ##.ad_lft ##.ad_line @@ -15326,6 +15724,7 @@ _popunder+$popup ##.ad_reminder ##.ad_report_btn ##.ad_rightSky +##.ad_right_cell ##.ad_right_col ##.ad_right_column ##.ad_right_column160 @@ -15350,6 +15749,7 @@ _popunder+$popup ##.ad_skyscraper ##.ad_skyscrapper ##.ad_slot +##.ad_slot_right ##.ad_slug ##.ad_slug_font ##.ad_slug_healthgrades @@ -15365,6 +15765,7 @@ _popunder+$popup ##.ad_space_w300_h250 ##.ad_spacer ##.ad_special_badge +##.ad_spons_box ##.ad_sponsor ##.ad_sponsor_fp ##.ad_sponsoredlinks @@ -15419,6 +15820,7 @@ _popunder+$popup ##.ad_url ##.ad_v2 ##.ad_v3 +##.ad_v300 ##.ad_vertisement ##.ad_w300i ##.ad_w_us_a300 @@ -15445,6 +15847,7 @@ _popunder+$popup ##.adbadge ##.adban-hold-narrow ##.adbanner +##.adbanner-300-250 ##.adbanner1 ##.adbanner2nd ##.adbannerbox @@ -15459,6 +15862,7 @@ _popunder+$popup ##.adblade ##.adblade-container ##.adbladeimg +##.adblk ##.adblock-240-400 ##.adblock-300-300 ##.adblock-600-120 @@ -15488,6 +15892,7 @@ _popunder+$popup ##.adbox-box ##.adbox-outer ##.adbox-rectangle +##.adbox-slider ##.adbox-title ##.adbox-topbanner ##.adbox-wrapper @@ -15590,6 +15995,7 @@ _popunder+$popup ##.adframe_banner ##.adframe_rectangle ##.adfree +##.adgear ##.adgear-bb ##.adgear_header ##.adgeletti-ad-div @@ -15649,12 +16055,14 @@ _popunder+$popup ##.adlsot ##.admain ##.adman +##.admaster ##.admediumred ##.admedrec ##.admeldBoxAd ##.admessage ##.admiddle ##.admiddlesidebar +##.administer-ad ##.admods ##.admodule ##.admoduleB @@ -15664,6 +16072,7 @@ _popunder+$popup ##.adnation-banner ##.adnet120 ##.adnet_area +##.adnotecenter ##.adnotice ##.adocean728x90 ##.adonmedianama @@ -15725,6 +16134,7 @@ _popunder+$popup ##.ads-3 ##.ads-300 ##.ads-300-250 +##.ads-300-box ##.ads-300x250 ##.ads-300x300 ##.ads-300x80 @@ -15732,6 +16142,7 @@ _popunder+$popup ##.ads-468 ##.ads-468x60-bordered ##.ads-560-65 +##.ads-600-box ##.ads-728-90 ##.ads-728by90 ##.ads-728x90 @@ -15752,9 +16163,11 @@ _popunder+$popup ##.ads-bg ##.ads-bigbox ##.ads-block +##.ads-block-bottom-wrap ##.ads-block-link-000 ##.ads-block-link-text ##.ads-block-marketplace-container +##.ads-border ##.ads-bottom ##.ads-bottom-block ##.ads-box @@ -15804,6 +16217,7 @@ _popunder+$popup ##.ads-medium-rect ##.ads-middle ##.ads-middle-top +##.ads-mini ##.ads-module ##.ads-movie ##.ads-mpu @@ -15822,6 +16236,7 @@ _popunder+$popup ##.ads-rotate ##.ads-scroller-box ##.ads-section +##.ads-side ##.ads-sidebar ##.ads-sidebar-boxad ##.ads-single @@ -15870,6 +16285,8 @@ _popunder+$popup ##.ads14 ##.ads15 ##.ads160 +##.ads160-600 +##.ads160_600-widget ##.ads160x600 ##.ads180x150 ##.ads1_250 @@ -15895,6 +16312,8 @@ _popunder+$popup ##.ads300x250-thumb ##.ads315 ##.ads320x100 +##.ads324-wrapper +##.ads324-wrapper2ads ##.ads336_280 ##.ads336x280 ##.ads4 @@ -15959,11 +16378,14 @@ _popunder+$popup ##.adsWidget ##.adsWithUs ##.adsYN +##.ads_1 ##.ads_120x60 ##.ads_120x60_index ##.ads_125_square ##.ads_160 ##.ads_180 +##.ads_2 +##.ads_3 ##.ads_300 ##.ads_300250_wrapper ##.ads_300x100 @@ -15976,6 +16398,7 @@ _popunder+$popup ##.ads_330 ##.ads_337x280 ##.ads_3col +##.ads_4 ##.ads_460up ##.ads_468 ##.ads_468x60 @@ -16025,10 +16448,12 @@ _popunder+$popup ##.ads_folat_left ##.ads_foot ##.ads_footer +##.ads_footerad ##.ads_frame_wrapper ##.ads_google ##.ads_h ##.ads_header +##.ads_header_bottom ##.ads_holder ##.ads_horizontal ##.ads_infoBtns @@ -16046,6 +16471,8 @@ _popunder+$popup ##.ads_main ##.ads_main_hp ##.ads_medrect +##.ads_middle +##.ads_middle_container ##.ads_mpu ##.ads_mpu_small ##.ads_obrazek @@ -16058,6 +16485,7 @@ _popunder+$popup ##.ads_post_start_code ##.ads_r ##.ads_rectangle +##.ads_rem ##.ads_remove ##.ads_right ##.ads_rightbar_top @@ -16076,6 +16504,7 @@ _popunder+$popup ##.ads_singlepost ##.ads_slice ##.ads_small_rectangle +##.ads_space_long ##.ads_spacer ##.ads_square ##.ads_takeover @@ -16108,8 +16537,10 @@ _popunder+$popup ##.adsbantop ##.adsbar ##.adsbg300 +##.adsblock ##.adsblockvert ##.adsbnr +##.adsbody ##.adsborder ##.adsbottom ##.adsbottombox @@ -16184,10 +16615,12 @@ _popunder+$popup ##.adsense-widget ##.adsense-widget-horizontal ##.adsense1 +##.adsense160x600 ##.adsense250 ##.adsense3 ##.adsense300 ##.adsense728 +##.adsense728x90 ##.adsenseAds ##.adsenseBlock ##.adsenseContainer @@ -16229,6 +16662,7 @@ _popunder+$popup ##.adsensebig ##.adsenseblock_bottom ##.adsenseblock_top +##.adsenseformat ##.adsenseframe ##.adsenseleaderboard ##.adsenselr @@ -16272,11 +16706,13 @@ _popunder+$popup ##.adslist ##.adslogan ##.adslot +##.adslot-mpu ##.adslot-widget ##.adslot_1 ##.adslot_300 ##.adslot_728 ##.adslot_blurred +##.adslot_bot_300x250 ##.adslothead ##.adslotleft ##.adslotright @@ -16289,6 +16725,7 @@ _popunder+$popup ##.adsmedrectright ##.adsmessage ##.adsnippet_widget +##.adsns ##.adsonar-after ##.adspace ##.adspace-300x600 @@ -16367,6 +16804,7 @@ _popunder+$popup ##.adtops ##.adtower ##.adtravel +##.adtv_300_250 ##.adtxt ##.adtxtlinks ##.adult-adv @@ -16405,7 +16843,10 @@ _popunder+$popup ##.adv-banner ##.adv-block ##.adv-border +##.adv-bottom +##.adv-box ##.adv-box-wrapper +##.adv-click ##.adv-cont ##.adv-container ##.adv-dvb @@ -16430,6 +16871,7 @@ _popunder+$popup ##.adv-squarebox-banner ##.adv-teaser-divider ##.adv-top +##.adv-top-container ##.adv-x61 ##.adv200 ##.adv250 @@ -16479,6 +16921,7 @@ _popunder+$popup ##.adv_aff ##.adv_banner ##.adv_banner_hor +##.adv_bg ##.adv_box_narrow ##.adv_cnt ##.adv_code @@ -16518,6 +16961,7 @@ _popunder+$popup ##.advbptxt ##.adver ##.adver-left +##.adver-text ##.adverTag ##.adverTxt ##.adver_bot @@ -16564,6 +17008,7 @@ _popunder+$popup ##.advert-detail ##.advert-featured ##.advert-footer +##.advert-full-raw ##.advert-group ##.advert-head ##.advert-home-380x120 @@ -16582,10 +17027,12 @@ _popunder+$popup ##.advert-overlay ##.advert-pane ##.advert-right +##.advert-section ##.advert-sky ##.advert-skyscraper ##.advert-stub ##.advert-text +##.advert-three ##.advert-tile ##.advert-title ##.advert-top @@ -16665,6 +17112,7 @@ _popunder+$popup ##.advert_main ##.advert_main_bottom ##.advert_mpu_body_hdr +##.advert_nav ##.advert_note ##.advert_small ##.advert_societe_general @@ -16733,6 +17181,7 @@ _popunder+$popup ##.advertisement-bottom ##.advertisement-caption ##.advertisement-content +##.advertisement-copy ##.advertisement-dashed ##.advertisement-header ##.advertisement-label @@ -16857,6 +17306,7 @@ _popunder+$popup ##.advertisment_two ##.advertize ##.advertize_here +##.advertlabel ##.advertleft ##.advertnotice ##.advertorial @@ -16908,20 +17358,30 @@ _popunder+$popup ##.adword-structure ##.adword-text ##.adword-title +##.adword1 ##.adwordListings ##.adwords ##.adwords-container ##.adwordsHeader ##.adwords_in_content ##.adwrap +##.adwrap-widget ##.adwrapper-lrec ##.adwrapper1 ##.adwrapper948 +##.adxli ##.adz728x90 ##.adzone ##.adzone-footer ##.adzone-sidebar +##.adzone_ad_5 +##.adzone_ad_6 +##.adzone_ad_7 +##.adzone_ad_8 +##.adzone_ad_9 +##.afc-box ##.afffix-custom-ad +##.affiliate-ad ##.affiliate-footer ##.affiliate-link ##.affiliate-mrec-iframe @@ -16938,6 +17398,7 @@ _popunder+$popup ##.afsAdvertising ##.afsAdvertisingBottom ##.afs_ads +##.aftContentAdLeft ##.aftContentAdRight ##.after-post-ad ##.after_ad @@ -16959,6 +17420,8 @@ _popunder+$popup ##.alternatives_ad ##.amAdvert ##.am_ads +##.amsSparkleAdWrapper +##.anchor-ad-wrapper ##.anchorAd ##.annonce_textads ##.annons_themeBlock @@ -16973,6 +17436,7 @@ _popunder+$popup ##.apiAdMarkerAbove ##.apiAds ##.apiButtonAd +##.app-advertisements ##.app_advertising_skyscraper ##.apxContentAd ##.archive-ad @@ -16996,17 +17460,21 @@ _popunder+$popup ##.article-aside-ad ##.article-content-adwrap ##.article-header-ad -##.article-share-top ##.articleAd ##.articleAd300x250 ##.articleAdBlade +##.articleAdSlot2 +##.articleAdTop ##.articleAdTopRight ##.articleAds ##.articleAdsL ##.articleAdvert ##.articleEmbeddedAdBox ##.articleFooterAd +##.articleHeadAdRow +##.articleTopAd ##.article_ad +##.article_ad250 ##.article_ad_container2 ##.article_adbox ##.article_ads_banner @@ -17014,6 +17482,7 @@ _popunder+$popup ##.article_google_ads ##.article_inline_ad ##.article_inner_ad +##.article_middle_ad ##.article_mpu_box ##.article_page_ads_bottom ##.article_sponsored_links @@ -17035,10 +17504,14 @@ _popunder+$popup ##.aside_AD09 ##.aside_banner_ads ##.aside_google_ads +##.associated-ads ##.atf-ad-medRect ##.atf-ad-medrec ##.atf_ad_box +##.attachment-sidebar-ad +##.attachment-sidebarAd ##.attachment-sidebar_ad +##.attachment-squareAd ##.attachment-weather-header-ad ##.auction-nudge ##.autoshow-top-ad @@ -17084,6 +17557,7 @@ _popunder+$popup ##.banner-125 ##.banner-300 ##.banner-300x250 +##.banner-300x600 ##.banner-468 ##.banner-468-60 ##.banner-468x60 @@ -17091,6 +17565,7 @@ _popunder+$popup ##.banner-728x90 ##.banner-ad ##.banner-ad-300x250 +##.banner-ad-footer ##.banner-ad-row ##.banner-ad-space ##.banner-ad-wrapper @@ -17180,6 +17655,7 @@ _popunder+$popup ##.bannergroup-ads ##.banneritem-ads ##.banneritem_ad +##.bar_ad ##.barkerAd ##.base-ad-mpu ##.base_ad @@ -17219,6 +17695,7 @@ _popunder+$popup ##.big_ad ##.big_ads ##.big_center_ad +##.big_rectangle_page_ad ##.bigad ##.bigad1 ##.bigad2 @@ -17246,6 +17723,7 @@ _popunder+$popup ##.blocAdInfo ##.bloc_adsense_acc ##.block--ad-superleaderboard +##.block--ads ##.block--simpleads ##.block--views-premium-ad-slideshow-block ##.block-ad @@ -17256,6 +17734,7 @@ _popunder+$popup ##.block-admanager ##.block-ads ##.block-ads-bottom +##.block-ads-home ##.block-ads-top ##.block-ads1 ##.block-ads2 @@ -17267,7 +17746,9 @@ _popunder+$popup ##.block-adspace-full ##.block-advertisement ##.block-advertising +##.block-adzerk ##.block-altads +##.block-ami-ads ##.block-bf_ads ##.block-bg-advertisement ##.block-bg-advertisement-region-1 @@ -17301,6 +17782,7 @@ _popunder+$popup ##.block-openx ##.block-reklama ##.block-simpleads +##.block-skyscraper-ad ##.block-sn-ad-blog-wrapper ##.block-sponsor ##.block-sponsored-links @@ -17308,6 +17790,7 @@ _popunder+$popup ##.block-vh-adjuggler ##.block-wtg_adtech ##.block-zagat_ads +##.block1--ads ##.blockAd ##.blockAds ##.blockAdvertise @@ -17320,7 +17803,9 @@ _popunder+$popup ##.block_ad_sponsored_links_localized ##.block_ad_sponsored_links_localized-wrapper ##.block_ads +##.block_adslot ##.block_adv +##.block_advert ##.blockad ##.blocked-ads ##.blockrightsmallads @@ -17398,6 +17883,7 @@ _popunder+$popup ##.bottomAdBlock ##.bottomAds ##.bottomAdvTxt +##.bottomAdvert ##.bottomAdvertisement ##.bottomAdvt ##.bottomArticleAds @@ -17411,8 +17897,10 @@ _popunder+$popup ##.bottom_ad_placeholder ##.bottom_adbreak ##.bottom_ads +##.bottom_ads_wrapper_inner ##.bottom_adsense ##.bottom_advert_728x90 +##.bottom_advertise ##.bottom_banner_ad ##.bottom_banner_advert_text ##.bottom_bar_ads @@ -17422,9 +17910,11 @@ _popunder+$popup ##.bottom_sponsor ##.bottomad ##.bottomad-bg +##.bottomadarea ##.bottomads ##.bottomadtop ##.bottomadvert +##.bottomadwords ##.bottombarad ##.bottomleader ##.bottomleader-ad-wrapper @@ -17439,6 +17929,7 @@ _popunder+$popup ##.box-ads ##.box-ads-small ##.box-adsense +##.box-adv-300-home ##.box-adv-social ##.box-advert ##.box-advert-sponsored @@ -17470,6 +17961,8 @@ _popunder+$popup ##.box_ads ##.box_ads728x90_holder ##.box_adv +##.box_adv1 +##.box_adv2 ##.box_adv_728 ##.box_adv_new ##.box_advertising @@ -17528,10 +18021,15 @@ _popunder+$popup ##.btn-ad ##.btn-newad ##.btn_ad +##.budget_ads_1 +##.budget_ads_2 +##.budget_ads_3 +##.budget_ads_bg ##.bullet-sponsored-links ##.bullet-sponsored-links-gray ##.bunyad-ad ##.burstContentAdIndex +##.businessads ##.busrep_poll_and_ad_container ##.button-ad ##.button-ads @@ -17583,6 +18081,8 @@ _popunder+$popup ##.category-advertorial ##.categorySponsorAd ##.category__big_game_container_body_games_advertising +##.categoryfirstad +##.categoryfirstadwrap ##.categorypage_ad1 ##.categorypage_ad2 ##.catfish_ad @@ -17637,8 +18137,10 @@ _popunder+$popup ##.classifiedAdThree ##.clearerad ##.client-ad +##.close-ad-wrapper ##.close2play-ads ##.cm-ad +##.cm-ad-row ##.cm-hero-ad ##.cm-rp01-ad ##.cm-rp02-ad @@ -17654,6 +18156,7 @@ _popunder+$popup ##.cmTeaseAdSponsoredLinks ##.cm_ads ##.cmam_responsive_ad_widget_class +##.cmg-ads ##.cms-Advert ##.cnAdContainer ##.cn_ad_placement @@ -17718,6 +18221,7 @@ _popunder+$popup ##.companionAd ##.companion_ad ##.compareBrokersAds +##.component-sponsored-links ##.conTSponsored ##.con_widget_advertising ##.conductor_ad @@ -17764,6 +18268,7 @@ _popunder+$popup ##.contentTopAd ##.contentTopAdSmall ##.contentTopAds +##.content_468_ad ##.content_ad ##.content_ad_728 ##.content_ad_head @@ -17781,16 +18286,19 @@ _popunder+$popup ##.contentad-home ##.contentad300x250 ##.contentad_right_col +##.contentadarticle ##.contentadfloatl ##.contentadleft ##.contentads1 ##.contentads2 ##.contentadstartpage +##.contentadstop1 ##.contentleftad ##.contentpage_searchad ##.contents-ads-bottom-left ##.contenttextad ##.contentwellad +##.contentwidgetads ##.contest_ad ##.context-ads ##.contextualAds @@ -17837,6 +18345,7 @@ _popunder+$popup ##.custom-ad ##.custom-ad-container ##.custom-ads +##.custom-advert-banner ##.customAd ##.custom_ads ##.custom_banner_ad @@ -17854,6 +18363,7 @@ _popunder+$popup ##.dart-ad-grid ##.dart-ad-taboola ##.dart-ad-title +##.dart-advertisement ##.dart-leaderboard ##.dart-leaderboard-top ##.dart-medsquare @@ -17866,12 +18376,19 @@ _popunder+$popup ##.dartadbanner ##.dartadvert ##.dartiframe +##.datafile-ad ##.dc-ad +##.dc-banner +##.dc-half-banner +##.dc-widget-adv-125 ##.dcAdvertHeader ##.deckAd ##.deckads ##.desktop-ad +##.desktop-aside-ad ##.desktop-aside-ad-hide +##.desktop-postcontentad-wrapper +##.desktop_ad ##.detail-ads ##.detailMpu ##.detailSidebar-adPanel @@ -17879,11 +18396,22 @@ _popunder+$popup ##.detail_article_ad ##.detail_top_advert ##.devil-ad-spot +##.dfad +##.dfad_first +##.dfad_last +##.dfad_pos_1 +##.dfad_pos_2 +##.dfad_pos_3 +##.dfad_pos_4 +##.dfad_pos_5 +##.dfad_pos_6 +##.dfads-javascript-load ##.dfp-ad ##.dfp-ad-advert_mpu_body_1 ##.dfp-ad-unit ##.dfp-ad-widget ##.dfp-banner +##.dfp-leaderboard ##.dfp-plugin-advert ##.dfp_ad ##.dfp_ad_caption @@ -17895,6 +18423,7 @@ _popunder+$popup ##.diggable-ad-sponsored ##.display-ad ##.display-ads-block +##.display-advertisement ##.displayAd ##.displayAd728x90Js ##.displayAdCode @@ -17932,9 +18461,11 @@ _popunder+$popup ##.dlSponsoredLinks ##.dm-ads-125 ##.dm-ads-350 +##.dmRosMBAdBox ##.dmco_advert_iabrighttitle ##.dod_ad ##.double-ad +##.double-click-ad ##.double-square-ad ##.doubleGoogleTextAd ##.double_adsense @@ -18021,15 +18552,18 @@ _popunder+$popup ##.fbPhotoSnowboxAds ##.fblockad ##.fc_splash_ad +##.fd-display-ad ##.feat_ads ##.featureAd ##.feature_ad ##.featured-ad +##.featured-ads ##.featured-sponsors ##.featuredAdBox ##.featuredAds ##.featuredBoxAD ##.featured_ad +##.featured_ad_item ##.featured_advertisers_box ##.featuredadvertising ##.feedBottomAd @@ -18039,6 +18573,7 @@ _popunder+$popup ##.fireplaceadleft ##.fireplaceadright ##.fireplaceadtop +##.first-ad ##.first_ad ##.firstad ##.firstpost_advert @@ -18083,6 +18618,7 @@ _popunder+$popup ##.footer-ad-section ##.footer-ad-squares ##.footer-ads +##.footer-ads-wrapper ##.footer-adsbar ##.footer-adsense ##.footer-advert @@ -18132,6 +18668,7 @@ _popunder+$popup ##.four_percent_ad ##.fp_ad_text ##.frame_adv +##.framead ##.freedownload_ads ##.freegame_bottomad ##.frn_adbox @@ -18143,6 +18680,7 @@ _popunder+$popup ##.frontpage_ads ##.fs-ad-block ##.fs1-advertising +##.fs_ad_300x250 ##.ft-ad ##.ftdAdBar ##.ftdContentAd @@ -18160,7 +18698,10 @@ _popunder+$popup ##.fw-mod-ad ##.fwAdTags ##.g-ad +##.g-ad-slot +##.g-ad-slot-toptop ##.g-adblock3 +##.g-advertisement-block ##.g2-adsense ##.g3-adsense ##.g3rtn-ad-site @@ -18183,6 +18724,7 @@ _popunder+$popup ##.ga-textads-top ##.gaTeaserAds ##.gaTeaserAdsBox +##.gad_container ##.gads300x250 ##.gads_cb ##.gads_container @@ -18191,11 +18733,14 @@ _popunder+$popup ##.galleria-AdOverlay ##.gallery-ad ##.gallery-ad-holder +##.gallery-ad-wrapper ##.gallery-sidebar-ad ##.galleryAdvertPanel ##.galleryLeftAd ##.galleryRightAd ##.gallery_300x100_ad +##.gallery__aside-ad +##.gallery__footer-ad ##.gallery_ad ##.gallery_ads_box ##.galleryads @@ -18219,6 +18764,8 @@ _popunder+$popup ##.gamezebo_ad_info ##.gbl_adstruct ##.gbl_advertisement +##.gdgt-header-advertisement +##.gdgt-postb-advertisement ##.geeky_ad ##.gels-inlinead ##.gen_side_ad @@ -18234,6 +18781,7 @@ _popunder+$popup ##.ggadunit ##.ggadwrp ##.gglAds +##.gglads300 ##.gl_ad ##.glamsquaread ##.glance_banner_ad @@ -18243,6 +18791,7 @@ _popunder+$popup ##.global_banner_ad ##.gm-ad-lrec ##.gn_ads +##.go-ad ##.go-ads-widget-ads-wrap ##.goog_ad ##.googad @@ -18259,8 +18808,10 @@ _popunder+$popup ##.google-ads ##.google-ads-boxout ##.google-ads-group +##.google-ads-leaderboard ##.google-ads-long ##.google-ads-obj +##.google-ads-responsive ##.google-ads-right ##.google-ads-rodape ##.google-ads-sidebar @@ -18365,6 +18916,7 @@ _popunder+$popup ##.googlead_idx_h_97090 ##.googlead_iframe ##.googlead_outside +##.googleadbottom ##.googleadcontainer ##.googleaddiv ##.googleaddiv2 @@ -18389,6 +18941,8 @@ _popunder+$popup ##.gpAdBox ##.gpAdFooter ##.gpAds +##.gp_adbanner--bottom +##.gp_adbanner--top ##.gpadvert ##.gpt-ad ##.gpt-ads @@ -18515,22 +19069,29 @@ _popunder+$popup ##.headerad-placeholder ##.headeradarea ##.headeradhome +##.headeradinfo ##.headeradright ##.headerads ##.heading-ad-space +##.heatmapthemead_ad_widget ##.hero-ad ##.hi5-ad ##.hidden-ad ##.hideAdMessage +##.hidePauseAdZone ##.hide_ad ##.highlights-ad ##.highlightsAd ##.hl-post-center-ad ##.hm_advertisment +##.hm_top_right_google_ads +##.hm_top_right_google_ads_budget ##.hn-ads +##.home-300x250-ad ##.home-ad ##.home-ad-container ##.home-ad-links +##.home-ad728 ##.home-ads ##.home-ads-container ##.home-ads-container1 @@ -18540,6 +19101,7 @@ _popunder+$popup ##.home-features-ad ##.home-sidebar-ad-300 ##.home-sticky-ad +##.home-top-of-page__top-box-ad ##.home-top-right-ads ##.homeAd ##.homeAd1 @@ -18566,6 +19128,7 @@ _popunder+$popup ##.home_advert ##.home_advertisement ##.home_advertorial +##.home_box_latest_ads ##.home_mrec_ad ##.home_offer_adv ##.home_sidebar_ads @@ -18575,17 +19138,23 @@ _popunder+$popup ##.homead ##.homeadnews ##.homefront468Ad +##.homepage-300-250-ad ##.homepage-ad ##.homepage-ad-block-padding ##.homepage-ad-buzz-col ##.homepage-advertisement ##.homepage-footer-ad ##.homepage-footer-ads +##.homepage-right-rail-ad ##.homepage-sponsoredlinks-container ##.homepage300ad ##.homepageAd ##.homepageFlexAdOuter ##.homepageMPU +##.homepage__ad +##.homepage__ad--middle-leader-board +##.homepage__ad--top-leader-board +##.homepage__ad--top-mrec ##.homepage_ads ##.homepage_block_ad ##.homepage_middle_right_ad @@ -18597,6 +19166,7 @@ _popunder+$popup ##.horiz_adspace ##.horizontal-ad-holder ##.horizontalAd +##.horizontalAdText ##.horizontalAdvert ##.horizontal_ad ##.horizontal_adblock @@ -18669,6 +19239,8 @@ _popunder+$popup ##.im-topAds ##.image-ad-336 ##.image-advertisement +##.image-viewer-ad +##.image-viewer-mpu ##.imageAd ##.imageAdBoxTitle ##.imageads @@ -18688,6 +19260,7 @@ _popunder+$popup ##.inPageAd ##.inStoryAd-news2 ##.in_article_ad +##.in_content_ad_container ##.in_up_ad_game ##.indEntrySquareAd ##.indent-advertisement @@ -18710,6 +19283,7 @@ _popunder+$popup ##.ingridAd ##.inhouseAdUnit ##.inhousead +##.injectedAd ##.inline-ad ##.inline-ad-wrap ##.inline-ad-wrapper @@ -18749,6 +19323,7 @@ _popunder+$popup ##.innerpostadspace ##.inpostad ##.insert-advert-ver01 +##.insert-post-ads ##.insertAd_AdSlice ##.insertAd_Rectangle ##.insertAd_TextAdBreak @@ -18777,6 +19352,7 @@ _popunder+$popup ##.iprom-ad ##.ipsAd ##.iqadlinebottom +##.is-sponsored ##.is24-adplace ##.isAd ##.is_trackable_ad @@ -18797,6 +19373,8 @@ _popunder+$popup ##.itemAdvertise ##.item_ads ##.ja-ads +##.jalbum-ad-container +##.jam-ad ##.jimdoAdDisclaimer ##.jobkeywordads ##.jobs-ad-box @@ -18822,6 +19400,7 @@ _popunder+$popup ##.kw_advert_pair ##.l-ad-300 ##.l-ad-728 +##.l-adsense ##.l-bottom-ads ##.l-header-advertising ##.l300x250ad @@ -18908,6 +19487,7 @@ _popunder+$popup ##.leftAd_bottom_fmt ##.leftAd_top_fmt ##.leftAds +##.leftAdvert ##.leftCol_advert ##.leftColumnAd ##.left_300_ad @@ -18933,6 +19513,7 @@ _popunder+$popup ##.leftrighttopad ##.leftsidebar_ad ##.lefttopad1 +##.legacy-ads ##.legal-ad-choice-icon ##.lgRecAd ##.lg_ad @@ -18963,6 +19544,7 @@ _popunder+$popup ##.livingsocial-ad ##.ljad ##.llsAdContainer +##.lnad ##.loadadlater ##.local-ads ##.localad @@ -19004,6 +19586,7 @@ _popunder+$popup ##.m-advertisement ##.m-advertisement--container ##.m-layout-advertisement +##.m-mem--ad ##.m-sponsored ##.m4-adsbygoogle ##.mTopAd @@ -19030,8 +19613,17 @@ _popunder+$popup ##.mainLinkAd ##.mainRightAd ##.main_ad +##.main_ad_adzone_5_ad_0 +##.main_ad_adzone_6_ad_0 +##.main_ad_adzone_7_ad_0 +##.main_ad_adzone_7_ad_1 +##.main_ad_adzone_8_ad_0 +##.main_ad_adzone_8_ad_1 +##.main_ad_adzone_9_ad_0 +##.main_ad_adzone_9_ad_1 ##.main_ad_bg ##.main_ad_bg_div +##.main_ad_container ##.main_adbox ##.main_ads ##.main_adv @@ -19058,6 +19650,7 @@ _popunder+$popup ##.master_post_advert ##.masthead-ad ##.masthead-ad-control +##.masthead-ads ##.mastheadAds ##.masthead_ad_banner ##.masthead_ads_new @@ -19189,6 +19782,7 @@ _popunder+$popup ##.mod-vertical-ad ##.mod_ad ##.mod_ad_imu +##.mod_ad_top ##.mod_admodule ##.mod_ads ##.mod_openads @@ -19238,6 +19832,7 @@ _popunder+$popup ##.mp-ad ##.mpu-ad ##.mpu-ad-con +##.mpu-ad-top ##.mpu-advert ##.mpu-c ##.mpu-container-blank @@ -19291,6 +19886,7 @@ _popunder+$popup ##.mt-ad-container ##.mt-header-ads ##.mtv-adChoicesLogo +##.mtv-adv ##.multiadwrapper ##.mvAd ##.mvAdHdr @@ -19408,7 +20004,6 @@ _popunder+$popup ##.oasad ##.oasads ##.ob_ads_header -##.ob_ads_header + ul ##.ob_container .item-container-obpd ##.ob_dual_right > .ob_ads_header ~ .odb_div ##.oba_message @@ -19452,6 +20047,7 @@ _popunder+$popup ##.outbrain_ad_li ##.outbrain_dual_ad_whats_class ##.outbrain_ul_ad_top +##.outer-ad-container ##.outerAd_300x250_1 ##.outermainadtd1 ##.outgameadbox @@ -19474,6 +20070,7 @@ _popunder+$popup ##.p_topad ##.pa_ads_label ##.paddingBotAd +##.pads2 ##.padvertlabel ##.page-ad ##.page-ad-container @@ -19496,11 +20093,14 @@ _popunder+$popup ##.pagenavindexcontentad ##.pair_ads ##.pane-ad-block +##.pane-ad-manager-bottom-right-rail-circ ##.pane-ad-manager-middle ##.pane-ad-manager-middle1 +##.pane-ad-manager-right ##.pane-ad-manager-right1 ##.pane-ad-manager-right2 ##.pane-ad-manager-right3 +##.pane-ad-manager-shot-business-circ ##.pane-ad-manager-subscribe-now ##.pane-ads ##.pane-frontpage-ad-banner @@ -19512,6 +20112,7 @@ _popunder+$popup ##.pane-tw-ad-master-ad-300x250a ##.pane-tw-ad-master-ad-300x600 ##.pane-tw-adjuggler-tw-adjuggler-half-page-ad +##.pane-two-column-ads ##.pane_ad_wide ##.panel-ad ##.panel-advert @@ -19524,6 +20125,7 @@ _popunder+$popup ##.partner-ad ##.partner-ads-container ##.partnerAd +##.partnerAdTable ##.partner_ads ##.partnerad_container ##.partnersTextLinks @@ -19531,6 +20133,7 @@ _popunder+$popup ##.pb-f-ad-flex ##.pb-mod-ad-flex ##.pb-mod-ad-leaderboard +##.pc-ad ##.pd-ads-mpu ##.peg_ad ##.pencil-ad @@ -19560,6 +20163,7 @@ _popunder+$popup ##.player-under-ad ##.playerAd ##.player_ad +##.player_ad2 ##.player_ad_box ##.player_hover_ad ##.player_page_ad_box @@ -19619,16 +20223,19 @@ _popunder+$popup ##.postbit_adcode ##.postbody_ads ##.poster_ad +##.postfooterad ##.postgroup-ads ##.postgroup-ads-middle ##.power_by_sponsor ##.ppp_interior_ad ##.pq-ad ##.pr-ad-tower +##.pr-widget ##.pre-title-ad ##.prebodyads ##.premium-ad ##.premium-ads +##.premium-adv ##.premiumAdOverlay ##.premiumAdOverlayClose ##.premiumInHouseAd @@ -19640,6 +20247,7 @@ _popunder+$popup ##.primary-advertisment ##.primary_sidebar_ad ##.printAds +##.pro_ad_adzone ##.pro_ad_system_ad_container ##.pro_ad_zone ##.prod_grid_ad @@ -19659,6 +20267,7 @@ _popunder+$popup ##.promoboxAd ##.promotionTextAd ##.proof_ad +##.ps-ad ##.ps-ligatus_placeholder ##.pub_300x250 ##.pub_300x250m @@ -19704,6 +20313,7 @@ _popunder+$popup ##.r_ads ##.r_col_add ##.rad_container +##.raff_ad ##.rail-ad ##.rail-article-sponsored ##.rail_ad @@ -19716,6 +20326,7 @@ _popunder+$popup ##.rd_header_ads ##.rdio-homepage-widget ##.readerads +##.readermodeAd ##.realtor-ad ##.recentAds ##.recent_ad_holder @@ -19769,15 +20380,19 @@ _popunder+$popup ##.rel_ad_box ##.related-ad ##.related-ads +##.related-al-ads +##.related-al-content-w150-ads ##.related-guide-adsense ##.relatedAds ##.relatedContentAd ##.related_post_google_ad ##.relatesearchad ##.remads +##.remnant_ad ##.remove-ads ##.removeAdsLink ##.reportAdLink +##.residentialads ##.resourceImagetAd ##.respAds ##.responsive-ad @@ -19990,6 +20605,7 @@ _popunder+$popup ##.sb_adsW ##.sb_adsWv2 ##.sc-ad +##.sc_ad ##.sc_iframe_ad ##.scad ##.scanAd @@ -20010,7 +20626,11 @@ _popunder+$popup ##.searchAd ##.searchAdTop ##.searchAds +##.searchCenterBottomAds +##.searchCenterTopAds ##.searchResultAd +##.searchRightBottomAds +##.searchRightMiddleAds ##.searchSponsorItem ##.searchSponsoredResultsBox ##.searchSponsoredResultsList @@ -20055,6 +20675,7 @@ _popunder+$popup ##.shift-ad ##.shoppingGoogleAdSense ##.shortads +##.shortadvertisement ##.showAd ##.showAdContainer ##.showAd_No @@ -20062,6 +20683,7 @@ _popunder+$popup ##.showad_box ##.showcaseAd ##.showcasead +##.si-adRgt ##.sidbaread ##.side-ad ##.side-ad-120-bottom @@ -20076,6 +20698,7 @@ _popunder+$popup ##.side-ad-300-top ##.side-ad-big ##.side-ad-blocks +##.side-ad-container ##.side-ads ##.side-ads-block ##.side-ads-wide @@ -20090,12 +20713,14 @@ _popunder+$popup ##.sideBannerAdsLarge ##.sideBannerAdsSmall ##.sideBannerAdsXLarge +##.sideBarAd ##.sideBarCubeAd ##.sideBlockAd ##.sideBoxAd ##.sideBoxM1ad ##.sideBoxMiddleAd ##.sideBySideAds +##.sideToSideAd ##.side_300_ad ##.side_ad ##.side_ad2 @@ -20122,6 +20747,10 @@ _popunder+$popup ##.sidebar-ad ##.sidebar-ad-300 ##.sidebar-ad-300x250-cont +##.sidebar-ad-a +##.sidebar-ad-b +##.sidebar-ad-c +##.sidebar-ad-cont ##.sidebar-ad-container ##.sidebar-ad-container-1 ##.sidebar-ad-container-2 @@ -20146,6 +20775,7 @@ _popunder+$popup ##.sidebar-top-ad ##.sidebar300adblock ##.sidebarAd +##.sidebarAdBlock ##.sidebarAdNotice ##.sidebarAdUnit ##.sidebarAds300px @@ -20292,6 +20922,7 @@ _popunder+$popup ##.sml-item-ad ##.sn-ad-300x250 ##.snarcy-ad +##.snoadnetwork ##.social-ad ##.softronics-ad ##.southad @@ -20347,6 +20978,7 @@ _popunder+$popup ##.sponsor-left ##.sponsor-link ##.sponsor-links +##.sponsor-module-target ##.sponsor-post ##.sponsor-promo ##.sponsor-right @@ -20375,6 +21007,9 @@ _popunder+$popup ##.sponsorTitle ##.sponsorTxt ##.sponsor_ad +##.sponsor_ad1 +##.sponsor_ad2 +##.sponsor_ad3 ##.sponsor_ad_area ##.sponsor_advert_link ##.sponsor_area @@ -20385,6 +21020,7 @@ _popunder+$popup ##.sponsor_div ##.sponsor_div_title ##.sponsor_footer +##.sponsor_image ##.sponsor_label ##.sponsor_line ##.sponsor_links @@ -20419,6 +21055,7 @@ _popunder+$popup ##.sponsored-post ##.sponsored-post_ad ##.sponsored-result +##.sponsored-result-row-2 ##.sponsored-results ##.sponsored-right ##.sponsored-right-border @@ -20539,6 +21176,7 @@ _popunder+$popup ##.squareads ##.squared_ad ##.sr-adsense +##.sr-in-feed-ads ##.sr-side-ad-block ##.sr_google_ad ##.src_parts_gen_ad @@ -20575,6 +21213,8 @@ _popunder+$popup ##.storyInlineAdBlock ##.story_AD ##.story_ad_div +##.story_ads_right_spl +##.story_ads_right_spl_budget ##.story_body_advert ##.story_right_adv ##.storyad @@ -20614,6 +21254,7 @@ _popunder+$popup ##.supp-ads ##.support-adv ##.supportAdItem +##.support_ad ##.surveyad ##.syAd ##.syHdrBnrAd @@ -20643,6 +21284,7 @@ _popunder+$popup ##.tckr_adbrace ##.td-Adholder ##.td-TrafficWeatherWidgetAdGreyBrd +##.td-a-rec-id-custom_ad_1 ##.td-header-ad-wrap ##.td-header-sp-ads ##.tdAdHeader @@ -20666,6 +21308,7 @@ _popunder+$popup ##.text-ad-300 ##.text-ad-links ##.text-ad-links2 +##.text-ad-top ##.text-ads ##.text-advertisement ##.text-g-advertisement @@ -20729,6 +21372,7 @@ _popunder+$popup ##.thisisad ##.thread-ad ##.thread-ad-holder +##.threadAdsHeadlineData ##.three-ads ##.tibu_ad ##.ticket-ad @@ -20743,6 +21387,10 @@ _popunder+$popup ##.title_adbig ##.tj_ad_box ##.tj_ad_box_top +##.tl-ad +##.tl-ad-dfp +##.tl-ad-display-3 +##.tl-ad-render ##.tm_ad200_widget ##.tm_topads_468 ##.tm_widget_ad200px @@ -20770,8 +21418,10 @@ _popunder+$popup ##.top-ad-space ##.top-ad-unit ##.top-ad-wrapper +##.top-adbox ##.top-ads ##.top-ads-wrapper +##.top-adsense ##.top-adsense-banner ##.top-adspace ##.top-adv @@ -20832,6 +21482,7 @@ _popunder+$popup ##.top_ad_336x280 ##.top_ad_728 ##.top_ad_728_90 +##.top_ad_banner ##.top_ad_big ##.top_ad_disclaimer ##.top_ad_div @@ -20936,6 +21587,7 @@ _popunder+$popup ##.txt_ads ##.txtad_area ##.txtadvertise +##.tynt-ad-container ##.type_ads_default ##.type_adscontainer ##.type_miniad @@ -20979,6 +21631,7 @@ _popunder+$popup ##.vertad ##.vertical-adsense ##.verticalAd +##.verticalAdText ##.vertical_ad ##.vertical_ads ##.verticalad @@ -20996,7 +21649,9 @@ _popunder+$popup ##.video_ads_overdiv ##.video_ads_overdiv2 ##.video_advertisement_box +##.video_detail_box_ads ##.video_top_ad +##.view-adverts ##.view-image-ads ##.view-promo-mpu-right ##.view-site-ads @@ -21105,12 +21760,14 @@ _popunder+$popup ##.widget_adsensem ##.widget_adsensewidget ##.widget_adsingle +##.widget_adv_location ##.widget_advert_content ##.widget_advert_widget ##.widget_advertisement ##.widget_advertisements ##.widget_advertisment ##.widget_advwidget +##.widget_adwidget ##.widget_bestgoogleadsense ##.widget_boss_banner_ad ##.widget_catchbox_adwidget @@ -21121,11 +21778,14 @@ _popunder+$popup ##.widget_emads ##.widget_fearless_responsive_image_ad ##.widget_googleads +##.widget_ima_ads ##.widget_internationaladserverwidget ##.widget_ione-dart-ad ##.widget_island_ad ##.widget_maxbannerads +##.widget_nb-ads ##.widget_new_sponsored_content +##.widget_openxwpwidget ##.widget_plugrush_widget ##.widget_sdac_bottom_ad_widget ##.widget_sdac_companion_video_ad_widget @@ -21133,6 +21793,8 @@ _popunder+$popup ##.widget_sdac_skyscraper_ad_widget ##.widget_sdac_top_ad_widget ##.widget_sej_sidebar_ad +##.widget_sidebarad_300x250 +##.widget_sidebarad_300x600 ##.widget_sidebaradwidget ##.widget_sponsored_content ##.widget_uds-ads @@ -21165,7 +21827,9 @@ _popunder+$popup ##.wpfp_custom_ad ##.wpi_ads ##.wpn_ad_content +##.wpproadszone ##.wptouch-ad +##.wpx-bannerize ##.wrap-ads ##.wrap_boxad ##.wrapad @@ -21222,6 +21886,7 @@ _popunder+$popup ##.yahooad-urlline ##.yahooads ##.yahootextads_content_bottom +##.yam-plus-ad-container ##.yan-sponsored ##.yat-ad ##.yellow_ad @@ -21254,11 +21919,13 @@ _popunder+$popup ##.zc-grid-position-ad ##.zem_rp_promoted ##.zeti-ads -##A\[href^="//adbit.co/?a=Advertise&"] ##\[onclick^="window.open('http://adultfriendfinder.com/search/"] ##a\[data-redirect^="this.href='http://paid.outbrain.com/network/redir?"] ##a\[href$="/vghd.shtml"] ##a\[href*="/adrotate-out.php?"] +##a\[href^=" http://ads.ad-center.com/"] +##a\[href^="//adbit.co/?a=Advertise&"] +##a\[href^="//ads.ad-center.com/"] ##a\[href^="http://1phads.com/"] ##a\[href^="http://360ads.go2cloud.org/"] ##a\[href^="http://NowDownloadAll.com"] @@ -21268,12 +21935,14 @@ _popunder+$popup ##a\[href^="http://ad.doubleclick.net/"] ##a\[href^="http://ad.yieldmanager.com/"] ##a\[href^="http://adexprt.me/"] +##a\[href^="http://adf.ly/?id="] ##a\[href^="http://adfarm.mediaplex.com/"] ##a\[href^="http://adlev.neodatagroup.com/"] ##a\[href^="http://ads.activtrades.com/"] ##a\[href^="http://ads.ad-center.com/"] ##a\[href^="http://ads.affbuzzads.com/"] ##a\[href^="http://ads.betfair.com/redirect.aspx?"] +##a\[href^="http://ads.integral-marketing.com/"] ##a\[href^="http://ads.pheedo.com/"] ##a\[href^="http://ads2.williamhill.com/redirect.aspx?"] ##a\[href^="http://adserver.adtech.de/"] @@ -21294,15 +21963,20 @@ _popunder+$popup ##a\[href^="http://api.taboola.com/"]\[href*="/recommendations.notify-click?app.type="] ##a\[href^="http://at.atwola.com/"] ##a\[href^="http://banners.victor.com/processing/"] +##a\[href^="http://bc.vc/?r="] ##a\[href^="http://bcp.crwdcntrl.net/"] +##a\[href^="http://bestorican.com/"] ##a\[href^="http://bluehost.com/track/"] ##a\[href^="http://bonusfapturbo.nmvsite.com/"] ##a\[href^="http://bs.serving-sys.com/"] ##a\[href^="http://buysellads.com/"] ##a\[href^="http://c.actiondesk.com/"] +##a\[href^="http://campaign.bharatmatrimony.com/track/"] ##a\[href^="http://cdn3.adexprts.com/"] ##a\[href^="http://chaturbate.com/affiliates/"] ##a\[href^="http://cinema.friendscout24.de?"] +##a\[href^="http://clickandjoinyourgirl.com/"] +##a\[href^="http://clickserv.sitescout.com/"] ##a\[href^="http://clk.directrev.com/"] ##a\[href^="http://clkmon.com/adServe/"] ##a\[href^="http://codec.codecm.com/"] @@ -21310,16 +21984,21 @@ _popunder+$popup ##a\[href^="http://cpaway.afftrack.com/"] ##a\[href^="http://d2.zedo.com/"] ##a\[href^="http://data.ad.yieldmanager.net/"] +##a\[href^="http://databass.info/"] ##a\[href^="http://down1oads.com/"] +##a\[href^="http://dwn.pushtraffic.net/"] ##a\[href^="http://easydownload4you.com/"] ##a\[href^="http://elitefuckbook.com/"] ##a\[href^="http://feedads.g.doubleclick.net/"] ##a\[href^="http://fileloadr.com/"] +##a\[href^="http://finaljuyu.com/"] +##a\[href^="http://freesoftwarelive.com/"] ##a\[href^="http://fsoft4down.com/"] ##a\[href^="http://fusionads.net"] ##a\[href^="http://galleries.pinballpublishernetwork.com/"] ##a\[href^="http://galleries.securewebsiteaccess.com/"] ##a\[href^="http://games.ucoz.ru/"]\[target="_blank"] +##a\[href^="http://gca.sh/user/register?ref="] ##a\[href^="http://getlinksinaseconds.com/"] ##a\[href^="http://go.seomojo.com/tracking202/"] ##a\[href^="http://greensmoke.com/"] @@ -21327,6 +22006,7 @@ _popunder+$popup ##a\[href^="http://hdplugin.flashplayer-updates.com/"] ##a\[href^="http://hyperlinksecure.com/go/"] ##a\[href^="http://install.securewebsiteaccess.com/"] +##a\[href^="http://k2s.cc/pr/"] ##a\[href^="http://keep2share.cc/pr/"] ##a\[href^="http://landingpagegenius.com/"] ##a\[href^="http://latestdownloads.net/download.php?"] @@ -21338,6 +22018,7 @@ _popunder+$popup ##a\[href^="http://n.admagnet.net/"] ##a\[href^="http://online.ladbrokes.com/promoRedirect?"] ##a\[href^="http://paid.outbrain.com/network/redir?"]\[target="_blank"] +##a\[href^="http://partner.sbaffiliates.com/"] ##a\[href^="http://pokershibes.com/index.php?ref="] ##a\[href^="http://pubads.g.doubleclick.net/"] ##a\[href^="http://refer.webhostingbuzz.com/"] @@ -21359,12 +22040,16 @@ _popunder+$popup ##a\[href^="http://us.marketgid.com"] ##a\[href^="http://www.123-reg.co.uk/affiliate2.cgi"] ##a\[href^="http://www.1clickdownloader.com/"] +##a\[href^="http://www.1clickmoviedownloader.info/"] ##a\[href^="http://www.FriendlyDuck.com/AF_"] +##a\[href^="http://www.TwinPlan.com/AF_"] ##a\[href^="http://www.adbrite.com/mb/commerce/purchase_form.php?"] +##a\[href^="http://www.adshost2.com/"] ##a\[href^="http://www.adxpansion.com"] ##a\[href^="http://www.affbuzzads.com/affiliate/"] ##a\[href^="http://www.amazon.co.uk/exec/obidos/external-search?"] ##a\[href^="http://www.babylon.com/welcome/index?affID"] +##a\[href^="http://www.badoink.com/go.php?"] ##a\[href^="http://www.bet365.com/home/?affiliate"] ##a\[href^="http://www.clickansave.net/"] ##a\[href^="http://www.clkads.com/adServe/"] @@ -21383,6 +22068,7 @@ _popunder+$popup ##a\[href^="http://www.firstload.de/affiliate/"] ##a\[href^="http://www.fleshlight.com/"] ##a\[href^="http://www.fonts.com/BannerScript/"] +##a\[href^="http://www.fpcTraffic2.com/blind/in.cgi?"] ##a\[href^="http://www.freefilesdownloader.com/"] ##a\[href^="http://www.friendlyduck.com/AF_"] ##a\[href^="http://www.google.com/aclk?"] @@ -21390,6 +22076,7 @@ _popunder+$popup ##a\[href^="http://www.idownloadplay.com/"] ##a\[href^="http://www.incredimail.com/?id="] ##a\[href^="http://www.ireel.com/signup?ref"] +##a\[href^="http://www.linkbucks.com/referral/"] ##a\[href^="http://www.liutilities.com/"] ##a\[href^="http://www.menaon.com/installs/"] ##a\[href^="http://www.mobileandinternetadvertising.com/"] @@ -21401,6 +22088,7 @@ _popunder+$popup ##a\[href^="http://www.on2url.com/app/adtrack.asp"] ##a\[href^="http://www.paddypower.com/?AFF_ID="] ##a\[href^="http://www.pheedo.com/"] +##a\[href^="http://www.pinkvisualgames.com/?revid="] ##a\[href^="http://www.plus500.com/?id="] ##a\[href^="http://www.quick-torrent.com/download.html?aff"] ##a\[href^="http://www.revenuehits.com/"] @@ -21411,6 +22099,7 @@ _popunder+$popup ##a\[href^="http://www.sfippa.com/"] ##a\[href^="http://www.socialsex.com/"] ##a\[href^="http://www.streamate.com/exports/"] +##a\[href^="http://www.streamtunerhd.com/signup?"] ##a\[href^="http://www.text-link-ads.com/"] ##a\[href^="http://www.torntv-downloader.com/"] ##a\[href^="http://www.torntvdl.com/"] @@ -21423,10 +22112,12 @@ _popunder+$popup ##a\[href^="http://www1.clickdownloader.com/"] ##a\[href^="http://wxdownloadmanager.com/dl/"] ##a\[href^="http://xads.zedo.com/"] +##a\[href^="http://yads.zedo.com/"] ##a\[href^="http://z1.zedo.com/"] ##a\[href^="http://zevera.com/afi.html"] ##a\[href^="https://ad.doubleclick.net/"] ##a\[href^="https://bs.serving-sys.com"] +##a\[href^="https://dltags.com/"] ##a\[href^="https://secure.eveonline.com/ft/?aid="] ##a\[href^="https://www.FriendlyDuck.com/AF_"] ##a\[href^="https://www.dsct1.com/"] @@ -21439,6 +22130,7 @@ _popunder+$popup ##a\[onmousedown^="this.href='http://staffpicks.outbrain.com/network/redir?"]\[target="_blank"] + .ob_source ##a\[onmousedown^="this.href='https://paid.outbrain.com/network/redir?"]\[target="_blank"] ##a\[onmousedown^="this.href='https://paid.outbrain.com/network/redir?"]\[target="_blank"] + .ob_source +##a\[style="display:block;width:300px;min-height:250px"]\[href^="http://li.cnet.com/click?"] ##div\[id^="MarketGid"] ##div\[id^="YFBMSN"] ##div\[id^="acm-ad-tag-"] @@ -21453,6 +22145,11 @@ _popunder+$popup ##input\[onclick^="window.open('http://www.friendlyduck.com/AF_"] ##p\[id^="div-gpt-ad-"] ##script\[src^="http://free-shoutbox.net/app/webroot/shoutbox/sb.php?shoutbox="] + #freeshoutbox_content +! In advert promo +##.brandpost_inarticle +! Forumotion.com related sites +###main-content > \[style="padding:10px 0 0 0 !important;"] +##td\[valign="top"] > .mainmenu\[style="padding:10px 0 0 0 !important;"] ! Whistleout widget ###rhs_whistleout_widget ###wo-widget-wrap @@ -21462,6 +22159,7 @@ _popunder+$popup ###magnify_widget_playlist_item_companion ! Playbb.me / easyvideo.me / videozoo.me / paypanda.net ###flowplayer > div\[style="position: absolute; width: 300px; height: 275px; left: 222.5px; top: 85px; z-index: 999;"] +###flowplayer > div\[style="z-index: 208; position: absolute; width: 300px; height: 275px; left: 222.5px; top: 85px;"] ##.Mpopup + #Mad > #MadZone ! https://adblockplus.org/forum/viewtopic.php?f=2&t=17016 ##.l-container > #fishtank @@ -21482,6 +22180,7 @@ _popunder+$popup ###resultspanel > #topads ###rhs_block > #mbEnd ###rhs_block > .ts\[cellspacing="0"]\[cellpadding="0"]\[style="padding:0"] +###rhs_block > ol > .rhsvw > .kp-blk > .xpdopen > ._OKe > ol > ._DJe > .luhb-div ###rhswrapper > #rhssection\[border="0"]\[bgcolor="#ffffff"] ###ssmiwdiv\[jsdisplay] ###tads + div + .c @@ -21519,7 +22218,8 @@ _popunder+$popup ##.trc_rbox_border_elm .syndicatedItem ##.trc_rbox_div .syndicatedItem ##.trc_rbox_div .syndicatedItemUB -##.trc_rbox_div a\[href^="http://tb1-793459514.us-east-1.elb.amazonaws.com/redirect.php?app.type=desktop&"] +##.trc_rbox_div a\[target="_blank"]\[href^="http://tab"] +##.trc_related_container div\[data-item-syndicated="true"] ! Tripadvisor ###MAIN.ShowTopic > .ad ! uCoz @@ -21536,6 +22236,19 @@ _popunder+$popup ##.icons-rss-feed + .icons-rss-feed div\[class$="_item"] ##.inlineNewsletterSubscription + .inlineNewsletterSubscription div\[class$="_item"] ##.jobs-information-call-to-action + .jobs-information-call-to-action div\[class$="_item"] +! zergnet +###boxes-box-zergnet_module +###zergnet +###zergnet-widget +###zergnet-wrapper +##.module-zerg +##.widget-ami-zergnet +##.widget_ok_zergnet_widget +##.zergnet +##.zergnet-widget-container +##.zergnetBLock +##.zergnetpower +##div\[id^="zergnet-widget-"] ! *** easylist:easylist/easylist_whitelist_general_hide.txt *** thedailygreen.com#@##AD_banner webmail.verizon.net#@##AdColumn @@ -21544,7 +22257,7 @@ jobs.wa.gov.au,ksl.com#@##AdHeader sprouts.com,tbns.com.au#@##AdImage games.com#@##Adcode designspotter.com#@##AdvertiseFrame -wikipedia.org#@##Advertisements +wikimedia.org,wikipedia.org#@##Advertisements newser.com#@##BottomAdContainer freeshipping.com,freeshippingrewards.com#@##BottomAds orientaldaily.on.cc#@##ContentAd @@ -21729,7 +22442,7 @@ neowin.net#@##topBannerAd morningstar.se,zootoo.com#@##top_ad hbwm.com#@##top_ads 72tips.com,bumpshack.com,isource.com,millionairelottery.com,pdrhealth.com,psx-scene.com,stickydillybuns.com#@##topad -foxsports540.com,soundandvision.com#@##topbannerad +audiostream.com,foxsports540.com,soundandvision.com#@##topbannerad theblaze.com#@##under_story_ad my-magazine.me,nbc.com,theglobeandmail.com#@##videoAd sudoku.com.au#@#.ADBAR @@ -21739,6 +22452,7 @@ backpage.com#@#.AdInfo buy.com,superbikeplanet.com#@#.AdTitle home-search.org.uk#@#.AdvertContainer homeads.co.nz#@#.HomeAds +travelzoo.com#@#.IM_ad_unit ehow.com#@#.RelatedAds everydayhealth.com#@#.SponsoredContent apartments.com#@#.ad-300x250 @@ -21747,6 +22461,7 @@ bash.fm,tbns.com.au#@#.ad-block auctionstealer.com#@#.ad-border members.portalbuzz.com#@#.ad-btn assetbar.com,jazzradio.com,o2.pl#@#.ad-button +asiasold.com,bahtsold.com,propertysold.asia#@#.ad-cat small-universe.com#@#.ad-cell jobmail.co.za,odysseyware.com#@#.ad-display foxnews.com,yahoo.com#@#.ad-enabled @@ -21754,10 +22469,12 @@ bigfishaudio.com,dublinairport.com,yahoo.com#@#.ad-holder freebitco.in,recycler.com#@#.ad-img kijiji.ca#@#.ad-inner daanauctions.com,queer.pl#@#.ad-item +cnet.com#@#.ad-leader-top businessinsider.com#@#.ad-leaderboard daanauctions.com,jerseyinsight.com#@#.ad-left reformgovernmentsurveillance.com#@#.ad-link guloggratis.dk#@#.ad-links +gumtree.com#@#.ad-panel forums.soompi.com#@#.ad-placement jerseyinsight.com#@#.ad-right signatus.eu#@#.ad-section @@ -21772,8 +22489,7 @@ billboard.com#@#.ad-unit-300-wrapper speedtest.net#@#.ad-vertical-container tvlistings.aol.com#@#.ad-wide howtopriest.com,nydailynews.com#@#.ad-wrap -dealsonwheels.com,happypancake.com,lifeinvader.com,makers.com#@#.ad-wrapper -pcper.com#@#.ad160 +citylab.com,dealsonwheels.com,happypancake.com,lifeinvader.com,makers.com#@#.ad-wrapper harpers.org#@#.ad300 parade.com#@#.ad728 interviewmagazine.com#@#.ad90 @@ -21799,11 +22515,12 @@ cheaptickets.com,orbitz.com#@#.adMod outspark.com#@#.adModule hotels.mapov.com#@#.adOverlay advertiser.ie#@#.adPanel +shockwave.com#@#.adPod aggeliestanea.gr#@#.adResult pogo.com#@#.adRight is.co.za,smc.edu,ticketsnow.com#@#.adRotator microsoft.com,northjersey.com#@#.adSpace -takealot.com#@#.adSpot +1520wbzw.com,760kgu.biz,880thebiz.com,ap.org,biz1190.com,business1110ktek.com,kdow.biz,kkol.com,money1055.com,takealot.com#@#.adSpot autotrader.co.za,thebulletinboard.com#@#.adText autotrader.co.za,ksl.com,superbikeplanet.com#@#.adTitle empowher.com#@#.adTopHome @@ -21824,7 +22541,7 @@ bebusiness.eu,environmentjob.co.uk,lowcarbonjobs.com,myhouseabroad.com#@#.ad_des 318racing.org,linuxforums.org,modelhorseblab.com#@#.ad_global_header gizmodo.jp,kotaku.jp,lifehacker.jp#@#.ad_head_rectangle horsemart.co.uk,merkatia.com,mysportsclubs.com,news.yahoo.com#@#.ad_header -olx.pt#@#.ad_img +olx.pt,whatuni.com#@#.ad_img bebusiness.eu,myhouseabroad.com,njuskalo.hr,starbuy.sk.data10.websupport.sk#@#.ad_item timesofmalta.com#@#.ad_leaderboard tvrage.com#@#.ad_line @@ -21833,6 +22550,7 @@ rediff.com#@#.ad_outer tvland.com#@#.ad_promo weather.yahoo.com#@#.ad_slug_table chinapost.com.tw#@#.ad_space +huffingtonpost.co.uk#@#.ad_spot bbs.newhua.com,starbuy.sk.data10.websupport.sk#@#.ad_text fastseeksite.com,njuskalo.hr#@#.ad_title oxforddictionaries.com#@#.ad_trick_header @@ -21861,14 +22579,18 @@ smilelocal.com#@#.admiddle tomwans.com#@#.adright skatteverket.se#@#.adrow1 skatteverket.se#@#.adrow2 +community.pictavo.com#@#.ads-1 +community.pictavo.com#@#.ads-2 +community.pictavo.com#@#.ads-3 pch.com#@#.ads-area queer.pl#@#.ads-col burzahrane.hr#@#.ads-header members.portalbuzz.com#@#.ads-holder t3.com#@#.ads-inline celogeek.com,checkrom.com#@#.ads-item +bannerist.com#@#.ads-right apple.com#@#.ads-section -juicesky.com#@#.ads-title +community.pictavo.com,juicesky.com#@#.ads-title queer.pl#@#.ads-top uploadbaz.com#@#.ads1 jw.org#@#.adsBlock @@ -21883,8 +22605,10 @@ live365.com#@#.adshome chupelupe.com#@#.adside wg-gesucht.de#@#.adslot_blurred 4kidstv.com,banknbt.com,kwik-fit.com,mac-sports.com#@#.adspace +cutepdf-editor.com#@#.adtable absolute.com#@#.adtile smilelocal.com#@#.adtop +promodj.com#@#.adv300 goal.com#@#.adv_300 pistonheads.com#@#.advert-block eatsy.co.uk#@#.advert-box @@ -21909,9 +22633,10 @@ anobii.com#@#.advertisment grist.org#@#.advertorial ransquawk.com,trh.sk#@#.adverts stjornartidindi.is#@#.adverttext -dirtstyle.tv#@#.afs_ads +staircase.pl#@#.adwords consumerist.com#@#.after-post-ad deluxemusic.tv#@#.article_ad +jiji.ng#@#.b-advert annfammed.org#@#.banner-ads plus.net,putlocker.com#@#.banner300 mlb.com#@#.bannerAd @@ -21935,10 +22660,13 @@ gegenstroemung.org#@#.change_AdContainer findicons.com,tattoodonkey.com#@#.container_ad insidefights.com#@#.container_row_ad theology.edu#@#.contentAd +verizonwireless.com#@#.contentAds freevoipdeal.com,voipstunt.com#@#.content_ads glo.msn.com#@#.cp-adsInited gottabemobile.com#@#.custom-ad +theweek.com#@#.desktop-ad dn.se#@#.displayAd +deviantart.com#@#.download_ad boattrader.com#@#.featured-ad racingjunk.com#@#.featuredAdBox webphunu.net#@#.flash-advertisement @@ -21949,7 +22677,8 @@ ebayclassifieds.com,guloggratis.dk#@#.gallery-ad time.com#@#.google-sponsored gumtree.co.za#@#.googleAdSense nicovideo.jp#@#.googleAds -assetbar.com,burningangel.com,donthatethegeek.com,intomobile.com,wccftech.com#@#.header-ad +waer.org#@#.has-ad +assetbar.com,burningangel.com,donthatethegeek.com,intomobile.com,thenationonlineng.net,wccftech.com#@#.header-ad greenbayphoenix.com,photobucket.com#@#.headerAd dailytimes.com.pk,swns.com#@#.header_ad associatedcontent.com#@#.header_ad_center @@ -21963,6 +22692,7 @@ worldsnooker.com#@#.homead gq.com#@#.homepage-ad straighttalk.com#@#.homepage_ads radaronline.com#@#.horizontal_ad +bodas.com.mx,bodas.net,mariages.net,matrimonio.com,weddingspot.co.uk#@#.img_ad a-k.tel,baldai.tel,boracay.tel,covarrubias.tel#@#.imgad lespac.com#@#.inner_ad classifiedads.com#@#.innerad @@ -21975,15 +22705,18 @@ ajcn.org,annfammed.org#@#.leaderboard-ads lolhit.com#@#.leftAd lolhit.com#@#.leftad ebayclassifieds.com#@#.list-ad +asiasold.com,bahtsold.com,comodoroenventa.com,propertysold.asia#@#.list-ads +euspert.com#@#.listad ap.org,atea.com,ateadirect.com,knowyourmobile.com#@#.logo-ad eagleboys.com.au#@#.marketing-ad driverscollection.com#@#.mid_ad donga.com#@#.middle_AD +latimes.com#@#.mod-adopenx thenewamerican.com#@#.module-ad ziehl-abegg.com#@#.newsAd dn.se#@#.oasad antronio.com,frogueros.com#@#.openx -adn.com#@#.page-ad +adn.com,wiktionary.org#@#.page-ad rottentomatoes.com#@#.page_ad bachofen.ch#@#.pfAd iitv.info#@#.player_ad @@ -21998,6 +22731,8 @@ wesh.com#@#.premiumAdOverlay wesh.com#@#.premiumAdOverlayClose timeoutbengaluru.net,timeoutdelhi.net,timeoutmumbai.net#@#.promoAd 4-72.com.co,bancainternet.com.ar,frogueros.com,northwestfm.co.za,tushop.com.ar,vukanifm.org,wrlr.fm,zibonelefm.co.za#@#.publicidad +ebay.co.uk,theweek.com#@#.pushdown-ad +engadget.com#@#.rail-ad interpals.net#@#.rbRectAd collegecandy.com#@#.rectangle_ad salon.com#@#.refreshAds @@ -22026,11 +22761,12 @@ comicbookmovie.com#@#.skyscraperAd reuters.com#@#.slide-ad caarewards.ca#@#.smallAd boylesports.com#@#.small_ad -store.gameshark.com#@#.smallads +hebdenbridge.co.uk,store.gameshark.com#@#.smallads theforecaster.net#@#.sponsor-box +xhamster.com#@#.sponsorBottom getprice.com.au#@#.sponsoredLinks golfmanagerlive.com#@#.sponsorlink -hellobeautiful.com#@#.sticky-ad +giantlife.com,hellobeautiful.com,newsone.com,theurbandaily.com#@#.sticky-ad kanui.com.br,nytimes.com#@#.text-ad kingsofchaos.com#@#.textad antronio.com,cdf.cl,frogueros.com#@#.textads @@ -22044,6 +22780,7 @@ imagepicsa.com,sun.mv,trailvoy.com#@#.top_ads earlyamerica.com,infojobs.net#@#.topads nfl.com#@#.tower-ad yahoo.com#@#.type_ads_default +vinden.se#@#.view_ad nytimes.com#@#.wideAd britannica.com,cam4.com#@#.withAds theuspatriot.com#@#.wpInsertInPostAd @@ -22052,11 +22789,17 @@ bitrebels.com#@#a\[href*="/adrotate-out.php?"] santander.co.uk#@#a\[href^="http://ad-emea.doubleclick.net/"] jabong.com,people.com,techrepublic.com,time.com#@#a\[href^="http://ad.doubleclick.net/"] watchever.de#@#a\[href^="http://adfarm.mediaplex.com/"] +betbeaver.com,betwonga.com#@#a\[href^="http://ads.betfair.com/redirect.aspx?"] +betwonga.com#@#a\[href^="http://ads2.williamhill.com/redirect.aspx?"] +betwonga.com#@#a\[href^="http://adserving.unibet.com/"] adultfriendfinder.com#@#a\[href^="http://adultfriendfinder.com/p/register.cgi?pid="] +betwonga.com#@#a\[href^="http://affiliate.coral.co.uk/processing/"] marketgid.com,mgid.com#@#a\[href^="http://marketgid.com"] marketgid.com,mgid.com#@#a\[href^="http://mgid.com/"] +betwonga.com#@#a\[href^="http://online.ladbrokes.com/promoRedirect?"] linkedin.com,tasteofhome.com#@#a\[href^="http://pubads.g.doubleclick.net/"] marketgid.com,mgid.com#@#a\[href^="http://us.marketgid.com"] +betbeaver.com,betwonga.com#@#a\[href^="http://www.bet365.com/home/?affiliate"] fbooksluts.com#@#a\[href^="http://www.fbooksluts.com/"] fleshjack.com,fleshlight.com#@#a\[href^="http://www.fleshlight.com/"] www.google.com#@#a\[href^="http://www.google.com/aclk?"] @@ -22065,7 +22808,9 @@ socialsex.com#@#a\[href^="http://www.socialsex.com/"] fuckbookhookups.com#@#a\[href^="http://www.yourfuckbook.com/?"] marketgid.com,mgid.com#@#a\[id^="mg_add"] marketgid.com,mgid.com#@#div\[id^="MarketGid"] -beqala.com,drupalcommerce.org,ensonhaber.com,eurweb.com,faceyourmanga.com,isc2.org,mit.edu,peekyou.com,podomatic.com,virginaustralia.com,wlj.net,zavvi.com#@#div\[id^="div-gpt-ad-"] +beqala.com,drupalcommerce.org,ensonhaber.com,eurweb.com,faceyourmanga.com,isc2.org,liverc.com,mit.edu,peekyou.com,podomatic.com,virginaustralia.com,wlj.net,zavvi.com#@#div\[id^="div-gpt-ad-"] +bodas.com.mx,bodas.net,mariages.net,matrimonio.com,weddingspot.co.uk#@#iframe\[id^="google_ads_frame"] +bodas.com.mx,bodas.net,mariages.net,matrimonio.com,weddingspot.co.uk#@#iframe\[id^="google_ads_iframe"] weather.yahoo.com#@#iframe\[src^="http://ad.yieldmanager.com/"] ! Anti-Adblock incredibox.com,litecoiner.net#@##ad-bottom @@ -22076,34 +22821,45 @@ zeez.tv#@##ad_overlay cnet.com#@##adboard olweb.tv#@##ads1 gooprize.com,jsnetwork.fr#@##ads_bottom +unixmen.com#@##adsense spoilertv.com#@##adsensewide 8muses.com#@##adtop anisearch.com,lilfile.com#@##advertise +yafud.pl#@##bottomAd dizi-mag.com#@##header_ad thesimsresource.com#@##leaderboardad linkshrink.net#@##overlay_ad exashare.com#@##player_ads +iphone-tv.eu#@##sidebar_ad freebitcoins.nx.tc,getbitcoins.nx.tc#@##sponsorText -maxedtech.com#@#.ad-div dailybitcoins.org#@#.ad-img uptobox.com#@#.ad-leader uptobox.com#@#.ad-square -mangabird.com#@#.ad468 afreesms.com#@#.adbanner apkmirror.com#@#.adsWidget afreesms.com#@#.adsbox -afreesms.com,anonymousemail.me,anonymousemail.us,bitcoin-faucet.eu,btcinfame.com,classic-retro-games.com,coingamez.com,doulci.net,eveskunk.com,filecore.co.nz,freebitco.in,get-bitcoin-free.eu,gnomio.com,incredibox.com,niresh.co,nzb.su,r1db.com,unlocktheinbox.com,zeperfs.com#@#.adsbygoogle +afreesms.com,anonymousemail.me,anonymousemail.us,bitcoin-faucet.eu,btcinfame.com,classic-retro-games.com,coingamez.com,doulci.net,eveskunk.com,filecore.co.nz,freebitco.in,get-bitcoin-free.eu,gnomio.com,incredibox.com,mangacap.com,mangakaka.com,niresh.co,nzb.su,r1db.com,spoilertv.com,unlocktheinbox.com,zeperfs.com#@#.adsbygoogle afreesms.com#@#.adspace -maxedtech.com#@#.adtag browsershots.org#@#.advert_area -guitarforum.co.za#@#.adverts -directwonen.nl,dramacafe.in,eveskunk.com,exashare.com,farsondigitalwatercams.com,file4go.com,freeccnaworkbook.com,mangasky.co,minecraftskins.com,moneyinpjs.com,online.dramacafe.tv,ps3news.com#@#.afs_ads +velasridaura.com#@#.advertising_block +guitarforum.co.za,tf2r.com#@#.adverts +cheatpain.com,directwonen.nl,dramacafe.in,eveskunk.com,exashare.com,farsondigitalwatercams.com,file4go.com,freeccnaworkbook.com,gaybeeg.info,hack-sat.com,keygames.com,latesthackingnews.com,localeyes.dk,manga2u.co,mangasky.co,minecraftskins.com,moneyinpjs.com,online.dramacafe.tv,ps3news.com,psarips.com,thenewboston.com,tubitv.com#@#.afs_ads coindigger.biz#@#.banner160x600 +anisearch.com#@#.chitikaAdBlock theladbible.com#@#.content_tagsAdTech topzone.lt#@#.forumAd linkshrink.net#@#.overlay_ad -incredibox.com#@#.text_ads -coingamez.com,mangaumaru.com,milfzr.com#@#div\[id^="div-gpt-ad-"] +localeyes.dk#@#.pub_300x250 +localeyes.dk#@#.pub_300x250m +localeyes.dk#@#.pub_728x90 +localeyes.dk#@#.text-ad +localeyes.dk#@#.text-ad-links +localeyes.dk#@#.text-ads +localeyes.dk#@#.textAd +localeyes.dk#@#.text_ad +incredibox.com,localeyes.dk,turkanime.tv,videopremium.tv#@#.text_ads +menstennisforums.com#@#.top_ads +coingamez.com,mangaumaru.com,milfzr.com,pencurimovie.cc#@#div\[id^="div-gpt-ad-"] afreesms.com#@#iframe\[id^="google_ads_frame"] !---------------------------Third-party advertisers---------------------------! ! *** easylist:easylist/easylist_adservers.txt *** @@ -22141,7 +22897,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||2d4c3872.info^$third-party ||2dpt.com^$third-party ||2mdn.net/dot.gif$object-subrequest,third-party -||2mdn.net^$object-subrequest,third-party,domain=101cargames.com|1025thebull.com|1031iheartaustin.com|1037theq.com|1041beat.com|1053kissfm.com|1057ezrock.com|1067litefm.com|10news.com|1310news.com|247comedy.com|3news.co.nz|49ers.com|610cktb.com|680news.com|700wlw.com|850koa.com|923jackfm.com|92q.com|940winz.com|94hjy.com|970espn.com|99kisscountry.com|abc15.com|abc2news.com|abcactionnews.com|am1300thezone.com|am570radio.com|am760.net|ap.org|atlantafalcons.com|automobilemag.com|automotive.com|azcardinals.com|baltimoreravens.com|baynews9.com|bbc.co.uk|bbc.com|belfasttelegraph.co.uk|bengals.com|bet.com|big1059.com|bigdog1009.ca|bloomberg.com|bnn.ca|boom92houston.com|boom945.com|boom973.com|boom997.com|boomphilly.com|box10.com|brisbanetimes.com.au|buccaneers.com|buffalobills.com|bullz-eye.com|businessweek.com|calgaryherald.com|caller.com|canada.com|capitalfm.ca|cbsnews.com|cbssports.com|channel955.com|chargers.com|chez106.com|chfi.com|chicagobears.com|chicagotribune.com|cj104.com|cjad.com|cjbk.com|clevelandbrowns.com|cnettv.cnet.com|coast933.com|colts.com|commercialappeal.com|country1011.com|country1043.com|country1067.com|country600.com|courierpress.com|cp24.com|cricketcountry.com|csmonitor.com|ctvnews.ca|dallascowboys.com|denverbroncos.com|detroitlions.com|drive.com.au|earthcam.com|edmontonjournal.com|egirlgames.net|elvisduran.com|enjoydressup.com|entrepreneur.com|eonline.com|escapegames.com|euronews.com|evolution935.com|fansportslive.com|fm98wjlb.com|foodnetwork.ca|four.co.nz|foxradio.ca|foxsportsradio.com|fresh100.com|gamingbolt.com|ghananation.com|giantbomb.com|giants.com|globalpost.com|globaltoronto.com|globaltv.com|globaltvbc.com|globaltvcalgary.com|go.com|gorillanation.com|gosanangelo.com|hallelujah1051.com|hellobeautiful.com|heraldsun.com.au|hgtv.ca|hiphopnc.com|hot1041stl.com|hothiphopdetroit.com|hotspotatl.com|houstontexans.com|ibtimes.co.uk|iheart.com|independent.ie|independentmail.com|indyhiphop.com|ipowerrichmond.com|jackfm.ca|jaguars.com|kase101.com|kcchiefs.com|kcci.com|kcra.com|kdvr.com|kfiam640.com|kgbx.com|khow.com|kiisfm.com|kiss925.com|kissnorthbay.com|kisssoo.com|kisstimmins.com|kitsapsun.com|kitv.com|kjrh.com|kmov.com|knoxnews.com|kogo.com|komonews.com|kshb.com|kwgn.com|kwnr.com|kxan.com|kysdc.com|latinchat.com|leaderpost.com|livestream.com|local8now.com|magic96.com|majorleaguegaming.com|metacafe.com|miamidolphins.com|mix923fm.com|mojointhemorning.com|moneycontrol.com|montrealgazette.com|motorcyclistonline.com|mtv.ca|myboom1029.com|mycolumbusmagic.com|mycolumbuspower.com|myezrock.com|mymagic97.com|naplesnews.com|nationalpost.com|nba.com|nba.tv|ndtv.com|neworleanssaints.com|news1130.com|newsinc.com|newsmax.com|newsmaxhealth.com|newsnet5.com|newsone.com|newstalk1010.com|newstalk1130.com|newyorkjets.com|nydailynews.com|nymag.com|oktvusa.com|oldschoolcincy.com|ottawacitizen.com|packers.com|panthers.com|patriots.com|pcworld.com|philadelphiaeagles.com|player.screenwavemedia.com|prowrestling.com|q92timmins.com|raaga.com|radio.com|radionowindy.com|raiders.com|rapbasement.com|redding.com|redskins.com|reporternews.com|reuters.com|rollingstone.com|rootsports.com|rottentomatoes.com|seahawks.com|sherdog.com|skynews.com.au|slice.ca|smh.com.au|sploder.com|sportsnet590.ca|sportsnet960.ca|steelers.com|stlouisrams.com|streetfire.net|stuff.co.nz|tcpalm.com|telegraph.co.uk|theage.com.au|theaustralian.com.au|thebeatdfw.com|theboxhouston.com|thedenverchannel.com|thedrocks.com|theindychannel.com|theprovince.com|thestarphoenix.com|theteam1260.com|tide.com|timescolonist.com|timeslive.co.za|timesrecordnews.com|titansonline.com|totaljerkface.com|tripadvisor.ca|tripadvisor.co.id|tripadvisor.co.uk|tripadvisor.com|tripadvisor.com.au|tripadvisor.com.my|tripadvisor.com.sg|tripadvisor.ie|tripadvisor.in|turnto23.com|tvone.tv|tvoneonline.com|twitch.tv|usmagazine.com|vancouversun.com|vcstar.com|veetle.com|vice.com|videojug.com|vikings.com|virginradio.ca|wapt.com|washingtonpost.com|washingtontimes.com|wcpo.com|wdfn.com|weather.com|wescfm.com|wgci.com|wibw.com|wikihow.com|windsorstar.com|wiod.com|wiznation.com|wjdx.com|wkyt.com|wmyi.com|wor710.com|wptv.com|wsj.com|wxyz.com|wyff4.com|yahoo.com|youtube.com|z100.com|zhiphopcleveland.com +||2mdn.net^$object-subrequest,third-party,domain=101cargames.com|1025thebull.com|1031iheartaustin.com|1037theq.com|1041beat.com|1053kissfm.com|1057ezrock.com|1067litefm.com|10news.com|1310news.com|247comedy.com|3news.co.nz|49ers.com|610cktb.com|680news.com|700wlw.com|850koa.com|923jackfm.com|92q.com|940winz.com|94hjy.com|970espn.com|99kisscountry.com|abc15.com|abc2news.com|abcactionnews.com|am1300thezone.com|am570radio.com|am760.net|ap.org|atlantafalcons.com|automobilemag.com|automotive.com|azcardinals.com|baltimoreravens.com|baynews9.com|bbc.co.uk|bbc.com|belfasttelegraph.co.uk|bengals.com|bet.com|big1059.com|bigdog1009.ca|bloomberg.com|bnn.ca|boom92houston.com|boom945.com|boom973.com|boom997.com|boomphilly.com|box10.com|brisbanetimes.com.au|buccaneers.com|buffalobills.com|bullz-eye.com|businessweek.com|calgaryherald.com|caller.com|canada.com|capitalfm.ca|cbsnews.com|cbssports.com|channel955.com|chargers.com|chez106.com|chfi.com|chicagobears.com|chicagotribune.com|cj104.com|cjad.com|cjbk.com|clevelandbrowns.com|cnettv.cnet.com|coast933.com|colts.com|commercialappeal.com|country1011.com|country1043.com|country1067.com|country600.com|courierpress.com|cp24.com|cricketcountry.com|csmonitor.com|ctvnews.ca|dallascowboys.com|denverbroncos.com|detroitlions.com|drive.com.au|earthcam.com|edmontonjournal.com|egirlgames.net|elvisduran.com|enjoydressup.com|entrepreneur.com|eonline.com|escapegames.com|euronews.com|evolution935.com|fansportslive.com|fm98wjlb.com|foodnetwork.ca|four.co.nz|foxradio.ca|foxsportsradio.com|fresh100.com|gamingbolt.com|ghananation.com|giantbomb.com|giants.com|globalpost.com|globaltoronto.com|globaltv.com|globaltvbc.com|globaltvcalgary.com|go.com|gorillanation.com|gosanangelo.com|hallelujah1051.com|hellobeautiful.com|heraldsun.com.au|hgtv.ca|hiphopnc.com|hot1041stl.com|hotair.com|hothiphopdetroit.com|hotspotatl.com|houstontexans.com|ibtimes.co.uk|iheart.com|independent.ie|independentmail.com|indyhiphop.com|ipowerrichmond.com|jackfm.ca|jaguars.com|kase101.com|kcchiefs.com|kcci.com|kcra.com|kdvr.com|kfiam640.com|kgbx.com|khow.com|kiisfm.com|kiss925.com|kissnorthbay.com|kisssoo.com|kisstimmins.com|kitsapsun.com|kitv.com|kjrh.com|kmov.com|knoxnews.com|kogo.com|komonews.com|kshb.com|kwgn.com|kwnr.com|kxan.com|kysdc.com|latinchat.com|leaderpost.com|livestream.com|local8now.com|magic96.com|majorleaguegaming.com|metacafe.com|miamidolphins.com|mix923fm.com|mojointhemorning.com|moneycontrol.com|montrealgazette.com|motorcyclistonline.com|mtv.ca|myboom1029.com|mycolumbusmagic.com|mycolumbuspower.com|myezrock.com|mymagic97.com|naplesnews.com|nationalpost.com|nba.com|nba.tv|ndtv.com|neworleanssaints.com|news1130.com|newsinc.com|newsmax.com|newsmaxhealth.com|newsnet5.com|newsone.com|newstalk1010.com|newstalk1130.com|newyorkjets.com|nydailynews.com|nymag.com|oktvusa.com|oldschoolcincy.com|ottawacitizen.com|packers.com|panthers.com|patriots.com|pcworld.com|philadelphiaeagles.com|player.screenwavemedia.com|prowrestling.com|q92timmins.com|raaga.com|radio.com|radionowindy.com|raiders.com|rapbasement.com|redding.com|redskins.com|reporternews.com|reuters.com|rollingstone.com|rootsports.com|rottentomatoes.com|seahawks.com|sherdog.com|skynews.com.au|slice.ca|smh.com.au|sploder.com|sportsnet590.ca|sportsnet960.ca|steelers.com|stlouisrams.com|streetfire.net|stuff.co.nz|tcpalm.com|telegraph.co.uk|theage.com.au|theaustralian.com.au|thebeatdfw.com|theboxhouston.com|thedenverchannel.com|thedrocks.com|theindychannel.com|theprovince.com|thestarphoenix.com|theteam1260.com|tide.com|timescolonist.com|timeslive.co.za|timesrecordnews.com|titansonline.com|totaljerkface.com|townhall.com|tripadvisor.ca|tripadvisor.co.id|tripadvisor.co.uk|tripadvisor.com|tripadvisor.com.au|tripadvisor.com.my|tripadvisor.com.sg|tripadvisor.ie|tripadvisor.in|turnto23.com|tvone.tv|tvoneonline.com|twitch.tv|twitchy.com|usmagazine.com|vancouversun.com|vcstar.com|veetle.com|vice.com|videojug.com|vikings.com|virginradio.ca|vzaar.com|wapt.com|washingtonpost.com|washingtontimes.com|wcpo.com|wdfn.com|weather.com|wescfm.com|wgci.com|wibw.com|wikihow.com|windsorstar.com|wiod.com|wiznation.com|wjdx.com|wkyt.com|wmyi.com|wor710.com|wptv.com|wsj.com|wxyz.com|wyff4.com|yahoo.com|youtube.com|z100.com|zhiphopcleveland.com ||2mdn.net^$~object-subrequest,third-party ||2xbpub.com^$third-party ||32b4oilo.com^$third-party @@ -22222,12 +22978,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ad-flow.com^$third-party ||ad-gbn.com^$third-party ||ad-indicator.com^$third-party +||ad-m.asia^$third-party ||ad-maven.com^$third-party ||ad-media.org^$third-party ||ad-server.co.za^$third-party ||ad-serverparc.nl^$third-party ||ad-sponsor.com^$third-party ||ad-srv.net^$third-party +||ad-stir.com^$third-party ||ad-vice.biz^$third-party ||ad.atdmt.com/i/a.html$third-party ||ad.atdmt.com/i/a.js$third-party @@ -22240,8 +22998,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ad123m.com^$third-party ||ad125m.com^$third-party ||ad127m.com^$third-party +||ad128m.com^$third-party ||ad129m.com^$third-party ||ad131m.com^$third-party +||ad132m.com^$third-party +||ad134m.com^$third-party ||ad20.net^$third-party ||ad2387.com^$third-party ||ad2adnetwork.biz^$third-party @@ -22261,6 +23022,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adblade.com^$third-party ||adboost.com^$third-party ||adbooth.net^$third-party +||adbrau.com^$third-party ||adbrite.com^$third-party ||adbroo.com^$third-party ||adbull.com^$third-party @@ -22312,6 +23074,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adforgeinc.com^$third-party ||adform.net^$third-party ||adframesrc.com^$third-party +||adfrika.com^$third-party ||adfrog.info^$third-party ||adfrontiers.com^$third-party ||adfunkyserver.com^$third-party @@ -22320,6 +23083,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adgardener.com^$third-party ||adgatemedia.com^$third-party ||adgear.com^$third-party +||adgebra.co.in^$third-party ||adgent007.com^$third-party ||adgila.com^$third-party ||adgine.net^$third-party @@ -22342,6 +23106,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adimperia.com^$third-party ||adimpression.net^$third-party ||adinch.com^$third-party +||adincon.com^$third-party ||adindigo.com^$third-party ||adinfinity.com.au^$third-party ||adinterax.com^$third-party @@ -22433,6 +23198,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adpinion.com^$third-party ||adpionier.de^$third-party ||adplans.info^$third-party +||adplxmd.com^$third-party ||adppv.com^$third-party ||adpremo.com^$third-party ||adprofit2share.com^$third-party @@ -22537,6 +23303,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adtaily.com^$third-party ||adtaily.eu^$third-party ||adtaily.pl^$third-party +||adtdp.com^$third-party ||adtecc.com^$third-party ||adtech.de^$third-party ||adtechus.com^$third-party @@ -22603,6 +23370,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||advertserve.com^$third-party ||advertstatic.com^$third-party ||advertstream.com^$third-party +||advertur.ru^$third-party ||advertxi.com^$third-party ||advg.jp^$third-party ||advgoogle.com^$third-party @@ -22612,6 +23380,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||advombat.ru^$third-party ||advpoints.com^$third-party ||advrtice.com^$third-party +||advsnx.net^$third-party ||adwires.com^$third-party ||adwordsservicapi.com^$third-party ||adworkmedia.com^$third-party @@ -22623,6 +23392,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adxpower.com^$third-party ||adyoulike.com^$third-party ||adyoz.com^$third-party +||adz.co.zw^$third-party ||adzerk.net^$third-party ||adzhub.com^$third-party ||adzonk.com^$third-party @@ -22637,6 +23407,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||affbot8.com^$third-party ||affbuzzads.com^$third-party ||affec.tv^$third-party +||affiliate-b.com^$third-party ||affiliate-gate.com^$third-party ||affiliate-robot.com^$third-party ||affiliate.com^$third-party @@ -22664,6 +23435,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||affiz.net^$third-party ||affplanet.com^$third-party ||afftrack.com^$third-party +||aflrm.com^$third-party ||africawin.com^$third-party ||afterdownload.com^$third-party ||afterdownloads.com^$third-party @@ -22675,6 +23447,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||agmtrk.com^$third-party ||agvzvwof.com^$third-party ||aim4media.com^$third-party +||aimatch.com^$third-party ||ajansreklam.net^$third-party ||alchemysocial.com^$third-party ||alfynetwork.com^$third-party @@ -22688,6 +23461,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||alphabirdnetwork.com^$third-party ||alphagodaddy.com^$third-party ||alternads.info^$third-party +||alternativeadverts.com^$third-party ||altitude-arena.com^$third-party ||am-display.com^$third-party ||am10.ru^$third-party @@ -22717,8 +23491,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||appendad.com^$third-party ||applebarq.com^$third-party ||apptap.com^$third-party +||april29-disp-download.com^$third-party ||apsmediaagency.com^$third-party ||apxlv.com^$third-party +||arab4eg.com^$third-party ||arabweb.biz^$third-party ||arcadebannerexchange.net^$third-party ||arcadebannerexchange.org^$third-party @@ -22773,11 +23549,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||awsmer.com^$third-party ||awsurveys.com^$third-party ||axill.com^$third-party +||ayboll.com^$third-party ||azads.com^$third-party ||azjmp.com^$third-party ||azoogleads.com^$third-party ||azorbe.com^$third-party ||b117f8da23446a91387efea0e428392a.pl^$third-party +||b6508157d.website^$third-party ||babbnrs.com^$third-party ||backbeatmedia.com^$third-party ||backlinks.com^$third-party @@ -22854,6 +23632,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||bitcoinadvertisers.com^$third-party ||bitfalcon.tv^$third-party ||bittads.com^$third-party +||bitx.tv^$third-party ||bizographics.com^$third-party ||bizrotator.com^$third-party ||bizzclick.com^$third-party @@ -22866,6 +23645,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||blogclans.com^$third-party ||bloggerex.com^$third-party ||blogherads.com^$third-party +||blogohertz.com^$third-party ||blueadvertise.com^$third-party ||bluestreak.com^$third-party ||blumi.to^$third-party @@ -22911,6 +23691,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||bunchofads.com^$third-party ||bunny-net.com^$third-party ||burbanked.info^$third-party +||burjam.com^$third-party ||burnsoftware.info^$third-party ||burstnet.com^$third-party ||businesscare.com^$third-party @@ -22925,6 +23706,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||buzzparadise.com^$third-party ||bwinpartypartners.com^$third-party ||byspot.com^$third-party +||byzoo.org^$third-party ||c-on-text.com^$third-party ||c-planet.net^$third-party ||c8.net.ua^$third-party @@ -22969,12 +23751,15 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||cerotop.com^$third-party ||cgecwm.org^$third-party ||chango.com^$third-party +||chanished.net^$third-party ||charltonmedia.com^$third-party ||checkm8.com^$third-party ||checkmystats.com.au^$third-party ||checkoutfree.com^$third-party ||cherytso.com^$third-party ||chicbuy.info^$third-party +||china-netwave.com^$third-party +||chinagrad.ru^$third-party ||chipleader.com^$third-party ||chitika.com^$third-party ||chitika.net^$third-party @@ -23043,6 +23828,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||coinadvert.net^$third-party ||collection-day.com^$third-party ||collective-media.net^$third-party +||colliersads.com^$third-party ||comclick.com^$third-party ||commission-junction.com^$third-party ||commission.bz^$third-party @@ -23136,6 +23922,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||d2ship.com^$third-party ||da-ads.com^$third-party ||dadegid.ru^$third-party +||danitabedtick.net^$third-party ||dapper.net^$third-party ||darwarvid.com^$third-party ||dashboardad.net^$third-party @@ -23163,6 +23950,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||destinationurl.com^$third-party ||detroposal.com^$third-party ||developermedia.com^$third-party +||deximedia.com^$third-party ||dexplatform.com^$third-party ||dgmatix.com^$third-party ||dgmaustralia.com^$third-party @@ -23175,6 +23963,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||dinclinx.com^$third-party ||dipads.net^$~image,third-party ||directaclick.com^$third-party +||directile.info^$third-party +||directile.net^$third-party ||directleads.com^$third-party ||directoral.info^$third-party ||directorym.com^$third-party @@ -23184,6 +23974,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||districtm.ca^$third-party ||dl-rms.com^$third-party ||dmu20vut.com^$third-party +||dntrck.com^$third-party ||dollarade.com^$third-party ||dollarsponsor.com^$third-party ||domainadvertising.com^$third-party @@ -23280,7 +24071,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||doubleclick.net/pfadx/video.marketwatch.com/$third-party ||doubleclick.net/pfadx/video.wsj.com/$third-party ||doubleclick.net/pfadx/www.tv3.co.nz$third-party -||doubleclick.net^$third-party,domain=3news.co.nz|92q.com|abc-7.com|addictinggames.com|allbusiness.com|allthingsd.com|bizjournals.com|bloomberg.com|bnn.ca|boom92houston.com|boom945.com|boomphilly.com|break.com|cbc.ca|cbs19.tv|cbs3springfield.com|cbsatlanta.com|cbslocal.com|complex.com|dailymail.co.uk|darkhorizons.com|doubleviking.com|euronews.com|extratv.com|fandango.com|fox19.com|fox5vegas.com|gorillanation.com|grooveshark.com|hawaiinewsnow.com|hellobeautiful.com|hiphopnc.com|hot1041stl.com|hothiphopdetroit.com|hotspotatl.com|hulu.com|imdb.com|indiatimes.com|indyhiphop.com|ipowerrichmond.com|joblo.com|kcra.com|kctv5.com|ketv.com|koat.com|koco.com|kolotv.com|kpho.com|kptv.com|ksat.com|ksbw.com|ksfy.com|ksl.com|kypost.com|kysdc.com|live5news.com|livestation.com|livestream.com|metro.us|metronews.ca|miamiherald.com|my9nj.com|myboom1029.com|mycolumbusmagic.com|mycolumbuspower.com|myfoxdetroit.com|myfoxorlando.com|myfoxphilly.com|myfoxphoenix.com|myfoxtampabay.com|nbcrightnow.com|neatorama.com|necn.com|neopets.com|news.com.au|news4jax.com|newsone.com|nintendoeverything.com|oldschoolcincy.com|own3d.tv|pagesuite-professional.co.uk|pandora.com|player.theplatform.com|ps3news.com|radio.com|radionowindy.com|rottentomatoes.com|sbsun.com|shacknews.com|sk-gaming.com|ted.com|thebeatdfw.com|theboxhouston.com|theglobeandmail.com|timesnow.tv|tv2.no|twitch.tv|universalsports.com|ustream.tv|wapt.com|washingtonpost.com|wate.com|wbaltv.com|wcvb.com|wdrb.com|wdsu.com|wflx.com|wfmz.com|wfsb.com|wgal.com|whdh.com|wired.com|wisn.com|wiznation.com|wlky.com|wlns.com|wlwt.com|wmur.com|wnem.com|wowt.com|wral.com|wsj.com|wsmv.com|wsvn.com|wtae.com|wthr.com|wxii12.com|wyff4.com|yahoo.com|youtube.com|zhiphopcleveland.com +||doubleclick.net^$third-party,domain=3news.co.nz|92q.com|abc-7.com|addictinggames.com|allbusiness.com|allthingsd.com|bizjournals.com|bloomberg.com|bnn.ca|boom92houston.com|boom945.com|boomphilly.com|break.com|cbc.ca|cbs19.tv|cbs3springfield.com|cbsatlanta.com|cbslocal.com|complex.com|dailymail.co.uk|darkhorizons.com|doubleviking.com|euronews.com|extratv.com|fandango.com|fox19.com|fox5vegas.com|gorillanation.com|hawaiinewsnow.com|hellobeautiful.com|hiphopnc.com|hot1041stl.com|hothiphopdetroit.com|hotspotatl.com|hulu.com|imdb.com|indiatimes.com|indyhiphop.com|ipowerrichmond.com|joblo.com|kcra.com|kctv5.com|ketv.com|koat.com|koco.com|kolotv.com|kpho.com|kptv.com|ksat.com|ksbw.com|ksfy.com|ksl.com|kypost.com|kysdc.com|live5news.com|livestation.com|livestream.com|metro.us|metronews.ca|miamiherald.com|my9nj.com|myboom1029.com|mycolumbusmagic.com|mycolumbuspower.com|myfoxdetroit.com|myfoxorlando.com|myfoxphilly.com|myfoxphoenix.com|myfoxtampabay.com|nbcrightnow.com|neatorama.com|necn.com|neopets.com|news.com.au|news4jax.com|newsone.com|nintendoeverything.com|oldschoolcincy.com|own3d.tv|pagesuite-professional.co.uk|pandora.com|player.theplatform.com|ps3news.com|radio.com|radionowindy.com|rottentomatoes.com|sbsun.com|shacknews.com|sk-gaming.com|ted.com|thebeatdfw.com|theboxhouston.com|theglobeandmail.com|timesnow.tv|tv2.no|twitch.tv|universalsports.com|ustream.tv|wapt.com|washingtonpost.com|wate.com|wbaltv.com|wcvb.com|wdrb.com|wdsu.com|wflx.com|wfmz.com|wfsb.com|wgal.com|whdh.com|wired.com|wisn.com|wiznation.com|wlky.com|wlns.com|wlwt.com|wmur.com|wnem.com|wowt.com|wral.com|wsj.com|wsmv.com|wsvn.com|wtae.com|wthr.com|wxii12.com|wyff4.com|yahoo.com|youtube.com|zhiphopcleveland.com ||doubleclick.net^*/ad/$~object-subrequest,third-party ||doubleclick.net^*/adi/$~object-subrequest,third-party ||doubleclick.net^*/adj/$~object-subrequest,third-party @@ -23303,6 +24094,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||dp25.kr^$third-party ||dpbolvw.net^$third-party ||dpmsrv.com^$third-party +||dpsrexor.com^$third-party ||dpstack.com^$third-party ||dreamaquarium.com^$third-party ||dreamsearch.or.kr^$third-party @@ -23318,9 +24110,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||dualmarket.info^$third-party ||dudelsa.com^$third-party ||duetads.com^$third-party +||dumedia.ru^$third-party ||durnowar.com^$third-party ||durtz.com^$third-party ||dvaminusodin.net^$third-party +||dyino.com^$third-party ||dynamicoxygen.com^$third-party ||dynamitedata.com^$third-party ||e-find.co^$third-party @@ -23395,6 +24189,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||evolvenation.com^$third-party ||exactdrive.com^$third-party ||excellenceads.com^$third-party +||exchange4media.com^$third-party ||exitexplosion.com^$third-party ||exitjunction.com^$third-party ||exoclick.com^$third-party @@ -23413,6 +24208,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||falkag.net^$third-party ||fast2earn.com^$third-party ||fastapi.net^$third-party +||fastates.net^$third-party ||fastclick.net^$third-party ||fasttracktech.biz^$third-party ||fb-plus.com^$third-party @@ -23421,6 +24217,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||featuredusers.com^$third-party ||featurelink.com^$third-party ||feed-ads.com^$third-party +||feljack.com^$third-party ||fenixm.com^$third-party ||fidel.to^$third-party ||filetarget.com^$third-party @@ -23436,6 +24233,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||firmharborlinked.com^$third-party ||first-rate.com^$third-party ||firstadsolution.com^$third-party +||firstimpression.io^$third-party ||firstlightera.com^$third-party ||fixionmedia.com^$third-party ||fl-ads.com^$third-party @@ -23473,6 +24271,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||freepaidsurveyz.com^$third-party ||freerotator.com^$third-party ||freeskreen.com^$third-party +||freesoftwarelive.com^$third-party ||friendlyduck.com^$third-party ||fruitkings.com^$third-party ||ftjcfx.com^$third-party @@ -23510,11 +24309,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gatikus.com^$third-party ||gayadnetwork.com^$third-party ||geek2us.net^$third-party +||gefhasio.com^$third-party ||geld-internet-verdienen.net^$third-party ||gemineering.com^$third-party ||genericlink.com^$third-party ||genericsteps.com^$third-party ||genesismedia.com^$third-party +||genovesetacet.com^$third-party ||geo-idm.fr^$third-party ||geoipads.com^$third-party ||geopromos.com^$third-party @@ -23527,6 +24328,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gettipsz.info^$third-party ||ggncpm.com^$third-party ||giantaffiliates.com^$third-party +||gigamega.su^$third-party ||gimiclub.com^$third-party ||gklmedia.com^$third-party ||glical.com^$third-party @@ -23547,6 +24349,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||goodadvert.ru^$third-party ||goodadvertising.info^$third-party ||googleadservicepixel.com^$third-party +||googlesyndicatiion.com^$third-party ||googletagservices.com/tag/js/gpt_$third-party ||googletagservices.com/tag/static/$third-party ||gopjn.com^$third-party @@ -23563,6 +24366,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gratisnetwork.com^$third-party ||greenads.org^$third-party ||greenlabelppc.com^$third-party +||grenstia.com^$third-party ||gretzalz.com^$third-party ||gripdownload.co^$third-party ||grllopa.com^$third-party @@ -23577,6 +24381,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gururevenue.com^$third-party ||gwallet.com^$third-party ||gx101.com^$third-party +||h-images.net^$third-party ||h12-media.com^$third-party ||halfpriceozarks.com^$third-party ||halogennetwork.com^$third-party @@ -23585,6 +24390,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||havamedia.net^$third-party ||havetohave.com^$third-party ||hb-247.com^$third-party +||hd-plugin.com^$third-party ||hdplayer-download.com^$third-party ||hdvid-codecs-dl.net^$third-party ||hdvidcodecs.com^$third-party @@ -23594,6 +24400,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||hebiichigo.com^$third-party ||helloreverb.com^$third-party ||hexagram.com^$third-party +||hiadone.com^$third-party ||hijacksystem.com^$third-party ||hilltopads.net^$third-party ||himediads.com^$third-party @@ -23631,7 +24438,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||hyperwebads.com^$third-party ||i-media.co.nz^$third-party ||i.skimresources.com^$third-party -||i2i.jp^$third-party ||iamediaserve.com^$third-party ||iasbetaffiliates.com^$third-party ||iasrv.com^$third-party @@ -23651,6 +24457,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||imedia.co.il^$third-party ||imediaaudiences.com^$third-party ||imediarevenue.com^$third-party +||img-giganto.net^$third-party ||imgfeedget.com^$third-party ||imglt.com^$third-party ||imgwebfeed.com^$third-party @@ -23708,6 +24515,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||intellibanners.com^$third-party ||intellitxt.com^$third-party ||intenthq.com^$third-party +||intentmedia.net^$third-party ||interactivespot.net^$third-party ||interclick.com^$third-party ||interestably.com^$third-party @@ -23727,15 +24535,18 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||inuxu.co.in^$third-party ||investingchannel.com^$third-party ||inviziads.com^$third-party +||ip-adress.com^$third-party ||ipredictive.com^$third-party ||ipromote.com^$third-party ||isohits.com^$third-party ||isparkmedia.com^$third-party +||itrengia.com^$third-party ||iu16wmye.com^$third-party ||iv.doubleclick.net^$third-party ||iwantmoar.net^$third-party ||ixnp.com^$third-party ||izeads.com^$third-party +||j2ef76da3.website^$third-party ||jadcenter.com^$third-party ||jango.com^$third-party ||jangonetwork.com^$third-party @@ -23782,6 +24593,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||keywordblocks.com^$third-party ||kikuzip.com^$third-party ||kinley.com^$third-party +||kintokup.com^$third-party ||kiosked.com^$third-party ||kitnmedia.com^$third-party ||klikadvertising.com^$third-party @@ -23789,6 +24601,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||klikvip.com^$third-party ||klipmart.com^$third-party ||klixfeed.com^$third-party +||kloapers.com^$third-party +||klonedaset.org^$third-party ||knorex.asia^$third-party ||knowd.com^$third-party ||kolition.com^$third-party @@ -23798,11 +24612,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||korrelate.net^$third-party ||kqzyfj.com^$third-party ||kr3vinsx.com^$third-party -||krxd.net^$third-party +||kromeleta.ru^$third-party ||kumpulblogger.com^$third-party +||l3op.info^$third-party ||ladbrokesaffiliates.com.au^$third-party ||lakequincy.com^$third-party +||lakidar.net^$third-party ||lanistaconcepts.com^$third-party +||largestable.com^$third-party ||laserhairremovalstore.com^$third-party ||launchbit.com^$third-party ||layer-ad.org^$third-party @@ -23821,12 +24638,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||leaderpub.fr^$third-party ||leadmediapartners.com^$third-party ||leetmedia.com^$third-party +||legisland.net^$third-party ||letsgoshopping.tk^$third-party ||lfstmedia.com^$third-party ||lgse.com^$third-party ||liftdna.com^$third-party ||ligational.com^$third-party -||ligatus.com^$third-party,domain=~bfmtv.com +||ligatus.com^$third-party ||lightad.co.kr^$third-party ||lightningcast.net^$~object-subrequest,third-party ||linicom.co.il^$third-party @@ -23851,6 +24669,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||linkz.net^$third-party ||liqwid.net^$third-party ||listingcafe.com^$third-party +||liveadoptimizer.com^$third-party ||liveadserver.net^$third-party ||liverail.com^$~object-subrequest,third-party ||liveuniversenetwork.com^$third-party @@ -23879,6 +24698,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||lucidmedia.com^$third-party ||luminate.com^$third-party ||lushcrush.com^$third-party +||luxadv.com^$third-party ||luxbetaffiliates.com.au^$third-party ||luxup.ru^$third-party ||lx2rv.com^$third-party @@ -23891,6 +24711,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||madadsmedia.com^$third-party ||madserving.com^$third-party ||madsone.com^$third-party +||magicalled.info^$third-party ||magnetisemedia.com^$third-party ||mainadv.com^$third-party ||mainroll.com^$third-party @@ -23909,6 +24730,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||marketoring.com^$third-party ||marsads.com^$third-party ||martiniadnetwork.com^$third-party +||masternal.com^$third-party ||mastertraffic.cn^$third-party ||matiro.com^$third-party ||maudau.com^$third-party @@ -23921,6 +24743,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||mbn.com.ua^$third-party ||mdadvertising.net^$third-party ||mdialog.com^$third-party +||mdn2015x1.com^$third-party ||meadigital.com^$third-party ||media-general.com^$third-party ||media-ks.net^$third-party @@ -23942,6 +24765,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||medialand.ru^$third-party ||medialation.net^$third-party ||mediaonenetwork.net^$third-party +||mediaonpro.com^$third-party ||mediapeo.com^$third-party ||mediaplex.com^$third-party,domain=~watchever.de ||mediatarget.com^$third-party @@ -24008,6 +24832,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||mobiyield.com^$third-party ||moborobot.com^$third-party ||mobstrks.com^$third-party +||mobtrks.com^$third-party +||mobytrks.com^$third-party ||modelegating.com^$third-party ||moffsets.com^$third-party ||mogointeractive.com^$third-party @@ -24024,17 +24850,20 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||mooxar.com^$third-party ||moregamers.com^$third-party ||moreplayerz.com^$third-party +||morgdm.ru^$third-party ||moselats.com^$third-party ||movad.net^$third-party ||mpnrs.com^$third-party ||mpression.net^$third-party ||mprezchc.com^$third-party ||msads.net^$third-party +||mtrcss.com^$third-party ||mujap.com^$third-party ||multiadserv.com^$third-party ||munically.com^$third-party ||music-desktop.com^$third-party ||mutary.com^$third-party +||mxtads.com^$third-party ||my-layer.net^$third-party ||myaffiliates.com^$third-party ||myclickbankads.com^$third-party @@ -24044,6 +24873,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||myinfotopia.com^$third-party ||mylinkbox.com^$third-party ||mynewcarquote.us^$third-party +||myplayerhd.net^$third-party ||mythings.com^$third-party ||myuniques.ru^$third-party ||myvads.com^$third-party @@ -24053,6 +24883,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||nabbr.com^$third-party ||nagrande.com^$third-party ||nanigans.com^$third-party +||nativead.co^$third-party +||nativeads.com^$third-party ||nbjmp.com^$third-party ||nbstatic.com^$third-party ||ncrjsserver.com^$third-party @@ -24077,6 +24909,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||networld.hk^$third-party ||networldmedia.net^$third-party ||neudesicmediagroup.com^$third-party +||newdosug.eu^$third-party ||newgentraffic.com^$third-party ||newideasdaily.com^$third-party ||newsadstream.com^$third-party @@ -24089,6 +24922,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ngecity.com^$third-party ||nicheadgenerator.com^$third-party ||nicheads.com^$third-party +||nighter.club^$third-party ||nkredir.com^$third-party ||nmcdn.us^$third-party ||nmwrdr.net^$third-party @@ -24102,6 +24936,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||nowspots.com^$third-party ||nplexmedia.com^$third-party ||npvos.com^$third-party +||nquchhfyex.com^$third-party ||nrnma.com^$third-party ||nscontext.com^$third-party ||nsdsvc.com^$third-party @@ -24109,7 +24944,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||nspmotion.com^$third-party ||nster.net^$third-party,domain=~nster.com ||ntent.com^$third-party -||nuggad.net^$third-party ||numberium.com^$third-party ||nuseek.com^$third-party ||nvadn.com^$third-party @@ -24147,6 +24981,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||onad.eu^$third-party ||onads.com^$third-party ||onclickads.net^$third-party +||onedmp.com^$third-party ||onenetworkdirect.com^$third-party ||onenetworkdirect.net^$third-party ||onespot.com^$third-party @@ -24158,12 +24993,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||onrampadvertising.com^$third-party ||onscroll.com^$third-party ||onsitemarketplace.net^$third-party -||ontoplist.com^$third-party ||onvertise.com^$third-party ||oodode.com^$third-party +||ooecyaauiz.com^$third-party ||oofte.com^$third-party ||oos4l.com^$third-party ||opap.co.kr^$third-party +||openbook.net^$third-party ||openetray.com^$third-party ||opensourceadvertisementnetwork.info^$third-party ||openxadexchange.com^$third-party @@ -24256,6 +25092,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||picsti.com^$third-party ||pictela.net^$third-party ||pinballpublishernetwork.com^$third-party +||pioneeringad.com^$third-party ||pivotalmedialabs.com^$third-party ||pivotrunner.com^$third-party ||pixazza.com^$third-party @@ -24291,12 +25128,15 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||popcash.net^$third-party ||popcpm.com^$third-party ||popcpv.com^$third-party +||popearn.com^$third-party ||popmarker.com^$third-party ||popmyad.com^$third-party ||popmyads.com^$third-party ||poponclick.com^$third-party ||popsads.com^$third-party ||popshow.info^$third-party +||poptarts.me^$third-party +||popularitish.com^$third-party ||popularmedia.net^$third-party ||populis.com^$third-party ||populisengage.com^$third-party @@ -24330,6 +25170,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||prod.untd.com^$third-party ||proffigurufast.com^$third-party ||profitpeelers.com^$third-party +||programresolver.net^$third-party ||projectwonderful.com^$third-party ||promo-reklama.ru^$third-party ||promobenef.com^$third-party @@ -24350,7 +25191,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ptp24.com^$third-party ||pub-fit.com^$third-party ||pubdirecte.com^$third-party,domain=~debrideurstream.fr -||pubexchange.com^$third-party ||pubgears.com^$third-party ||publicidad.net^$third-party ||publicidees.com^$third-party @@ -24359,11 +25199,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||publisheradnetwork.com^$third-party ||pubmatic.com^$third-party ||pubserve.net^$third-party +||pubted.com^$third-party ||pulse360.com^$third-party ||pulsemgr.com^$third-party ||purpleflag.net^$third-party +||push2check.com^$third-party ||pxlad.io^$third-party ||pzaasocba.com^$third-party +||pzuwqncdai.com^$third-party ||q1media.com^$third-party ||q1mediahydraplatform.com^$third-party ||q1xyxm89.com^$third-party @@ -24371,9 +25214,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||qdmil.com^$third-party ||qksrv.net^$third-party ||qksz.net^$third-party +||qnrzmapdcc.com^$third-party ||qnsr.com^$third-party ||qservz.com^$third-party ||quantumads.com^$third-party +||quensillo.com^$third-party ||questionmarket.com^$third-party ||questus.com^$third-party ||quickcash500.com^$third-party @@ -24381,6 +25226,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||qwobl.net^$third-party ||qwzmje9w.com^$third-party ||rabilitan.com^$third-party +||radeant.com^$third-party ||radicalwealthformula.com^$third-party ||radiusmarketing.com^$third-party ||raiggy.com^$third-party @@ -24388,6 +25234,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||rainwealth.com^$third-party ||rampanel.com^$third-party ||rapt.com^$third-party +||rawasy.com^$third-party +||rbnt.org^$third-party ||rcads.net^$third-party ||rcurn.com^$third-party ||rddywd.com^$third-party @@ -24405,6 +25253,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||redintelligence.net^$third-party ||reduxmediagroup.com^$third-party ||reelcentric.com^$third-party +||refban.com^$third-party ||referback.com^$third-party ||regdfh.info^$third-party ||registry.cw.cm^$third-party @@ -24416,6 +25265,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||relytec.com^$third-party ||remiroyal.ro^$third-party ||resideral.com^$third-party +||respecific.net^$third-party ||respond-adserver.cloudapp.net^$third-party ||respondhq.com^$third-party ||resultlinks.com^$third-party @@ -24424,12 +25274,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||reussissonsensemble.fr^$third-party ||rev2pub.com^$third-party ||revcontent.com^$third-party +||revenue.com^$third-party ||revenuegiants.com^$third-party ||revenuehits.com^$third-party ||revenuemantra.com^$third-party ||revenuemax.de^$third-party ||revfusion.net^$third-party ||revmob.com^$third-party +||revokinets.com^$third-party ||revresda.com^$third-party ||revresponse.com^$third-party ||revsci.net^$third-party @@ -24446,6 +25298,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ringtonepartner.com^$third-party ||ripplead.com^$third-party ||riverbanksand.com^$third-party +||rixaka.com^$third-party ||rmxads.com^$third-party ||rnmd.net^$third-party ||robocat.me^$third-party @@ -24463,7 +25316,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||rtbmedia.org^$third-party ||rtbpop.com^$third-party ||rtbpops.com^$third-party -||ru4.com^$third-party ||rubiconproject.com^$third-party ||rummyaffiliates.com^$third-party ||runadtag.com^$third-party @@ -24510,6 +25362,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||servali.net^$third-party ||serve-sys.com^$third-party ||servebom.com^$third-party +||servedbyadbutler.com^$third-party ||servedbyopenx.com^$third-party ||servemeads.com^$third-party ||serving-sys.com^$third-party @@ -24525,6 +25378,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||shareresults.com^$third-party ||sharethrough.com^$third-party ||shoogloonetwork.com^$third-party +||shopalyst.com^$third-party ||shoppingads.com^$third-party ||showyoursite.com^$third-party ||siamzone.com^$third-party @@ -24546,6 +25400,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||skoovyads.com^$third-party ||skyactivate.com^$third-party ||skyscrpr.com^$third-party +||slimspots.com^$third-party ||slimtrade.com^$third-party ||slinse.com^$third-party ||smart-feed-online.com^$third-party @@ -24558,6 +25413,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||smarttargetting.co.uk^$third-party ||smarttargetting.com^$third-party ||smarttargetting.net^$third-party +||smarttds.ru^$third-party ||smileycentral.com^$third-party ||smilyes4u.com^$third-party ||smowtion.com^$third-party @@ -24618,6 +25474,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||sproose.com^$third-party ||sq2trk2.com^$third-party ||srtk.net^$third-party +||srx.com.sg^$third-party ||sta-ads.com^$third-party ||stackadapt.com^$third-party ||stackattacka.com^$third-party @@ -24685,6 +25542,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||tattomedia.com^$third-party ||tbaffiliate.com^$third-party ||tcadops.ca^$third-party +||td553.com^$third-party ||teads.tv^$third-party ||teambetaffiliates.com^$third-party ||teasernet.com^$third-party @@ -24704,8 +25562,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||theads.me^$third-party ||thebannerexchange.com^$third-party ||thebflix.info^$third-party +||theequalground.info^$third-party ||thelistassassin.com^$third-party ||theloungenet.com^$third-party +||themidnightmatulas.com^$third-party ||thepiratereactor.net^$third-party ||thewebgemnetwork.com^$third-party ||thewheelof.com^$third-party @@ -24716,12 +25576,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||tinbuadserv.com^$third-party ||tisadama.com^$third-party ||tiser.com^$third-party +||tissage-extension.com^$third-party ||tkqlhce.com^$third-party ||tldadserv.com^$third-party ||tlvmedia.com^$third-party ||tnyzin.ru^$third-party ||toboads.com^$third-party ||tokenads.com^$third-party +||tollfreeforwarding.com^$third-party ||tomekas.com^$third-party ||tonefuse.com^$third-party ||tool-site.com^$third-party @@ -24779,6 +25641,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||trafficsway.com^$third-party ||trafficsynergy.com^$third-party ||traffictrader.net^$third-party +||trafficular.com^$third-party ||trafficvance.com^$third-party ||trafficwave.net^$third-party ||trafficz.com^$third-party @@ -24790,6 +25653,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||travelscream.com^$third-party ||travidia.com^$third-party ||tredirect.com^$third-party +||trenpyle.com^$third-party ||triadmedianetwork.com^$third-party ||tribalfusion.com^$third-party ||trigami.com^$third-party @@ -24818,6 +25682,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||twittad.com^$third-party ||twtad.com^$third-party ||tyroo.com^$third-party +||u-ad.info^$third-party ||u1hw38x0.com^$third-party ||ubudigital.com^$third-party ||udmserve.net^$third-party @@ -24825,6 +25690,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ughus.com^$third-party ||uglyst.com^$third-party ||uiadserver.com^$third-party +||uiqatnpooq.com^$third-party ||ukbanners.com^$third-party ||unanimis.co.uk^$third-party ||underclick.ru^$third-party @@ -24848,6 +25714,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||usercash.com^$third-party ||usurv.com^$third-party ||utarget.co.uk^$third-party +||utarget.ru^$third-party ||utokapa.com^$third-party ||utubeconverter.com^$third-party ||v.fwmrm.net^$object-subrequest,third-party @@ -24882,6 +25749,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||vibrant.co^$third-party ||vibrantmedia.com^$third-party ||video-loader.com^$third-party +||video1404.info^$third-party ||videoadex.com^$third-party ||videoclick.ru^$third-party ||videodeals.com^$third-party @@ -24897,11 +25765,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||vidpay.com^$third-party ||viedeo2k.tv^$third-party ||view-ads.de^$third-party +||view.atdmt.com^*/iview/$third-party ||viewablemedia.net^$third-party ||viewclc.com^$third-party ||viewex.co.uk^$third-party ||viewivo.com^$third-party ||vindicosuite.com^$third-party +||vipcpms.com^$third-party ||vipquesting.com^$third-party ||visiads.com^$third-party ||visiblegains.com^$third-party @@ -24926,12 +25796,16 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||w00tmedia.net^$third-party ||w3exit.com^$third-party ||w4.com^$third-party +||w5statistics.info^$third-party +||w9statistics.info^$third-party ||wagershare.com^$third-party ||wahoha.com^$third-party ||wamnetwork.com^$third-party +||wangfenxi.com^$third-party ||warezlayer.to^$third-party ||warfacco.com^$third-party ||watchfree.flv.in^$third-party +||wateristian.com^$third-party ||waymp.com^$third-party ||wbptqzmv.com^$third-party ||wcmcs.net^$third-party @@ -25016,6 +25890,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||yceml.net^$third-party ||yeabble.com^$third-party ||yes-messenger.com^$third-party +||yesadsrv.com^$third-party ||yesnexus.com^$third-party ||yieldads.com^$third-party ||yieldadvert.com^$third-party @@ -25036,6 +25911,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||youcandoitwithroi.com^$third-party ||youlamedia.com^$third-party ||youlouk.com^$third-party +||your-tornado-file.com^$third-party +||your-tornado-file.org^$third-party ||youradexchange.com^$third-party ||yourfastpaydayloans.com^$third-party ||yourquickads.com^$third-party @@ -25080,7 +25957,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adbuddiz.com^$third-party ||adcolony.com^$third-party ||adiquity.com^$third-party -||admarvel.com^$third-party ||admob.com^$third-party ||adwhirl.com^$third-party ||adwired.mobi^$third-party @@ -25114,59 +25990,122 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||yieldmo.com^$third-party ! Non-English (instead of whitelisting ads) ||adhood.com^$third-party +||atresadvertising.com^$third-party ! Yavli.com +||accmndtion.org^$third-party +||addo-mnton.com^$third-party +||allianrd.net^$third-party +||anomiely.com^$third-party +||appr8.net^$third-party ||artbr.net^$third-party +||baordrid.com^$third-party +||batarsur.com^$third-party +||baungarnr.com^$third-party +||biankord.net^$third-party +||blazwuatr.com^$third-party +||blipi.net^$third-party +||bluazard.net^$third-party +||buhafr.net^$third-party +||casiours.com^$third-party +||chansiar.net^$third-party +||chiuawa.net^$third-party +||chualangry.com^$third-party ||compoter.net^$third-party +||contentolyze.net^$third-party +||contentr.net^$third-party ||crhikay.me^$third-party +||d3lens.com^$third-party +||dilpy.org^$third-party +||domri.net^$third-party ||draugonda.net^$third-party ||drfflt.info^$third-party +||dutolats.net^$third-party ||edabl.net^$third-party +||elepheny.com^$third-party ||entru.co^$third-party ||ergers.net^$third-party ||ershgrst.com^$third-party +||esults.net^$third-party +||exciliburn.com^$third-party +||excolobar.com^$third-party ||exernala.com^$third-party +||extonsuan.com^$third-party ||faunsts.me^$third-party ||flaudnrs.me^$third-party ||flaurse.net^$third-party +||foulsomty.com^$third-party ||fowar.net^$third-party ||frxle.com^$third-party ||frxrydv.com^$third-party +||fuandarst.com^$third-party ||gghfncd.net^$third-party ||gusufrs.me^$third-party ||hapnr.net^$third-party +||havnr.com^$third-party +||heizuanubr.net^$third-party ||hobri.net^$third-party +||hoppr.co^$third-party ||ignup.com^$third-party +||iunbrudy.net^$third-party ||ivism.org^$third-party +||jaspensar.com^$third-party ||jdrm4.com^$third-party +||jellr.net^$third-party +||juruasikr.net^$third-party +||jusukrs.com^$third-party +||kioshow.com^$third-party +||kuangard.net^$third-party +||lesuard.com^$third-party +||lia-ndr.com^$third-party +||lirte.org^$third-party ||loopr.co^$third-party +||oplo.org^$third-party ||opner.co^$third-party ||pikkr.net^$third-party +||polawrg.com^$third-party ||prfffc.info^$third-party ||q3sift.com^$third-party ||qewa33a.com^$third-party +||qzsccm.com^$third-party ||r3seek.com^$third-party ||rdige.com^$third-party ||regersd.net^$third-party ||rhgersf.com^$third-party ||rlex.org^$third-party ||rterdf.me^$third-party +||rugistoto.net^$third-party ||selectr.net^$third-party +||simusangr.com^$third-party ||splazards.com^$third-party +||spoa-soard.com^$third-party ||sxrrxa.net^$third-party ||t3sort.com^$third-party ||th4wwe.net^$third-party ||thrilamd.net^$third-party +||topdi.net^$third-party ||trllxv.co^$third-party ||trndi.net^$third-party ||uppo.co^$third-party ||viewscout.com^$third-party +||vopdi.com^$third-party ||waddr.com^$third-party +||wensdteuy.com^$third-party +||wopdi.com^$third-party +||wuarnurf.net^$third-party +||wuatriser.net^$third-party +||wudr.net^$third-party ||xcrsqg.com^$third-party +||xplrer.co^$third-party +||xylopologyn.com^$third-party +||yardr.net^$third-party +||yobr.net^$third-party ||yodr.net^$third-party +||yomri.net^$third-party ||yopdi.com^$third-party ||ypprr.com^$third-party ||yrrrbn.me^$third-party ||z4pick.com^$third-party +||zomri.net^$third-party ||zrfrornn.net^$third-party ! *** easylist:easylist/easylist_adservers_popup.txt *** ||123vidz.com^$popup,third-party @@ -25174,7 +26113,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||32d1d3b9c.se^$popup,third-party ||4dsply.com^$popup,third-party ||5dimes.com^$popup,third-party -||888.com^$popup,third-party +||83nsdjqqo1cau183xz.com^$popup,third-party ||888casino.com^$popup,third-party ||888games.com^$popup,third-party ||888media.net^$popup,third-party @@ -25187,6 +26126,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ad-feeds.com^$popup,third-party ||ad.doubleclick.net^$popup,third-party ||ad.zanox.com/ppv/$popup,third-party +||ad131m.com^$popup,third-party ||ad2387.com^$popup,third-party ||ad2games.com^$popup,third-party ||ad4game.com^$popup,third-party @@ -25195,7 +26135,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adfarm.mediaplex.com^$popup,third-party ||adform.net^$popup,third-party ||adimps.com^$popup,third-party +||aditor.com^$popup,third-party ||adjuggler.net^$popup,third-party +||adk2.co^$popup,third-party +||adk2.com^$popup,third-party +||adk2.net^$popup,third-party ||adlure.net^$popup,third-party ||adnxs.com^$popup,third-party ||adonweb.ru^$popup,third-party @@ -25222,19 +26166,24 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ar.voicefive.com^$popup,third-party ||awempire.com^$popup,third-party ||awsclic.com^$popup,third-party +||bannerflow.com^$popup,third-party ||baypops.com^$popup,third-party ||becoquin.com^$popup,third-party ||becoquins.net^$popup,third-party +||bentdownload.com^$popup,third-party ||bestproducttesters.com^$popup,third-party ||bidsystem.com^$popup,third-party ||bidvertiser.com^$popup,third-party +||bighot.ru^$popup,third-party ||binaryoptionsgame.com^$popup,third-party ||blinko.es^$popup,third-party ||blinkogold.es^$popup,third-party +||blockthis.es^$popup,third-party ||blogscash.info^$popup,third-party ||bongacams.com^$popup,third-party ||bonzuna.com^$popup,third-party ||brandreachsys.com^$popup,third-party +||bzrvwbsh5o.com^$popup,third-party ||careerjournalonline.com^$popup ||casino.betsson.com^$popup,third-party ||clickmngr.com^$popup,third-party @@ -25251,6 +26200,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||cpmstar.com^$popup,third-party ||cpmterra.com^$popup,third-party ||cpvadvertise.com^$popup,third-party +||crazyad.net^$popup,third-party ||directrev.com^$popup,third-party ||distantnews.com^$popup,third-party ||distantstat.com^$popup,third-party @@ -25260,6 +26210,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||downloadthesefile.com^$popup,third-party ||easydownloadnow.com^$popup,third-party ||easykits.org^$popup,third-party +||ebzkswbs78.com^$popup,third-party ||epicgameads.com^$popup,third-party ||euromillionairesystem.me^$popup,third-party ||ewebse.com^$popup,third-party @@ -25269,10 +26220,12 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||f-questionnaire.com^$popup,third-party ||fhserve.com^$popup,third-party ||fidel.to^$popup,third-party +||filestube.com^$popup,third-party ||finance-reporting.org^$popup,third-party ||findonlinesurveysforcash.com^$popup,third-party ||firstclass-download.com^$popup,third-party ||firstmediahub.com^$popup,third-party +||fmdwbsfxf0.com^$popup,third-party ||friendlyduck.com^$popup,third-party ||g05.info^$popup,third-party ||ganja.com^$popup,third-party @@ -25281,6 +26234,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gotoplaymillion.com^$popup,third-party ||greatbranddeals.com^$popup,third-party ||gsniper2.com^$popup,third-party +||hd-plugin.com^$popup,third-party ||highcpms.com^$popup,third-party ||homecareerforyou1.info^$popup,third-party ||hornygirlsexposed.com^$popup,third-party @@ -25291,17 +26245,22 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||inbinaryoption.com^$popup,third-party ||indianmasala.com^$popup,third-party,domain=masalaboard.com ||indianweeklynews.com^$popup,third-party +||insta-cash.net^$popup,third-party ||instantpaydaynetwork.com^$popup,third-party ||jdtracker.com^$popup,third-party ||jujzh9va.com^$popup,third-party ||junbi-tracker.com^$popup,third-party ||kanoodle.com^$popup,third-party +||landsraad.cc^$popup,third-party +||legisland.net^$popup,third-party ||ligatus.com^$popup,third-party ||livechatflirt.com^$popup,third-party ||livepromotools.com^$popup,third-party +||liversely.net^$popup,third-party ||lmebxwbsno.com^$popup,third-party ||lnkgt.com^$popup,third-party ||m57ku6sm.com^$popup,third-party +||marketresearchglobal.com^$popup,third-party ||media-app.com^$popup,third-party ||media-servers.net^$popup,third-party ||mediaseeding.com^$popup,third-party @@ -25335,6 +26294,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||pointroll.com^$popup,third-party ||popads.net^$popup,third-party ||popmyads.com^$popup,third-party +||print3.info^$popup,third-party ||prizegiveaway.org^$popup,third-party ||promotions-paradise.org^$popup,third-party ||promotions.sportsbet.com.au^$popup,third-party @@ -25346,8 +26306,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||pulse360.com^$popup,third-party ||raoplenort.biz^$popup,third-party ||ratari.ru^$popup,third-party +||rdsrv.com^$popup,third-party ||rehok.km.ua^$popup,third-party ||rgadvert.com^$popup,third-party +||rikhov.ru^$popup,third-party ||ringtonepartner.com^$popup,third-party ||ronetu.ru^$popup,third-party ||roulettebotplus.com^$popup,third-party @@ -25357,7 +26319,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||serving-sys.com^$popup,third-party ||sexitnow.com^$popup,third-party ||silstavo.com^$popup,third-party +||simpleinternetupdate.com^$popup,third-party ||singlesexdates.com^$popup,third-party +||slimspots.com^$popup,third-party ||smartwebads.com^$popup,third-party ||sms-mmm.com^$popup,third-party ||smutty.com^$popup,third-party @@ -25386,14 +26350,21 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||trw12.com^$popup,third-party ||tutvp.com^$popup,third-party ||updater-checker.net^$popup,third-party +||vgsgaming-ads.com^$popup,third-party +||vipcpms.com^$popup,third-party ||vprmnwbskk.com^$popup,third-party +||w4statistics.info^$popup,third-party ||wahoha.com^$popup,third-party ||wbsadsdel.com^$popup,third-party ||wbsadsdel2.com^$popup,third-party +||weareheard.org^$popup,third-party +||websearchers.net^$popup,third-party ||webtrackerplus.com^$popup,third-party ||weliketofuckstrangers.com^$popup,third-party ||wigetmedia.com^$popup,third-party +||wonderlandads.com^$popup,third-party ||worldrewardcenter.net^$popup,third-party +||wwwpromoter.com^$popup,third-party ||wzus1.ask.com^$popup,third-party ||xclicks.net^$popup,third-party ||xtendmedia.com^$popup,third-party @@ -25409,6 +26380,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||123advertising.nl^$third-party ||15yomodels.com^$third-party ||173.245.86.115^$domain=~yobt.com.ip +||18naked.com^$third-party ||195.228.74.26^$third-party ||1loop.com^$third-party ||1tizer.com^$third-party @@ -25471,10 +26443,12 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adultcommercial.net^$third-party ||adultdatingtraffic.com^$third-party ||adultlinkexchange.com^$third-party +||adultmediabuying.com^$third-party ||adultmoviegroup.com^$third-party ||adultoafiliados.com.br^$third-party ||adultpopunders.com^$third-party ||adultsense.com^$third-party +||adultsense.org^$third-party ||adulttiz.com^$third-party ||adulttubetraffic.com^$third-party ||adv-plus.com^$third-party @@ -25486,6 +26460,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||advmaker.ru^$third-party ||advmania.com^$third-party ||advprotraffic.com^$third-party +||advredir.com^$third-party ||advsense.info^$third-party ||adxite.com^$third-party ||adxmarket.com^$third-party @@ -25499,28 +26474,35 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||aipbannerx.com^$third-party ||aipmedia.com^$third-party ||alfatraffic.com^$third-party +||all-about-tech.com^$third-party ||alladultcash.com^$third-party ||allosponsor.com^$third-party ||allotraffic.com^$third-party ||amtracking01.com^$third-party +||amvotes.ru^$third-party ||anastasia-international.com^$third-party ||angelpastel.com^$third-party ||antaraimedia.com^$third-party ||antoball.com^$third-party ||apromoweb.com^$third-party ||asiafriendfinder.com^$third-party +||augrenso.com^$third-party ||awmcenter.eu^$third-party ||awmpartners.com^$third-party ||ax47mp-xp-21.com^$third-party +||azerbazer.com^$third-party ||aztecash.com^$third-party ||basesclick.ru^$third-party +||baskodenta.com^$third-party ||bcash4you.com^$third-party ||belamicash.com^$third-party ||belasninfetas.org^$third-party ||bestholly.com^$third-party ||bestssn.com^$third-party +||betweendigital.com^$third-party ||bgmtracker.com^$third-party ||biksibo.ru^$third-party +||black-ghettos.info^$third-party ||blossoms.com^$third-party ||board-books.com^$third-party ||boinkcash.com^$third-party @@ -25552,6 +26534,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||cdn.nsimg.net^$third-party ||ceepq.com^$third-party ||celeb-ads.com^$third-party +||celogera.com^$third-party ||cennter.com^$third-party ||certified-apps.com^$third-party ||cervicalknowledge.info^$third-party @@ -25561,6 +26544,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||chopstick16.com^$third-party ||citysex.com^$third-party ||clearac.com^$third-party +||clickganic.com^$third-party ||clickpapa.com^$third-party ||clicksvenue.com^$third-party ||clickthruserver.com^$third-party @@ -25572,6 +26556,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||colpory.com^$third-party ||comunicazio.com^$third-party ||cpacoreg.com^$third-party +||cpl1.ru^$third-party ||crakbanner.com^$third-party ||crakcash.com^$third-party ||creoads.com^$third-party @@ -25586,6 +26571,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||dallavel.com^$third-party ||dana123.com^$third-party ||danzabucks.com^$third-party +||darangi.ru^$third-party ||data-ero-advertising.com^$third-party ||datefunclub.com^$third-party ||datetraders.com^$third-party @@ -25593,11 +26579,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||dating-adv.com^$third-party ||datingadnetwork.com^$third-party ||datingamateurs.com^$third-party -||datingfactory.com^$third-party ||datingidol.com^$third-party ||dblpmp.com^$third-party ||deecash.com^$third-party ||demanier.com^$third-party +||denotyro.com^$third-party ||depilflash.tv^$third-party ||depravedwhores.com^$third-party ||desiad.net^$third-party @@ -25608,6 +26594,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||discreetlocalgirls.com^$third-party ||divascam.com^$third-party ||divertura.com^$third-party +||dofolo.ru^$third-party ||dosugcz.biz^$third-party ||double-check.com^$third-party ||doublegear.com^$third-party @@ -25620,6 +26607,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||easyflirt.com^$third-party ||ebdr2.com^$third-party ||elekted.com^$third-party +||eltepo.ru^$third-party ||emediawebs.com^$third-party ||enoratraffic.com^$third-party ||eragi.ru^$third-party @@ -25633,6 +26621,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||exchangecash.de^$third-party ||exclusivepussy.com^$third-party ||exoclickz.com^$third-party +||exogripper.com^$third-party ||eyemedias.com^$third-party ||facebookofsex.com^$third-party ||faceporn.com^$third-party @@ -25669,11 +26658,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||funnypickuplinesforgirls.com^$third-party ||g6ni40i7.com^$third-party ||g726n8cy.com^$third-party +||gamblespot.ru^$third-party ||ganardineroreal.com^$third-party ||gayadpros.com^$third-party ||gayxperience.com^$third-party +||gefnaro.com^$third-party ||genialradio.com^$third-party ||geoaddicted.net^$third-party +||geofamily.ru^$third-party ||geoinventory.com^$third-party ||getiton.com^$third-party ||gfhdkse.com^$third-party @@ -25691,6 +26683,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gunzblazingpromo.com^$third-party ||helltraffic.com^$third-party ||hentaibiz.com^$third-party +||herezera.com^$third-party ||hiddenbucks.com^$third-party ||highnets.com^$third-party ||hipals.com^$third-party @@ -25744,6 +26737,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||kingpinmedia.net^$third-party ||kinopokaz.org^$third-party ||kliklink.ru^$third-party +||kolestence.com^$third-party ||kolitat.com^$third-party ||kolort.ru^$third-party ||kuhnivsemisrazu.ru^$third-party @@ -25771,6 +26765,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||lucidcommerce.com^$third-party ||luvcash.com^$third-party ||luvcom.com^$third-party +||madbanner.com^$third-party ||magical-sky.com^$third-party ||mahnatka.ru^$third-party ||mallcom.com^$third-party @@ -25825,9 +26820,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||newsexbook.com^$third-party ||ngbn.net^$third-party ||nikkiscash.com^$third-party +||ningme.ru^$third-party ||njmaq.com^$third-party ||nkk31jjp.com^$third-party ||nscash.com^$third-party +||nsfwads.com^$third-party ||nummobile.com^$third-party ||nvp2auf5.com^$third-party ||oddads.net^$third-party @@ -25836,11 +26833,16 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||onhercam.com^$third-party ||onyarysh.ru^$third-party ||ordermc.com^$third-party +||orodi.ru^$third-party ||otaserve.net^$third-party ||otherprofit.com^$third-party ||outster.com^$third-party ||owlopadjet.info^$third-party +||owpawuk.ru^$third-party ||ozelmedikal.com^$third-party +||ozon.ru^$third-party +||ozone.ru^$third-party,domain=~ozon.ru|~ozonru.co.il|~ozonru.com|~ozonru.eu|~ozonru.kz +||ozonru.eu^$third-party ||paid-to-promote.net^$third-party ||parkingpremium.com^$third-party ||partnercash.com^$third-party @@ -25875,7 +26877,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||pornleep.com^$third-party ||porno-file.ru^$third-party ||pornoow.com^$third-party -||pornprosnetwork.com^$third-party ||porntrack.com^$third-party ||portable-basketball.com^$third-party ||pourmajeurs.com^$third-party @@ -25896,6 +26897,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||promowebstar.com^$third-party ||protect-x.com^$third-party ||protizer.ru^$third-party +||prscripts.com^$third-party ||ptclassic.com^$third-party ||ptrfc.com^$third-party ||ptwebcams.com^$third-party @@ -25905,7 +26907,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||putags.com^$third-party ||putanapartners.com^$third-party ||pyiel2bz.com^$third-party +||quagodex.com^$third-party ||queronamoro.com^$third-party +||quexotac.com^$third-party ||r7e0zhv8.com^$third-party ||rack-media.com^$third-party ||ragazzeinvendita.com^$third-party @@ -25923,6 +26927,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||reliablebanners.com^$third-party ||reprak.com^$third-party ||retargetpro.net^$third-party +||retoxo.com^$third-party ||rexbucks.com^$third-party ||rivcash.com^$third-party ||rmbn.net^$third-party @@ -25947,7 +26952,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||searchx.eu^$third-party ||secretbehindporn.com^$third-party ||seekbang.com^$third-party +||seemybucks.com^$third-party ||seitentipp.com^$third-party +||senkinar.com^$third-party ||sesxc.com^$third-party ||sexad.net^$third-party ||sexdatecash.com^$third-party @@ -25965,6 +26972,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||siccash.com^$third-party ||sixsigmatraffic.com^$third-party ||sjosteras.com^$third-party +||skeettools.com^$third-party ||slendastic.com^$third-party ||smartbn.ru^$third-party ||sms-xxx.com^$third-party @@ -25988,15 +26996,18 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||talk-blog.com^$third-party ||targetingnow.com^$third-party ||targettrafficmarketing.net^$third-party +||tarkita.ru^$third-party ||teasernet.ru^$third-party ||teaservizio.com^$third-party ||tech-board.com^$third-party ||teendestruction.com^$third-party ||the-adult-company.com^$third-party +||thebunsenburner.com^$third-party ||thepayporn.com^$third-party ||thesocialsexnetwork.com^$third-party ||thumbnail-galleries.net^$third-party ||timteen.com^$third-party +||tingrinter.com^$third-party ||tinyweene.com^$third-party ||titsbro.net^$third-party ||titsbro.org^$third-party @@ -26014,6 +27025,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||tracelive.ru^$third-party ||tracker2kss.eu^$third-party ||trackerodss.eu^$third-party +||traffbiz.ru^$third-party ||traffic-in.com^$third-party ||traffic.ru^$third-party ||trafficholder.com^$third-party @@ -26021,6 +27033,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||trafficlearn.com^$third-party ||trafficpimps.com^$third-party ||trafficshop.com^$third-party +||trafficstars.com^$third-party ||trafficundercontrol.com^$third-party ||traficmax.fr^$third-party ||trafogon.net^$third-party @@ -26032,15 +27045,19 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||tubeadnetwork.com^$third-party ||tubedspots.com^$third-party ||tufosex.com.br^$third-party +||tvzavr.ru^$third-party ||twistyscash.com^$third-party +||ukreggae.ru^$third-party ||unaspajas.com^$third-party ||unlimedia.net^$third-party +||uxernab.com^$third-party ||ver-pelis.net^$third-party ||verticalaffiliation.com^$third-party ||video-people.com^$third-party ||virtuagirlhd.com^$third-party ||vividcash.com^$third-party ||vktr073.net^$third-party +||vlexokrako.com^$third-party ||vlogexpert.com^$third-party ||vod-cash.com^$third-party ||vogopita.com^$third-party @@ -26051,6 +27068,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||wamcash.com^$third-party ||warsomnet.com^$third-party ||webcambait.com^$third-party +||webcampromotions.com^$third-party ||webclickengine.com^$third-party ||webclickmanager.com^$third-party ||websitepromoserver.com^$third-party @@ -26098,6 +27116,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||yourdatelink.com^$third-party ||yourfuckbook.com^$third-party,domain=~fuckbookhookups.com ||ypmadserver.com^$third-party +||yu0123456.com^$third-party ||yuppads.com^$third-party ||yx0banners.com^$third-party ||zinzimo.info^$third-party @@ -26122,7 +27141,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||chokertraffic.com^$popup,third-party ||chtic.net^$popup,third-party ||doublegear.com^$popup,third-party +||dverser.ru^$popup,third-party ||easysexdate.com^$popup +||ebocornac.com^$popup,third-party ||ekod.info^$popup,third-party ||ero-advertising.com^$popup,third-party ||everyporn.net^$popup,third-party @@ -26132,6 +27153,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||filthads.com^$popup,third-party ||flagads.net^$popup ||foaks.com^$popup,third-party +||fox-forden.ru^$popup,third-party ||fpctraffic2.com^$popup,third-party ||freecamsexposed.com^$popup ||freewebcams.com^$popup,third-party @@ -26147,6 +27169,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ipvertising.com^$popup ||juicyads.com^$popup,third-party ||kaizentraffic.com^$popup,third-party +||legacyminerals.net^$popup,third-party ||loltrk.com^$popup,third-party ||naughtyplayful.com^$popup,third-party ||needlive.com^$popup @@ -26158,17 +27181,21 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||popcash.net^$popup,third-party ||pornbus.org^$popup ||prexista.com^$popup,third-party +||prpops.com^$popup,third-party ||reviewdollars.com^$popup,third-party ||sascentral.com^$popup,third-party ||setravieso.com^$popup,third-party ||sex-journey.com^$popup,third-party ||sexad.net^$popup,third-party +||sexflirtbook.com^$popup,third-party ||sexintheuk.com^$popup,third-party ||socialsex.biz^$popup,third-party ||socialsex.com^$popup,third-party ||targetingnow.com^$popup,third-party ||trafficbroker.com^$popup ||trafficholder.com^$popup,third-party +||trafficstars.com^$popup +||vlexokrako.com^$popup ||voyeurbase.com^$popup,third-party ||watchmygf.com^$popup ||xdtraffic.com^$popup,third-party @@ -26197,6 +27224,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||1stag.com/main/img/banners/ ||1whois.org/static/popup.js ||208.43.84.120/trueswordsa3.gif$third-party,domain=~trueswords.com.ip +||209.15.224.6^$third-party,domain=~liverail-mlgtv.ip ||216.41.211.36/widget/$third-party,domain=~bpaww.com.ip ||217.115.147.241/media/$third-party,domain=~elb-kind.de.ip ||24.com//flashplayer/ova-jw.swf$object-subrequest @@ -26208,6 +27236,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||2yu.in/banner/$third-party ||360pal.com/ads/$third-party ||3dots.co.il/pop/ +||4getlikes.com/promo/ ||69.50.226.158^$third-party,domain=~worth1000.com.ip ||6angebot.ch^$third-party,domain=netload.in ||6theory.com/pub/ @@ -26218,6 +27247,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||a.livesportmedia.eu^ ||a.ucoz.net^ ||a.watershed-publishing.com^ +||a04296f070c0146f314d-0dcad72565cb350972beb3666a86f246.r50.cf5.rackcdn.com^ ||a1channel.net/img/downloadbtn2.png ||a1channel.net/img/watch_now.gif ||abacast.com/banner/ @@ -26225,7 +27255,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ad.23blogs.com^$third-party ||ad.about.co.kr^ ||ad.accessmediaproductions.com^ -||ad.adriver.ru^$domain=firstrownow.eu|kyivpost.com|uatoday.tv +||ad.adriver.ru^$domain=firstrownow.eu|kyivpost.com|uatoday.tv|unian.info ||ad.aquamediadirect.com^$third-party ||ad.e-kolay.net^$third-party ||ad.flux.com^ @@ -26257,12 +27287,12 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ad.smartclip.net^ ||ad.spielothek.so^ ||ad.sponsoreo.com^$third-party -||ad.theequalground.info^ ||ad.valuecalling.com^$third-party ||ad.vidaroo.com^ ||ad.winningpartner.com^ ||ad.wsod.com^$third-party ||ad.zaman.com.tr^$third-party +||ad2links.com/js/$third-party ||adap.tv/redir/client/static/as3adplayer.swf ||adap.tv/redir/plugins/$object-subrequest ||adap.tv/redir/plugins3/$object-subrequest @@ -26274,12 +27304,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adfoc.us/js/$third-party ||adingo.jp.eimg.jp^ ||adlandpro.com^$third-party -||adm.shinobi.jp^ +||adm.shinobi.jp^$third-party ||adn.ebay.com^ ||adplus.goo.mx^ ||adr-*.vindicosuite.com^ ||ads.dynamicyield.com^$third-party ||ads.mp.mydas.mobi^ +||adscaspion.appspot.com^ ||adserv.legitreviews.com^$third-party ||adsrv.eacdn.com^$third-party ||adss.dotdo.net^ @@ -26292,7 +27323,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||aff.eteachergroup.com^ ||aff.marathonbet.com^ ||aff.svjump.com^ -||affddl.automotive.com^ ||affil.mupromo.com^ ||affiliate.juno.co.uk^$third-party ||affiliate.mediatemple.net^$third-party @@ -26305,12 +27335,15 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||affiliates.homestead.com^$third-party ||affiliates.lynda.com^$third-party ||affiliates.picaboocorp.com^$third-party +||affiliatesmedia.sbobet.com^ +||affiliation.filestube.com^$third-party ||affiliation.fotovista.com^ ||affutdmedia.com^$third-party ||afimg.liveperson.com^$third-party ||agenda.complex.com^ ||agoda.net/banners/ ||ahlanlive.com/newsletters/banners/$third-party +||airvpn.org/images/promotional/ ||ais.abacast.com^ ||ak.imgaft.com^$third-party ||ak1.imgaft.com^$third-party @@ -26324,6 +27357,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||algart.net*_banner_$third-party ||allposters.com^*/banners/ ||allsend.com/public/assets/images/ +||alluremedia.com.au^*/campaigns/ ||alpsat.com/banner/ ||altushost.com/docs/$third-party ||amazon.com/?_encoding*&linkcode$third-party @@ -26344,6 +27378,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||amazonaws.com/skyscrpr.js ||amazonaws.com/streetpulse/ads/ ||amazonaws.com/widgets.youcompare.com.au/ +||amazonaws.com/youpop/ ||analytics.disneyinternational.com^ ||angelbc.com/clients/*/banners/$third-party ||anime.jlist.com^$third-party @@ -26410,6 +27445,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||banners.videosz.com^$third-party ||banners.webmasterplan.com^$third-party ||bbcchannels.com/workspace/uploads/ +||bc.coupons.com^$third-party ||bc.vc/js/link-converter.js$third-party ||beachcamera.com/assets/banners/ ||bee4.biz/banners/ @@ -26433,6 +27469,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||bigpond.com/specials/$subdocument,third-party ||bigrock.in/affiliate/ ||bijk.com^*/banners/ +||binbox.io/public/img/promo/$third-party ||binopt.net/banners/ ||bit.ly^$subdocument,domain=adf.ly ||bitcoindice.com/img/bitcoindice_$third-party @@ -26444,6 +27481,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||blindferret.com/images/*_skin_ ||blinkx.com/?i=*&adc_pub_id=$script,third-party ||blinkx.com/f2/overlays/ +||bliss-systems-api.co.uk^$third-party ||blissful-sin.com/affiliates/ ||blocks.ginotrack.com^$third-party ||bloodstock.uk.com/affiliates/ @@ -26503,6 +27541,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||cdn.assets.gorillanation.com^$third-party ||cdn.cdncomputer.com/js/main.js ||cdn.ndparking.com/js/init.min.js +||cdn.offcloud.com^$third-party +||cdn.pubexchange.com/modules/display/$script ||cdn.sweeva.com/images/$third-party ||cdnpark.com/scripts/js3.js ||cdnprk.com/scripts/js3.js @@ -26512,6 +27552,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||cerebral.typn.com^ ||cex.io/img/b/ ||cex.io/informer/$third-party +||cfcdn.com/showcase_sample/search_widget/ ||cgmlab.com/tools/geotarget/custombanner.js ||chacsystems.com/gk_add.html$third-party ||challies.com^*/wtsbooks5.png$third-party @@ -26523,7 +27564,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||citygridmedia.com/ads/ ||cjmooter.xcache.kinxcdn.com^ ||clarity.abacast.com^ -||clearchannel.com/cc-common/templates/addisplay/ ||click.eyk.net^ ||clickstrip.6wav.es^ ||clicksure.com/img/resources/banner_ @@ -26532,6 +27572,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||cloudfront.net/scripts/js3caf.js ||cloudzer.net/ref/ ||cloudzer.net^*/banner/$third-party +||cngroup.co.uk/service/creative/ ||cnhionline.com^*/rtj_ad.jpg ||cnnewmedia.co.uk/locker/ ||code.popup2m.com^$third-party @@ -26608,6 +27649,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||d2ipklohrie3lo.cloudfront.net^ ||d2mic0r0bo3i6z.cloudfront.net^ ||d2mq0uzafv8ytp.cloudfront.net^ +||d2nlytvx51ywh9.cloudfront.net^ ||d2o307dm5mqftz.cloudfront.net^ ||d2oallm7wrqvmi.cloudfront.net^ ||d2omcicc3a4zlg.cloudfront.net^ @@ -26640,6 +27682,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||d3lvr7yuk4uaui.cloudfront.net^ ||d3lzezfa753mqu.cloudfront.net^ ||d3m41swuqq4sv5.cloudfront.net^ +||d3nvrqlo8rj1kw.cloudfront.net^ ||d3p9ql8flgemg7.cloudfront.net^ ||d3pkae9owd2lcf.cloudfront.net^ ||d3q2dpprdsteo.cloudfront.net^ @@ -26710,6 +27753,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||downloadandsave-a.akamaihd.net^$third-party ||downloadprovider.me/en/search/*?aff.id=*&iframe=$third-party ||dp51h10v6ggpa.cloudfront.net^ +||dpsq2uzakdgqz.cloudfront.net^ ||dq2tgxnc2knif.cloudfront.net^ ||dramafever.com/widget/$third-party ||dramafeverw2.appspot.com/widget/$third-party @@ -26795,6 +27839,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||filefactory.com^*/refer.php?hash= ||filejungle.com/images/banner/ ||fileloadr.com^$third-party +||fileparadox.com/images/banner/ ||filepost.com/static/images/bn/ ||fileserve.com/images/banner_$third-party ||fileserver1.net/download @@ -26835,6 +27880,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||furiousteam.com^*/external_banner/ ||futuboxhd.com/js/bc.js ||futuresite.register.com/us?$third-party +||fxcc.com/promo/ ||fxultima.com/banner/ ||fyicentralmi.com/remote_widget?$third-party ||fyiwashtenaw.com/remote_widget? @@ -26857,8 +27903,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||geobanner.passion.com^ ||get.2leep.com^$third-party ||get.box24casino.com^$third-party +||get.davincisgold.com^$third-party +||get.paradise8.com^$third-party ||get.rubyroyal.com^$third-party ||get.slotocash.com^$third-party +||get.thisisvegas.com^$third-party ||getadblock.com/images/adblock_banners/$third-party ||gethopper.com/tp/$third-party ||getnzb.com/img/partner/banners/$third-party @@ -26883,6 +27932,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||google.com/pagead/ ||google.com/uds/afs?*adsense$subdocument ||googlesyndication.com/pagead/$third-party +||googlesyndication.com/safeframe/$third-party ||googlesyndication.com/simgad/$third-party ||googlesyndication.com^*/click_to_buy/$object-subrequest,third-party ||googlesyndication.com^*/domainpark.cgi? @@ -26898,6 +27948,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gsniper.com/images/$third-party ||guim.co.uk/guardian/thirdparty/tv-site/side.html ||guzzle.co.za/media/banners/ +||halllakeland.com/banner/ ||handango.com/marketing/affiliate/ ||haymarket-whistleout.s3.amazonaws.com/*_ad.html ||haymarket.net.au/Skins/ @@ -26906,6 +27957,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||hexero.com/images/banner.gif ||hide-my-ip.com/promo/ ||highepcoffer.com/images/banners/ +||hitleap.com/assets/banner- ||hitleap.com/assets/banner.png ||hm-sat.de/b.php ||hostdime.com/images/affiliate/$third-party @@ -26928,6 +27980,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||i.lsimg.net^*/takeover/ ||ibsrv.net/sidetiles/125x125/ ||ibsrv.net/sponsor_images/ +||ibsys.com/sh/sponsors/ ||ibvpn.com/img/banners/ ||icastcenter.com^*/amazon-buyfrom.gif ||icastcenter.com^*/itunes.jpg @@ -27005,6 +28058,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||kaango.com/fecustomwidgetdisplay? ||kallout.com^*.php?id= ||kaltura.com^*/vastPlugin.swf$third-party +||keep2share.cc/images/i/00468x0060- ||keyword-winner.com/demo/images/ ||king.com^*/banners/ ||knorex.asia/static-firefly/ @@ -27225,6 +28279,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||partner.e-conomic.com^$third-party ||partner.premiumdomains.com^ ||partnerads.ysm.yahoo.com^ +||partnerads1.ysm.yahoo.com^ ||partners.betus.com^$third-party ||partners.dogtime.com/network/ ||partners.fshealth.com^ @@ -27260,6 +28315,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||pokersavvy.com^*/banners/ ||pokerstars.com/?source=$subdocument,third-party ||pokerstars.com/euro_bnrs/ +||popeoftheplayers.eu/ad +||popmog.com^$third-party ||pops.freeze.com^$third-party ||pornturbo.com/tmarket.php ||post.rmbn.ru^$third-party @@ -27301,6 +28358,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||racebets.com/media.php? ||rack.bauermedia.co.uk^ ||rackcdn.com/brokers/$third-party,domain=fxempire.com|fxempire.de|fxempire.it|fxempire.nl +||rackcdn.com^$script,domain=search.aol.com ||rackspacecloud.com/Broker%20Buttons/$domain=investing.com ||radiocentre.ca/randomimages/$third-party ||radioreference.com/sm/300x75_v3.jpg @@ -27340,7 +28398,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ruralpressevents.com/agquip/logos/$domain=farmonline.com.au ||russian-dreams.net/static/js/$third-party ||rya.rockyou.com^$third-party -||s-assets.tp-cdn.com^ +||s-assets.tp-cdn.com/widgets/*/vwid/*.html? ||s-yoolk-banner-assets.yoolk.com^ ||s-yoolk-billboard-assets.yoolk.com^ ||s.cxt.ms^$third-party @@ -27363,6 +28421,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||secondspin.com/twcontent/ ||securep2p.com^$subdocument,third-party ||secureupload.eu/banners/ +||seedboxco.net/*.swf$third-party ||seedsman.com/affiliate/$third-party ||selectperformers.com/images/a/ ||selectperformers.com/images/elements/bannercolours/ @@ -27405,9 +28464,12 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||slickdeals.meritline.com^$third-party ||slot.union.ucweb.com^ ||slysoft.com/img/banner/$third-party +||smart.styria-digital.com^ ||smartdestinations.com/ai/$third-party ||smartlinks.dianomi.com^$third-party ||smilepk.com/bnrsbtns/ +||snacktools.net/bannersnack/ +||snapapp.com^$third-party,domain=bostonmagazine.com ||snapdeal.com^*.php$third-party ||sndkorea.nowcdn.co.kr^$third-party ||socialmonkee.com/images/$third-party @@ -27475,6 +28537,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||tap.more-results.net^ ||techbargains.com/inc_iframe_deals_feed.cfm?$third-party ||techbargains.com/scripts/banner.js$third-party +||tedswoodworking.com/images/banners/ ||textlinks.com/images/banners/ ||thaiforlove.com/userfiles/affb- ||thatfreething.com/images/banners/ @@ -27484,6 +28547,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||themify.me/banners/$third-party ||themis-media.com^*/sponsorships/ ||thereadystore.com/affiliate/ +||theseblogs.com/visitScript/ +||theseforums.com/visitScript/ ||theselfdefenseco.com/?affid=$third-party ||thetechnologyblog.net^*/bp_internet/ ||thirdpartycdn.lumovies.com^$third-party @@ -27511,8 +28576,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||tosol.co.uk/international.php?$third-party ||townnews.com^*/dealwidget.css? ||townnews.com^*/upickem-deals.js? +||townsquareblogs.com^*=sponsor& ||toysrus.com/graphics/promo/ ||traceybell.co.uk^$subdocument,third-party +||track.bcvcmedia.com^ ||tradeboss.com/1/banners/ ||travelmail.traveltek.net^$third-party ||travelplus.tv^$third-party,domain=kissanime.com @@ -27523,13 +28590,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||trialpay.com^*&dw-ptid=$third-party ||tribktla.files.wordpress.com/*-639x125-sponsorship.jpg? ||tribwgnam.files.wordpress.com^*reskin2. -||tripadvisor.ru/WidgetEmbed-tcphoto?$domain=rbth.co.uk|rbth.com +||tripadvisor.com/WidgetEmbed-*&partnerId=$domain=rbth.co.uk|rbth.com ||tritondigital.com/lt?sid*&hasads= ||tritondigital.com/ltflash.php? ||trivago.co.uk/uk/srv/$third-party ||tshirthell.com/img/affiliate_section/$third-party ||ttt.co.uk/TMConverter/$third-party ||turbobit.net/ref/$third-party +||turbobit.net/refers/$third-party ||turbotrafficsystem.com^*/banners/ ||turner.com^*/promos/ ||twinplan.com^ @@ -27567,7 +28635,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||videoweed.es/js/aff.js ||videozr.com^$third-party ||vidible.tv/placement/vast/ -||vidible.tv/prod/tags/ +||vidible.tv/prod/tags/$third-party ||vidyoda.com/fambaa/chnls/ADSgmts.ashx? ||viglink.com/api/batch^$third-party ||viglink.com/api/insert^$third-party @@ -27601,8 +28669,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||web-jp.ad-v.jp^ ||web2feel.com/images/$third-party ||webdev.co.zw/images/banners/$third-party -||weberotic.net/banners/$third-party -||webhostingpad.com/idevaffiliate/banners/ ||webmasterrock.com/cpxt_pab ||website.ws^*/banners/ ||whistleout.s3.amazonaws.com^ @@ -27614,11 +28680,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||widget.kelkoo.com^ ||widget.raaze.com^ ||widget.scoutpa.com^$third-party +||widget.searchschoolsnetwork.com^ ||widget.shopstyle.com.au^ ||widget.shopstyle.com/widget?pid=$subdocument,third-party ||widget.solarquotes.com.au^ ||widgetcf.adviceiq.com^$third-party ||widgets.adviceiq.com^$third-party +||widgets.fie.futurecdn.net^$script ||widgets.itunes.apple.com^*&affiliate_id=$third-party ||widgets.mobilelocalnews.com^$third-party ||widgets.mozo.com.au^$third-party @@ -27627,6 +28695,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||widgets.realestate.com.au^ ||wildamaginations.com/mdm/banner/ ||winpalace.com/?affid= +||winsms.co.za/banner/ ||wishlistproducts.com/affiliatetools/$third-party ||wm.co.za/24com.php? ||wm.co.za/wmjs.php? @@ -27648,6 +28717,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||x3cms.com/ads/ ||xcams.com/livecams/pub_collante/script.php?$third-party ||xgaming.com/rotate*.php?$third-party +||xigen.co.uk^*/Affiliate/ ||xingcloud.com^*/uid_ ||xml.exactseek.com/cgi-bin/js-feed.cgi?$third-party ||xproxyhost.com/images/banners/ @@ -27657,6 +28727,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||yeas.yahoo.co.jp^ ||yieldmanager.edgesuite.net^$third-party ||yimg.com/gs/apex/mediastore/ +||yimg.com^*/dianominewwidget2.html$domain=yahoo.com ||yimg.com^*/quickplay_maxwellhouse.png ||yimg.com^*/sponsored.js ||yimg.com^*_skin_$domain=yahoo.com @@ -27667,9 +28738,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||zapads.zapak.com^ ||zazzle.com/utl/getpanel$third-party ||zazzle.com^*?rf$third-party +||zergnet.com/zerg.js$third-party ||zeus.qj.net^ ||zeusfiles.com/promo/ ||ziffdavisenterprise.com/contextclicks/ +||ziffprod.com/CSE/BestPrice? ||zip2save.com/widget.php? ||zmh.zope.net^$third-party ||zoomin.tv/video/*.flv$third-party,domain=twitch.tv @@ -27690,15 +28763,15 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||babylon.com/redirects/$popup,third-party ||babylon.com/welcome/index.html?affID=$popup,third-party ||banner.galabingo.com^$popup,third-party -||bet365.com/home/?affiliate=$popup +||bet365.com^*affiliate=$popup ||binaryoptions24h.com^$popup,third-party ||bovada.lv^$popup,third-party +||casino.com^*?*=$popup,third-party ||casinoadviser.net^$popup ||cdn.optmd.com^$popup,third-party ||chatlivejasmin.net^$popup ||chatulfetelor.net/$popup ||chaturbate.com/affiliates/$popup,third-party -||click.aliexpress.com/e/$popup,third-party ||click.scour.com^$popup,third-party ||clickansave.net^$popup,third-party ||ctcautobody.com^$popup,third-party @@ -27733,6 +28806,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||itunes.apple.com^$popup,domain=fillinn.com ||liutilities.com^*/affiliate/$popup ||lovefilm.com/partners/$popup,third-party +||lovepoker.de^*/?pid=$popup ||lp.ilivid.com/?$popup,third-party ||lp.imesh.com/?$popup,third-party ||lp.titanpoker.com^$popup,third-party @@ -27751,8 +28825,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||opendownloadmanager.com^$popup,third-party ||otvetus.com^$popup,third-party ||paid.outbrain.com/network/redir?$popup,third-party -||partycasino.com^$popup,third-party -||partypoker.com^$popup,third-party ||planet49.com/cgi-bin/wingame.pl?$popup ||platinumdown.com^$popup ||pokerstars.eu^*/?source=$popup,third-party @@ -27768,6 +28840,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||secure.komli.com^$popup,third-party ||serve.prestigecasino.com^$popup,third-party ||serve.williamhillcasino.com^$popup,third-party +||settlecruise.org^$popup ||sharecash.org^$popup,third-party ||softingo.com/clp/$popup ||stake7.com^*?a_aid=$popup,third-party @@ -27775,6 +28848,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||stargames.com/web/*&cid=*&pid=$popup,third-party ||sunmaker.com^*^a_aid^$popup,third-party ||thebestbookies.com^$popup,domain=firstrow1us.eu +||theseforums.com^*/?ref=$popup ||thetraderinpajamas.com^$popup,third-party ||tipico.com^*?affiliateid=$popup,third-party ||torntv-tvv.org^$popup,third-party @@ -27841,6 +28915,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||affiliates.easydate.biz^$third-party ||affiliates.franchisegator.com^$third-party ||affiliates.thrixxx.com^ +||allanalpass.com/visitScript/ ||alt.com/go/$third-party ||amarotic.com/Banner/$third-party ||amarotic.com/rotation/layer/chatpage/$third-party @@ -27925,6 +29000,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||dailyvideo.securejoin.com^ ||daredorm.com^$subdocument,third-party ||datefree.com^$third-party +||ddfcash.com/iframes/$third-party ||ddfcash.com/promo/banners/ ||ddstatic.com^*/banners/ ||desk.cmix.org^ @@ -27936,6 +29012,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||dvdbox.com/promo/$third-party ||eliterotica.com/images/banners/ ||erotikdeal.com/?ref=$third-party +||escortforum.net/images/banners/$third-party ||eurolive.com/?module=public_eurolive_onlinehostess& ||eurolive.com/index.php?module=public_eurolive_onlinetool& ||evilangel.com/static/$third-party @@ -27977,7 +29054,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gfrevenge.com/vbanners/ ||girls-home-alone.com/dating/ ||go2cdn.org/brand/$third-party -||graphics.cams.com^$third-party ||graphics.pop6.com/javascript/$script,third-party,domain=~adultfriendfinder.co.uk|~adultfriendfinder.com ||graphics.streamray.com^*/cams_live.swf$third-party ||hardbritlads.com/banner/ @@ -28061,6 +29137,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||nudemix.com/widget/ ||nuvidp.com^$third-party ||odnidoma.com/ban/$third-party +||openadultdirectory.com/banner-$third-party ||orgasmtube.com/js/superP/ ||otcash.com/images/$third-party ||outils.f5biz.com^$third-party @@ -28079,6 +29156,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||pop6.com/banners/$third-party ||pop6.com/javascript/im_box-*.js ||porn2blog.com/wp-content/banners/ +||porndeals.com^$subdocument,third-party ||pornhubpremium.com/relatedpremium/$subdocument,third-party ||pornoh.info^$image,third-party ||pornravage.com/notification/$third-party @@ -28098,6 +29176,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||promo1.webcams.nl^$third-party ||promos.gpniches.com^$third-party ||promos.meetlocals.com^$third-party +||promos.wealthymen.com^$third-party +||ptcdn.mbicash.nl^$third-party +||punterlink.co.uk/images/storage/siteban$third-party ||pussycash.com/content/banners/$third-party ||rabbitporno.com/friends/ ||rabbitporno.com/iframes/$third-party @@ -28150,6 +29231,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||swurve.com/affiliates/ ||target.vivid.com^$third-party ||teendaporn.com/rk.js +||thrixxx.com/affiliates/$image ||thrixxx.com/scripts/show_banner.php? ||thumbs.sunporno.com^$third-party ||thumbs.vstreamcdn.com^*/slider.html @@ -28161,6 +29243,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||trader.erosdlz.com^$third-party ||ts.videosz.com/iframes/ ||tubefck.com^*/adawe.swf +||tumblr.com^*/tumblr_mht2lq0XUC1rmg71eo1_500.gif$domain=stocporn.com ||turbolovervidz.com/fling/ ||twiant.com/img/banners/ ||twilightsex.com^$subdocument,third-party @@ -28214,6 +29297,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||chaturbate.com/*/?join_overlay=$popup ||chaturbate.com/sitestats/openwindow/$popup ||cpm.amateurcommunity.*?cp=$popup,third-party +||devilsfilm.com/track/go.php?$popup,third-party ||epornerlive.com/index.php?*=punder$popup ||exposedwebcams.com/?token=$popup,third-party ||ext.affaire.com^$popup @@ -28236,8 +29320,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||join.teamskeet.com/track/$popup,third-party ||join.whitegfs.com^$popup ||judgeporn.com/video_pop.php?$popup +||linkfame.com^*/go.php?$popup,third-party ||livecams.com^$popup -||livejasmin.com^$popup +||livejasmin.com^$popup,third-party ||media.campartner.com/index.php?cpID=*&cpMID=$popup,third-party ||media.campartner.com^*?cp=$popup,third-party ||meetlocals.com^*popunder$popup @@ -28280,42 +29365,45 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||yuvutu.com^$popup,third-party !----------------------Specific advert blocking filters-----------------------! ! *** easylist:easylist/easylist_specific_block.txt *** -.com/b?z=$domain=couchtuner.eu +.com/b?z=$domain=couchtuner.eu|zzstream.li .com/jquery/*.js?_t=$script,third-party .info/*.js?guid=$script,third-party .info^$script,domain=allmyvideos.net|mediafire.com|mooshare.biz|muchshare.net|royalvids.eu|tvmuse.com|tvmuse.eu|vidspot.net|vidtomp3.com /*;sz=*;ord=$domain=webhostingtalk.com /3market.php?$domain=adf.ly|j.gs|q.gs|u.bb /?placement=$script,domain=sockshare.com -/^https?\:\/\/(?!(connect\.facebook\.net|ajax\.cloudflare\.com|www\.google-analytics\.com|ajax\.googleapis\.com|fbstatic-a\.akamaihd\.net)\/)/$script,third-party,xmlhttprequest,domain=firedrive.com -/^https?\:\/\/(?!(connect\.facebook\.net|ajax\.cloudflare\.com|www\.google-analytics\.com|ajax\.googleapis\.com|fbstatic-a\.akamaihd\.net|stats\.g\.doubleclick\.net|api-secure\.solvemedia\.com|api\.solvemedia\.com|sb\.scorecardresearch\.com|www\.google\.com)\/)/$script,third-party,xmlhttprequest,domain=mediafire.com -/^https?\:\/\/(?!(connect\.facebook\.net|www\.google-analytics\.com|ajax\.googleapis\.com|netdna\.bootstrapcdn\.com|\[\w\-]+\.addthis\.com|bp\.yahooapis\.com|b\.scorecardresearch\.com|platform\.twitter\.com)\/)/$script,third-party,xmlhttprequest,domain=promptfile.com -/^https?\:\/\/(?!(ct1\.addthis\.com|s7\.addthis\.com|b\.scorecardresearch\.com|www\.google-analytics\.com|ajax\.googleapis\.com|static\.sockshare\.com)\/)/$script,third-party,xmlhttprequest,domain=sockshare.com -/^https?\:\/\/(?!(feather\.aviary\.com|api\.aviary\.com|wd-edge\.sharethis\.com|w\.sharethis\.com|edge\.quantserve\.com|tags\.crwdcntrl\.net|static2\.pbsrc\.com|az412349\.vo\.msecnd\.net|printio-geo\.appspot\.com|www\.google-analytics\.com|loadus\.exelator\.com|b\.scorecardresearch\.com)\/)/$script,third-party,xmlhttprequest,domain=photobucket.com|~secure.photobucket.com +/af.php?$subdocument /assets/_takeover/*$domain=deadspin.com|gawker.com|gizmodo.com|io9.com|jalopnik.com|jezebel.com|kotaku.com|lifehacker.com /clickpop.js$domain=miliblog.co.uk /com.js$domain=kinox.to /get/path/.banners.$image,third-party +/http://\[a-zA-Z0-9]+\.\[a-z]+\/.*\[a-zA-Z0-9]+/$script,third-party,domain=affluentinvestor.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthumbsgaming.com|barbwire.com|bighealthreport.com|bulletsfirst.net|clashdaily.com|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|cowboybyte.com|creationrevolution.com|dailysurge.com|dccrimestories.com|drginaloudon.com|drhotze.com|eaglerising.com|freedomoutpost.com|godfatherpolitics.com|instigatornews.com|joeforamerica.com|libertyalliance.com|libertymafia.com|libertyunyielding.com|mediafire.com|menrec.com|nickadamsinamerica.com|patriot.tv|patriotoutdoornews.com|patriotupdate.com|photobucket.com|pitgrit.com|politicaloutcast.com|primewire.ag|promptfile.com|quinhillyer.com|shark-tank.com|stevedeace.com|themattwalshblog.com|therealside.com|tinypic.com|victoriajackson.com|zionica.com /market.php?$domain=adf.ly|u.bb /nexp/dok2v=*/cloudflare/rocket.js$script,domain=ubuntugeek.com /static/js/pop*.js$script,domain=baymirror.com|getpirate.com|livepirate.com|mypiratebay.cl|noncensuram.info|pirateproxy.net|pirateproxy.se|proxicity.info|thepiratebay.se.coevoet.nl|tpb.chezber.org|tpb.ipredator.se|tpb.piraten.lu|tpb.pirateparty.ca|tpb.pirates.ie ?random=$script,domain=allmyvideos.net|mediafire.com|mooshare.biz|muchshare.net|tvmuse.com|tvmuse.eu|vidspot.net ^guid=$script,domain=allmyvideos.net|mediafire.com|mooshare.biz|muchshare.net|tvmuse.com|tvmuse.eu|vidspot.net -|http:$subdocument,third-party,domain=2ad.in|adf.ly|adfoc.us|adv.li|allmyvideos.net|ay.gy|imgmega.com|j.gs|linkbucksmedia.com|q.gs|shr77.com|thevideo.me|u.bb|vidspot.net +|http:$subdocument,third-party,domain=2ad.in|ad2links.com|adf.ly|adfoc.us|adv.li|adyou.me|allmyvideos.net|ay.gy|imgmega.com|j.gs|linkbucksmedia.com|q.gs|shr77.com|thevideo.me|u.bb|vidspot.net |http://*.com^*|*$script,third-party,domain=sporcle.com +|http://creative.*/smart.js$script,third-party |http://j.gs/omnigy*.swf |http://p.pw^$subdocument |https:$subdocument,third-party,domain=2ad.in|adf.ly|adfoc.us|adjet.biz|adv.li|ay.gy|j.gs|q.gs|u.bb ||0-60mag.com/js/takeover-2.0/ ||04stream.com/NEWAD11.php? +||04stream.com/podddpo.js ||10-fast-fingers.com/quotebattle-ad.png ||100best-free-web-space.com/images/ipage.gif ||1023xlc.com/upload/*_background_ ||1043thefan.com^*_Sponsors/ +||1071radio.com//wp-content/banners/ ||1077thebone.com^*/banners/ ||109.236.82.94^$domain=fileforever.net ||11points.com/images/slack100.jpg +||1320wils.com/assets/images/promo%20banner/ ||1340wcmi.com/images/banners/ +||1430wnav.com/images/300- +||1430wnav.com/images/468- ||1590wcgo.com/images/banners/ ||174.143.241.129^$domain=astalavista.com ||1776coalition.com/wp-content/plugins/sam-images/ @@ -28335,6 +29423,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||24hourwristbands.com/*.googleadservices.com/ ||2flashgames.com/img/nfs.gif ||2mfm.org/images/banners/ +||2oceansvibe.com/?custom=takeover ||2pass.co.uk/img/avanquest2013.gif ||360haven.com/forums/*.advertising.com/ ||3dsemulator.org/img/download.png @@ -28367,13 +29456,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||911tabs.com/img/takeover_app_ ||911tabs.com^*/ringtones_overlay.js ||977music.com/index.php?p=get_loading_banner +||977rocks.com/images/300- ||980wcap.com/sponsorlogos/ ||9news.com/promo/ ||a.cdngeek.net^ ||a.giantrealm.com^ ||a.i-sgcm.com^ ||a.kat.ph^ -||a.kickass.so^ +||a.kickass. ||a.kickasstorrent.me^ ||a.kickassunblock.info^ ||a.kickassunblock.net^ @@ -28398,7 +29488,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||absolutewrite.com^*/Scrivener-11-thumbnail-cover_160x136.gif ||absolutewrite.com^*_468x60banner. ||absolutewrite.com^*_ad.jpg -||ac.vpsboard.com^ ||ac2.msn.com^ ||access.njherald.com^ ||accesshollywood.com/aife?$subdocument @@ -28420,6 +29509,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ad.pandora.tv^ ||ad.reachlocal.com^ ||ad.search.ch^ +||ad.services.distractify.com^ ||adamvstheman.com/wp-content/uploads/*/AVTM_banner.jpg ||adcitrus.com^ ||addirector.vindicosuite.com^ @@ -28437,7 +29527,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adpost.com/skyserver.g. ||adpost.com^*.g.html ||ads-*.hulu.com^ -||ads-grooveshark.com^ ||ads-rolandgarros.com^ ||ads.pof.com^ ||ads.zynga.com^ @@ -28501,6 +29590,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||amazonaws.com/cdn/campaign/$domain=caclubindia.com ||amazonaws.com/cdn/ipfc/$object,domain=caclubindia.com ||amazonaws.com/files.bannersnack.com/ +||amazonaws.com/videos/$domain=technewstoday.com ||amazonaws.com^*-ad.jpg$domain=ewn.co.za ||amazonaws.com^*-Banner.jpg$domain=ewn.co.za ||amazonaws.com^*/site-takeover/$domain=songza.com @@ -28522,15 +29612,18 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||anhits.com/files/banners/ ||anilinkz.com/img/leftsponsors. ||anilinkz.com/img/rightsponsors +||anilinkz.tv/kwarta- ||animationxpress.com/anex/crosspromotions/ ||animationxpress.com/anex/solutions/ ||anime-source.com/banzai/banner.$subdocument +||anime1.com/service/joyfun/ ||anime44.com/anime44box.jpg ||anime44.com/images/videobb2.png ||animea.net/do/ ||animeflavor.com/animeflavor-gao-gamebox.swf ||animeflv.net/cpm.html ||animefushigi.com/boxes/ +||animehaven.org/wp-content/banners/ ||animenewsnetwork.com/stylesheets/*skin$image ||animenewsnetwork.com^*.aframe? ||animeshippuuden.com/adcpm.js @@ -28587,9 +29680,12 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||astalavista.com/avtng/ ||astalavista.com^*/sponsor- ||astronomy.com/sitefiles/overlays/overlaygenerator.aspx? +||astronomynow.com/wp-content/promos/ ||atdhe.ws/pp.js +||atimes.com/banner/ ||atimes.com^*/ahm728x90.swf ||attitude.co.uk/images/Music_Ticket_Button_ +||atđhe.net/pu/ ||augusta.com/sites/*/yca_plugin/yahoo.js$domain=augusta.com ||auto123.com/sasserve.spy ||autoline-eu.co.uk/atlads/ @@ -28624,6 +29720,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||backin.net/s/promo/ ||backpagelead.com.au/images/banners/ ||badongo.com^*_banner_ +||bahamaslocal.com/img/banners/ ||baixartv.com/img/bonsdescontos. ||bakercountypress.com/images/banners/ ||ballerarcade.com/ispark/ @@ -28684,6 +29781,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||bitcoinist.net/wp-content/*/630x80-bitcoinist.gif ||bitcoinist.net/wp-content/uploads/*_250x250_ ||bitcoinreviewer.com/wp-content/uploads/*/banner-luckybit.jpg +||bitminter.com/images/info/spondoolies ||bitreactor.to/sponsor/ ||bitreactor.to/static/subpage$subdocument ||bittorrent.am/banners/ @@ -28706,6 +29804,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||blip.fm/ad/ ||blitzdownloads.com/promo/ ||blog.co.uk/script/blogs/afc.js +||blogevaluation.com/templates/userfiles/banners/ ||blogorama.com/images/banners/ ||blogsdna.com/wp-content/themes/blogsdna2011/images/advertisments.png ||blogsmithmedia.com^*_skin. @@ -28716,6 +29815,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||bn0.com/4v4.js ||bnrs.ilm.ee^ ||bolandrugby.com/images/sponsors. +||bom.gov.au/includes/marketing2.php? ||bookingbuddy.com/js/bookingbuddy.strings.php?$domain=smartertravel.com ||botswanaguardian.co.bw/images/banners/ ||boulderjewishnews.org^*/JFSatHome-3.gif @@ -28759,9 +29859,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||btkitty.com/static/images/880X60.gif ||btkitty.org/static/images/880X60.gif ||btmon.com/da/$subdocument -||budapesttimes.hu/images/banners/ ||bundesliga.com^*/_partner/ -||businesstimes.com.sg^*/ad ||busiweek.com^*/banners/ ||buy-n-shoot.com/images/banners/banner- ||buy.com/*/textlinks.aspx @@ -28773,7 +29871,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||bypassoxy.com/vectrotunnel-banner.gif ||c-sharpcorner.com^*/banners/ ||c-ville.com/image/pool/ -||c21media.net/uploads/flash/*.swf ||c21media.net/wp-content/plugins/sam-images/ ||c9tk.com/images/banner/ ||cadplace.co.uk/banner/ @@ -28781,14 +29878,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||cadvv.koreaherald.com^ ||cafemomstatic.com/images/background/$image ||cafimg.com/images/other/ +||cafonline.com^*/sponsors/ ||caladvocate.com/images/banner- ||caledonianrecord.com/iFrame_ ||caledonianrecord.com/SiteImages/HomePageTiles/ ||caledonianrecord.com/SiteImages/Tile/ ||calgaryherald.com/images/sponsor/ ||calgaryherald.com/images/storysponsor/ -||canadianfamily.ca^*/cf_wallpaper_ -||canadianfamily.ca^*_ad_ ||canalboat.co.uk^*/bannerImage. ||canalboat.co.uk^*/Banners/ ||cananewsonline.com/files/banners/ @@ -28799,6 +29895,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||capitalfm.co.ke^*/830x460-iv.jpg ||capitolfax.com/wp-content/*ad. ||capitolfax.com/wp-content/*Ad_ +||captchaad.com/captchaad.js$domain=gca.sh ||card-sharing.net/cccamcorner.gif ||card-sharing.net/topsharingserver.jpg ||card-sharing.net/umbrella.png @@ -28847,20 +29944,15 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||channel4fm.com/images/background/ ||channel4fm.com/promotion/ ||channel5.com/assets/takeovers/ -||channel5belize.com^*/bmobile2.jpg ||channelonline.tv/channelonline_advantage/ -||channelstv.com^*-ad.jpg -||channelstv.com^*-leader-board-600-x-86-pixels.jpg -||channelstv.com^*/MTN_VTU.jpg -||channelstv.com^*/mtn_wp.png -||chapagain.com.np^*_125x125_ ||chapala.com/wwwboard/webboardtop.htm ||checkpagerank.net/banners/ ||checkwebsiteprice.com/images/bitcoin.jpg ||chelsey.co.nz/uploads/Takeovers/ ||chicagodefender.com/images/banners/ -||china.com^*/googlehead.js ||chinanews.com/gg/ +||chronicle.lu/images/banners/ +||chronicle.lu/images/Sponsor_ ||churchnewssite.com^*-banner1. ||churchnewssite.com^*/banner- ||churchnewssite.com^*/bannercard- @@ -28882,7 +29974,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||classical897.org/common/sponsors/ ||classicfeel.co.za^*/banners/ ||classicsdujour.com/artistbanners/ -||clgaming.net/interface/img/background-bigfoot.jpg +||clgaming.net/interface/img/sponsor/ ||click.livedoor.com^ ||clicks.superpages.com^ ||cloudfront.net/*/takeover/$domain=offers.com @@ -28890,8 +29982,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||cloudfront.net/hot/ars.dart/$domain=arstechnica.com ||clubhyper.com/images/hannantsbanner_ ||clubplanet.com^*/wallpaper/ -||clydeandforthpress.co.uk/images/car_buttons/ -||clydeandforthpress.co.uk/images/cheaper_insurance_direct.jpg ||cmodmedia*.live.streamtheworld.com/media/cm-audio/cm:*.mp3$domain=rdio.com ||cmpnet.com/ads/ ||cms.myspacecdn.com^*/splash_assets/ @@ -28900,6 +29990,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||cnetwidget.creativemark.co.uk^ ||cnn.com/ad- ||cnn.com/cnn_adspaces/ +||cnn.com^*/ad_policy.xml$object-subrequest,domain=cnn.com ||cnn.com^*/banner.html?&csiid= ||cnn.net^*/lawyers.com/ ||cntv.cn/Library/js/js_ad_gb.js @@ -28931,7 +30022,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||compassnewspaper.com/images/banners/ ||complaintsboard.com/img/202x202.gif ||complaintsboard.com/img/banner- -||completesportsnigeria.com/img/cc_logo_80x80.gif ||complexmedianetwork.com^*/takeovers/ ||complexmedianetwork.com^*/toolbarlogo.png ||computerandvideogames.com^*/promos/ @@ -28939,9 +30029,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||computerworld.com^*/jobroll/ ||con-telegraph.ie/images/banners/ ||concrete.tv/images/banners/ -||concrete.tv/images/logos/ ||connectionstrings.com/csas/public/a.ashx? ||conscioustalk.net/images/sponsors/ +||conservativetribune.com/cdn-cgi/pe/bag2?r\[]=*revcontent.com ||console-spot.com^*.swf ||constructionreviewonline.com^*730x90 ||constructionreviewonline.com^*banner @@ -28974,6 +30064,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||crunchyroll.*/vast? ||crushorflush.com/html/promoframe.html ||cruzine.com^*/banners/ +||cryptocoinsnews.com/wp-content/uploads/*/ccn.png +||cryptocoinsnews.com/wp-content/uploads/*/cloudbet_ +||cryptocoinsnews.com/wp-content/uploads/*/xbt-social.png +||cryptocoinsnews.com/wp-content/uploads/*/xbt.jpg ||cryptocoinsnews.com/wp-content/uploads/*takeover ||crystalmedianetworks.com^*-180x150.jpg ||cship.org/w/skins/monobook/uns.gif @@ -28993,6 +30087,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||d.thelocal.com^ ||d5e.info/1.gif ||d5e.info/2.png +||d6vwe9xdz9i45.cloudfront.net/psa.js$domain=sporcle.com ||da.feedsportal.com^$~subdocument ||dabs.com/images/page-backgrounds/ ||dads.new.digg.com^ @@ -29025,7 +30120,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||dailymotion.com/skin/data/default/partner/$~stylesheet ||dailymotion.com^*masscast/ ||dailynews.co.tz/images/banners/ -||dailynews.co.zw/banners/ +||dailynews.co.zw^*-takeover. ||dailynews.gov.bw^*/banner_ ||dailynews.lk^*/webadz/ ||dailypioneer.com/images/banners/ @@ -29059,8 +30154,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||defensereview.com^*_banner_ ||delvenetworks.com^*/acudeo.swf$object-subrequest,~third-party ||demerarawaves.com/images/banners/ -||demonoid.ph/cached/va_right.html -||demonoid.ph/cached/va_top.html +||demonoid.unblockt.com/cached/$subdocument ||depic.me/bann/ ||depositphotos.com^$subdocument,third-party ||deseretnews.com/img/sponsors/ @@ -29082,7 +30176,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||diamondworld.net/admin/getresource.aspx? ||dictionary.cambridge.org/info/frame.html?zone= ||dictionary.com^*/serp_to/ -||dig.abclocal.go.com/preroll/ ||digdug.divxnetworks.com^ ||digitaljournal.com/promo/ ||digitalreality.co.nz^*/360_hacks_banner.gif @@ -29147,6 +30240,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||dump8.com/tiz/ ||dump8.com/wget.php ||dump8.com/wget_2leep_bottom.php +||durbannews.co.za^*_new728x60.gif ||dustcoin.com^*/image/ad- ||dvdvideosoft.com^*/banners/ ||dwarfgames.com/pub/728_top. @@ -29157,6 +30251,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||eastonline.eu/images/banners/ ||eastonline.eu/images/eng_banner_ ||easybytez.com/pop3.js +||eatsleepsport.com/images/manorgaming1.jpg ||ebayrtm.com/rtm?RtmCmd*&enc= ||ebayrtm.com/rtm?RtmIt ||ebaystatic.com/aw/pics/signin/*_signInSkin_ @@ -29187,8 +30282,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ejpress.org/images/banners/ ||ejpress.org/img/banners/ ||ekantipur.com/uploads/banner/ -||el33tonline.com/images/*skin$image -||el33tonline.com^*-skin2.jpg ||electricenergyonline.com^*/bannieres/ ||electronicsfeed.com/bximg/ ||elevenmyanmar.com/images/banners/ @@ -29197,6 +30290,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||elocallink.tv^*/showgif.php? ||emergencymedicalparamedic.com/wp-content/uploads/2011/12/anatomy.gif ||emoneyspace.com/b.php +||empirestatenews.net/Banners/ ||emsservice.de.s3.amazonaws.com/videos/$domain=zattoo.com ||emsservice.de/videos/$domain=zattoo.com ||emule-top50.com/extras/$subdocument @@ -29204,7 +30298,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||encyclopediadramatica.es/edf/$domain=~forum.encyclopediadramatica.es ||encyclopediadramatica.es/lanhell.js ||encyclopediadramatica.es/spon/ -||encyclopediadramatica.se/edf/ +||encyclopediadramatica.se/edf/$domain=~forum.encyclopediadramatica.se ||energytribune.com/res/banner/ ||england.fm/i/ducksunited120x60english.gif ||englishtips.org/b/ @@ -29223,21 +30317,18 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||espn.vad.go.com^$domain=youtube.com ||espn1320.net/get_preroll.php? ||essayinfo.com/img/125x125_ +||essayscam.org^*/ads.js ||esus.com/images/regiochat_logo.png -||eteknix.com/wp-content/*-skin +||eteknix.com/wp-content/uploads/*skin ||eteknix.com/wp-content/uploads/*Takeover ||etidbits.com/300x250news.php ||euphonik.dj/img/sponsors- -||eurocupbasketball.com/eurocup/tools/footer-logos +||eurochannel.com/images/banners/ +||eurocupbasketball.com^*/sponsors- ||eurodict.com/images/banner_ ||eurogamer.net/quad.php ||eurogamer.net^*/takeovers/ -||euroleague.net/euroleague/footer-logos -||euroleague.net^*-300x100- -||euroleague.net^*-5sponsors1314.png -||euroleague.net^*/banner_bwin.jpg -||euroleague.net^*/eclogosup.png -||euroleague.net^*_title_bwin.gif +||euroleague.net^*/sponsors- ||euronews.com/media/farnborough/farnborough_wp.jpg ||european-rubber-journal.com/160x600px_ ||europeonline-magazine.eu/banner/ @@ -29254,7 +30345,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||eweek.com/images/stories/marketing/ ||eweek.com/widgets/ibmtco/ ||eweek.com^*/sponsored- +||ewrc-results.com/images/horni_ewrc_result_banner3.jpg ||ex1.gamecopyworld.com^$subdocument +||exashare.com/player_file.jpg ||exceluser.com^*/pub/rotate_ ||exchangerates.org.uk/images-NEW/tor.gif ||exchangerates.org.uk/images/150_60_ @@ -29310,8 +30403,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||filedino.com/imagesn/downloadgif.gif ||fileflyer.com/img/dap_banner_ ||filegaga.com/ot/fast.php? -||filenuke.com/a/img/dl-this.gif -||filenuke.com/pop.min.js ||fileom.com/img/downloadnow.png ||fileom.com/img/instadownload2.png ||fileplanet.com/fileblog/sub-no-ad.shtml @@ -29327,8 +30418,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||filmovizija.com/Images/photo4sell.jpg ||filmsite.org/dart-zones.js ||fimserve.ign.com^ -||financialgazette.co.zw^*/banners/ ||financialnewsandtalk.com/scripts/slideshow-sponsors.js +||financialsamurai.com/wp-content/uploads/*/sliced-alternative-10000.jpg ||findfiles.com/images/icatchallfree.png ||findfiles.com/images/knife-dancing-1.gif ||findfreegraphics.com/underp.js @@ -29336,6 +30427,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||findit.com.mt/dynimage/boxbanner/ ||findit.com.mt/viewer/ ||findnsave.idahostatesman.com^ +||findthebest-sw.com/sponsor_event? ||finextra.com^*/leaderboards/ ||finextra.com^*/pantiles/ ||firedrive.com/appdata/ @@ -29346,16 +30438,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||firstpost.com^*/sponsered- ||firstpost.com^*_skin_ ||firstpost.com^*_sponsored. -||firstpost.in^*-60-29. ||firstpost.in^*/promo/ -||firstpost.in^*/sponsered- -||firstpost.in^*/sponsered_ -||firstpost.in^*_skin_ ||firstrows.biz/js/bn.js ||firstrows.biz/js/pu.js ||firstrowsports.li/frame/ ||firstrowusa.eu/js/bn.js ||firstrowusa.eu/js/pu.js +||firsttoknow.com^*/page-criteo- ||fishchannel.com/images/sponsors/ ||fiverr.com/javascripts/conversion.js ||flameload.com/onvertise. @@ -29447,7 +30536,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||funpic.org/layer.php? ||fuse.tv/images/sponsor/ ||futbol24.com/f24/rek/$~xmlhttprequest -||g-ecx.images-amazon.com/images/*/traffic/$image +||fuzface.com/dcrtv/ad$domain=dcrtv.com +||fırstrowsports.eu/pu/ ||g.brothersoft.com^ ||gabzfm.com/images/banners/ ||gaccmidwest.org/uploads/tx_bannermanagement/ @@ -29496,6 +30586,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gbrej.com/c/ ||gcnlive.com/assets/sponsors/ ||gcnlive.com/assets/sponsorsPlayer/ +||geckoforums.net/banners/ ||geeklab.info^*/billy.png ||gelbooru.com/lk.php$subdocument ||gelbooru.com/poll.php$subdocument @@ -29514,8 +30605,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||getfoxyproxy.org/images/abine/ ||getprice.com.au/searchwidget.aspx?$subdocument ||getreading.co.uk/static/img/bg_takeover_ +||getresponse.com^$domain=wigflip.com ||getrichslowly.org/blog/img/banner/ ||getsurrey.co.uk^*/bg_takeover_ +||gfi.com/blog/wp-content/uploads/*-BlogBanner ||gfx.infomine.com^ ||ghacks.net/skin- ||ghafla.co.ke/images/banners/ @@ -29525,6 +30618,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gigaom2.files.wordpress.com^*-center-top$image ||girlguides.co.za/images/banners/ ||girlsgames.biz/games/partner*.php +||gizmochina.com/images/blackview.jpg +||gizmochina.com^*/100002648432985.gif +||gizmochina.com^*/kingsing-t8-advert.jpg +||gizmochina.com^*/landvo-l600-pro-feature.jpg ||glam.com^*/affiliate/ ||glamourviews.com/home/zones? ||glassdoor.com/getAdSlotContentsAjax.htm? @@ -29532,9 +30629,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||globalsecurity.org/_inc/frames/ ||globaltimes.cn/desktopmodules/bannerdisplay/ ||glocktalk.com/forums/images/banners/ -||go4up.com/assets/img/Download-button- -||go4up.com/images/fanstash.jpg -||go4up.com/images/hipfile.png +||go4up.com/assets/img/d0.png +||go4up.com/assets/img/download-button.png ||goal.com^*/betting/$~stylesheet ||goal.com^*/branding/ ||goauto.com.au/mellor/mellor.nsf/toy$subdocument @@ -29575,7 +30671,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||greenoptimistic.com/images/electrician2.png ||greyorgray.com/images/Fast%20Business%20Loans%20Ad.jpg ||greyorgray.com/images/hdtv-genie-gog.jpg -||grocotts.co.za/files/birch27aug.jpg ||gruntig2008.opendrive.com^$domain=gruntig.net ||gsprating.com/gap/image.php? ||gtop100.com/a_images/show-a.php? @@ -29591,6 +30686,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gurgle.com/modules/mod_m10banners/ ||guru99.com/images/adblocker/ ||gwinnettdailypost.com/1.iframe.asp? +||h33t.to/images/button_direct.png ||ha.ckers.org/images/fallingrock-bot.png ||ha.ckers.org/images/nto_top.png ||ha.ckers.org/images/sectheory-bot.png @@ -29612,6 +30708,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||hd-bb.org^*/dl4fbanner.gif ||hdtvtest.co.uk/image/partner/$image ||hdtvtest.co.uk^*/pricerunner.php +||headlineplanet.com/home/box.html +||headlineplanet.com/home/burstbox.html ||healthfreedoms.org/assets/swf/320x320_ ||heatworld.com/images/*_83x76_ ||heatworld.com/upload/takeovers/ @@ -29628,7 +30726,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||herold.at^*.swf?*&linktarget=_blank ||herzeleid.com/files/images/banners/ ||hexupload.com^*.gif$domain=uploadbaz.com -||hhg.sharesix.com^ ||hickoryrecord.com/app/deal/ ||highdefjunkies.com/images/misc/kindlejoin.jpg ||highdefjunkies.com^*/cp.gif @@ -29643,7 +30740,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||holyfamilyradio.org/banners/ ||holyfragger.com/images/skins/ ||homad-global-configs.schneevonmorgen.com^$domain=muzu.tv -||homemaderecipes.co^*/af.php? ||homeschoolmath.net/a/ ||honda-tech.com/*-140x90.gif ||hongfire.com/banner/ @@ -29685,6 +30781,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||hwbot.org/banner.img ||hwinfo.com/images/lansweeper.jpg ||hwinfo.com/images/se2banner.png +||hypemagazine.co.za/assets/bg/ ||i-sgcm.com/pagetakeover/ ||i-tech.com.au^*/banner/ ||i.com.com^*/vendor_bg_ @@ -29708,6 +30805,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ibtimes.com^*/sponsor_ ||iceinspace.com.au/iisads/ ||icelandreview.com^*/auglysingar/ +||iconeye.com/images/banners/ ||icrt.com.tw/downloads/banner/ ||ictv-ic-ec.indieclicktv.com/media/videos/$object-subrequest,domain=twitchfilm.com ||icydk.com^*/title_visit_sponsors. @@ -29721,9 +30819,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ifilm.com/website/*-skin- ||iframe.travel.yahoo.com^ ||iftn.ie/images/data/banners/ +||ijn.com/images/banners/ ||ijoomla.com/aff/banners/ ||ilcorsaronero.info/home.gif -||ilikecheats.com/images/$image,domain=unknowncheats.me +||ilikecheats.net/images/$image,domain=unknowncheats.me ||iload.to/img/ul/impopi.js ||iloveim.com/cadv ||imads.rediff.com^ @@ -29747,8 +30846,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||images.globes.co.il^*/fixedpromoright. ||images.sharkscope.com/acr/*_Ad- ||images.sharkscope.com/everest/twister.jpg -||imagesfood.com/flash/ -||imagesfood.com^*-banner. ||imageshack.us/images/contests/*/lp-bg.jpg ||imageshack.us/ym.php? ||imagesnake.com^*/oc.js @@ -29801,6 +30898,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||inkscapeforum.com/images/banners/ ||inquirer.net/wp-content/themes/news/images/wallpaper_ ||insidebutlercounty.com/images/100- +||insidebutlercounty.com/images/160- +||insidebutlercounty.com/images/180- ||insidebutlercounty.com/images/200- ||insidebutlercounty.com/images/300- ||insidebutlercounty.com/images/468- @@ -29826,9 +30925,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ip-adress.com/superb/ ||ip-ads.de^$domain=zattoo.com ||ipaddress.com/banner/ -||iphone-tv.eu/src/player/bla123.mp4 ||ipinfodb.com/img/adds/ ||iptools.com/sky.php +||irctctourism.com/ttrs/railtourism/Designs/html/images/tourism_right_banners/*DealsBanner_ ||irishamericannews.com/images/banners/ ||irishdev.com/files/banners/ ||irishdictionary.ie/view/images/ispaces-makes-any-computer.jpg @@ -29860,12 +30959,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||itwebafrica.com/images/logos/ ||itworld.com/slideshow/iframe/topimu/ ||iurfm.com/images/sponsors/ -||ivillage.com/iframe_render? -||iwayafrica.co.zw/images/banners/ ||iwebtool.com^*/bannerview.php ||ixquick.nl/graphics/banner_ -||jackfm.co.uk^*/ads/ -||jackfm.co.uk^*/splashbanner.php ||jamaica-gleaner.com/images/promo/ ||jame-world.com^*/adv/ ||jango.com/assets/promo/1600x1000- @@ -29878,11 +30973,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||jdownloader.org^*/smbanner.png ||jebril.com/sites/default/files/images/top-banners/ ||jewishexponent.com^*/banners/ +||jewishnews.co.uk^*-banner- +||jewishnews.co.uk^*-banner. +||jewishnews.co.uk^*/banner ||jewishtimes-sj.com/rop/ ||jewishtribune.ca^*/banners/ ||jewishvoiceny.com/ban2/ ||jewishyellow.com/pics/banners/ -||jha.sharesix.com^ ||jheberg.net/img/mp.png ||jillianmichaels.com/images/publicsite/advertisingslug.gif ||johnbridge.com/vbulletin/banner_rotate.js @@ -29894,6 +30991,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||jokertraffic.com^$domain=4fuckr.com ||joomladigger.com/images/banners/ ||journal-news.net/annoyingpopup/ +||journeychristiannews.com/images/banners/ ||joursouvres.fr^*/pub_ ||jozikids.co.za/uploadimages/*_140x140_ ||jozikids.co.za/uploadimages/140x140_ @@ -29919,7 +31017,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||kcrw.com/collage-images/itunes.gif ||kdoctv.net/images/banners/ ||keenspot.com/images/headerbar- -||keeps-the-lights-on.vpsboard.com^ ||keepvid.com/images/ilivid- ||kendrickcoleman.com/images/banners/ ||kentonline.co.uk/weatherimages/Britelite.gif @@ -29928,6 +31025,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||kephyr.com/spywarescanner/banner1.gif ||kermit.macnn.com^ ||kewlshare.com/reward.html +||kexp.org^*/sponsor- +||kexp.org^*/sponsoredby. ||keygen-fm.ru/images/*.swf ||kfog.com^*/banners/ ||khaleejtimes.com/imgactv/Umrah%20-%20290x60%20-%20EN.jpg @@ -29935,7 +31034,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||khon2.com^*/sponsors/ ||kickasstorrent.ph/kat_adplib.js ||kickoff.com/images/sleeves/ -||kingfiles.net/images/button.png +||kingfiles.net/images/bt.png ||kingofsat.net/pub/ ||kinox.to/392i921321.js ||kinox.to/com/ @@ -29988,9 +31087,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||kvcr.org^*/sponsors/ ||kwanalu.co.za/upload/ad/ ||kxlh.com/images/banner/ -||kyivpost.com/media/blocks/*_970x90. -||kyivpost.com/media/blocks/970_90_ -||kyivpost.com/static/forum_banner.gif +||kyivpost.com/media/banners/ ||l.yimg.com/a/i/*_wallpaper$image ||l.yimg.com/ao/i/ad/ ||l.yimg.com/mq/a/ @@ -29998,8 +31095,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||l4dmaps.com/img/right_gameservers.gif ||labtimes.org/banner/ ||lagacetanewspaper.com^*/banners/ +||lake-link.com/images/sponsorLogos/ ||lancasteronline.com^*/done_deal/ ||lancasteronline.com^*/weather_sponsor.gif +||lankabusinessonline.com/images/banners/ ||laobserved.com/tch-ad.jpg ||laptopmag.com/images/sponsorships/ ||laredodaily.com/images/banners/ @@ -30043,9 +31142,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||linuxsat-support.com/vsa_banners/ ||linuxtopia.org/includes/$subdocument ||lionsrugby.co.za^*/sponsors. -||liquidcompass.net/js/modules/purchase_ -||liquidcompass.net/player/flash/inc/flash_sync_banners.js -||liquidcompass.net/playerapi/redirect/bannerParser.php? +||liquidcompass.net/playerapi/redirect/ +||liquidcompass.net^*/purchase_ ||littleindia.com/files/banners/ ||live-proxy.com/hide-my-ass.gif ||live-proxy.com/vectrotunnel-logo.jpg @@ -30081,7 +31179,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||lowendbox.com/wp-content/themes/leb/banners/ ||lowyat.net/lowyat/lowyat-bg.jpg ||lowyat.net/mainpage/background.jpg -||lsg.sharesix.com^ ||lshunter.tv/images/bets/ ||lshunter.tv^*&task=getbets$xmlhttprequest ||lucianne.com^*_*.html @@ -30197,6 +31294,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||megaswf.com/file/$domain=gruntig.net ||megauploadtrend.com/iframe/if.php? ||meinbonusxxl.de^$domain=xup.in +||meizufans.eu/efox.gif +||meizufans.eu/merimobiles.gif +||meizufans.eu/vifocal.gif ||memory-alpha.org/__varnish_liftium/ ||memorygapdotorg.files.wordpress.com^*allamerican3.jpg$domain=memoryholeblog.com ||menafn.com^*/banner_ @@ -30231,6 +31331,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||middle-east-online.com^*/meoadv/ ||midlandsradio.fm/bms/ ||mightyupload.com/popuu.js +||mikejung.biz/images/*/728x90xLiquidWeb_ ||milanounited.co.za/images/sponsor_ ||mindfood.com/upload/images/wallpaper_images/ ||miniclipcdn.com/images/takeovers/ @@ -30245,13 +31346,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||misterwhat.co.uk/business-company-300/ ||mixfm.co.za/images/banner ||mixfm.co.za^*/tallspon +||mixx96.com/images/banners/ ||mizzima.com/images/banners/ ||mlb.com/images/*_videoskin_*.jpg ||mlb.com^*/sponsorship/ -||mmegi.bw^*/banner_ -||mmegi.bw^*/banners/ -||mmegi.bw^*/banners_ -||mmegi.bw^*/hr_rates_provided_by.gif +||mlg-ad-ops.s3.amazonaws.com^$domain=majorleaguegaming.com ||mmoculture.com/wp-content/uploads/*-background- ||mmorpg.com/images/skins/ ||mmosite.com/sponsor/ @@ -30267,6 +31366,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||monitor.co.ug/image/view/*/468/ ||monkeygamesworld.com/images/banners/ ||monster.com/null&pp +||morefmphilly.com^*/sponsors/ ||morefree.net/wp-content/uploads/*/mauritanie.gif ||morningstaronline.co.uk/offsite/progressive-listings/ ||motorcycles-motorbikes.com/pictures/sponsors/ @@ -30274,12 +31374,12 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||motortrader.com.my/skinner/ ||motorweek.org^*/sponsor_logos/ ||mountainbuzz.com/attachments/banners/ +||mousesteps.com/images/banners/ ||mouthshut.com^*/zedo.aspx ||movie2k.tl/layers/ ||movie2k.tl/serve.php ||movie4k.to/*.js ||movie4k.tv/e.js -||movies4men.co.uk^*/dart_enhancements/ ||moviewallpaper.net/js/mwpopunder.js ||movizland.com/images/banners/ ||movstreaming.com/images/edhim.jpg @@ -30291,6 +31391,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||mp3mediaworld.com*/! ||mp3s.su/uploads/___/djz_to.png ||mp3skull.com/call_banner_exec_new. +||msecnd.net/scripts/compressed.common.lib.js?$domain=firedrive.com|sockshare.com ||msn.com/?adunitid ||msw.ms^*/jquery.MSWPagePeel- ||mtbr.com/ajax/hotdeals/ @@ -30312,6 +31413,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||muthafm.com^*/partners.png ||muzu.tv/player/muzutv_homadconfig. ||my-link.pro/rotatingBanner.js +||myam1230.com/images/banners/ ||mybroadband.co.za/news/wp-content/wallpapers/ ||mycentraljersey.com^*/sponsor_ ||myfax.com/free/images/sendfax/cp_coffee_660x80.swf @@ -30319,9 +31421,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||mygaming.co.za/news/wp-content/wallpapers/ ||myiplayer.eu/ad ||mypbrand.com/wp-content/uploads/*banner -||mypetition.co.za/banner/mypetitionbanner.gif -||mypetition.co.za/images/banner1.gif -||mypetition.co.za/images/graphicjampet.jpg ||mypiratebay.cl^$subdocument ||mypremium.tv^*/bpad.htm ||myretrotv.com^*_horbnr.jpg @@ -30335,6 +31434,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||mysuncoast.com^*/sponsors/ ||myway.com/gca_iframe.html ||mywot.net/files/wotcert/vipre.png +||naij.com^*/branding/ ||nairaland.com/dynamic/$image ||nation.co.ke^*_bg.png ||nation.lk^*/banners/ @@ -30355,6 +31455,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ncrypt.in/images/useful/ ||ncrypt.in/javascript/jquery.msgbox.min.js ||ncrypt.in^*/layer.$script +||ndtv.com/widget/conv-tb +||ndtv.com^*/banner/ +||ndtv.com^*/sponsors/ ||nearlygood.com^*/_aff.php? ||nemesistv.info/jQuery.NagAds1.min.js ||neoseeker.com/a_pane.php @@ -30389,6 +31492,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||news.com.au^*/promotions/ ||news.com.au^*/public/img/p/$image ||newsbusters.org^*/banners/ +||newscdn.com.au^*/desktop-bg-body.png$domain=news.com.au ||newsday.co.tt/banner/ ||newsonjapan.com^*/banner/ ||newsreview.com/images/promo.gif @@ -30403,6 +31507,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||newverhost.com/css/pp.js ||newvision.co.ug/banners/ ||newvision.co.ug/rightsidepopup/ +||nextag.com^*/NextagSponsoredProducts.jsp? ||nextbigwhat.com/wp-content/uploads/*ccavenue ||nextstl.com/images/banners/ ||nfl.com/assets/images/hp-poweredby- @@ -30426,6 +31531,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||noram.srv.ysm.yahoo.com^ ||northjersey.com^*_Sponsor. ||norwaypost.no/images/banners/ +||nosteam.ro^*/compressed.ggotab36.js +||nosteam.ro^*/gamedvprop.js +||nosteam.ro^*/messages.js +||nosteam.ro^*/messagesprop.js ||notalwaysromantic.com/images/banner- ||notdoppler.com^*-promo-homepageskin.png ||notdoppler.com^*-promo-siteskin. @@ -30451,7 +31560,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||nuvo.net^*/FooterPromoButtons.html ||nyaa.se/ag ||nyaa.se/ah +||nyaa.se/ai ||nydailynews.com/img/sponsor/ +||nydailynews.com/PCRichards/ ||nydailynews.com^*-reskin- ||nymag.com/partners/ ||nymag.com/scripts/skintakeover.js @@ -30472,6 +31583,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||oascentral.hosted.ap.org^ ||oascentral.newsmax.com^ ||objects.tremormedia.com/embed/swf/acudeo.swf$object-subrequest,domain=deluxemusic.tv.staging.ipercast.net +||oboom.com/assets/raw/$media,domain=oboom.com ||observer.com.na/images/banners/ ||observer.org.sz/files/banners/ ||observer.ug/images/banners/ @@ -30493,6 +31605,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||onlinekeystore.com/skin1/images/side- ||onlinemarketnews.org^*/silver300600.gif ||onlinemarketnews.org^*/silver72890.gif +||onlinenews.com.pk/onlinenews-admin/banners/ ||onlinerealgames.com/google$subdocument ||onlineshopping.co.za/expop/ ||onlygoodmovies.com/netflix.gif @@ -30537,6 +31650,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||pan2.ephotozine.com^$image ||pandora.com^*/mediaserverPublicRedirect.jsp ||parade.com/images/skins/ +||paradoxwikis.com/Sidebar.jpg ||pardaphash.com/direct/tracker/add/ ||parlemagazine.com/images/banners/ ||partners-z.com^ @@ -30598,7 +31712,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||piratefm.co.uk/resources/creative/ ||pirateproxy.nl/inc/ex.js ||pitchero.com^*/toolstation.gif -||pitchfork.com^*/ads.css ||pittnews.com/modules/mod_novarp/ ||pixhost.org/image/fik1.jpg ||planecrashinfo.com/images/advertize1.gif @@ -30638,6 +31751,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||portevergladeswebcam.com^*-WebCamBannerFall_ ||portlanddailysun.me/images/banners/ ||portmiamiwebcam.com/images/sling_ +||porttechnology.org/images/partners/ ||positivehealth.com^*/BannerAvatar/ ||positivehealth.com^*/TopicbannerAvatar/ ||postadsnow.com/panbanners/ @@ -30647,6 +31761,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||poststar.com^*/dealwidget.php? ||poststar.com^*/promos/ ||power1035fm.com^*/banners/ +||power977.com/images/banners/ ||powerbot.org^*/ads/ ||powvideo.net/ban/ ||pqarchiver.com^*/utilstextlinksxml.js @@ -30680,6 +31795,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||professionalmuscle.com/phil1.jpg ||professionalmuscle.com/PL2.gif ||project-for-sell.com/_google.php +||projectfreetv.ch/adblock/ ||projectorcentral.com/bblaster.cfm?$image ||promo.fileforum.com^ ||propakistani.pk/data/warid_top1.html @@ -30704,10 +31820,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||publicservice.co.uk^*/spons_ ||pulsetv.com/banner/ ||pumasrugbyunion.com/images/sponsors/ +||punch.cdn.ng^*/wp-banners/ +||punchng.com^*/wp-banners/ ||punksbusted.com/images/ventrilo/ ||punksbusted.com^*/clanwarz-portal.jpg ||pushsquare.com/wp-content/themes/pushsquare/skins/ ||putlocker.is/images/banner +||putlocker.mn^*/download.gif +||putlocker.mn^*/stream-hd.gif ||pv-tech.org/images/footer_logos/ ||pv-tech.org/images/suntech_m2fbblew.png ||q1075.com/images/banners/ @@ -30738,6 +31858,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||radiocaroline.co.uk/swf/ACET&ACSP_RadioCaroline_teg.swf ||radioinfo.com/270x270/ ||radioinfo.com^*/575x112- +||radioloyalty.com/newPlayer/loadbanner.html? ||radioreference.com/i/p4/tp/smPortalBanner.gif ||radioreference.com^*_banner_ ||radiotoday.co.uk/a/ @@ -30753,6 +31874,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||rapidlibrary.com/banner_*.png ||rapidsafe.de/eislogo.gif ||rapidshare.com/promo/$image +||rapidtvnews.com^*BannerAd. ||rapidvideo.org/images/pl_box_rapid.jpg ||rapidvideo.tv/images/pl.jpg ||ratio-magazine.com/images/banners/ @@ -30788,6 +31910,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||reviewcentre.com/cinergy-adv.php ||revisionworld.co.uk/sites/default/files/imce/Double-MPU2-v2.gif ||rfu.com/js/jquery.jcarousel.js +||rghost.ru/download/a/*/banner_download_ ||richardroeper.com/assets/banner/ ||richmedia.yimg.com^ ||riderfans.com/other/ @@ -30800,6 +31923,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||rocktelevision.com^*_banner_ ||rockthebells.net/images/banners/ ||rockthebells.net/images/bot_banner_ +||rocvideo.tv/pu/$subdocument ||rodfile.com/images/esr.gif ||roia.com^ ||rok.com.com/rok-get? @@ -30819,6 +31943,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||rt.com/banner/ ||rt.com/static/img/banners/ ||rtcc.org/systems/sponsors/ +||rubiconproject.com^$domain=optimized-by.rubiconproject.com ||rugbyweek.com^*/sponsors/ ||runt-of-the-web.com/wrap1.jpg ||russianireland.com/images/banners/ @@ -30845,6 +31970,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||samoaobserver.ws^*/banner/ ||samoatimes.co.nz^*/banner468x60/ ||sapeople.com/wp-content/uploads/wp-banners/ +||sarasotatalkradio.com^*-200x200.jpg ||sarugbymag.co.za^*-wallpaper2. ||sat24.com/bannerdetails.aspx? ||satelliteguys.us/burst_ @@ -30880,10 +32006,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||search.ch/htmlbanner.html ||search.triadcareers.news-record.com/jobs/search/results?*&isfeatured=y& ||search.triadcars.news-record.com/autos/widgets/featuredautos.php -||searchengine.co.za/banner- -||searchengine.co.za^*/companies- -||searchengine.co.za^*/mbp-banner/ +||searchenginejournal.com^*-takeover- ||searchenginejournal.com^*/sej-bg-takeover/ +||searchenginejournal.com^*/sponsored- ||searchignited.com^ ||searchtempest.com/clhimages/aocbanner.jpg ||seatguru.com/deals? @@ -30909,7 +32034,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||serials.ws^*/logo.gif ||serialzz.us/ad.js ||sermonaudio.com/images/sponsors/ -||settv.co.za^*/dart_enhancements/ ||sexmummy.com/avnadsbanner. ||sfbaytimes.com/img-cont/banners ||sfltimes.com/images/banners/ @@ -30922,15 +32046,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||share-links.biz^*/hs.gif ||sharebeast.com/topbar.js ||sharephile.com/js/pw.js -||sharesix.com/a/images/watch-btn.gif -||sharesix.com/a/images/watch-me.gif -||sharesix.com/a/images/watch-now.gif +||sharesix.com/a/images/watch-bnr.gif ||sharetera.com/images/icon_download.png ||sharetera.com/promo.php? ||sharkscope.com/images/verts/$image ||sherdog.com/index/load-banner? ||shodanhq.com/images/s/acehackware-obscured.jpg ||shop.com/cc.class/dfp? +||shop.sportsmole.co.uk/pages/deeplink/ ||shopping.stylelist.com/widget? ||shoppingpartners2.futurenet.com^ ||shops.tgdaily.com^*&widget= @@ -30940,6 +32063,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||shortlist.com^*-takeover. ||shoutmeloud.com^*/hostgator- ||show-links.tv/layer.php +||showbusinessweekly.com/imgs/hed/ ||showstreet.com/banner. ||shroomery.org/bimg/ ||shroomery.org/bnr/ @@ -30954,9 +32078,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||sify.com^*/gads_ ||sigalert.com/getunit.asp?$subdocument ||siliconrepublic.com/fs/img/partners/ +||silverdoctors.com^*/Silver-Shield-2015.jpg ||sisters-magazine.com^*/Banners/ ||sitedata.info/doctor/ ||sitesfrog.com/images/banner/ +||siteslike.com/images/celeb ||siteslike.com/js/fpa.js ||sk-gaming.com/image/acersocialw.gif ||sk-gaming.com/image/pts/ @@ -30992,11 +32118,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||snopes.com^*/casalebox.asp ||snopes.com^*/casalesky.asp ||snopes.com^*/tribalbox.asp -||soccer24.co.zw/images/banners/ -||soccer24.co.zw/images/shashaadvert.jpg -||soccer24.co.zw/images/tracking%20long%20banner.png ||soccerlens.com/files1/ -||soccervista.com/750x50_ ||soccervista.com/bahforgif.gif ||soccervista.com/bonus.html ||soccervista.com/sporting.gif @@ -31021,11 +32143,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||solvater.com/images/hd.jpg ||someecards.com^*/images/skin/ ||songs.pk/textlinks/ +||songspk.link/textlinks/ ||songspk.name/fidelity.html$domain=songs.pk|songspk.name +||songspk.name/imagepk.gif ||songspk.name/textlinks/ -||sonymax.co.za^*/dart_enhancements/ -||sonymoviechannel.co.uk^*/dart_enhancements/ -||sonytv.com^*/dart_enhancements/ ||sootoday.com/uploads/banners/ ||sorcerers.net/images/aff/ ||soundcloud.com/audio-ad? @@ -31039,6 +32160,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||space.com/promo/ ||spaceweather.com/abdfeeter/$image ||spartoo.eu/footer_tag_iframe_ +||spcontentcdn.net^$domain=sporcle.com +||speedtest.net/flash/59rvvrpc-$object-subrequest +||speedtest.net/flash/60speedify1-$object-subrequest ||speedtv.com.edgesuite.net/img/monthly/takeovers/ ||speedtv.com/js/interstitial.js ||speedtv.com^*/tissot-logo.png @@ -31056,13 +32180,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||spycss.com/images/hostgator.gif ||spyw.com^$domain=uploadlw.com ||squadedit.com/img/peanuts/ +||srv.thespacereporter.com^ ||ssl-images-amazon.com/images/*/browser-scripts/da- -||ssl-images-amazon.com/images/*/traffic/$image ||st701.com/stomp/banners/ ||stad.com/googlefoot2.php? ||stagnitomedia.com/view-banner- ||standard.net/sites/default/files/images/wallpapers/ ||standardmedia.co.ke/flash/expandable.swf +||star883.org^*/sponsors. ||startxchange.com/bnr.php ||static-economist.com^*/timekeeper-by-rolex-medium.png ||static.btrd.net/*/interstitial.js$domain=businessweek.com @@ -31096,6 +32221,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||stream2watch.me/chat1.html ||stream2watch.me/eadb.php ||stream2watch.me/eadt.php +||stream2watch.me/ed +||stream2watch.me/images/hd1.png ||stream2watch.me/Los_Br.png ||stream2watch.me/yield.html ||streamcloud.eu/deliver.php @@ -31106,17 +32233,15 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||stuff.co.nz/stuff/*banner ||stuff.co.nz/stuff/misc/flying-flowers/ ||stuff.co.nz/stuff/tom/mags-widget/ +||stuff.co.nz/stuff/widgets/lifedirect/ ||stuff.priceme.co.nz^$domain=stuff.co.nz ||stuff.tv/client/skinning/ ||stv.tv/img/player/stvplayer-sponsorstrip- -||subjectboard.com/c/af.php? ||subs4free.com^*/wh4_s4f_$script ||succeed.co.za^*/banner_ ||sulekha.com^*/bannerhelper.html ||sulekha.com^*/sulekhabanner.aspx ||sun-fm.com/resources/creative/ -||sundaymail.co.zw^*/banners/ -||sundaynews.co.zw^*/banners/ ||sunriseradio.com/js/rbanners.js ||sunshineradio.ie/images/banners/ ||suntimes.com^*/banners/ @@ -31124,7 +32249,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||supermarket.co.za/images/advetising/ ||supermonitoring.com/images/banners/ ||superplatyna.com/automater.swf -||supertalk.fm^*?bannerXGroupId= ||surfthechannel.com/promo/ ||swagmp3.com/cdn-cgi/pe/ ||swampbuggy.com/media/images/banners/ @@ -31158,6 +32282,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||targetedinfo.com^ ||targetedtopic.com^ ||tastro.org/x/ads*.php +||tbs.com^*/ad_policy.xml$object-subrequest,domain=tbs.com ||tdfimg.com/go/*.html ||teamfourstar.com/img/918thefan.jpg ||techexams.net/banners/ @@ -31173,6 +32298,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||techtree.com^*/jquery.catfish.js ||teesoft.info/images/uniblue.png ||teesupport.com/wp-content/themes/ts-blog/images/cp- +||tehrantimes.com/images/banners/ ||telecomtiger.com^*_250x250_ ||telecomtiger.com^*_640x480_ ||telegraph.co.uk/international/$subdocument @@ -31238,10 +32364,12 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||thehealthcareblog.com/files/*/THCB-Validic-jpg-opt.jpg ||thehighstreetweb.com^*/banners/ ||thehindu.com/multimedia/*/sivananda_sponsorch_ -||theindependent.co.zw^*/banners/ ||theispguide.com/premiumisp.html ||theispguide.com/topbanner.asp? ||thejesperbay.com^ +||thejointblog.com/wp-content/uploads/*-235x +||thejointblog.com^*/dablab.gif +||thejuice.co.za/wp-content/plugins/wp-plugin-spree-tv/ ||thelakewoodscoop.com^*banner ||theleader.info/banner ||theliberianjournal.com/flash/banner @@ -31255,9 +32383,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||themis.yahoo.com^ ||themiscellany.org/images/banners/ ||themittani.com/sites/*-skin +||thenassauguardian.com/images/banners/ ||thenationonlineng.net^*/banners/ -||thenewage.co.za/Image/300SB.gif -||thenewage.co.za/Image/IMC.png ||thenewage.co.za/Image/kingprice.gif ||thenewjournalandguide.com/images/banners/ ||thenextweb.com/wp-content/plugins/tnw-siteskin/mobileys/ @@ -31272,6 +32399,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||theolympian.com/static/images/weathersponsor/ ||theonion.com/ads/ ||theorganicprepper.ca/images/banners/ +||thepaper24-7.com/SiteImages/Banner/ +||thepaper24-7.com/SiteImages/Tile/ ||thepeak.fm/images/banners/ ||thepeninsulaqatar.com^*/banners/ ||thephuketnews.com/photo/banner/ @@ -31279,24 +32408,23 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||theplanetweekly.com/images/banners/ ||theportugalnews.com/uploads/banner/ ||thepreparednessreview.com/wp-content/uploads/*/250x125- -||thepreparednessreview.com/wp-content/uploads/*/FISH175x175.jpg ||thepreparednessreview.com/wp-content/uploads/*_175x175.jpg ||thepreparednessreview.com/wp-content/uploads/*_185x185.jpg ||theradiomagazine.co.uk/banners/ ||theradiomagazine.co.uk/images/bionics.jpg +||therugbyforum.com/trf-images/sponsors/ +||thesentinel.com^*/banners/ ||thesource.com/magicshave/ ||thespiritsbusiness.com^*/Banner150 ||thessdreview.com/wp-content/uploads/*/930x64_ ||thessdreview.com^*-bg.jpg ||thessdreview.com^*/owc-full-banner.jpg ||thessdreview.com^*/owc-new-gif1.gif -||thestandard.co.zw^*/banners/ ||thestandard.com.hk/banners/ ||thestandard.com.hk/rotate_ +||thestkittsnevisobserver.com/images/banners/ ||thesundaily.my/sites/default/files/twinskyscrapers -||thesurvivalistblog.net^*-ad.bmp ||thesurvivalistblog.net^*-banner- -||thesurvivalistblog.net^*/banner- ||thesweetscience.com/images/banners/ ||theticketmiami.com/Pics/listenlive/*-Left.jpg ||theticketmiami.com/Pics/listenlive/*-Right.jpg @@ -31306,24 +32434,23 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||thevideo.me/cgi-bin/get_creatives.cgi? ||thevideo.me/creatives/ ||thewb.com/thewb/swf/tmz-adblock/ -||theweathernetwork.com^*&size=$image -||theweathernetwork.com^*/spos/ -||thewillnigeria.com/files/banners/ ||thewindowsclub.com^*/banner_ ||theyeshivaworld.com/yw/ ||thinkbroadband.com/uploads/banners/ ||thinkingwithportals.com/images/*-skyscraper. ||thinkingwithportals.com^*-skyscraper.swf ||thirdage.com^*_banner.php +||thisisanfield.com^*takeover +||thunder106.com//wp-content/banners/ ||ticketnetwork.com/images/affiliates/ ||tigerdroppings.com^*&adcode= +||time4tv.com/tlv. ||timeinc.net/*/i/oba-compliance.png ||timeinc.net^*/recirc.js ||times-herald.com/pubfiles/ ||times.co.sz/files/banners/ -||times.spb.ru/clients/banners/ -||times.spb.ru/clients/banners_ ||timesnow.tv/googlehome.cms +||timesofoman.com/FrontInc/top.aspx ||timesofoman.com/siteImages/MyBannerImages/ ||timesofoman.com^*/banner/ ||timestalks.com/images/sponsor- @@ -31338,14 +32465,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||tmz.vo.llnwd.net^*/images/*skin ||tmz.vo.llnwd.net^*/sponsorship/$domain=tmz.com ||tnij.org/rotator -||tny.cz/banner.png -||tny.cz/ln.jpg -||tny.cz/pop/ +||tny.cz/oo/ ||tom.itv.com^ ||tomshardware.com/indexAjax.php?ctrl=ajax_pricegrabber$xmlhttprequest ||tomshardware.com/price/widget/?$xmlhttprequest ||toolslib.net/assets/img/a_dvt/ ||toomuchnews.com/dropin/ +||toonova.com/images/site/front/xgift- ||toonzone.net^*/placements.php? ||topalternate.com/assets/sponsored_links- ||topfriv.com/popup.js @@ -31365,6 +32491,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||torrentfreak.com/images/vuze.png ||torrentfunk.com/affprofslider.js ||torrentfusion.com/FastDownload.html +||torrentproject.org/out/ ||torrentroom.com/js/torrents.js ||torrents.net/btguard.gif ||torrents.net/wiget.js @@ -31389,9 +32516,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||trackitdown.net/skins/*_campaign/ ||tracksat.com^*/banners/ ||tradewinds.vi/images/banners/ -||travel.washingtontimes.com/external -||travel.washingtontimes.com/widgets/ -||trend.az/b1/ ||trgoals.es/adk.html ||tribune.com.ng/images/banners/ ||tribune242.com/pubfiles/ @@ -31401,7 +32525,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||truck1.eu/_BANNERS_/ ||trucknetuk.com^*/sponsors/ ||trucktrend.com^*_160x200_ -||trunews.com/AFE-Webinar-Banner.swf +||trustedreviews.com/mobile/widgets/html/promoted-phones? ||trutv.com/includes/mods/iframes/mgid-blog.php ||tsatic-cdn.net/takeovers/$image ||tsdmemphis.com/images/banners/ @@ -31418,10 +32542,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||turboimagehost.com/728*.html^ ||turboimagehost.com/p.js ||turboyourpc.com/images/affiliates/ -||turner.com/si/*/ads/ ||turnstylenews.com^*/sponsors.png +||tusfiles.net/i/dll.png ||tusfiles.net/images/tusfilesb.gif ||tuspics.net/onlyPopupOnce.js +||tv4chan.com/iframes/ ||tvbrowser.org/logo_df_tvsponsor_ ||tvcatchup.com/wowee/ ||tvducky.com/imgs/graboid. @@ -31431,6 +32556,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||twentyfour7football.com^*/gpprint.jpg ||twitch.tv/ad/*=preroll ||twitch.tv/widgets/live_embed_player.swf$domain=gelbooru.com +||twnmm.com^*/sponsored_logo. ||txfm.ie^*/amazon-16x16.png ||txfm.ie^*/itunes-16x16.png ||u.tv/images/misc/progressive.png @@ -31471,6 +32597,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||unawave.de/medien/wbwso-$image ||unawave.de/templates/unawave/a/$image ||unblockedpiratebay.com/external/$image +||unblockt.com/scrape_if.php ||uncoached.com/smallpics/ashley ||unicast.ign.com^ ||unicast.msn.com^ @@ -31510,6 +32637,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||usatoday.net^*/lb-agate.png ||usatodayhss.com/images/*skin ||uschess.org/images/banners/ +||usenet-crawler.com/astraweb.png +||usenet-crawler.com/purevpn.png ||usforacle.com^*-300x250.gif ||ustatik.com/_img/promo/takeovers/$domain=ultimate-guitar.com ||ustatik.com/_img/promo/takeovers_$domain=ultimate-guitar.com @@ -31542,9 +32671,12 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||video44.net/gogo/qc.js ||video44.net/gogo/yume-h.swf$object-subrequest ||videobam.com/images/banners/ +||videobam.com/this-pays-for-bandwidth/ ||videobash.com/images/playboy/ ||videobull.com/wp-content/themes/*/watch-now.jpg ||videobull.com^*/amazon_ico.png +||videobull.to/wp-content/themes/videozoom/images/gotowatchnow.png +||videobull.to/wp-content/themes/videozoom/images/stream-hd-button.gif ||videodorm.org/player/yume-h.swf$object-subrequest ||videodownloadtoolbar.com/fancybox/ ||videogamer.com/videogamer*/skins/ @@ -31563,6 +32695,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||vidspot.net/player/ova-jw.swf$object-subrequest ||vidspot.net^$subdocument,domain=vidspot.net ||vidspot.net^*/pu.js +||vidvib.com/vidvibpopa. +||vidvib.com/vidvibpopb. ||viewdocsonline.com/images/banners/ ||villagevoice.com/img/VDotDFallback-large.gif ||vinaora.com/xmedia/hosting/ @@ -31597,7 +32731,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||vortez.co.uk^*120x600.swf ||vortez.co.uk^*skyscraper.jpg ||vosizneias.com/perms/ -||vpsboard.com/data/$subdocument +||vpsboard.com/display/ ||w.homes.yahoo.net^ ||waamradio.com/images/sponsors/ ||wadldetroit.com/images/banners/ @@ -31607,6 +32741,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||wambacdn.net/images/upload/adv/$domain=mamba.ru ||wantedinmilan.com/images/banner/ ||wantitall.co.za/images/banners/ +||waoanime.tv/playerimg.jpg ||wardsauto.com^*/pm_doubleclick/ ||warriorforum.com/vbppb/ ||washingtonpost.com/wp-srv/javascript/piggy-back-on-ads.js @@ -31633,7 +32768,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||wbal.com/absolutebm/banners/ ||wbgo.org^*/banners/ ||wbj.pl/im/partners.gif -||wbls.com^*?bannerxgroupid= ||wcbm.com/includes/clientgraphics/ ||wctk.com/banner_rotator.php ||wdwinfo.com/js/swap.js @@ -31656,6 +32790,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||webnewswire.com/images/banner ||websitehome.co.uk/seoheap/cheap-web-hosting.gif ||webstatschecker.com/links/ +||weddingtv.com/src/baners/ ||weei.com^*/sponsors/ ||weei.com^*_banner.jpg ||wegoted.com/includes/biogreen.swf @@ -31674,6 +32809,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||whatson.co.za/img/hp.png ||whatsonstage.com/images/sitetakeover/ ||whatsontv.co.uk^*/promo/ +||whatsthescore.com/logos/icons/bookmakers/ ||whdh.com/images/promotions/ ||wheninmanila.com/wp-content/uploads/2011/05/Benchmark-Email-Free-Signup.gif ||wheninmanila.com/wp-content/uploads/2012/12/Marie-France-Buy-1-Take-1-Deal-Discount-WhenInManila.jpg @@ -31696,16 +32832,19 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||whoownsfacebook.com/images/topbanner.gif ||whtsrv3.com^*==$domain=webhostingtalk.com ||widget.directory.dailycommercial.com^ +||widih.org/banners/ ||wiilovemario.com/images/fc-twin-play-nes-snes-cartridges.png ||wikia.com/__varnish_ -||wikifeet.com/mgid.html ||wikinvest.com/wikinvest/ads/ ||wikinvest.com/wikinvest/images/zap_trade_ ||wildtangent.com/leaderboard? +||windows.net/script/p.js$domain=1fichier.com|limetorrents.cc|primewire.ag|thepiratebay.みんな ||windowsitpro.com^*/roadblock. ||winnfm.com/grfx/banners/ ||winpcap.org/assets/image/banner_ ||winsupersite.com^*/roadblock. +||wipfilms.net^*/amazon.png +||wipfilms.net^*/instant-video.png ||wired.com/images/xrail/*/samsung_layar_ ||wirenh.com/images/banners/ ||wiretarget.com/a_$subdocument @@ -31717,7 +32856,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||wjunction.com/images/rectangle ||wksu.org/graphics/banners/ ||wlcr.org/banners/ -||wlib.com^*?bannerxgroupid= ||wlrfm.com/images/banners/ ||wned.org/underwriting/sponsors/ ||wnst.net/img/coupon/ @@ -31749,8 +32887,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||wp.com/wp-content/themes/vip/tctechcrunch/images/tc_*_skin.jpg ||wp.com^*/coedmagazine3/gads/$domain=coedmagazine.com ||wpcomwidgets.com^$domain=thegrio.com +||wpcv.com/includes/header_banner.htm ||wpdaddy.com^*/banners/ ||wptmag.com/promo/ +||wqah.com/images/banners/ ||wqam.com/partners/ ||wqxe.com/images/sponsors/ ||wranglerforum.com/images/sponsor/ @@ -31766,8 +32906,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||wttrend.com/images/hs.jpg ||wunderground.com/geo/swfad/ ||wunderground.com^*/wuss_300ad2.php? +||wvbr.com/images/banner/ ||wwaytv3.com^*/curlypage.js -||wwegr.filenuke.com^ +||wwbf.com/b/topbanner.htm ||www2.sys-con.com^*.cfm ||x.castanet.net^ ||xbitlabs.com/cms/module_banners/ @@ -31809,13 +32950,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||yellowpages.ae/UI/ST/ ||yellowpages.ae/UI/WA/ ||yellowpages.ae/UI/WM/ -||yellowpages.co.za/sidebanner.jsp -||yellowpages.co.za/sideSponsor.jsp? -||yellowpages.co.za/tdsrunofsitebottbanner.jsp -||yellowpages.co.za/tdsrunofsitetopbanner.jsp -||yellowpages.co.za/topbanner.jsp -||yellowpages.co.za/wppopupBanner.jsp? -||yellowpages.co.za/yppopupresultsbanner.jsp ||yellowpages.com.jo/banners/ ||yellowpages.com.lb/uploaded/banners/ ||yellowpages.ly/user_media/banner/ @@ -31831,8 +32965,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||yimg.com/cv/ae/us/audience/$image,domain=yahoo.com ||yimg.com/cv/eng/*.webm$domain=yahoo.com ||yimg.com/cv/eng/*/635x100_$domain=yahoo.com +||yimg.com/cv/eng/*/970x250_$domain=yahoo.com ||yimg.com/dh/ap/default/*/skins_$image,domain=yahoo.com ||yimg.com/hl/ap/*_takeover_$domain=yahoo.com +||yimg.com/hl/ap/default/*_background$image,domain=yahoo.com ||yimg.com/i/i/de/cat/yahoo.html$domain=yahoo.com ||yimg.com/la/i/wan/widgets/wjobs/$subdocument,domain=yahoo.com ||yimg.com/rq/darla/$domain=yahoo.com @@ -31844,7 +32980,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||yimg.com^*/yad*.js$domain=yahoo.com ||yimg.com^*/yad.html ||yimg.com^*/yfpadobject.js$domain=yahoo.com -||yimg.com^*^pid=Ads^ ||yimg.com^*_east.swf$domain=yahoo.com ||yimg.com^*_north.swf$domain=yahoo.com ||yimg.com^*_west.swf$domain=yahoo.com @@ -31852,6 +32987,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ynaija.com^*300x250 ||ynaija.com^*300X300 ||yolasite.com/resources/$domain=coolsport.tv +||yomzansi.com^*-300x250. ||yopmail.com/fbd.js ||yorkshirecoastradio.com/resources/creative/ ||youconvertit.com/_images/*ad.png @@ -31903,9 +33039,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ziddu.com/images/globe7.gif ||ziddu.com/images/wxdfast/ ||zigzag.co.za/images/oww- -||zimeye.org^*-Advert- -||zimeye.org^*/foxhuntersJPG1.jpg -||zimeye.org^*/tuku200x450.jpg +||zipcode.org/site_images/flash/zip_v.swf ||zombiegamer.co.za/wp-content/uploads/*-skin- ||zomobo.net/images/removeads.png ||zonein.tv/add$subdocument @@ -31920,16 +33054,22 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||zpag.es/b/ ||zshares.net/fm.html ||zurrieqfc.com/images/banners/ +! extratorrentlive +/\/\[a-zA-Z0-9]{3}/$script,third-party,domain=extratorrent.cc|extratorrentlive.com ! Filenuke/sharesix -/filenuke\.com/\[a-zA-Z0-9]{4}/$script -/sharesix\.com/\[a-zA-Z0-9]{4}/$script +/\.filenuke\.com/.*\[a-zA-Z0-9]{4}/$script +/\.sharesix\.com/.*\[a-zA-Z0-9]{4}/$script ! Yavli.com +/http://\[a-zA-Z0-9-]+\.\[a-z]+\/.*(?:\[!"#$%&'()*+,:;<=>?@/\^_`{|}~-])/$script,third-party,xmlhttprequest,domain=247wallst.com|activistpost.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|americanlivewire.com|askmefast.com|barbwire.com|blacklistednews.com|breathecast.com|brosome.com|bulletsfirst.net|chacha.com|cheezburger.com|christianpost.com|christiantoday.com|cinemablend.com|clashdaily.com|classicalite.com|comicallyincorrect.com|comicbookmovie.com|conservativebyte.com|conservativevideos.com|cowboybyte.com|crossmap.com|dailycaller.com|dailysurge.com|dccrimestories.com|dealbreaker.com|designntrend.com|digitaljournal.com|drhotze.com|gamerant.com|genfringe.com|girlsjustwannahaveguns.com|hallels.com|hellou.co.uk|hngn.com|infowars.com|instigatornews.com|investmentwatchblog.com|joblo.com|joeforamerica.com|kdramastars.com|kpopstarz.com|latinpost.com|libertyunyielding.com|listverse.com|makeuseof.com|mensfitness.com|minutemennews.com|moddb.com|mstarz.com|muscleandfitness.com|musictimes.com|naturalnews.com|natureworldnews.com|newser.com|oddee.com|okmagazine.com|opposingviews.com|patriotoutdoornews.com|patriotupdate.com|pitgrit.com|politicususa.com|product-reviews.net|radaronline.com|realfarmacy.com|redmaryland.com|screenrant.com|shark-tank.com|stevedeace.com|techtimes.com|theblacksphere.net|theblaze.com|thefreedictionary.com|thegatewaypundit.com|theladbible.com|thelibertarianrepublic.com|themattwalshblog.com|townhall.com|unilad.co.uk|uniladmag.com|unitrending.co.uk|valuewalk.com|vcpost.com|victoriajackson.com|viralnova.com|whatculture.com|wimp.com|wwitv.com +/http://\[a-zA-Z0-9-]+\.\[a-z]+\/.*\[a-zA-Z0-9]+/$script,third-party,domain=247wallst.com|activistpost.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|americanlivewire.com|askmefast.com|barbwire.com|blacklistednews.com|breathecast.com|brosome.com|bulletsfirst.net|chacha.com|cheezburger.com|christianpost.com|christiantoday.com|cinemablend.com|clashdaily.com|classicalite.com|comicallyincorrect.com|comicbookmovie.com|conservativebyte.com|conservativevideos.com|cowboybyte.com|crossmap.com|dailycaller.com|dailysurge.com|dccrimestories.com|dealbreaker.com|designntrend.com|digitaljournal.com|drhotze.com|gamerant.com|genfringe.com|girlsjustwannahaveguns.com|hallels.com|hellou.co.uk|hngn.com|infowars.com|instigatornews.com|investmentwatchblog.com|joblo.com|joeforamerica.com|kdramastars.com|kpopstarz.com|latinpost.com|libertyunyielding.com|listverse.com|makeuseof.com|mensfitness.com|minutemennews.com|moddb.com|mstarz.com|muscleandfitness.com|musictimes.com|naturalnews.com|natureworldnews.com|newser.com|oddee.com|okmagazine.com|opposingviews.com|patriotoutdoornews.com|patriotupdate.com|pitgrit.com|politicususa.com|product-reviews.net|radaronline.com|realfarmacy.com|redmaryland.com|screenrant.com|shark-tank.com|stevedeace.com|techtimes.com|theblacksphere.net|theblaze.com|thefreedictionary.com|thegatewaypundit.com|theladbible.com|thelibertarianrepublic.com|themattwalshblog.com|townhall.com|unilad.co.uk|uniladmag.com|unitrending.co.uk|valuewalk.com|vcpost.com|victoriajackson.com|viralnova.com|whatculture.com|wimp.com|wwitv.com +@@/wp-content/plugins/akismet/*$script @@||cdn.api.twitter.com*http%$script,third-party +@@||hwcdn.net/*.js?$script +@@||intensedebate.com/js/$script,third-party +@@||launch.newsinc.com/*/js/embed.js$script,third-party +@@||lps.newsinc.com/player/show/$script +@@||p.jwpcdn.com/*/jwpsrv.js$script,third-party @@||trc.taboola.com*http%$script,third-party -|http://*//*.$script,third-party,domain=americanlivewire.com|blacklistednews.com|breathecast.com|brosome.com|chacha.com|cheezburger.com|christianpost.com|christiantoday.com|cinemablend.com|classicalite.com|crossmap.com|dailycaller.com|dealbreaker.com|designntrend.com|digitaljournal.com|gamerant.com|hallels.com|hellou.co.uk|hngn.com|infowars.com|inquisitr.com|investmentwatchblog.com|kdramastars.com|kpopstarz.com|moddb.com|mstarz.com|musictimes.com|naturalnews.com|oddee.com|okmagazine.com|opposingviews.com|politicususa.com|radaronline.com|realfarmacy.com|screenrant.com|techtimes.com|theblaze.com|thegatewaypundit.com|theladbible.com|thelibertarianrepublic.com|uniladmag.com|unitrending.co.uk|valuewalk.com|vcpost.com|viralnova.com|whatculture.com|wimp.com -|http://*;*//$script,third-party,domain=americanlivewire.com|blacklistednews.com|breathecast.com|brosome.com|chacha.com|cheezburger.com|christianpost.com|christiantoday.com|cinemablend.com|classicalite.com|crossmap.com|dailycaller.com|dealbreaker.com|designntrend.com|digitaljournal.com|gamerant.com|hallels.com|hellou.co.uk|hngn.com|infowars.com|inquisitr.com|investmentwatchblog.com|kdramastars.com|kpopstarz.com|moddb.com|mstarz.com|musictimes.com|naturalnews.com|oddee.com|okmagazine.com|opposingviews.com|politicususa.com|radaronline.com|realfarmacy.com|screenrant.com|techtimes.com|theblaze.com|thegatewaypundit.com|theladbible.com|thelibertarianrepublic.com|uniladmag.com|unitrending.co.uk|valuewalk.com|vcpost.com|viralnova.com|whatculture.com|wimp.com -|http://*=*//$script,third-party,domain=americanlivewire.com|blacklistednews.com|breathecast.com|brosome.com|chacha.com|cheezburger.com|christianpost.com|christiantoday.com|cinemablend.com|classicalite.com|crossmap.com|dailycaller.com|dealbreaker.com|designntrend.com|digitaljournal.com|gamerant.com|hallels.com|hellou.co.uk|hngn.com|infowars.com|inquisitr.com|investmentwatchblog.com|kdramastars.com|kpopstarz.com|moddb.com|mstarz.com|musictimes.com|naturalnews.com|oddee.com|okmagazine.com|opposingviews.com|politicususa.com|radaronline.com|realfarmacy.com|screenrant.com|techtimes.com|theblaze.com|thegatewaypundit.com|theladbible.com|thelibertarianrepublic.com|uniladmag.com|unitrending.co.uk|valuewalk.com|vcpost.com|viralnova.com|whatculture.com|wimp.com -|http://*http%$script,third-party,domain=americanlivewire.com|blacklistednews.com|breathecast.com|brosome.com|chacha.com|cheezburger.com|christianpost.com|christiantoday.com|cinemablend.com|classicalite.com|crossmap.com|dailycaller.com|dealbreaker.com|designntrend.com|digitaljournal.com|gamerant.com|hallels.com|hellou.co.uk|hngn.com|infowars.com|inquisitr.com|investmentwatchblog.com|kdramastars.com|kpopstarz.com|moddb.com|mstarz.com|musictimes.com|naturalnews.com|oddee.com|okmagazine.com|opposingviews.com|politicususa.com|radaronline.com|realfarmacy.com|screenrant.com|techtimes.com|theblaze.com|thegatewaypundit.com|theladbible.com|thelibertarianrepublic.com|uniladmag.com|unitrending.co.uk|valuewalk.com|vcpost.com|viralnova.com|whatculture.com|wimp.com ! Firefox freezes if not blocked on reuters.com (http://forums.lanik.us/viewtopic.php?f=64&t=16854) ||static.crowdscience.com/max-*.js?callback=crowdScienceCallback$domain=reuters.com ! Anti-Adblock @@ -31939,7 +33079,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ailde.com^$domain=cbs.com ||alidw.net^$domain=cbs.com ||amazonaws.com^$script,domain=dsero.com|ginormousbargains.com|korean-candy.com|misheel.net|politicususa.com|techydoor.com|trutower.com|unfair.co -||amazonaws.com^*/abb-msg.js$domain=hardocp.com ||channel4.com^*.innovid.com$object-subrequest ||channel4.com^*.tidaltv.com$object-subrequest ||histats.com/js15.js$domain=televisaofutebol.com @@ -31964,22 +33103,26 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ! *** easylist:easylist/easylist_specific_block_popup.txt *** /sendspace-pop.$popup,domain=sendspace.com ^utm_source=$popup,domain=sex.com|thepiratebay.se -|http:$popup,third-party,domain=allmyvideos.net|embed.videoweed.es|extreme-board.com|filepost.com|filmovizija.com|imagebam.com|imageporter.com|imgbox.com|imgmade.com|imgspice.com|load.to|mofunzone.com|putlocker.is|vidspot.net|watchcartoononline.com|xtshare.com +|http:$popup,third-party,domain=allmyvideos.net|embed.videoweed.es|extreme-board.com|filepost.com|filmovizija.com|go4up.com|imagebam.com|imageporter.com|imgbox.com|imgmade.com|imgspice.com|load.to|mofunzone.com|putlocker.is|vidspot.net|watchcartoononline.com|xtshare.com ||4fuckr.com/api.php$popup ||adf.ly^$popup,domain=uploadcore.com|urgrove.com ||adx.kat.ph^$popup +||adyou.me/bug/adcash$popup ||aiosearch.com^$popup,domain=torrent-finder.info ||allmyvideos.net^*?p=$popup ||avalanchers.com/out/$popup ||bangstage.com^$popup,domain=datacloud.to ||bit.ly^$popup,domain=fastvideo.eu|rapidvideo.org +||casino-x.com^*&promo$popup ||channel4.com/ad/$popup +||click.aliexpress.com^$popup,domain=multiupfile.com ||cloudzilla.to/cam/wpop.php$popup ||comicbookmovie.com/plugins/ads/$popup ||conservativepost.com/pu/$popup ||damoh.muzu.tv^$popup ||deb.gs^*?ref=$popup ||edomz.com/re.php?mid=$popup +||f-picture.net/Misc/JumpClick?$popup ||fashionsaga.com^$popup,domain=putlocker.is ||filepost.com/default_popup.html$popup ||filmon.com^*&adn=$popup @@ -31991,13 +33134,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||flashx.tv/frame/$popup ||free-filehost.net/pop/$popup ||free-stream.tv^$popup,domain=flashx.tv +||freean.us^*?ref=$popup ||fullonsms.com/blank.php$popup ||fullonsms.com/mixpop.html$popup ||fullonsms.com/quikr.html$popup ||fullonsms.com/quikrad.html$popup ||fullonsms.com/sid.html$popup ||gamezadvisor.com/popup.php$popup -||goo.gl^$popup,domain=jumbofile.net|videomega.tv +||goo.gl^$popup,domain=amaderforum.com|jumbofile.net|videomega.tv ||google.com.eg/url?$popup,domain=hulkload.com ||gratuit.niloo.fr^$popup,domain=simophone.com ||hide.me^$popup,domain=ncrypt.in @@ -32016,11 +33160,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||limbohost.net^$popup,domain=tusfiles.net ||linkbucks.com^*?ref=$popup ||military.com/data/popup/new_education_popunder.htm$popup +||miniurls.co^*?ref=$popup ||multiupload.nl/popunder/$popup ||nesk.co^$popup,domain=veehd.com ||newsgate.pw^$popup,domain=adjet.biz +||nosteam.ro/pma/$popup ||oddschecker.com/clickout.htm?type=takeover-$popup ||pamaradio.com^$popup,domain=secureupload.eu +||park.above.com^$popup ||photo4sell.com^$popup,domain=filmovizija.com ||plarium.com/play/*adCampaign=$popup ||playhd.eu/test$popup @@ -32029,13 +33176,18 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||rediff.com/uim/ads/$popup ||schenkelklopfer.org^$popup,domain=4fuckr.com ||single-vergleich.de^$popup,domain=netload.in +||softexter.com^$popup,domain=2drive.net ||songspk.cc/pop*.html$popup +||spendcrazy.net^$popup,third-party,domain=animegalaxy.net|animenova.tv|animetoon.tv|animewow.eu|gogoanime.com|goodanime.eu|gooddrama.net|toonget.com ||sponsorselect.com/Common/LandingPage.aspx?eu=$popup ||streamcloud.eu/deliver.php$popup +||streamtunerhd.com/signup?$popup,third-party ||subs4free.com/_pop_link.php$popup +||thebestbookies.com^$popup,domain=fırstrowsports.eu ||thesource.com/magicshave/$popup ||titanbrowser.com^$popup,domain=amaderforum.com ||titanshare.to/download-extern.php?type=*&n=$popup +||tny.cz/red/first.php$popup ||toptrailers.net^$popup,domain=kingfiles.net|uploadrocket.net ||torrentz.*/mgidpop/$popup ||torrentz.*/wgmpop/$popup @@ -32051,16 +33203,15 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||watchclip.tv^$popup,domain=hipfile.com ||wegrin.com^$popup,domain=watchfreemovies.ch ||yasni.ca/ad_pop.php$popup +||zanox.com^$popup,domain=pregen.net ||ziddu.com/onclickpop.php$popup ||zmovie.tv^$popup,domain=deditv.com|vidbox.net ! *** easylist:easylist_adult/adult_specific_block.txt *** .info^$script,domain=pornhub.com -/^https?\:\/\/(?!(ajax\.googleapis\.com|ss\.phncdn\.com|ct1\.addthis\.com|s7\.addthis\.com|www\.google\.com|www\.google-analytics\.com|www\.pornhub\.com|www\.keezmovies\.com|cdn1\.static\.keezmovies\.phncdn\.com)\/)/$script,subdocument,third-party,xmlhttprequest,domain=keezmovies.com -/^https?\:\/\/(?!(apis\.google\.com|ajax\.googleapis\.com|accounts\.google\.com|platform\.twitter\.com|ss\.phncdn\.com|www\.youporn\.com|www\.google-analytics\.com|platform\.tumblr\.com|cdn1\.static\.youporn\.phncdn\.com)\/)/$script,subdocument,third-party,xmlhttprequest,domain=youporn.com -/^https?\:\/\/(?!(apis\.google\.com|ss\.phncdn\.com|www\.google-analytics\.com|public\.tableausoftware\.com|platform\.twitter\.com|pornhubinsights\.disqus\.com|accounts\.google\.com|www\.pornhub\.com|cdn1b\.static\.pornhub\.phncdn\.com|cdn1a\.static\.pornhub\.phncdn\.com)\/)/$script,subdocument,third-party,xmlhttprequest,domain=pornhub.com -/^https?\:\/\/(?!(apis\.google\.com|ss\.phncdn\.com|www\.google-analytics\.com|www\.redtube\.com|www\.google\.com)\/)/$script,subdocument,third-party,xmlhttprequest,domain=redtube.com -/^https?\:\/\/(?!(ss\.phncdn\.com|ct1\.addthis\.com|s7\.addthis\.com|www\.google-analytics\.com|www\.gaytube\.com|cdn\.static\.gaytube\.phncdn\.com)\/)/$script,subdocument,third-party,xmlhttprequest,domain=gaytube.com -/^https?\:\/\/(?!(www\.google\.com|assets0\.uvcdn\.com|assets1\.uvcdn\.com|widget\.uservoice\.com|apis\.google\.com|ct1\.addthis\.com|www\.tube8\.com|feedback\.tube8\.com|s7\.addthis\.com|ss\.phncdn\.com|www\.google-analytics\.com|cdn1\.static\.tube8\.phncdn\.com|cdn1b\.static\.tube8\.phncdn\.com)\/)/$script,subdocument,third-party,xmlhttprequest,domain=tube8.com +/\[a-z0-9A-Z]{6}/$xmlhttprequest,domain=pornhub.com|redtube.com|tube8.com|tube8.es|tube8.fr|youporn.com +/\/\[0-9].*\-.*\-\[a-z0-9]{4}/$script,xmlhttprequest,domain=gaytube.com|keezmovies.com|spankwire.com|tube8.com|tube8.es|tube8.fr +/http://.*\[a-z0-9]{3}.*(?:\[!"#$%&'()*+,:;<=>?@/\^_`{|}~-]).*\[a-z0-9]{3}.*(?:\[!"#$%&'()*+,:;<=>?@/\^_`{|}~-])/$xmlhttprequest,domain=pornhub.com|redtube.com|tube8.com|tube8.es|tube8.fr|youporn.com +/http://\[a-zA-Z0-9]+\.\[a-z]+\/.*(?:\[!"#$%&'()*+,:;<=>?@/\^_`{|}~-]).*\[a-zA-Z0-9]+/$script,third-party,domain=keezmovies.com|pornhub.com|redtube.com|tube8.com|tube8.es|tube8.fr|youporn.com ||109.201.146.142^$domain=xxxbunker.com ||213.174.140.38/bftv/js/msn- ||213.174.140.38^*/msn-*.js$domain=boyfriendtv.com|pornoxo.com @@ -32076,6 +33227,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||24porn7.com/toonad/ ||2adultflashgames.com/images/v12.gif ||2adultflashgames.com/img/ +||2adultflashgames.com/teaser/teaser.swf ||3xupdate.com^*/ryushare.gif ||3xupdate.com^*/ryushare2.gif ||3xupdate.com^*/ryusharepremium.gif @@ -32178,6 +33330,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||coolmovs.com/rec/$subdocument ||crackwhoreconfessions.com/images/banners/ ||crazyshit.com/p0pzIn.js +||creampietubeporn.com/ctp.html +||creampietubeporn.com/porn.html ||creatives.cliphunter.com^ ||creatives.pichunter.com^ ||creepshots.com^*/250x250_ @@ -32259,12 +33413,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gayporntimes.com^*/CockyBoys-July-2012.jpg ||gaytube.com/chacha/ ||gggtube.com/images/banners/ +||ghettotube.com/images/banners/ ||gina-lynn.net/pr4.html ||girlfriendvideos.com/pcode.js ||girlsfrombudapest.eu/banners/ ||girlsfromprague.eu/banners/ ||girlsfromprague.eu^*468x ||girlsintube.com/images/get-free-server.jpg +||girlsnaked.net/gallery/banners/ ||girlsofdesire.org/banner/ ||girlsofdesire.org/media/banners/ ||glamour.cz/banners/ @@ -32278,6 +33434,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||hanksgalleries.com/galleryimgs/ ||hanksgalleries.com/stxt_ ||hanksgalleries.com/vg_ad_ +||hardsextube.com/pornstars/$xmlhttprequest ||hardsextube.com/preroll/getiton/ ||hardsextube.com/testxml.php ||hardsextube.com/zone.php @@ -32298,6 +33455,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||hentai-foundry.com/themes/*Banner ||hentai-foundry.com/themes/Hentai/images/hu/hu.jpg ||hentairules.net/pop_$script +||hentaistream.com/out/ ||hentaistream.com/wp-includes/images/bg- ||hentaistream.com/wp-includes/images/mofos/webcams_ ||heraldnet.com/section/iFrame_AutosInternetSpecials? @@ -32305,8 +33463,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||hgimg.com/js/beacon. ||hidefporn.ws/04.jpg ||hidefporn.ws/05.jpg +||hidefporn.ws/055.jpg ||hidefporn.ws/client ||hidefporn.ws/img.png +||hidefporn.ws/nitro.png ||hollyscoop.com/sites/*/skins/ ||hollywoodoops.com/img/*banner ||homegrownfreaks.net/homegfreaks.js @@ -32366,9 +33526,12 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||imgbabes.com^*/splash.php ||imgflare.com/exo.html ||imgflare.com^*/splash.php +||imghost.us.to/xxx/content/system/js/iframe.html +||imperia-of-hentai.net/banner/ ||indexxx.com^*/banners/ ||intporn.com^*/21s.js ||intporn.com^*/asma.js +||intporn.org/scripts/asma.js ||iseekgirls.com/g/pandoracash/ ||iseekgirls.com/js/fabulous.js ||iseekgirls.com/rotating_ @@ -32378,6 +33541,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||jav-porn.net/js/popup.js ||javsin.com/vip.html ||julesjordanvideo.com/flash/$object +||justporno.tv/ad/ ||kaotic.com^*/popnew.js ||keezmovies.com/iframe.html? ||kindgirls.com/banners2/ @@ -32394,7 +33558,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||live-porn.tv/adds/ ||liveandchat.tv/bana-/ ||livedoor.jp^*/bnr/bnr- -||lolhappens.com/mgid.html ||lubetube.com/js/cspop.js ||lucidsponge.pl/pop_ ||lukeisback.com/images/boxes/ @@ -32432,7 +33595,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||mrstiff.com/view/movie/bar/ ||mrstiff.com/view/movie/finished/ ||my-pornbase.com/banner/ +||mydailytube.com/nothing/ ||mygirlfriendvids.net/js/popall1.js +||myhentai.tv/popsstuff. ||myslavegirl.org/follow/go.js ||naked-sluts.us/prpop.js ||namethatpornstar.com/topphotos/ @@ -32499,6 +33664,18 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||pimpandhost.com/images/pah-download.gif ||pimpandhost.com/static/html/iframe.html ||pimpandhost.com/static/i/*-pah.jpg +||pink-o-rama.com/Blazingbucks +||pink-o-rama.com/Brothersincash +||pink-o-rama.com/Fetishhits +||pink-o-rama.com/Fuckyou +||pink-o-rama.com/Gammae +||pink-o-rama.com/Karups +||pink-o-rama.com/Longbucks/ +||pink-o-rama.com/Nscash +||pink-o-rama.com/Pimproll/ +||pink-o-rama.com/Privatecash +||pink-o-rama.com/Royalcash/ +||pink-o-rama.com/Teendreams ||pinkems.com/images/buttons/ ||pinkrod.com/iframes/ ||pinkrod.com/js/adppinkrod @@ -32525,6 +33702,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||pornalized.com/contents/content_sources/ ||pornalized.com/js/adppornalized5.js ||pornalized.com/pornalized_html/closetoplay_ +||pornarchive.net/images/cb ||pornbanana.com/pornbanana/deals/ ||pornbay.org/popup.js ||pornbb.org/adsnov. @@ -32539,10 +33717,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||pornerbros.com/rec/$subdocument ||pornfanplace.com/js/pops. ||pornfanplace.com/rec/ -||pornhub.com/album/$xmlhttprequest ||pornhub.com/catagories/costume/ ||pornhub.com/channels/pay/ ||pornhub.com/front/alternative/ +||pornhub.com/jpg/ ||pornhub.com/pics/latest/$xmlhttprequest ||pornhub.com^$script,domain=pornhub.com ||pornhub.com^$subdocument,~third-party @@ -32648,6 +33826,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||sextube.com/lj.js ||sextubebox.com/ab1.shtml ||sextubebox.com/ab2.shtml +||sexuhot.com/images/xbanner ||sexvines.co/images/cp ||sexy-toons.org/interface/partenariat/ ||sexy-toons.org/interface/pub/ @@ -32677,6 +33856,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||socaseiras.com.br/banner_ ||socaseiras.com.br/banners.php? ||songs.pk/ie/ietext.html +||spankbang.com/gateway/ ||springbreaktubegirls.com/js/springpop.js ||starcelebs.com/logos/$image ||static.flabber.net^*background @@ -32686,6 +33866,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||submityourflicks.com/banner/ ||svscomics.com^*/dtrotator.js ||sxx.com/js/lj.js +||t8.*.com/?*_|$xmlhttprequest,domain=tube8.com +||taxidrivermovie.com/mrskin_runner/ ||teensanalfactor.com/best/ ||teensexcraze.com/awesome/leader.html ||teentube18.com/js/realamateurtube.js @@ -32729,6 +33911,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||unoxxx.com/pages/en_player_video_right.html ||updatetube.com/js/adpupdatetube ||vibraporn.com/vg/ +||vid2c.com/js/atxpp.js? ||vid2c.com/js/pp.js ||vid2c.com/pap.js ||vid2c.com/pp.js @@ -32744,6 +33927,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||wankspider.com/js/wankspider.js ||watch2porn.net/pads2.js ||watchindianporn.net/js/pu.js +||weberotic.net/banners/ ||wegcash.com/click/ ||wetplace.com/iframes/$subdocument ||wetplace.com/js/adpwetplace @@ -32763,6 +33947,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||wunbuck.com/iframes/aaw_leaderboard.html ||x3xtube.com/banner_rotating_ ||xbabe.com/iframes/ +||xbooru.com/block/adblocks.js ||xbutter.com/adz.html ||xbutter.com/geturl.php/ ||xbutter.com/js/pop-er.js @@ -32770,6 +33955,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||xhamster.com/ads/ ||xhamster.com/js/xpu.js ||xhamsterpremiumpass.com/premium_scenes.html +||xhcdn.com^*/ads_ ||xogogo.com/images/latestpt.gif ||xtravids.com/pop.php ||xvideohost.com/hor_banner.php @@ -32818,12 +34004,12 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||zazzybabes.com/misc/virtuagirl-skin.js ! *** easylist:easylist_adult/adult_specific_block_popup.txt *** ^utm_medium=pops^$popup,domain=ratedporntube.com|sextuberate.com -|http://*?*=*&$popup,third-party,domain=extremetube.com|pornhub.com|redtube.com|spankwire.com|tube8.com|youporn.com|youporngay.com +|http://*?*=$popup,third-party,domain=extremetube.com|pornhub.com|redtube.com|spankwire.com|tube8.com|youporn.com|youporngay.com |http://*?*^id^$popup,third-party,domain=extremetube.com|pornhub.com|redtube.com|spankwire.com|tube8.com|youporn.com|youporngay.com -|http://*?id=$popup,domain=extremetube.com|pornhub.com|redtube.com|spankwire.com|tube8.com|youporn.com|youporngay.com ||ad.userporn.com^$popup ||eporner.com/pop.php$popup ||fantasti.cc^*?ad=$popup +||fantastube.com/track.php$popup ||fc2.com^$popup,domain=xvideos.com ||fileparadox.in/free$popup,domain=tdarkangel.com ||h2porn.com/pu.php$popup @@ -32831,12 +34017,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||heganteens.com/exo.php$popup ||imagebam.com/redirect_awe.php$popup ||movies.askjolene.com/c64?clickid=$popup +||namethatporn.com/ntpoo$popup ||pinporn.com/popunder/$popup ||pop.fapxl.com^$popup ||pop.mrstiff.com^$popup ||porn101.com^$popup,domain=lexsteele.com ||porn4free.tv^$popup,domain=redtube.cc ||pornuppz.info/out.php$popup +||publicagent.com/bigzpup.php$popup ||rackcdn.com^$popup,domain=extremetube.com|pornhub.com|redtube.com|spankwire.com|tube8.com|youporn.com|youporngay.com ||site-rips.org^$popup,domain=backupload.net ||ymages.org/prepop.php$popup @@ -32888,6 +34076,7 @@ citytv.com###CityTv-HeaderBannerBorder ynetnews.com###ClarityRayButton naturalnews.com###Container-Tier1 naturalnews.com###Container-Tier2 +supersport.com###ContentPlaceHolder1_featureShopControl1_shop cardomain.com###ContentPlaceHolder1_rideForSaleOnEbay supersport.com###ContentPlaceHolder1_shop1_shopDiv muchmusic.com###ContestsSide @@ -32896,8 +34085,6 @@ amazon.com###DAadrp ibtimes.com###DHTMLSuite_modalBox_contentDiv gamesforgirlz.net###DUL-jack msn.com###Dcolumn -urbandictionary.com###Define_300x250 -urbandictionary.com###Define_300x250_BTF merriam-webster.com###Dictionary-MW_DICT_728_BOT starcanterbury.co.nz###DivBigBanner meettheboss.tv###DivCenterSpaceContainer @@ -32931,7 +34118,6 @@ infoplease.com###HCads wikia.com,wowwiki.com###HOME_LEFT_SKYSCRAPER_1 wikia.com,wowwiki.com###HOME_TOP_LEADERBOARD theweek.com###HPLeaderbox -urbandictionary.com###HP_300x600 myoutsourcedbrain.com###HTML2 celebnipslipblog.com,countryweekly.com###HeaderBanner greatschools.org###Header_728x90 @@ -32963,6 +34149,7 @@ printmag.com,wetcanvas.com###LinkSpace ustream.tv###LoginBannerWrapper hotnewhiphop.com###LookoutContent mail.yahoo.com###MIP4 +medicalnewstoday.com###MNT_600xFlex_Middle mail.yahoo.com###MNW autotrader.ie,natgeotv.com###MPU nick.co.uk###MPU-wrap @@ -32992,7 +34179,8 @@ kbb.com###New-spotlights india.com###NewBanner walmart.com###OAS_Left1 vidspot.net###On3Pla1ySpot -bestreams.net,played.to,vidstream.in###OnPlayerBanner +bestreams.net,fastvideo.in,played.to,realvid.net,vidstream.in###OnPlayerBanner +allmyvideos.net###OnPlayerClose pch.com###PCHAdWrap missoulian.com,thenewstribune.com,theolympian.com###PG_fb azdailysun.com,azstarnet.com,billingsgazette.com,elkodaily.com,heraldextra.com,metromix.com,missoulian.com,tdn.com,thenewstribune.com,theolympian.com,trib.com###PG_link @@ -33004,11 +34192,10 @@ newser.com###PromoSquare globaltv.com###RBigBoxContainer gardenista.com,remodelista.com###REMODELISTA_BTF_CENTER_AD_FRAME gardenista.com,remodelista.com###REMODELISTA_BTF_RIGHTRAIL-2 -timesofindia.indiatimes.com###RMRight3\[style="width:300px;height:250px;"] -urbandictionary.com###ROS_Right_160x60 smash247.com###RT1 readwriteweb.com###RWW_BTF_CENTER_AD istockanalyst.com###RadWindowWrapper_ctl00_ContentPlaceHolderMain_registration +awazfm.co.uk###Recomends ebuddy.com###Rectangle reference.com###Resource_Center blackamericaweb.com###RightBlockContainer2 @@ -33031,6 +34218,7 @@ mail.aol.com###SidePanel msnbc.msn.com,nbcnews.com###Sidebar2-sponsored daringfireball.net###SidebarTheDeck imcdb.org###SiteLifeSupport +imcdb.org###SiteLifeSupportMissing thisismoney.co.uk###Sky austinchronicle.com###Skyscraper teoma.com###Slink @@ -33075,6 +34263,7 @@ tvembed.eu###\33 00banner dangerousminds.net###\37 28ad forexpros.com###\5f 300x250textads thegalaxytabforum.com###\5f _fixme +happystreams.net###\5f ad_ funnyordie.com###\5f ad_div mail.google.com###\:rr .nH\[role="main"] .mq:first-child mail.google.com###\:rr > .nH > .nH\[role="main"] > .aKB @@ -33087,6 +34276,7 @@ anchorfree.net###a72890_1 metblogs.com###a_medrect ytmnd.com###a_plague_upon_your_house metblogs.com###a_widesky +ipdb.at###aaa totalfilm.com###ab1 webgurubb.com###ab_top nearlygood.com###abf @@ -33104,10 +34294,11 @@ feministing.com###aboveheader tvseriesfinale.com###abox reference.com,thesaurus.com###abvFold blocked-website.com###acbox +filefactory.com###acontainer bitcoca.com###active1 bitcoca.com###active2 bitcoca.com###active3 -1050talk.com,4chan.org,altervista.org,amazon.com,aol.com,ap.org,awfuladvertisements.com,bitcoinmonitor.com,braingle.com,campusrn.com,chicagonow.com,cocoia.com,cryptoarticles.com,dailydigestnews.com,daisuki.net,devshed.com,djmickbabes.com,drakulastream.eu,earthtechling.com,esquire.com,fantom-xp.com,farmville.com,fosswire.com,fullrip.net,g4tv.com,gifts.com,golackawanna.com,google.com,helpwithwindows.com,hknepaliradio.com,ifunnyplanet.com,ifyoulaughyoulose.com,imageshack.us,instapaper.com,internetradiouk.com,investorschronicle.co.uk,jamaicaradio.net,jamendo.com,jigzone.com,learnhub.com,legendofhallowdega.com,libertychampion.com,livevss.net,loveshack.org,lshunter.tv,macstories.net,marketingpilgrim.com,mbta.com,milkandcookies.com,msn.com,msnbc.com,mydallaspost.com,nbcnews.com,neoseeker.com,nepaenergyjournal.com,ninemsn.com.au,nzherald.co.nz,omgili.com,onlineradios.in,phonezoo.com,printitgreen.com,psdispatch.com,psu.com,queensberry-rules.com,radio.net.bd,radio.net.pk,radio.or.ke,radio.org.ng,radio.org.nz,radio.org.ph,radioonline.co.id,radioonline.my,radioonline.vn,radiosa.org,radioth.net,radiowebsites.org,rapidshare-downloads.com,reversegif.com,robotchicken.com,saportareport.com,sciencerecorder.com,shop4freebies.com,slidetoplay.com,socialmarker.com,statecolumn.com,streamhunter.eu,technorati.com,theabingtonjournal.com,thetelegraph.com,timesleader.com,totaljerkface.com,totallycrap.com,trinidadradiostations.net,tutorialized.com,twitch.tv,ultimate-rihanna.com,vetstreet.com,vladtv.com,wallpapers-diq.com,wefunction.com,womensradio.com,xe.com,yahoo.com,youbeauty.com,ytconv.net,zootool.com###ad +1050talk.com,4chan.org,altervista.org,amazon.com,aol.com,ap.org,awfuladvertisements.com,bitcoinmonitor.com,braingle.com,campusrn.com,chicagonow.com,cocoia.com,cryptoarticles.com,dailydigestnews.com,daisuki.net,devshed.com,djmickbabes.com,drakulastream.eu,earthtechling.com,esquire.com,fantom-xp.com,farmville.com,fosswire.com,fullrip.net,g4tv.com,gifts.com,golackawanna.com,google.com,guiminer.org,helpwithwindows.com,hknepaliradio.com,ifunnyplanet.com,ifyoulaughyoulose.com,imageshack.us,instapaper.com,internetradiouk.com,investorschronicle.co.uk,jamaicaradio.net,jamendo.com,jigzone.com,learnhub.com,legendofhallowdega.com,libertychampion.com,livevss.net,loveshack.org,lshunter.tv,macstories.net,marketingpilgrim.com,mbta.com,milkandcookies.com,msn.com,msnbc.com,mydallaspost.com,nbcnews.com,neoseeker.com,nepaenergyjournal.com,ninemsn.com.au,nzherald.co.nz,omgili.com,onlineradios.in,phonezoo.com,printitgreen.com,psdispatch.com,psu.com,queensberry-rules.com,radio.net.bd,radio.net.pk,radio.or.ke,radio.org.ng,radio.org.nz,radio.org.ph,radioonline.co.id,radioonline.my,radioonline.vn,radiosa.org,radioth.net,radiowebsites.org,rapidshare-downloads.com,reversegif.com,robotchicken.com,saportareport.com,sciencerecorder.com,shop4freebies.com,slidetoplay.com,socialmarker.com,statecolumn.com,streamhunter.eu,technorati.com,theabingtonjournal.com,thetelegraph.com,timesleader.com,torrentbutler.eu,totaljerkface.com,totallycrap.com,trinidadradiostations.net,tutorialized.com,twitch.tv,ultimate-rihanna.com,vetstreet.com,vladtv.com,wallpapers-diq.com,wefunction.com,womensradio.com,xe.com,yahoo.com,youbeauty.com,ytconv.net,zootool.com###ad clip.dj,dafont.com,documentary.net,gomapper.com,idahostatejournal.com,investorschronicle.co.uk,megafilmeshd.net,newsinc.com,splitsider.com,theawl.com,thehindu.com,thehindubusinessline.com,timeanddate.com,troyhunt.com,weekendpost.co.zw,wordreference.com###ad1 btvguide.com,cuteoverload.com,edmunds.com,investorschronicle.co.uk,megafilmeshd.net,pimpandhost.com,theawl.com,thehairpin.com,troyhunt.com,weekendpost.co.zw###ad2 btvguide.com,internetradiouk.com,jamaicaradio.net,onlineradios.in,pimpandhost.com,radio.net.bd,radio.net.pk,radio.or.ke,radio.org.ng,radio.org.nz,radio.org.ph,radioonline.co.id,radioonline.my,radioonline.vn,radiosa.org,radioth.net,splitsider.com,theawl.com,thehairpin.com,trinidadradiostations.net,way2sms.com,weekendpost.co.zw,zerocast.tv###ad3 @@ -33118,7 +34309,7 @@ fxnetworks.com,isearch.avg.com###adBlock experts-exchange.com###adComponent gamemazing.com###adContainer about.com,paidcontent.org###adL -apnadesi-tv.net,britsabroad.com,candlepowerforums.com,droidforums.net,filesharingtalk.com,forum.opencarry.org,gsmindore.com,hongfire.com,justskins.com,kiwibiker.co.nz,lifeinvictoria.com,lotoftalks.com,moneymakerdiscussion.com,mpgh.net,nextgenupdate.com,partyvibe.com,perthpoms.com,pomsinadelaide.com,pomsinoz.com,printroot.com,thriveforums.org,watchdesitv.com,watchuseek.com,webmastertalkforums.com,win8heads.com###ad_global_below_navbar +apnadesi-tv.net,britsabroad.com,candlepowerforums.com,droidforums.net,filesharingtalk.com,forum.opencarry.org,gsmindore.com,hongfire.com,justskins.com,kiwibiker.co.nz,lifeinvictoria.com,lotoftalks.com,m-hddl.com,moneymakerdiscussion.com,mpgh.net,nextgenupdate.com,partyvibe.com,perthpoms.com,pomsinadelaide.com,pomsinoz.com,printroot.com,thriveforums.org,watchdesitv.com,watchuseek.com,webmastertalkforums.com,win8heads.com###ad_global_below_navbar im9.eu###adb tweakguides.com###adbar > br + p\[style="text-align: center"] + p\[style="text-align: center"] tweakguides.com###adbar > br + p\[style="text-align: center"] + p\[style="text-align: center"] + p @@ -33152,9 +34343,8 @@ shivtr.com###admanager girlsgames.biz###admd mp3skull.com###adr_banner mp3skull.com###adr_banner_2 -909lifefm.com,anichart.net,audioreview.com,carlow-nationalist.ie,daemon-tools.cc,disconnect.me,dreadcentral.com,duckduckgo.com,eveningecho.ie,financenews.co.uk,footballfancast.com,g.doubleclick.net,gearculture.com,genevalunch.com,hdcast.tv,healthboards.com,hiphopisdream.com,inspirationti.me,isearch-for.com,kildare-nationalist.ie,laois-nationalist.ie,lorempixel.com,lyricstime.com,mobilerevamp.org,mtbr.com,nylonguysmag.com,placehold.it,playr.org,privack.com,quiz4fun.com,quote.com,roscommonherald.ie,skyuser.co.uk,theindustry.cc,toorgle.net,triblive.com,tvope.com,urbandictionary.com,washingtonmonthly.com,waterford-news.ie,wccftech.com,westernpeople.com,wexfordecho.ie###ads -cleodesktop.com###ads1 -cleodesktop.com,release-ddl.com,womanowned.com###ads3 +909lifefm.com,anichart.net,audioreview.com,carlow-nationalist.ie,chelseanews.com,daemon-tools.cc,disconnect.me,dreadcentral.com,duckduckgo.com,eveningecho.ie,financenews.co.uk,footballfancast.com,g.doubleclick.net,gearculture.com,genevalunch.com,hdcast.tv,healthboards.com,hiphopisdream.com,inspirationti.me,isearch-for.com,kildare-nationalist.ie,laois-nationalist.ie,lorempixel.com,lyricstime.com,mobilerevamp.org,mtbr.com,nylonguysmag.com,photographyreview.com,placehold.it,playr.org,privack.com,quiz4fun.com,quote.com,roscommonherald.ie,skyuser.co.uk,talk1300.com,theindustry.cc,toorgle.net,triblive.com,tvope.com,urbandictionary.com,washingtonmonthly.com,waterford-news.ie,wccftech.com,westernpeople.com,wexfordecho.ie###ads +release-ddl.com,womanowned.com###ads3 chia-anime.com###ads4 chia-anime.com###ads8 screencity.pl###ads_left @@ -33166,16 +34356,17 @@ videos.com###adst fitnessmagazine.com###adtag ninemsn.com.au###adtile conservativepost.com###adtl -mnn.com###adv +mnn.com,streamtuner.me###adv novamov.com,tinyvid.net,videoweed.es###adv1 cad-comic.com###advBlock forexminute.com###advBlokck -arsenal.com,farmersvilletimes.com,ishared.eu,murphymonitor.com,princetonherald.com,runescape.com,sachsenews.com,wylienews.com###advert +teleservices.mu###adv_\'146\' +arsenal.com,farmersvilletimes.com,ishared.eu,murphymonitor.com,princetonherald.com,runescape.com,sachsenews.com,shared2.me,wylienews.com###advert uploaded.to###advertMN -bt.com,chron.com,climateprogress.org,computingondemand.com,everydaydish.tv,fisher-price.com,funnygames.co.uk,games.on.net,givemefootball.com,intoday.in,iwin.com,msn.com,mysanantonio.com,nickjr.com,nytsyn.com,opry.com,peoplepets.com,psu.com,sonypictures.com,thatsfit.com,truelocal.com.au,unshorten.it,variety.com,washingtonian.com,yippy.com###advertisement +bt.com,chron.com,climateprogress.org,computingondemand.com,everydaydish.tv,fisher-price.com,funnygames.co.uk,games.on.net,givemefootball.com,intoday.in,iwin.com,msn.com,mysanantonio.com,nickjr.com,nytsyn.com,opry.com,peoplepets.com,psu.com,radiozdk.com,sonypictures.com,thatsfit.com,truelocal.com.au,unshorten.it,variety.com,washingtonian.com,yippy.com###advertisement typepad.com###advertisements miamisunpost.com###advertisers -develop-online.net,geeky-gadgets.com,govolsxtra.com,hwbot.org,motortorque.com,pcr-online.biz,profy.com,webshots.com###advertising +bom.gov.au,develop-online.net,geeky-gadgets.com,govolsxtra.com,hwbot.org,motortorque.com,pcr-online.biz,profy.com,webshots.com###advertising 1cookinggames.com,intowindows.com,irishhealth.com,playkissing.com,snewscms.com,yokogames.com###advertisment kickoff.com###advertisng share-links.biz###advice @@ -33215,8 +34406,6 @@ pcadvisor.co.uk###amazonPriceListContainer imfdb.org###amazoncontent zap2it.com###amc-twt-module realbeauty.com###ams_728_90 -harpersbazaar.com###ams_baz_rwd_top -harpersbazaar.com###ams_baz_sponsored_links publicradio.org###amzContainer aim.org###amznCharityBanner visitsundsvall.se###annons-panel @@ -33247,6 +34436,9 @@ ktar.com###askadv autoblog.com###asl_bot autoblog.com###asl_top pv-tech.org###associations-wrapper +forwardprogressives.com###aswift_1_expand +forwardprogressives.com###aswift_2_expand +forwardprogressives.com###aswift_3_expand newsblaze.com###atf160x600 bustedcoverage.com###atf728x90 ecoustics.com###atf_right_300x250 @@ -33280,7 +34472,7 @@ virtualnights.com###banderolead ftadviser.com###banlb iloubnan.info###bann goldentalk.com###bann2 -absoluteradio.co.uk,adv.li,allmyfaves.com,arsenal.com,blahblahblahscience.com,brandrepublic.com,businessspectator.com.au,christianpost.com,comicsalliance.com,cool-wallpaper.us,dealmac.com,dealsonwheels.co.nz,delcotimes.com,disney.go.com,djmag.co.uk,djmag.com,dosgamesarchive.com,empowernetwork.com,farmtrader.co.nz,guidespot.com,healthcentral.com,icq.com,insideradio.com,irishcentral.com,keygen-fm.ru,lemondrop.com,lotro-lore.com,mediaite.com,morningjournal.com,movies.yahoo.com,moviesfoundonline.com,mypremium.tv,neave.com,news-herald.com,newstonight.co.za,nhregister.com,northernvirginiamag.com,nzmusicmonth.co.nz,ocia.net,pbs.org,pgpartner.com,popeater.com,poughkeepsiejournal.com,proxy-list.org,ps3-hacks.com,registercitizen.com,roughlydrafted.com,saratogian.com,screenwallpapers.org,securityweek.com,sfx.co.uk,shortlist.com,similarsites.com,soccerway.com,sportinglife.com,stopstream.com,style.com,theoaklandpress.com,thesmokinggun.com,theweek.com,tictacti.com,topsite.com,tortoisehg.bitbucket.org,twistedsifter.com,urlesque.com,vidmax.com,viewdocsonline.com,vps-trading.info,wellsphere.com,wn.com,wsof.com,zootoday.com###banner +absoluteradio.co.uk,adv.li,allmyfaves.com,arsenal.com,blahblahblahscience.com,brandrepublic.com,businessspectator.com.au,christianpost.com,comicsalliance.com,cool-wallpaper.us,cumbrialive.co.uk,dealmac.com,dealsonwheels.co.nz,delcotimes.com,disney.go.com,djmag.co.uk,djmag.com,dosgamesarchive.com,empowernetwork.com,farmtrader.co.nz,guidespot.com,healthcentral.com,icq.com,imgmaster.net,in-cumbria.com,indianexpress.com,insideradio.com,irishcentral.com,keygen-fm.ru,lemondrop.com,lotro-lore.com,mediaite.com,morningjournal.com,movies.yahoo.com,moviesfoundonline.com,mypremium.tv,neave.com,news-herald.com,newstonight.co.za,nhregister.com,northernvirginiamag.com,nzmusicmonth.co.nz,ocia.net,pbs.org,pgpartner.com,popeater.com,poughkeepsiejournal.com,proxy-list.org,ps3-hacks.com,registercitizen.com,roughlydrafted.com,saratogian.com,screenwallpapers.org,securityweek.com,sfx.co.uk,shortlist.com,similarsites.com,soccerway.com,sportinglife.com,stopstream.com,style.com,theoaklandpress.com,thesmokinggun.com,theweek.com,tictacti.com,topsite.com,tortoisehg.bitbucket.org,twistedsifter.com,urlesque.com,vidmax.com,viewdocsonline.com,vps-trading.info,wellsphere.com,wn.com,wsof.com,zootoday.com###banner kiz10.com###banner-728-15 wftlsports.com###banner-Botleft wftlsports.com###banner-Botright @@ -33292,7 +34484,7 @@ kiz10.com###banner-down-video film.fm###banner-footer mob.org###banner-h400 jacarandafm.com###banner-holder -sportfishingbc.com###banner-leaderboard +gardentenders.com,homerefurbers.com,sportfishingbc.com###banner-leaderboard kiz10.com###banner-left elle.com,forums.crackberry.com###banner-main cstv.com###banner-promo @@ -33302,11 +34494,11 @@ general-fil.es,generalfil.es###banner-search-bottom general-fil.es###banner-search-top torrentpond.com###banner-section irishtimes.com###banner-spacer -blocked-website.com,cjonline.com###banner-top +blocked-website.com,cjonline.com,wftlsports.com###banner-top vladtv.com###banner-top-video mob.org###banner-w790 georgiadogs.com,goarmysports.com,slashdot.org###banner-wrap -4teachers.org,dailyvoice.com###banner-wrapper +4teachers.org,dailyvoice.com,highwayradio.com###banner-wrapper siliconrepublic.com###banner-zone-k businessandleadership.com,siliconrepublic.com###banner-zone-k-dfp globaltimes.cn###banner05 @@ -33328,14 +34520,15 @@ viz.com###bannerDiv androidzoom.com###bannerDown atomicgamer.com,telefragged.com###bannerFeatures gatewaynews.co.za,ilm.com.pk,ynaija.com###bannerHead +showbusinessweekly.com###bannerHeader kumu.com###bannerImageName -atdhe.so,atdhe.xxx###bannerInCenter +atdhe.fm,atdhe.so,atdhe.xxx###bannerInCenter securenetsystems.net###bannerL securenetsystems.net###bannerM zam.com###bannerMain pocketgamer.co.uk###bannerRight reuters.com###bannerStrip -abclocal.go.com,atomicgamer.com,codecs.com,free-codecs.com,ieee.org,ninemsn.com.au,reference.com###bannerTop +atomicgamer.com,codecs.com,free-codecs.com,ieee.org,ninemsn.com.au,reference.com###bannerTop sky.com###bannerTopBar search.snap.do###bannerWrapper khl.com###banner_1 @@ -33361,7 +34554,9 @@ fulldls.com###banner_h mudah.my###banner_holder versus.com###banner_instream_300x250 krzk.com###banner_left +bahamaslocal.com###banner_location_sub baltic-course.com###banner_master_top +veehd.com###banner_over_vid worldradio.ch###banner_placement_bottom worldradio.ch###banner_placement_right ebuddy.com###banner_rectangle @@ -33391,6 +34586,7 @@ freegirlgames.org###bannerplay virusbtn.com###bannerpool driverdb.com,european-rubber-journal.com,mobile-phones-uk.org.uk,offtopic.com,toledofreepress.com###banners bergfiles.com,berglib.com###banners-24 +wrmj.com###banners-top eluniversal.com,phuketwan.com###bannersTop krzk.com###banners_bottom insideedition.com###bannerspace-expandable @@ -33431,15 +34627,19 @@ radaronline.com###below_header tgdaily.com###bestcovery_container dailygalaxy.com###beta-inner nigeriafootball.com###bettingCompetition +atđhe.net###between_links +searchenginejournal.com###bg-atag +searchenginejournal.com###bg-takeover-unit livescience.com###bgImage frostytech.com###bg_googlebanner_160x600LH +oboom.com###bgfadewnd1 973fm.com.au,buzzintown.com,farmingshow.com,isportconnect.com,mix1011.com.au,mix1065.com.au,newstalkzb.co.nz,ps3news.com,radiosport.co.nz,rlslog.net,runt-of-the-web.com,sharkscope.com###bglink runnerspace.com###bgtakeover forbes.com###bigBannerDiv spacecast.com,treehousetv.com###bigBox chinadaily.com.cn###big_frame canoe.ca,winnipegfreepress.com,worldweb.com###bigbox -about.com,mg.co.za###billboard +about.com,cumberlandnews.co.uk,cumbrialive.co.uk,eladvertiser.co.uk,hexhamcourant.co.uk,in-cumbria.com,mg.co.za,newsandstar.co.uk,nwemail.co.uk,timesandstar.co.uk,whitehavennews.co.uk###billboard about.com###billboard2 theblaze.com###billboard_970x250 tech-faq.com,techspot.com###billboard_placeholder @@ -33517,6 +34717,7 @@ todayonline.com###block-dart-dart-tag-all-pages-header popphoto.com###block-dart-dart-tag-bottom todayonline.com###block-dart-dart-tag-dart-homepage-728x90 popphoto.com###block-dart-dart-tag-top1 +medicaldaily.com###block-dfp-bottom ncronline.org###block-dfp-content-1 ncronline.org###block-dfp-content-2 ncronline.org###block-dfp-content-3 @@ -33530,6 +34731,9 @@ examiner.com###block-ex_dart-ex_dart_adblade_topic 4hi.com.au,4vl.com.au,hotcountry.com.au###block-exponential-exponential-mrec 4hi.com.au,4vl.com.au,hotcountry.com.au###block-exponential-exponential-mrec2 infoworld.com###block-infoworld-sponsored_links +14850.com###block-ofefo-5 +14850.com###block-ofefo-7 +14850.com###block-ofefo-8 ecnmag.com###block-panels-mini-dart-stamp-ads yourtango.com###block-tango-10 yourtango.com###block-tango-9 @@ -33574,13 +34778,15 @@ mp3lyrics.org###bota trutv.com###botleadad phonescoop.com###botlink adf.ly,deezer.com,forums.vr-zone.com,hplusmagazine.com,j.gs,q.gs,u.bb,usniff.com###bottom +jillianmichaels.com###bottom-300 dancehallreggae.com,investorplace.com,kiz10.com,lyrics19.com,radionomy.com###bottom-banner vidstatsx.com###bottom-bar news.cnet.com###bottom-leader ohio.com###bottom-leader-position -audioreview.com,fayobserver.com,icanhasinternets.com,legacy.com,thenextweb.com,topcultured.com###bottom-leaderboard +audioreview.com,fayobserver.com,g4chan.com,icanhasinternets.com,legacy.com,thenextweb.com,topcultured.com###bottom-leaderboard startupnation.com###bottom-leaderboard-01 canstar.com.au###bottom-mrec +bidnessetc.com###bottom-panel templatemonster.com###bottom-partner-banners techhive.com###bottom-promo thebestdesigns.com###bottom-sponsors @@ -33621,6 +34827,7 @@ kewlshare.com###box1 kewlshare.com###box3 dillons.com,kroger.com###box3-subPage tnt.tv###box300x250 +dmi.ae###boxBanner300x250 yahoo.com###boxLREC planetminecraft.com###box_160btf planetminecraft.com###box_300atf @@ -33631,6 +34838,7 @@ maxim.com###box_takeover_content maxim.com###box_takeover_mask collive.com,ecnmag.com###boxes filesoup.com###boxopus-btn +search.yahoo.com###bpla britannica.com###bps-gist-mbox-container brainyquote.com###bq_top_ad turbobit.net###branding-link @@ -33656,6 +34864,7 @@ imdb.com###btf_rhs2_wrapper ecoustics.com###btf_right_300x250 coed.com,collegecandy.com###btfmrec collegecandy.com###btfss +overdrive.in###btm_banner1 inquirer.net###btmskyscraper profitguide.com###builder-277 torontosun.com###buttonRow @@ -33689,11 +34898,6 @@ zynga.com###cafe_snapi_zbar bonniegames.com###caja_publicidad popsugar.com###calendar_widget youthincmag.com###campaign-1 -grooveshark.com###capital -grooveshark.com###capital-160x600 -grooveshark.com###capital-300x250 -grooveshark.com###capital-300x250-placeholder -grooveshark.com###capital-728x90 care2.com###care2_footer_ads pcworld.idg.com.au###careerone-promo screenafrica.com###carousel @@ -33715,7 +34919,7 @@ cryptocoinsnews.com###cb-sidebar-b > #text-85 fresnobee.com###cb-topjobs bnd.com###cb_widget cbc.ca###cbc-bottom-logo -allmyvideos.net,xtshare.com###cblocker +xtshare.com###cblocker aviationweek.com,grist.org,linuxinsider.com,neg0.ca###cboxOverlay cbsnews.com###cbsiAd16_100 cbssports.com###cbsiad16_100 @@ -33761,6 +34965,7 @@ mmorpg.com###colFive weather24.com###col_top_fb stv.tv###collapsedBanner aviationweek.com,grist.org,linuxinsider.com,neg0.ca,tv3.co.nz###colorbox +search.yahoo.com###cols > #left > #main > ol > li\[id^="yui_"] zam.com###column-box:first-child smashingmagazine.com###commentsponsortarget nettleden.com,xfm.co.uk###commercial @@ -33781,20 +34986,22 @@ isup.me###container > center:last-child > a:last-child videobull.com###container > div > div\[style^="position: fixed; "] streamin.to,tvshow7.eu,videobull.com###container > div > div\[style^="z-index: "] ebuddy.com###container-banner +pons.com###container-superbanner jacksonville.com###containerDeal sedoparking.com###content info.com###content + .P4 4fuckr.com###content > div\[align="center"] > b\[style="font-size: 15px;"] emillionforum.com###content > div\[onclick^="MyAdvertisements"]:first-child -allmyvideos.net###content a + iframe autotrader.co.nz,kiz10.com###content-banner +lifewithcats.tv###content-bottom-empty-space picocool.com###content-col-3 snow.co.nz###content-footer-wrap prospect.org###content-header-sidebar darkhorizons.com###content-island ifc.com###content-right-b amatuks.co.za###content-sponsors -caymannewsservice.com,craveonline.com,ego4u.com,washingtonexaminer.com,web.id###content-top +craveonline.com,ego4u.com,washingtonexaminer.com,web.id###content-top +lifewithcats.tv###content-top-empty-space sevenload.com###contentAadContainer jellymuffin.com###contentAfter-i vwvortex.com###contentBanner @@ -33831,6 +35038,7 @@ rightdiagnosis.com###cradbotb rightdiagnosis.com,wrongdiagnosis.com###cradlbox1 rightdiagnosis.com,wrongdiagnosis.com###cradlbox2 rightdiagnosis.com,wrongdiagnosis.com###cradrsky2 +firsttoknow.com###criteo-container careerbuilder.com###csjstool_bottomleft mustangevolution.com###cta cargames1.com###ctgad @@ -33839,6 +35047,8 @@ blogtv.com###ctl00_ContentPlaceHolder1_topBannerDiv spikedhumor.com###ctl00_CraveBanners myfax.com###ctl00_MainSection_BannerCoffee thefiscaltimes.com###ctl00_body_rightrail_4_pnlVideoModule +seeklogo.com###ctl00_content_panelDepositPhotos +seeklogo.com###ctl00_content_panelDepositPhotos2 leader.co.za###ctl00_cphBody_pnUsefulLinks investopedia.com###ctl00_ctl00_MainContent_A5_ctl00_contentService0 investopedia.com###ctl00_ctl00_MainContent_A5_ctl00_contentService2 @@ -33876,6 +35086,7 @@ drivewire.com###dart_leaderboard news24.com###datingWidegt pitch.com###datingpitchcomIframe reference.com###dcomSERPTop-300x250 +dailydot.com###dd-ad-head-wrapper gazette.com###deal-link charlotteobserver.com,miami.com,momsmiami.com###dealSaverWidget slickdeals.net###dealarea @@ -33894,26 +35105,22 @@ bloggingstocks.com###dfAppPromo thriftyfun.com###dfp-2 madmagazine.com###dfp-300x250 madmagazine.com###dfp-728x90 -urbandictionary.com###dfp_define_double_rectangle -urbandictionary.com###dfp_define_rectangle -urbandictionary.com###dfp_define_rectangle_btf -urbandictionary.com###dfp_homepage_medium_rectangle -urbandictionary.com###dfp_homepage_medium_rectangle_below amherstbulletin.com,concordmonitor.com,gazettenet.com,ledgertranscript.com,recorder.com,vnews.com###dfp_intext_half_page amherstbulletin.com,concordmonitor.com,gazettenet.com,ledgertranscript.com,recorder.com,vnews.com###dfp_intext_med_rectangle -urbandictionary.com###dfp_skyscraper cduniverse.com###dgast dailyhoroscope.com###dh-bottomad dailyhoroscope.com###dh-topad vidhog.com###dialog directionsmag.com###dialog-message forums.digitalpoint.com###did_you_know +linuxbsdos.com###digocean torrenthound.com###direct.button torrenthound.com,torrenthoundproxy.com###direct2 totalkiss.com###directional-120x600 totalkiss.com###directional-300x250-single datehookup.com###div-Forums_AFT_Top_728x90 articlesnatch.com###div-article-top +her.ie,herfamily.ie,joe.co.uk,joe.ie,sportsjoe.ie###div-gpt-top_page gossipcop.com###div-gpt-unit-gc-hp-300x250-atf gossipcop.com###div-gpt-unit-gc-other-300x250-atf geekosystem.com###div-gpt-unit-gs-hp-300x250-atf @@ -33947,7 +35154,6 @@ philstar.com###diviframeleaderboard jeuxme.info###divk1 tvonlinegratis.mobi###divpubli vidxden.com###divxshowboxt > a\[target="_blank"] > img\[width="158"] -capecodonline.com,dailytidings.com,mailtribune.com,poconorecord.com,recordnet.com,recordonline.com,seacoastonline.com,southcoasttoday.com###djDealsReviews redown.se###dl afterdawn.com###dlSoftwareDesc300x250 firedrive.com###dl_faster @@ -33957,14 +35163,16 @@ coloradocatholicherald.com,hot1045.net,rednationonline.ca###dnn_BannerPane windowsitpro.com###dnn_FooterBoxThree winsupersite.com###dnn_LeftPane cheapoair.com###dnn_RightPane\[width="175"] +cafonline.com###dnn_footerSponsersPane windowsitpro.com,winsupersite.com###dnn_pentonRoadblock_pnlRoadblock +search.yahoo.com###doc #cols #right #east convertmyimage.com###doc2pdf linuxcrunch.com###dock pspmaniaonline.com###dollarade_help msn.co.nz###doubleMrec trulia.com###double_click_backfill freemp3go.com###downHighSpeed -torrentreactor.net###download-button +solidfiles.com,torrentreactor.com,torrentreactor.net###download-button legendarydevils.com###download1_body movpod.in,vreer.com###downloadbar stuff.co.nz###dpop @@ -33994,6 +35202,8 @@ sys-con.com###elementDiv nbr.co.nz###email-signup destructoid.com,japanator.com###emc_header prisonplanet.com###enerfood-banner +tcrtroycommunityradio.com###enhancedtextwidget-2 +gossipcenter.com###entertainment_skin eweek.com###eoe-sl anilinkz.com###epads1 countryliving.com###epic_banner @@ -34019,7 +35229,7 @@ esper.vacau.com,nationalreview.com,techorama.comyr.com###facebox esper.vacau.com,filefactory.com###facebox_overlay funnycrazygames.com,playgames2.com,sourceforge.net###fad tucows.com###fad1 -askmen.com###fade +askmen.com,dxomark.com###fade softexia.com###faded imagepicsa.com,nashuatelegraph.com###fadeinbox brothersoft.com###fakebodya @@ -34028,6 +35238,7 @@ accountingtoday.com,commentarymagazine.com###fancybox-overlay rapidmore.com###fastdw firstpost.com###fb_mtutor fastcompany.com###fc-ads-imu +thedrinknation.com###fcBanner firedrive.com,putlocker.com###fdtb_container firedrive.com###fdvabox dealtime.com,shopping.com###featListingSection @@ -34057,10 +35268,12 @@ generatorlinkpremium.com###firstleft theverge.com###fishtank siteslike.com###fixedbox\[style="margin-top:20px"] booksnreview.com,mobilenapps.com,newseveryday.com,realtytoday.com,scienceworldreport.com,techtimes.com###fixme +gwhatchet.com###flan_leader fool.com###flash omgpop.com###flash-banner-top tg4.ie###flash_mpu radiotimes.com###flexible-mpu +streamtuner.me###float-bottom altervista.org,bigsports.tv,desistreams.tv,fancystreems.com,freelivesportshd.com,hqfooty.tv,livematchesonline.com,livevss.tv,pogotv.eu,streamer247.com,trgoals.es,tykestv.eu,zonytvcom.info###floatLayer1 cdnbr.biz,zcast.us,zonytvcom.info###floatLayer2 chordfrenzy.com,ganool.com###floating_banner_bottom @@ -34083,7 +35296,7 @@ thenextweb.com###fmpub_2621_3 game-debate.com###focus-enclose achieve360points.com###foot socialhype.com,zap2it.com###foot728 -chaifm.com,coinurl.com,oocities.org,sicilyintheworld.com,spin.ph,techcentral.co.za,tribejournal.com###footer +boldride.com,chaifm.com,coinurl.com,oocities.org,palipost.com,sicilyintheworld.com,spin.ph,techcentral.co.za,tribejournal.com###footer teesoft.info###footer-800 beso.com,spectator.co.uk###footer-banner tabletmag.com###footer-bar @@ -34113,7 +35326,7 @@ usatoday.com###footerSponsorTwo chelseafc.com###footerSponsors techworld.com###footerWhitePapers thesouthafrican.com###footer\[style="height:200px"] -androidcommunity.com,japantoday.com,thevillager.com.na###footer_banner +1019thewave.com,androidcommunity.com,clear99.com,japantoday.com,kat943.com,kcmq.com,kfalthebig900.com,ktgr.com,kwos.com,theeagle939.com,thevillager.com.na,y107.com###footer_banner phpbb.com###footer_banner_leaderboard 1500espn.com,mytalk1071.com###footer_box logopond.com###footer_google @@ -34163,7 +35376,6 @@ yasni.ca,yasni.co.uk,yasni.com###fullsizeWrapper penny-arcade.com###funding-h vladtv.com###fw_promo tinypic.com###fxw_ads -cleodesktop.com###g207 interscope.com###g300x250 claro-search.com,isearch.babylon.com,search.babylon.com###gRsTopLinks hoobly.com###ga1 @@ -34196,6 +35408,7 @@ mtv.com###gft-sponsors vancouversun.com###giftguidewidget phillytrib.com###gkBannerTop ngrguardiannews.com###gkBannerTopAll +concrete.tv###gkBanners howdesign.com,moviecritic.com.au,orble.com,realitytvobsession.com###glinks theguardian.com###global-jobs people.com###globalrecirc @@ -34226,7 +35439,9 @@ tips.net###googlebig forums.studentdoctor.net###googlefloat sapostalcodes.za.net###googlehoriz variety.com###googlesearch +magtheweekly.com###googleskysraper mozillazine.org###gootop +truckinginfo.com###got-questions asylum.co.uk###goviralD sourceforge.jp###gpt-sf_dev_300 neopets.com###gr-ctp-premium-featured @@ -34241,7 +35456,6 @@ bamkapow.com###gs300x250 jobs.aol.com###gsl aol.com###gsl-bottom torlock.com,torrentfunk.com,yourbittorrent.com###gslideout -ndtv.com###gta gtaforums.com###gtaf_ad_forums_bottomLeaderboard gtaforums.com###gtaf_ad_forums_topLeaderboard gtaforums.com###gtaf_ad_forums_wideSkyscraper @@ -34283,7 +35497,8 @@ countytimes.co.uk###headBanner quotes-love.net###head_banner fxempire.com###head_banners webdesignstuff.com###headbanner -adsoftheworld.com,anglocelt.ie,animalnetwork.com,eeeuser.com,engineeringnews.co.za,eveningtimes.co.uk,floridaindependent.com,hellmode.com,heraldscotland.com,incredibox.com,information-management.com,krapps.com,link-base.org,meathchronicle.ie,mothering.com,nevadaappeal.com,offalyindependent.ie,theroanoketribune.org,tusfiles.net,unrealitymag.com,vaildaily.com,washingtonindependent.com,westmeathindependent.ie,yourforum.ie###header +adsoftheworld.com,anglocelt.ie,animalnetwork.com,cartoonnetworkhq.com,eeeuser.com,engineeringnews.co.za,eveningtimes.co.uk,floridaindependent.com,hellmode.com,heraldscotland.com,incredibox.com,information-management.com,krapps.com,link-base.org,meathchronicle.ie,mothering.com,nevadaappeal.com,offalyindependent.ie,petapixel.com,theroanoketribune.org,tusfiles.net,unrealitymag.com,vaildaily.com,washingtonindependent.com,westmeathindependent.ie,yourforum.ie###header +filehippo.com###header-above-content-leaderboard theblemish.com###header-b fanrealm.net,flix.gr,fonearena.com,frontlinesoffreedom.com,girlgames.com,pa-magazine.com,progressivenation.us,scmp.com,snow.co.nz,snowtv.co.nz,spectator.co.uk,stickgames.com,sunnewsonline.com###header-banner gearculture.com###header-banner-728 @@ -34291,9 +35506,9 @@ dominicantoday.com###header-banners diyfashion.com###header-blocks ideone.com###header-bottom allakhazam.com###header-box:last-child -themiddlemarket.com###header-content +bestvpnserver.com,themiddlemarket.com###header-content davidwalsh.name###header-fx -ancientfaces.com,myrecordjournal.com,news-journalonline.com,phillymag.com,telegraph.co.uk,usatoday.com###header-leaderboard +ancientfaces.com,g4chan.com,myrecordjournal.com,news-journalonline.com,phillymag.com,telegraph.co.uk,usatoday.com###header-leaderboard menshealth.com###header-left-top-region amctv.com,ifc.com,motorhomefacts.com,sundance.tv,wetv.com###header-promo veteranstoday.com###header-right-banner2 @@ -34345,11 +35560,12 @@ allakhazam.com###hearthhead-mini-feature grist.org###hellobar-pusher kansascity.com###hi-find-n-save hi5.com###hi5-common-header-banner -atdhe.so,atdhe.xxx###hiddenBannerCanvas +atdhe.fm,atdhe.so,atdhe.xxx###hiddenBannerCanvas wbond.net###hide_sup flashi.tv###hideall rapidvideo.org,rapidvideo.tv###hidiv rapidvideo.org###hidiva +rapidvideo.org###hidivazz itweb.co.za###highlight-on codinghorror.com###hireme quill.com###hl_1_728x90 @@ -34373,11 +35589,13 @@ politics.co.uk###homeMpu techradar.com###homeOmioDealsWrapper thebradentontimes.com###homeTopBanner radiocaroline.co.uk###home_banner_div +khmertimeskh.com###home_bottom_banner creativeapplications.net###home_noticias_highlight_sidebar gpforums.co.nz###home_right_island inquirer.net###home_sidebar facebook.com###home_sponsor_nile facebook.com###home_stream > .uiUnifiedStory\[data-ft*="\"ei\":\""] +khmertimeskh.com###home_top_banner gumtree.co.za###home_topbanner spyka.net###homepage-125 edmunds.com###homepage-billboard @@ -34400,6 +35618,7 @@ mp4upload.com###hover rottentomatoes.com###hover-bubble itproportal.com###hp-accordion active.com###hp-map-ad +worldweatheronline.com###hp_300x600 eweek.com###hp_hot_stories collegecandy.com###hplbatf bhg.com###hpoffers @@ -34407,6 +35626,8 @@ bustedcoverage.com###hpss lhj.com###hptoprollover staradvertiser.com###hsa_bottom_leaderboard careerbuilder.com###htcRight\[style="padding-left:18px; width: 160px;"] +hdcast.org###html3 +pregen.net###html_javascript_adder-3 maxkeiser.com###html_widget-11 maxkeiser.com###html_widget-2 maxkeiser.com###html_widget-3 @@ -34439,11 +35660,13 @@ computerworlduk.com###inArticleSiteLinks audioz.eu###inSidebar > #src_ref rawstory.com###in_article_slot_1 rawstory.com###in_article_slot_2 +soccer24.co.zw###in_house_banner youtubeproxy.pk###include2 telegraph.co.uk###indeed_widget_wrapper egotastic.com###index-insert independent.co.uk###indyDating share-links.biz###inf_outer +news.com.au###info-bar share-links.biz###infoC technologytell.com###infobox_medium_rectangle_widget technologytell.com###infobox_medium_rectangle_widget_features @@ -34469,7 +35692,7 @@ boldsky.com###interstitialBackground maxim.com###interstitialCirc boldsky.com,gizbot.com###interstitialRightText gizbot.com###interstitialTitle -giantlife.com,newsone.com,theurbandaily.com###ione-jobs_v2-2 +giantlife.com,newsone.com###ione-jobs_v2-2 elev8.com,newsone.com###ione-jobs_v2-3 giantlife.com###ione-jobs_v2-4 about.com###ip0 @@ -34480,6 +35703,7 @@ investorplace.com###ipm_featured_partners-5 investorplace.com###ipm_sidebar_ad-3 metrolyrics.com###ipod unitconversion.org###iright +ironmanmag.com.au###iro_banner_leaderboard inquirer.net###is-sky-wrap imageshack.us###is_landing drivearcade.com,freegamesinc.com###isk180 @@ -34512,6 +35736,7 @@ sport24.co.za###kalahari bigislandnow.com###kbig_holder way2sms.com###kidloo nationalgeographic.com###kids_tophat_row1 +waoanime.tv###kittenoverlay wkrg.com###krg_oas_rail topix.com###krillion_block topix.com###krillion_container @@ -34538,6 +35763,7 @@ inquirer.net###lb_ear2 redferret.net###lb_wrap bustedcoverage.com###lbbtf play.tm###lbc +lankabusinessonline.com###lbo-ad-leadboard mofunzone.com###ldrbrd_td gpsreview.net###lead armedforcesjournal.com###leadWrap @@ -34546,7 +35772,7 @@ tripit.com###leadboard gamesindustry.biz,investopedia.com,iphonic.tv,kontraband.com,motherproof.com,nutritioncuisine.com,sansabanews.com,thestreet.com,topgear.com,venturebeat.com,vg247.com###leader duffelblog.com###leader-large bakersfieldnow.com,katu.com,keprtv.com,komonews.com,kpic.com,kval.com,star1015.com###leader-sponsor -agriland.ie,blackburnnews.com,bloody-disgusting.com,football-talk.co.uk,foxnews.com,irishpost.co.uk,longislandpress.com,mobiletoday.co.uk,mobiletor.com,morningledger.com,pcgamerhub.com,soccersouls.com,tangatawhenua.com,thescoopng.com,thewrap.com,urbanmecca.net,youngzimbabwe.com###leader-wrapper +agriland.ie,ballitonews.co.za,blackburnnews.com,bloody-disgusting.com,football-talk.co.uk,foxnews.com,irishpost.co.uk,longislandpress.com,mobiletoday.co.uk,mobiletor.com,morningledger.com,pcgamerhub.com,soccersouls.com,thescoopng.com,thewrap.com,urbanmecca.net,youngzimbabwe.com###leader-wrapper heraldstandard.com###leaderArea xe.com###leaderB firstnationsvoice.com,hbr.org,menshealth.com,pistonheads.com###leaderBoard @@ -34555,18 +35781,18 @@ totalfilm.com###leaderContainer girlsgogames.com###leaderData computerworlduk.com###leaderPlaceholder zdnet.com###leaderTop -cnet.com###leaderTopWrap behealthydaily.com###leader_board pandora.com###leader_board_container icanhascheezburger.com,memebase.com,thedailywh.at###leader_container tvguide.com###leader_plus_top tvguide.com###leader_top -about.com,animeseason.com,ariacharts.com.au,ask.fm,boomerangtv.co.uk,businessandleadership.com,capitalxtra.com,cc.com,charlotteobserver.com,classicfm.com,crackmixtapes.com,cubeecraft.com,cultofmac.com,cyberciti.biz,datpiff.com,economist.com,educationworld.com,electronista.com,espn980.com,eurogamer.net,extremetech.com,food24.com,football.co.uk,gardensillustrated.com,gazette.com,greatgirlsgames.com,gtainside.com,hiphopearly.com,historyextra.com,houselogic.com,ibtimes.co.in,ibtimes.co.uk,iclarified.com,icreatemagazine.com,instyle.co.uk,jaxdailyrecord.com,king-mag.com,ksl.com,lasplash.com,lrb.co.uk,macnn.com,nfib.com,onthesnow.ca,onthesnow.co.nz,onthesnow.co.uk,onthesnow.com,onthesnow.com.au,penny-arcade.com,pets4homes.co.uk,publishersweekly.com,realliving.com.ph,realmoney.thestreet.com,revolvermag.com,rollcall.com,salary.com,sciencedirect.com,sciencefocus.com,smoothradio.com,spin.ph,talonmarks.com,thatgrapejuice.net,thehollywoodgossip.com,theserverside.com,toofab.com,topcultured.com,uncut.co.uk,wheels24.co.za,whitepages.ae,windsorstar.com,winsupersite.com,wired.com,xfm.co.uk###leaderboard +about.com,animeseason.com,ariacharts.com.au,ask.fm,boomerangtv.co.uk,businessandleadership.com,capitalxtra.com,cc.com,charlotteobserver.com,classicfm.com,crackmixtapes.com,cubeecraft.com,cultofmac.com,cyberciti.biz,datpiff.com,economist.com,educationworld.com,electronista.com,espn980.com,eurogamer.net,extremetech.com,food24.com,football.co.uk,gardensillustrated.com,gazette.com,greatgirlsgames.com,gtainside.com,hiphopearly.com,historyextra.com,houselogic.com,ibtimes.co.in,ibtimes.co.uk,iclarified.com,icreatemagazine.com,instyle.co.uk,jaxdailyrecord.com,jillianmichaels.com,king-mag.com,ksl.com,lasplash.com,lrb.co.uk,macnn.com,nfib.com,onthesnow.ca,onthesnow.co.nz,onthesnow.co.uk,onthesnow.com,onthesnow.com.au,penny-arcade.com,pets4homes.co.uk,publishersweekly.com,realliving.com.ph,realmoney.thestreet.com,revolvermag.com,rollcall.com,salary.com,sciencedirect.com,sciencefocus.com,smoothradio.com,spin.ph,talonmarks.com,thatgrapejuice.net,thehollywoodgossip.com,theserverside.com,toofab.com,topcultured.com,uncut.co.uk,wheels24.co.za,whitepages.ae,windsorstar.com,winsupersite.com,wired.com,xfm.co.uk###leaderboard chicagomag.com###leaderboard-1-outer boweryboogie.com,safm.com.au###leaderboard-2 usnews.com###leaderboard-a +1029thebuzz.com,925freshradio.ca###leaderboard-area usnews.com###leaderboard-b -atlanticcityinsiders.com,bigissue.com,galvestondailynews.com,pressofatlanticcity.com,theweek.co.uk###leaderboard-bottom +atlanticcityinsiders.com,autoexpress.co.uk,bigissue.com,galvestondailynews.com,pressofatlanticcity.com,theweek.co.uk###leaderboard-bottom scientificamerican.com###leaderboard-contain daniweb.com,family.ca,nationalparkstraveler.com,sltrib.com,thescore.com###leaderboard-container netmagazine.com###leaderboard-content @@ -34609,9 +35835,13 @@ jewishjournal.com###leaderboardgray jewishjournal.com###leaderboardgray-825 hollywoodinterrupted.com,westcapenews.com###leaderboardspace thaindian.com###leadrb +fastpic.ru###leads bleedingcool.com###leaf-366 bleedingcool.com###leaf-386 eel.surf7.net.my###left +search.yahoo.com###left > #main > div\[id^="yui_"] +search.yahoo.com###left > #main > div\[id^="yui_"]\[class] > ul\[class] > li\[class] +search.yahoo.com###left > #main > div\[id^="yui_"]\[class]:first-child > div\[class]:last-child noscript.net###left-side > div > :nth-child(n+3) a\[href^="/"] technologyexpert.blogspot.com###left-sidebarbottom-wrap1 shortlist.com###left-sideburn @@ -34623,6 +35853,7 @@ telegramcommunications.com###leftBanner gizgag.com###leftBanner1 nowinstock.net###leftBannerBar infobetting.com###leftBannerDiv +watchcartoononline.com###leftBannerOut leo.org###leftColumn > #adv-google:first-child + script + .gray leo.org###leftColumn > #adv-leftcol + .gray thelakewoodscoop.com###leftFloat @@ -34659,6 +35890,7 @@ mappy.com###liquid-misc etaiwannews.com,taiwannews.com.tw###list_google2_newsblock etaiwannews.com,taiwannews.com.tw###list_google_newsblock ikascore.com###listed +951shinefm.com###listen-now-sponsor nymag.com###listings-sponsored sawlive.tv###llvvd webmd.com###lnch-promo @@ -34698,15 +35930,21 @@ mediaite.com###magnify_widget_rect_content mediaite.com###magnify_widget_rect_handle reallygoodemails.com###mailchimp-link adv.li###main +search.yahoo.com###main .dd .layoutCenter .compDlink +search.yahoo.com###main .dd .layoutCenter > .compDlink +search.yahoo.com###main .dd\[style="cursor: pointer;"] > .layoutMiddle cryptocoinsnews.com###main > .mobile > .special > center +search.yahoo.com###main > .reg > li\[id^="yui_"]\[data-bid] > \[data-bid] search.yahoo.com###main > div\[id^="yui_"] > ul > .res search.yahoo.com###main > div\[id^="yui_"].rVfes:first-child search.yahoo.com###main > div\[id^="yui_"].rVfes:first-child + #web + div\[id^="yui_"].rVfes search.yahoo.com###main > div\[id^="yui_"]\[class]\[data-bk]\[data-bns]:first-child -search.yahoo.com###main > div\[id^="yui_"]\[data-bk]\[data-bns] .res\[data-bk] search.yahoo.com###main > div\[style="background-color: rgb(250, 250, 255);"] search.yahoo.com###main > noscript + div\[id^="yui_"]\[class]\[data-bk]\[data-bns="Yahoo"] search.yahoo.com###main > noscript + div\[id^="yui_"]\[class]\[data-bk]\[data-bns="Yahoo"] + #web + div\[id^="yui_"]\[class]\[data-bk]\[data-bns="Yahoo"] +search.yahoo.com###main > ol li\[id^="yui_"] +search.yahoo.com###main > style:first-child + * + #web + style + * > ol\[class]:first-child:last-child +search.yahoo.com###main > style:first-child + * > ol\[class]:first-child:last-child mobilesyrup.com###main-banner yasni.ca,yasni.co.uk,yasni.com###main-content-ac1 stylist.co.uk###main-header @@ -34721,6 +35959,7 @@ necn.com###main_175 net-security.org###main_banner_topright bitenova.org###main_un pureoverclock.com###mainbanner +search.aol.com###maincontent + script + div\[class] > style + script + h3\[class] holidayscentral.com###mainleaderboard kansas.com,kansascity.com,miamiherald.com,sacbee.com,star-telegram.com###mainstage-dealsaver bazoocam.org###mapub @@ -34771,6 +36010,7 @@ pastemagazine.com,weebls-stuff.com###medium-rectangle cgchannel.com###mediumRectangle newburyportnews.com###mediumRectangle_atf pons.com,pons.eu###medium_rec +kexp.org###medium_rectangle pandora.com###medium_rectangle_container pricegrabber.com###mediumbricks king-mag.com###mediumrec @@ -34791,9 +36031,10 @@ theweedblog.com###meteor-slides-widget-3 fulldls.com###meth_smldiv imageporter.com###mezoktva dannychoo.com###mg-blanket-banner -thetechjournal.com###mgid +thetechjournal.com,torrents.de,torrentz.ch,torrentz.com,torrentz.eu,torrentz.in,torrentz.li,torrentz.me,torrentz.ph,torrentz.unblockt.com###mgid everyjoe.com###mgid-widget menshealth.com###mh_top_promo_special +liligo.com###midbanner soccerphile.com###midbanners dvdactive.com###middleBothColumnsBanner wpxi.com,wsbtv.com###middleLeaderBoard @@ -34825,6 +36066,8 @@ desiretoinspire.net###moduleContent18450223 goodhousekeeping.com###moduleEcomm elle.com,womansday.com###moduleMightLike menshealth.co.uk###module_promotion +huffingtonpost.co.uk###modulous_right_rail_edit_promo +huffingtonpost.co.uk###modulous_sponsorship_2 wikia.com###monaco_footer cnn.com###moneySponsorBox cnn.com###moneySponsors @@ -34881,7 +36124,6 @@ news.yahoo.com###mw-ysm-cm_2-container miningweekly.com###mw_q-search-powered yahoo.com###my-promo-hover rally24.com###myBtn -sharesix.com###myElement_display tcpdump.com###myID bloggersentral.com###mybsa lolzparade.com###mylikes_bar_all_items @@ -34890,6 +36132,8 @@ forums.creativecow.net###mz\[width="100%"]\[valign="top"]\[style="padding:20px 3 rentalcars.com###name_price_ad irishracing.com###naobox entrepreneur.com###nav-promo-link +browserleaks.com###nav-right-logo +amazon.com###nav-swmslot rentals.com###nav_credit_report kuhf.org###nav_sponsors hongfire.com###navbar_notice_9 @@ -34951,6 +36195,7 @@ cincinnati.com###ody-asset-breakout democratandchronicle.com###ody-dealchicken popsugar.com###offer-widget funnyplace.org###oglas-desni +cnet.com###omTrialPayImpression ikeahackers.net###omc-sidebar .responsive-image cleantechnica.com,watch-anime.net###omc-top-banner wbaltv.com,wesh.com,wmur.com###omega @@ -34960,7 +36205,7 @@ eweek.com###oneAssetIFrame yeeeah.com###orangebox 24wrestling.com###other-news totallycrap.com###oursponsors -cbsnews.com,chron.com,denverpost.com,ew.com,jpost.com,mysanantonio.com,nydailynews.com,pcmag.com,seattlepi.com,sfgate.com,standard.co.uk,telegraph.co.uk,theguardian.com,ynetnews.com###outbrain_widget_0 +allyou.com,cbsnews.com,chron.com,coastalliving.com,cookinglight.com,denverpost.com,ew.com,jpost.com,myrecipes.com,mysanantonio.com,nydailynews.com,pcmag.com,seattlepi.com,seattletimes.com,sfgate.com,southernliving.com,standard.co.uk,sunset.com,telegraph.co.uk,theguardian.com,travelandleisure.com,washingtonexaminer.com,ynetnews.com###outbrain_widget_0 foxnews.com,jpost.com,london24.com,nydailynews.com###outbrain_widget_1 cbslocal.com,chron.com,mysanantonio.com,seattlepi.com,sfgate.com,standard.co.uk###outbrain_widget_2 bbc.com,cnbc.com,jpost.com,si.com###outbrain_widget_3 @@ -34969,12 +36214,15 @@ hiphopwired.com###outbrain_wrapper familysecuritymatters.org###outer_header engadget.com###outerslice mp4upload.com###over +beststreams.ru###over-small playhd.eu###over_player_msg2 deviantart.com###overhead-you-know-what -agame.com,animestigma.com,notdoppler.com,powvideo.net,uploadcrazy.net,vidcrazy.net,videoboxone.com,videovalley.net,vidup.org,vipboxeu.co,viponlinesports.eu###overlay +agame.com,animestigma.com,bestream.tv,newsbtc.com,notdoppler.com,powvideo.net,uploadcrazy.net,vidcrazy.net,videoboxone.com,videovalley.net,vidup.org,vipboxeu.co,vipleague.me,viponlinesports.eu,webmfile.tv###overlay +bidnessetc.com###overlay10 speedvid.net,thevideo.me###overlayA euro-pic.eu,imagewaste.com###overlayBg theyeshivaworld.com###overlayDiv +bestreams.net,happystreams.net,played.to,realvid.net###overlayPPU reference.com###overlayRightA thelakewoodscoop.com###overlaySecondDiv deditv.com,fleon.me,mypremium.tv,skylo.me,streamme.cc,tooshocking.com,xtshare.com###overlayVid @@ -35013,6 +36261,7 @@ zonelyrics.net###panelRng creativenerds.co.uk###panelTwoSponsors nymag.com###partner-feeds orange.co.uk###partner-links +businessinsider.com.au###partner-offers hwbot.org###partner-tiles kat.ph###partner1_button nbcphiladelphia.com,nbcsandiego.com,nbcwashington.com###partnerBar @@ -35025,17 +36274,21 @@ weather.com###partner_offers delish.com###partner_promo_module_container whitepages.ca,whitepages.com###partner_searches itworld.com###partner_strip +ew.com###partnerbar +ew.com###partnerbar-bottom collegecandy.com###partnerlinks -cioupdate.com,datamation.com,earthweb.com,fastseduction.com,mfc.co.uk,muthafm.com,ninemsn.com.au,threatpost.com,wackyarchives.com###partners +cioupdate.com,datamation.com,earthweb.com,fastseduction.com,mfc.co.uk,muthafm.com,ninemsn.com.au,porttechnology.org,threatpost.com,wackyarchives.com###partners arcticstartup.com###partners_125 behealthydaily.com###partners_content ganool.com###pateni patheos.com###patheos-ad-region boards.adultswim.com###pattern-area way2sms.com###payTM300 +carscoops.com###payload binaries4all.com###payserver binaries4all.com###payserver2 pbs.org###pbsdoubleclick +nydailynews.com###pc-richards demap.info###pcad tucows.com###pct_popup_link retrevo.com###pcw_bottom_inner @@ -35047,7 +36300,6 @@ vosizneias.com###perm theonion.com###personals avclub.com###personals_content topix.com###personals_promo -citypages.com,dallasobserver.com,houstonpress.com,laweekly.com,miaminewtimes.com,ocweekly.com,phoenixnewtimes.com,riverfronttimes.com,seattleweekly.com,sfweekly.com,westword.com###perswrap portforward.com###pfconfigspot pricegrabber.com,tomshardware.com###pgad_Top pricegrabber.com###pgad_topcat_bottom @@ -35061,6 +36313,7 @@ everyjoe.com###php-code-1 toonzone.net###php_widget-18 triggerbrothers.com.au###phpb2 triggerbrothers.com.au###phpsky +dnsleak.com,emailipleak.com,ipv6leak.com###piaad picarto.tv###picartospecialadult heatworld.com###picks fool.com###pitch @@ -35068,11 +36321,7 @@ ratemyprofessors.com###placeholder728 autotrader.co.uk###placeholderTopLeaderboard sockshare.com###playdiv div\[style^="width:300px;height:250px"] sockshare.com###playdiv tr > td\[valign="middle"]\[align="center"]:first-child -allmyvideos.net###player_code + * + div\[style] -allmyvideos.net###player_code + div\[id^="OnPlay"] -allmyvideos.net###player_code + div\[style] allmyvideos.net,vidspot.net###player_img -allmyvideos.net###player_img ~ div:not(#player_code) magnovideo.com###player_overlay catstream.pw,espnwatch.tv,filotv.pw,orbitztv.co.uk###playerflash + script + div\[class] ytmnd.com###please_dont_block_me @@ -35083,7 +36332,8 @@ vg.no###poolMenu backlinkwatch.com###popUpDiv videolinkz.us###popout hybridlava.com###popular-posts -team.tl###popup +newsbtc.com,team.tl###popup +dxomark.com###popupBlock newpct.com###popupDiv journal-news.net###popwin cosmopolitan.com###pos_ams_cosmopolitan_bot @@ -35104,14 +36354,16 @@ pinknews.co.uk###pre-head chronicleonline.com,cryptoarticles.com,roanoke.com,sentinelnews.com,theandersonnews.com###pre-header foodnetworkasia.com,foodnetworktv.com###pre-header-banner surfline.com###preRoll -thevideo.me###pre_counter +thevideo.me,vidup.me###pre_counter dragcave.net###prefooter bizjournals.com###prefpart yourmovies.com.au,yourrestaurants.com.au,yourtv.com.au###preheader-ninemsn-container mixupload.org###prekla bassmaster.com###premier-sponsors-widget nzgamer.com###premierholder +netnewscheck.com,tvnewscheck.com###premium-classifieds youtube.com###premium-yva +nextag.com###premiumMerchant usatoday.com###prerollOverlayPlayer 1cookinggames.com###previewthumbnailx250 news24.com###pricechecklist @@ -35163,10 +36415,12 @@ newyorker.com###ps3_fs1_yrail ecommercetimes.com,linuxinsider.com,macnewsworld.com,technewsworld.com###ptl sk-gaming.com###pts sk-gaming.com###ptsf +rocvideo.tv###pu-pomy digitalversus.com###pub-banner digitalversus.com###pub-right-top cnet.com###pubUpgradeUnit jeuxvideo-flash.com###pub_header +frequence-radio.com###pub_listing_top skyrock.com###pub_up tvlizer.com###pubfooter hellomagazine.com###publi @@ -35180,7 +36434,7 @@ pep.ph###pushdown-wrapper neopets.com###pushdown_banner miningweekly.com###q-search-powered thriveforums.org###qr_defaultcontainer.qrcontainer -inbox.com###r +inbox.com,search.aol.com###r search.yahoo.com###r-e search.yahoo.com###r-n search.yahoo.com###r-s @@ -35215,6 +36469,7 @@ bizrate.com###rectangular dict.cc###rectcompactbot dict.cc###recthome dict.cc###recthomebot +1tiny.net###redirectBlock bloemfonteincelticfc.co.za###reebok_banner expertreviews.co.uk###reevoo-top-three-offers pcadvisor.co.uk###reevooComparePricesContainerId @@ -35241,6 +36496,7 @@ url.org###resspons2 herold.at###resultList > #downloadBox search.iminent.com,start.iminent.com###result_zone_bottom search.iminent.com,start.iminent.com###result_zone_top +filesdeck.com###results-for > .r > .rL > a\[target="_blank"]\[href^="/out.php"] search.excite.co.uk###results11_container indeed.com###resultsCol > .lastRow + div\[class] indeed.com###resultsCol > .messageContainer + style + div + script + style + div\[class] @@ -35252,10 +36508,27 @@ ninemsn.com.au###rhc_mrec imdb.com###rhs-sl imdb.com###rhs_cornerstone_wrapper pcworld.idg.com.au###rhs_resource_promo +stream2watch.com###rhw_footer eel.surf7.net.my,macdailynews.com,ocia.net###right +search.yahoo.com###right .dd .mb-11 + .compList +search.yahoo.com###right .dd > .layoutMiddle +search.yahoo.com###right .dd\[style="cursor: pointer;"] > .layoutMiddle +search.yahoo.com###right .dd\[style^="background-color:#FFF;border-color:#FFF;padding:"] .compList +search.yahoo.com###right .first > div\[style="background-color:#fafaff;border-color:#FAFAFF;padding:4px 10px 12px;"] +search.yahoo.com###right .reg > li\[id^="yui_"]\[data-bid] > \[data-bid] search.yahoo.com###right .res ninemsn.com.au###right > .bdr > #ysm +search.yahoo.com###right > .searchRightMiddle + div\[id]:last-child +search.yahoo.com###right > .searchRightTop + div\[id]:last-child +~images.search.yahoo.com,search.yahoo.com###right > div > .searchRightMiddle + div\[id]:last-child +~images.search.yahoo.com,search.yahoo.com###right > div > .searchRightTop + \[id]:last-child +~images.search.yahoo.com,search.yahoo.com###right > div:first-child:last-child > \[id]:first-child:last-child +search.yahoo.com###right > div\[id] > div\[class] > div\[class] > h2\[class]:first-child + ul\[class]:last-child > li\[class] +search.yahoo.com###right > span > div\[id] > div\[class] div\[class] > span > ul\[class]:last-child > li\[class] search.yahoo.com###right \[class]\[data-bk]\[data-bns] +search.yahoo.com###right div\[style="background-color:#fafaff;border-color:#FAFAFF;padding:4px 10px 12px;"] +search.yahoo.com###right li\[id^="yui_"] .dd > .layoutMiddle +search.yahoo.com###right ol li\[id^="yui_"] > .dd > .layoutMiddle 123chase.com###right-adv-one foodingredientsfirst.com,nutritionhorizon.com,tgdaily.com###right-banner vidstatsx.com###right-bottom @@ -35270,12 +36543,14 @@ gtopala.com###right160 popsci.com###right2-position tnt.tv###right300x250 cartoonnetwork.co.nz,cartoonnetwork.com.au,cartoonnetworkasia.com,cdcovers.cc,gizgag.com,prevention.com,slacker.com,telegramcommunications.com###rightBanner +watchcartoononline.com###rightBannerOut cantyouseeimbusy.com###rightBottom linuxforums.org,quackit.com###rightColumn maltatoday.com.mt###rightContainer thelakewoodscoop.com###rightFloat yahoo.com###rightGutter cosmopolitan.com###rightRailAMS +befunky.com###rightReklam totalfark.com###rightSideRightMenubar playstationlifestyle.net###rightSkyscraper itworldcanada.com###rightTopSponsor @@ -35301,7 +36576,6 @@ liveleak.com###rightcol > .sidebox > .gradient > p > a\[target="_blank"] cokeandpopcorn.com###rightcol3 mysuncoast.com###rightcolumnpromo stuff.co.nz###rightgutter -urbandictionary.com###rightist 810varsity.com###rightsidebanner herold.at###rightsponsor elyricsworld.com###ringtone @@ -35311,13 +36585,12 @@ egotastic.com,idolator.com,socialitelife.com,thesuperficial.com###river-containe megarapid.net,megashare.com,scrapetorrent.com###rmiad megashare.com###rmishim brenz.net###rndBanner -actiontrip.com,craveonline.com,dvdfile.com,ecnmag.com,gamerevolution.com,manchesterconfidential.co.uk,thefashionspot.com,videogamer.com###roadblock +actiontrip.com,comingsoon.net,craveonline.com,dvdfile.com,ecnmag.com,gamerevolution.com,manchesterconfidential.co.uk,thefashionspot.com,videogamer.com###roadblock windowsitpro.com,winsupersite.com###roadblockbackground winsupersite.com###roadblockcontainer mirror.co.uk###roffers-top barclaysatpworldtourfinals.com###rolex-small-clock kewlshare.com###rollAdRKLA -urbandictionary.com###rollup moviezer.com###rootDiv\[style^="width:300px;"] lionsrugby.co.za###rotator lionsrugby.co.za###rotator2 @@ -35365,6 +36638,7 @@ msn.com###sales3 msn.com###sales4 watchwweonline.org###samdav-locker watchwweonline.org###samdav-wrapper +wbez.org###sb-container nickutopia.com###sb160 codefuture.co.uk###sb_left hwhills.com###sb_left_tower @@ -35384,8 +36658,6 @@ stardoll.com###sdads_bt_2 zillow.com###search-featured-partners docspot.com###search-leaderboard youtube.com###search-pva -grooveshark.com###searchCapitalWrapper_300 -grooveshark.com###searchCapitalWrapper_728 zoozle.org###search_right zoozle.org###search_topline bitenova.nl,bitenova.org###search_un @@ -35400,11 +36672,13 @@ way2sms.com###secreg2 neoseeker.com###section-pagetop desiretoinspire.net###sectionContent2275769 desiretoinspire.net###sectionContent5389870 +whatismyipaddress.com###section_right edomaining.com###sedo-search scoop.co.nz###seek_table searchenginejournal.com###sej-bg-takeover-left searchenginejournal.com###sej-bg-takeover-right inc.com###select_services +isohunt.to###serps .title-row > a\[rel="nofollow"]\[href="#"] website-unavailable.com###servfail-records gamesgames.com###sgAdMrCp300x250 girlsgogames.com###sgAdMrScp300x250 @@ -35448,14 +36722,14 @@ iphonefaq.org###sideBarsMiddle iphonefaq.org###sideBarsTop iphonefaq.org###sideBarsTop-sub tomsguide.com,tomshardware.co.uk###sideOffers -webappers.com###side_banner +khmertimeskh.com,webappers.com###side_banner beatweek.com,filedropper.com,mininova.org,need4file.com,rockdizfile.com,satelliteguys.us###sidebar cryptoarticles.com###sidebar > #sidebarBlocks +sharktankblog.com###sidebar > #text-85 yauba.com###sidebar > .block_result:first-child nuttynewstoday.com###sidebar > div\[style="height:120px;"] ha.ckers.org###sidebar > ul > li:first-child + li + div\[align="center"] krebsonsecurity.com###sidebar-250 -cleodesktop.com###sidebar-atas1 pa-magazine.com###sidebar-banner tvlizer.com###sidebar-bottom lionsdenu.com,travelwkly.com###sidebar-bottom-left @@ -35518,9 +36792,8 @@ cybergamer.com###site_skin_spacer smsfun.com.au###sitebanners slashdot.org###sitenotice torrenttree.com###sites_right -allmyvideos.net###sitewide160left -allmyvideos.net,allmyvids.de###sitewide160right -djmag.co.uk,djmag.com,expertreviews.co.uk,mediaite.com,pcpro.co.uk,race-dezert.com###skin +allmyvids.de###sitewide160right +2oceansvibe.com,djmag.co.uk,djmag.com,expertreviews.co.uk,mediaite.com,pcpro.co.uk,race-dezert.com###skin collegehumor.com,dorkly.com###skin-banner jest.com###skin_banner idg.com.au###skin_bump @@ -35575,6 +36848,7 @@ hktdc.com###sliderbanner thephuketnews.com###slides yellowpageskenya.com###slideshow cio.com.au###slideshow_boombox +790kspd.com###slideshowwidget-8 bizrate.com###slimBannerContainer mail.yahoo.com###slot_LREC mail.yahoo.com###slot_MB @@ -35590,6 +36864,7 @@ washingtonpost.com###slug_featured_links washingtonpost.com###slug_flex_ss_bb_hp washingtonpost.com###slug_inline_bb washingtonpost.com###slug_sponsor_links_rr +sportsmole.co.uk###sm_shop dailyrecord.co.uk###sma-val-service ikascore.com###smalisted unfinishedman.com###smartest-banner-2 @@ -35600,8 +36875,6 @@ denverpost.com###snowReportFooter tfportal.net###snt_wrapper thepiratebay.se###social + a > img cioupdate.com,webopedia.com###solsect -grooveshark.com###songCapitalWrapper_728 -grooveshark.com###songCapital_300 knowyourmeme.com###sonic sensis.com.au###southPfp stv.tv###sp-mpu-container @@ -35612,6 +36885,7 @@ collegefashion.net###spawnsers torontolife.com###special-messages geeksaresexy.net###special-offers news.com.au###special-promotion +bidnessetc.com###specialBox10 videogamer.com###specialFeatures countryliving.com###specialOffer countryliving.com###special_offer @@ -35643,7 +36917,7 @@ foreignpolicy.com###spon_reports quakelive.com###spon_vert phonescoop.com###sponboxb ninemsn.com.au###spons_left -baseball-reference.com,breakingtravelnews.com,christianpost.com,compfight.com,europages.co.uk,itweb.co.za,japanvisitor.com,katu.com,komonews.com,lmgtfy.com,mothering.com,neave.com,otcmarkets.com,tsn.ca,tvnz.co.nz,wallpapercropper.com,walyou.com,wgr550.com,wsjs.com,yahoo.com###sponsor +baseball-reference.com,breakingtravelnews.com,christianpost.com,compfight.com,europages.co.uk,itweb.co.za,japanvisitor.com,katu.com,komonews.com,lmgtfy.com,mothering.com,neave.com,otcmarkets.com,telegeography.com,tsn.ca,tvnz.co.nz,wallpapercropper.com,walyou.com,wgr550.com,wsjs.com,yahoo.com###sponsor leedsunited.com###sponsor-bar detroitnews.com###sponsor-flyout meteo-allerta.it,meteocentrale.ch,meteozentral.lu,severe-weather-centre.co.uk,severe-weather-ireland.com,vader-alarm.se###sponsor-info @@ -35659,6 +36933,7 @@ football-league.co.uk###sponsor_links health365.com.au###sponsor_logo_s lmgtfy.com###sponsor_wrapper 7search.com,espn.go.com,filenewz.com,general-fil.es,general-files.com,generalfil.es,independent.ie,internetretailer.com,ixquick.co.uk,ixquick.com,nickjr.com,rewind949.com,slickdeals.net,startpage.com,webhostingtalk.com,yahoo.com###sponsored +theweathernetwork.com###sponsored-by webhostingtalk.com###sponsored-clear chacha.com###sponsored-question fbdownloader.com###sponsored-top @@ -35667,7 +36942,7 @@ lastminute.com###sponsoredFeatureModule theblaze.com###sponsored_stories businessweek.com###sponsored_video smashingmagazine.com###sponsorlisttarget -abalive.com,abestweb.com,barnsleyfc.co.uk,bbb.org,bcfc.com,bestuff.com,blackpoolfc.co.uk,burnleyfootballclub.com,bwfc.co.uk,cafc.co.uk,cardiffcityfc.co.uk,christianity.com,cpfc.co.uk,dcfc.co.uk,easternprovincerugby.com,etftrends.com,fastseduction.com,geekwire.com,gerweck.net,goseattleu.com,hullcitytigers.com,iconfinder.com,itfc.co.uk,kiswrockgirls.com,law.com,lcfc.com,manutd.com,noupe.com,paidcontent.org,pba.com,pcmag.com,petri.co.il,pingdom.com,psl.co.za,race-dezert.com,rovers.co.uk,sjsuspartans.com,soompi.com,sponsorselect.com,tapemastersinc.net,techmeme.com,trendafrica.co.za,waronyou.com,whenitdrops.com###sponsors +abalive.com,abestweb.com,barnsleyfc.co.uk,bbb.org,bcfc.com,bestuff.com,blackpoolfc.co.uk,burnleyfootballclub.com,bwfc.co.uk,cafc.co.uk,cardiffcityfc.co.uk,christianity.com,cpfc.co.uk,dcfc.co.uk,easternprovincerugby.com,etftrends.com,fastseduction.com,geekwire.com,gerweck.net,goseattleu.com,hullcitytigers.com,iconfinder.com,itfc.co.uk,kiswrockgirls.com,landreport.com,law.com,lcfc.com,manutd.com,myam1230.com,noupe.com,paidcontent.org,pba.com,pcmag.com,petri.co.il,pingdom.com,psl.co.za,race-dezert.com,rovers.co.uk,sjsuspartans.com,soompi.com,sponsorselect.com,star883.org,tapemastersinc.net,techmeme.com,trendafrica.co.za,waronyou.com,whenitdrops.com###sponsors sanjose.com###sponsors-module und.com###sponsors-story-wrap und.com###sponsors-wrap @@ -35682,6 +36957,7 @@ cnet.com###spotBidHeader cnet.com###spotbid mangafox.me###spotlight memory-alpha.org###spotlight_footer +justdubs.tv###spots qj.net###sqspan zam.com###square-box allakhazam.com###square-box:first-child @@ -35707,7 +36983,6 @@ stltoday.com###stl-below-content-02 dailypuppy.com###stop_puppy_mills someecards.com###store marketwatch.com###story-premiumbanner -abclocal.go.com###storyBodyLink dailyherald.com###storyMore cbc.ca###storymiddle instyle.co.uk###style_it_light_ad @@ -35763,6 +37038,7 @@ shorpy.com###tad bediddle.com###tads google.com###tadsc ajaxian.com###taeheader +anilinkz.tv###tago esquire.com,meetme.com,muscleandfitness.com,techvideo.tv###takeover techvideo.tv###takeover-spazio nme.com###takeover_head @@ -35789,32 +37065,33 @@ newsfirst.lk###text-106 couponistaqueen.com,dispatchlive.co.za###text-11 callingallgeeks.org,cathnews.co.nz,myx.tv,omgubuntu.co.uk###text-12 cleantechnica.com###text-121 -airlinereporter.com,myx.tv,omgubuntu.co.uk,wphostingdiscount.com###text-13 +airlinereporter.com,myx.tv,omgubuntu.co.uk,radiosurvivor.com,wphostingdiscount.com###text-13 dispatchlive.co.za,krebsonsecurity.com,myx.tv,omgubuntu.co.uk,planetinsane.com###text-14 -blackenterprise.com###text-15 razorianfly.com###text-155 gizchina.com,thesurvivalistblog.net###text-16 englishrussia.com,thechive.com###text-17 delimiter.com.au###text-170 -netchunks.com,planetinsane.com,sitetrail.com,thechive.com###text-18 +netchunks.com,planetinsane.com,radiosurvivor.com,sitetrail.com,thechive.com###text-18 delimiter.com.au###text-180 delimiter.com.au###text-189 collective-evolution.com,popbytes.com,thechive.com###text-19 delimiter.com.au###text-192 delimiter.com.au###text-195 -callingallgeeks.org,financialsurvivalnetwork.com###text-21 -airlinereporter.com,callingallgeeks.org,gizchina.com,omgubuntu.co.uk###text-22 -omgubuntu.co.uk###text-23 +businessdayonline.com,callingallgeeks.org,financialsurvivalnetwork.com###text-21 +airlinereporter.com,callingallgeeks.org,gizchina.com,omgubuntu.co.uk,queenstribune.com###text-22 +omgubuntu.co.uk,queenstribune.com###text-23 +queenstribune.com###text-24 netchunks.com###text-25 -2smsupernetwork.com###text-26 +2smsupernetwork.com,pzfeed.com,queenstribune.com###text-26 2smsupernetwork.com,sonyalpharumors.com###text-28 beijingcream.com###text-29 2smsupernetwork.com,airlinereporter.com,buddyhead.com,mbworld.org,zambiareports.com###text-3 sonyalpharumors.com###text-31 techhamlet.com###text-32 -couponistaqueen.com###text-35 +couponistaqueen.com,pzfeed.com###text-35 couponistaqueen.com###text-38 -buddyhead.com,dieselcaronline.co.uk,knowelty.com,myonlinesecurity.co.uk,myx.tv,sportsillustrated.co.za,theairportnews.com,thewhir.com###text-4 +pzfeed.com###text-39 +budapesttimes.hu,buddyhead.com,dieselcaronline.co.uk,knowelty.com,myonlinesecurity.co.uk,myx.tv,sportsillustrated.co.za,theairportnews.com,thewhir.com###text-4 couponistaqueen.com###text-40 enpundit.com###text-41 pluggd.in###text-416180296 @@ -35826,6 +37103,7 @@ thebizzare.com###text-461006011 thebizzare.com###text-461006012 spincricket.com###text-462834151 enpundit.com###text-48 +pencurimovie.cc###text-49 myx.tv,washingtonindependent.com###text-5 2smsupernetwork.com,rawstory.com###text-50 quickonlinetips.com###text-57 @@ -35836,6 +37114,11 @@ mynokiablog.com###text-9 torontolife.com###text-links washingtonpost.com###textlinkWrapper the217.com###textpromo +teamandroid.com###tf_header +teamandroid.com###tf_sidebar_above +teamandroid.com###tf_sidebar_below +teamandroid.com###tf_sidebar_skyscraper1 +teamandroid.com###tf_sidebar_skyscraper2 notebookreview.com###tg-reg-ad mail.yahoo.com###tgtMNW girlsaskguys.com###thad @@ -35843,6 +37126,7 @@ thatscricket.com###thatscricket_google_ad yahoo.com###theMNWAd rivals.com###thecontainer duoh.com###thedeck +thekit.ca###thekitadblock thonline.com###thheaderadcontainer theberry.com,thechive.com###third-box videobam.com###this-pays-for-bandwidth-container @@ -35865,11 +37149,13 @@ technewsworld.com###tnavad omgubuntu.co.uk###to-top chattanooganow.com###toDoWrap megavideoshows.com###toHide -phonescoop.com,politics.co.uk,reference.com,thesaurus.com,topcultured.com###top -synonym.com###top-300 +toonix.com###toonix-adleaderboard +iconeye.com,phonescoop.com,politics.co.uk,reference.com,thesaurus.com,topcultured.com###top +jillianmichaels.com,synonym.com###top-300 +xxlmag.com###top-728x90 techiemania.com###top-729-banner -discovery.com,freemake.com###top-advertising -chip.eu,corkindependent.com,dancehallreggae.com,ebuddy.com,foodlovers.co.nz,galwayindependent.com,inthenews.co.uk,investorplace.com,itweb.co.za,lyrics19.com,maclife.com,maximumpc.com,politics.co.uk,scoop.co.nz,techi.com,thedailymash.co.uk,thespiritsbusiness.com,timesofisrael.com,tweaktown.com###top-banner +freemake.com###top-advertising +chip.eu,corkindependent.com,dancehallreggae.com,ebuddy.com,foodlovers.co.nz,galwayindependent.com,inthenews.co.uk,investorplace.com,itweb.co.za,lyrics19.com,maclife.com,maximumpc.com,politics.co.uk,scoop.co.nz,skift.com,techi.com,thedailymash.co.uk,thespiritsbusiness.com,timesofisrael.com,tweaktown.com###top-banner scoop.co.nz###top-banner-base theberrics.com###top-banner-container krebsonsecurity.com###top-banner-image @@ -35886,7 +37172,7 @@ jacksonville.com###top-header aspensojourner.com###top-layer canstar.com.au###top-lb joystiq.com###top-leader -cantbeunseen.com,chairmanlol.com,diyfail.com,explainthisimage.com,fayobserver.com,funnyexam.com,funnytipjars.com,iamdisappoint.com,japanisweird.com,morefailat11.com,objectiface.com,passedoutphotos.com,perfectlytimedphotos.com,roulettereactions.com,searchenginesuggestions.com,shitbrix.com,sparesomelol.com,spoiledphotos.com,stopdroplol.com,tattoofailure.com,yodawgpics.com,yoimaletyoufinish.com###top-leaderboard +cantbeunseen.com,chairmanlol.com,diyfail.com,explainthisimage.com,fayobserver.com,funnyexam.com,funnytipjars.com,gamejolt.com,iamdisappoint.com,japanisweird.com,morefailat11.com,objectiface.com,passedoutphotos.com,perfectlytimedphotos.com,roulettereactions.com,searchenginesuggestions.com,shitbrix.com,sparesomelol.com,spoiledphotos.com,stopdroplol.com,tattoofailure.com,yodawgpics.com,yoimaletyoufinish.com###top-leaderboard smarterfox.com###top-left-banner sportinglife.com###top-links politiken.dk###top-monster @@ -35926,6 +37212,7 @@ hardballtalk.nbcsports.com###top_90h theepochtimes.com###top_a_0d ytmnd.com###top_ayd boxoffice.com,computing.net,disc-tools.com,goldentalk.com,guyspeed.com,hemmings.com,imagebam.com,magme.com,moono.com,phonearena.com,popcrush.com,sportsclimax.com,techradar.com,tidbits.com,venturebeatprofiles.com,webappers.com###top_banner +caribpress.com###top_banner_container theimproper.com###top_banner_widget motorship.com###top_banners avaxsearch.com###top_block @@ -35959,7 +37246,7 @@ littlegreenfootballs.com###topbannerdiv snapfiles.com###topbannermain eatsleepsport.com,soccerphile.com,torrentpond.com###topbanners swedishwire.com###topbannerspace -ilix.in,newtechie.com,postadsnow.com,songspk.name,textmechanic.com,thebrowser.com,tota2.com###topbar +ilix.in,newtechie.com,postadsnow.com,songspk.link,songspk.name,textmechanic.com,thebrowser.com,tota2.com###topbar newsbusters.org###topbox thecrims.com###topbox_content educatorstechnology.com###topcontentwrap @@ -35974,6 +37261,7 @@ microcosmgames.com###toppartner macupdate.com###topprommask worldtimebuddy.com###toprek tbo.com###topslider +plos.org###topslot thespacereporter.com###topster codingforums.com###toptextlinks inquisitr.com###topx2 @@ -35994,9 +37282,12 @@ telegraph.co.uk###trafficDrivers mapquest.com###trafficSponsor channelregister.co.uk###trailer genevalunch.com###transportation +dallasnews.com###traveldeals people.com###treatYourself +bitcoin.cz###trezor miroamer.com###tribalFusionContainer sitepoint.com###triggered-cta-box-wrapper +wigflip.com###ts-newsletter forums.techguy.org###tsg-dfp-300x250 forums.techguy.org###tsg-dfp-between-posts tsn.ca###tsnHeaderAd @@ -36056,7 +37347,6 @@ ibrod.tv###video cricket.yahoo.com###video-branding mentalfloss.com###video-div-polo youtube.com###video-masthead -grooveshark.com###videoCapital cartoonnetworkasia.com###videoClip-main-right-ad300Wrapper-ad300 radaronline.com###videoExternalBanner video.aol.com###videoHatAd @@ -36082,6 +37372,7 @@ weatherbug.co.uk###wXcds2 weatherbug.co.uk###wXcds4 inquirer.net###wall_addmargin_left edmunds.com###wallpaper +information-age.com###wallpaper-surround-outer eeweb.com###wallpaper_image thepressnews.co.uk###want-to-advertise nowtorrents.com###warn_tab @@ -36089,6 +37380,7 @@ youtube.com###watch-branded-actions youtube.com###watch-buy-urls youtube.com###watch-channel-brand-div nytimes.com###watchItButtonModule +thefreedictionary.com###wb1 murga-linux.com###wb_Image1 sheridanmedia.com###weather-sponsor wkrq.com###weather_traffic_sponser @@ -36150,16 +37442,19 @@ maxthon.com###xds cnet.com###xfp_adspace robtex.com###xnad728 vrbo.com###xtad -ople.xyz###xybrad +abconline.xyz###xydllc ople.xyz###xydlleft +abconline.xyz###xydlrc ople.xyz###xydlright fancystreems.com,sharedir.com###y yahoo.com###y708-ad-lrec1 yahoo.com###y708-sponmid au.yahoo.com###y708-windowshade yahoo.com###y_provider_promo +yahoo.com###ya-center-rail > \[id^="ya-q-"]\[id$="-textads"] answers.yahoo.com###ya-darla-LDRB answers.yahoo.com###ya-darla-LREC +answers.yahoo.com###ya-qpage-textads vipboxsports.eu,vipboxsports.me,viplivebox.eu,viponlinesports.eu###ya_layer sevenload.com###yahoo-container missoulian.com###yahoo-contentmatch @@ -36193,16 +37488,18 @@ trackthepack.com###yoggrt wfaa.com###yollarSwap afmradio.co.za###yourSliderId search.yahoo.com###ysch #doc #bd #results #cols #left #main .ads +search.yahoo.com###ysch #doc #bd #results #cols #left #main .ads .left-ad +search.yahoo.com###ysch #doc #bd #results #cols #left #main .ads .more-sponsors +search.yahoo.com###ysch #doc #bd #results #cols #left #main .ads .spns search.yahoo.com###ysch #doc #bd #results #cols #right #east .ads yahoo.com###yschsec -fancystreems.com,sharedir.com###yst1 +fancystreems.com,onlinemoviesgold.com,sharedir.com,stream2watch.com###yst1 travel.yahoo.com###ytrv-ysm-hotels travel.yahoo.com###ytrv-ysm-north travel.yahoo.com###ytrv-ysm-south travel.yahoo.com,travel.yahoo.net###ytrvtrt webmastertalkforums.com###yui-gen24\[style="width: 100%; height: 100px !important;"] zynga.com###zap-bac-iframe -details.com###zergnet bloomberg.com,post-gazette.com###zillow post-trib.com###zip2save_link_widget moreintelligentlife.com###zone-header @@ -36246,7 +37543,6 @@ highstakesdb.com##.Banner acharts.us##.BannerConsole mixedmartialarts.com##.BannerRightCol natgeotv.com##.BannerTop -hot1029.com##.Banner_Group truck1.eu,webresourcesdepot.com##.Banners stockopedia.co.uk##.BigSquare juxtapoz.com##.Billboard @@ -36266,6 +37562,7 @@ ljworld.com,newsherald.com##.DD-Widget archdaily.com##.DFP-banner forbes.com##.DL-ad-module healthzone.pk##.DataTDDefault\[width="160"]\[height="600"] +israeltoday.co.il##.DnnModule-1143 secdigitalnetwork.com##.DnnModule-6542 secdigitalnetwork.com##.DnnModule-6547 israeltoday.co.il##.DnnModule-758 @@ -36296,8 +37593,9 @@ islamicfinder.org##.IslamicData\[bgcolor="#FFFFFF"]\[bordercolor="#ECF3F9"] bloemfonteincourant.co.za,ofm.co.za,peoplemagazine.co.za##.LeaderBoard morningstar.com##.LeaderWrap agrieco.net,fjcruiserforums.com,mlive.com,newsorganizer.com,oxygenmag.com,urgames.com##.Leaderboard +op.gg##.LifeOwner myabc50.com,whptv.com,woai.com##.LinksWeLike -animenova.tv,animetoon.tv,gogoanime.com,goodanime.net,gooddrama.net,toonget.com##.MClose +animenova.tv,animetoon.tv,gogoanime.com,goodanime.eu,gooddrama.net,toonget.com##.MClose timeout.com##.MD_textLinks01 mangahere.co##.MHShuffleAd hsj.org##.ML_L1_ArticleAds @@ -36306,7 +37604,11 @@ expressandstar.com,juicefm.com,planetrock.com,pulse1.co.uk,pulse2.co.uk,shropshi foxafrica.com##.MPU300 foxafrica.com,foxcrimeafrica.com,fxafrica.tv##.MPU336 three.fm##.MPURight +dubaieye1038.com##.MPU_box +dubai92.com,virginradiodubai.com##.MPU_box-innerpage +virginradiodubai.com##.MPU_box_bottom thepittsburghchannel.com##.MS +search.aol.com##.MSL + script + script + div\[class] > style + script + h3\[class] videowing.me##.MadDivtuzrfk videowing.me##.MadDivtuzrjt thebull.com.au##.Maquetas @@ -36398,14 +37700,13 @@ facebook.com##._4u8 filenuke.net,filmshowonline.net,fleon.me,hqvideo.cc,putlocker.ws,sharesix.net,skylo.me,streamme.cc,vidshare.ws##._ccctb crawler.com##.a lawyersweekly.com.au##.a-center -drama.net##.a-content +anime1.com,drama.net##.a-content eplsite.com##.a-el krebsonsecurity.com##.a-statement daijiworld.com##.a2 knowyourmeme.com##.a250x250 cnet.com##.a2\[style="padding-top: 20px;"] gematsu.com,twitch.tv,twitchtv.com##.a300 -animeflv.net,animeid.com,chia-anime.com,knowyourmeme.com,politicususa.com##.a300x250 animeid.com,makeagif.com##.a728 localtiger.com##.a9gy_lt hereisthecity.com##.aLoaded @@ -36429,37 +37730,40 @@ au.news.yahoo.com##.acc-moneyhound goseattleu.com##.accipiter consequenceofsound.net##.acm-module-300-250 kcrw.com##.actions -17track.net,5newsonline.com,6abc.com,7online.com,aa.co.za,aarp.org,abc11.com,abc13.com,abc30.com,abc7.com,abc7chicago.com,abc7news.com,abovethelaw.com,accringtonobserver.co.uk,adelaidenow.com.au,adn.com,adsoftheworld.com,adsupplyads.com,adtmag.com,adweek.com,aero-news.net,aetv.com,agra-net.net,ahlanlive.com,algemeiner.com,aljazeera.com,allkpop.com,allrecipes.co.in,allrecipes.com.au,americanprofile.com,amny.com,anandtech.com,androidapps.com,androidauthority.com,aol.com,appolicious.com,arabianbusiness.com,arseniohall.com,articlealley.com,asianjournal.com,associationsnow.com,audiko.net,aussieoutages.com,autoblog.com,autoblog360.com,autoguide.com,azarask.in,back9network.com,backlinkwatch.com,backtrack-linux.org,bathchronicle.co.uk,beaumontenterprise.com,bellinghamherald.com,bgr.com,bikesportnews.com,birminghammail.co.uk,birminghampost.co.uk,blackmorevale.co.uk,bloomberg.com,bloombergview.com,bnd.com,bobvila.com,boston.com,bostonglobe.com,bostontarget.co.uk,bradenton.com,bravotv.com,breitbart.com,brentwoodgazette.co.uk,bridesmagazine.co.uk,brisbanetimes.com.au,bristolpost.co.uk,budgettravel.com,burbankleader.com,businessinsider.com,businesstech.co.za,businessweek.com,c21media.net,cairnspost.com.au,canadianoutages.com,canberratimes.com.au,canterburytimes.co.uk,carmarthenjournal.co.uk,carynews.com,cd1025.com,celebdigs.com,celebified.com,centralsomersetgazette.co.uk,centredaily.com,cfl.ca,cfo.com,ch-aviation.com,channel5.com,charismamag.com,charismanews.com,cheddarvalleygazette.co.uk,cheezburger.com,chesterchronicle.co.uk,chicagobusiness.com,chicagomag.com,chinahush.com,chinasmack.com,christianlifenews.com,chroniclelive.co.uk,cio.com,citeworld.com,citylab.com,citysearch.com,claytonnewsstar.com,clientmediaserver.com,cltv.com,cnet.com,cnn.com,coastlinepilot.com,codepen.io,collinsdictionary.com,colorlines.com,colourlovers.com,comcast.net,comicbookmovie.com,competitor.com,computerworld.com,cornishguardian.co.uk,cornishman.co.uk,courier.co.uk,couriermail.com.au,coventrytelegraph.net,cpuboss.com,crawleynews.co.uk,crewechronicle.co.uk,crossmap.com,croydonadvertiser.co.uk,csoonline.com,csswizardry.com,cupcakesandcashmere.com,cw33.com,cw39.com,cydiaupdates.net,dailycute.net,dailylobo.com,dailylocal.com,dailyparent.com,dailypilot.com,dailypost.co.uk,dailyrecord.co.uk,dailytarheel.com,dailytelegraph.com.au,dcw50.com,deadline.com,dealnews.com,defenseone.com,delish.com,derbytelegraph.co.uk,deseretnews.com,designtaxi.com,dinozap.com,divxstage.to,dodgeforum.com,domain.com.au,dorkingandleatherheadadvertiser.co.uk,dose.com,dover-express.co.uk,downdetector.co.nz,downdetector.co.uk,downdetector.co.za,downdetector.com,downdetector.in,downdetector.sg,dpreview.com,dribbble.com,drive.com.au,dustcoin.com,earmilk.com,earthsky.org,eastgrinsteadcourier.co.uk,eastlindseytarget.co.uk,edmontonjournal.com,elle.com,emedtv.com,engadget.com,enquirerherald.com,espnfc.co.uk,espnfc.com,espnfc.us,essentialbaby.com.au,essentialkids.com.au,essexchronicle.co.uk,eurocheapo.com,everyjoe.com,examiner.co.uk,examiner.com,excellence-mag.com,exeterexpressandecho.co.uk,expressnews.com,familydoctor.org,farmersguardian.com,farmonlinelivestock.com.au,fashionweekdaily.com,fastcar.co.uk,femalefirst.co.uk,fijitimes.com,findthatpdf.com,findthebest.co.uk,flashx.tv,floridaindependent.com,fodors.com,folkestoneherald.co.uk,food.com,foodandwine.com,foodnetwork.com,fortmilltimes.com,fox13now.com,fox17online.com,fox2now.com,fox40.com,fox43.com,fox4kc.com,fox59.com,fox5sandiego.com,fox6now.com,fox8.com,foxafrica.com,foxbusiness.com,foxcrimeafrica.com,foxct.com,foxnews.com,foxsoccer.com,foxsportsasia.com,freedom43tv.com,freshpips.com,fresnobee.com,fromestandard.co.uk,fuse.tv,fxafrica.tv,fxnetworks.com,fxnowcanada.ca,gamefuse.com,gamemazing.com,garfield.com,gazettelive.co.uk,geelongadvertiser.com.au,getbucks.co.uk,getreading.co.uk,getsurrey.co.uk,getwestlondon.co.uk,givesmehope.com,glendalenewspress.com,glennbeck.com,gloucestercitizen.co.uk,gloucestershireecho.co.uk,go.com,gocomics.com,goerie.com,goldcoastbulletin.com.au,goo.im,good.is,goodfood.com.au,goodhousekeeping.com,gpuboss.com,grab.by,grapevine.is,greatschools.org,greenbot.com,grimsbytelegraph.co.uk,grindtv.com,grubstreet.com,gumtree.co.za,hbindependent.com,healthyplace.com,heatworld.com,heraldonline.com,heraldsun.com.au,history.com,hknepaliradio.com,hodinkee.com,hollywood-elsewhere.com,hollywoodreporter.com,hoovers.com,houserepairtalk.com,houstonchronicle.com,hulldailymail.co.uk,idahostatesman.com,independent.co.uk,indianas4.com,indiewire.com,indyposted.com,infoworld.com,inhabitat.com,instyle.com,interest.co.nz,interfacelift.com,interfax.com.ua,intoday.in,investopedia.com,investsmart.com.au,iono.fm,irishmirror.ie,irishoutages.com,islandpacket.com,itsamememario.com,itv.com,itworld.com,jackfm.ca,jamaica-gleaner.com,jobs.com.au,journalgazette.net,joystiq.com,jsonline.com,juzupload.com,katc.com,kbzk.com,kdvr.com,kentucky.com,keysnet.com,kfor.com,kidspot.com.au,kiss959.com,koaa.com,kob.com,komando.com,koreabang.com,kpax.com,kplr11.com,kqed.org,ktla.com,kusports.com,kwgn.com,kxlf.com,kxlh.com,lacanadaonline.com,lakewyliepilot.com,lawrence.com,leaderpost.com,ledger-enquirer.com,leicestermercury.co.uk,lex18.com,lichfieldmercury.co.uk,lincolnshireecho.co.uk,liverpoolecho.co.uk,ljworld.com,llanellistar.co.uk,lmtonline.com,lolbrary.com,loop21.com,lordofthememe.com,lostateminor.com,loughboroughecho.net,lsjournal.com,macclesfield-express.co.uk,macombdaily.com,macon.com,macrumors.com,manchestereveningnews.co.uk,mangafox.me,marieclaire.com,marketwatch.com,mashable.com,maxpreps.com,mcclatchydc.com,mediafire.com,memearcade.com,memeslanding.com,memestache.com,mercedsunstar.com,mercurynews.com,miamiherald.com,middevongazette.co.uk,military.com,minecrastinate.com,mirror.co.uk,mlb.mlb.com,modbee.com,monkeysee.com,monroenews.com,montrealgazette.com,motorcycle.com,motorcycleroads.com,movies.com,movshare.net,mozo.com.au,mrconservative.com,mrmovietimes.com,mrqe.com,msn.com,muchshare.net,mugglenet.com,mybroadband.co.za,mycareer.com.au,myfox8.com,mygaming.co.za,myhomeremedies.com,mylifeisaverage.com,mypaper.sg,myrtlebeachonline.com,mysearchresults.com,nation.co.ke,nation.com.pk,nationaljournal.com,nature.com,nbcsportsradio.com,networkworld.com,news.com.au,newsfixnow.com,newsobserver.com,newsok.com,newstimes.com,newtimes.co.rw,nextmovie.com,nhregister.com,nickmom.com,northdevonjournal.co.uk,notsafeforwallet.net,nottinghampost.com,novamov.com,nowvideo.co,nowvideo.li,nowvideo.sx,ntd.tv,ntnews.com.au,ny1.com,nymag.com,nytco.com,nytimes.com,offbeat.com,omgfacts.com,osadvertiser.co.uk,osnews.com,ottawamagazine.com,ovguide.com,patch.com,patheos.com,peakery.com,perthnow.com.au,phl17.com,photobucket.com,pingtest.net,pirateshore.org,pix11.com,plosone.org,plymouthherald.co.uk,pokestache.com,polygon.com,popsugar.com,popsugar.com.au,prepperwebsite.com,primeshare.tv,pv-tech.org,q13fox.com,quackit.com,quibblo.com,ragestache.com,ranker.com,readmetro.com,realestate.com.au,realityblurred.com,redeyechicago.com,redmondmag.com,refinery29.com,relish.com,retailgazette.co.uk,retfordtimes.co.uk,reuters.com,roadsideamerica.com,rogerebert.com,rollcall.com,rossendalefreepress.co.uk,rumorfix.com,runcornandwidnesweeklynews.co.uk,runnow.eu,sacbee.com,sadlovequotes.net,sanluisobispo.com,sbs.com.au,scpr.org,scubadiving.com,scunthorpetelegraph.co.uk,sevenoakschronicle.co.uk,sfchronicle.com,sfgate.com,sfx.co.uk,sheptonmalletjournal.co.uk,shtfplan.com,si.com,similarsites.com,simpledesktops.com,singingnews.com,sixbillionsecrets.com,sky.com,slacker.com,slate.com,sleafordtarget.co.uk,slidetoplay.com,smackjuice.com,smartcompany.com.au,smartphowned.com,smh.com.au,softpedia.com,somersetguardian.co.uk,southportvisiter.co.uk,southwales-eveningpost.co.uk,spectator.org,spin.com,spokesman.com,sportsdirectinc.com,springwise.com,spryliving.com,ssdboss.com,ssireview.org,stagevu.com,stamfordadvocate.com,standard.co.uk,star-telegram.com,statenews.com,statscrop.com,stltoday.com,stocktwits.com,stokesentinel.co.uk,stoppress.co.nz,streetinsider.com,stripes.com,stroudlife.co.uk,stv.tv,sub-titles.net,sunherald.com,surreymirror.co.uk,suttoncoldfieldobserver.co.uk,talkandroid.com,tampabay.com,tamworthherald.co.uk,tasteofawesome.com,teamcoco.com,techdirt.com,tgdaily.com,thanetgazette.co.uk,thatslife.com.au,thatssotrue.com,theage.com.au,theatlantic.com,theaustralian.com.au,theblaze.com,thedailybeast.com,thedp.com,theepochtimes.com,thefirearmblog.com,thefreedictionary.com,thegamechicago.com,thegossipblog.com,thegrio.com,thegrocer.co.uk,thehungermemes.net,thejournal.co.uk,thekit.ca,themercury.com.au,thenation.com,thenewstribune.com,theoaklandpress.com,theolympian.com,theonion.com,theprovince.com,therealdeal.com,theroot.com,thesaurus.com,thestack.com,thestarphoenix.com,thestate.com,thevine.com.au,thewalkingmemes.com,thewindowsclub.com,thewire.com,thisiswhyimbroke.com,timeshighereducation.co.uk,timesunion.com,tinypic.com,today.com,tokyohive.com,topsite.com,torontoist.com,torquayheraldexpress.co.uk,townandcountrymag.com,townsvillebulletin.com.au,travelocity.com,travelweekly.com,tri-cityherald.com,tribecafilm.com,tripadvisor.ca,tripadvisor.co.uk,tripadvisor.co.za,tripadvisor.com,tripadvisor.ie,tripadvisor.in,triplem.com.au,trucktrend.com,truecar.com,twcc.com,twcnews.com,ufc.com,uinterview.com,unfriendable.com,userstyles.org,usnews.com,vancouversun.com,veevr.com,vetfran.com,vg247.com,vid.gg,vidbux.com,videobash.com,videoweed.es,vidxden.com,viralnova.com,vogue.com.au,walesonline.co.uk,walsalladvertiser.co.uk,washingtonpost.com,watchanimes.me,watoday.com.au,wattpad.com,watzatsong.com,way2sms.com,wbur.org,weathernationtv.com,webdesignerwall.com,webestools.com,weeklytimesnow.com.au,wegotthiscovered.com,wellcommons.com,wellsjournal.co.uk,westbriton.co.uk,westerndailypress.co.uk,westerngazette.co.uk,westernmorningnews.co.uk,wetpaint.com,wgno.com,wgnradio.com,wgnt.com,wgntv.com,whnt.com,whosay.com,whotv.com,wildcat.arizona.edu,windsorstar.com,winewizard.co.za,wnep.com,womansday.com,worldreview.info,worthplaying.com,wow247.co.uk,wqad.com,wral.com,wreg.com,wrestlezone.com,wsj.com,wtkr.com,wtvr.com,www.google.com,x17online.com,yahoo.com,yonhapnews.co.kr,yorkpress.co.uk,yourmiddleeast.com,zedge.net,zillow.com,zooweekly.com.au,zybez.net##.ad +17track.net,5newsonline.com,6abc.com,7online.com,aa.co.za,aarp.org,abc11.com,abc13.com,abc30.com,abc7.com,abc7chicago.com,abc7news.com,abovethelaw.com,accringtonobserver.co.uk,adelaidenow.com.au,adn.com,adsoftheworld.com,adsupplyads.com,adtmag.com,adweek.com,aero-news.net,aetv.com,agra-net.net,ahlanlive.com,algemeiner.com,aljazeera.com,allkpop.com,allrecipes.co.in,allrecipes.com.au,americanprofile.com,amny.com,anandtech.com,androidapps.com,androidauthority.com,aol.com,appolicious.com,arabianbusiness.com,arseniohall.com,articlealley.com,asianjournal.com,associationsnow.com,audiko.net,aussieoutages.com,autoblog.com,autoblog360.com,autoguide.com,aww.com.au,azarask.in,back9network.com,backlinkwatch.com,backtrack-linux.org,bathchronicle.co.uk,beaumontenterprise.com,bellinghamherald.com,bgr.com,bikesportnews.com,birminghammail.co.uk,birminghampost.co.uk,blackmorevale.co.uk,bloomberg.com,bloombergview.com,bnd.com,bobvila.com,boston.com,bostonglobe.com,bostontarget.co.uk,bradenton.com,bravotv.com,breitbart.com,brentwoodgazette.co.uk,bridesmagazine.co.uk,brisbanetimes.com.au,bristolpost.co.uk,budgettravel.com,burbankleader.com,businessinsider.com,businesstech.co.za,businessweek.com,c21media.net,cairnspost.com.au,canadianoutages.com,canberratimes.com.au,canterburytimes.co.uk,carmarthenjournal.co.uk,carynews.com,cd1025.com,celebdigs.com,celebified.com,centralsomersetgazette.co.uk,centredaily.com,cfl.ca,cfo.com,ch-aviation.com,channel5.com,charismamag.com,charismanews.com,charlotteobserver.com,cheddarvalleygazette.co.uk,cheezburger.com,chesterchronicle.co.uk,chicagobusiness.com,chicagomag.com,chinahush.com,chinasmack.com,christianexaminer.com,christianlifenews.com,chroniclelive.co.uk,cio.com,citeworld.com,citylab.com,citysearch.com,claytonnewsstar.com,clientmediaserver.com,cloudtime.to,cltv.com,cnet.com,cnn.com,coastlinepilot.com,codepen.io,collinsdictionary.com,colorlines.com,colourlovers.com,comcast.net,comicbookmovie.com,competitor.com,computerworld.com,cornishguardian.co.uk,cornishman.co.uk,courier.co.uk,couriermail.com.au,coventrytelegraph.net,cpuboss.com,crawleynews.co.uk,crewechronicle.co.uk,crossmap.com,crosswalk.com,croydonadvertiser.co.uk,csoonline.com,csswizardry.com,cupcakesandcashmere.com,cw33.com,cw39.com,cydiaupdates.net,dailycute.net,dailylobo.com,dailylocal.com,dailyparent.com,dailypilot.com,dailypost.co.uk,dailyrecord.co.uk,dailytarheel.com,dailytelegraph.com.au,dawn.com,dcw50.com,deadline.com,dealnews.com,defenseone.com,delish.com,derbytelegraph.co.uk,deseretnews.com,designtaxi.com,dinozap.com,divxstage.to,dodgeforum.com,domain.com.au,dorkingandleatherheadadvertiser.co.uk,dose.com,dover-express.co.uk,downdetector.co.nz,downdetector.co.uk,downdetector.co.za,downdetector.com,downdetector.in,downdetector.sg,dpreview.com,dribbble.com,drive.com.au,dustcoin.com,earmilk.com,earthsky.org,eastgrinsteadcourier.co.uk,eastlindseytarget.co.uk,edmontonjournal.com,elle.com,emedtv.com,engadget.com,enquirerherald.com,espnfc.co.uk,espnfc.com,espnfc.com.au,espnfc.us,espnfcasia.com,essentialbaby.com.au,essentialkids.com.au,essexchronicle.co.uk,eurocheapo.com,everyjoe.com,examiner.co.uk,examiner.com,excellence-mag.com,exeterexpressandecho.co.uk,expressnews.com,familydoctor.org,farmersguardian.com,farmonlinelivestock.com.au,fashionweekdaily.com,fastcar.co.uk,femalefirst.co.uk,fijitimes.com,findthatpdf.com,findthebest.co.uk,findthebest.com,flashx.tv,floridaindependent.com,fodors.com,folkestoneherald.co.uk,food.com,foodandwine.com,foodnetwork.com,fortmilltimes.com,fox13now.com,fox17online.com,fox2now.com,fox40.com,fox43.com,fox4kc.com,fox59.com,fox5sandiego.com,fox6now.com,fox8.com,foxafrica.com,foxbusiness.com,foxcrimeafrica.com,foxct.com,foxnews.com,foxsoccer.com,foxsportsasia.com,freedom43tv.com,freshpips.com,fresnobee.com,fromestandard.co.uk,fuse.tv,fxafrica.tv,fxnetworks.com,fxnowcanada.ca,gamefuse.com,gamemazing.com,garfield.com,gazettelive.co.uk,geelongadvertiser.com.au,getbucks.co.uk,getreading.co.uk,getsurrey.co.uk,getwestlondon.co.uk,givesmehope.com,glendalenewspress.com,glennbeck.com,gloucestercitizen.co.uk,gloucestershireecho.co.uk,go.com,gocomics.com,goerie.com,goldcoastbulletin.com.au,goo.im,good.is,goodfood.com.au,goodhousekeeping.com,gpuboss.com,grab.by,grapevine.is,greatschools.org,greenbot.com,grimsbytelegraph.co.uk,grindtv.com,grubstreet.com,gumtree.co.za,happytrips.com,hbindependent.com,healthyplace.com,heatworld.com,heraldonline.com,heraldsun.com.au,history.com,hknepaliradio.com,hodinkee.com,hollywood-elsewhere.com,hollywoodreporter.com,hoovers.com,houserepairtalk.com,houstonchronicle.com,hulldailymail.co.uk,idahostatesman.com,idganswers.com,independent.co.uk,indianas4.com,indiewire.com,indyposted.com,infoworld.com,inhabitat.com,instyle.com,interest.co.nz,interfacelift.com,interfax.com.ua,intoday.in,investopedia.com,investsmart.com.au,iono.fm,irishmirror.ie,irishoutages.com,islandpacket.com,itsamememario.com,itv.com,itworld.com,jackfm.ca,jamaica-gleaner.com,javaworld.com,jobs.com.au,journalgazette.net,joystiq.com,jsonline.com,juzupload.com,katc.com,kbzk.com,kdvr.com,kentucky.com,keysnet.com,kfor.com,kidspot.com.au,kiss959.com,koaa.com,kob.com,komando.com,koreabang.com,kotaku.com.au,kpax.com,kplr11.com,kqed.org,ktla.com,kusports.com,kwgn.com,kxlf.com,kxlh.com,lacanadaonline.com,lakewyliepilot.com,lawrence.com,leaderpost.com,ledger-enquirer.com,leicestermercury.co.uk,lex18.com,lichfieldmercury.co.uk,lincolnshireecho.co.uk,liverpoolecho.co.uk,ljworld.com,llanellistar.co.uk,lmtonline.com,lolbrary.com,loop21.com,lordofthememe.com,lostateminor.com,loughboroughecho.net,lsjournal.com,macclesfield-express.co.uk,macombdaily.com,macon.com,macrumors.com,manchestereveningnews.co.uk,mangafox.me,marieclaire.com,marketwatch.com,mashable.com,maxpreps.com,mcclatchydc.com,mediafire.com,memearcade.com,memeslanding.com,memestache.com,mercedsunstar.com,mercurynews.com,metronews.ca,miamiherald.com,middevongazette.co.uk,military.com,minecrastinate.com,mirror.co.uk,mkweb.co.uk,mlb.mlb.com,modbee.com,monkeysee.com,monroenews.com,montrealgazette.com,motorcycle.com,motorcycleroads.com,movies.com,movshare.net,mozo.com.au,mprnews.org,mrconservative.com,mrmovietimes.com,mrqe.com,msn.com,muchshare.net,mugglenet.com,mybroadband.co.za,mycareer.com.au,myfox8.com,mygaming.co.za,myhomeremedies.com,mylifeisaverage.com,mypaper.sg,myrtlebeachonline.com,mysearchresults.com,nation.co.ke,nation.com.pk,nationaljournal.com,nature.com,nbcsportsradio.com,networkworld.com,news.com.au,newsfixnow.com,newsobserver.com,newsok.com,newstimes.com,newtimes.co.rw,nextmovie.com,nhregister.com,nickmom.com,northdevonjournal.co.uk,notsafeforwallet.net,nottinghampost.com,novamov.com,nowvideo.co,nowvideo.li,nowvideo.sx,ntd.tv,ntnews.com.au,ny1.com,nymag.com,nytco.com,nytimes.com,offbeat.com,omgfacts.com,osadvertiser.co.uk,osnews.com,ottawamagazine.com,ovguide.com,patch.com,patheos.com,peakery.com,perthnow.com.au,phl17.com,photobucket.com,pingtest.net,pirateshore.org,pix11.com,plosone.org,plymouthherald.co.uk,pokestache.com,polygon.com,popsugar.com,popsugar.com.au,prepperwebsite.com,primeshare.tv,pv-tech.org,q13fox.com,quackit.com,quibblo.com,ragestache.com,ranker.com,readmetro.com,realestate.com.au,realityblurred.com,redeyechicago.com,redmondmag.com,refinery29.com,relish.com,retailgazette.co.uk,retfordtimes.co.uk,reuters.com,roadsideamerica.com,rogerebert.com,rollcall.com,rossendalefreepress.co.uk,rumorfix.com,runcornandwidnesweeklynews.co.uk,runnow.eu,sacbee.com,sadlovequotes.net,sanluisobispo.com,sbs.com.au,scpr.org,scubadiving.com,scunthorpetelegraph.co.uk,seattletimes.com,sevenoakschronicle.co.uk,sfchronicle.com,sfgate.com,sfx.co.uk,sheptonmalletjournal.co.uk,shtfplan.com,si.com,similarsites.com,simpledesktops.com,singingnews.com,sixbillionsecrets.com,sky.com,slacker.com,slate.com,sleafordtarget.co.uk,slidetoplay.com,smackjuice.com,smartcompany.com.au,smartphowned.com,smh.com.au,softpedia.com,somersetguardian.co.uk,southportvisiter.co.uk,southwales-eveningpost.co.uk,spectator.org,spin.com,spokesman.com,sportsdirectinc.com,springwise.com,spryliving.com,ssdboss.com,ssireview.org,stagevu.com,stamfordadvocate.com,standard.co.uk,star-telegram.com,statenews.com,statscrop.com,stltoday.com,stocktwits.com,stokesentinel.co.uk,stoppress.co.nz,streetinsider.com,stripes.com,stroudlife.co.uk,stv.tv,sub-titles.net,sunherald.com,surfline.com,surreymirror.co.uk,suttoncoldfieldobserver.co.uk,talkandroid.com,tampabay.com,tamworthherald.co.uk,tasteofawesome.com,teamcoco.com,techdirt.com,tgdaily.com,thanetgazette.co.uk,thatslife.com.au,thatssotrue.com,theage.com.au,theatlantic.com,theaustralian.com.au,theblaze.com,thedailybeast.com,thedp.com,theepochtimes.com,thefirearmblog.com,thefreedictionary.com,thegamechicago.com,thegossipblog.com,thegrio.com,thegrocer.co.uk,thehungermemes.net,thejournal.co.uk,thekit.ca,themercury.com.au,thenation.com,thenewstribune.com,theoaklandpress.com,theolympian.com,theonion.com,theprovince.com,therealdeal.com,theroot.com,thesaurus.com,thestack.com,thestarphoenix.com,thestate.com,thevine.com.au,thewalkingmemes.com,thewindowsclub.com,thewire.com,thisiswhyimbroke.com,time.com,timeshighereducation.co.uk,timesunion.com,tinypic.com,today.com,tokyohive.com,topsite.com,torontoist.com,torquayheraldexpress.co.uk,touringcartimes.com,townandcountrymag.com,townsvillebulletin.com.au,travelocity.com,travelweekly.com,tri-cityherald.com,tribecafilm.com,tripadvisor.ca,tripadvisor.co.uk,tripadvisor.co.za,tripadvisor.com,tripadvisor.ie,tripadvisor.in,triplem.com.au,trucktrend.com,truecar.com,tv3.ie,twcc.com,twcnews.com,ufc.com,uinterview.com,unfriendable.com,userstyles.org,usnews.com,vancouversun.com,veevr.com,vetfran.com,vg247.com,vid.gg,vidbux.com,videobash.com,videoweed.es,vidxden.com,vidxden.to,viralnova.com,vogue.com.au,vulture.com,walesonline.co.uk,walsalladvertiser.co.uk,washingtonpost.com,watchanimes.me,watoday.com.au,wattpad.com,watzatsong.com,way2sms.com,wbur.org,weathernationtv.com,webdesignerwall.com,webestools.com,weeklytimesnow.com.au,wegotthiscovered.com,wellcommons.com,wellsjournal.co.uk,westbriton.co.uk,westerndailypress.co.uk,westerngazette.co.uk,westernmorningnews.co.uk,wetpaint.com,wgno.com,wgnradio.com,wgnt.com,wgntv.com,whnt.com,whosay.com,whotv.com,wildcat.arizona.edu,windsorstar.com,winewizard.co.za,wnep.com,womansday.com,worldreview.info,worthplaying.com,wow247.co.uk,wqad.com,wral.com,wreg.com,wrestlezone.com,wsj.com,wtkr.com,wtvr.com,www.google.com,x17online.com,yahoo.com,yonhapnews.co.kr,yorkpress.co.uk,yourmiddleeast.com,zedge.net,zillow.com,zooweekly.com.au,zybez.net##.ad yahoo.com##.ad-active deviantart.com##.ad-blocking-makes-fella-confused -alarabiya.net,edmunds.com,flightaware.com,haaretz.com,journalism.co.uk,memecdn.com,memecenter.com,metrolyrics.com,pcworld.in,revision3.com,soapoperadigest.com,tasteofhome.com,twitpic.com,vinesbay.com,viralnova.com,where.ca##.ad-box -9news.com.au,beautifuldecay.com,boston.com,businessinsider.com.au,cpuboss.com,dnainfo.com,downforeveryoneorjustme.com,engineeringnews.co.za,firehouse.com,glamour.com,gpuboss.com,ign.com,isup.me,komando.com,moneysense.ca,nbcnews.com,refinery29.com,rollingstone.com,slate.com,sltrib.com,ssdboss.com,stockhouse.com,theaustralian.com.au,themercury.com.au,thrillist.com,youtube.com##.ad-container +alarabiya.net,edmunds.com,flightaware.com,haaretz.com,journalism.co.uk,memecdn.com,memecenter.com,metrolyrics.com,pcworld.in,reverso.net,revision3.com,soapoperadigest.com,tasteofhome.com,twitpic.com,vinesbay.com,viralnova.com,where.ca##.ad-box +9news.com.au,beautifuldecay.com,boston.com,businessinsider.com.au,cpuboss.com,dnainfo.com,downforeveryoneorjustme.com,engineeringnews.co.za,firehouse.com,glamour.com,gpuboss.com,ign.com,isup.me,komando.com,macstories.net,moneysense.ca,nbcnews.com,refinery29.com,rollingstone.com,slate.com,sltrib.com,ssdboss.com,stockhouse.com,theaustralian.com.au,themercury.com.au,thrillist.com,youtube.com##.ad-container wusa9.com##.ad-image hollywoodjournal.com##.ad-title vesselfinder.com##.ad0 bnqt.com##.ad05 -afreecodec.com,brothersoft.com,gamrreview.com,msn.com,rodalenews.com,sundaymail.co.zw,sundaynews.co.zw,webmaster-source.com##.ad1 +afreecodec.com,brothersoft.com,gamrreview.com,indiatimes.com,msn.com,rodalenews.com,sundaymail.co.zw,sundaynews.co.zw,webmaster-source.com##.ad1 brothersoft.com,livemint.com,nowvideo.co,nowvideo.eu,nowvideo.li,nowvideo.sx,roms4droid.com,sundaymail.co.zw,sundaynews.co.zw##.ad2 -afreecodec.com,harpersbazaar.com,livemint.com,mpog100.com,sundaymail.co.zw,sundaynews.co.zw##.ad3 +afreecodec.com,livemint.com,mpog100.com,sundaymail.co.zw,sundaynews.co.zw##.ad3 hitfreegames.com,sundaymail.co.zw,sundaynews.co.zw##.ad4 sundaymail.co.zw,sundaynews.co.zw,vesselfinder.com##.ad5 sundaymail.co.zw,sundaynews.co.zw##.ad6 sundaymail.co.zw,sundaynews.co.zw##.ad7 +ngrguardiannews.com##.ad9 buy.com##.adBG -abclocal.go.com,browardpalmbeach.com,cafemom.com,chacha.com,cio.co.uk,citypages.com,computerworlduk.com,cvs.com,dallasobserver.com,digitalartsonline.co.uk,flightradar24.com,geek.com,globaltv.com,houstonpress.com,laweekly.com,macworld.co.uk,miaminewtimes.com,newspakistan.pk,nytimes.com,ocweekly.com,pcadvisor.co.uk,petagadget.com,phoenixnewtimes.com,reuters.com,riverfronttimes.com,sfweekly.com,sky.com,t3.com,thehimalayantimes.com,villagevoice.com,westword.com,yakimaherald.com##.adContainer +browardpalmbeach.com,cafemom.com,chacha.com,cio.co.uk,citypages.com,computerworlduk.com,cvs.com,dallasobserver.com,digitalartsonline.co.uk,flightradar24.com,geek.com,globaltv.com,houstonpress.com,laweekly.com,macworld.co.uk,miaminewtimes.com,newspakistan.pk,nytimes.com,ocweekly.com,pcadvisor.co.uk,petagadget.com,phoenixnewtimes.com,reuters.com,riverfronttimes.com,sfweekly.com,sky.com,t3.com,thehimalayantimes.com,villagevoice.com,westword.com,yakimaherald.com##.adContainer webfail.com##.adMR ifaonline.co.uk,relink.us##.ad_right telegraph.co.uk##.adarea + .summaryMedium englishrussia.com,keepvid.com,metrowestdailynews.com##.adb +pencurimovie.cc##.adb_overlay aol.com,beautysouthafrica.com,blurtit.com,breakingnews.com,digitalhome.ca,eurowerks.org,heyuguys.co.uk,longislandpress.com,opensourcecms.com,opposingviews.com,readersdigest.co.uk,songlyrics.com,sugarrae.com,techeblog.com,thebizzare.com##.adblock orbitztv.co.uk##.adblockcreatorssuckmydick -affiliatefix.com,capitalfm.com.my,cargoinfo.co.za,lockerz.com,macdailynews.com,mensjournal.com,mvnrepository.com,ow.ly,podfeed.net,pricespy.co.nz,sfbayview.com,viralnova.com,whatsmyip.org,willyweather.com.au##.adbox +affiliatefix.com,blogto.com,capitalfm.com.my,cargoinfo.co.za,lockerz.com,macdailynews.com,mensjournal.com,midnightpoutine.ca,mvnrepository.com,ow.ly,podfeed.net,pricespy.co.nz,sfbayview.com,viralnova.com,whatsmyip.org,willyweather.com.au##.adbox webtoolhub.com##.adbx search.ch##.adcell msn.com##.adcicon fanatix.com,nfl.com,theconstructionindex.co.uk##.adcontainer runnerspace.com##.adcontent allrovi.com,bdnews24.com,hotnewhiphop.com,itproportal.com,nciku.com,newvision.co.ug,yourepeat.com##.add +africareview.com##.add-banner 1049.fm,drgnews.com##.add-box addictivetips.com##.add-under-post time4tv.com##.add1 @@ -36483,7 +37787,7 @@ naldzgraphics.net##.adis thedailystar.net##.adivvert usabit.com##.adk2_slider_baner pbs.org##.adl -ask.com,bigislandnow.com,dnainfo.com,globalpost.com,portlandmonthlymag.com##.adlabel +animalfactguide.com,ask.com,bigislandnow.com,dnainfo.com,globalpost.com,portlandmonthlymag.com##.adlabel ebookbrowse.com##.adleft vietnamnet.vn##.adm_c1 ncaa.com##.adman-label @@ -36492,11 +37796,13 @@ experienceproject.com##.adn flightglobal.com##.adp bodyboardingmovies.com##.adpopup bodyboardingmovies.com##.adpopup-overlay +iamwire.com##.adr iskullgames.com##.adr300 zercustoms.com##.adrh -1sale.com,7billionworld.com,abajournal.com,aljazeerasport.asia,altavista.com,androidfilehost.com,arcadeprehacks.com,birdforum.net,coinad.com,cuzoogle.com,cyclingweekly.co.uk,cyprus-mail.com,disconnect.me,domainnamenews.com,eco-business.com,energylivenews.com,facemoods.com,fcall.in,flashx.tv,foxbusiness.com,foxnews.com,freetvall.com,friendster.com,fstoppers.com,ftadviser.com,furaffinity.net,gentoo.org,gmanetwork.com,govtrack.us,gramfeed.com,gyazo.com,hispanicbusiness.com,html5test.com,hurricanevanessa.com,iheart.com,ilovetypography.com,isearch.whitesmoke.com,itar-tass.com,itproportal.com,kingdomrush.net,laptopmag.com,lfpress.com,livetvcafe.net,lovemyanime.net,malaysiakini.com,manga-download.org,maps.google.com,mb.com.ph,meaningtattos.tk,mmajunkie.com,movies-online-free.net,mugshots.com,myfitnesspal.com,mypaper.sg,nbcnews.com,news.nom.co,nsfwyoutube.com,nugget.ca,panorama.am,pastie.org,phpbb.com,playboy.com,pocket-lint.com,pokernews.com,previously.tv,radiobroadcaster.org,reason.com,ryanseacrest.com,savevideo.me,sddt.com,searchfunmoods.com,sgcarmart.com,shopbot.ca,sourceforge.net,tcm.com,tech2.com,thecambodiaherald.com,thedailyobserver.ca,thejakartapost.com,thelakewoodscoop.com,themalaysianinsider.com,theobserver.ca,thepeterboroughexaminer.com,theyeshivaworld.com,tiberium-alliances.com,tjpnews.com,today.com,tubeserv.com,turner.com,twogag.com,ultimate-guitar.com,wallpaper.com,washingtonpost.com,wdet.org,wftlsports.com,womanandhome.com,wtvz.net,yahoo.com,youthedesigner.com,yuku.com##.ads +1sale.com,7billionworld.com,abajournal.com,altavista.com,androidfilehost.com,arcadeprehacks.com,asbarez.com,birdforum.net,coinad.com,cuzoogle.com,cyclingweekly.co.uk,disconnect.me,domainnamenews.com,eco-business.com,energylivenews.com,facemoods.com,fcall.in,flashx.tv,foxbusiness.com,foxnews.com,freetvall.com,friendster.com,fstoppers.com,ftadviser.com,furaffinity.net,gentoo.org,gmanetwork.com,govtrack.us,gramfeed.com,gyazo.com,hispanicbusiness.com,html5test.com,hurricanevanessa.com,i-dressup.com,iheart.com,ilovetypography.com,irennews.org,isearch.whitesmoke.com,itar-tass.com,itproportal.com,kingdomrush.net,laptopmag.com,laweekly.com,lfpress.com,livetvcafe.net,lovemyanime.net,malaysiakini.com,manga-download.org,maps.google.com,marinetraffic.com,mb.com.ph,meaningtattos.tk,mmajunkie.com,movies-online-free.net,mugshots.com,myfitnesspal.com,mypaper.sg,nbcnews.com,news.nom.co,nsfwyoutube.com,nugget.ca,osn.com,panorama.am,pastie.org,phpbb.com,playboy.com,pocket-lint.com,pokernews.com,previously.tv,radiobroadcaster.org,reason.com,ryanseacrest.com,savevideo.me,sddt.com,searchfunmoods.com,sgcarmart.com,shopbot.ca,sourceforge.net,tcm.com,tech2.com,thecambodiaherald.com,thedailyobserver.ca,thejakartapost.com,thelakewoodscoop.com,themalaysianinsider.com,theobserver.ca,thepeterboroughexaminer.com,theyeshivaworld.com,tiberium-alliances.com,tjpnews.com,today.com,tubeserv.com,turner.com,twogag.com,ultimate-guitar.com,wallpaper.com,washingtonpost.com,wdet.org,wftlsports.com,womanandhome.com,wtvz.net,yahoo.com,youthedesigner.com,yuku.com##.ads glarysoft.com##.ads + .search-list searchfunmoods.com##.ads + ul > li +y8.com##.ads-bottom-table .grey-box-bg playboy.com##.ads-column > h2 girlgames4u.com,xing.com##.ads-container extratorrent.cc,hitfreegames.com,movies-online-free.net,twogag.com##.ads2 @@ -36506,15 +37812,13 @@ twogag.com##.adsPW2 localmoxie.com##.ads_tilte localmoxie.com##.ads_tilte + .main_mid_ads entrepreneur.com##.adsby -bloomberg.com,borfast.com,howmanyleft.co.uk,instantpulp.com,mysmartprice.com,nintandbox.net,over-blog.com,plurk.com,scitechdaily.com,sgentrepreneurs.com,techsupportalert.com,wikihoops.com##.adsense +bloomberg.com,borfast.com,howmanyleft.co.uk,instantpulp.com,mysmartprice.com,nintandbox.net,nycity.today,over-blog.com,plurk.com,scitechdaily.com,sgentrepreneurs.com,techsupportalert.com,wikihoops.com,wlds.com##.adsense ravchat.com##.adsh search.b1.org##.adslabel animeid.com##.adspl desertdispatch.com,geeky-gadgets.com,highdesert.com,journalgazette.net,lgbtqnation.com,miamitodaynews.com,myrecipes.com,search.certified-toolbar.com,thevoicebw.com,vvdailypress.com,wsj.com##.adtext reason.com,rushlimbaugh.com##.adtitle -ndtv.com##.adtv_300_250 -ansamed.info,baltic-course.com,carsdirect.com,cbc.ca,cineuropa.org,cpuid.com,facebook.com,flicks.co.nz,futbol24.com,gametrailers.com,getwapi.com,howstuffworks.com,intoday.in,isearch.omiga-plus.com,massappeal.com,mnn.com,mtv.com,mysuncoast.com,ok.co.uk,ponged.com,prohaircut.com,qone8.com,roadfly.com,rockol.com,rumorcontrol.info,runamux.net,search.v9.com,ultimate-guitar.com,vh1.com,webssearches.com,zbani.com##.adv -snakkle.com##.adv-box +ansamed.info,baltic-course.com,carsdirect.com,cbc.ca,cineuropa.org,cpuid.com,facebook.com,flicks.co.nz,futbol24.com,gametrailers.com,getwapi.com,howstuffworks.com,intoday.in,isearch.omiga-plus.com,massappeal.com,mnn.com,mtv.com,mysuncoast.com,ok.co.uk,ponged.com,prohaircut.com,qone8.com,roadfly.com,rockol.com,rumorcontrol.info,runamux.net,search.v9.com,ultimate-guitar.com,vh1.com,webssearches.com,xda-developers.com,zbani.com##.adv luxury-insider.com##.adv-info veoh.com##.adv-title btn.com##.adv-widget @@ -36522,23 +37826,22 @@ animefushigi.com##.adv1 futbol24.com##.adv2 prohaircut.com##.adv3 yesasia.com##.advHr -ndtv.com##.adv_bg gametrailers.com,themoscowtimes.com##.adv_block vietnamnet.vn##.adv_info dt-updates.com##.adv_items faceyourmanga.com##.adv_special infoplease.com##.advb -adballa.com,allghananews.com,arabianindustry.com,bitcoinzebra.com,cbc.ca,chemicalwatch.com,craveonline.com,dawn.com,designmena.com,express.co.uk,expressandstar.com,farmprogress.com,foxbusiness.com,foxnews.com,guernseypress.com,gulfnews.com,healthcanal.com,healthguru.com,healthinsurancedaily.com,hollywoodreporter.com,hoteliermiddleeast.com,humanipo.com,huntspost.co.uk,jerseyeveningpost.com,legendarypokemon.net,mmegi.bw,morningstar.co.uk,msnbc.com,myfinances.co.uk,ninemsn.com.au,piccsy.com,shropshirestar.com,skysports.com,sowetanlive.co.za,sundayworld.co.za,tenplay.com.au,thecomet.net,thegayuk.com,thejournal.ie,thetribunepapers.com,totalscifionline.com,travelchannel.com,trucksplanet.com,tvweek.com,vg247.com,winewizard.co.za,wow247.co.uk,xfire.com##.advert +98online.com,adballa.com,allghananews.com,arabianindustry.com,bitcoinzebra.com,bloomberg.com,cbc.ca,chemicalwatch.com,craveonline.com,dawn.com,designmena.com,express.co.uk,expressandstar.com,farmprogress.com,foxbusiness.com,foxnews.com,gfi.com,guernseypress.com,gulfnews.com,healthcanal.com,healthguru.com,healthinsurancedaily.com,hollywoodreporter.com,hoteliermiddleeast.com,humanipo.com,huntspost.co.uk,jerseyeveningpost.com,journeychristiannews.com,kumusika.co.zw,legendarypokemon.net,mmegi.bw,morningstar.co.uk,msnbc.com,myfinances.co.uk,ninemsn.com.au,outdoorchannel.com,phnompenhpost.com,piccsy.com,shropshirestar.com,skysports.com,sowetanlive.co.za,sundayworld.co.za,technewstoday.com,tenplay.com.au,thecomet.net,thegayuk.com,thejournal.ie,thetribunepapers.com,totalscifionline.com,travelchannel.com,trucksplanet.com,tvweek.com,vg247.com,winewizard.co.za,wow247.co.uk,xfire.com##.advert naldzgraphics.net##.advertBSA bandwidthblog.com,demerarawaves.com,eaglecars.com,earth911.com,pcmag.com,proporn.com,slodive.com,smartearningsecrets.com,smashingapps.com,theawesomer.com,thepeninsulaqatar.com##.advertise thepeninsulaqatar.com##.advertise-09 dailyvoice.com##.advertise-with-us citysearch.com##.advertiseLink insiderpages.com##.advertise_with_us -1520wbzw.com,760kgu.biz,880thebiz.com,afro.com,allmusic.com,amctv.com,ap.org,araratadvertiser.com.au,areanews.com.au,armidaleexpress.com.au,avclub.com,avonadvocate.com.au,barossaherald.com.au,batemansbaypost.com.au,baysidebulletin.com.au,begadistrictnews.com.au,bellingencourier.com.au,bendigoadvertiser.com.au,bigthink.com,biz1190.com,bizarremag.com,blacktownsun.com.au,blayneychronicle.com.au,bluemountainsgazette.com.au,boingboing.net,bombalatimes.com.au,boorowanewsonline.com.au,bordermail.com.au,braidwoodtimes.com.au,bravotv.com,brimbankweekly.com.au,bunburymail.com.au,business1110ktek.com,business1570.com,businessinsurance.com,busseltonmail.com.au,camdenadvertiser.com.au,camdencourier.com.au,canowindranews.com.au,caranddriver.com,carrierethernetnews.com,caseyweekly.com.au,caseyweeklycranbourne.com.au,centraladvocate.com.au,centralwesterndaily.com.au,cessnockadvertiser.com.au,cinemablend.com,classicandperformancecar.com,clickhole.com,colliemail.com.au,colypointobserver.com.au,competitor.com,coomaexpress.com.au,cootamundraherald.com.au,cowraguardian.com.au,crainsnewyork.com,crookwellgazette.com.au,crosswalk.com,dailyadvertiser.com.au,dailygazette.com,dailyliberal.com.au,dailyrecord.com,dandenongjournal.com.au,defenceweb.co.za,di.fm,donnybrookmail.com.au,downloadcrew.com,dunedintv.co.nz,dungogchronicle.com.au,easternriverinachronicle.com.au,edenmagnet.com.au,elliottmidnews.com.au,esperanceexpress.com.au,essentialmums.co.nz,examiner.com.au,eyretribune.com.au,fairfieldchampion.com.au,fastcocreate.com,fastcodesign.com,financialcontent.com,finnbay.com,forbesadvocate.com.au,frankstonweekly.com.au,gazettextra.com,gematsu.com,gippslandtimes.com.au,gleninnesexaminer.com.au,globest.com,gloucesteradvocate.com.au,goodcast.org,goondiwindiargus.com.au,goulburnpost.com.au,greatlakesadvocate.com.au,grenfellrecord.com.au,guyraargus.com.au,hardenexpress.com.au,hawkesburygazette.com.au,hepburnadvocate.com.au,hillsnews.com.au,hispanicbusiness.com,humeweekly.com.au,huntervalleynews.net.au,imgur.com,inverelltimes.com.au,irishtimes.com,juneesoutherncross.com.au,kansas.com,katherinetimes.com.au,kdow.biz,kkol.com,knoxweekly.com.au,lakesmail.com.au,lamag.com,latrobevalleyexpress.com.au,legion.org,lithgowmercury.com.au,liverpoolchampion.com.au,livestrong.com,livetennis.com,macarthuradvertiser.com.au,macedonrangesweekly.com.au,macleayargus.com.au,mailtimes.com.au,maitlandmercury.com.au,mandurahmail.com.au,manningrivertimes.com.au,margaretrivermail.com.au,maribyrnongweekly.com.au,marinmagazine.com,marketwatch.com,maroondahweekly.com.au,meltonweekly.com.au,merimbulanewsonline.com.au,merredinmercury.com.au,metservice.com,monashweekly.com.au,money1055.com,mooneevalleyweekly.com.au,moreechampion.com.au,msn.com,mudgeeguardian.com.au,murrayvalleystandard.com.au,muswellbrookchronicle.com.au,myallcoastnota.com.au,nambuccaguardian.com.au,naroomanewsonline.com.au,narrominenewsonline.com.au,nationalgeographic.com,newcastlestar.com.au,northernargus.com.au,northerndailyleader.com.au,northweststar.com.au,nvi.com.au,nynganobserver.com.au,nytimes.com,oann.com,oberonreview.com.au,onlinegardenroute.co.za,orange.co.uk,parenthood.com,parkeschampionpost.com.au,parramattasun.com.au,pch.com,peninsulaweekly.com.au,penrithstar.com.au,plasticsnews.com,portlincolntimes.com.au,portnews.com.au,portpirierecorder.com.au,portstephensexaminer.com.au,praguepost.com,psychologytoday.com,queanbeyanage.com.au,racingbase.com,radioguide.fm,redsharknews.com,rhsgnews.com.au,riverinaleader.com.au,roxbydownssun.com.au,rubbernews.com,saitnews.co.za,sconeadvocate.com.au,singletonargus.com.au,smallbusiness.co.uk,southcoastregister.com.au,southernhighlandnews.com.au,southernweekly.com.au,southwestadvertiser.com.au,standard.net.au,star-telegram.com,stawelltimes.com.au,stmarysstar.com.au,stonningtonreviewlocal.com.au,summitsun.com.au,suncitynews.com.au,sunjournal.com,sunraysiadaily.com.au,tennantcreektimes.com.au,tenterfieldstar.com.au,theadvocate.com,theadvocate.com.au,thebeachchannel.tv,thecourier.com.au,thecurrent.org,theflindersnews.com.au,theforecaster.net,theguardian.com.au,theherald.com.au,theislanderonline.com.au,theleader.com.au,thenortherntimes.com.au,theridgenews.com.au,therural.com.au,tirebusiness.com,townandcountrymagazine.com.au,transcontinental.com.au,travelpulse.com,twitch.tv,ulladullatimes.com.au,victorharbortimes.com.au,waginargus.com.au,walchanewsonline.com.au,walworthcountytoday.com,washingtonexaminer.com,wauchopegazette.com.au,wellingtontimes.com.au,westcoastsentinel.com.au,westernadvocate.com.au,westernmagazine.com.au,whyallanewsonline.com.au,winghamchronicle.com.au,wollondillyadvertiser.com.au,woot.com,wsj.com,wyndhamweekly.com.au,yasstribune.com.au,yellowpages.ca,youngwitness.com.au##.advertisement +1520wbzw.com,760kgu.biz,880thebiz.com,about.com,afro.com,allmusic.com,amctv.com,animax-asia.com,ap.org,araratadvertiser.com.au,areanews.com.au,armidaleexpress.com.au,avclub.com,avonadvocate.com.au,axn-asia.com,barossaherald.com.au,batemansbaypost.com.au,baysidebulletin.com.au,begadistrictnews.com.au,bellingencourier.com.au,bendigoadvertiser.com.au,betvasia.com,bigthink.com,biz1190.com,bizarremag.com,blacktownsun.com.au,blayneychronicle.com.au,bluemountainsgazette.com.au,boingboing.net,bombalatimes.com.au,boorowanewsonline.com.au,bordermail.com.au,braidwoodtimes.com.au,bravotv.com,brimbankweekly.com.au,bunburymail.com.au,business1110ktek.com,business1570.com,businessinsurance.com,busseltonmail.com.au,camdenadvertiser.com.au,camdencourier.com.au,canowindranews.com.au,caranddriver.com,carrierethernetnews.com,caseyweekly.com.au,caseyweeklycranbourne.com.au,centraladvocate.com.au,centralwesterndaily.com.au,cessnockadvertiser.com.au,cinemablend.com,classicandperformancecar.com,clickhole.com,colliemail.com.au,colypointobserver.com.au,competitor.com,coomaexpress.com.au,cootamundraherald.com.au,cowraguardian.com.au,crainsnewyork.com,crookwellgazette.com.au,crosswalk.com,dailyadvertiser.com.au,dailygazette.com,dailyliberal.com.au,dailyrecord.com,dandenongjournal.com.au,defenceweb.co.za,di.fm,donnybrookmail.com.au,downloadcrew.com,dunedintv.co.nz,dungogchronicle.com.au,easternriverinachronicle.com.au,edenmagnet.com.au,elliottmidnews.com.au,esperanceexpress.com.au,essentialmums.co.nz,examiner.com.au,eyretribune.com.au,fairfieldchampion.com.au,fastcocreate.com,fastcodesign.com,financialcontent.com,finnbay.com,forbesadvocate.com.au,frankstonweekly.com.au,gazettextra.com,gematsu.com,gemtvasia.com,gippslandtimes.com.au,gleninnesexaminer.com.au,globest.com,gloucesteradvocate.com.au,goodcast.org,goondiwindiargus.com.au,goulburnpost.com.au,greatlakesadvocate.com.au,grenfellrecord.com.au,guyraargus.com.au,hardenexpress.com.au,hawkesburygazette.com.au,hepburnadvocate.com.au,hillsnews.com.au,hispanicbusiness.com,humeweekly.com.au,huntervalleynews.net.au,i-dressup.com,imgur.com,inverelltimes.com.au,irishtimes.com,juneesoutherncross.com.au,kansas.com,katherinetimes.com.au,kdow.biz,kkol.com,knoxweekly.com.au,lakesmail.com.au,lamag.com,latrobevalleyexpress.com.au,legion.org,lithgowmercury.com.au,liverpoolchampion.com.au,livestrong.com,livetennis.com,macarthuradvertiser.com.au,macedonrangesweekly.com.au,macleayargus.com.au,magtheweekly.com,mailtimes.com.au,maitlandmercury.com.au,mandurahmail.com.au,manningrivertimes.com.au,margaretrivermail.com.au,maribyrnongweekly.com.au,marinmagazine.com,marketwatch.com,maroondahweekly.com.au,meltonweekly.com.au,merimbulanewsonline.com.au,merredinmercury.com.au,metservice.com,monashweekly.com.au,money1055.com,mooneevalleyweekly.com.au,moreechampion.com.au,movies4men.co.uk,mprnews.org,msn.com,mudgeeguardian.com.au,murrayvalleystandard.com.au,muswellbrookchronicle.com.au,myallcoastnota.com.au,nambuccaguardian.com.au,naroomanewsonline.com.au,narrominenewsonline.com.au,nationalgeographic.com,newcastlestar.com.au,northernargus.com.au,northerndailyleader.com.au,northweststar.com.au,nvi.com.au,nynganobserver.com.au,nytimes.com,oann.com,oberonreview.com.au,onetvasia.com,onlinegardenroute.co.za,orange.co.uk,parenthood.com,parkeschampionpost.com.au,parramattasun.com.au,pch.com,peninsulaweekly.com.au,penrithstar.com.au,plasticsnews.com,portlincolntimes.com.au,portnews.com.au,portpirierecorder.com.au,portstephensexaminer.com.au,praguepost.com,psychologytoday.com,queanbeyanage.com.au,racingbase.com,radioguide.fm,redsharknews.com,rhsgnews.com.au,riverinaleader.com.au,roxbydownssun.com.au,rubbernews.com,saitnews.co.za,sconeadvocate.com.au,silverdoctors.com,singletonargus.com.au,smallbusiness.co.uk,sonychannel.co.za,sonychannelasia.com,sonymax.co.za,sonymoviechannel.co.uk,sonytv.com,southcoastregister.com.au,southernhighlandnews.com.au,southernweekly.com.au,southwestadvertiser.com.au,standard.net.au,star-telegram.com,stawelltimes.com.au,stmarysstar.com.au,stonningtonreviewlocal.com.au,summitsun.com.au,suncitynews.com.au,sunjournal.com,sunraysiadaily.com.au,tennantcreektimes.com.au,tenterfieldstar.com.au,theadvocate.com,theadvocate.com.au,thebeachchannel.tv,thecourier.com.au,thecurrent.org,theflindersnews.com.au,theforecaster.net,theguardian.com.au,theherald.com.au,theislanderonline.com.au,theleader.com.au,thenortherntimes.com.au,theridgenews.com.au,therural.com.au,tirebusiness.com,townandcountrymagazine.com.au,transcontinental.com.au,travelpulse.com,twitch.tv,ulladullatimes.com.au,victorharbortimes.com.au,waginargus.com.au,walchanewsonline.com.au,walworthcountytoday.com,washingtonexaminer.com,wauchopegazette.com.au,wellingtontimes.com.au,westcoastsentinel.com.au,westernadvocate.com.au,westernmagazine.com.au,whyallanewsonline.com.au,winghamchronicle.com.au,wollondillyadvertiser.com.au,woot.com,wsj.com,wyndhamweekly.com.au,yasstribune.com.au,yellowpages.ca,youngwitness.com.au##.advertisement fieldandstream.com##.advertisement-fishing-contest 4v4.com,bn0.com,culttt.com,flicks.co.nz,shieldarcade.com,thethingswesay.com,who.is##.advertisements -afr.com,afrsmartinvestor.com.au,afternoondc.in,allmusic.com,brw.com.au,chicagobusiness.com,cio.co.ke,filesoup.com,ft.com,glamour.co.za,gq.co.za,hellomagazine.com,kat.ph,kickass.so,kickassunblock.info,newsweek.com,ocregister.com,orangecounty.com,radio.com,softarchive.net,theadvocate.com,tvnz.co.nz##.advertising +afr.com,afrsmartinvestor.com.au,afternoondc.in,allmusic.com,brw.com.au,chicagobusiness.com,cio.co.ke,filesoup.com,ft.com,glamour.co.za,gq.co.za,hellomagazine.com,kat.ph,kickass.so,kickass.to,kickassunblock.info,newsweek.com,ocregister.com,orangecounty.com,radio.com,softarchive.net,theadvocate.com,tvnz.co.nz##.advertising katproxy.com,kickass.so,kickasstor.net,kickassunblock.info,kickassunblock.net##.advertising + .tabs mediatel.co.uk##.advertising_label ketknbc.com,ktsm.com##.advertisments @@ -36566,7 +37869,7 @@ toptut.com##.af-form adventuregamers.com##.af_disclaimer eurogamer.net##.affiliate deborah-bickel.de##.affiliate-werbe125 -coolest-gadgets.com,cutezee.com##.affiliates +coolest-gadgets.com,cutezee.com,sen.com.au##.affiliates americasautosite.com##.affiliatesDiv cutezee.com##.affiliates_fp dailymotion.com##.affiliation_cont @@ -36585,11 +37888,12 @@ kcsoftwares.com##.alert-success hbwm.com##.alignRight\[style="margin-right:30px;color:#858585;"] empowernetwork.com##.align\[bgcolor="#FCFA85"] searchizz.com##.also_block +speedtest.net##.alt-promo-container > ul > .alt-promo:first-child + .alt-promo digitalhome.ca##.alt1\[colspan="5"]\[style="border: 1px solid #ADADAD; background-image: none"] > div\[align="center"] > .vdb_player techsupportforum.com##.alt1\[style="border: 1px solid #ADADAD; background-image: none"] styleite.com##.am-ngg-right-ad colorhexa.com##.amain -air1.com,imdb.com,reviewed.com,squidoo.com,three.fm##.amazon +air1.com,imdb.com,nprstations.org,reviewed.com,squidoo.com,three.fm##.amazon imdb.com##.amazon-instant-video blogcritics.org##.amazon-item brickset.com##.amazonAd @@ -36599,6 +37903,7 @@ herplaces.com##.amazonlink four11.com##.amed seventeen.com##.ams_bottom kingdomrush.net##.angry +folowpeople.info##.anivia_add_space 4shared.com##.antivirusBanner 1337x.org##.anynomousDw directupload.net,pv-magazine.com##.anzeige @@ -36634,6 +37939,7 @@ audiko.net##.artist-banner-right-cap eastrolog.com##.as300x250 moneycontrol.com##.asSponser memepix.com##.asblock +xmodulo.com##.asdf-banner-zone four11.com##.asmall_l four11.com##.asmall_r instructables.com##.aspace @@ -36644,6 +37950,7 @@ ohioautofinder.com##.atLeaderboard ohioautofinder.com##.atMiniBanner herald.co.zw##.atbanners milesplit.com##.atf +tvtropes.org##.atf_banner gamepedia.com,minecraftwiki.net##.atflb myshopping.com.au##.atip filedir.com##.atit @@ -36653,6 +37960,7 @@ webmd.com##.attribution majorgeeks.com##.author:first-child mail.yahoo.com##.avLogo ngrguardiannews.com##.avd_display_block +receivesmsonline.net##.aviso gameplanet.co.nz##.avt-mr gameplanet.co.nz##.avt-placement m.facebook.com,touch.facebook.com##.aymlCoverFlow @@ -36663,9 +37971,11 @@ livejournal.com##.b-adv silvertorrent.org##.b-content\[align="center"] > table\[width="99%"] easyvectors.com##.b-footer alawar.com##.b-game-play__bnnr +theartnewspaper.com##.b-header-banners sammobile.com##.b-placeholder bizcommunity.com##.b-topbanner flvto.com##.b1 +scorespro.com##.b160_600 flv2mp3.com,flvto.com##.b2 flv2mp3.com##.b3 scorespro.com##.b300 @@ -36691,12 +38001,14 @@ evilmilk.com,xbox360cheats.com##.ban300 worldstarhiphop.com##.banBG worldstarhiphop.com##.banOneCon kiz10.com##.ban_300_250 +stream2watch.com##.ban_b izismile.com##.ban_top america.fm##.banbo webscribble.com##.baner hypemixtapes.com##.baner600 +f-picture.net##.banerBottom sxc.hu##.bann -4music.com,964eagle.co.uk,adage.com,ameinfo.com,angryduck.com,anyclip.com,aol.com,arcadebomb.com,b-metro.co.zw,bayt.com,betterrecipes.com,bikechatforums.com,billboard.com,blackamericaweb.com,bored-bored.com,boxoffice.com,bukisa.com,cadplace.co.uk,cineuropa.org,cmo.com.au,cnn.com,cnnmobile.com,coryarcangel.com,dreamteamfc.com,echoroukonline.com,ecorporateoffices.com,elyricsworld.com,entrepreneur.com,euobserver.com,everyday.com.kh,evilmilk.com,fantasyleague.com,fieldandstream.com,filenewz.com,footballtradedirectory.com,forexpeacearmy.com,forum.dstv.com,freshbusinessthinking.com,freshtechweb.com,funpic.hu,gamebanshee.com,gamehouse.com,gamersbook.com,garfield.com,gatewaynews.co.za,gd.tuwien.ac.at,general-catalog.com,general-files.com,general-video.net,generalfil.es,ghananation.com,girlsocool.com,globaltimes.cn,gsprating.com,healthsquare.com,hitfreegames.com,hotfrog.ca,hotfrog.co.nz,hotfrog.co.uk,hotfrog.co.za,hotfrog.com,hotfrog.com.au,hotfrog.com.my,hotfrog.ie,hotfrog.in,hotfrog.ph,hotfrog.sg,hotnewhiphop.com,howard.tv,humanipo.com,hyipexplorer.com,ibtimes.co.in,ibtimes.co.uk,iconfinder.com,iguide.to,imnotobsessed.com,insidefutbol.com,internationalmeetingsreview.com,internetnews.com,irishtimes.com,isohunt.to,isource.com,itreviews.com,japantimes.co.jp,jewishtimes.com,keepcalm-o-matic.co.uk,ketknbc.com,kicknews.com,kijiji.ca,ktsm.com,leo.org,livescore.in,lmgtfy.com,londonstockexchange.com,looklocal.co.za,manolith.com,mariopiperni.com,mmosite.com,motherboard.tv,motortrend.com,moviezadda.com,mzhiphop.com,nehandaradio.com,netmums.com,networkworld.com,nuttymp3.com,oceanup.com,pdfmyurl.com,postzambia.com,premierleague.com,priceviewer.com,proxyhttp.net,ptotoday.com,rapidlibrary.com,reference.com,reversephonesearch.com.au,semiaccurate.com,smartcarfinder.com,snakkle.com,sportsvibe.co.uk,sumodb.com,sweeting.org,tennis.com,thebull.com.au,thefanhub.com,thefringepodcast.com,thehill.com,thehun.com,thesaurus.com,theskinnywebsite.com,timeslive.co.za,tmi.me,torrent.cd,travelpulse.com,trutv.com,tvsquad.com,twirlit.com,umbrelladetective.com,universalmusic.com,ustream.tv,vice.com,viralnova.com,weather.gc.ca,weatheronline.co.uk,wego.com,whatsock.com,yellowbook.com,yellowpages.com.jo,zbigz.com##.banner +4music.com,90min.com,964eagle.co.uk,adage.com,ameinfo.com,angryduck.com,anyclip.com,aol.com,arcadebomb.com,b-metro.co.zw,bayt.com,betterrecipes.com,bikechatforums.com,billboard.com,blackamericaweb.com,bored-bored.com,boxoffice.com,bukisa.com,cadplace.co.uk,cineuropa.org,cmo.com.au,cnn.com,cnnmobile.com,coryarcangel.com,dreamteamfc.com,echoroukonline.com,ecorporateoffices.com,elyricsworld.com,entrepreneur.com,euobserver.com,eurochannel.com,everyday.com.kh,evilmilk.com,fantasyleague.com,fieldandstream.com,filenewz.com,footballtradedirectory.com,forexpeacearmy.com,forum.dstv.com,freshbusinessthinking.com,freshtechweb.com,funpic.hu,gamebanshee.com,gamehouse.com,gamersbook.com,garfield.com,gatewaynews.co.za,gd.tuwien.ac.at,general-catalog.com,general-files.com,general-video.net,generalfil.es,ghananation.com,girlsocool.com,globaltimes.cn,gsprating.com,healthsquare.com,hitfreegames.com,hotfrog.ca,hotfrog.co.nz,hotfrog.co.uk,hotfrog.co.za,hotfrog.com,hotfrog.com.au,hotfrog.com.my,hotfrog.ie,hotfrog.in,hotfrog.ph,hotfrog.sg,hotnewhiphop.com,howard.tv,htxt.co.za,humanipo.com,hyipexplorer.com,ibtimes.co.in,ibtimes.co.uk,iconfinder.com,iguide.to,imedicalapps.com,imnotobsessed.com,insidefutbol.com,internationalmeetingsreview.com,internetnews.com,irishtimes.com,isohunt.to,isource.com,itreviews.com,japantimes.co.jp,jewishtimes.com,keepcalm-o-matic.co.uk,ketknbc.com,kicknews.com,kijiji.ca,ktsm.com,leo.org,livescore.in,lmgtfy.com,locatetv.com,londonstockexchange.com,looklocal.co.za,manolith.com,mariopiperni.com,mmosite.com,motherboard.tv,motortrend.com,moviezadda.com,mzhiphop.com,naij.com,nehandaradio.com,netmums.com,networkworld.com,nuttymp3.com,oceanup.com,pdfmyurl.com,postzambia.com,premierleague.com,priceviewer.com,proxyhttp.net,ptotoday.com,rapidlibrary.com,reference.com,reversephonesearch.com.au,semiaccurate.com,smartcarfinder.com,snakkle.com,soccer24.co.zw,sportsvibe.co.uk,sumodb.com,sweeting.org,tennis.com,thebull.com.au,thefanhub.com,thefringepodcast.com,thehill.com,thehun.com,thesaurus.com,theskinnywebsite.com,time4tv.com,timeslive.co.za,tmi.me,torrent.cd,travelpulse.com,trutv.com,tvsquad.com,twirlit.com,umbrelladetective.com,universalmusic.com,ustream.tv,vice.com,viralnova.com,weather.gc.ca,weatheronline.co.uk,wego.com,whatsock.com,worldcrunch.com,xda-developers.com,yellowbook.com,yellowpages.com.jo,zbigz.com##.banner autotrader.co.uk##.banner--7th-position autotrader.co.uk##.banner--leaderboard autotrader.co.uk##.banner--skyscraper @@ -36710,8 +38022,9 @@ luxgallery.com##.banner-big-cotent yellowpages.com.lb##.banner-box 1027dabomb.net##.banner-btf softonic.com##.banner-caption -farmonline.com.au,farmweekly.com.au,goodfruitandvegetables.com.au,knowledgerush.com,narutoforums.com,northqueenslandregister.com.au,privatehealth.co.uk,queenslandcountrylife.com.au,stockandland.com.au,stockjournal.com.au,student-jobs.co.uk,teenspot.com,theland.com.au,turfcraft.com.au,vh1.com##.banner-container +farmonline.com.au,farmweekly.com.au,goodfruitandvegetables.com.au,jewsnews.co.il,knowledgerush.com,narutoforums.com,northqueenslandregister.com.au,privatehealth.co.uk,queenslandcountrylife.com.au,stockandland.com.au,stockjournal.com.au,student-jobs.co.uk,teenspot.com,theland.com.au,turfcraft.com.au,vh1.com##.banner-container privatehealth.co.uk##.banner-container-center +soccerway.com##.banner-content moviesplanet.com##.banner-des dealchecker.co.uk##.banner-header medicalxpress.com,phys.org,pixdaus.com,reference.com,tennis.com,thesaurus.com##.banner-holder @@ -36726,7 +38039,6 @@ spin.com##.banner-slot neogamr.net,neowin.net##.banner-square intomobile.com##.banner-tbd audiko.net,carpartswholesale.com,greatbritishlife.co.uk,nationmultimedia.com,pwinsider.com,rapdose.com,usahealthcareguide.com,wired.co.uk,xda-developers.com##.banner-top -discovery.com##.banner-video feedmyapp.com##.banner-wrap general-catalog.com##.banner-wrap-hor manualslib.com,thenextweb.com,ustream.tv##.banner-wrapper @@ -36737,7 +38049,7 @@ thinkdigit.com##.banner03 coolest-gadgets.com,depositfiles.com,dfiles.eu,freecode.com,israeldefense.com,popcrunch.com,priceviewer.com,thelakewoodscoop.com,usa-people-search.com,wired.co.uk##.banner1 angryduck.com##.banner160-title azernews.az##.banner1_1 -flixflux.co.uk,gsprating.com,thelakewoodscoop.com,usa-people-search.com##.banner2 +flixflux.co.uk,gsprating.com,jamieoliver.com,thelakewoodscoop.com,usa-people-search.com##.banner2 blogtv.com##.banner250 motorcycle-usa.com##.banner300x100 motorcycle-usa.com##.banner300x250 @@ -36759,7 +38071,7 @@ artistdirect.com##.bannerNavi ewn.co.za##.bannerSecond runnersworld.com##.bannerSub bitsnoop.com##.bannerTitle -christianpost.com,londonstockexchange.com,xtri.com##.bannerTop +christianpost.com,jamanetwork.com,londonstockexchange.com,xtri.com##.bannerTop hongkiat.com##.bannerWrap iphoneapplicationlist.com,salon.com,shockwave.com##.bannerWrapper impawards.com##.banner_2 @@ -36771,13 +38083,15 @@ komp3.net##.banner_468_holder pastebin.com,ratemyteachers.com##.banner_728 uploadstation.com##.banner_area cbssports.com##.banner_bg +business-standard.com##.banner_block anyclip.com##.banner_bottom aww.com.au,englishrussia.com,softonic.com##.banner_box -coda.fm,smartcompany.com.au,take.fm##.banner_container +coda.fm,jamieoliver.com,smartcompany.com.au,take.fm##.banner_container kyivpost.com##.banner_content_t pricespy.co.nz##.banner_div swapace.com##.banner_foot tvtechnology.com##.banner_footer +domainmasters.co.ke##.banner_google arabtimesonline.com,silverlight.net##.banner_header rugby365.com##.banner_holder newsy.com##.banner_holder_300_250 @@ -36786,36 +38100,39 @@ livecharts.co.uk##.banner_long expressindia.com##.banner_main plussports.com##.banner_mid checkoutmyink.com##.banner_placer -977music.com,en.trend.az,seenow.com##.banner_right +977music.com,seenow.com##.banner_right dhl.de##.banner_right_resultpage_middle statista.com##.banner_skyscraper -977music.com,seetickets.com,thestranger.com##.banner_top +977music.com,rnews.co.za,seetickets.com,thestranger.com##.banner_top +porttechnology.org##.banner_wrapper gamenet.com##.bannera zeenews.india.com##.bannerarea -sj-r.com##.bannerbottom +sj-r.com,widih.org##.bannerbottom +bloomberg.com##.bannerbox timesofoman.com##.bannerbox1 timesofoman.com##.bannerbox2 fashionotes.com##.bannerclick arcadebomb.com##.bannerext breakfreemovies.com,fifaembed.com,nowwatchtvlive.com,surk.tv,tvbay.org##.bannerfloat -2mfm.org,aps.dz,beginlinux.com,eatdrinkexplore.com,fleetwatch.co.za,gameofthrones.net,i-programmer.info,killerdirectory.com,knowthecause.com,maravipost.com,onislam.net,rhylfc.co.uk,russianireland.com,soccer24.co.zw,vidipedia.org##.bannergroup +2mfm.org,aps.dz,beginlinux.com,eatdrinkexplore.com,fleetwatch.co.za,gameofthrones.net,i-programmer.info,killerdirectory.com,knowthecause.com,maravipost.com,mousesteps.com,onislam.net,rhylfc.co.uk,russianireland.com,soccer24.co.zw,thesentinel.com,vidipedia.org##.bannergroup brecorder.com##.bannergroup_box vidipedia.org##.bannergroup_menu malaysiandigest.com##.bannergroup_sideBanner2 dailynews.co.tz##.bannergroup_text -av-comparatives.org,busiweek.com,caribnewsdesk.com,israel21c.org,planetfashiontv.com##.banneritem +av-comparatives.org,busiweek.com,caribnewsdesk.com,israel21c.org,planetfashiontv.com,uberrock.co.uk##.banneritem elitistjerks.com##.bannerl0aded -racing-games.com##.bannerleft +racing-games.com,widih.org##.bannerleft techspot.com##.bannernav -digitalproductionme.com,racing-games.com##.bannerright -c21media.net,classicsdujour.com,en.trend.az,filezoo.com,general-search.net,igirlsgames.com,jobstreet.com.my,jobstreet.com.sg,kdoctv.net,lolroflmao.com,mysteriousuniverse.org,phuketgazette.net,sheknows.com,telesurtv.net,thinkdigit.com##.banners +digitalproductionme.com,racing-games.com,widih.org##.bannerright +c21media.net,classicsdujour.com,filezoo.com,general-search.net,igirlsgames.com,jobstreet.com.my,jobstreet.com.sg,kdoctv.net,lolroflmao.com,mysteriousuniverse.org,phuketgazette.net,sheknows.com,telesurtv.net,thinkdigit.com##.banners wlrfm.com##.banners-bottom-a codecs.com##.banners-right +ecr.co.za,jacarandafm.com##.banners120 thinkdigit.com##.banners_all dinnersite.co.za##.banners_leaderboard wdna.org##.banners_right cbc.ca##.bannerslot-container -musictory.com##.bannertop +musictory.com,widih.org##.bannertop urlcash.org##.bannertop > center > #leftbox goldengirlfinance.ca##.bannerwrap myhostnews.com##.bannerwrapper_t @@ -36837,6 +38154,7 @@ fakenamegenerator.com##.bcsw iol.co.za##.bd_images publicradio.org##.become-sponsor-link wgbh.org##.becomeSponsor +westernjournalism.com##.before-article mouthshut.com##.beige-border-tr\[style="padding:5px;"] goodgearguide.com.au##.bestprice-footer football365.com##.bet-link @@ -36854,6 +38172,7 @@ flixflux.co.uk##.bgBlue playgroundmag.net##.bg_link bryanreesman.com##.bg_strip_add biblegateway.com##.bga +biblegateway.com##.bga-footer search.yahoo.com##.bgclickable overclock3d.net##.bglink entrepreneur.com##.bgwhiteb @@ -36861,7 +38180,7 @@ siouxcityjournal.com##.bidBuyWrapperLG download.cnet.com##.bidWarContainer cnet.com,techrepublic.com,zdnet.com##.bidwar findarticles.com##.bidwarCont -furiousfanboys.com,regretfulmorning.com##.big-banner +furiousfanboys.com,regretfulmorning.com,viva.co.nz##.big-banner torontolife.com##.big-box family.ca##.big-box-container chipchick.com,megafileupload.com,softarchive.net##.big_banner @@ -36875,9 +38194,11 @@ caller.com,commercialappeal.com,courierpress.com,gosanangelo.com,govolsxtra.com, exclaim.ca##.bigboxhome tri247.com##.biglink wctk.com##.bigpromo -edmunds.com,motherjones.com,pep.ph,todaysbigthing.com##.billboard +about.com,edmunds.com,motherjones.com,pep.ph,todaysbigthing.com##.billboard bre.ad##.billboard-body +eztv.ch##.bitx-button mywesttexas.com,ourmidland.com,theintelligencer.com##.biz-info +yelp.be,yelp.ca,yelp.ch,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.au,yelp.com.sg,yelp.ie##.biz-photos-yloca slate.com##.bizbox_promo scienceworldreport.com##.bk-sidebn arsenalnews.co.uk##.bkmrk_pst_flt @@ -36885,7 +38206,6 @@ uvnc.com##.black + table\[cellspacing="0"]\[cellpadding="5"]\[style="width: 100% nowsci.com##.black_overlay kioskea.net##.bloc_09 jobmail.co.za##.block-AdsByJobMail -cyprus-mail.com##.block-adzerk ap.org##.block-ap-google-adwords bravotv.com##.block-bravo_sponsored_links biosciencetechnology.com,dinnertool.com,ecnmag.com,fastcocreate.com,fastcoexist.com,fastcompany.com,hollywoodreporter.com,lifegoesstrong.com,manufacturing.net,midwestliving.com,nbcsports.com,pddnet.com,petside.com,sfbg.com,theweek.co.uk,todayonline.com##.block-dart @@ -36906,6 +38226,7 @@ philstar.com##.block-philstar-ad praguemonitor.com##.block-praguetvads football-espana.net,football-italia.net##.block-story-footer-simag-banner accesshollywood.com##.block-style_deals +autoexpress.co.uk##.block-taboola laboratoryequipment.com##.block-title ibtimes.com##.block-x90 augusta.com##.block-yca_plugin @@ -36939,6 +38260,7 @@ adlock.in##.bn christianpost.com,parentherald.com##.bn728 ibtimes.co.uk,ibtimes.com##.bn_center_bottom_leaderboard_hd tinydl.link##.bnner +demonoid.pw##.bnnr_top electronicsfeed.com,gatorzone.com,intelligencer.ca##.bnr euroweek.com##.bnr-top carnewschina.com,thetycho.com##.bnr728 @@ -36957,25 +38279,27 @@ bangkokpost.com##.boomboxSize1 overclock3d.net##.border-box-320 thenextweb.com##.border-t.mt-2 share-links.biz##.border1dark +bitcointalk.org##.bordercolor\[width="100%"]\[cellspacing="0"]\[cellpadding="0"]\[border="0"] > tbody > tr\[class^="h"] > td\[class^="i"] extratorrent.cc##.borderdark\[style="padding: 5px;"] helenair.com##.bordered\[align="center"]\[width="728"] afreecodec.com##.bornone +tgun.tv##.bossPlayer dailynews.gov.bw##.bot-banner trueslant.com##.bot_banner gofish.com##.botban1 gofish.com##.botban2 bankrate.com##.botbanner pixdaus.com##.bottom -eplans.com,spanishdict.com##.bottom-banner +eplans.com,liligo.com,reverso.net,spanishdict.com##.bottom-banner livehdq.info##.bottom-bar kaskus.co.id##.bottom-frame usatoday.com##.bottom-google-links +photographyreview.com##.bottom-leaderboard theticketmiami.com##.bottom-super-leaderboard weatheroffice.gc.ca##.bottomBanner softicons.com##.bottom_125_block softicons.com##.bottom_600_250_block themoscowtimes.com##.bottom_banner -en.trend.az##.bottom_banner2 secdigitalnetwork.com##.bottom_banners_outer gamenguide.com##.bottom_bn einthusan.com##.bottom_leaderboard @@ -36985,6 +38309,7 @@ broadcastnewsroom.com,mumbaimirror.com,softonic.com##.bottombanner arcadebomb.com##.bottombox technologizer.com##.bottompromo explainthatstuff.com##.bottomsquare +filediva.com##.bouton jpost.com##.box-banner-wrap oilprice.com##.box-news-sponsor phonedog.com##.box-rail-skyleft @@ -37019,6 +38344,8 @@ hardware.info##.br_top_container brothersoft.com##.brand washingtonpost.com##.brand-connect-module mapquest.com##.brandedBizLocSprite +primedia.co.za##.branding-sponsor +csoonline.com##.brandposts 1310news.com,680news.com,news1130.com##.breaking-news-alerts-sponsorship-block break.com##.breaking_news break.com##.breaking_news_wrap @@ -37036,11 +38363,13 @@ if-not-true-then-false.com##.bsarocks\[style="height:250px;margin-left:20px;"] if-not-true-then-false.com##.bsarocks\[style="height:520px;"] mmorpg.com##.bsgoskin webopedia.com##.bstext +virginradiodubai.com##.bt-btm fenopy.se##.bt.dl milesplit.com##.btf idolator.com##.btf-leader gamepedia.com,minecraftwiki.net##.btflb diply.com##.btfrectangle +dubai92.com,dubaieye1038.com##.btm-banner cricwaves.com##.btm728 helensburghadvertiser.co.uk,the-gazette.co.uk##.btn isohunt.to##.btn-bitlord @@ -37054,11 +38383,11 @@ legendarydevils.com##.btn_dl wrc.com##.btns wrc.com##.btnswf gizmodo.com.au##.btyb_cat -timesofindia.indiatimes.com##.budgetheader whitepages.com##.business_premium_container_top switchboard.com,whitepages.com##.business_premium_results torrentbit.net##.but_down_sponsored 1053kissfm.com##.button-buy +torrentbit.net##.button-long miloyski.com##.button\[target="_blank"] darelease.com,downarchive.com,keygenfree.org,mechodownload.com##.button_dl freedownloadmanager.org,freedownloadscenter.com##.button_free_scan @@ -37166,12 +38495,14 @@ crooksandliars.com##.clam-google crooksandliars.com##.clam-text telegraph.co.uk##.classifiedAds uploading.com##.cleanlab_banner +clgaming.net##.clg-footerSponsors yourepeat.com##.click-left yourepeat.com##.click-right haaretz.com##.clickTrackerGroup infobetting.com##.click_bookmaker thinkbroadband.com##.clickable-skin windowsitpro.com##.close +abconline.xyz##.close9 wftv.com##.cmFeedUtilities ajc.com##.cmSponsored wsbtv.com##.cmSubHeaderWrap @@ -37213,6 +38544,7 @@ googlesightseeing.com##.comm-skyscraper googlesightseeing.com##.comm-square abovethelaw.com##.comments-sponsor tripadvisor.ca,tripadvisor.co.uk,tripadvisor.com,tripadvisor.ie,tripadvisor.in##.commerce +prevention.com##.commerce-block capitalfm.com,capitalxtra.com,heart.co.uk,independent.co.uk,runningserver.com,smoothradio.com,standard.co.uk,thisislondon.co.uk,xfm.co.uk##.commercial sheptonmalletjournal.co.uk##.commercial-promotions independent.co.uk##.commercialpromo @@ -37227,13 +38559,12 @@ msn.com##.condbanner2 theglobeandmail.com##.conductor-links thegameslist.com##.cont spoonyexperiment.com##.cont_adv -filenuke.com,sharesix.com##.cont_block > .f_l_name + center -filenuke.com,sharesix.com##.cont_block > center:first-child torrent-finder.info##.cont_lb babylon.com,searchsafer.com##.contadwltr miniclip.com##.container-300x250 ina.fr##.container-pubcarre jokersupdates.com##.container_contentrightspan +tourofbritain.co.uk##.container_right_mpu bbh.cc##.content + .sidebar adfoc.us##.content > iframe flashgot.net##.content a\[rel="nofollow"]\[target="_blаnk"] @@ -37271,6 +38602,7 @@ netnewscheck.com##.continue-text notcot.org##.conversationalist_outer list25.com##.converter sharaget.com##.coollist +columbian.com##.coupon-widget wnst.net##.coupon_block ftadviser.com##.cpdSponsored politicalwire.com##.cqheadlinebox @@ -37285,6 +38617,7 @@ candystand.com##.cs_square_banner candystand.com##.cs_tall_banner candystand.com##.cs_wide_banner carsales.com.au##.csn-ad-preload +vitorrent.net##.css_btn_class_fast columbian.com##.cta\[style="margin-top: -10px;"] terra.com##.ctn-tgm-bottom-holder funny.com##.ctnAdBanner @@ -37299,12 +38632,13 @@ cocomment.com##.cw_adv glumbouploads.com##.d0_728 rapidok.com##.d_content\[style="background:#FFFFFF url(/img/d1.gif) repeat-x scroll 0 86%;"] thomasnet.com##.da +diply.com##.da-disclaimer arabianindustry.com##.da-leaderboard torrents.to##.da-top +thedailywtf.com##.daBlock tesco.com##.dart allmovie.com##.dart-skyscraper americanphotomag.com,ecnmag.com,manufacturing.net,webuser.co.uk##.dart-tag -movies4men.co.uk,sonymoviechannel.co.uk,sonytv.com##.dart-tag-notice wetv.com##.dart300x250Border orange.co.uk##.dartlabel torrent.cd##.data\[style="margin-bottom: 0px; margin-top: 15px;"] @@ -37313,7 +38647,6 @@ itv.com##.db-mpu foobar2000.org##.db_link herald.co.zw##.dban dbforums.com##.dbfSubscribe\[style^="display: block; z-index: 1002; "] -bexhillobserver.net,blackpoolgazette.co.uk,bognor.co.uk,bostonstandard.co.uk,chichester.co.uk,donegaldemocrat.ie,eastbourneherald.co.uk,halifaxcourier.co.uk,hastingsobserver.co.uk,lep.co.uk,limerickleader.ie,offalyexpress.ie,portsmouth.co.uk,scotsman.com,shieldsgazette.com,spaldingtoday.co.uk,sunderlandecho.com,thescarboroughnews.co.uk,thestar.co.uk,wigantoday.net,wscountytimes.co.uk,yorkshireeveningpost.co.uk,yorkshirepost.co.uk##.dc-half-banner startups.co.uk##.dc-leaderboard kibagames.com##.dc_color_lightgreen.dc_bg_for_adv ohiostatebuckeyes.com##.dcad @@ -37345,6 +38678,7 @@ heroturko.me##.detay onlinerealgames.com##.df3 marinmagazine.com,scpr.org,shop.com,urbandictionary.com##.dfp healthline.com##.dfp-lb-wrapper +techradar.com##.dfp-leaderboard-container greatist.com,neurope.eu##.dfp-tag-wrapper sodahead.com##.dfp300x250 sodahead.com##.dfp300x600 @@ -37368,11 +38702,12 @@ chacha.com##.disclosure 1cookinggames.com,yokogames.com##.displaygamesbannerspot3 hellopeter.com##.div1 hellopeter.com##.div2 -cricinfo.com,espncricinfo.com##.div300Pad +espncricinfo.com##.div300Pad aniweather.com##.divBottomNotice aniweather.com##.divCenterNotice alternativeto.net##.divLeaderboardLove israelnationalnews.com##.divTopInBox +hellobeautiful.com##.diversity-one-widget search.ovguide.com##.dl:first-child mediafire.com##.dlInfo-Apps bitsnoop.com##.dl_adp @@ -37391,8 +38726,8 @@ isup.me##.domain + p + center:last-child > a:first-child i4u.com##.dotted gearlive.com##.double techtipsgeek.com##.double-cont -capitalfm.com,capitalxtra.com,dirtymag.com,kingfiles.net,win7dl.com##.download -torrents.de,torrentz.ch,torrentz.com,torrentz.eu,torrentz.in,torrentz.li,torrentz.me,torrentz.ph##.download > h2 + dl > dd +bigtop40.com,capitalfm.com,capitalxtra.com,dirtymag.com,kingfiles.net,win7dl.com##.download +torrents.de,torrentz.ch,torrentz.com,torrentz.eu,torrentz.in,torrentz.li,torrentz.me,torrentz.ph,torrentz.unblockt.com##.download > h2 + dl > dd turbobit.net##.download-area-top host1free.com##.download-block generalfiles.me##.download-button @@ -37405,7 +38740,9 @@ candystand.com##.download_free_games_ad fileshut.biz,fileshut.com##.download_item2 download-movie-soundtracks.com##.download_link > .direct_link fileserve.com##.download_meagaCloud +primewire.ag##.download_now_mouseover load.to##.download_right +filediva.com##.download_top fileshut.biz,fileshut.com##.download_top2 brothersoft.com##.downloadadv brothersoft.com##.downloadadv1 @@ -37426,6 +38763,8 @@ dressupcraze.com##.duc-728 bloomberg.com##.dvz-widget-sponsor webmd.com##.dynbm_wrap espnwatch.tv##.dzt +watchreport.com##.e3lan300_250-widget +stream2watch.com##.ea search.yahoo.com##.eadlast cnet.com.au##.ebay amateurphotographer.co.uk##.ebay-deals @@ -37438,6 +38777,7 @@ smashingmagazine.com##.ed-us timeoutabudhabi.com##.editoral_banner dailymail.co.uk##.editors-choice.ccox.link-ccox.linkro-darkred experts-exchange.com##.eeAD +bostonmagazine.com##.eewidget notebooks.com##.efbleft facebook.com##.ego_spo priceonomics.com##.eib-banner @@ -37467,11 +38807,9 @@ tucows.com##.f11 india.com##.fBannerAside computerworld.co.nz##.fairfax_nav inturpo.com##.fake_embed_ad_close -infoworld.com##.fakesidebar flixflux.co.uk##.fan commentarymagazine.com##.fancybox-wrap freshwap.net##.fast -beemp3.com##.fast-download might.net##.fat-container smarter.com##.favboxmiddlesearch smarter.com##.favwrapper @@ -37555,6 +38893,7 @@ thecinemasource.com##.footer-marketgid getswiftfox.com##.footer-right livebasketball.tv##.footer-sponsor sharksrugby.co.za,timestalks.com##.footer-sponsors +searchenginejournal.com##.footer-unit btn.com##.footer-widgets hd-trailers.net##.footer-win twentytwowords.com##.footer-zone @@ -37575,6 +38914,7 @@ maxgames.com##.footer_leaderboard morningstar.in##.footer_links_wrapper scotsman.com##.footer_top_holder datamation.com##.footerbanner +eurocupbasketball.com,euroleague.net##.footersponsors-container videojug.com##.forceMPUSize alphacoders.com##.form_info northcoastnow.com##.formy @@ -37582,6 +38922,7 @@ motorhomefacts.com##.forum-promo thewarezscene.org##.forumbg b105.com##.fourSquare_outer bc.vc##.fp-bar-dis +autotrader.co.uk##.fpa-deal-header yahoo.com##.fpad tvguide.com##.franchisewrapper freedom.tm##.frdm-sm-ico @@ -37590,8 +38931,10 @@ watch-series.ag,watch-tv-series.to,watchseries.ph##.freeEpisode empowernetwork.com##.free_video_img megashare.com##.freeblackbox megashare.com##.freewhitebox +wharton.upenn.edu##.friend-module spanishcentral.com##.from_spanish_central executivetravelmagazine.com##.ft-add-banner +portalangop.co.ao,top1walls.com##.full-banner marilyn.ca##.full-width.leaderboard wikinvest.com##.fullArticleInset-NVAdSlotComponent i4u.com##.fullStoryHeader + .SidebarBox @@ -37643,6 +38986,7 @@ canberratimes.com.au,illawarramercury.com.au##.gbl_disclaimer illawarramercury.com.au##.gbl_section viamichelin.co.uk,viamichelin.com##.gdhBlockV2 geekwire.com##.geekwire_sponsor_posts_widget +escapehere.com##.gemini-loaded becclesandbungayjournal.co.uk,burymercury.co.uk,cambstimes.co.uk,derehamtimes.co.uk,dunmowbroadcast.co.uk,eadt.co.uk,edp24.co.uk,elystandard.co.uk,eveningnews24.co.uk,fakenhamtimes.co.uk,greenun24.co.uk,huntspost.co.uk,ipswichstar.co.uk,lowestoftjournal.co.uk,northnorfolknews.co.uk,pinkun.com,royston-crow.co.uk,saffronwaldenreporter.co.uk,sudburymercury.co.uk,thecomet.net,thetfordandbrandontimes.co.uk,wattonandswaffhamtimes.co.uk,wisbechstandard.co.uk,wymondhamandattleboroughmercury.co.uk##.generic_leader greenun24.co.uk,pinkun.com##.generic_sky uefa.com##.geoTargetSponsorHeader @@ -37668,6 +39012,7 @@ neogaf.com##.goodie728 computershopper.com##.goog complaintsboard.com##.goog-border eurodict.com##.googa +thenassauguardian.com##.googlAdd 95mac.net,africanadvice.com,appdl.net,freepopfax.com,pspad.com##.google euronews.com##.google-banner nymag.com##.google-bottom @@ -37700,11 +39045,11 @@ cool-wallpaper.us##.green businessdictionary.com##.grey-small-link backstage.com##.greyFont teamrock.com##.grid-container-300x250 +itproportal.com##.grid-mpu ncaa.com##.grid\[style="height: 150px;"] dawn.com##.grid__item.one-whole.push-half.visuallyhidden--palm couriermail.com.au,dailytelegraph.com.au,news.com.au##.group-network-referral-footer -eztv-proxy.net##.gsfc -eztv.it##.gsfl +eztv-proxy.net,eztv.ch##.gsfc bollywoodtrade.com##.gtable\[height="270"]\[width="320"] 11alive.com,13wmaz.com,9news.com,digtriad.com,firstcoastnews.com,kare11.com,ksdk.com,news10.net,thv11.com,wbir.com,wcsh6.com,wgrz.com,wkyc.com,wlbz2.com,wltx.com,wtsp.com,wusa9.com,wzzm13.com##.gtv_728x90_container waz-warez.org##.guest_adds @@ -37731,15 +39076,15 @@ zeefood.in##.hbanner2 chronicle.co.zw,herald.co.zw##.hbanners screenindia.com##.hd webtoolhub.com##.hdShade -putlocker.is##.hdbutton pbnation.com##.hdrLb pbnation.com##.hdrSq +caymannewsservice.com##.head-banner468 vogue.co.uk##.headFullWidth mariopiperni.com,tmrzoo.com##.headbanner bitcoinreviewer.com##.header > .wrap > .cb-large iaminthestore.com##.header > div > div\[style="text-align:center;margin:0 auto"] ynaija.com##.header-728 -americanfreepress.net,freemalaysiatoday.com,hotfrog.co.uk,islamchannel.tv,ksstradio.com,landandfarm.com,mashable.com,wow247.co.uk##.header-banner +americanfreepress.net,freemalaysiatoday.com,hotfrog.co.uk,islamchannel.tv,ksstradio.com,landandfarm.com,mashable.com,soccer24.co.zw,wow247.co.uk##.header-banner vapingunderground.com##.header-block thedailystar.net##.header-bottom-adds expressandstar.com,guernseypress.com,jerseyeveningpost.com,shropshirestar.com,thebiggestloser.com.au##.header-leaderboard @@ -37749,7 +39094,9 @@ spyka.net##.header-link times.co.zm##.header-pub lyricsbogie.com,queenscourier.com##.header-right bh24.co.zw##.header-right-banner-wrapper -providencejournal.com##.header-top +htxt.co.za##.header-sub +providencejournal.com,southernliving.com##.header-top +astronomynow.com##.header-widget hd-trailers.net##.header-win funnycatpix.com,notsafeforwhat.com,rockdizmusic.com##.header728 onegreenplanet.org##.header728container @@ -37776,6 +39123,7 @@ dailycurrant.com##.highswiss skins.be##.hint serverfault.com,stackoverflow.com##.hireme ghanaweb.com##.hmSkyscraper +hindustantimes.com##.hm_top_right_localnews_contnr_budget 1027dabomb.net##.home-300 broadway.com##.home-leaderboard-728-90 wowhead.com##.home-skin @@ -37783,6 +39131,7 @@ netweather.tv##.home300250 greatdaygames.com##.home_Right_bg wpbt2.org##.home_banners hpe.com##.home_leaderboard +justdubs.tv##.home_leftsidbar_add wdwmagic.com##.home_upper_728x90 securitymattersmag.com##.homeart_marketpl_container news1130.com##.homepage-headlines-sponsorship-block @@ -37810,16 +39159,18 @@ loaded.co.uk##.hot_banner_mpu maps.google.com##.hotel-partner-item-sponsored maps.google.com##.hotel-price zdnet.com##.hotspot -indiatimes.com##.hover2bg europeancarweb.com##.hp-leadertop rte.ie##.hp-mpu huffingtonpost.com##.hp-ss-leaderboard +worldweatheronline.com##.hp_300x250_left +worldweatheronline.com##.hp_300x250_right surfline.com##.hp_camofday-ad itp.net##.hpbanner nairaland.com##.hpl nairaland.com##.hpr v3.co.uk##.hpu nairaland.com##.hrad +blog.recruitifi.com##.hs-cta-wrapper filetram.com##.hsDownload usatodayhss.com##.hss-background-link sfgate.com##.hst-leaderboard @@ -37864,6 +39215,7 @@ gifsoup.com##.imagead globalgrind.com##.imagecache-article_images_540 blessthisstuff.com##.imagem_sponsor laineygossip.com##.img-box +newsbtc.com##.img-responsive weather.msn.com##.imglink1.cf exchangerates.org.uk##.imt4 computerworld.com,infoworld.com##.imu @@ -37894,7 +39246,6 @@ cnet.com##.innerMPUwrap telegraph.co.uk##.innerPlugin bloggerthemes.net##.inner_banner routes-news.com##.insightbar -beemp3.com##.install-toolbar icanhascheezburger.com##.instream ratemyteachers.com##.intelius itweb.co.za##.intelli-box @@ -37905,19 +39256,21 @@ ozy.com##.interstitial komando.com##.interstitial-wrapper 12ozprophet.com##.intro jango.com##.intro_block_module:last-child -hellobeautiful.com,theurbandaily.com##.ione-widget picapp.com##.ipad_300_250 picapp.com##.ipad_728_90 investorplace.com##.ipm-sidebar-ad-text +twitter.com##.is-promoted telegraph.co.uk##.isaSeason veehd.com##.isad drivearcade.com,freegamesinc.com##.isk180 abovethelaw.com,dealbreaker.com,itwire.com##.island +nzgamer.com##.island-holder timesofisrael.com##.item-spotlight classifiedads.com##.itemhispon classifiedads.com##.itemlospon videopremium.tv##.itrack air1.com,juicefm.com,pulse1.co.uk,pulse2.co.uk,signal1.co.uk,signal2.co.uk,swanseasound.co.uk,thecurrent.org,thewave.co.uk,three.fm,wave965.com,wirefm.com,wishfm.net##.itunes +liquidcompass.net##.itunes_btn ixigo.com##.ixi-ads-header liveleak.com##.j_b liveleak.com##.j_t @@ -37933,6 +39286,7 @@ worldofgnome.org##.jumbotron marketingvox.com##.jupitermedia joomlarulez.com##.jwplayer2 joomlarulez.com##.jwplayer4 +rocvideo.tv##.jwpreview sfgate.com##.kaango news24.com##.kalahari_product news24.com##.kalwidgetcontainer @@ -37945,21 +39299,25 @@ herold.at##.kronehit businessinsider.com##.ks-recommended lenteng.com##.ktz-bannerhead lenteng.com##.ktz_banner +anilinkz.tv##.kwarta simplyhired.com##.label_right wallstcheatsheet.com##.landingad8 ustream.tv##.largeRectBanner +search.yahoo.com##.last > div\[class]\[data-bid] > div\[class] > ul\[class] > li > span > a txfm.ie##.last_10Buy afterdawn.com##.last_forum_mainos restaurants.com##.latad espn.co.uk,espncricinfo.com##.latest_sports630 aniscartujo.com##.layer_main iwradio.co.uk##.layerslider_widget +thehits.co.nz##.layout__background pastebin.com##.layout_clear milesplit.com##.lb etonline.com##.lb_bottom door2windows.com##.lbad thehill.com##.lbanner speedtest.net##.lbc +lankabusinessonline.com##.lbo-ad-home-300x250 itp.net##.lboard pcmag.com##.lbwidget politifact.com##.ldrbd @@ -37972,7 +39330,7 @@ online-literature.com##.leader-wrap-bottom online-literature.com##.leader-wrap-middle online-literature.com##.leader-wrap-top garfield.com##.leaderBackground -channeleye.co.uk,expertreviews.co.uk,nymag.com,pcpro.co.uk,vogue.co.uk##.leaderBoard +channeleye.co.uk,expertreviews.co.uk,mtv.com.lb,nymag.com,pcpro.co.uk,vogue.co.uk##.leaderBoard greatergood.com##.leaderBoard-container businessghana.com##.leaderBoardBorder whathifi.com##.leaderBoardWrapper @@ -37980,7 +39338,7 @@ expertreviews.co.uk##.leaderLeft expertreviews.co.uk##.leaderRight bakercityherald.com##.leaderTop freelanceswitch.com,stockvault.net,tutsplus.com##.leader_board -abovethelaw.com,adn.com,advosports.com,androidfirmwares.net,answerology.com,aroundosceola.com,bellinghamherald.com,birdmanstunna.com,blitzcorner.com,bnd.com,bradenton.com,cantbeunseen.com,carynews.com,centredaily.com,chairmanlol.com,citymetric.com,claytonnewsstar.com,clgaming.net,clicktogive.com,cnet.com,cokeandpopcorn.com,commercialappeal.com,cosmopolitan.co.uk,cosmopolitan.com,courierpress.com,cprogramming.com,dailynews.co.zw,designtaxi.com,digitaltrends.com,diply.com,directupload.net,dispatch.com,diyfail.com,docspot.com,donchavez.com,driving.ca,dummies.com,edmunds.com,enquirerherald.com,explainthisimage.com,expressandstar.com,film.com,foodista.com,fortmilltimes.com,forums.thefashionspot.com,fox.com.au,fresnobee.com,funnyexam.com,funnytipjars.com,galatta.com,gamesville.com,geek.com,goal.com,goldenpages.be,gosanangelo.com,guernseypress.com,hardware.info,heraldonline.com,hi-mag.com,hourdetroit.com,hypegames.com,iamdisappoint.com,idahostatesman.com,independentmail.com,intomobile.com,irishexaminer.com,islandpacket.com,japanisweird.com,jdpower.com,jerseyeveningpost.com,kentucky.com,keysnet.com,kidspot.com.au,kitsapsun.com,knoxnews.com,lakewyliepilot.com,ledger-enquirer.com,lgbtqnation.com,lightreading.com,lolhome.com,lonelyplanet.com,lsjournal.com,mac-forums.com,macon.com,mapcarta.com,marinmagazine.com,mcclatchydc.com,mercedsunstar.com,modbee.com,morefailat11.com,myrtlebeachonline.com,nameberry.com,naplesnews.com,nature.com,nbl.com.au,newsobserver.com,nowtoronto.com,objectiface.com,openfile.ca,organizedwisdom.com,overclockers.com,passedoutphotos.com,pehub.com,peoplespharmacy.com,perfectlytimedphotos.com,photographyblog.com,pinknews.co,pinknews.co.uk,pons.com,pons.eu,pressherald.com,radiobroadcaster.org,rebubbled.com,recode.net,redding.com,reporternews.com,roadrunner.com,roulettereactions.com,rr.com,sacarfan.co.za,sanluisobispo.com,scifinow.co.uk,searchenginesuggestions.com,shinyshiny.tv,shitbrix.com,shocktillyoudrop.com,shropshirestar.com,slashdot.org,slideshare.net,spacecast.com,sparesomelol.com,spoiledphotos.com,sportsvite.com,stopdroplol.com,stripes.com,stv.tv,sunherald.com,supersport.com,tattoofailure.com,tbreak.com,tcpalm.com,techdigest.tv,terra.com,theatermania.com,thehollywoodgossip.com,thejewishnews.com,thenewstribune.com,theolympian.com,theskanner.com,thestate.com,timescolonist.com,timesrecordnews.com,titantv.com,treehugger.com,tri-cityherald.com,tvfanatic.com,uswitch.com,v3.co.uk,vcstar.com,vivastreet.co.uk,vr-zone.com,walyou.com,washingtonpost.com,whatsonstage.com,where.ca,yodawgpics.com,yoimaletyoufinish.com##.leaderboard +abovethelaw.com,adn.com,advosports.com,adyou.me,androidfirmwares.net,answerology.com,aroundosceola.com,ballstatedaily.com,bellinghamherald.com,birdmanstunna.com,blitzcorner.com,bnd.com,bradenton.com,cantbeunseen.com,carynews.com,centredaily.com,chairmanlol.com,citymetric.com,claytonnewsstar.com,clgaming.net,clicktogive.com,cnet.com,cokeandpopcorn.com,commercialappeal.com,cosmopolitan.co.uk,cosmopolitan.com,courierpress.com,cprogramming.com,dailynews.co.zw,designtaxi.com,digitaltrends.com,diply.com,directupload.net,dispatch.com,diyfail.com,docspot.com,donchavez.com,driving.ca,dummies.com,edmunds.com,elle.com,enquirerherald.com,esquire.com,explainthisimage.com,expressandstar.com,film.com,foodista.com,fortmilltimes.com,forums.thefashionspot.com,fox.com.au,fresnobee.com,funnyexam.com,funnytipjars.com,galatta.com,gamesville.com,geek.com,goal.com,goldenpages.be,gosanangelo.com,guernseypress.com,hardware.info,heraldonline.com,hi-mag.com,hourdetroit.com,hypegames.com,iamdisappoint.com,idahostatesman.com,imedicalapps.com,independentmail.com,intomobile.com,irishexaminer.com,islandpacket.com,itproportal.com,japanisweird.com,jdpower.com,jerseyeveningpost.com,kentucky.com,keysnet.com,kidspot.com.au,kitsapsun.com,knoxnews.com,lakewyliepilot.com,laweekly.com,ledger-enquirer.com,lgbtqnation.com,lightreading.com,lolhome.com,lonelyplanet.com,lsjournal.com,mac-forums.com,macon.com,mapcarta.com,marieclaire.com,marinmagazine.com,mcclatchydc.com,mercedsunstar.com,meteovista.co.uk,meteovista.com,modbee.com,morefailat11.com,myrtlebeachonline.com,nameberry.com,naplesnews.com,nature.com,nbl.com.au,newsobserver.com,nowtoronto.com,objectiface.com,openfile.ca,organizedwisdom.com,overclockers.com,passedoutphotos.com,pehub.com,peoplespharmacy.com,perfectlytimedphotos.com,photographyblog.com,pinknews.co,pinknews.co.uk,pons.com,pons.eu,popularmechanics.com,pressherald.com,radiobroadcaster.org,rebubbled.com,recode.net,redding.com,reporternews.com,roadandtrack.com,roadrunner.com,roulettereactions.com,rr.com,sacarfan.co.za,sanluisobispo.com,scifinow.co.uk,searchenginesuggestions.com,shinyshiny.tv,shitbrix.com,shocktillyoudrop.com,shropshirestar.com,slashdot.org,slideshare.net,spacecast.com,sparesomelol.com,spoiledphotos.com,sportsvite.com,stopdroplol.com,stripes.com,stv.tv,sunherald.com,supersport.com,tattoofailure.com,tbreak.com,tcpalm.com,techdigest.tv,terra.com,theatermania.com,thehollywoodgossip.com,thejewishnews.com,thenewstribune.com,theolympian.com,theskanner.com,thestate.com,timescolonist.com,timesrecordnews.com,titantv.com,treehugger.com,tri-cityherald.com,tvfanatic.com,uswitch.com,v3.co.uk,vcstar.com,vivastreet.co.uk,vr-zone.com,walyou.com,washingtonpost.com,whatsonstage.com,where.ca,yodawgpics.com,yoimaletyoufinish.com##.leaderboard ameinfo.com##.leaderboard-area autotrader.co.uk,mixcloud.com##.leaderboard-banner bleedingcool.com##.leaderboard-below-header @@ -38005,7 +39363,7 @@ vibevixen.com##.leaderboard_bottom lookbook.nu,todaysbigthing.com##.leaderboard_container tucsoncitizen.com##.leaderboard_container_top directupload.net##.leaderboard_rectangle -realworldtech.com,rottentomatoes.com##.leaderboard_wrapper +porttechnology.org,realworldtech.com,rottentomatoes.com##.leaderboard_wrapper entrepreneur.com.ph##.leaderboardbar ubergizmo.com,wired.co.uk##.leaderboardcontainer fog24.com,free-games.net##.leaderboardholder @@ -38044,7 +39402,6 @@ webpronews.com##.lightgray prepperwebsite.com##.link-col > #text-48 coinurl.com##.link-image anorak.co.uk##.link\[style="height: 250px"] -beemp3.com##.link_s_und huffingtonpost.com##.linked_sponsored_entry technologyreview.com##.linkexperts-hm kyivpost.com##.linklist @@ -38052,13 +39409,15 @@ kproxy.com##.linknew4 scriptcopy.com##.linkroll scriptcopy.com##.linkroll-title babynamegenie.com,forless.com,o2cinemas.com,worldtimeserver.com##.links -abclocal.go.com##.linksWeLike +atđhe.net##.links > thead answers.com##.links_google answers.com##.links_openx ipsnews.net##.linksmoll_black +watchseries.lt##.linktable > .myTable > tbody > tr:first-child youtube.com##.list-view\[style="margin: 7px 0pt;"] maps.yahoo.com##.listing > .ysm cfos.de##.ll_center +pcworld.idg.com.au##.lo-toppromos wefollow.com##.load-featured calgaryherald.com##.local-branding theonion.com##.local_recirc @@ -38071,18 +39430,22 @@ themoscowtimes.com##.logo_popup toblender.com##.longadd vg247.com##.low-leader-container eurogamer.net##.low-leaderboard-container +omegle.com##.lowergaybtn +omegle.com##.lowersexybtn cfos.de##.lr_left yahoo.com##.lrec findlaw.com##.ls_homepage animetake.com##.lsidebar > a\[href^="http://bit.ly/"] -vidto.me##.ltas_backscreen +vidto.me,vidzi.tv##.ltas_backscreen phpbb.com##.lynkorama phpbb.com##.lynkoramaz kovideo.net##.lyricRingtoneLink +readwrite.com##.m-adaptive theverge.com##.m-feature__intro > aside digitaltrends.com##.m-intermission digitaltrends.com##.m-leaderboard theguardian.com##.m-money-deals +digitaltrends.com##.m-review-affiliate-pint tvguide.com##.m-shop share-links.biz##.m10.center share-links.biz##.m20 > div\[id]:first-child:last-child @@ -38090,7 +39453,6 @@ minivannews.com##.m_banner_show downloadatoz.com##.ma movies.msn.com##.magAd christianpost.com##.main-aside-bn -eurocupbasketball.com,euroleague.net##.main-footer-logos thedailystar.net##.mainAddSpage investing.com##.mainLightBoxFilter instantshift.com##.main_banner_single @@ -38101,6 +39463,7 @@ investopedia.com##.mainbodyleftcolumntrade xspyz.com##.mainparagraph showme.co.za##.mainphoto healthzone.pk##.maintablebody +rarlab.com,rarlabs.com##.maintd2\[valign="top"] > .htbar:first-child + .tplain + p + table\[width="100%"]\[border="0"] + table\[width="100%"]\[border="0"] > tbody:first-child:last-child rarlabs.com##.maintd2\[valign="top"] > .htbar:first-child + p.tplain + table\[width="100%"]\[border="0"] + table\[width="100%"]\[border="0"] lifescript.com##.maintopad torrent.cd##.maintopb @@ -38109,6 +39472,8 @@ makeprojects.com##.makeBlocks mangainn.com##.mangareadtopad allmenus.com##.mantle sigalert.com##.map-med-rect +rocvideo.tv##.mar-bot-10 +pcper.com##.mark-overlay-bg briefing.com##.market-place industryweek.com##.market600 nzherald.co.nz##.marketPlace @@ -38134,6 +39499,7 @@ wraltechwire.com##.mbitalic search.twcc.com##.mbs games.yahoo.com,movies.yahoo.com##.md.links wsj.com##.mdcSponsorBadges +hughhewitt.com##.mdh-main-wrap mtv.com##.mdl_noPosition thestar.com.my##.med-rec indianapublicmedia.org##.med-rect @@ -38143,6 +39509,7 @@ etonline.com##.med_rec medcitynews.com##.medcity-paid-inline fontstock.net##.mediaBox tvbay.org##.mediasrojas +tvplus.co.za##.medihelp-section docspot.com##.medium allmusic.com,edmunds.com##.medium-rectangle monhyip.net##.medium_banner @@ -38183,6 +39550,7 @@ pissedconsumer.com,plussports.com##.midBanner investing.com##.midHeader expertreviews.co.uk##.midLeader siteadvisor.com##.midPageSmallOuterDiv +autotrader.co.za##.midSearch.banner mp3.li##.mid_holder\[style="height: 124px;"] einthusan.com##.mid_leaderboard einthusan.com##.mid_medium_leaderboard @@ -38210,6 +39578,7 @@ mmosite.com##.mmo_textsponsor androidcentral.com##.mn-banner mnn.com##.mnn-homepage-adv1-block cultofmac.com##.mob-mpu +techradar.com##.mobile-hawk-widget techspot.com##.mobile-hide rapidvideo.tv##.mobile_hd thenation.com##.modalContainer @@ -38220,6 +39589,8 @@ alivetorrents.com##.mode itworld.com##.module goal.com##.module-bet-signup goal.com##.module-bet-windrawwin +autotrader.co.uk##.module-ecommerceLinks +kiis1065.com.au##.module-mrec nickelodeon.com.au##.module-mrect heraldsun.com.au##.module-promo-image-01 wptv.com##.module.horizontal @@ -38229,6 +39600,7 @@ quote.com##.module_full prevention.com##.modules americantowns.com##.moduletable-banner healthyplace.com##.moduletablefloatRight +uberrock.co.uk##.moduletablepatches codeasily.com##.money theguardian.com##.money-supermarket dailymail.co.uk,mailonsunday.co.uk,thisismoney.co.uk##.money.item > .cmicons.cleared.bogr3.link-box.linkro-darkred.cnr5 @@ -38244,15 +39616,17 @@ radiosport.co.nz##.mos-sponsor anonymouse.org##.mouselayer merdb.com##.movie_version a\[style="font-size:15px;"] movie2k.tl##.moviedescription + br + div > a +putlocker.is##.movsblu seetickets.com##.mp-sidebar-right newscientist.com##.mpMPU bakersfieldnow.com,katu.com,keprtv.com,komonews.com,kpic.com,kval.com,star1015.com##.mpsponsor -98fm.com,accringtonobserver.co.uk,alloaadvertiser.com,ardrossanherald.com,audioreview.com,autotrader.co.za,barrheadnews.com,birminghammail.co.uk,birminghampost.co.uk,bizarremag.com,bobfm.co.uk,bordertelegraph.com,bracknellnews.co.uk,capitalfm.com,capitalxtra.com,carrickherald.com,caughtoffside.com,centralfifetimes.com,chesterchronicle.co.uk,chroniclelive.co.uk,classicfm.com,clydebankpost.co.uk,computerworlduk.com,coventrytelegraph.net,crewechronicle.co.uk,cultofandroid.com,cumnockchronicle.com,dailypost.co.uk,dailyrecord.co.uk,dcsuk.info,directory.im,divamag.co.uk,dumbartonreporter.co.uk,dunfermlinepress.com,durhamtimes.co.uk,eastlothiancourier.com,econsultancy.com,examiner.co.uk,findanyfilm.com,gardensillustrated.com,gazettelive.co.uk,getbucks.co.uk,getreading.co.uk,getsurrey.co.uk,getwestlondon.co.uk,golf365.com,greenocktelegraph.co.uk,heart.co.uk,helensburghadvertiser.co.uk,impartialreporter.com,independent.co.uk,irishexaminer.com,irvinetimes.com,journallive.co.uk,largsandmillportnews.com,liverpoolecho.co.uk,localberkshire.co.uk,loughboroughecho.net,macclesfield-express.co.uk,macuser.co.uk,manchestereveningnews.co.uk,metoffice.gov.uk,mumsnet.com,musicradar.com,musicradio.com,mygoldmusic.co.uk,newburyandthatchamchronicle.co.uk,newstalk.com,northernfarmer.co.uk,osadvertiser.co.uk,peeblesshirenews.com,pinknews.co.uk,propertynews.com,racecar-engineering.com,radiotimes.com,readingchronicle.co.uk,realradioxs.co.uk,recombu.com,redhillandreigatelife.co.uk,rochdaleonline.co.uk,rossendalefreepress.co.uk,runcornandwidnesweeklynews.co.uk,scotsman.com,skysports.com,sloughobserver.co.uk,smallholder.co.uk,smartertravel.com,smoothradio.com,southportvisiter.co.uk,southwestfarmer.co.uk,spin1038.com,spinsouthwest.com,strathallantimes.co.uk,t3.com,tcmuk.tv,the-gazette.co.uk,theadvertiserseries.co.uk,thecitizen.co.tz,thejournal.co.uk,thelancasterandmorecambecitizen.co.uk,thetimes.co.uk,thevillager.co.uk,timeoutabudhabi.com,timeoutbahrain.com,timeoutdoha.com,timeoutdubai.com,todayfm.com,toffeeweb.com,troontimes.com,txfm.ie,walesonline.co.uk,warringtonguardian.co.uk,wiltshirebusinessonline.co.uk,windsorobserver.co.uk,xfm.co.uk##.mpu -greatbritishlife.co.uk##.mpu-banner +98fm.com,accringtonobserver.co.uk,alloaadvertiser.com,ardrossanherald.com,audioreview.com,autotrader.co.za,barrheadnews.com,bigtop40.com,birminghammail.co.uk,birminghampost.co.uk,bizarremag.com,bobfm.co.uk,bordertelegraph.com,bracknellnews.co.uk,capitalfm.com,capitalxtra.com,carrickherald.com,caughtoffside.com,centralfifetimes.com,chesterchronicle.co.uk,chroniclelive.co.uk,classicfm.com,clydebankpost.co.uk,computerworlduk.com,coventrytelegraph.net,crewechronicle.co.uk,cultofandroid.com,cumnockchronicle.com,dailypost.co.uk,dailyrecord.co.uk,dcsuk.info,directory.im,divamag.co.uk,dumbartonreporter.co.uk,dunfermlinepress.com,durhamtimes.co.uk,eastlothiancourier.com,econsultancy.com,examiner.co.uk,findanyfilm.com,gardensillustrated.com,gazettelive.co.uk,getbucks.co.uk,getreading.co.uk,getsurrey.co.uk,getwestlondon.co.uk,golf365.com,greenocktelegraph.co.uk,heart.co.uk,helensburghadvertiser.co.uk,her.ie,herfamily.ie,impartialreporter.com,independent.co.uk,irishexaminer.com,irvinetimes.com,jamieoliver.com,joe.co.uk,joe.ie,journallive.co.uk,largsandmillportnews.com,liverpoolecho.co.uk,localberkshire.co.uk,loughboroughecho.net,macclesfield-express.co.uk,macuser.co.uk,manchestereveningnews.co.uk,metoffice.gov.uk,mtv.com.lb,mumsnet.com,musicradar.com,musicradio.com,mygoldmusic.co.uk,newburyandthatchamchronicle.co.uk,newstalk.com,northernfarmer.co.uk,osadvertiser.co.uk,peeblesshirenews.com,pinknews.co.uk,propertynews.com,racecar-engineering.com,radiotimes.com,readingchronicle.co.uk,realradioxs.co.uk,recombu.com,redhillandreigatelife.co.uk,rochdaleonline.co.uk,rossendalefreepress.co.uk,runcornandwidnesweeklynews.co.uk,scotsman.com,skysports.com,sloughobserver.co.uk,smallholder.co.uk,smartertravel.com,smoothradio.com,southportvisiter.co.uk,southwestfarmer.co.uk,spin1038.com,spinsouthwest.com,sportsjoe.ie,strathallantimes.co.uk,t3.com,tcmuk.tv,the-gazette.co.uk,theadvertiserseries.co.uk,thecitizen.co.tz,thejournal.co.uk,thelancasterandmorecambecitizen.co.uk,thetimes.co.uk,thevillager.co.uk,timeoutabudhabi.com,timeoutbahrain.com,timeoutdoha.com,timeoutdubai.com,todayfm.com,toffeeweb.com,troontimes.com,tv3.ie,txfm.ie,walesonline.co.uk,warringtonguardian.co.uk,wiltshirebusinessonline.co.uk,windsorobserver.co.uk,xfm.co.uk##.mpu +greatbritishlife.co.uk,sport360.com##.mpu-banner 4music.com##.mpu-block rightmove.co.uk##.mpu-slot muzu.tv##.mpu-wrap crash.net##.mpuBack +digitalartsonline.co.uk##.mpuHolder lonelyplanet.com##.mpuWrapper slidetoplay.com##.mpu_content_banner popjustice.com##.mpufloatleft @@ -38281,6 +39655,8 @@ manchesterconfidential.co.uk##.nag bbc.com##.native-promo-button 9gag.com##.naughty-box animenfo.com##.nav2 +btstorrent.so##.nav_bar + p\[style="margin:4px 0 10px 10px;font-size:14px;width:auto;padding:2px 50px 2px 50px;display:inline-block;border:none;border-radius:3px;background:#EBDCAF;color:#BE8714;font-weight:bold;"] + .tor +bloodninja.org##.navbar + .container-fluid > .row:first-child > .col-md-2:first-child typo3.org##.navigationbanners nba.com##.nbaSponsored universalsports.com##.nbc_Adv @@ -38294,6 +39670,7 @@ celebritynetworth.com##.networth_content_advert keepcalm-o-matic.co.uk##.new-banner northjersey.com##.newerheaderbg instructables.com##.newrightbar_div_10 +jpost.com##.news-feed-banner ckom.com,newstalk650.com##.news-sponsor afterdawn.com##.newsArticleGoogle afterdawn.com##.newsGoogleContainer @@ -38308,6 +39685,7 @@ hulkshare.com##.nhsBotBan travel.yahoo.com##.niftyoffst\[style="background-color: #CECECE; padding: 0px 2px 0px;"] 9news.com.au,ninemsn.com.au##.ninemsn-advert cosmopolitan.com.au,dolly.com.au##.ninemsn-mrec +filenuke.com,sharesix.com##.nnrplace smartmoney.com##.no-top-margin thedailycrux.com##.noPrint mtv.co.uk##.node-download @@ -38322,6 +39700,7 @@ cookingforengineers.com##.nothing primeshare.tv##.notification\[style="width:900px; margin-left:-10px;margin-bottom:-1px;"] philly.com##.nouveau financialpost.com##.npBgSponsoredLinks +channel4fm.com##.npDownload financialpost.com##.npSponsor financialpost.com,nationalpost.com##.npSponsorLogo nascar.com##.nscrAd @@ -38362,10 +39741,12 @@ search.yahoo.com##.overture getprice.com.au##.overviewnc2_side_mrec facebook.com##.ownsection\[role="option"] info.co.uk##.p +worldoftanks-wot.com##.p2small local.com##.pB5.mB15 polls.aol.com##.p_divR amazon.com##.pa-sp-container chaptercheats.com,longislandpress.com,tucows.com##.pad10 +demonoid.pw##.pad9px_left > table:nth-child(8) inquirer.net##.padtopbot5 xtremevbtalk.com##.page > #collapseobj_rbit hotfrog.ca,hotfrog.com,hotfrog.com.au,hotfrog.com.my##.page-banner @@ -38374,6 +39755,7 @@ politico.com##.page-skin-graphic channel4.com##.page-top-banner vehix.com##.pageHead krcrtv.com,ktxs.com,nbcmontana.com,wcti12.com,wcyb.com##.pageHeaderRow1 +freebetcodes.info##.page_free-bet-codes_1 nzcity.co.nz##.page_skyscraper nationalreview.com##.pagetools\[align="center"] optimum.net##.paidResult @@ -38384,19 +39766,21 @@ womenshealthmag.com##.pane-block-150 bostonherald.com##.pane-block-20 galtime.com##.pane-block-9 sportfishingmag.com##.pane-channel-sponsors-list -settv.co.za,sonymax.co.za##.pane-dart-dart-tag-300x250-rectangle +animax-asia.com,axn-asia.com,betvasia.com,gemtvasia.com,movies4men.co.uk,onetvasia.com,settv.co.za,sonychannel.co.za,sonychannelasia.com,sonymax.co.za,sonymoviechannel.co.uk,sonytv.com##.pane-dart-dart-tag-300x250-rectangle soundandvisionmag.com##.pane-dart-dart-tag-bottom thedrum.com##.pane-dfp thedrum.com##.pane-dfp-drum-mpu-adsense educationpost.com.hk##.pane-dfp-homepage-728x90 texasmonthly.com##.pane-dfp-sidebar-medium-rectangle-1 texasmonthly.com##.pane-dfp-sidebar-medium-rectangle-2 +pri.org##.pane-node-field-links-sponsors scmp.com##.pane-scmp-advert-doubleclick 2gb.com##.pane-sponsored-links-2 sensis.com.au##.panel tampabay.com##.panels-flexible-row-75-8 panarmenian.net##.panner_2 nst.com.my##.parargt +whatsthescore.com##.parier prolificnotion.co.uk,usatoday.com##.partner investopedia.com##.partner-center mail.com##.partner-container @@ -38404,10 +39788,11 @@ thefrisky.com##.partner-link-boxes-container nationtalk.ca##.partner-slides emporis.com##.partner-small timesofisrael.com##.partner-widget +domainmasters.co.ke##.partner2 kat.ph##.partner2Button kat.ph##.partner3Button newser.com##.partnerBottomBorder -solarmovie.so##.partnerButton +solarmovie.ag,solarmovie.so##.partnerButton bing.com##.partnerLinks newser.com##.partnerLinksText delish.com##.partnerPromoCntr @@ -38418,7 +39803,7 @@ mamaslatinas.com##.partner_links freshnewgames.com##.partnercontent_box money.msn.com##.partnerlogo bhg.com##.partnerpromos -2oceansvibe.com,amny.com,bundesliga.com,computershopper.com,evertonfc.com,freedict.com,independent.co.uk,pcmag.com,tgdaily.com,tweetmeme.com,wbj.pl,wilv.com##.partners +2oceansvibe.com,browardpalmbeach.com,bundesliga.com,citypages.com,computershopper.com,dallasobserver.com,evertonfc.com,freedict.com,houstonpress.com,independent.co.uk,miaminewtimes.com,ocweekly.com,pcmag.com,phoenixnewtimes.com,riverfronttimes.com,tgdaily.com,tweetmeme.com,villagevoice.com,wbj.pl,westword.com,wilv.com##.partners araratadvertiser.com.au,areanews.com.au,armidaleexpress.com.au,avonadvocate.com.au,batemansbaypost.com.au,baysidebulletin.com.au,begadistrictnews.com.au,bellingencourier.com.au,bendigoadvertiser.com.au,blayneychronicle.com.au,bombalatimes.com.au,boorowanewsonline.com.au,bordermail.com.au,braidwoodtimes.com.au,bunburymail.com.au,busseltonmail.com.au,camdencourier.com.au,canowindranews.com.au,centraladvocate.com.au,centralwesterndaily.com.au,cessnockadvertiser.com.au,colliemail.com.au,colypointobserver.com.au,coomaexpress.com.au,cootamundraherald.com.au,cowraguardian.com.au,crookwellgazette.com.au,dailyadvertiser.com.au,dailyliberal.com.au,donnybrookmail.com.au,dungogchronicle.com.au,easternriverinachronicle.com.au,edenmagnet.com.au,esperanceexpress.com.au,forbesadvocate.com.au,gleninnesexaminer.com.au,gloucesteradvocate.com.au,goondiwindiargus.com.au,goulburnpost.com.au,greatlakesadvocate.com.au,grenfellrecord.com.au,guyraargus.com.au,hardenexpress.com.au,hepburnadvocate.com.au,huntervalleynews.net.au,inverelltimes.com.au,irrigator.com.au,juneesoutherncross.com.au,lakesmail.com.au,lithgowmercury.com.au,macleayargus.com.au,mailtimes.com.au,maitlandmercury.com.au,mandurahmail.com.au,manningrivertimes.com.au,margaretrivermail.com.au,merimbulanewsonline.com.au,merredinmercury.com.au,moreechampion.com.au,mudgeeguardian.com.au,muswellbrookchronicle.com.au,myallcoastnota.com.au,nambuccaguardian.com.au,naroomanewsonline.com.au,narrominenewsonline.com.au,newcastlestar.com.au,northerndailyleader.com.au,northweststar.com.au,nvi.com.au,nynganobserver.com.au,oberonreview.com.au,parkeschampionpost.com.au,portnews.com.au,portpirierecorder.com.au,portstephensexaminer.com.au,queanbeyanage.com.au,riverinaleader.com.au,sconeadvocate.com.au,singletonargus.com.au,southcoastregister.com.au,southernhighlandnews.com.au,southernweekly.com.au,standard.net.au,stawelltimes.com.au,summitsun.com.au,tenterfieldstar.com.au,theadvocate.com.au,thecourier.com.au,theherald.com.au,theridgenews.com.au,therural.com.au,townandcountrymagazine.com.au,ulladullatimes.com.au,waginargus.com.au,walchanewsonline.com.au,wauchopegazette.com.au,wellingtontimes.com.au,westernadvocate.com.au,westernmagazine.com.au,winghamchronicle.com.au,yasstribune.com.au,youngwitness.com.au##.partners-container serverwatch.com##.partners_ITs racinguk.com##.partners_carousel_container @@ -38449,7 +39834,7 @@ qikr.co##.placeholder1 qikr.co##.placeholder2 autotrader.co.uk##.placeholderBottomLeaderboard autotrader.co.uk##.placeholderTopLeaderboard -dummies.com##.placement +dummies.com,laweekly.com##.placement world-airport-codes.com##.placement-leaderboard world-airport-codes.com##.placement-mpu world-airport-codes.com##.placement-skyscraper @@ -38495,6 +39880,7 @@ cincinnati.com,wbir.com##.poster-container phonebook.com.pk##.posterplusmiddle phonebook.com.pk##.posterplustop picocool.com##.postgridsingle +1019thewolf.com,923thefox.com,fox1150.com,hot1035radio.com,indie1031.com##.posts-banner firstpost.com##.powBy geekzone.co.nz##.poweredBy infowars.com,prisonplanet.com##.ppani @@ -38533,7 +39919,7 @@ openwith.org##.program-link pbs.org##.program-support gokunming.com##.prom wnd.com##.prom-full-width-expandable -babynamegenie.com,computerandvideogames.com,dailyrecord.co.uk,eclipse.org,film.com,foreignpolicy.com,indiatimes.com,irishmirror.ie,manchestereveningnews.co.uk,nbcbayarea.com,networkworld.com,planetsourcecode.com,sandiego6.com,sciagaj.org,thenextweb.com,theonion.com,totalxbox.com,varsity.com,wsj.com##.promo +babynamegenie.com,computerandvideogames.com,dailyrecord.co.uk,eclipse.org,film.com,foreignpolicy.com,irishmirror.ie,manchestereveningnews.co.uk,nbcbayarea.com,networkworld.com,planetsourcecode.com,sandiego6.com,sciagaj.org,thenextweb.com,theonion.com,totalxbox.com,varsity.com,wsj.com##.promo yfrog.com,yt-festivals.appspot.com##.promo-area bbcgoodfood.com,pri.org##.promo-box lamag.com##.promo-container @@ -38548,9 +39934,10 @@ imageshack.com##.promo-right thepeoplesperson.com##.promo-right-300 miniclip.com##.promo-text miniclip.com##.promo-unit -infoworld.com,itworld.com##.promo.list +cio.com,csoonline.com,infoworld.com,itworld.com,javaworld.com##.promo.list bollywoodhungama.com##.promo266 cnet.com##.promo3000 +semoneycontrol.com##.promoBanner downloadcrew.com##.promoBar zdnet.com##.promoBox fitnessmagazine.com##.promoContainer @@ -38571,12 +39958,15 @@ twitter.com##.promoted-trend twitter.com##.promoted-tweet youtube.com##.promoted-videos search.genieo.com##.promoted_right +bizcommunity.com##.promotedcontent-box reddit.com##.promotedlink +northcountrypublicradio.org##.promotile twitter.com##.promotion yfrog.com##.promotion-side vogue.co.uk##.promotionButtons thenextweb.com##.promotion_frame mademan.com##.promotion_module +951shinefm.com##.promotional-space wired.co.uk##.promotions domainnamewire.com##.promotions_120x240 journallive.co.uk,liverpooldailypost.co.uk,people.co.uk,walesonline.co.uk##.promotop @@ -38623,9 +40013,11 @@ search.icq.com##.r2-1 decoist.com##.r300 periscopepost.com##.r72890 contactmusic.com##.rCol -rt.com##.r_banner +joins.com,rt.com##.r_banner dietsinreview.com##.r_content_300x250 wahm.com##.rad-links +wired.com##.rad-top +dawn.com##.radWrapper kvcr.org##.radio_livesupport about.com##.radlinks mygames4girls.com##.rads07 @@ -38668,6 +40060,7 @@ extrahardware.com##.region-skyscraper freshwap.net##.regular futbol24.com##.rek topclassifieds.info##.reklama_vip +radiosi.eu##.reklame appleinsider.com##.rel-half-r-cnt-ad israbox.com,sedoparking.com,techeblog.com##.related pokerupdate.com##.related-room @@ -38680,13 +40073,14 @@ forums.whirlpool.net.au##.reply\[style="padding: 0;"] search.icq.com##.res_sp techrepublic.com##.resource-centre intelius.com##.resourceBox -informationweek.com,infoworld.com##.resources +cio.com,informationweek.com##.resources website-unavailable.com##.response macmillandictionary.com##.responsive_cell_whole simplefilesearch.com##.result-f wrongdiagnosis.com##.result_adv yellowpages.bw,yellowpages.co.ls,yellowpages.co.zm##.result_item_gold yellowpages.bw,yellowpages.co.ls,yellowpages.co.zm##.result_item_silver +torrents.de,torrentz.ch,torrentz.com,torrentz.eu,torrentz.in,torrentz.li,torrentz.me,torrentz.ph##.results > h3 > div\[style="text-align:center"] hotbot.com##.results-top yellowbook.com##.resultsBanner nickjr.com##.resultsSponsoredBy @@ -38706,6 +40100,7 @@ pv-magazine.com##.ric_rot_banner siteslike.com##.rif marieclaire.co.uk,search.smartaddressbar.com,usnewsuniversitydirectory.com##.right yourepeat.com##.right > .bigbox:first-child +intoday.in##.right-add jrn.com##.right-banner linuxinsider.com,macnewsworld.com##.right-bb greenbiz.com,greenerdesign.com##.right-boom-small @@ -38740,6 +40135,7 @@ findlaw.com##.rightcol_300x250 findlaw.com##.rightcol_sponsored coolest-gadgets.com##.rightcolbox\[style="height: 250px;"] computerworld.co.nz##.rightcontent +khmertimeskh.com##.rightheader bikesportnews.com##.rightmpu press-citizen.com##.rightrail-promo theteachercorner.net##.rightside @@ -38771,6 +40167,7 @@ theatlantic.com##.rotating-article-promo impactwrestling.com,newswireless.net##.rotator leadership.ng##.rotor leadership.ng##.rotor-items\[style="width: 300px; height: 260px; visibility: visible;"] +toolslib.net##.row > .col-md-5 > .rotate-90 lonelyplanet.com##.row--leaderboard bikechatforums.com##.row1\[style="padding: 5px;"] bikechatforums.com##.row2\[style="padding: 5px;"] @@ -38899,7 +40296,7 @@ autos.msn.com##.showcase zillow.com##.showcase-outline crunchyroll.com##.showmedia-tired-of-ads complex.com##.side-300x600 -makeuseof.com##.side-banner +makeuseof.com,viva.co.nz##.side-banner apptism.com##.side-banner-holder metrolyrics.com##.side-box.clearfix desktopreview.com##.side-resouresc @@ -38917,6 +40314,7 @@ electricpig.co.uk##.side_wide_banner blackpenguin.net,newburytoday.co.uk##.sidebar weknowmemes.com##.sidebar > .widgetcontainer linksfu.com##.sidebar > ul > .sidebox +thejointblog.com##.sidebar img\[width="235"]\[height="150"] reelseo.com##.sidebar-125-box reelseo.com##.sidebar-125-events makeuseof.com##.sidebar-banner @@ -38925,6 +40323,7 @@ infdaily.com##.sidebar-box4 ditii.com##.sidebar-left rte.ie##.sidebar-mpu blogtechnical.com##.sidebar-outline +g4chan.com##.sidebar-rectangle techi.com##.sidebar-rectangle-banner timesofisrael.com##.sidebar-spotlight techi.com##.sidebar-square-banner @@ -38960,7 +40359,7 @@ zerohedge.com##.similar-box greatis.com##.sing cryptothrift.com##.single-auction-ad infosecurity-magazine.com##.site-leaderboard -fxstreet.com##.site-sponsor +fxstreet.com,macstories.net##.site-sponsor faithtalk1500.com,kfax.com,wmca.com##.siteWrapLink itproportal.com##.site_header cracked.com##.site_sliver @@ -38974,6 +40373,7 @@ indeed.com##.sjl0 indeed.co.uk,indeed.com##.sjl1t bit.com.au##.skin-btn autocarindia.com##.skin-link +tennisworldusa.org##.skin1 videogamer.com,zdnet.com##.skinClick entrepreneur.com,newstatesman.com##.sky miniclip.com##.sky-wrapper @@ -39009,7 +40409,7 @@ thebeachchannel.tv##.slideshow kcra.com,ketv.com,kmbc.com,wcvb.com,wpbf.com,wtae.com##.slideshowCover bonappetit.com##.slideshow_sidebar_divider thephuketnews.com##.slidesjs-container -burbankleader.com,chicagotribune.com,citypaper.com,dailypilot.com,glendalenewspress.com,hbindependent.com,lacanadaonline.com,redeyechicago.com,vacationstarter.com,vagazette.com##.slidingbillboard +burbankleader.com,citypaper.com,dailypilot.com,glendalenewspress.com,hbindependent.com,lacanadaonline.com,vacationstarter.com,vagazette.com##.slidingbillboard foodfacts.com##.slimBanner ecommercetimes.com##.slink-text ecommercetimes.com##.slink-title @@ -39055,6 +40455,7 @@ nationmultimedia.com##.span-7-1\[style="height:250px; overflow:hidden;"] kcsoftwares.com##.span2.well picosearch.com##.spblock askmen.com##.special +newsweek.com##.special-insight fashionmagazine.com##.special-messages pcmag.com##.special-offers euronews.com##.specialCoveragePub @@ -39086,11 +40487,11 @@ mediagazer.com##.sponrn pho.to,smartwebby.com,workhound.co.uk,yahoo.com##.spons blekko.com##.spons-res njuice.com,wwitv.com##.sponsb -timesofindia.indiatimes.com##.sponserlink -1310news.com,2oceansvibe.com,964eagle.co.uk,abc22now.com,airliners.net,animepaper.net,app.com,ar15.com,austinist.com,b100quadcities.com,bexhillobserver.net,blackpoolfc.co.uk,blackpoolgazette.co.uk,bloomberg.com,bognor.co.uk,bostonstandard.co.uk,brisbanetimes.com.au,brothersoft.com,businessinsider.com,canberratimes.com.au,cbslocal.com,cd1025.com,chicagoist.com,chichester.co.uk,concordmonitor.com,dcist.com,domainincite.com,eastbourneherald.co.uk,electricenergyonline.com,europages.co.uk,gamingcloud.com,gothamist.com,halifaxcourier.co.uk,hastingsobserver.co.uk,hellomagazine.com,homelife.com.au,informationweek.com,isearch.igive.com,khak.com,kkyr.com,kosy790am.com,kpbs.org,ktla.com,kygl.com,laist.com,lcfc.com,lep.co.uk,limerickleader.ie,lmgtfy.com,mg.co.za,mix933fm.com,networkworld.com,newrepublic.com,news1130.com,newsweek.com,nocamels.com,pastie.org,pogo.com,portsmouth.co.uk,power959.com,prestontoday.net,proactiveinvestors.com,proactiveinvestors.com.au,publicradio.org,rock1049.com,rte.ie,scotsman.com,sfist.com,shieldsgazette.com,skysports.com,smh.com.au,spaldingtoday.co.uk,star935fm.com,sunderlandecho.com,techonomy.com,theage.com.au,thescarboroughnews.co.uk,thestar.co.uk,theworld.org,userscripts.org,variety.com,verizon.net,videolan.org,washingtonpost.com,watoday.com.au,wayfm.com,wfnt.com,wigantoday.net,wklh.com,wscountytimes.co.uk,wsj.com,yorkshireeveningpost.co.uk,yorkshirepost.co.uk,zdnet.co.uk,zuula.com##.sponsor +1310news.com,2oceansvibe.com,964eagle.co.uk,abc22now.com,airliners.net,animepaper.net,app.com,ar15.com,austinist.com,b100quadcities.com,bexhillobserver.net,blackpoolfc.co.uk,blackpoolgazette.co.uk,bloomberg.com,bognor.co.uk,bostonstandard.co.uk,brisbanetimes.com.au,brothersoft.com,businessinsider.com,canberratimes.com.au,cbslocal.com,cd1025.com,chicagoist.com,chichester.co.uk,concordmonitor.com,dcist.com,domainincite.com,eastbourneherald.co.uk,electricenergyonline.com,europages.co.uk,gamingcloud.com,gothamist.com,halifaxcourier.co.uk,hastingsobserver.co.uk,hellomagazine.com,homelife.com.au,informationweek.com,isearch.igive.com,khak.com,kkyr.com,kosy790am.com,kpbs.org,ktla.com,kygl.com,laist.com,lcfc.com,lep.co.uk,limerickleader.ie,lmgtfy.com,mg.co.za,mix933fm.com,networkworld.com,newrepublic.com,news1130.com,newsweek.com,nocamels.com,nouse.co.uk,pastie.org,pogo.com,portsmouth.co.uk,power959.com,prestontoday.net,proactiveinvestors.com,proactiveinvestors.com.au,publicradio.org,rock1049.com,rte.ie,scotsman.com,sfist.com,shieldsgazette.com,skysports.com,smh.com.au,spaldingtoday.co.uk,star935fm.com,sunderlandecho.com,techonomy.com,theage.com.au,thescarboroughnews.co.uk,thestar.co.uk,theworld.org,userscripts.org,variety.com,verizon.net,videolan.org,washingtonpost.com,watoday.com.au,wayfm.com,wfnt.com,wigantoday.net,wklh.com,wscountytimes.co.uk,wsj.com,yorkshireeveningpost.co.uk,yorkshirepost.co.uk,zdnet.co.uk,zuula.com##.sponsor search.comcast.net##.sponsor-6 kiswrockgirls.com##.sponsor-banner bbc.com##.sponsor-container +search.yahoo.com##.sponsor-dd pcmag.com##.sponsor-head theweek.co.uk##.sponsor-image diynetwork.com##.sponsor-lead @@ -39103,6 +40504,7 @@ mnn.com##.sponsor-title-image theweek.co.uk##.sponsor-top linux-mag.com##.sponsor-widget tumblr.com##.sponsor-wrap +clgaming.net##.sponsor-wrapper 411.com,whitepages.com,wprugby.com##.sponsor1 msn.com,wprugby.com##.sponsor2 msn.com,wprugby.com##.sponsor3 @@ -39115,15 +40517,15 @@ dlife.com##.sponsorSpecials blbclassic.org##.sponsorZone channel5.com##.sponsor_container bolandrugby.com##.sponsor_holder -103gbfrocks.com,1061evansville.com,1130thetiger.com,580kido.com,790wtsk.com,943loudwire.com,953thebear.com,991wdgm.com,999thepoint.com,am1400espn.com,b1017online.com,i1071.com,i95rock.com,k2radio.com,k99.com,kdat.com,kezj.com,khak.com,kissfm969.com,krna.com,ktemnews.com,kygl.com,mix106radio.com,mix933fm.com,newstalk1280.com,nj1015.com,tide991.com,tri1025.com,wblm.com,wbsm.com,wcyy.com,wfnt.com,wjltevansville.com,wkdq.com,wtug.com,y105music.com##.sponsor_image videolan.org##.sponsor_img +go963mn.com##.sponsor_strip sat-television.com,satfriends.com,satsupreme.com##.sponsor_wrapper freeyourandroid.com##.sponsorarea vancouversun.com##.sponsorcontent buump.me##.sponsord monsterindia.com##.sponsoreRes monsterindia.com##.sponsoreRes_rp -24hrs.ca,92q.com,abovethelaw.com,app.com,argusleader.com,asktofriends.com,azdailysun.com,battlecreekenquirer.com,baxterbulletin.com,break.com,bucyrustelegraphforum.com,burlingtonfreepress.com,centralohio.com,chillicothegazette.com,chronicle.co.zw,cincinnati.com,cio.com,citizen-times.com,clarionledger.com,cnbc.com,cnet.com,coloradoan.com,computerworld.com,coshoctontribune.com,courier-journal.com,courierpostonline.com,dailyrecord.com,dailyworld.com,defensenews.com,delawareonline.com,delmarvanow.com,desmoinesregister.com,divamag.co.uk,dnj.com,examiner.co.uk,express.co.uk,fdlreporter.com,federaltimes.com,findbestvideo.com,floridatoday.com,freep.com,funnyordie.com,geektime.com,govtech.com,greatfallstribune.com,greenbaypressgazette.com,greenvilleonline.com,guampdn.com,hattiesburgamerican.com,hellobeautiful.com,herald.co.zw,hometownlife.com,hotklix.com,htrnews.com,imgur.com,indystar.com,infoworld.com,ithacajournal.com,jacksonsun.com,jconline.com,knoworthy.com,lansingstatejournal.com,lfpress.com,livingstondaily.com,lohud.com,lycos.com,mansfieldnewsjournal.com,marionstar.com,marketingland.com,marshfieldnewsherald.com,montgomeryadvertiser.com,mycentraljersey.com,mydesert.com,mywot.com,networkworld.com,newarkadvocate.com,news-leader.com,news-press.com,newsleader.com,newsone.com,niagarafallsreview.ca,noscript.net,nugget.ca,pal-item.com,pcworld.com,phoenixnewtimes.com,pnj.com,portclintonnewsherald.com,postcrescent.com,poughkeepsiejournal.com,press-citizen.com,pressconnects.com,racinguk.com,rapidlibrary.com,rgj.com,salon.com,scottishdailyexpress.co.uk,sctimes.com,searchengineland.com,seroundtable.com,sheboyganpress.com,shreveporttimes.com,slate.com,stargazette.com,statesmanjournal.com,stevenspointjournal.com,tallahassee.com,tennessean.com,theadvertiser.com,theatlantic.com,thebarrieexaminer.com,thecalifornian.com,thedailyjournal.com,thedailyobserver.ca,theguardian.com,theleafchronicle.com,thenews-messenger.com,thenewsstar.com,thenorthwestern.com,theobserver.ca,thepeterboroughexaminer.com,thespectrum.com,thestarpress.com,thetimesherald.com,thetowntalk.com,torrentz.in,torrentz.me,trovit.co.uk,visaliatimesdelta.com,washingtonpost.com,wausaudailyherald.com,wheels.ca,wisconsinrapidstribune.com,yippy.com,zanesvilletimesrecorder.com##.sponsored +24hrs.ca,92q.com,abovethelaw.com,app.com,argusleader.com,asktofriends.com,azdailysun.com,battlecreekenquirer.com,baxterbulletin.com,break.com,bucyrustelegraphforum.com,burlingtonfreepress.com,centralohio.com,chillicothegazette.com,chronicle.co.zw,cincinnati.com,cio.com,citizen-times.com,clarionledger.com,cnbc.com,cnet.com,coloradoan.com,computerworld.com,coshoctontribune.com,courier-journal.com,courierpostonline.com,dailyrecord.com,dailyworld.com,defensenews.com,delawareonline.com,delmarvanow.com,desmoinesregister.com,divamag.co.uk,dnj.com,examiner.co.uk,express.co.uk,fdlreporter.com,federaltimes.com,findbestvideo.com,floridatoday.com,freep.com,funnyordie.com,geektime.com,govtech.com,greatfallstribune.com,greenbaypressgazette.com,greenvilleonline.com,guampdn.com,hattiesburgamerican.com,hellobeautiful.com,herald.co.zw,hometownlife.com,hotklix.com,htrnews.com,imgur.com,indystar.com,infoworld.com,isohunt.to,ithacajournal.com,ixquick.com,jacksonsun.com,javaworld.com,jconline.com,knoworthy.com,lansingstatejournal.com,lfpress.com,livingstondaily.com,lohud.com,lycos.com,mansfieldnewsjournal.com,marionstar.com,marketingland.com,marshfieldnewsherald.com,montgomeryadvertiser.com,mycentraljersey.com,mydesert.com,mywot.com,networkworld.com,newarkadvocate.com,news-leader.com,news-press.com,newsleader.com,newsone.com,niagarafallsreview.ca,noscript.net,nugget.ca,pal-item.com,pcworld.com,phoenixnewtimes.com,pnj.com,portclintonnewsherald.com,postcrescent.com,poughkeepsiejournal.com,press-citizen.com,pressconnects.com,racinguk.com,rapidlibrary.com,rgj.com,salon.com,scottishdailyexpress.co.uk,sctimes.com,searchengineland.com,seroundtable.com,sheboyganpress.com,shreveporttimes.com,slate.com,stargazette.com,startpage.com,statesmanjournal.com,stevenspointjournal.com,tallahassee.com,tennessean.com,theadvertiser.com,theatlantic.com,thebarrieexaminer.com,thecalifornian.com,thedailyjournal.com,thedailyobserver.ca,theguardian.com,theleafchronicle.com,thenews-messenger.com,thenewsstar.com,thenorthwestern.com,theobserver.ca,thepeterboroughexaminer.com,thespectrum.com,thestarpress.com,thetimesherald.com,thetowntalk.com,torrentz.in,torrentz.me,trovit.co.uk,visaliatimesdelta.com,washingtonpost.com,wausaudailyherald.com,wheels.ca,wisconsinrapidstribune.com,yippy.com,zanesvilletimesrecorder.com##.sponsored gardensillustrated.com##.sponsored-articles citizen.co.za,policeone.com##.sponsored-block general-files.com##.sponsored-btn @@ -39149,6 +40551,7 @@ eluta.ca##.sponsoredJobsTable iol.co.za##.sponsoredLinksList technologyreview.com##.sponsored_bar generalfiles.me##.sponsored_download +news24.com##.sponsored_item jobs.aol.com##.sponsored_listings tumblr.com##.sponsored_post funnyordie.com##.sponsored_videos @@ -39157,7 +40560,7 @@ news-medical.net##.sponsorer-note classifiedads.com##.sponsorhitext dailyglow.com##.sponsorlogo premierleague.com##.sponsorlogos -affiliatesrating.com,allkpop.com,androidfilehost.com,arsenal.com,audiforums.com,blueletterbible.org,canaries.co.uk,capitalfm.co.ke,dolliecrave.com,eaglewavesradio.com.au,foodhub.co.nz,freshwap.me,herold.at,indiatimes.com,keepvid.com,meanjin.com.au,morokaswallows.co.za,nesn.com,quotes.net,thebulls.co.za,thinksteroids.com,wbal.com,yellowpageskenya.com##.sponsors +affiliatesrating.com,allkpop.com,androidfilehost.com,arsenal.com,audiforums.com,blueletterbible.org,canaries.co.uk,capitalfm.co.ke,dolliecrave.com,eaglewavesradio.com.au,foodhub.co.nz,freshwap.me,geckoforums.net,herold.at,keepvid.com,lake-link.com,meanjin.com.au,morokaswallows.co.za,nesn.com,quotes.net,thebulls.co.za,thedailywtf.com,thinksteroids.com,wbal.com,yellowpageskenya.com##.sponsors herold.at##.sponsors + .hdgTeaser herold.at##.sponsors + .hdgTeaser + #karriere pri.org##.sponsors-logo-group @@ -39184,7 +40587,7 @@ superpages.com##.sponsreulst tuvaro.com##.sponsrez wwitv.com##.sponstv dailymail.co.uk,mailonsunday.co.uk##.sport.item > .cmicons.cleared.bogr3.link-box.linkro-darkred.cnr5 -alexandriagazette.com,arlingtonconnection.com,burkeconnection.com,centre-view.com,connection-sports.com,fairfaxconnection.com,fairfaxstationconnection.com,garfield.com,greatfallsconnection.com,herndonconnection.com,kusports.com,mcleanconnection.com,mountvernongazette.com,potomacalmanac.com,reston-connection.com,springfieldconnection.com,union-bulletin.com,viennaconnection.com##.spot +alexandriagazette.com,arlingtonconnection.com,burkeconnection.com,centre-view.com,connection-sports.com,emporis.com,fairfaxconnection.com,fairfaxstationconnection.com,garfield.com,greatfallsconnection.com,herndonconnection.com,kusports.com,mcleanconnection.com,mountvernongazette.com,potomacalmanac.com,reston-connection.com,springfieldconnection.com,union-bulletin.com,viennaconnection.com##.spot thewhir.com##.spot-125x125 thewhir.com##.spot-234x30 thewhir.com##.spot-728x90 @@ -39195,6 +40598,7 @@ jpost.com##.spotlight-long edmunds.com##.spotlight-set jpost.com##.spotlight-single u-file.net##.spottt_tb +drum.co.za,thejuice.co.za##.spreetv--container digitalmemo.net##.spresults walmart.com##.sprite-26_IMG_ADVERTISEMENT_94x7 picosearch.com##.sptitle @@ -39226,6 +40630,7 @@ stardoll.com##.stardollads simplyassist.co.uk##.std_BottomLine pcauthority.com.au##.storeWidget pcauthority.com.au##.storeWidgetBottom +punchng.com##.story-bottom abcnews.go.com##.story-embed-left.box m.facebook.com,touch.facebook.com##.storyStream > ._6t2\[data-sigil="marea"] m.facebook.com,touch.facebook.com##.storyStream > .fullwidth._539p @@ -39249,6 +40654,7 @@ deviantart.com,sta.sh##.subbyCloseX ycuniverse.com##.subheader_container businessinsider.com##.subnav-container viralviralvideos.com##.suf-horizontal-widget +interaksyon.com##.super-leader-board t3.com##.superSky djtunes.com##.superskybanner wamu.org##.supportbanner @@ -39256,11 +40662,14 @@ listio.com##.supporter spyka.net##.swg-spykanet-adlocation-250 eweek.com##.sxs-mod-in eweek.com##.sxs-spon +tourofbritain.co.uk##.sys_googledfp sedoparking.com##.system.links emoneyspace.com##.t_a_c movreel.com##.t_download torrentbit.net##.t_splist dealsofamerica.com##.tab_ext +whatsthescore.com##.table-odds +newsbtc.com##.table-responsive thescore.com##.tablet-big-box thescore.com##.tablet-leaderboard relevantradio.com##.tabs @@ -39274,6 +40683,7 @@ recombu.com##.takeover-left flicks.co.nz##.takeover-link recombu.com##.takeover-right speedtv.com##.takeover_link +tamilyogi.tv##.tamilyogi taste.com.au##.taste-leaderboard-ad fulldls.com##.tb_ind koreaherald.com##.tbanner @@ -39293,6 +40703,7 @@ soccerway.com##.team-widget-wrapper-content-placement 4shared.com,itproportal.com##.teaser mmegi.bw##.template_leaderboard_space dirpy.com##.text-center\[style="margin-top: 20px"] +dirpy.com##.text-center\[style="margin-top: 20px;display: block;"] adelaidenow.com.au##.text-g-an-web-group-news-affiliate couriermail.com.au##.text-g-cm-web-group-news-affiliate perthnow.com.au##.text-g-pn-web-group-news-affiliate @@ -39316,6 +40727,7 @@ seedmagazine.com##.theAd burntorangereport.com##.theFlip thonline.com##.thheaderweathersponsor vogue.com##.thin_banner +hqq.tv##.this_pays thesaturdaypaper.com.au##.thp-wrapper y100.com##.threecolumn_rightcolumn affiliates4u.com##.threehundred @@ -39332,6 +40744,7 @@ pichunter.com##.tiny cincinnati.com##.tinyclasslink aardvark.co.nz##.tinyprint softwaredownloads.org##.title2 +sumotorrent.sx##.title_green\[align="left"]\[style="margin-top:18px;"] + table\[cellspacing="0"]\[cellpadding="0"]\[border="0"] domains.googlesyndication.com##.title_txt02 wambie.com##.titulo_juego1_ad_200x200 myspace.com##.tkn_medrec @@ -39343,18 +40756,19 @@ timeout.com##.to-offers ghanaweb.com##.tonaton-ads mp3lyrics.org##.tonefuse_link newsok.com##.toolbar_sponsor -investopedia.com,thehill.com##.top +investopedia.com,runescape.com,thehill.com##.top warezchick.com##.top > p:last-child searchza.com,webpronews.com##.top-750 -9to5google.com,animetake.com,arabianbusiness.com,brainz.org,dailynews.gov.bw,ebony.com,extremesportman.com,leadership.ng,leedsunited.com,letstalkbitcoin.com,rockthebells.net,spanishdict.com,torrentreactor.net,weeklyworldnews.com##.top-banner +9to5google.com,animetake.com,arabianbusiness.com,brainz.org,dailynews.gov.bw,ebony.com,extremesportman.com,firsttoknow.com,leadership.ng,leedsunited.com,letstalkbitcoin.com,reverso.net,rockthebells.net,spanishdict.com,torrentreactor.com,torrentreactor.net,weeklyworldnews.com##.top-banner manicapost.com##.top-banner-block rumorfix.com##.top-banner-container -imagesfood.com##.top-banner-div citymetric.com##.top-banners +thekit.ca##.top-block golf365.com##.top-con -azdailysun.com,billingsgazette.com,bismarcktribune.com,hanfordsentinel.com,lompocrecord.com,magicvalley.com,missoulian.com,mtstandard.com,napavalleyregister.com,nctimes.com,santamariatimes.com,stltoday.com##.top-leader-wrapper -931dapaina.com,politico.com##.top-leaderboard +azdailysun.com,billingsgazette.com,bismarcktribune.com,hanfordsentinel.com,journalstar.com,lompocrecord.com,magicvalley.com,missoulian.com,mtstandard.com,napavalleyregister.com,nctimes.com,santamariatimes.com,stltoday.com##.top-leader-wrapper +931dapaina.com,politico.com,sciencedaily.com##.top-leaderboard film.com##.top-leaderboard-container +sciencedaily.com##.top-rectangle 1340bigtalker.com##.top-right-banner espnfc.com##.top-row theticketmiami.com##.top-super-leaderboard @@ -39369,13 +40783,14 @@ celebrity.aol.co.uk,christianpost.com,comicsalliance.com,csnews.com,europeantour urgames.com##.topBannerBOX onetime.com##.topBannerPlaceholder ebay.co.uk,ebay.com##.topBnrSc +techadvisor.co.uk##.topLeader kjonline.com,pressherald.com##.topLeaderboard technomag.co.zw##.topLogoBanner yellowbook.com##.topPlacement search.sweetim.com##.topSubHeadLine2 weatherology.com##.top_660x100 channelstv.com##.top_alert -androidcommunity.com,emu-russia.net,freeiconsweb.com,hydrocarbonprocessing.com,kohit.net,novamov.com,praguepost.com,themediaonline.co.za,themoscowtimes.com,voxilla.com##.top_banner +androidcommunity.com,emu-russia.net,freeiconsweb.com,hydrocarbonprocessing.com,kohit.net,novamov.com,praguepost.com,themediaonline.co.za,themoscowtimes.com,voxilla.com,weta.org##.top_banner joebucsfan.com##.top_banner_cont freeridegames.com##.top_banner_container thebatt.com##.top_banner_place @@ -39388,17 +40803,18 @@ postcourier.com.pg##.top_logo_righ_img wallpapersmania.com##.top_pad_10 babylon.com##.top_right finecooking.com##.top_right_lrec -4chan.org,everydayhealth.com,gamingonlinux.com,goodanime.net,intothegloss.com,makezine.com,mirrorcreator.com,rollingout.com,sina.com,thenewstribe.com##.topad +4chan.org,everydayhealth.com,gamingonlinux.com,goodanime.eu,intothegloss.com,makezine.com,mangashare.com,mirrorcreator.com,rollingout.com,sina.com,thenewstribe.com##.topad filezoo.com,nx8.com,search.b1.org##.topadv gofish.com##.topban1 gofish.com##.topban2 -900amwurd.com,bankrate.com,chaptercheats.com,copykat.com,dawn.com,dotmmo.com,downv.com,factmonster.com,harpers.org,mumbaimirror.com,newreviewsite.com,opposingviews.com,softonic.com,thinkdigit.com##.topbanner +900amwurd.com,bankrate.com,chaptercheats.com,copykat.com,dawn.com,dotmmo.com,downv.com,factmonster.com,harpers.org,mumbaimirror.com,newreviewsite.com,opposingviews.com,softonic.com,thinkdigit.com,weta.org##.topbanner softonic.com##.topbanner_program webstatschecker.com##.topcenterbanner channel103.com,islandfm.com##.topheaderbanner bloggingstocks.com,emedtv.com,gadling.com,minnpost.com##.topleader blackpenguin.net,gamesting.com##.topleaderboard search.ch##.toplinks +ndtv.com##.topsponsors_wrap houndmirror.com,torrenthound.com,torrenthoundproxy.com##.topspot yttalk.com##.topv enn.com##.topwrapper @@ -39423,8 +40839,8 @@ dailymail.co.uk##.travel-booking-links dailymail.co.uk##.travel.item.button_style_module dailymail.co.uk##.travel.item.html_snippet_module nj.com##.travidiatd -baltimoresun.com,chicagotribune.com,courant.com,dailypress.com,latimes.com,mcall.com,orlandosentinel.com,sun-sentinel.com##.trb_outfit_sponsorship -baltimoresun.com,chicagotribune.com,courant.com,dailypress.com,latimes.com,mcall.com,orlandosentinel.com,sun-sentinel.com##.trb_taboola +baltimoresun.com,chicagotribune.com,courant.com,dailypress.com,latimes.com,mcall.com,orlandosentinel.com,redeyechicago.com,sun-sentinel.com##.trb_outfit_sponsorship +baltimoresun.com,chicagotribune.com,courant.com,dailypress.com,latimes.com,mcall.com,orlandosentinel.com,redeyechicago.com,sun-sentinel.com##.trb_taboola weather.com##.trc_recs_column + .right-column sitepoint.com##.triggered-cta-box-wrapper-bg thestar.com##.ts-articlesidebar_wrapper @@ -39487,13 +40903,14 @@ praguepost.com##.vertical_banner cnn.com##.vidSponsor thevideo.me##.vid_a8 autoslug.com##.video -dailystoke.com##.video-ad +dailystoke.com,wimp.com##.video-ad drive.com.au##.videoGalLinksSponsored answers.com##.video_1 answers.com##.video_2 thevideo.me##.video_a800 videobam.com##.video_banner fora.tv##.video_plug_space +rapidvideo.org##.video_sta timeoutmumbai.net##.videoad2 soccerclips.net##.videoaddright1 straitstimes.com##.view-2014-qoo10-feature @@ -39510,7 +40927,7 @@ imagebunk.com##.view_banners relink.us##.view_middle_block vidiload.com##.vinfobanner vipleague.co##.vip_006x061 -vipleague.co##.vip_09x827 +vipleague.co,vipleague.me##.vip_09x827 host1free.com##.virus-information greenoptimistic.com##.visiblebox\[style^="position: fixed; z-index: 999999;"] viamichelin.co.uk,viamichelin.com##.vm-pub-home300 @@ -39534,6 +40951,9 @@ weatherbug.com##.wXcds2 ptf.com,software.informer.com##.w_e xe.com##.wa_leaderboard utrend.tv##.wad +sportskrap.com##.wallpaper-link +naij.com##.wallpaper__bg +naij.com##.wallpaper__top torrentdownloads.net##.warez imdb.com##.watch-bar youtube.com##.watch-extra-info-column @@ -39578,11 +40998,13 @@ roms43.com##.widebanner videogamer.com##.widesky networkworld.com##.wideticker torrentfreak.com##.widg-title +soccer24.co.zw##.widget-1 newsbtc.com##.widget-1 > .banner +soccer24.co.zw##.widget-2 smartearningsecrets.com##.widget-area hdtvtest.co.uk##.widget-container wikinvest.com##.widget-content-nvadslotcomponent -bloombergtvafrica.com##.widget-mpu +bloombergtvafrica.com,miniclip.com##.widget-mpu thevine.com.au##.widget-shopstyle shanghaiist.com##.widget-skyscraper abovethelaw.com##.widget-sponsor @@ -39603,18 +41025,18 @@ fxempire.com##.widget_latest_promotions fxempire.com##.widget_latest_promotions_right geek.com##.widget_logicbuy_first_deal modamee.com##.widget_nav_menu -kclu.org,notjustok.com##.widget_openxwpwidget fxempire.com##.widget_recommended_brokers -blackenterprise.com##.widget_sidebarad_300x250 twistedsifter.com##.widget_sifter_ad_bigbox_widget amygrindhouse.com,lostintechnology.com##.widget_text fxempire.com##.widget_top_brokers venturebeat.com##.widget_vb_dfp_ad wired.com##.widget_widget_widgetwiredadtile +indiatvnews.com##.wids educationbusinessuk.net##.width100 > a\[target="_blank"] > img educationbusinessuk.net##.width100 > p > a\[target="_blank"] > img listverse.com##.wiki espn.co.uk##.will_hill +oboom.com##.window_current foxsports.com##.wisfb_sponsor weatherzone.com.au##.wo-widget-wrap-1 planet5d.com##.wp-image-1573 @@ -39655,12 +41077,14 @@ candofinance.com,idealhomegarden.com##.yahooSl newsok.com##.yahoo_cm thetandd.com##.yahoo_content_match reflector.com##.yahooboss +tumblr.com##.yamplus-unit-container yardbarker.com##.yard_leader autos.yahoo.com##.yatAdInsuranceFooter autos.yahoo.com##.yatysm-y yelp.be,yelp.ca,yelp.ch,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.au,yelp.com.sg,yelp.ie##.yelp-add finance.yahoo.com##.yfi_ad_s groups.yahoo.com##.yg-mbad-row +groups.yahoo.com##.yg-mbad-row > * yelp.be,yelp.ca,yelp.ch,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.au,yelp.com.sg,yelp.ie##.yla yelp.be,yelp.ca,yelp.ch,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.au,yelp.com.sg,yelp.ie##.yloca-list yelp.be,yelp.ca,yelp.ch,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.au,yelp.com.sg,yelp.ie##.yloca-search-result @@ -39678,7 +41102,6 @@ maps.yahoo.com##.yui3-widget-stacked zvents.com##.z-spn-featured mail.google.com##.z0DeRc zacks.com##.zacks_header_ad_ignore -urbandictionary.com##.zazzle_links zap2it.com##.zc-station-position cricketcountry.com##.zeeibd downturk.net##.zippo @@ -39739,17 +41162,14 @@ powerbot.org##a > img\[width="729"] facebook.com##a\[ajaxify^="/ajax/emu/end.php?"] bitcointalk.org##a\[class^="td_headerandpost"]\[href^="https://www.privateinternetaccess.com"] pcmag.com##a\[data-section="Ads"] -kizna-blog.com##a\[href$=".clickbank.net"] linksave.in##a\[href$="speed"] +filenuke.com,sharesix.com##a\[href*="&popunder"] isearch.whitesmoke.com##a\[href*="&rt=gp&"] -ndtv.com##a\[href*=".amazonaws.com/r.php"] -ndtv.com##a\[href*=".amazonaws.com/redirect.php"] +filenuke.com,sharesix.com##a\[href*="&zoneid="] huffingtonpost.com##a\[href*=".atwola.com/"] -ch131.so##a\[href*=".clickbank.net"] -usabit.com##a\[href*=".clickbank.net/?tid="] imgah.com##a\[href*=".com/track/"] mangafox.me##a\[href*=".game321.com/"] -politicalears.com,siteworthchecker.com,worthvalue.net##a\[href*=".hop.clickbank.net/"] +in5d.com,jeffbullas.com,siteworthchecker.com##a\[href*=".hop.clickbank.net"] hotbollywoodactress.net##a\[href*=".makdi.com"] sportinglife.com##a\[href*=".skybet.com/"] punjabimob.org##a\[href*=".smaato.net"] @@ -39760,17 +41180,20 @@ business-standard.com##a\[href*="/adclicksTag.php?"] itweb.co.za##a\[href*="/adredir.php?"] bitcoinist.net##a\[href*="/adserv/click.php?id="] f1today.net##a\[href*="/advertorial--"] -filenuke.com,sharesix.com##a\[href*="/apu.php?"] adlock.org##a\[href*="/download/"] +videobull.to##a\[href*="/go-to-watch.php"] rapidok.com##a\[href*="/go/"] devshed.com##a\[href*="/www/delivery/"] ietab.net##a\[href*="/xadnet/"] ultimate-guitar.com##a\[href*="=http://www.jamplay.com/"] encyclopediadramatica.se##a\[href*="http://torguard.net/aff.php"] +inamsoftwares.com##a\[href=" http://60ads.com"] watch-movies-az.com##a\[href="../download_video.php"] unitconversion.org##a\[href="../noads.html"] +encyclopediadramatica.se##a\[href="//encyclopediadramatica.se/sparta.html"] insidefacebook.com##a\[href="/advertise"] fooooo.com##a\[href="/bannerClickCount.php"] +opensubtitles.org##a\[href="/en/aoxwnwylgqtvicv"] gtplanet.net##a\[href="/geo-GT6-preorder.php"] viewdocsonline.com##a\[href="/links/regboost_header.php"] mailinator.com##a\[href="/soget.jsp"] @@ -39785,16 +41208,17 @@ internet-online.org##a\[href="http://bn6us.etvcorp.track.clicksure.com"] delishows.com##a\[href="http://delishows.com/stream.php"] crackdb.cd##a\[href="http://directdl.com"] crackdb.cd##a\[href="http://down.cd/"] +onhax.net##a\[href="http://downloadlink.onhax.net"] encyclopediadramatica.es##a\[href="http://encyclopediadramatica.es/webcamgirls.html"] tny.cz##a\[href="http://followshows.com?tp"] tf2maps.net##a\[href="http://forums.tf2maps.net/payments.php"] generalfiles.me##a\[href="http://gofindmedia.net/"] search.yahoo.com##a\[href="http://help.yahoo.com/l/us/yahoo/search/basics/basics-03.html"] digitallydownloaded.net##a\[href="http://iphone.qualityindex.com/"] > img -jeffbullas.com##a\[href="http://jeffbullas.fbinfl.hop.clickbank.net"] bazoocam.org##a\[href="http://kvideo.org"] datafilehost.com##a\[href="http://liversely.net/datafileban"] maketecheasier.com##a\[href="http://maketecheasier.com/advertise"] +limetorrents.cc##a\[href="http://movie4u.org/"] moviefather.com##a\[href="http://moviefather.com/watchonline.php"] mp3truck.net##a\[href="http://mp3truck.net/get-torrent/"] my.rsscache.com##a\[href="http://nimbb.com"] @@ -39803,6 +41227,7 @@ ultimate-guitar.com##a\[href="http://plus.ultimate-guitar.com/ad-free/"] infowars.com##a\[href="http://prisonplanet.tv/"] forum.ihubhost.net##a\[href="http://proleaks.com"] propakistani.pk##a\[href="http://propakistani.pk/sms/"] +clashbot.org##a\[href="http://rsmalls.com"] > img gooddrama.net##a\[href="http://spendcrazy.net"] adrive.com##a\[href="http://stores.ebay.com/Berkeley-Communications-Corporation"] uniladmag.com##a\[href="http://thetoiletstore.bigcartel.com/"] @@ -39815,6 +41240,8 @@ vidbear.com##a\[href="http://videoworldx.com"] watch-movies-az.com##a\[href="http://watch-movies-az.com/download_video1.php"] bangtidy.net##a\[href="http://www.bangtidy.net/AFF.php"] bangtidy.net##a\[href="http://www.bangtidy.net/mrskin.php"] +betterhostreview.com##a\[href="http://www.betterhostreview.com/arvixe.com"] +betterhostreview.com##a\[href="http://www.betterhostreview.com/hosting-review-bluehost.htm"] activistpost.com##a\[href="http://www.bloggersecret.com/"] thejointblog.com##a\[href="http://www.bombseeds.nl/"] > img hscripts.com##a\[href="http://www.buildmylink.com"] @@ -39833,13 +41260,15 @@ scam.com##a\[href="http://www.ip-adress.com/trace_email/"] wiiuiso.com##a\[href="http://www.jobboy.com"] nichepursuits.com##a\[href="http://www.longtailpro.com"] makeuseof.com##a\[href="http://www.makeuseof.com/advertise/"] +megatorrent.eu##a\[href="http://www.megatorrent.eu/go2.html"] dailymirror.lk##a\[href="http://www.nawaloka.com/"] nichepursuits.com##a\[href="http://www.nichepursuits.com/whp"] nichepursuits.com##a\[href="http://www.nichewebsitetheme.com"] naijaborn.com##a\[href="http://www.njorku.com/nigeria"] > img ps3iso.com##a\[href="http://www.pcgameiso.com"] letmesingthis.com##a\[href="http://www.singorama.me"] -gogoanime.com,goodanime.net##a\[href="http://www.spendcrazy.net/"] +animenova.tv,animetoon.tv,gogoanime.com,goodanime.eu,gooddrama.net,toonget.com##a\[href="http://www.spendcrazy.net"] +gogoanime.com,goodanime.eu##a\[href="http://www.spendcrazy.net/"] dosplash.com##a\[href="http://www.sverve.com/dashboard/DoSplash"] talkarcades.com##a\[href="http://www.talkarcades.com/misc.php?do=page&template=advertise"] telepisodes.net##a\[href="http://www.telepisodes.net/downloadtvseries.php"] @@ -39855,13 +41284,14 @@ watchop.com##a\[href="http://www.watchop.com/download.php"] ziddu.com##a\[href="http://wxdownloadmanager.com/zdd/"] zmea-log.blogspot.com##a\[href="http://zmea-log.blogspot.com/p/rapids-for-sale.html"] wemineall.com,wemineltc.com##a\[href="https://diceliteco.in"] +namepros.com##a\[href="https://uniregistry.com/"] vpsboard.com##a\[href="https://vpsboard.com/advertise.html"] ugotfile.com##a\[href="https://www.astrill.com/"] +cryptocoinsnews.com##a\[href="https://www.genesis-mining.com/pricing"] 300mbmovies4u.com##a\[href^="//1phads.com/"] doubleclick.net##a\[href^="//dp.g.doubleclick.net/apps/domainpark/"] -torrentproject.se##a\[href^="//torrentproject.se/out2/"] -rarbg.com,rarbgmirror.com##a\[href^="/1c_direct.php?"] rapidog.com##a\[href^="/adclick.php"] +sweflix.net,sweflix.to##a\[href^="/adrotate.php?"] shroomery.org##a\[href^="/ads/ck.php?"] metrolyrics.com##a\[href^="/ads/track.php"] shroomery.org##a\[href^="/ads/www/delivery/"] @@ -39875,12 +41305,14 @@ hpcwire.com##a\[href^="/ct/e/"] torrentfunk.com##a\[href^="/dltor3/"] merdb.ru,primewire.ag##a\[href^="/external.php?gd=0&"] yourbittorrent.com##a\[href^="/extra/"] +vitorrent.net##a\[href^="/file.php?name"] tinydl.eu##a\[href^="/go.php?http://sharesuper.info"] yourbittorrent.com##a\[href^="/go/"] bts.ph##a\[href^="/goto_.php?"] downloadhelper.net##a\[href^="/liutilities.php"] houndmirror.com,sharedir.com##a\[href^="/out.php?"] -torrentproject.se##a\[href^="/out2/?"] +torrentproject.se##a\[href^="/out3/"] +torrentproject.org,torrentproject.se##a\[href^="/out4/"] airliners.net##a\[href^="/rad_results.main?"] ahashare.com##a\[href^="/re.php?url"] torrentv.org##a\[href^="/rec/"] @@ -39891,7 +41323,9 @@ torrentfunk.com##a\[href^="/tor3/"] stuff.co.nz##a\[href^="/track/click/"] bitsnoop.com##a\[href^="/usenet_dl/"] bitsnoop.com##a\[href^="/usenet_dl/"] + br + span +rarbg.to,rarbgmirror.com,rarbgproxy.com##a\[href^="/wd_adpub.php?"] torrentz.ch,torrentz.com,torrentz.eu,torrentz.li,torrentz.me,torrentz.ph##a\[href^="/z/ddownload/"] +torrents.de,torrentz.ch,torrentz.com,torrentz.eu,torrentz.in,torrentz.li,torrentz.me,torrentz.ph##a\[href^="/z/webdownload/"] womenspress.com##a\[href^="Redirect.asp?UID="] 474747.net##a\[href^="ad"] xbox-hq.com##a\[href^="banners.php?"] @@ -39909,37 +41343,38 @@ unawave.de##a\[href^="http://ad.zanox.com/"] reading107fm.com,three.fm##a\[href^="http://adclick.g-media.com/"] jdownloader.org##a\[href^="http://adcolo.com/ad/"] extremefile.com##a\[href^="http://adf.ly/"] -hqwallpapers4free.com##a\[href^="http://adf.ly/?id="] highdefjunkies.com##a\[href^="http://adorama.evyy.net/"] depositfiles.com,dfiles.eu##a\[href^="http://ads.depositfiles.com/"] gorillavid.in##a\[href^="http://ads.gorillavid.in/"] howproblemsolution.com##a\[href^="http://ads.howproblemsolution.com/"] -vodly.to,vodly.unblocked2.co##a\[href^="http://ads.integral-marketing.com/"] hardwareheaven.com##a\[href^="http://adserver.heavenmedia.com/"] deviantart.com##a\[href^="http://advertising.deviantart.com/"] thesearchenginelist.com##a\[href^="http://affiliate.buy.com/gateway.aspx?"] smallbusinessbrief.com##a\[href^="http://affiliate.wordtracker.com/"] the-numbers.com##a\[href^="http://affiliates.allposters.com/"] +freebetcodes.info##a\[href^="http://affiliates.galapartners.co.uk/"] justhungry.com##a\[href^="http://affiliates.jlist.com/"] news24.com##a\[href^="http://affiliates.trafficsynergy.com/"] animetake.com##a\[href^="http://anime.jlist.com/click/"] torrent-invites.com##a\[href^="http://anonym.to?http://www.seedmonster.net/clientarea/link.php?id="] speedvideo.net##a\[href^="http://api.adlure.net/"] datafilehost.com,load.to,tusfiles.net##a\[href^="http://applicationgrabb.net/"] +avxhome.se##a\[href^="http://avaxnews.net/tags/"] webmail.co.za##a\[href^="http://b.wm.co.za/click.pwm?"] -filenuke.com##a\[href^="http://b51.filenuke.com/"] +extratorrent.cc,extratorrent.unblocked.pw,extratorrentlive.com##a\[href^="http://bestories.xyz/"] thetvdb.com##a\[href^="http://billing.frugalusenet.com/"] -coinad.com,digitallydownloaded.net,dotmmo.com,fastvideo.eu,majorgeeks.com,ncrypt.in,rapidvideo.org,ultshare.com##a\[href^="http://bit.ly/"] +coinad.com,digitallydownloaded.net,dotmmo.com,ebookw.com,fastvideo.eu,majorgeeks.com,ncrypt.in,rapidvideo.org,sh.st,ultshare.com##a\[href^="http://bit.ly/"] ancient-origins.net##a\[href^="http://bit.ly/"] > img +bitminter.com##a\[href^="http://bitcasino.io?ref="] leasticoulddo.com##a\[href^="http://blindferret.clickmeter.com/"] lowyat.net##a\[href^="http://bs.serving-sys.com"] -demonoid.ph,torrentfreak.com,torrents.de,torrentz.in,torrentz.li,torrentz.me,torrentz.ph##a\[href^="http://btguard.com/"] +demonoid.pw,torrentfreak.com,torrents.de,torrentz.in,torrentz.li,torrentz.me,torrentz.ph##a\[href^="http://btguard.com/"] nexadviser.com##a\[href^="http://budurl.com/"] downforeveryoneorjustme.com,isup.me##a\[href^="http://bweeb.com/"] akeelwap.net,w2c.in##a\[href^="http://c.admob.com/"] zomganime.com##a\[href^="http://caesary.game321.com/"] ebooksx.org##a\[href^="http://castee.com/"] -vipleague.se##a\[href^="http://cdn.vipleague.se/app/"] +spacemov.com##a\[href^="http://cdn.adsrvmedia.net/"] adexprt.com##a\[href^="http://cdn3.adexprts.com"] + span animenewsnetwork.com##a\[href^="http://cf-vanguard.com/"] vidstatsx.com##a\[href^="http://channelpages.com/"] @@ -39953,11 +41388,13 @@ mp3-shared.net##a\[href^="http://click.yottacash.com?PID="] unawave.de##a\[href^="http://clix.superclix.de/"] heraldscotland.com,tmz.com##a\[href^="http://clk.atdmt.com/"] 180upload.com##a\[href^="http://clkmon.com/static/rdr.html?pid="] +stream2watch.com##a\[href^="http://clkrev.com/adServe/"] absoluteradio.co.uk,mkfm.com##a\[href^="http://clkuk.tradedoubler.com/click?"] dot-bit.org##a\[href^="http://coinabul.com/?a="] gas2.org##a\[href^="http://costofsolar.com/?"] powvideo.net##a\[href^="http://creative.ad127m.com/"] armslist.com##a\[href^="http://delivery.tacticalrepublic.com/"] +ebookw.com##a\[href^="http://dlguru.com/"] dllnotfound.com##a\[href^="http://dllnotfound.com/scan.php"] majorgeeks.com##a\[href^="http://download.iobit.com/"] free-tv-video-online.me##a\[href^="http://downloaderfastpro.info/"] @@ -39968,12 +41405,16 @@ ucas.com##a\[href^="http://eva.ucas.com/s/redirect.php?ad="] flashvids.org##a\[href^="http://flashvids.org/click/"] forumpromotion.net##a\[href^="http://freebitco.in/?r="] extratorrent.cc,uploadrocket.net##a\[href^="http://getsecuredfiles.com/"] -kinox.to,speedvideo.net##a\[href^="http://go.ad2up.com/"] +extratorrent.cc##a\[href^="http://getterstory.com/"] +kinox.to,speedvideo.net,thepiratebay.to##a\[href^="http://go.ad2up.com/"] mangahere.com##a\[href^="http://go.game321.com/"] filesoup.com##a\[href^="http://gomediamasteronline.com/"] -armorgames.com,getios.com,ncrypt.in,rapidvideo.tv,theedge.co.nz##a\[href^="http://goo.gl/"] +armorgames.com,getios.com,myrls.se,ncrypt.in,rapidvideo.tv,theedge.co.nz##a\[href^="http://goo.gl/"] ancient-origins.net##a\[href^="http://goo.gl/"] > img +limetorrents.cc,thepiratebay.みんな##a\[href^="http://guide-free.com/"] kinox.to##a\[href^="http://hd-streams.tv/"] +putlocker.is##a\[href^="http://hdmoviesinc.com/"] +kingfiles.net##a\[href^="http://hdplugin.fplayer-updates.com/"] crackdb.cd##a\[href^="http://homeklondike.com"] hotfiletrend.com##a\[href^="http://hotfiletrend.com/c.php?"] free-tv-video-online.me,movdivx.com,quicksilverscreen.com,veehd.com##a\[href^="http://install.secure-softwaremanager.com/"] @@ -39998,7 +41439,7 @@ do2dear.net,mhktricks.net##a\[href^="http://liversely.net/"] uploadrocket.net##a\[href^="http://livesetwebs.org/"] d-h.st##a\[href^="http://lp.sharelive.net/"] psnprofiles.com##a\[href^="http://manage.aff.biz/"] -isohunt.to##a\[href^="http://masteroids.com/"] +isohunt.to,unlimitzone.com##a\[href^="http://masteroids.com/"] megauploadsearch.net##a\[href^="http://megauploadsearch.net/adv.php"] justhungry.com##a\[href^="http://moe.jlist.com/click/"] thejointblog.com##a\[href^="http://movieandmusicnetwork.com/content/cg/"] > img @@ -40012,12 +41453,14 @@ mail.google.com##a\[href^="http://pagead2.googlesyndication.com/"] azcentral.com##a\[href^="http://phoenix.dealchicken.com/"] vr-zone.com##a\[href^="http://pikachu.vr-zone.com.sg/"] kewlshare.com##a\[href^="http://pointcrisp.com/"] +projectfreetv.ch##a\[href^="http://projectfreetv.ch/adblock/"] crackdb.cd##a\[href^="http://promoddl.com"] decadeforum.com,downdlz.com,downeu.org,serials.ws##a\[href^="http://pushtraffic.net/TDS/?wmid="] vodly.to##a\[href^="http://r.lumovies.com/"] boingboing.net##a\[href^="http://r1.fmpub.net/?r="] search.certified-toolbar.com##a\[href^="http://redir.widdit.com/redir/?"] > * toolsvoid.com##a\[href^="http://ref.name.com/"] +nextofwindows.com##a\[href^="http://remotedesktopmanager.com/?utm_source="] hardwareheaven.com##a\[href^="http://resources.heavenmedia.net/click_through.php?"] richkent.com##a\[href^="http://richkent.com/uses/"] thejointblog.com##a\[href^="http://sensiseeds.com/refer.asp?refid="] > img @@ -40027,6 +41470,7 @@ merdb.ru##a\[href^="http://shineads.net/"] thejointblog.com##a\[href^="http://speedweed.com/_clicktracker.php?code="] > img uvnc.com##a\[href^="http://sponsor2.uvnc.com"] uvnc.com##a\[href^="http://sponsor4.uvnc.com/"] +ipdb.at##a\[href^="http://strongvpn.com/aff/"] 5x.to##a\[href^="http://support.suc-team.info/aff.php"] majorgeeks.com##a\[href^="http://systweak.com/"] your-pagerank.com##a\[href^="http://te-jv.com/?r="] @@ -40034,14 +41478,15 @@ strata40.megabyet.net##a\[href^="http://tiny.cc/freescan"] serialbase.us,serialzz.us##a\[href^="http://tinyurl.com"] kinox.to,ncrypt.in,wtso.net##a\[href^="http://tinyurl.com/"] sockshare.com##a\[href^="http://toolkitfreefast.com/"] -encyclopediadramatica.es##a\[href^="http://torguard.net/"] +encyclopediadramatica.es,encyclopediadramatica.se##a\[href^="http://torguard.net/"] fastvideo.eu,rapidvideo.org##a\[href^="http://toroadvertisingmedia.com/"] +catmo.ru##a\[href^="http://torrentindex.org/"] mangafox.me##a\[href^="http://track.games.la/"] lolking.net##a\[href^="http://track.strife.com/?"] iwatchonline.to##a\[href^="http://tracking.aunggo.com/"] +cryptocoinsnews.com##a\[href^="http://tracking.coin.mx/aff_c?offer_id="] lmgtfy.com##a\[href^="http://tracking.livingsocial.com/aff_c?"] hipfile.com##a\[href^="http://tracktrk.net/?"] -go4up.com##a\[href^="http://tracktrk.net/?a="] imageporter.com##a\[href^="http://trw12.com/"] ugotfile.com##a\[href^="http://ugotfile.com/affiliate?"] israbox.com##a\[href^="http://urmusiczone.com/signup?"] @@ -40050,10 +41495,12 @@ videobull.com##a\[href^="http://videobull.com/wp-content/themes/videozoom/go.php videobull.com##a\[href^="http://vtgtrk.com/"] wakingtimes.com##a\[href^="http://wakingtimes.com/ads/"] videomide.com##a\[href^="http://wapdollar.in/"] +bitminter.com##a\[href^="http://wbf.go2cloud.org/aff_c?offer_id="] webdesignshock.com##a\[href^="http://www.123rf.com"] serials.ws,uptobox.com##a\[href^="http://www.1clickmoviedownloader.net/"] 300mbfilms.com##a\[href^="http://www.300mbfilms.com/ads/"] distrowatch.com##a\[href^="http://www.3cx.com/"] +movie4u.org##a\[href^="http://www.4kmoviesclub.com/signup?"] cio-today.com##a\[href^="http://www.accuserveadsystem.com/accuserve-go.php?c="] distrowatch.com##a\[href^="http://www.acunetix.com/"] babelzilla.org##a\[href^="http://www.addonfox.com/"] @@ -40077,6 +41524,7 @@ filesoup.com##a\[href^="http://www.bitlord.com/"] filesoup.com##a\[href^="http://www.bitlordsearch.com/"] bitlordsearch.com##a\[href^="http://www.bitlordsearch.com/bl/fastdibl.php?"] freebitcoins.nx.tc,getbitcoins.nx.tc##a\[href^="http://www.bitonplay.com/create?refCode="] +usenet-crawler.com##a\[href^="http://www.cash-duck.com/"] gsmarena.com##a\[href^="http://www.cellpex.com/affiliates/"] onlinefreetv.net##a\[href^="http://www.chitika.com/publishers/apply?refid="] ciao.co.uk##a\[href^="http://www.ciao.co.uk/ext_ref_call.php"] @@ -40092,11 +41540,13 @@ pdf-giant.com,watchseries.biz,yoddl.com##a\[href^="http://www.downloadprovider.m thesearchenginelist.com##a\[href^="http://www.dpbolvw.net/click-"] bootstrike.com,dreamhosters.com,howtoblogcamp.com##a\[href^="http://www.dreamhost.com/r.cgi?"] sina.com##a\[href^="http://www.echineselearning.com/"] +betterhostreview.com##a\[href^="http://www.elegantthemes.com/affiliates/"] professionalmuscle.com##a\[href^="http://www.elitefitness.com/g.o/"] internetslang.com##a\[href^="http://www.empireattack.com"] linksave.in##a\[href^="http://www.endwelt.com/signups/add/"] lens101.com##a\[href^="http://www.eyetopics.com/"] mercola.com##a\[href^="http://www.fatswitchbook.com/"] > img +rapidvideo.org##a\[href^="http://www.filmsenzalimiti.co/"] omegleconversations.com##a\[href^="http://www.freecamsexposed.com/"] liveleak.com##a\[href^="http://www.freemake.com/"] linksave.in##a\[href^="http://www.gamesaffiliate.de/"] @@ -40111,13 +41561,13 @@ softpedia.com##a\[href^="http://www.iobit.com/"] macdailynews.com,softpedia.com##a\[href^="http://www.jdoqocy.com/click-"] ps3iso.com##a\[href^="http://www.jobboy.com/index.php?inc="] macdailynews.com,thesearchenginelist.com,web-cam-search.com##a\[href^="http://www.kqzyfj.com/click-"] -zxxo.net##a\[href^="http://www.linkbucks.com/referral/"] hotbollywoodactress.net##a\[href^="http://www.liposuctionforall.com/"] mhktricks.net##a\[href^="http://www.liversely.net/"] livescore.cz##a\[href^="http://www.livescore.cz/go/click.php?"] majorgeeks.com##a\[href^="http://www.majorgeeks.com/compatdb"] emaillargefile.com##a\[href^="http://www.mb01.com/lnk.asp?"] sing365.com##a\[href^="http://www.mediataskmaster.com"] +megatorrent.eu##a\[href^="http://www.megatorrent.eu/tk/file.php?q="] htmlgoodies.com##a\[href^="http://www.microsoft.com/click/"] infowars.com##a\[href^="http://www.midasresources.com/store/store.php?ref="] quicksilverscreen.com##a\[href^="http://www.movies-for-free.net"] @@ -40148,11 +41598,13 @@ oss.oetiker.ch##a\[href^="http://www.serverscheck.com/sensors?"] blogengage.com##a\[href^="http://www.shareasale.com/"] wpdailythemes.com##a\[href^="http://www.shareasale.com/r.cfm?b="] > img bestgore.com##a\[href^="http://www.slutroulette.com/"] +findsounds.com##a\[href^="http://www.soundsnap.com/search/"] leecher.to##a\[href^="http://www.stargames.com/bridge.asp"] telegraph.co.uk##a\[href^="http://www.telegraph.co.uk/sponsored/"] egigs.co.uk##a\[href^="http://www.ticketswitch.com/cgi-bin/web_finder.exe"] audiforums.com##a\[href^="http://www.tirerack.com/affiliates/"] mailinator.com##a\[href^="http://www.tkqlhce.com/"] +limetor.net,limetorrents.cc,limetorrents.co,torrentdownloads.cc##a\[href^="http://www.torrentindex.org/"] tri247.com##a\[href^="http://www.tri247ads.com/"] tsbmag.com##a\[href^="http://www.tsbmag.com/wp-content/plugins/max-banner-ads-pro/"] tvduck.com##a\[href^="http://www.tvduck.com/graboid.php"] @@ -40165,6 +41617,7 @@ codecguide.com,downloadhelper.net,dvdshrink.org,thewindowsclub.com##a\[href^="ht distrowatch.com##a\[href^="http://www.unixstickers.com/"] israbox.com##a\[href^="http://www.urmusiczone.com/signup?"] thejointblog.com##a\[href^="http://www.vapornation.com/?="] > img +exashare.com##a\[href^="http://www.video1404.info/"] thejointblog.com##a\[href^="http://www.weedseedshop.com/refer.asp?refid="] > img womenspress.com##a\[href^="http://www.womenspress.com/Redirect.asp?"] wptmag.com##a\[href^="http://www.wptmag.com/promo/"] @@ -40173,28 +41626,37 @@ youtube.com##a\[href^="http://www.youtube.com/cthru?"] free-tv-video-online.me,muchshare.net##a\[href^="http://wxdownloadmanager.com/"] datafilehost.com##a\[href^="http://zilliontoolkitusa.info/"] yahoo.com##a\[href^="https://beap.adss.yahoo.com/"] +landofbitcoin.com##a\[href^="https://bitcasino.io?ref="] bitcoinreviewer.com##a\[href^="https://bitcoin-scratchticket.com/?promo="] blockchain.info##a\[href^="https://blockchain.info/r?url="] > img bitcointalk.org##a\[href^="https://cex.io/"] activistpost.com##a\[href^="https://coinbase.com/?r="] deconf.com##a\[href^="https://deconf.com/out/"] -mindsetforsuccess.net##a\[href^="https://my.leadpages.net/leadbox/"] +landofbitcoin.com##a\[href^="https://localbitcoins.com/?ch="] +conservativetribune.com,mindsetforsuccess.net##a\[href^="https://my.leadpages.net/"] +unblockt.com##a\[href^="https://nordvpn.com/pricing/"] search.yahoo.com##a\[href^="https://search.yahoo.com/search/ads;"] +bitminter.com##a\[href^="https://wbf.go2cloud.org/aff_c?offer_id="] leo.org##a\[href^="https://www.advertising.de/"] -tampermonkey.net##a\[href^="https://www.bitcoin.de/"] +cryptocoinsnews.com##a\[href^="https://www.anonibet.com/"] +bitminter.com##a\[href^="https://www.cloudbet.com/en/?af_token="] escapefromobesity.net##a\[href^="https://www.dietdirect.com/rewardsref/index/refer/"] +avxhome.se##a\[href^="https://www.nitroflare.com/payment?webmaster="] xscores.com##a\[href^="https://www.rivalo1.com/?affiliateId="] youtube.com##a\[href^="https://www.youtube.com/cthru?"] krapps.com##a\[href^="index.php?adclick="] +essayscam.org##a\[id^="banner_"] m.youtube.com##a\[onclick*="\"ping_url\":\"http://www.google.com/aclk?"] software182.com##a\[onclick*="sharesuper.info"] titanmule.to##a\[onclick="emuleInst();"] titanmule.to##a\[onclick="installerEmule();"] platinlyrics.com##a\[onclick^="DownloadFile('lyrics',"] +checkpagerank.net##a\[onclick^="_gaq.push(\['_trackEvent', 'link', 'linkclick'"] zoozle.org##a\[onclick^="downloadFile('download_big', null,"] zoozle.org##a\[onclick^="downloadFile('download_related', null,"] coinurl.com,cur.lv##a\[onclick^="open_ad('"] hugefiles.net##a\[onclick^="popbi('http://go34down.com/"] +hugefiles.net##a\[onclick^="popbi('http://liversely.com/"] kingfiles.net##a\[onclick^="window.open('http://lp.ilividnewtab.com/"] kingfiles.net##a\[onclick^="window.open('http://lp.sharelive.net/"] w3schools.com##a\[rel="nofollow"] @@ -40205,6 +41667,8 @@ torrenticity.com##a\[style="color:#05c200;text-decoration:none;"] urbandictionary.com##a\[style="display: block; width: 300px; height: 500px"] billionuploads.com##a\[style="display: inline-block;width: 728px;margin: 25px auto -17px auto;height: 90px;"] bitcointalk.org##a\[style="text-decoration:none; display:inline-block; "] +lifewithcats.tv##a\[style="width: 318px; height: 41px; padding: 0px; left: 515px; top: 55px; opacity: 1;"] +easyvideo.me,playbb.me,playpanda.net,video66.org,videofun.me,videowing.me,videozoo.me##a\[style^="display: block;"] bitcointalk.org##a\[style^="display: inline-block; text-align:left; height: 40px;"] betfooty.com##a\[target="_blank"] > .wsite-image\[alt="Picture"] thepiratebay.se##a\[target="_blank"] > img:first-child @@ -40227,6 +41691,7 @@ mmobomb.com##a\[target="_blank"]\[href^="http://www.mmobomb.com/link/"] gbatemp.net##a\[target="_blank"]\[href^="http://www.nds-card.com/ProShow.asp?ProID="] > img bitcoinexaminer.org##a\[target="_blank"]\[href^="https://www.itbit.com/?utm_source="] > img noscript.net##a\[target="_blаnk"]\[href$="?MT"] +bodymindsoulspirit.com##a\[target="_new"] > img hookedonads.com##a\[target="_top"]\[href="http://www.demilked.com"] > img baymirror.com,bt.mojoris.in,getpirate.com,kuiken.co,livepirate.com,mypiratebay.cl,noncensuram.info,piraattilahti.org,pirateproxy.net,pirateproxy.se,pirateshit.com,proxicity.info,proxybay.eu,thepiratebay.gg,thepiratebay.lv,thepiratebay.se,thepiratebay.se.coevoet.nl,tpb.ipredator.se,tpb.jorritkleinbramel.nl,tpb.piraten.lu,tpb.pirateparty.ca,tpb.rebootorrents.com,unblock.to##a\[title="Anonymous Download"] lordtorrent3.ru##a\[title="Download"] @@ -40235,6 +41700,7 @@ torfinder.net,vitorrent.org##a\[title="sponsored"] bitcointalk.org##a\[title^="LuckyBit"] herold.at##a\[title^="Werbung: "]\[target="_blank"] irrigator.com.au##advertisement +onlinemoviewatchs.com##b\[style^="z-index: "] creatives.livejasmin.com##body norwsktv.com##body > #total just-dice.com##body > .wrapper > .container:first-child @@ -40243,7 +41709,7 @@ sitevaluecalculator.com##body > center > br + a\[target="_blank"] > img fancystreems.com##body > div > a primewire.ag##body > div > div\[id]\[style^="z-index:"]:first-child movie2k.tl##body > div > div\[style^="height: "] -atdee.net,drakulastream.eu,go4up.com,magnovideo.com,movie2k.tl,sockshare.ws,streamhunter.eu,videolinkz.us,vodly.to,watchfreeinhd.com,zuuk.net##body > div > div\[style^="z-index: "] +atdee.net,drakulastream.eu,magnovideo.com,movie2k.tl,sockshare.ws,streamhunter.eu,videolinkz.us,vodly.to,watchfreeinhd.com,zuuk.net##body > div > div\[style^="z-index: "] ha.ckers.org##body > div:first-child > br:first-child + a + br + span\[style="color:#ffffff"] viooz.co##body > div:first-child > div\[id]\[style]:first-child www.google.com##body > div\[align]:first-child + style + table\[cellpadding="0"]\[width="100%"] > tbody:only-child > tr:only-child > td:only-child @@ -40256,6 +41722,7 @@ domains.googlesyndication.com##body > table:first-child > tbody:first-child > tr domains.googlesyndication.com##body > table:first-child > tbody:first-child > tr:first-child > td:first-child > table:first-child + table + table jguru.com##center nzbindex.com,nzbindex.nl##center > a > img\[style="border: 1px solid #000000;"] +cryptocoinsnews.com##center > a\[href="https://xbt.social"] proxyserver.asia##center > a\[href^="http://goo.gl/"]\[target="_blank"] 4shared.com##center\[dir="ltr"] ehow.com##center\[id^="DartAd_"] @@ -40263,6 +41730,7 @@ forumswindows8.com##center\[style="font-size:15px;font-weight:bold;margin-left:a helenair.com##dd filepuma.com##dd\[style="padding-left:3px; width:153px; height:25px;"] search.mywebsearch.com##div > div\[style="padding-bottom: 12px;"] +filenuke.com,sharesix.com##div > p:first-child + div cdrlabs.com##div\[align="center"] bleachanime.org##div\[align="center"]\[style="font-size:14px;margin:0;padding:3px;background-color:#f6f6f6;border-bottom:1px solid #ababab;"] thelakewoodscoop.com##div\[align="center"]\[style="margin-bottom:10px;"] @@ -40278,12 +41746,13 @@ facebook.com##div\[class="ego_column pagelet _5qrt _1snm"] facebook.com##div\[class="ego_column pagelet _5qrt _y92 _1snm"] facebook.com##div\[class="ego_column pagelet _5qrt _y92"] facebook.com##div\[class="ego_column pagelet _5qrt"] +facebook.com##div\[class="ego_column pagelet _y92 _5qrt _1snm"] facebook.com##div\[class="ego_column pagelet _y92 _5qrt"] facebook.com##div\[class="ego_column pagelet _y92"] facebook.com##div\[class="ego_column pagelet"] facebook.com##div\[class="ego_column"] kinox.to##div\[class^="Mother_"]\[style^="display: block;"] -animefreak.tv##div\[class^="a-filter"] +anime1.com,animefreak.tv##div\[class^="a-filter"] drama.net##div\[class^="ad-filter"] manaflask.com##div\[class^="ad_a"] greatandhra.com##div\[class^="add"] @@ -40294,9 +41763,11 @@ plsn.com##div\[class^="clickZone"] webhostingtalk.com##div\[class^="flashAd_"] ragezone.com##div\[class^="footerBanner"] avforums.com##div\[class^="takeover_box_"] +linuxbsdos.com##div\[class^="topStrip"] yttalk.com##div\[class^="toppedbit"] realmadrid.com##div\[data-ads-block="desktop"] wayn.com##div\[data-commercial-type="MPU"] +monova.org##div\[data-id^="http://centertrust.xyz/"] monova.org##div\[data-id^="http://www.torntv-downloader.com/"] ehow.com##div\[data-module="radlinks"] deviantart.com##div\[gmi-name="ad_zone"] @@ -40319,6 +41790,7 @@ warframe-builder.com##div\[id^="ads"] mahalo.com##div\[id^="ads-section-"] streetmap.co.uk##div\[id^="advert_"] askyourandroid.com##div\[id^="advertisespace"] +stackoverflow.com##div\[id^="adzerk"] blogspot.co.nz,blogspot.com,coolsport.tv,time4tv.com,tv-link.me##div\[id^="bannerfloat"] theteacherscorner.net##div\[id^="catfish"] video44.net##div\[id^="container_ads"] @@ -40338,18 +41810,18 @@ yahoo.com##div\[id^="tile-A"]\[data-beacon-url^="https://beap.gemini.yahoo.com/m yahoo.com##div\[id^="tile-mb-"] footstream.tv,leton.tv##div\[id^="timer"] facebook.com##div\[id^="topnews_main_stream_"] div\[data-ft*="\"ei\":\""] -thessdreview.com##div\[id^="wp_bannerize-"] -search.yahoo.com##div\[id^="yui_"] .res\[data-bk]\[data-bns="API"]\[data-bg-link^="http://r.search.yahoo.com/"] -search.yahoo.com##div\[id^="yui_"] .res\[data-bk]\[data-bns="API"]\[data-bg-link^="http://r.search.yahoo.com/"] + li -search.yahoo.com##div\[id^="yui_"] > ul > .res\[data-bg-link^="http://r.search.yahoo.com/_ylt="] + * div\[class^="pla"] +~images.search.yahoo.com,search.yahoo.com##div\[id^="wp_bannerize-"] +~images.search.yahoo.com,search.yahoo.com##div\[id^="yui_"] > span > ul\[class]:first-child:last-child > li\[class] +~images.search.yahoo.com,search.yahoo.com##div\[id^="yui_"] > ul > .res\[data-bg-link^="http://r.search.yahoo.com/_ylt="] + * div\[class^="pla"] statigr.am##div\[id^="zone"] 4shared.com##div\[onclick="window.location='/premium.jsp?ref=removeads'"] gsprating.com##div\[onclick="window.open('http://www.nationvoice.com')"] +viphackforums.net##div\[onclick^="MyAdvertisements.do_click"] ncrypt.in##div\[onclick^="window.open('http://www.FriendlyDuck.com/AF_"] rapidfiledownload.com##div\[onclick^="window.open('http://www.rapidfiledownload.com/out.php?"] ncrypt.in##div\[onclick^="window.open('http://www2.filedroid.net/AF_"] rs-catalog.com##div\[onmouseout="this.style.backgroundColor='#fff7b6'"] -animenova.tv,animetoon.tv,gogoanime.com,goodanime.net,gooddrama.net,toonget.com##div\[rel^="MBoxAd"] +easyvideo.me,playbb.me,playpanda.net,video66.org,videofun.me,videowing.me,videozoo.me##div\[original^="http://byzoo.org/"] fastvideo.eu##div\[style$="backgroud:black;"] > :first-child highstakesdb.com##div\[style$="margin-top:-6px;text-align:left;"] imagebam.com##div\[style$="padding-top:14px; padding-bottom:14px;"] @@ -40373,6 +41845,7 @@ tennisworldusa.org##div\[style=" position:relative; overflow:hidden; margin:0px; seattlepi.com##div\[style=" width:100%; height:90px; margin-bottom:8px; float:left;"] fmr.co.za##div\[style=" width:1000px; height:660px; margin: 0 auto"] ontopmag.com##div\[style=" width:300px; height:250px; padding:0; margin:5px auto 0 auto;"] +fitbie.com##div\[style=" width:300px; height:450px; padding-bottom: 160px;"] forum.guru3d.com##div\[style="PADDING-RIGHT: 0px; PADDING-LEFT: 0px; PADDING-BOTTOM: 6px; PADDING-TOP: 12px"] cheapostay.com##div\[style="PADDING-TOP: 0px; text-align:center; width:175px;"] nasdaq.com##div\[style="align: center; vertical-align: middle;width:336px;height:250px"] @@ -40381,16 +41854,17 @@ wral.com##div\[style="background-color: #ebebeb; width: 310px; padding: 5px 3px; zeropaid.com##div\[style="background-color: #fff; padding:10px;"] frontlinesoffreedom.com##div\[style="background-color: rgb(255, 255, 255); border-width: 1px; border-color: rgb(0, 0, 0); width: 300px; height: 250px;"] countryfile.com##div\[style="background-color: rgb(255, 255, 255); height: 105px; padding-top: 5px;"] +videoserver.biz##div\[style="background-color: white; position: absolute; border: 1px solid #000000; top: -360px; left: -370px; z-index: 0; display: block; width: 600px; height: 440px; border: 0px solid green; margin: 0px;"] fansshare.com##div\[style="background-color:#999999;width:300px;height:250px;"] deviantart.com##div\[style="background-color:#AAB1AA;width:300px;height:120px"] deviantart.com,sta.sh##div\[style="background-color:#AAB1AA;width:300px;height:250px"] dawn.com##div\[style="background-color:#EEEEE4;width:973px;height:110px;margin:auto;padding-top:15px;"] moneycontrol.com##div\[style="background-color:#efeeee;width:164px;padding:8px"] search.bpath.com,tlbsearch.com##div\[style="background-color:#f2faff;padding:4px"] -thephoenix.com##div\[style="background-color:#ffffff;padding:0px;margin:15px 0px;font-size:10px;color:#999;text-align:center;"] bostonherald.com##div\[style="background-color:black; width:160px; height:600px; margin:0 auto;"] fansshare.com##div\[style="background-image:url(/media/img/advertisement.png);width:335px;height:282px;"] fansshare.com##div\[style="background-image:url(http://img23.fansshare.com/media/img/advertisement.png);width:335px;height:282px;"] +vosizneias.com##div\[style="background: #DADADA; border: 1px solid gray; color: gray; width: 300px; padding: 5px; float: right; font-size: 0.8em; line-height: 1.5em; font-family: arial; margin: 10px 0 10px 20px;"] regmender.com##div\[style="background: #FFFDCA;border: 1px solid #C7C7C7;margin-top:8px;padding: 8px;color:#000;"] singletracks.com##div\[style="background: #fff; height: 250px; width: 300px; margin-top: 0px; margin-bottom: 10px;"] gelbooru.com##div\[style="background: #fff; width: 728px; margin-left: 15px;"] @@ -40404,16 +41878,14 @@ hints.macworld.com##div\[style="border-bottom: 2px solid #7B7B7B; padding-bottom greatgirlsgames.com##div\[style="border-bottom:1px dotted #CCC;margin:3px 0 3px 0;color:#000;padding:0 0 1px 0;font-size:11px;text-align:right;"] nytimes.com##div\[style="border: 0px #000000 solid; width:300px; height:250px; margin: 0 auto"] nytimes.com##div\[style="border: 0px #000000 solid; width:728px; height:90px; margin: 0 auto"] +hugefiles.net##div\[style="border: 0px solid black; width:728px;"] kijiji.ca##div\[style="border: 1px solid #999; background: #fff"] -therapidbay.com##div\[style="border: 2px solid red; margin: 10px; padding: 10px; text-align: left; height: 80px; background-color: rgb(255, 228, 0);"] -petitions24.com##div\[style="border: solid #95bce2 1px; padding: 1em 0; margin: 0; margin-right: 6px; width: 200px; height: 600px; background-color: #fff; text-align: center; margin-bottom: 1em;"] cookingforengineers.com##div\[style="border:0px solid #FFFFA0;width:160px;height:600px;"] videosbar.com##div\[style="border:1px solid #EEEEEE; display:block; height:270px; text-align:center; width:300px; overflow:hidden;"] videosbar.com##div\[style="border:1px solid #EEEEEE; display:block; height:270px; text-align:center; width:300px;"] undsports.com##div\[style="border:1px solid #c3c3c3"] mocpages.com##div\[style="border:1px solid #dcdcdc; width:300px; height:250px"] exchangerates.org.uk##div\[style="border:1px solid #ddd;background:#f0f0f0;padding:10px;margin:10px 0;"] -delcotimes.com,macombdaily.com##div\[style="border:1px solid #e1e1e1; padding: 5px; float: left; width: 620px; margin: 0pt auto 15px;"] whatson.co.za##div\[style="border:solid 10px #ffffff;width:125px;height:125px;"] vietnamnews.vn##div\[style="clear: both;text-align: center;margin-bottom:10px;height:230px;width:300px;"] moviecarpet.com##div\[style="clear:both; width:100%; padding:30px; height:250px"] @@ -40431,7 +41903,6 @@ lolking.net##div\[style="display: inline-block; width: 728px; height: 90px; back listentoyoutube.com##div\[style="display: inline-block; width: 728px; height: 90px; overflow: hidden;"] cheapoair.com,onetravel.com##div\[style="display: table; width: 1px; height:1px; position:relative; margin-left:auto; margin-right:auto; text-align: center; margin-top:10px; padding: 12px; padding-bottom:5px; background-color: #e7e7e7 ! important;"] forum.xda-developers.com##div\[style="display:block; margin-top:20px; margin-left:10px; width:750px; height:100px; float:left;"] -browse.lt##div\[style="display:block; width:125px; min-height:125px; background:#FFFFFF; font-family:Arial, Helvetica, sans-serif"] veervid.com##div\[style="display:block; width:302px; height:275px;"] skyweather.com.au##div\[style="display:block;height:250px;width:300px;margin-bottom:20px;"] chami.com##div\[style="display:inline-block; text-align:left; border-left:1px solid #eee;border-right:1px solid #eee; width:342px;padding:10px;"] @@ -40442,6 +41913,7 @@ moneymakergroup.com##div\[style="float: left; margin: 1px;"] > a\[href^="http:// moneymakergroup.com##div\[style="float: left; margin: 1px;"]:last-child civil.ge##div\[style="float: left; text-align: center; border: solid 1px #efefef; width: 320px; height: 90px;"] usedcars.com##div\[style="float: left; width: 263px; text-align: center; vertical-align: top"] +upi.com##div\[style="float: left; width: 300px; height: 250px; overflow: hidden;"] sgclub.com##div\[style="float: left; width: 310px; height: 260px;"] boarddigger.com##div\[style="float: left; width: 320px; height: 250px; padding: 5px;"] dreammoods.com##div\[style="float: left; width: 350; height: 350"] @@ -40485,7 +41957,6 @@ cinemablend.com##div\[style="float:left;width:160px;height:600px;"] cinemablend.com##div\[style="float:left;width:160px;height:606px;"] visordown.com##div\[style="float:left;width:300px;height:250px;"] thaivisa.com##div\[style="float:left;width:310px;height:275px;"] -whoisology.com##div\[style="float:left;width:412px;vertical-align:top;text-align:center;"] > .section\[style="margin-top: 25px; padding-top: 0px; padding-bottom: 0px;"] videoweed.es##div\[style="float:left;width:728px; height:90px; border:1px solid #CCC; display:block; margin:20px auto; margin-bottom:0px;"] politicususa.com##div\[style="float:none;margin:10px 0 10px 0;text-align:center;"] lifescript.com##div\[style="float:right; margin-bottom: 10px;"] @@ -40518,8 +41989,10 @@ clgaming.net##div\[style="height: 250px; margin-top: 20px;"] techgage.com##div\[style="height: 250px; width: 300px; float: right"] way2sms.com##div\[style="height: 250px; width: 610px; margin-left: -5px;"] pichunter.com,rawstory.com##div\[style="height: 250px;"] +northcountrypublicradio.org##div\[style="height: 260px; max-width: 250px; margin: 0px auto; padding: 0px;"] innocentenglish.com##div\[style="height: 260px;"] babble.com##div\[style="height: 263px; margin-left:0px; margin-top:5px;"] +northcountrypublicradio.org##div\[style="height: 272px; max-width: 250px; margin: 5px auto 10px; padding: 4px 0px 20px;"] bsplayer.com##div\[style="height: 281px; overflow: hidden"] interfacelift.com##div\[style="height: 288px;"] losethebackpain.com##div\[style="height: 290px;"] @@ -40528,6 +42001,7 @@ espn.go.com##div\[style="height: 325px;"] wsj.com##div\[style="height: 375px; width: 390px;"] cheatcc.com##div\[style="height: 50px;"] coolest-gadgets.com,necn.com##div\[style="height: 600px;"] +indiatimes.com##div\[style="height: 60px;width: 1000px;margin: 0 auto;"] hongkongnews.com.hk##div\[style="height: 612px; width: 412px;"] thetechherald.com##div\[style="height: 640px"] haaretz.com##div\[style="height: 7px;width: 300px;"] @@ -40535,10 +42009,10 @@ revision3.com##div\[style="height: 90px"] cpu-world.com##div\[style="height: 90px; padding: 3px; text-align: center"] yardbarker.com##div\[style="height: 90px; width: 728px; margin-bottom: 0px; margin-top: 0px; padding: 0px;z-index: 1;"] thenewage.co.za##div\[style="height: 90px; width: 730px; float: left; margin: 0px;"] +f-picture.net##div\[style="height: 90px; width: 730px; margin: 0 auto; padding: 3px; padding-left: 10px; overflow: hidden;"] snapwidget.com##div\[style="height: 90px; width: 748px; margin: 0 auto 15px;"] snapwidget.com##div\[style="height: 90px; width: 756px; margin: 15px auto -15px; overflow: hidden;"] food.com##div\[style="height: 96px;"] -indiatimes.com##div\[style="height:100px;"] ipchecking.com##div\[style="height:108px"] cosmopolitan.co.za##div\[style="height:112px;width:713px"] northeasttimes.com##div\[style="height:120px; width:600px;"] @@ -40559,10 +42033,12 @@ demogeek.com##div\[style="height:250px; width:250px; margin:10px;"] northeasttimes.com##div\[style="height:250px; width:300px;"] theworldwidewolf.com##div\[style="height:250px; width:310px; text-align:center; vertical-align:middle; display:table-cell; margin:0 auto; padding:0;"] crowdignite.com,gamerevolution.com,sheknows.com,tickld.com##div\[style="height:250px;"] +thenewsnigeria.com.ng##div\[style="height:250px;margin-bottom: 20px"] way2sms.com##div\[style="height:250px;margin:2px 0;"] zeenews.com##div\[style="height:250px;overflow:hidden;"] theawesomer.com,thephoenix.com##div\[style="height:250px;width:300px;"] unexplained-mysteries.com##div\[style="height:250px;width:300px;background-color:#000000"] +mcndirect.com##div\[style="height:250px;width:300px;font:bold 16px 'tahoma'; color:Gray; vertical-align:middle; text-align:center; border:none"] unfinishedman.com##div\[style="height:250px;width:300px;margin-left:15px;"] realgm.com##div\[style="height:250px;width:300px;margin: 0 0 15px 15px;"] tf2wiki.net##div\[style="height:260px; width:730px; border-style:none"] @@ -40604,7 +42080,9 @@ rootzwiki.com##div\[style="margin-bottom:10px;line-height:20px;margin-top:-10px; diamscity.com##div\[style="margin-bottom:15px;width:728px;height:90px;display:block;float:left;overflow:hidden;"] intoday.in##div\[style="margin-bottom:20px; clear:both; float:none; height:250px;width:300px;"] 4sysops.com##div\[style="margin-bottom:20px;"] +merriam-webster.com##div\[style="margin-bottom:20px;margin-top:-5px !important;width:300px;height:250px;"] intoday.in##div\[style="margin-bottom:20px;z-index:0; clear:both; float:none; height:250px;width:300px;"] +pdf-archive.com##div\[style="margin-left: -30px; width: 970px; height: 90px; margin-top: 8px; margin-bottom: 10px;"] jdpower.com##div\[style="margin-left: 20px; background-color: #FFFFFF;"] foxlingo.com##div\[style="margin-left: 3px; width:187px; min-height:187px;"] medicalnewstoday.com##div\[style="margin-left:10px; margin-bottom:15px;"] @@ -40619,8 +42097,6 @@ way2sms.com##div\[style="margin-top: 5px; height: 90px; clear: both;"] funnycrazygames.com##div\[style="margin-top: 8px;"] planetsport.com##div\[style="margin-top:-1px; width: 100%; height: 90px; background-color: #fff; float: left;"] technet.microsoft.com##div\[style="margin-top:0px; margin-bottom:10px"] -imagesfood.com##div\[style="margin-top:10px; margin-left:1px; margin-bottom:10px;"] -imagesfood.com##div\[style="margin-top:10px; margin-left:1px; margin-bottom:3px;"] surfline.com##div\[style="margin-top:10px; width:990px; height:90px"] worstpreviews.com##div\[style="margin-top:15px;width:160;height:600;background-color:#FFFFFF;"] centraloutpost.com##div\[style="margin-top:16px; width:740px; height:88px; background-image:url(/images/style/cnop_fg_main_adsbgd.png); background-repeat:no-repeat; text-align:left;"] @@ -40630,7 +42106,6 @@ fullepisode.info##div\[style="margin: 0 auto 0 auto; text-align:center;"] historyextra.com##div\[style="margin: 0 auto; width: 290px; height: 73px; background-color: #faf7f0;); padding: 5px; margin-bottom: 5px; clear: both; font-family: 'Playfair Display', serif;"] historyextra.com##div\[style="margin: 0 auto; width: 290px; height: 90px; background-color: #faf7f0; padding: 5px; margin-bottom: 5px; clear: both; font-family: 'Playfair Display', serif;"] historyextra.com##div\[style="margin: 0 auto; width: 290px; height: 90px; border-top:1px dotted #3a3a3a; border-bottom:1px dotted #3a3a3a; padding: 5px 0; margin:10px 0 10px 0; clear: both;"] -xda-developers.com##div\[style="margin: 0px auto 15px; height: 250px; position: relative; text-align: center;clear: both;"] ap.org##div\[style="margin: 0px auto 20px; width: 728px; height: 90px"] golflink.com##div\[style="margin: 0px auto; width: 728px; height: 90px;"] keprtv.com##div\[style="margin: 0px; width: 300px; height: 250px"] @@ -40641,21 +42116,22 @@ uproxx.com##div\[style="margin: 15px auto; width: 728px; height: 90px;"] twitpic.com##div\[style="margin: 15px auto;width:730px; height:100px;"] usedcars.com##div\[style="margin: 20px 0"] shouldiremoveit.com##div\[style="margin: 5px 0px 30px 0px;"] -rachaelrayshow.com##div\[style="margin: 5px auto 0 auto; padding: 0px; color: #999999; font-size: 10px; text-align: center;"] comicwebcam.com##div\[style="margin: 6px auto 0;"] businessspectator.com.au##div\[style="margin: auto 10px; width: 300px;"] primeshare.tv##div\[style="margin: auto; width: 728px; margin-bottom: -10px;"] recipepuppy.com##div\[style="margin:0 auto 10px;min-height:250px;"] desivideonetwork.com##div\[style="margin:0 auto; width:300px; height:250px;"] malaysiakini.com##div\[style="margin:0 auto; width:728px; height:90px;"] -gamesfree.ca##div\[style="margin:0 auto; width:990px; background-image:url(http://www.gamesfree.ca/new_shit/add_728x90.gif); height:112px"] mangafox.me##div\[style="margin:0 auto;clear:both;width:930px"] joomla.org##div\[style="margin:0 auto;width:728px;height:100px;"] ontopmag.com##div\[style="margin:0; width:300px; height:250px; padding:0; margin:5px auto 0 auto;"] +noobpreneur.com##div\[style="margin:0px 0px 10px 0px; padding:20px; background:#f9f9f9; border:1px solid #ddd; text-align:center; -webkit-border-radius: 3px; -moz-border-radius: 3px; border-radius: 3px;"] synonym.com##div\[style="margin:0px auto; width: 300px; height: 250px;"] 10minutemail.net##div\[style="margin:10px 0; height:90px; width:728px;"] 22find.com##div\[style="margin:10px auto 0;width:300px;height:320px;"] drakulastream.eu##div\[style="margin:10px"] +businessdictionary.com##div\[style="margin:14px 0 10px 0;padding:0px;min-height:220px;"] +anymaking.com##div\[style="margin:15px auto; border:1px solid #ccc; width:728px; height:90px;"] whattoexpect.com##div\[style="margin:15px auto;width:728px;"] xnotifier.tobwithu.com##div\[style="margin:1em 0;font-weight:bold;"] thespoof.com##div\[style="margin:20px 5px 10px 0;"] @@ -40663,6 +42139,7 @@ ipiccy.com##div\[style="margin:20px auto 10px; width:728px;text-align:center;"] bonjourlife.com##div\[style="margin:20px auto;width:720px;height:90px;"] bikeexchange.com.au##div\[style="margin:2em 0; text-align:center;"] tek-tips.com##div\[style="margin:2px;padding:1px;height:60px;"] +noobpreneur.com##div\[style="margin:30px 0px; padding:20px; background:#f9f9f9; border:1px solid #ddd; text-align:center; -webkit-border-radius: 3px; -moz-border-radius: 3px; border-radius: 3px;"] ipaddress.com##div\[style="margin:32px 0;text-align:center"] bitsnoop.com##div\[style="margin:4px 0 8px 0; padding:0; width:100%; height:90px; text-align:center;"] indiatvnews.com##div\[style="margin:5px 0px 20px 0px"] @@ -40671,6 +42148,7 @@ jpopasia.com##div\[style="margin:auto auto; text-align:center; margin-bottom:10p into-asia.com##div\[style="margin:auto; width:728px; height:105px; margin-top:20px"] codeproject.com##div\[style="margin:auto;width:728px;height:90px;margin-top:10px"] androidpolice.com##div\[style="max-width:160px; height:600px; margin: 0 auto;"] +dawn.com##div\[style="max-width:728px;max-height:90px;text-align:center;margin:0 auto;"] channelstv.com##div\[style="max-width:980px; max-height:94px"] life.time.com##div\[style="min-height: 226px; clear: both"] phonearena.com##div\[style="min-height: 250px"] @@ -40699,14 +42177,12 @@ youtubedoubler.com##div\[style="padding-left:2px; padding-top:9px; padding-botto rlslog.net##div\[style="padding-left:40px;"] beforeitsnews.com##div\[style="padding-right:20px; width: 300px; height: 250px; float:right;"] pt-news.org##div\[style="padding-right:5px; padding-top:18px; float:left; "] -ontopmag.com##div\[style="padding-top: 10px; background-color: #575757; height: 90px;\a width: 728px; margin: auto auto;"] magweb.com##div\[style="padding-top: 15px;"] drweil.com##div\[style="padding-top: 5px; width:728px; padding-bottom:10px;"] ynetnews.com##div\[style="padding-top:10px;padding-bottom:10px;padding-right:10px"] podbean.com##div\[style="padding-top:20px;width:336px;height:280px"] funnycrazygames.com##div\[style="padding-top:2px"] thenews.com.pk##div\[style="padding-top:5px;;height:95px;float:left;width:931px;background:url(images/banner_top_bg.jpg);"] -watchonlinefree.tv##div\[style="padding-top:5px;float:left;width:100%;font-size:13px;line-height:26px;height:31px;top: 12px;z-index:9999;text-align:left"] thenews.com.pk##div\[style="padding-top:5px;height:95px;float:left;width:931px;background:url(images/banner_top_bg.jpg);"] forums.androidcentral.com##div\[style="padding-top:92px !important; "] cardschat.com##div\[style="padding: 0px 0px 0px 0px; margin-top:10px;"] @@ -40722,6 +42198,9 @@ legacy.com##div\[style="padding:0; margin:0 auto; text-align:right; width:738px; condo.com##div\[style="padding:0px 5px 0px 5px; width:300px;"] beforeitsnews.com##div\[style="padding:10px 0 10px 0;height:250px;margin-bottom:5px;"] subtitleseeker.com##div\[style="padding:10px 0px 10px 0px; text-align:center; width:728; height:90px;"] +standardmedia.co.ke##div\[style="padding:10px; width:1200px; height:90px; "] +myanimelist.net##div\[style="padding:12px 0px"] +listentotaxman.com##div\[style="padding:2px 2px 0px 0px;height:90px;overflow:hidden;text-align:right; clear:both;"] ucatholic.com##div\[style="padding:5px 0 5px 0; text-align:center"] avforums.com##div\[style="padding:5px 0px 0px 0px"] usfinancepost.com##div\[style="padding:5px 15px 5px 0px;"] @@ -40729,10 +42208,8 @@ imtranslator.net##div\[style="padding:5px;margin:5px;border:1px solid #21497D;"] championsradio.com##div\[style="position: absolute; left: 0px; top: 259px;"] championsradio.com##div\[style="position: absolute; left: 630px; top: 283px;"] yourvideohost.com##div\[style="position: absolute; width: 300px; height: 250px; margin-left: -150px; left: 50%; margin-top: -125px; top: 50%; background-color: transparent;z-index:98;"] -videofun.me##div\[style="position: absolute; width: 300px; height: 275px; left: 150px; top: 79px; background: url(\"http://byzoo.org/msg.png\") no-repeat scroll center center transparent;"] play44.net,video44.net##div\[style="position: absolute; width: 300px; height: 275px; left: 150px; top: 79px; z-index: 999;"] -indiatimes.com##div\[style="position: fixed; left: 0px; top: 0px; bottom: 0px; cursor: pointer; width: 450px;"] -indiatimes.com##div\[style="position: fixed; right: 0px; top: 0px; bottom: 0px; cursor: pointer; width: 450px;"] +videobam.com##div\[style="position: fixed; width: 100%; text-align: left; height: 38px; padding-bottom: 2px; background: rgb(253, 237, 167) none repeat scroll 0% 0%; top: -0.000756667px; left: 0px; font-family: Arial; font-size: 15px; border-bottom: 1px solid rgb(214, 214, 214); min-width: 700px; z-index: 2147483647;"] roundgames.com##div\[style="position: relative; height: 110px;"] lbcgroup.tv##div\[style="position: relative; height: 250px; width: 300px;"] ampgames.com##div\[style="position: relative; height: 260px;"] @@ -40740,10 +42217,12 @@ educationpost.com.hk##div\[style="position: relative; width: 300px; height: 280p newera.com.na##div\[style="position: relative; width: 620px; height: 80px;"] bestreams.net##div\[style="position: relative; width: 800px; height: 440px;"] kusc.org##div\[style="position: relative; width: 900px; height: 250px; left: -300px;"] -allmyvideos.net,vidspot.net##div\[style="position: relative;"]:first-child > div\[id^="O"]\[style]:first-child -streamin.to##div\[style="position: relative;width: 800px;height: 440px;"] +vidspot.net##div\[style="position: relative;"]:first-child > div\[id^="O"]\[style]:first-child +streamtuner.me##div\[style="position: relative;top: -45px;"] +skyvids.net,streamin.to##div\[style="position: relative;width: 800px;height: 440px;"] topfriv.com##div\[style="position:absolute; background:#201F1D; top:15px; right:60px; width:728px; height:90px;"] sharerepo.com##div\[style="position:absolute; top:10%; left:0%; width:300px; height:100%; z-index:1;"] +dubbedonline.co##div\[style="position:absolute;background:#000000 URL(../image/black.gif);text-align:center;width:728px;height:410px;"] theoffside.com##div\[style="position:absolute;left:10px;top:138px;width:160px;height:600px;border:1px solid #ffffff;"] i6.com##div\[style="position:absolute;top: 240px; left:985px;width: 320px;"] hypable.com##div\[style="position:relative; float:left; width:300px; min-height:250px; background-color:grey;"] @@ -40751,12 +42230,12 @@ hypable.com##div\[style="position:relative; float:left; width:300px; min-height: hypable.com##div\[style="position:relative; margin:0 auto; width:100%; padding:30px 0px; text-align: center; min-height:90px;"] mmorpg.com##div\[style="position:relative; margin:0px; width:100%; height:90px; clear:both; padding-top:12px; text-align:center;"] healthcastle.com##div\[style="position:relative; width: 300px; height: 280px;"] +opiniojuris.org##div\[style="position:relative; width:300px; height:250px; overflow:hidden"] hypixel.net##div\[style="position:relative; width:728px; margin: auto;"] buyselltrade.ca##div\[style="position:relative;overflow:hidden;width:728px;height:90px;"] shalomtv.com##div\[style="position:relative;width:468px;height:60px;overflow:hidden"] fastvideo.eu##div\[style="position:relative;width:896px;height:370px;margin: 0 auto;backgroud:;"] > \[id]:first-child baltimorestyle.com##div\[style="text-align : center ;margin-left : auto ;margin-right : auto ;position : relative ;background-color:#ffffff;height:100px;padding-top:10px;"] -businesstech.co.za##div\[style="text-align: center; border: 1px solid #DFDFE1; margin-bottom: 12px; padding: 6px; text-align: center;"] notalwaysright.com##div\[style="text-align: center; display: block; padding-top: 30px;"] centurylink.net##div\[style="text-align: center; font-size: 11px;"] rofl.to##div\[style="text-align: center; height:60px; width:468px;"] @@ -40778,7 +42257,8 @@ eatingwell.com##div\[style="text-align:center; min-height:90px;"] customize.org##div\[style="text-align:center; padding:0px 0px 20px 0px; width: 100%; height: 90px;"] customize.org##div\[style="text-align:center; padding:20px 0px 0px 0px; width: 100%; height: 90px;"] legacy.com##div\[style="text-align:center; padding:2px 0 3px 0;"] -nowdownload.ag,nowdownload.at,nowdownload.ch,nowdownload.co,nowdownload.sx##div\[style="text-align:center; vertical-align:middle; height:250px;"] +nowdownload.ag,nowdownload.ch,nowdownload.co,nowdownload.ec,nowdownload.sx##div\[style="text-align:center; vertical-align:middle; height:250px;"] +clutchmagonline.com##div\[style="text-align:center; width:300px; margin: 20px auto"] cinemablend.com##div\[style="text-align:center;"] geekzone.co.nz##div\[style="text-align:center;clear:both;height:20px;"] iloubnan.info##div\[style="text-align:center;color:black;font-size:10px;"] @@ -40786,9 +42266,9 @@ techguy.org##div\[style="text-align:center;height:101px;width:100%;"] theawesomer.com##div\[style="text-align:center;padding:20px 0px 0px 0px;height:90px;width:100%;clear:both;"] imcdb.org##div\[style="text-align:center;width:150px;font-family:Arial;"] statscrop.com##div\[style="text-align:left; margin-left:5px; clear:both;"]:first-child +zrtp.org##div\[style="text-align:left;display:block;margin-right:auto;margin-left:auto"] carpoint.com.au##div\[style="text-align:right;font-size:10px;color:#999;padding:4px;border:solid #ccc;border-width:0"] mocpages.com##div\[style="vertical-align:middle; width:728; height:90; max-width:728; max-height:90; border:1px solid #888;"] -griquasrugby.co.za##div\[style="visibility: visible; left: 0px; top: 0px; min-width: 452px; min-height: 120px; position: absolute;"] neowin.net##div\[style="white-space:nowrap;overflow: hidden; min-height:120px; margin-top:0; margin-bottom:0;"] politicususa.com##div\[style="width: 100%; height: 100px; margin: -8px auto 7px auto;"] chron.com##div\[style="width: 100%; height: 90px; margin-bottom: 8px; float: left;"] @@ -40806,10 +42286,11 @@ vr-zone.com##div\[style="width: 160px; height: 600px"] brandeating.com##div\[style="width: 160px; height: 600px; overflow: visible;"] performanceboats.com##div\[style="width: 160px; height: 600px;"] kidzworld.com##div\[style="width: 160px; height: 617px; margin: auto;"] +wrip979.com##div\[style="width: 160px; height: 627px"] disclose.tv##div\[style="width: 160px;"] concrete.tv##div\[style="width: 180px; height: 360px; border: 1px solid white;"] +porttechnology.org##div\[style="width: 192px; height: 70px;"] checkip.org##div\[style="width: 250px; margin-left: 25px;margin-top:10px;"] -griquasrugby.co.za##div\[style="width: 282px; height: 119px; margin: 0px;"] whodoyouthinkyouaremagazine.com##div\[style="width: 290px; height: 100px; padding: 5px; margin-bottom: 5px; clear: both;"] mmoculture.com##div\[style="width: 290px; height: 250px;"] mmoculture.com##div\[style="width: 290px; height: 600px;"] @@ -40843,7 +42324,6 @@ socialblade.com##div\[style="width: 300px; height: 250px; margin: 0px auto 10px pcworld.com##div\[style="width: 300px; height: 250px; margin:0 auto 20px; overflow:hidden;"] looklocal.co.za##div\[style="width: 300px; height: 250px; overflow: auto;"] benzinga.com,newstalk.ie,newswhip.ie##div\[style="width: 300px; height: 250px; overflow: hidden;"] -timesofindia.indiatimes.com##div\[style="width: 300px; height: 250px; overflow:hidden"] mbworld.org##div\[style="width: 300px; height: 250px; overflow:hidden;"] ukfree.tv##div\[style="width: 300px; height: 250px; padding-top: 10px"] washingtonmonthly.com##div\[style="width: 300px; height: 250px; padding: 15px 50px; margin-bottom: 20px; background: #ccc;"] @@ -40852,7 +42332,6 @@ compasscayman.com##div\[style="width: 300px; height: 250px;float: left;"] usedcars.com##div\[style="width: 300px; height: 265px"] ebay.co.uk##div\[style="width: 300px; height: 265px; overflow: hidden; display: block;"] kidzworld.com##div\[style="width: 300px; height: 267px; margin: auto;"] -supersport.com##div\[style="width: 300px; height: 320px; margin: 0 0 0 10px;"] wnd.com##div\[style="width: 300px; height: 600px"] socialblade.com##div\[style="width: 300px; height: 600px; margin: 20px auto 10px auto;"] urbandictionary.com,wraltechwire.com##div\[style="width: 300px; height: 600px;"] @@ -40862,10 +42341,11 @@ digitalphotopro.com##div\[style="width: 300px; text-align: center;"] vitals.com##div\[style="width: 300px; text-align:right"] hollywoodnews.com,wnd.com##div\[style="width: 300px;height: 250px;"] wnd.com##div\[style="width: 300px;height: 600px;"] -askkissy.com,babesandkidsreview.com##div\[style="width: 304px; height: 280px; outline: 1px solid #808080; padding-top: 2px; text-align: center; background-color: #fff;"] +babesandkidsreview.com##div\[style="width: 304px; height: 280px; outline: 1px solid #808080; padding-top: 2px; text-align: center; background-color: #fff;"] cheatcc.com##div\[style="width: 308px; text-align: right; font-size: 11pt;"] phonearena.com##div\[style="width: 320px; height: 250px; border-top: 1px dotted #ddd; padding: 17px 20px 17px 0px;"] -thetruthaboutguns.com##div\[style="width: 320px; height:600px;"] +weaselzippers.us##div\[style="width: 320px; height:600px; margin-top:190px;"] +thetruthaboutguns.com,weaselzippers.us##div\[style="width: 320px; height:600px;"] windows7download.com##div\[style="width: 336px; height:280px;"] wellness.com##div\[style="width: 336px; padding: 0 0 0 15px; height:280px;"] theday.com##div\[style="width: 468px; height: 60px; border: 1px solid #eeeeee; margin: 5px 0; clear: both;"] @@ -40873,8 +42353,6 @@ way2sms.com##div\[style="width: 468px; height: 60px; margin-left: 140px;"] scriptcopy.com##div\[style="width: 468px; height: 60px; text-align: center; display: block; margin: 0pt auto; background-color:#eee;"] mmoculture.com##div\[style="width: 468px; height: 60px;"] win7dl.com##div\[style="width: 570px; margin: 0 auto;"] -zimeye.com##div\[style="width: 575px; height: 232px; padding: 6px 6px 6px 0; float: left; margin-left: 0; margin-right: 1px;"] -whoisology.com##div\[style="width: 66%; float:left;text-align:center;margin-top:30px;vertical-align:top;background:#fff;"] > .container-fluid\[style="padding-right:0;margin-right:0"] redorbit.com##div\[style="width: 700px; height: 250px; overflow: hidden;"] hiphopstan.com##div\[style="width: 700px; height: 270px; margin-left: auto; margin-right: auto; clear: both;"] sharingcentre.net##div\[style="width: 700px; margin: 0 auto;"] @@ -40896,10 +42374,12 @@ itnews.com.au##div\[style="width: 728px; height:90px; margin-left: auto; margin- bravejournal.com##div\[style="width: 728px; margin: 0 auto;"] zoklet.net##div\[style="width: 728px; margin: 3px auto;"] wnd.com##div\[style="width: 728px;height: 90px"] +f-picture.net##div\[style="width: 730px; height: 90px; padding: 0px; padding-left: 10px; margin: 0px; border-style: none; border-width: 0px; overflow: hidden;"] news-panel.com##div\[style="width: 730px; height: 95px;"] elitistjerks.com##div\[style="width: 730px; margin: 0 auto"] quikr.com##div\[style="width: 735px; height: 125px;"] freemake.com##div\[style="width: 735px; height:60px; margin: 0px auto; padding-bottom:40px;"] +radiosurvivor.com##div\[style="width: 750px; height: 90px; border: padding-left:25px; margin-left:auto; margin-right:auto; padding-bottom: 40px; max-width:100%"] shop.com##div\[style="width: 819px; border:1px solid #cccccc; "] shop.com##div\[style="width: 819px; height: 124px; border:1px solid #cccccc; "] betterpropaganda.com##div\[style="width: 848px; height: 91px; margin: 0; position: relative;"] @@ -40920,6 +42400,7 @@ zedomax.com##div\[style="width:100%;height:280px;"] wattpad.com##div\[style="width:100%;height:90px;text-align:center"] techcentral.ie##div\[style="width:1000px; height:90px; margin:auto"] flixist.com##div\[style="width:1000px; padding:0px; margin-left:auto; margin-right:auto; margin-bottom:10px; margin-top:10px; height:90px;"] +newhampshire.com,unionleader.com##div\[style="width:100px;height:38px;float:right;margin-left:10px"] techbrowsing.com##div\[style="width:1045px;height:90px;margin-top: 15px;"] strangecosmos.com##div\[style="width:120px; height:600;"] egyptindependent.com##div\[style="width:120px;height:600px;"] @@ -40939,24 +42420,22 @@ brothersoft.com##div\[style="width:160px; height:600px;margin:0px auto;"] gogetaroomie.com##div\[style="width:160px; height:616px;background: #ffffff; margin-top:10px; margin-bottom:10px;"] forums.eteknix.com##div\[style="width:160px; margin:10px auto; height:600px;"] downloadcrew.com##div\[style="width:160px;height:160px;margin-bottom:10px;"] -belfasttelegraph.co.uk,vipleague.se,wxyz.com##div\[style="width:160px;height:600px;"] +belfasttelegraph.co.uk,wxyz.com##div\[style="width:160px;height:600px;"] downloadcrew.com##div\[style="width:160px;height:600px;margin-bottom:10px;"] -thephoenix.com##div\[style="width:160px;height:602px;border:0;margin:0;padding:0;"] leitesculinaria.com##div\[style="width:162px; height:600px; float:left;"] leitesculinaria.com##div\[style="width:162px; height:600px; float:right;"] undsports.com##div\[style="width:170px;height:625px;overflow:hidden;background-color:#ffffff;border:1px solid #c3c3c3"] -caymannewsservice.com##div\[style="width:175px; height:200px; margin:0px auto;"] wantitall.co.za##div\[style="width:195px; height:600px; text-align:center"] mlmhelpdesk.com##div\[style="width:200px; height:200px;"] -indiatimes.com##div\[style="width:210px;height:70px;float:left;padding:0 0 0 8px"] today.az##div\[style="width:229px; height:120px;"] theadvocate.com##div\[style="width:240px;height:90px;background:#eee; margin-top:5px;float:right;"] -azernews.az##div\[style="width:250px; height:250px;"] +newzimbabwe.com##div\[style="width:250px; height:250px;"] today.az##div\[style="width:255px; height:120px;"] exchangerates.org.uk##div\[style="width:255px;text-align:left;background:#fff;margin:15px 0 15px 0;"] linksrank.com##div\[style="width:260px; align:left"] webstatschecker.com##div\[style="width:260px; text-align:left"] chinadaily.com.cn##div\[style="width:275px;height:250px;border:none;padding:0px;margin:0px;overflow:hidden;"] +101greatgoals.com##div\[style="width:280px;height:440px;"] cinemablend.com##div\[style="width:290px;height:600px;"] cinemablend.com##div\[style="width:290px;height:606px;"] samoaobserver.ws##div\[style="width:297px; height:130px;"] @@ -40970,7 +42449,7 @@ redflagflyinghigh.com,wheninmanila.com##div\[style="width:300px; height: 250px;" shape.com##div\[style="width:300px; height: 255px; overflow:auto;"] itweb.co.za##div\[style="width:300px; height: 266px; overflow: hidden; margin: 0"] jerusalemonline.com##div\[style="width:300px; height: 284px; padding-top: 10px; padding-bottom: 10px; border: 1px solid #ffffff; float:right"] -foxsportsasia.com,windsorite.ca##div\[style="width:300px; height:100px;"] +foxsportsasia.com##div\[style="width:300px; height:100px;"] girlgames.com##div\[style="width:300px; height:118px; margin-bottom:6px;"] midweek.com##div\[style="width:300px; height:135px; float:left;"] encyclopedia.com,thirdage.com##div\[style="width:300px; height:250px"] @@ -40978,6 +42457,7 @@ herplaces.com##div\[style="width:300px; height:250px; background-color:#CCC;"] iskullgames.com##div\[style="width:300px; height:250px; border: 2px solid #3a3524;"] videoweed.es##div\[style="width:300px; height:250px; display:block; border:1px solid #CCC;"] picocent.com##div\[style="width:300px; height:250px; margin-bottom: 35px;"] +earthsky.org##div\[style="width:300px; height:250px; margin-bottom:25px;"] gametracker.com##div\[style="width:300px; height:250px; margin-bottom:8px; overflow:hidden;"] midweek.com##div\[style="width:300px; height:250px; margin: 5px 0px; float:left;"] inrumor.com##div\[style="width:300px; height:250px; margin:0 0 10px 0;"] @@ -40985,19 +42465,19 @@ funny-city.com,techsupportforum.com##div\[style="width:300px; height:250px; marg filesfrog.com##div\[style="width:300px; height:250px; overflow: hidden;"] search.ch##div\[style="width:300px; height:250px; overflow:hidden"] worldtvpc.com##div\[style="width:300px; height:250px; padding:8px; margin:auto"] -adforum.com,alliednews.com,americustimesrecorder.com,andovertownsman.com,athensreview.com,batesvilleheraldtribune.com,bdtonline.com,box10.com,chickashanews.com,claremoreprogress.com,cleburnetimesreview.com,clintonherald.com,commercejournal.com,commercial-news.com,coopercrier.com,cordeledispatch.com,corsicanadailysun.com,crossville-chronicle.com,cullmantimes.com,dailyiowegian.com,dailyitem.com,daltondailycitizen.com,derrynews.com,downloadhelper.net,duncanbanner.com,eagletribune.com,edmondsun.com,effinghamdailynews.com,enewscourier.com,enidnews.com,farmtalknewspaper.com,fayettetribune.com,flasharcade.com,flashgames247.com,flyergroup.com,forzaitalianfootball.com,foxsportsasia.com,futuresmag.com,gainesvilleregister.com,gloucestertimes.com,goshennews.com,greensburgdailynews.com,harpersbazaar.com,heraldbanner.com,heraldbulletin.com,hgazette.com,homemagonline.com,i-dressup.com,itemonline.com,jacksonvilleprogress.com,jerusalemonline.com,joplinglobe.com,journal-times.com,journalexpress.net,kokomotribune.com,lockportjournal.com,mankatofreepress.com,mcalesternews.com,mccrearyrecord.com,mcleansborotimesleader.com,meadvilletribune.com,mediaite.com,meridianstar.com,mineralwellsindex.com,montgomery-herald.com,mooreamerican.com,moultrieobserver.com,muskogeephoenix.com,ncnewsonline.com,newburyportnews.com,newsaegis.com,newsandtribune.com,newverhost.com,niagara-gazette.com,njeffersonnews.com,normantranscript.com,nypress.com,opposingviews.com,orangeleader.com,oskaloosa.com,ottumwacourier.com,palestineherald.com,panews.com,paulsvalleydailydemocrat.com,peekyou.com,pellachronicle.com,pharostribune.com,pressrepublican.com,pryordailytimes.com,psx-scene.com,randolphguide.com,record-eagle.com,register-herald.com,register-news.com,reporter.net,rockwallheraldbanner.com,roysecityheraldbanner.com,rushvillerepublican.com,salemnews.com,sentinel-echo.com,sharonherald.com,shelbyvilledailyunion.com,siteslike.com,soaps.sheknows.com,standardmedia.co.ke,starbeacon.com,stwnewspress.com,suwanneedemocrat.com,tahlequahdailypress.com,theadanews.com,thedailystar.com,thelandonline.com,themoreheadnews.com,thesnaponline.com,tiftongazette.com,times-news.com,timesenterprise.com,timesofindia.indiatimes.com,timessentinel.com,timeswv.com,tonawanda-news.com,tribdem.com,tribstar.com,unionrecorder.com,upi.com,valdostadailytimes.com,washtimesherald.com,waurikademocrat.com,wcoutlook.com,weatherforddemocrat.com,windsorite.ca,woodwardnews.net##div\[style="width:300px; height:250px;"] +adforum.com,alliednews.com,americustimesrecorder.com,andovertownsman.com,athensreview.com,batesvilleheraldtribune.com,bdtonline.com,chickashanews.com,claremoreprogress.com,cleburnetimesreview.com,clintonherald.com,commercejournal.com,commercial-news.com,coopercrier.com,cordeledispatch.com,corsicanadailysun.com,crossville-chronicle.com,cullmantimes.com,dailyiowegian.com,dailyitem.com,daltondailycitizen.com,derrynews.com,duncanbanner.com,eagletribune.com,edmondsun.com,effinghamdailynews.com,enewscourier.com,enidnews.com,farmtalknewspaper.com,fayettetribune.com,flasharcade.com,flashgames247.com,flyergroup.com,foxsportsasia.com,gainesvilleregister.com,gloucestertimes.com,goshennews.com,greensburgdailynews.com,heraldbanner.com,heraldbulletin.com,hgazette.com,homemagonline.com,itemonline.com,jacksonvilleprogress.com,jerusalemonline.com,joplinglobe.com,journal-times.com,journalexpress.net,kexp.org,kokomotribune.com,lockportjournal.com,mankatofreepress.com,mcalesternews.com,mccrearyrecord.com,mcleansborotimesleader.com,meadvilletribune.com,meridianstar.com,mineralwellsindex.com,montgomery-herald.com,mooreamerican.com,moultrieobserver.com,muskogeephoenix.com,ncnewsonline.com,newburyportnews.com,newsaegis.com,newsandtribune.com,niagara-gazette.com,njeffersonnews.com,normantranscript.com,opposingviews.com,orangeleader.com,oskaloosa.com,ottumwacourier.com,palestineherald.com,panews.com,paulsvalleydailydemocrat.com,pellachronicle.com,pharostribune.com,pressrepublican.com,pryordailytimes.com,randolphguide.com,record-eagle.com,register-herald.com,register-news.com,reporter.net,rockwallheraldbanner.com,roysecityheraldbanner.com,rushvillerepublican.com,salemnews.com,sentinel-echo.com,sharonherald.com,shelbyvilledailyunion.com,siteslike.com,standardmedia.co.ke,starbeacon.com,stwnewspress.com,suwanneedemocrat.com,tahlequahdailypress.com,theadanews.com,thedailystar.com,thelandonline.com,themoreheadnews.com,thesnaponline.com,tiftongazette.com,times-news.com,timesenterprise.com,timessentinel.com,timeswv.com,tonawanda-news.com,tribdem.com,tribstar.com,unionrecorder.com,valdostadailytimes.com,washtimesherald.com,waurikademocrat.com,wcoutlook.com,weatherforddemocrat.com,woodwardnews.net##div\[style="width:300px; height:250px;"] snewsnet.com##div\[style="width:300px; height:250px;border:0px;"] cnn.com##div\[style="width:300px; height:250px;overflow:hidden;"] ego4u.com##div\[style="width:300px; height:260px; padding-top:10px"] jerusalemonline.com##div\[style="width:300px; height:265px;"] gogetaroomie.com##div\[style="width:300px; height:266px; background: #ffffff; margin-bottom:10px;"] topgear.com##div\[style="width:300px; height:306px; padding-top: 0px;"] -windsorite.ca##div\[style="width:300px; height:400px;"] -jerusalemonline.com,race-dezert.com,windsorite.ca##div\[style="width:300px; height:600px;"] +jerusalemonline.com,race-dezert.com##div\[style="width:300px; height:600px;"] worldscreen.com##div\[style="width:300px; height:65px; background-color:#ddd;"] standard.co.uk##div\[style="width:300px; margin-bottom:20px; background-color:#f5f5f5;"] uesp.net##div\[style="width:300px; margin-left: 120px;"] miamitodaynews.com##div\[style="width:300px; margin:0 auto;"] +windsorite.ca##div\[style="width:300px; min-height: 600px;"] forzaitalianfootball.com##div\[style="width:300px; min-height:250px; max-height:600px;"] yourmindblown.com##div\[style="width:300px; min-height:250px; padding:10px 0px;"] etfdailynews.com##div\[style="width:300px;border:1px solid black"] @@ -41005,8 +42485,8 @@ egyptindependent.com##div\[style="width:300px;height:100px;"] independent.com##div\[style="width:300px;height:100px;margin-left:10px;margin-top:15px;margin-bottom:15px;"] snewsnet.com##div\[style="width:300px;height:127px;border:0px;"] smh.com.au##div\[style="width:300px;height:163px;"] -1071thez.com,classichits987.com,indiana105.com,kgrt.com,wakeradio.com,xrock1039.com##div\[style="width:300px;height:250px"] -afterdawn.com,egyptindependent.com,flyertalk.com,hairboutique.com,itnews.com.au,leftfootforward.org,news92fm.com,nfl.com,nowtoronto.com,techcareers.com,tuoitrenews.vn,vipleague.se##div\[style="width:300px;height:250px;"] +1071thez.com,classichits987.com,funnyjunk.com,indiana105.com,kgrt.com,pocket-lint.com,wakeradio.com,xrock1039.com##div\[style="width:300px;height:250px"] +afterdawn.com,egyptindependent.com,flyertalk.com,hairboutique.com,itnews.com.au,leftfootforward.org,news92fm.com,nfl.com,nowtoronto.com,techcareers.com,tuoitrenews.vn,wowcrunch.com##div\[style="width:300px;height:250px;"] kohit.net##div\[style="width:300px;height:250px;background-color:#000000;"] winrumors.com##div\[style="width:300px;height:250px;background:#c0c8ce;"] ysr1560.com##div\[style="width:300px;height:250px;border:1pt #444444 solid;position:relative;left:5px;"] @@ -41029,7 +42509,6 @@ weartv.com##div\[style="width:303px;background-color:#336699;font-size:10px;colo newsblaze.com##div\[style="width:305px;height:250px;float:left;"] houserepairtalk.com##div\[style="width:305px;height:251px;"] whois.net##div\[style="width:320px; float:right; text-align:center;"] -gamesfree.ca##div\[style="width:322px;"] tomopop.com##div\[style="width:330px; overflow:hidden;"] worldtvpc.com##div\[style="width:336px; height:280px; padding:8px; margin:auto"] geekzone.co.nz,standardmedia.co.ke##div\[style="width:336px; height:280px;"] @@ -41040,6 +42519,7 @@ zedomax.com##div\[style="width:336px;height:280px;float:center;"] maximumpcguides.com##div\[style="width:336px;height:280px;margin:0 auto"] auto-types.com##div\[style="width:337px;height:280px;float:right;margin-top:5px;"] techsonia.com##div\[style="width:337px;height:298px;border:1px outset blue;"] +worldwideweirdnews.com##div\[style="width:341px; height:285px;float:left; display:inline-block"] mapsofindia.com##div\[style="width:345px;height:284px;float:left;"] keo.co.za##div\[style="width:350px;height:250px;float:left;"] catholicworldreport.com##div\[style="width:350px;height:275px;background:#e1e1e1;padding:25px 0px 0px 0px; margin: 10px 0;"] @@ -41047,7 +42527,6 @@ hostcabi.net##div\[style="width:350px;height:290px;float:left"] internet.com##div\[style="width:350px;margin-bottom:5px;"] internet.com##div\[style="width:350px;text-align:center;margin-bottom:5px"] gamepressure.com##div\[style="width:390px;height:300px;float:right;"] -caymannewsservice.com##div\[style="width:450px; height:100px; margin:0px auto;"] top4download.com##div\[style="width:450px;height:205px;clear:both;"] worldscreen.com##div\[style="width:468px; height:60px; background-color:#ddd;"] bfads.net##div\[style="width:468px; height:60px; margin:0 auto 0 auto;"] @@ -41058,14 +42537,15 @@ independent.com##div\[style="width:468px;height:60px;margin:10px 35px;clear:both jwire.com.au##div\[style="width:468px;height:60px;margin:10px auto;"] kwongwah.com.my##div\[style="width:468px;height:60px;text-align:center;margin-bottom:10px;"] kwongwah.com.my##div\[style="width:468px;height:60px;text-align:center;margin:20px 0 10px;"] +standardmedia.co.ke##div\[style="width:470px; height:100px; margin:20px;"] southcoasttoday.com##div\[style="width:48%; border:1px solid #3A6891; margin-top:20px;"] limelinx.com##div\[style="width:480px; height:60px;"] weatherbug.com##div\[style="width:484px; height:125px; background:#FFFFFF; overflow:hidden;"] reactiongifs.com##div\[style="width:499px; background:#ffffff; margin:00px 0px 35px 180px; padding:20px 0px 20px 20px; "] classiccars.com##div\[style="width:515px;border-style:solid;border-width:thin;border-color:transparent;padding-left:10px;padding-top:10px;padding-right:10px;padding-bottom:10px;background-color:#CFCAC4"] wwitv.com##div\[style="width:520px;height:100px"] -caymannewsservice.com##div\[style="width:550px; height:100px; margin:0px auto;"] toorgle.net##div\[style="width:550px;margin-bottom:15px;font-family:arial,serif;font-size:10pt;"] +lifewithcats.tv##div\[style="width:600px; height:300px;"] techgage.com##div\[style="width:600px; height:74px;"] chrome-hacks.net##div\[style="width:600px;height:250px;"] hiphopwired.com##div\[style="width:639px;height:260px;margin-top:20px;"] @@ -41085,14 +42565,14 @@ bangkokpost.com##div\[style="width:728px; height:90px; margin-left: auto; margin relationshipcolumns.com##div\[style="width:728px; height:90px; margin-top:18px;"] mustangevolution.com##div\[style="width:728px; height:90px; margin: 0 auto;"] canadapost.ca##div\[style="width:728px; height:90px; margin: auto; text-align: center; padding: 10px;"] -gta3.com,gtagarage.com,gtasanandreas.net##div\[style="width:728px; height:90px; margin:0 auto"] +gta3.com,gtagarage.com,gtasanandreas.net,myanimelist.net##div\[style="width:728px; height:90px; margin:0 auto"] fas.org##div\[style="width:728px; height:90px; margin:10px 0 20px 0;"] herplaces.com##div\[style="width:728px; height:90px; margin:12px auto;"] motionempire.me##div\[style="width:728px; height:90px; margin:20px auto 10px; padding:0;"] imgbox.com##div\[style="width:728px; height:90px; margin:auto; margin-bottom:8px;"] dodgeforum.com,hondamarketplace.com##div\[style="width:728px; height:90px; overflow:hidden; margin:0 auto;"] freeforums.org,scottishamateurfootballforum.com##div\[style="width:728px; height:90px; padding-bottom:20px;"] -alliednews.com,americustimesrecorder.com,andovertownsman.com,androidpolice.com,athensreview.com,azernews.az,batesvilleheraldtribune.com,bdtonline.com,boards.ie,chickashanews.com,claremoreprogress.com,cleburnetimesreview.com,clintonherald.com,commercejournal.com,commercial-news.com,cookingforengineers.com,coopercrier.com,cordeledispatch.com,corsicanadailysun.com,crossville-chronicle.com,cullmantimes.com,dailyiowegian.com,dailyitem.com,daltondailycitizen.com,derrynews.com,duncanbanner.com,eagletribune.com,edmondsun.com,effinghamdailynews.com,enewscourier.com,enidnews.com,farmtalknewspaper.com,fayettetribune.com,findthebest.com,flyergroup.com,forzaitalianfootball.com,gainesvilleregister.com,gloucestertimes.com,goshennews.com,greensburgdailynews.com,heraldbanner.com,heraldbulletin.com,hgazette.com,homemagonline.com,itemonline.com,jacksonvilleprogress.com,joplinglobe.com,journal-times.com,journalexpress.net,kokomotribune.com,lockportjournal.com,mankatofreepress.com,mcalesternews.com,mccrearyrecord.com,mcleansborotimesleader.com,meadvilletribune.com,meridianstar.com,mineralwellsindex.com,montgomery-herald.com,mooreamerican.com,moultrieobserver.com,muskogeephoenix.com,ncnewsonline.com,newburyportnews.com,newsaegis.com,newsandtribune.com,niagara-gazette.com,njeffersonnews.com,normantranscript.com,orangeleader.com,oskaloosa.com,ottumwacourier.com,palestineherald.com,panews.com,paulsvalleydailydemocrat.com,pellachronicle.com,pharostribune.com,pressrepublican.com,pryordailytimes.com,randolphguide.com,record-eagle.com,register-herald.com,register-news.com,reporter.net,rockwallheraldbanner.com,roysecityheraldbanner.com,rushvillerepublican.com,salemnews.com,sentinel-echo.com,sharonherald.com,shelbyvilledailyunion.com,starbeacon.com,stwnewspress.com,suwanneedemocrat.com,tahlequahdailypress.com,theadanews.com,thedeadwood.co.uk,thelandonline.com,themoreheadnews.com,thesnaponline.com,tiftongazette.com,times-news.com,timesenterprise.com,timessentinel.com,timeswv.com,tonawanda-news.com,tribdem.com,tribstar.com,ualpilotsforum.org,unionrecorder.com,valdostadailytimes.com,washtimesherald.com,waurikademocrat.com,wcoutlook.com,weatherforddemocrat.com,woodwardnews.net##div\[style="width:728px; height:90px;"] +alliednews.com,americustimesrecorder.com,andovertownsman.com,androidpolice.com,athensreview.com,batesvilleheraldtribune.com,bdtonline.com,boards.ie,chickashanews.com,claremoreprogress.com,cleburnetimesreview.com,clintonherald.com,commercejournal.com,commercial-news.com,cookingforengineers.com,coopercrier.com,cordeledispatch.com,corsicanadailysun.com,crossville-chronicle.com,cullmantimes.com,dailyiowegian.com,dailyitem.com,daltondailycitizen.com,derrynews.com,duncanbanner.com,eagletribune.com,edmondsun.com,effinghamdailynews.com,enewscourier.com,enidnews.com,farmtalknewspaper.com,fayettetribune.com,flyergroup.com,forzaitalianfootball.com,gainesvilleregister.com,gloucestertimes.com,goshennews.com,greensburgdailynews.com,heraldbanner.com,heraldbulletin.com,hgazette.com,homemagonline.com,itemonline.com,jacksonvilleprogress.com,joplinglobe.com,journal-times.com,journalexpress.net,kokomotribune.com,lockportjournal.com,mankatofreepress.com,mcalesternews.com,mccrearyrecord.com,mcleansborotimesleader.com,meadvilletribune.com,meridianstar.com,mineralwellsindex.com,montgomery-herald.com,mooreamerican.com,moultrieobserver.com,muskogeephoenix.com,ncnewsonline.com,newburyportnews.com,newsaegis.com,newsandtribune.com,niagara-gazette.com,njeffersonnews.com,normantranscript.com,orangeleader.com,oskaloosa.com,ottumwacourier.com,palestineherald.com,panews.com,paulsvalleydailydemocrat.com,pellachronicle.com,pharostribune.com,pressrepublican.com,pryordailytimes.com,randolphguide.com,record-eagle.com,register-herald.com,register-news.com,reporter.net,rockwallheraldbanner.com,roysecityheraldbanner.com,rushvillerepublican.com,salemnews.com,sentinel-echo.com,sharonherald.com,shelbyvilledailyunion.com,starbeacon.com,stwnewspress.com,suwanneedemocrat.com,tahlequahdailypress.com,theadanews.com,thedeadwood.co.uk,thelandonline.com,themoreheadnews.com,thesnaponline.com,tiftongazette.com,times-news.com,timesenterprise.com,timessentinel.com,timeswv.com,tonawanda-news.com,tribdem.com,tribstar.com,ualpilotsforum.org,unionrecorder.com,valdostadailytimes.com,washtimesherald.com,waurikademocrat.com,wcoutlook.com,weatherforddemocrat.com,woodwardnews.net##div\[style="width:728px; height:90px;"] theepochtimes.com##div\[style="width:728px; height:90px;margin:10px auto 0 auto;"] thedailystar.com##div\[style="width:728px; height:90px;position: relative; z-index: 1000 !important"] highdefjunkies.com##div\[style="width:728px; margin:0 auto; padding-bottom:1em"] @@ -41102,11 +42582,12 @@ kavkisfile.com##div\[style="width:728px; text-align:center;font-family:verdana;f net-temps.com##div\[style="width:728px;height:100px;margin-left:auto;margin-right:auto"] ipernity.com##div\[style="width:728px;height:100px;margin:0 auto;"] tictacti.com##div\[style="width:728px;height:110px;text-align:center;margin: 10px 0 20px 0; background-color: White;"] -1071thez.com,classichits987.com,indiana105.com,kgrt.com,wakeradio.com,xrock1039.com##div\[style="width:728px;height:90px"] +1071thez.com,classichits987.com,indiana105.com,kgrt.com,pocket-lint.com,wakeradio.com,xrock1039.com##div\[style="width:728px;height:90px"] footballfancast.com##div\[style="width:728px;height:90px; margin: 0 auto 10px;"] wxyz.com##div\[style="width:728px;height:90px;"] roxigames.com##div\[style="width:728px;height:90px;\a border:1px solid blue;"] sualize.us##div\[style="width:728px;height:90px;background:#bbb;margin:0 auto;"] +dubbedonline.co##div\[style="width:728px;height:90px;display:block;margin-top:10px;bottom:-10px;position:relative;"] videohelp.com##div\[style="width:728px;height:90px;margin-left: auto ; margin-right: auto ;"] raaga.com##div\[style="width:728px;height:90px;margin-top:10px;margin-bottom:10px"] delishows.com##div\[style="width:728px;height:90px;margin:0 auto"] @@ -41123,7 +42604,7 @@ putme.org##div\[style="width:728px;margin:0 auto;"] solomid.net##div\[style="width:728px;padding:5px;background:#000;margin:auto"] proxynova.com##div\[style="width:730px; height:90px;"] usfinancepost.com##div\[style="width:730px;height:95px;display:block;margin:0 auto;"] -movie4k.to,movie4k.tv##div\[style="width:742px"] > div\[style="min-height:170px;"] > .moviedescription + br + a +movie.to,movie4k.me,movie4k.to,movie4k.tv##div\[style="width:742px"] > div\[style="min-height:170px;"] > .moviedescription + br + a dawn.com##div\[style="width:745px;height:90px;margin:auto;margin-bottom:20px;"] 1fichier.com##div\[style="width:750px;height:110px;margin:auto"] imagebam.com##div\[style="width:780px; margin:auto; margin-top:10px; margin-bottom:10px; height:250px;"] @@ -41144,28 +42625,32 @@ apphit.com##div\[style="width:980px;height:100px;clear:both;margin:0 auto;"] teleservices.mu##div\[style="width:980px;height:50px;float:left; "] performanceboats.com##div\[style="width:994px; height:238px;"] search.ch##div\[style="width:994px; height:250px"] +happystreams.net##div\[style="z-index: 2000; background-image: url(\"data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7\"); left: 145px; top: 120px; height: 576px; width: 1024px; position: absolute;"] independent.com##div\[style^="background-image:url('http://media.independent.com/img/ads/ads-bg.gif')"] sevenforums.com##div\[style^="border: 1px solid #94D3FE;"] gamebanshee.com##div\[style^="border:1px solid #b98027; width:300px;"] interfacelift.com##div\[style^="clear: both; -moz-border-radius: 6px; -webkit-border-radius: 6px;"] +redbrick.me##div\[style^="cursor:pointer; position: relative;width:1000px; margin: auto; height:150px; background-size:contain; "] iload.to##div\[style^="display: block; width: 950px;"] google.com##div\[style^="height: 16px; font: bold 12px/16px"] drakulastream.eu##div\[style^="height: 35px; z-index: 99999"] rapidvideo.tv##div\[style^="height: 35px;"] -animenova.tv,animetoon.tv,gogoanime.com,goodanime.net,gooddrama.net,toonget.com##div\[style^="left: 14"] -animenova.tv,animetoon.tv,gogoanime.com,goodanime.net,gooddrama.net,toonget.com##div\[style^="left: 15"] +kingfiles.net##div\[style^="height: 36px;"] +animenova.tv,animetoon.tv,gogoanime.com,goodanime.eu,gooddrama.net,toonget.com##div\[style^="left: "] +monova.org##div\[style^="padding-bottom: "] watchonlineseries.eu##div\[style^="padding-top:5px;float:left;"] 300mbmovies4u.com##div\[style^="padding-top:5px;float:left;width:100%;"] technabob.com##div\[style^="padding:0px 0px "] -easyvideo.me,playbb.me,playpanda.net,videowing.me,videozoo.me##div\[style^="position: absolute; width: 300px; height: 275px;"] +easyvideo.me,playbb.me,playpanda.net,videofun.me,videowing.me,videozoo.me##div\[style^="position: absolute;"] mp3juices.com##div\[style^="position: fixed; width: 100%; text-align: left; height: 40px; background: none"] viz.com##div\[style^="position:absolute; width:742px; height:90px;"] +easyvideo.me,playbb.me,playpanda.net,video66.org,videofun.me,videowing.me,videozoo.me##div\[style^="top: "] +video66.org##div\[style^="width: "] eatliver.com##div\[style^="width: 160px; height: 600px;"] -videozoo.me##div\[style^="width: 300px; position:"] -allmyvideos.net##div\[style^="width: 316px;"] -allmyvideos.net##div\[style^="width: 317px;"] +allmyvideos.net##div\[style^="width: 315px; "] someimage.com##div\[style^="width: 728px; height: 90px;"] kino.to##div\[style^="width: 972px;display: inline;top: 130px;"] +easyvideo.me,playbb.me,playpanda.net,videofun.me,videowing.me,videozoo.me##div\[style^="width:"] sockshare.com##div\[style^="width:302px;height:250px;"] way2sms.com##div\[style^="width:728px; height:90px;"] timelinecoverbanner.com##div\[style^="width:728px;"] @@ -41173,11 +42658,13 @@ walmart.com##div\[style^="width:740px;height:101px"] urgrove.com##div\[style^="z-index: "] > div\[style] putlocker.is,thevideos.tv##div\[style^="z-index: 2000; background-image:"] nowwatchtvlive.com##div\[style^="z-index: 99999; position: fixed; width: 100%;"] +easyvideo.me,playbb.me,playpanda.net,videofun.me,videowing.me,videozoo.me##div\[style^="z-index:"] eclipse.org##div\[width="200"] isnare.com##div\[width="905"] blackcatradio.biz##div\[width="969"]\[height="282"] filepuma.com##dt\[style="height:25px; text-indent:3px; padding-top:5px;"] xtremesystems.org##embed\[width="728"] +opensubtitles.org##fieldset > table\[style="width:100%;"] > tbody > .change astatalk.com##fieldset\[style="border: 1px solid #fff; margin-bottom: 15px; height: 60px; background-color: navy;"] bit.com.au,pcauthority.com.au##fieldset\[style="width:98%;border:1px solid #CCC;margin:0px;padding:0px 0px 0px 5px;"] cinemablend.com##font\[color="#737373"] @@ -41227,16 +42714,21 @@ technologyreview.com,tmz.com##img\[alt="Advertisement"] techxav.com##img\[alt="Commercial WordPress themes"] joox.net##img\[alt="Download FLV Direct"] jdownloader.org##img\[alt="Filesonic Premium Download"] +isohunt.to##img\[alt="Free download"] onhax.net##img\[alt="Full Version"] scriptmafia.org##img\[alt="SM AdSpaces"] searchquotes.com##img\[alt="Sponsored"] +awazfm.co.uk##img\[alt="advert"] warezchick.com##img\[border="0"] jozikids.co.za##img\[height="140"]\[width="140"] gametrailers.com##img\[height="15"]\[width="300"] +africandesignmagazine.com##img\[height="226"] mypbrand.com##img\[height="250"] +africandesignmagazine.com##img\[height="300"] 2pass.co.uk##img\[height="470"] warez-home.net##img\[height="60"]\[width="420"] pururin.com##img\[height="600"] +africandesignmagazine.com##img\[height="688"] abundance-and-happiness.com,professionalmuscle.com##img\[height="90"] nmap.org##img\[height="90"]\[width="120"] airplaydirect.com,roadtester.com.au,slayradio.org##img\[height="90"]\[width="728"] @@ -41244,6 +42736,7 @@ prowrestling.com##img\[height="91"] modelhorseblab.com##img\[name="js_ad"] sporcle.com##img\[src^="data:image/png;base64,"] kino.to##img\[src^="http://c.statcounter.com/"] + span +inamsoftwares.com##img\[src^="http://my.60ads.com/"] raysindex.com##img\[style$="text-align: center; cursor: \a \a pointer; width: 728px;"] rejournal.com##img\[style="border-width:0px;"] grabchicago.com##img\[style="border: 0px solid ; width: 728px; height: 90px;"] @@ -41259,22 +42752,28 @@ knco.com##img\[style="max-width:180px;max-height:150px;"] linksave.in##img\[style="max-width:468px; max-height:60px;"] knco.com##img\[style="max-width:650px;max-height:90px;"] islamchannel.tv##img\[style="vertical-align: top; width:468px; padding-left: 1px;padding-top: 5px;"] +cnykiss.com##img\[style="width: 160px; height: 160px;"] cbc-radio.com##img\[style="width: 180px; float: left; height: 170px"] cbc-radio.com##img\[style="width: 180px; float: right; height: 170px"] +cnykiss.com,wutqfm.com##img\[style="width: 180px; height: 180px;"] +wutqfm.com##img\[style="width: 200px; height: 200px;"] wcbm.com##img\[style="width: 258px; height: 237px;"] wcbm.com##img\[style="width: 261px; height: 256px;"] wbap.com##img\[style="width: 299px; height: 85px;"] espncleveland.com##img\[style="width: 300px; height: 100px; float: left;"] -countryfile.com##img\[style="width: 300px; height: 150px;"] +countryfile.com,wmal.com##img\[style="width: 300px; height: 150px;"] dailymirror.lk,radiotoday.com.au##img\[style="width: 300px; height: 200px;"] bulletin.us.com##img\[style="width: 300px; height: 238px;"] dailymirror.lk##img\[style="width: 300px; height: 248px;"] ktul.com##img\[style="width: 300px; height: 24px; border: 0px;"] +indypendent.org##img\[style="width: 300px; height: 250px; "] +flafnr.com,gizmochina.com##img\[style="width: 300px; height: 250px;"] jq99.com##img\[style="width: 300px; height: 75px;"] dailymirror.lk##img\[style="width: 302px; height: 202px;"] ozarkssportszone.com##img\[style="width: 320px; height: 160px;"] pricecheck.co.za##img\[style="width: 460px;"] bulletin.us.com##img\[style="width: 600px; height: 50px;"] +indypendent.org##img\[style="width: 728px; height: 90px;"] espn1420am.com##img\[style="width: 900px; height: 150px;"] unionleader.com##img\[style="width:100px;height:38px;margin-top:-10px"] globalincidentmap.com##img\[style="width:120px; height:600px; border:0;"] @@ -41283,7 +42782,6 @@ newsfirst.lk##img\[style="width:300px; height:200px;"] klfm967.co.uk##img\[style="width:468px;height:60px;border:0px;margin:0px;"] bitcoindifficulty.com##img\[style="width:728px; height:90px;"] cryptoinfinity.com##img\[style="width:728px;height:90px;"] -filenuke.com,sharesix.com##img\[target="_blank"]:first-child tcweeklynews.com##img\[title="AD: Advertising Graphics (11)"] ucreview.com##img\[title="AD: Weekly Press (13)"] ucreview.com##img\[title="AD: Weekly Press (14)"] @@ -41306,23 +42804,26 @@ aerobaticsweb.org##img\[width="150"]\[height="150"] zonalmarking.net##img\[width="150"]\[height="750"] klfm967.co.uk##img\[width="155"]\[height="167"] klfm967.co.uk##img\[width="155"]\[height="192"] +palipost.com##img\[width="160"]\[height="100"] your-pagerank.com##img\[width="160"]\[height="108"] radiocaroline.co.uk,yournews.com##img\[width="160"]\[height="160"] zonalmarking.net##img\[width="160"]\[height="300"] newswireni.com##img\[width="160"]\[height="596"] -airplaydirect.com,candofinance.com,newswireni.com,serialbay.com,temulator.com##img\[width="160"]\[height="600"] +airplaydirect.com,ata.org,candofinance.com,newswireni.com,serialbay.com,temulator.com,windfm.com##img\[width="160"]\[height="600"] your-pagerank.com##img\[width="160"]\[height="80"] your-pagerank.com##img\[width="160"]\[height="89"] your-pagerank.com##img\[width="160"]\[height="90"] newswireni.com##img\[width="161"]\[height="600"] bilingualweekly.com##img\[width="162"]\[height="170"] unionleader.com##img\[width="165"]\[height="40"] -wegoted.com##img\[width="180"]\[height="150"] +sunny106.fm,tompkinsweekly.com,wutqfm.com##img\[width="180"] +wegoted.com,wyep.org##img\[width="180"]\[height="150"] wegoted.com##img\[width="180"]\[height="204"] wrno.com##img\[width="185"]\[height="60"] favicon.co.uk##img\[width="190"]\[height="380"] bayfm.co.za##img\[width="195"]\[height="195"] rejournal.com##img\[width="200"]\[height="100"] +sarasotatalkradio.com##img\[width="200"]\[height="200"] coffeegeek.com##img\[width="200"]\[height="250"] professionalmuscle.com##img\[width="201"] bayfm.co.za##img\[width="208"]\[height="267"] @@ -41344,8 +42845,12 @@ phillyrecord.com##img\[width="250"]\[height="218"] mommymatters.co.za##img\[width="250"]\[height="250"] ukclimbing.com##img\[width="250"]\[height="350"] yournews.com##img\[width="250"]\[height="90"] +tompkinsweekly.com##img\[width="252"] +theannouncer.co.za##img\[width="252"]\[height="100"] +tompkinsweekly.com##img\[width="253"] ozarkssportszone.com##img\[width="267"]\[height="294"] wrko.com##img\[width="269"]\[height="150"] +threatpost.com##img\[width="270"] magicmiami.com##img\[width="273"]\[height="620"] staugustine.com##img\[width="275"]\[height="75"] worldfree4u.com##img\[width="280"]\[height="250"] @@ -41356,19 +42861,23 @@ nufc.com##img\[width="288"]\[height="347"] mypbrand.com##img\[width="295"] wareznova.com##img\[width="298"]\[height="53"] inquirer.net##img\[width="298"]\[style="margin-bottom:5px;margin-top:5px;"] -technomag.co.zw##img\[width="300"] +africandesignmagazine.com,punchng.com,technomag.co.zw##img\[width="300"] momsmiami.com,nehandaradio.com##img\[width="300"]\[height="100"] fancystreems.com##img\[width="300"]\[height="150"] 947wls.com##img\[width="300"]\[height="155"] +businessdayonline.com##img\[width="300"]\[height="200"] redpepper.co.ug##img\[width="300"]\[height="248"] -360nobs.com,airplaydirect.com,cryptomining-blog.com,dotsauce.com,fancystreems.com,mycolumbuspower.com,nehandaradio.com,redpepper.co.ug,rlslog.net,sacobserver.com,samoatimes.co.nz,staugustine.com,three.fm,ynaija.com##img\[width="300"]\[height="250"] +360nobs.com,airplaydirect.com,businessdayonline.com,ciibroadcasting.com,clutchmagonline.com,cryptomining-blog.com,dotsauce.com,fancystreems.com,movin100.com,mycolumbuspower.com,nehandaradio.com,redpepper.co.ug,rlslog.net,sacobserver.com,samoatimes.co.nz,seguintoday.com,staugustine.com,tangatawhenua.com,theannouncer.co.za,three.fm,wolf1051.com,ynaija.com,yomzansi.com##img\[width="300"]\[height="250"] ynaija.com##img\[width="300"]\[height="290"] linkbitty.com,newspapers-online.com##img\[width="300"]\[height="300"] redpepper.co.ug##img\[width="300"]\[height="360"] redpepper.co.ug##img\[width="300"]\[height="420"] redpepper.co.ug##img\[width="300"]\[height="500"] redpepper.co.ug##img\[width="300"]\[height="528"] +clutchmagonline.com##img\[width="300"]\[height="600"] wallstreetsurvivor.com##img\[width="310"]\[height="56"] +wben.com##img\[width="316"]\[height="120"] +ciibroadcasting.com##img\[width="325"]\[height="200"] radioasiafm.com##img\[width="350"]\[height="300"] ipwatchdog.com##img\[width="350px"]\[height="250px"] noordnuus.co.za##img\[width="357"]\[height="96"] @@ -41378,6 +42887,7 @@ transportxtra.com##img\[width="373"]\[height="250"] forum.blackhairmedia.com##img\[width="400"]\[height="82"] gomlab.com##img\[width="410"]\[height="80"] sunnewsonline.com##img\[width="420"]\[height="55"] +drum.co.za##img\[width="422"]\[height="565"] powerbot.org##img\[width="428"] inmr.com##img\[width="450"]\[height="64"] webresourcesdepot.com##img\[width="452px"]\[height="60px"] @@ -41387,22 +42897,27 @@ ch131.so##img\[width="460"]\[height="228"] abpclub.co.uk,allforpeace.org,cpaelites.com,forum.gsmhosting.com,hulkload.com,load.to,rlslog.net,thetobagonews.com,warezhaven.org,waz-warez.org##img\[width="468"]\[height="60"] topprepperwebsites.com##img\[width="468"]\[height="80"] infinitecourses.com##img\[width="468px"]\[height="60px"] +sharktankblog.com##img\[width="485"]\[height="60"] yournews.com##img\[width="540"]\[height="70"] +sunny106.fm##img\[width="560"]\[height="69"] +sunny106.fm##img\[width="570"]\[height="131"] staugustine.com##img\[width="590"]\[height="200"] isportconnect.com##img\[width="590"]\[height="67"] mail.macmillan.com,motortrader.com.my##img\[width="600"] redpepper.co.ug##img\[width="600"]\[height="117"] nufc.com##img\[width="600"]\[height="85"] softpedia.com##img\[width="600"]\[height="90"] +bloombergtvafrica.com##img\[width="628"]\[height="78"] radiotoday.co.uk##img\[width="630"]\[height="120"] shanghaiist.com##img\[width="640"]\[height="444"] motortrader.com.my##img\[width="640"]\[height="80"] cryptothrift.com##img\[width="700"] +1550wdlr.com##img\[width="711"]\[height="98"] crackingforum.com##img\[width="720"] -ch131.so##img\[width="720"]\[height="90"] +businessdayonline.com,ch131.so##img\[width="720"]\[height="90"] wharf.co.uk##img\[width="720px"]\[height="90px"] -lindaikeji.blogspot.com,livemixtapes.com,powerbot.org,rsvlts.com,xtremesystems.org##img\[width="728"] -add-anime.net,bodyboardingmovies.com,creditboards.com,dogepay.com,driverguide.com,ecostream.tv,freeforums.org,hulkload.com,imgbar.net,sameip.org,thecsuite.co.uk,topprepperwebsites.com,wallstreetfool.com,warezlobby.org,worldfree4u.com##img\[width="728"]\[height="90"] +lindaikeji.blogspot.com,livemixtapes.com,naija247news.com,powerbot.org,rsvlts.com,xtremesystems.org##img\[width="728"] +9tools.org,add-anime.net,bodyboardingmovies.com,creditboards.com,dogepay.com,driverguide.com,ecostream.tv,freeforums.org,hulkload.com,imgbar.net,movin100.com,oldiesradio1050.com,radioinsight.com,sameip.org,tangatawhenua.com,thecsuite.co.uk,topprepperwebsites.com,wallstreetfool.com,warezlobby.org,wcfx.com,wolf1051.com,worldfree4u.com,wsoyam.com##img\[width="728"]\[height="90"] mkfm.com##img\[width="75"]\[height="75"] telecomtiger.com##img\[width="768"]\[height="80"] americanisraelite.com##img\[width="778"]\[height="114"] @@ -41415,18 +42930,17 @@ staugustine.com##img\[width="970"]\[height="90"] lockerz.com##img\[width="980"]\[height="60"] moneycontrol.com##img\[width="996"]\[height="169"] vodu.ch##input\[onclick^="parent.location='http://d2.zedo.com/"] +vodu.ch##input\[onclick^="parent.location='http://imads.integral-marketing.com/"] torrentcrazy.com##input\[onclick^="window.open('http://adtransfer.net/"] onhax.net##input\[type="button"]\[value^="Download"] bittorrent.am##input\[value="Anonymous Download"] +ad2links.com##input\[value="Download Now"] wareznova.com##input\[value="Download from DLP"] bittorrent.am##input\[value="Download x10 faster"] lix.in##input\[value="Download"] wareznova.com##input\[value="Start Premium Downloader"] monova.org##input\[value="Usenet"] -hwcompare.com,numberempire.com,pockettactics.com,priceindia.in##ins\[style="display:inline-table;border:none;height:250px;margin:0;padding:0;position:relative;visibility:visible;width:300px"] politics.ie##ins\[style="display:inline-table;border:none;height:250px;margin:0;padding:0;position:relative;visibility:visible;width:300px;background-color:transparent"] -cyanogenmod.com,ngohq.com##ins\[style="display:inline-table;border:none;height:90px;margin:0;padding:0;position:relative;visibility:visible;width:728px"] -ilyrics.eu##ins\[style="display:inline-table;border:none;height:90px;margin:0;padding:0;position:relative;visibility:visible;width:728px;background-color:transparent"] timesofisrael.com##item-spotlight yahoo.com##li\[data-ad-enhanced="card"] yahoo.com##li\[data-ad-enhanced="pencil"] @@ -41437,6 +42951,7 @@ yahoo.com##li\[data-beacon^="https://beap.gemini.yahoo.com/"] thefinancialbrand.com##li\[id^="banner"] search.yahoo.com##li\[id^="yui_"] > div\[data-bns]\[data-bk]\[style="cursor: pointer;"] > div\[class] twitter.com##li\[label="promoted"] +moneylife.in##li\[style=" font-family:tahoma; font-size:11px; margin: 0px; border-bottom: 0px solid #ddd; padding: 5px 5px;"] ebayclassifieds.com##li\[style="padding: 10px 0px; min-height: 90px;"] webmastertalkforums.com##li\[style="width: 100%; height: 100px !important;"] cynagames.com##li\[style="width: 25%; margin: 0; clear: none; padding: 0; float: left; display: block;"] @@ -41461,7 +42976,6 @@ pcsx2.net##p\[style="text-align: center;margin: 0px 160px -10px 0px;"] sorelatable.com##script + a\[target="_blank"] service.mail.com##script + div\[tabindex="1"] div\[style="z-index:99996;position:absolute;cursor:default;background-color:white;opacity:0.95;left:0px;top:0px;width:1600px;height:552px;"] service.mail.com##script + div\[tabindex="1"] div\[style^="z-index:99998;position:absolute;cursor:default;left:0px;top:0px;width:"] -allmyvideos.net##script + style + div\[id]\[style] koreaherald.com##section\[style="border:0px;width:670px;height:200px;"] elitistjerks.com##small rokked.com##span\[style="color: #555; font-size: 10px"] @@ -41561,6 +43075,7 @@ sharedir.com##table\[style="margin:15px 0 0 -8px;width:540px"] bitsnoop.com##table\[style="margin:6px 0 16px 0;padding:0px;"] i3investor.com##table\[style="padding:8px;border:6px solid #dbdbdb;min-width:228px"] aniscartujo.com##table\[style="position:absolute; left:0; top:0; z-index:999; border-collapse:collapse"] +localstore.co.za##table\[style="width: 952px; height: 90px; padding: 10px; border: 0; margin: 0 auto;"] playkidsgames.com##table\[style="width:100%;height:105px;border-style:none;"] tower.com##table\[style="width:160px; height:600px;padding:0px; margin:0px"] playkidsgames.com##table\[style="width:320px;height:219px;border-style:none;background-color:#333333;margin:0 auto;"] @@ -41573,6 +43088,8 @@ nufc.com##table\[title="Ford Direct - Used Cars Backed by Ford"] chiff.com##table\[title="Sponsored Links"] trucknetuk.com##table\[width="100%"]\[bgcolor="#cecbce"] > tbody > tr > #sidebarright\[valign="top"]:last-child linkreferral.com##table\[width="100%"]\[height="1"] + table\[width="750"]\[border="0"]\[bgcolor="ffffff"]\[cellspacing="0"]\[cellpadding="4"] +wvtlfm.com##table\[width="1024"]\[height="100"] +atimes.com##table\[width="120"] tvsite.co.za##table\[width="120"]\[height="600"] thephuketnews.com##table\[width="1215"]\[bgcolor="#DDDDDD"] aquariumfish.net##table\[width="126"]\[height="600"] @@ -41651,14 +43168,16 @@ psl.co.za##table\[width="952"]\[height="64"] psl.co.za##table\[width="952"]\[height="87"] japan-guide.com##table\[width="965"]\[height="90"] scvnews.com##table\[width="978"]\[height="76"] +prowrestling.net##table\[width="979"]\[height="105"] dining-out.co.za##table\[width="980"]\[vspace="0"]\[hspace="0"] westportnow.com##table\[width="981"] kool.fm##table\[width="983"]\[height="100"] gamecopyworld.com##table\[width="984"]\[height="90"] apanews.net##table\[width="990"] -wbkvam.com##table\[width="990"]\[height="100"] +cnykiss.com,wbkvam.com,wutqfm.com##table\[width="990"]\[height="100"] cbc-radio.com##table\[width="990"]\[height="100"]\[align="center"] 965ksom.com##table\[width="990"]\[height="101"] +wbrn.com##table\[width="990"]\[height="98"] v8x.com.au##td\[align="RIGHT"]\[width="50%"]\[valign="BOTTOM"] canmag.com##td\[align="center"]\[height="278"] autosport.com##td\[align="center"]\[valign="top"]\[height="266"]\[bgcolor="#dcdcdc"] @@ -41756,7 +43275,6 @@ imagebam.com##td\[style="padding-right: 1px; text-align: left; font-size:15px;"] imagebam.com##td\[style="padding-right: 2px; text-align: left; font-size:15px;"] newsfactor.com##td\[style="padding-right: 5px; border-right: #BFBFBF solid 1px;"] mg.co.za##td\[style="padding-top:5px; width: 200px"] -tampermonkey.net##td\[style="padding: 0px 30px 10px 0px;"] + td\[style="vertical-align: center; padding-left: 100px;"]:last-child bitcointalk.org##td\[style="padding: 1px 1px 0 1px;"] > .bfl bitcointalk.org##td\[style="padding: 1px 1px 0 1px;"] > .bvc bitcointalk.org##td\[style="padding: 1px 1px 0 1px;"] > .gyft @@ -41778,13 +43296,13 @@ uvnc.com##td\[style="width: 300px; height: 250px;"] mlbtraderumors.com##td\[style="width: 300px;"] maannews.net##td\[style="width: 640px; height: 80px; border: 1px solid #cccccc"] talkgold.com##td\[style="width:150px"] +riverdalepress.com##td\[style="width:728px; height:90px; border:1px solid #000;"] billionuploads.com##td\[valign="baseline"]\[colspan="3"] efytimes.com##td\[valign="middle"]\[height="124"] efytimes.com##td\[valign="middle"]\[height="300"] staticice.com.au##td\[valign="middle"]\[height="80"] johnbridge.com##td\[valign="top"] > .tborder\[width="140"]\[cellspacing="1"]\[cellpadding="6"]\[border="0"] writing.com##td\[valign="top"]\[align="center"]\[style="padding:10px;position:relative;"]\[colspan="2"] + .mainLineBorderLeft\[width="170"]\[rowspan="4"]:last-child -indiatimes.com##td\[valign="top"]\[height="110"]\[align="center"] newhampshire.com##td\[valign="top"]\[height="94"] cruisecritic.com##td\[valign="top"]\[width="180"] cruisecritic.com##td\[valign="top"]\[width="300"] @@ -41801,6 +43319,7 @@ pojo.biz##td\[width="125"] wetcanvas.com##td\[width="125"]\[align="center"]:first-child zambiz.co.zm##td\[width="130"]\[height="667"] manoramaonline.com##td\[width="140"] +songspk.link##td\[width="145"]\[height="21"]\[style="background-color: #EAEF21"] leo.org##td\[width="15%"]\[valign="top"]\[style="font-size:100%;padding-top:2px;"] appleinsider.com##td\[width="150"] aerobaticsweb.org##td\[width="156"]\[height="156"] @@ -41834,7 +43353,7 @@ boxingscene.com##td\[width="200"]\[height="18"] dir.yahoo.com##td\[width="215"] thesonglyrics.com##td\[width="230"]\[align="center"] itweb.co.za##td\[width="232"]\[height="90"] -rubbernews.com##td\[width="250"] +degreeinfo.com,rubbernews.com##td\[width="250"] bigresource.com##td\[width="250"]\[valign="top"]\[align="left"] scriptmafia.org##td\[width="250px"] stumblehere.com##td\[width="270"]\[height="110"] @@ -41888,6 +43407,8 @@ internetslang.com##tr\[style="min-height:28px;height:28px"] internetslang.com##tr\[style="min-height:28px;height:28px;"] opensubtitles.org##tr\[style^="height:115px;text-align:center;margin:0px;padding:0px;background-color:"] search.yahoo.com##ul > .res\[data-bg-link^="http://r.search.yahoo.com/_ylt="] +search.aol.com##ul\[content="SLMP"] +search.aol.com##ul\[content="SLMS"] facebook.com##ul\[id^="typeahead_list_"] > ._20e._6_k._55y_ elizium.nu##ul\[style="padding: 0; width: 100%; margin: 0; list-style: none;"] ! *** easylist:easylist_adult/adult_specific_hide.txt *** @@ -41899,12 +43420,16 @@ starsex.pl###FLOW_frame thestranger.com###PersonalsScroller privatehomeclips.com###Ssnw2ik imagehaven.net###TransparentBlack +namethatporn.com###a_block swfchan.com###aaaa +pornvideoxo.com###abox 4tube.com###accBannerContainer03 4tube.com###accBannerContainer04 pornhub.com,tube8.com,youporn.com###access_container cliphunter.com,isanyoneup.com,seochat.com###ad imagefap.com###ad1 +pornhub.com###adA +pornhub.com###adB ua-teens.com###ad_global_below_navbar dagay.com###add_1 dagay.com###add_2 @@ -41939,12 +43464,11 @@ iafd.com###bantop desktopangels.net###bg_tab_container pornflex53.com###bigbox_adv xxxbunker.com###blackout -villavoyeur.com###block-dctv-ad-banners-wrapper chaturbate.com###botright porntube.com###bottomBanner xxxbunker.com###bottomBanners wankerhut.com###bottom_adv -xhamster.com###bottom_player_adv +mydailytube.com###bottomadd watchindianporn.net###boxban2 pornsharia.com###brazzers1 fastpic.ru###brnd @@ -41991,6 +43515,7 @@ netasdesalim.com###frutuante cantoot.com###googlebox nangaspace.com###header freepornvs.com###header > h1 > .buttons +aan.xxx###header-banner youtubelike.com###header-top cam4.com###headerBanner spankwire.com###headerContainer @@ -42013,7 +43538,7 @@ perfectgirls.net,postyourpuss.com###leaderboard imagetwist.com###left\[align="center"] > center > a\[target="_blank"] collegegrad.com###leftquad suicidegirls.com###livetourbanner -freeimgup.com###lj_livecams +freeimgup.com,imghost.us.to###lj_livecams 5ilthy.com###ltas_overlay_unvalid ynot.com###lw-bannertop728 ynot.com###lw-top @@ -42042,7 +43567,7 @@ videos.com###pToolbar jizzhut.com###pagetitle wide6.com###partner gamcore.com,wide6.com###partners -extremetube.com,redtube.com,youporngay.com###pb_block +extremetube.com,redtube.com,spankwire.com,youporngay.com###pb_block pornhub.com,tube8.com,youporn.com###pb_template youporn.com###personalizedHomePage > div:nth-child(2) pornhub.com###player + div + div\[style] @@ -42052,6 +43577,8 @@ alotporn.com###playeradv depic.me###popup_div imagehaven.net###popwin sextvx.com###porntube_hor_bottom_ads +sextvx.com###porntube_hor_top_ads +xtube.com###postrollContainer kaktuz.com###postroller imagepost.com###potd eroclip.mobi,fuqer.com###premium @@ -42073,6 +43600,7 @@ amateurfarm.net,retrovidz.com###showimage shesocrazy.com###sideBarsMiddle shesocrazy.com###sideBarsTop pornday.org###side_subscribe_extra +mydailytube.com###sideadd spankwire.com###sidebar imageporter.com###six_ban flurl.com###skybanner @@ -42098,18 +43626,25 @@ cam4.com###subfoot adultfyi.com###table18 hostingfailov.com###tablespons xtube.com###tabs +fleshasiadaily.com###text-12 +fleshasiadaily.com###text-13 +fleshasiadaily.com###text-14 +fleshasiadaily.com###text-15 +fleshasiadaily.com###text-8 fapgames.com###the720x90-spot filhadaputa.tv###thumb\[width="959"] hiddencamshots.com,videarn.com###top-banner +nude.hu###topPartners extremetube.com###topRightsquare xhamster.com###top_player_adv -sexmummy.com,sopervinhas.net,teenwantme.com,worldgatas.com,xpg.com.br###topbar +mataporno.com,sexmummy.com,sopervinhas.net,teenwantme.com,worldgatas.com,xpg.com.br###topbar pinkems.com###topfriendsbar namethatpornstar.com###topphotocontainer askjolene.com###tourpage pornhyve.com###towerbanner +pornvideoxo.com###tube-right pervclips.com###tube_ad_category -axatube.com,fullxxxtube.com,gallsin.xxx,xxxxsextube.com,yourdarkdesires.com###ubr +axatube.com,creampietubeporn.com,fullxxxtube.com,gallsin.xxx,xxxxsextube.com,yourdarkdesires.com###ubr usatoday.com###usat_PosterBlog homemoviestube.com###v_right stileproject.com###va1 @@ -42153,7 +43688,7 @@ seductivetease.com##.a-center pornbb.org##.a1 porn.com##.aRight pornvideofile.com##.aWrapper -celebspank.com,chaturbate.com,cliphunter.com,gamcore.com,playboy.com,signbucks.com,tehvids.com,uflash.tv,wankoz.com,yobt.tv##.ad +celebspank.com,chaturbate.com,cliphunter.com,gamcore.com,playboy.com,pornhub.com,signbucks.com,sxx.com,tehvids.com,uflash.tv,wankoz.com,yobt.tv##.ad extremetube.com##.ad-container celebspank.com##.ad1 pornhub.com##.adContainer @@ -42166,9 +43701,9 @@ myfreeblack.com##.ads-player famouspornstarstube.com,hdporntube.xxx,lustypuppy.com,mrstiff.com,pixhub.eu,pornfreebies.com,tubedupe.com,webanddesigners.com,youngartmodels.net##.adv freexcafe.com##.adv1 mygirlfriendvids.net,wastedamateurs.com##.advblock -fakku.net,hardsextube.com,pornmd.com,porntube.com,youporn.com,youporngay.com##.advertisement +porn.hu##.advert +fakku.net,pornmd.com,porntube.com,youporn.com,youporngay.com##.advertisement alphaporno.com,bravotube.net,tubewolf.com##.advertising -mrstiff.com##.adxli fapdu.com##.aff300 askjolene.com##.aj_lbanner_container ah-me.com,befuck.com,pornoid.com,sunporno.com,thenewporn.com,twilightsex.com,updatetube.com,videoshome.com,xxxvogue.net##.allIM @@ -42181,7 +43716,7 @@ devatube.com##.ban-list gayboystube.com##.bancentr fux.com##.baner-column xchimp.com##.bannadd -chaturbate.com,dansmovies.com,fecaltube.com,imageporter.com,playvid.com,private.com,videarn.com,vidxnet.com,wanknews.com,watchhentaivideo.com,xbabe.com,yourdailygirls.com##.banner +chaturbate.com,dansmovies.com,fecaltube.com,imageporter.com,playvid.com,private.com,vid2c.com,videarn.com,vidxnet.com,wanknews.com,watchhentaivideo.com,xbabe.com,yourdailygirls.com##.banner watchindianporn.net##.banner-1 adultpornvideox.com##.banner-box tube8.com##.banner-container @@ -42191,7 +43726,6 @@ definebabe.com##.banner1 celebritymovieblog.com##.banner700 watchhentaivideo.com##.bannerBottom 4tube.com,empflix.com,tnaflix.com##.bannerContainer -vporn.com##.bannerSpace 4tube.com##.banner_btn wunbuck.com##.banner_cell galleries-pornstar.com##.banner_list @@ -42203,6 +43737,7 @@ bustnow.com##.bannerlink chubby-ocean.com,cumlouder.com,grandpaporntube.net,sexu.com,skankhunter.com##.banners isanyoneup.com##.banners-125 porntubevidz.com##.banners-area +vid2c.com##.banners-aside 5ilthy.com##.bannerside sexoncube.com##.bannerspot-index thehun.net##.bannervertical @@ -42225,12 +43760,15 @@ xbabe.com,yumymilf.com##.bottom-banner playvid.com##.bottom-banners youtubelike.com##.bottom-thumbs youtubelike.com##.bottom-top +pornvideoxo.com##.bottom_wide tube8.com##.bottomadblock +tube8.com##.box-thumbnail-friends worldsex.com##.brandreach sublimedirectory.com##.browseAd xaxtube.com##.bthums realgfporn.com##.btn-info 4tube.com,tube8.com##.btnDownload +redtube.com##.bvq redtube.com##.bvq-caption gamesofdesire.com##.c_align empflix.com##.camsBox @@ -42238,6 +43776,7 @@ tnaflix.com##.camsBox2 celebspank.com##.celeb_bikini adultfriendfinder.com##.chatDiv.rcc voyeur.net##.cockholder +xnxx.com##.combo.smallMargin\[style="padding: 0px; width: 100%; text-align: center; height: 244px;"] xnxx.com##.combo\[style="padding: 0px; width: 830px; height: 244px;"] avn.com##.content-right\[style="padding-top: 0px; padding-bottom: 0px; height: auto;"] xbutter.com##.counters @@ -42247,6 +43786,7 @@ alotporn.com##.cube pornalized.com,pornoid.com,pornsharia.com##.discount pornsharia.com##.discounts fapdu.com##.disp-underplayer +keezmovies.com##.double_right cameltoe.com##.downl pinkrod.com,pornsharia.com,wetplace.com##.download realgfporn.com##.downloadbtn @@ -42259,7 +43799,9 @@ grandpaporntube.net##.embed_banners grandpaporntube.net##.exo imagepost.com##.favsites mrstiff.com##.feedadv-wrap +extremetube.com##.float-left\[style="width: 49.9%; height: 534px;"] wankerhut.com##.float-right +extremetube.com##.float-right\[style="width: 49.9%; height: 534px;"] teensexyvirgins.com,xtravids.com##.foot_squares scio.us##.footer babesandstars.com##.footer_banners @@ -42279,6 +43821,7 @@ redtube.com##.header > #as_1 nuvid.com##.holder_banner pornhub.com##.home-ad-container + div alphaporno.com##.home-banner +tube8.com##.home-message + .title-bar + .cont-col-02 julesjordanvideo.com##.horiz_banner orgasm.com##.horizontal-banner-module orgasm.com##.horizontal-banner-module-small @@ -42289,8 +43832,11 @@ pornsis.com##.indexadr pornicom.com##.info_row2 cocoimage.com,hotlinkimage.com,picfoco.com##.inner_right e-hentai.org##.itd\[colspan="4"] +namethatporn.com##.item_a sex2ube.com##.jFlowControl teensanalfactor.com##.job +pornhub.com##.join +redtube.com##.join-button extremetube.com##.join_box pornhub.com,spankwire.com,tube8.com,youporn.com##.join_link overthumbs.com##.joinnow @@ -42304,6 +43850,7 @@ sexyfunpics.com##.listingadblock300 tnaflix.com##.liveJasminHotModels ns4w.org##.livejasmine madthumbs.com##.logo +tube8.com##.main-video-wrapper > .float-right sexdepartementet.com##.marketingcell lic.me##.miniplayer hanksgalleries.com##.mob_vids @@ -42311,6 +43858,7 @@ redtube.com##.ntva finaid.org##.one lustgalore.com,yourasiansex.com##.opac_bg baja-opcionez.com##.opaco2 +vporn.com##.overheaderbanner drtuber.com##.p_adv tube8.com##.partner-link bravotube.net##.paysite @@ -42322,7 +43870,6 @@ yobt.tv##.playpause.visible > div hornywhores.net##.post + script + div\[style="border-top: black 1px dashed"] hornywhores.net##.post + script + div\[style="border-top: black 1px dashed"] + br + center uflash.tv##.pps-banner -gybmovie.com,imagecherry.com,imagepool.in,movies-porn-xxx.com,sexfv.com,videlkon.com,xfile.ws##.pr-widget pornhub.com##.pre-footer porntubevidz.com##.promo-block nakedtube.com,pornmaki.com##.promotionbox @@ -42362,6 +43909,7 @@ tube8.com##.skin4 tube8.com##.skin6 tube8.com##.skin7 candidvoyeurism.com##.skyscraper +gaytube.com##.slider-section movies.askjolene.com##.small_tourlink springbreaktubegirls.com##.span-100 nonktube.com##.span-300 @@ -42369,11 +43917,14 @@ nonktube.com##.span-320 ns4w.org##.splink bgafd.co.uk##.spnsr abc-celebs.com##.spons -definebabe.com,xbabe.com##.sponsor +definebabe.com,pornever.net,xbabe.com##.sponsor definebabe.com##.sponsor-bot +xhamster.com##.sponsorB xxxbunker.com##.sponsorBoxAB +xhamster.com##.sponsorS xhamster.com##.sponsor_top proporn.com,tubecup.com,xhamster.com##.spot +magicaltube.com##.spot-block tubecup.com##.spot_bottom redtube.com##.square-banner sunporno.com,twilightsex.com##.squarespot @@ -42442,10 +43993,10 @@ yuvutu.com##\[width="480px"]\[style="padding-left: 10px;"] exgirlfriendmarket.com##\[width="728"]\[height="150"] 264porn.blogspot.com##\[width="728"]\[height="90"] matureworld.ws##a > img\[height="180"]\[width="250"]\[src*=".imageban.ru/out/"] -asspoint.com,babepedia.com,gaytube.com,pornoxo.com,rogreviews.com##a\[href*=".com/track/"] -starcelebs.com##a\[href*=".com/track/"] > img +asspoint.com,babepedia.com,babesource.com,gaytube.com,girlsnaked.net,pornoxo.com,rogreviews.com,starcelebs.com,the-new-lagoon.com,tube8.com##a\[href*=".com/track/"] +tube8.com##a\[href*="/affiliates/idevaffiliate.php?"] monstercockz.com##a\[href*="/go/"] -small-breasted-teens.com,vporn.com##a\[href*="refer.ccbill.com/cgi-bin/clicks.cgi?"] +tube8.com##a\[href*="?coupon="] porn99.net##a\[href="http://porn99.net/asian/"] xhamster.com##a\[href="http://premium.xhamster.com/join.html?from=no_ads"] pornwikileaks.com##a\[href="http://www.adultdvd.com/?a=pwl"] @@ -42459,26 +44010,23 @@ anyvids.com##a\[href^="http://ad.onyx7.com/"] sex4fun.in##a\[href^="http://adiquity.info/"] tube8.com##a\[href^="http://ads.trafficjunky.net"] tube8.com##a\[href^="http://ads2.contentabc.com"] -the-new-lagoon.com##a\[href^="http://affiliates.lifeselector.com/track/"] pornbb.org##a\[href^="http://ard.ihookup.com/"] pornbb.org##a\[href^="http://ard.sexplaycam.com/"] porn99.net##a\[href^="http://bit.ly/"] sex4fun.in##a\[href^="http://c.mobpartner.mobi/"] sex3dtoons.com##a\[href^="http://click.bdsmartwork.com/"] xxxgames.biz##a\[href^="http://clicks.totemcash.com/?"] +imghit.com##a\[href^="http://crtracklink.com/"] celeb.gate.cc##a\[href^="http://enter."]\[href*="/track/"] -h2porn.com,tube8.com,vid2c.com,xxxymovies.com##a\[href^="http://enter.brazzersnetwork.com/track/"] hollywoodoops.com##a\[href^="http://exclusive.bannedcelebs.com/"] gamcore.com##a\[href^="http://gamcore.com/ads/"] -rs-linkz.info##a\[href^="http://goo.gl/"] +hentai-imperia.org,rs-linkz.info##a\[href^="http://goo.gl/"] celeb.gate.cc##a\[href^="http://join."]\[href*="/track/"] -eskimotube.com##a\[href^="http://join.avidolz.com/track/"] -5ilthy.com##a\[href^="http://join.collegefuckparties.com/track/"] porn99.net##a\[href^="http://lauxanh.us/"] incesttoons.info##a\[href^="http://links.verotel.com/"] xxxfile.net##a\[href^="http://netload.in/index.php?refer_id="] imagepix.org##a\[href^="http://putana.cz/index.php?partner="] -iseekgirls.com,the-new-lagoon.com##a\[href^="http://refer.ccbill.com/cgi-bin/clicks.cgi?"] +iseekgirls.com,small-breasted-teens.com,the-new-lagoon.com,tube8.com##a\[href^="http://refer.ccbill.com/cgi-bin/clicks.cgi?"] olala-porn.com##a\[href^="http://ryushare.com/affiliate."] hentairules.net##a\[href^="http://secure.bondanime.com/track/"] hentairules.net##a\[href^="http://secure.futafan.com/track/"] @@ -42490,6 +44038,7 @@ asianpornmovies.com##a\[href^="http://tour.teenpornopass.com/track/"] asianpornmovies.com##a\[href^="http://webmasters.asiamoviepass.com/track/"] imagetwist.com##a\[href^="http://www.2girlsteachsex.com/"] nifty.org##a\[href^="http://www.adlbooks.com/"] +hentai-imperia.org##a\[href^="http://www.adult-empire.com/rs.php?"] picfoco.com##a\[href^="http://www.adultfriendfinder.com/search/"] bravotube.net##a\[href^="http://www.bravotube.net/cs/"] free-adult-anime.com##a\[href^="http://www.cardsgate-cs.com/redir?"] @@ -42499,6 +44048,8 @@ filthdump.com##a\[href^="http://www.filthdump.com/adtracker.php?"] alotporn.com##a\[href^="http://www.fling.com/"] myfreeblack.com##a\[href^="http://www.fling.com/enter.php"] freeporninhd.com##a\[href^="http://www.freeporninhd.com/download.php?"] +xhamster.com##a\[href^="http://www.linkfame.com/"] +girlsnaked.net##a\[href^="http://www.mrvids.com/out/"] sluttyred.com##a\[href^="http://www.realitykings.com/main.htm?id="] redtube.com##a\[href^="http://www.redtube.com/click.php?id="] motherless.com##a\[href^="http://www.safelinktrk.com/"] @@ -42511,7 +44062,6 @@ avn.com##a\[style="position: absolute; top: -16px; width: 238px; left: -226px; h avn.com##a\[style="position: absolute; top: -16px; width: 238px; right: -226px; height: 1088px;"] oopspicture.com##a\[target="_blank"] > img\[alt="real amateur porn"] imagevenue.com##a\[target="_blank"]\[href*="&utm_campaign="] -vporn.com##a\[target="_blank"]\[href*="/go.php?"]\[href*="&ad="] imagevenue.com##a\[target="_blank"]\[href*="http://trw12.com/"] youporn.com##a\[target="_blank"]\[href^="http://www.youporn.com/"] > img\[src^="http://www.youporn.com/"] picfoco.com##a\[title="Sponsor link"] @@ -42531,7 +44081,10 @@ x3xtube.com##div\[style="border: 1px solid red; margin-bottom: 15px;"] crazyandhot.com##div\[style="border:1px solid #000000; width:300px; height:250px;"] imagecherry.com##div\[style="border:1px solid black; padding:15px; width:550px;"] voyeur.net##div\[style="display:inline-block;vertical-align:middle;margin: 2px;"] -vporn.com##div\[style="float: right; width: 350px; height: 250px; margin-right: -135px; margin-bottom: 5px; padding-top: 1px; clear: right; position: relative;"] +redtube.com##div\[style="float: none; height: 250px; position: static; clear: both; text-align: left; margin: 0px auto;"] +pornhub.com##div\[style="float: none; width: 950px; position: static; clear: none; text-align: center; margin: 0px auto;"] +redtube.com##div\[style="float: right; height: 330px; width: 475px; position: relative; clear: left; text-align: center; margin: 0px auto;"] +redtube.com##div\[style="float: right; height: 528px; width: 300px; position: relative; clear: left; text-align: center; margin: 0px auto;"] xhamster.com##div\[style="font-size: 10px; margin-top: 5px;"] redtube.com##div\[style="height: 250px; position: static; clear: both; float: none; text-align: left; margin: 0px auto;"] redtube.com##div\[style="height: 250px; position: static; float: none; clear: both; text-align: left; margin: 0px auto;"] @@ -42540,8 +44093,6 @@ pichunter.com##div\[style="height: 250px; width: 800px; overflow: hidden;"] xxxstash.com##div\[style="height: 250px; width: 960px;"] redtube.com##div\[style="height: 330px; width: 475px; position: relative; float: right; clear: left; text-align: center; margin: 0px auto;"] empflix.com##div\[style="height: 400px;"] -youporn.com##div\[style="height: 410px; width: 48%; position: relative; float: right; clear: none; text-align: center; margin: 0px auto;"] -redtube.com##div\[style="height: 528px; width: 300px; position: relative; float: right; clear: left; text-align: center; margin: 0px auto;"] redtube.com##div\[style="height: 528px; width: 300px; position: relative; float: right; clear: left; text-align: center;"] querverweis.net##div\[style="height:140px;padding-top:15px;"] fantasti.cc##div\[style="height:300px; width:310px;float:right; line-height:10px;margin-bottom:0px;text-align:center;"] @@ -42561,12 +44112,13 @@ videarn.com##div\[style="text-align: center; margin-bottom: 10px;"] xtube.com##div\[style="text-align:center; width:1000px; height: 150px;"] sluttyred.com##div\[style="width: 300px; height: 250px; background-color: #CCCCCC;"] givemegay.com##div\[style="width: 300px; height: 250px; margin: 0 auto;margin-bottom: 10px;"] +vid2c.com##div\[style="width: 300px; height: 280px; margin-left: 215px; margin-top: 90px; position: absolute; z-index: 999999998; overflow: hidden; border-radius: 10px; transform: scale(1.33); background-color: black; opacity: 0.8; display: block;"] pornhub.com##div\[style="width: 380px; margin: 0 auto;background-color: #101010;text-align: center;"] -youporn.com,youporngay.com##div\[style="width: 48%; height: 410px; position: relative; float: right; clear: none; text-align: center; margin: 0px auto;"] -vporn.com##div\[style="width: 728px; height: 90px; margin-top: 8px;"] +vporn.com##div\[style="width: 720px; height: 90px; text-align: center; overflow: hidden;"] +casanovax.com##div\[style="width: 728px; height: 90px; text-align: center; margin: auto"] crazyandhot.com##div\[style="width: 728px; height: 90px; text-align: left;"] pichunter.com##div\[style="width: 800px; height: 250px; overflow: hidden;"] -vporn.com##div\[style="width: 950px; height: 300px;"] +pornhub.com##div\[style="width: 950px; float: none; position: static; clear: none; text-align: center; margin: 0px auto;"] pornhub.com##div\[style="width: 950px; position: static; clear: none; float: none; text-align: center; margin: 0px auto;"] pornhub.com##div\[style="width: 950px; position: static; float: none; clear: none; text-align: center; margin: 0px auto;"] xogogo.com##div\[style="width:1000px"] @@ -42577,7 +44129,6 @@ cam111.com##div\[style="width:626px; height:60px; margin-top:10px; margin-bottom cam111.com##div\[style="width:627px; height:30px; margin-bottom:10px;"] efukt.com##div\[style="width:630px; height:255px;"] newbigtube.com##div\[style="width:640px; min-height:54px; margin-top:8px; padding:5px;"] -imgflare.com##div\[style="width:728px; height:90px; margin-top:5px; margin-bottom:5px; -moz-border-radius:2px; border-radius:2px; -webkit-border-radius:2px;"] briefmobile.com##div\[style="width:728px;height:90px;margin-left:auto;margin-right:auto;margin-bottom:20px;"] tmz.com##div\[style^="display: block; height: 35px;"] shockingtube.com##div\[style^="display: block; padding: 5px; width:"] @@ -42590,40 +44141,28 @@ imgflare.com##div\[style^="width:604px; height:250px;"] rateherpussy.com##font\[size="1"]\[face="Verdana"] nude.hu##font\[stlye="font: normal 10pt Arial; text-decoration: none; color: black;"] cliphunter.com##h2\[style="color: blue;"] +pornhub.com,redtube.com##iframe luvmilfs.com##iframe + div > div\[style="position: absolute; top: -380px; left: 200px; "] -pornhub.com##iframe\[height="250"] -pornhub.com##iframe\[height="300"] +youporn.com##iframe\[frameborder] javjunkies.com##iframe\[height="670"] -redtube.com##iframe\[id^="as_"]\[style="vertical-align: middle;"] -pornhub.com,redtube.com##iframe\[id^="g"] -redtube.com##iframe\[style="height: 250px; width: 300px; position: static; clear: none; float: none; text-align: center; margin: 0px auto;"] youporn.com##iframe\[style="height: 250px; width: 300px; position: static; float: none; clear: none; text-align: start;"] youporn.com##iframe\[style="height: 250px; width: 950px; float: none; position: static; clear: both; text-align: center; margin: 0px auto;"] -redtube.com##iframe\[style="height: 250px; width: 950px; position: static; clear: none; float: none; text-align: left; margin: 0px auto;"] -youporn.com##iframe\[style="height: 250px; width: 950px; position: static; float: none; clear: both; text-align: center; margin: 0px auto;"] youporn.com##iframe\[style="height: 250px; width: 950px; position: static; float: none; clear: both; text-align: center;"] -youporngay.com##iframe\[style="width: 315px; height: 300px; position: static; float: none; clear: none; text-align: center; margin: 0px auto;"] -youporn.com,youporngay.com##iframe\[style="width: 950px; height: 250px; position: static; float: none; clear: both; text-align: center; margin: 0px auto;"] -pornhub.com##iframe\[style^="height: 250px;"] -pornhub.com##iframe\[width="100%"]\[frameborder="0"]\[scrolling="no"]\[style="width: 100%; position: static; float: none; clear: none; text-align: center; margin: 0px auto;"] youporn.com##iframe\[width="300"]\[height="250"] -pornhub.com##iframe\[width="315"] yourasiansex.com##iframe\[width="660"] imagevenue.com##iframe\[width="728"]\[height="90"] videosgls.com.br##iframe\[width="800"] -pornhub.com##iframe\[width="950"] xxxgames.biz##img\[height="250"]\[width="300"] pornhub.com##img\[src^="http://www.pornhub.com/album/strange/"] imagewaste.com##img\[style="border: 2px solid ; width: 160px; height: 135px;"] imagewaste.com##img\[style="border: 2px solid ; width: 162px; height: 135px;"] -unblockedpiratebay.com##img\[style="border:1px dotted black;"] soniared.org##img\[width="120"] lukeisback.com##img\[width="140"]\[height="525"] loralicious.com##img\[width="250"] 171gifs.com##img\[width="250"]\[height="1000"] loralicious.com##img\[width="300"] 4sex4.com##img\[width="300"]\[height="244"] -171gifs.com,efukt.com##img\[width="300"]\[height="250"] +171gifs.com,efukt.com,pornhub.com##img\[width="300"]\[height="250"] naughty.com##img\[width="450"] adultwork.com,babepicture.co.uk,imagetwist.com,naughty.com,sexmummy.com,tophentai.biz,tvgirlsgallery.co.uk,veronika-fasterova.cz,victoriarose.eu##img\[width="468"] clips4sale.com##img\[width="468px"] @@ -42631,6 +44170,7 @@ anetakeys.net,angelinacrow.org,cherryjul.eu,madisonparker.eu,nikkythorne.com,sex 171gifs.com##img\[width="500"]\[height="150"] 171gifs.com##img\[width="500"]\[height="180"] 171gifs.com##img\[width="640"]\[height="90"] +fleshasiadaily.com##img\[width="700"] 171gifs.com##img\[width="728"]\[height="90"] mofosex.com##li\[style="width: 385px; height: 380px; display: block; float: right;"] picfoco.com##table\[border="0"]\[width="728"] @@ -42642,8 +44182,8 @@ xvideos.com##table\[height="480"] loadsofpics.com##table\[height="750"] imagewaste.com##table\[style="width: 205px; height: 196px;"] starcelebs.com##table\[style="width:218px; border-width:1px; border-style:solid; border-color:black; border-collapse: collapse"] -1-toons.com,3dtale.com,3dteenagers.com,comicstale.com,freehentaimagazine.com##table\[style="width:840px; border 1px solid #C0C0C0; background-color:#0F0F0F; margin:0 auto;"] pornper.com,xxxkinky.com##table\[width="100%"]\[height="260"] +taxidrivermovie.com##table\[width="275"] xvideos.com##table\[width="342"] humoron.com##table\[width="527"] exgfpics.com##table\[width="565"] @@ -42677,7 +44217,7 @@ imagedax.net##td\[width="300"] xhamster.com##td\[width="360"] pornwikileaks.com##td\[width="43"] tube8.com##topadblock -!---------------------------------Whitelists----------------------------------! +!-----------------------Whitelists to fix broken sites------------------------! ! *** easylist:easylist/easylist_whitelist.txt *** @@.com/b/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@.com/banners/$image,domain=catalogfavoritesvip.com|deliverydeals.co.uk|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@ -42685,7 +44225,7 @@ tube8.com##topadblock @@.net/image-*-$image,domain=affrity.com|catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@/advertising-glype/*$image,stylesheet @@/display-ad/*$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@/wordpress/wp-admin/*-ads-manager/$~third-party +@@/wordpress/wp-admin/*-ads-manager/*$~third-party @@/wordpress/wp-admin/*/adrotate/*$~third-party @@/wp-content/plugins/bwp-minify/min/?f=$script,stylesheet,~third-party @@||192.168.$xmlhttprequest @@ -42698,8 +44238,10 @@ tube8.com##topadblock @@||24ur.com/adserver/adall. @@||24ur.com/static/*/banners.js @@||2mdn.net/crossdomain.xml$domain=rte.ie -@@||2mdn.net/instream/*/adsapi_$object-subrequest,domain=3news.co.nz|49ers.com|atlantafalcons.com|azcardinals.com|baltimoreravens.com|buccaneers.com|buffalobills.com|chargers.com|chicagobears.com|clevelandbrowns.com|colts.com|dallascowboys.com|denverbroncos.com|detroitlions.com|egirlgames.net|giants.com|globaltv.com|houstontexans.com|jaguars.com|kcchiefs.com|ktvu.com|miamidolphins.com|neworleanssaints.com|newyorkjets.com|packers.com|panthers.com|patriots.com|philadelphiaeagles.com|raiders.com|redskins.com|rte.ie|seahawks.com|steelers.com|stlouisrams.com|titansonline.com|vikings.com|wpcomwidgets.com +@@||2mdn.net/instream/*/adsapi_$object-subrequest,domain=3news.co.nz|49ers.com|atlantafalcons.com|azcardinals.com|baltimoreravens.com|buccaneers.com|buffalobills.com|chargers.com|chicagobears.com|clevelandbrowns.com|colts.com|dallascowboys.com|denverbroncos.com|detroitlions.com|egirlgames.net|euronews.com|giants.com|globaltv.com|houstontexans.com|jaguars.com|kcchiefs.com|ktvu.com|miamidolphins.com|neworleanssaints.com|newyorkjets.com|packers.com|panthers.com|patriots.com|philadelphiaeagles.com|raiders.com|redskins.com|rte.ie|seahawks.com|steelers.com|stlouisrams.com|thecomedynetwork.ca|titansonline.com|vikings.com|wpcomwidgets.com +@@||2mdn.net/instream/flash/*/adsapi.swf$object-subrequest @@||2mdn.net/instream/html5/ima3.js +@@||2mdn.net/instream/video/client.js$domain=cbc.ca @@||2mdn.net/viewad/*/B*_$image,domain=jabong.com @@||2mdn.net^*/jwplayer.js$domain=doubleclick.net @@||2mdn.net^*/player.swf$domain=doubleclick.net @@ -42709,6 +44251,7 @@ tube8.com##topadblock @@||53.com/resources/images/ad-rotator/ @@||6waves.com/ads/720x300/ @@||6waves.com/js/adshow.js +@@||961bobfm.com/Pics/Ad%20Images/LISTEN_LIVE_BUTTON.png @@||9msn.com.au/Services/Service.axd?callback=ninemsn_ads_contextualTargeting_$script,domain=ninemsn.com.au @@||9msn.com.au/share/com/adtrack/adtrack.js$domain=ninemsn.com.au @@||9msn.com.au^*/ads/ninemsn.ads$script @@ -42718,7 +44261,6 @@ tube8.com##topadblock @@||abc.com/streaming/ads/preroll_$object-subrequest,domain=abc.go.com @@||abcnews.com/assets/static/ads/fwps.js @@||abcnews.go.com/assets/static/ads/fwps.js -@@||aberdeennews.com/hive/images/adv_ @@||activelydisengaged.com/wp-content/uploads/*/ad$image @@||ad.103092804.com/st?ad_type=$subdocument,domain=wizard.mediacoderhq.com @@||ad.71i.de/crossdomain.xml$object-subrequest @@ -42732,6 +44274,7 @@ tube8.com##topadblock @@||ad.doubleclick.net/adj/*/cartalk.audio_player;$script,domain=cartalk.com @@||ad.doubleclick.net/adj/rstone.site/music/photos^$script,domain=rollingstone.com @@||ad.doubleclick.net/adx/nbcu.nbc/rewind$object-subrequest +@@||ad.doubleclick.net/clk;*?https://dm.victoriassecret.com/product/$image,domain=freeshipping.com @@||ad.doubleclick.net/N7175/adj/fdc.forbes/welcome;id=fdc/welcome;pos=thoughtx;$script,domain=forbes.com @@||ad.doubleclick.net/pfadx/nbcu.nbc/rewind$object-subrequest @@||ad.ghfusion.com/constants.js$domain=gamehouse.com @@ -42746,7 +44289,10 @@ tube8.com##topadblock @@||ad4.liverail.com/?LR_PUBLISHER_ID=$object-subrequest,domain=playreplay.net @@||ad4.liverail.com/crossdomain.xml$object-subrequest @@||ad4.liverail.com/|$object-subrequest,domain=bizu.tv|foxsports.com.au|majorleaguegaming.com|pbs.org|wikihow.com +@@||ad4.liverail.com/|$xmlhttprequest,domain=c.brightcove.com @@||ad4.liverail.com^*LR_VIDEO_ID=$object-subrequest,domain=bizu.tv +@@||ad4game.com/ima3_preloader_*.swf$object,domain=escapefan.com +@@||ad4game.com/www/delivery/video.php?zoneid=$script,domain=escapefan.com @@||adap.tv/control?$object-subrequest @@||adap.tv/crossdomain.xml$object-subrequest @@||adap.tv/redir/client/adplayer.swf$object-subrequest @@ -42770,11 +44316,11 @@ tube8.com##topadblock @@||adguard.com^$~third-party @@||adhostingsolutions.com/crossdomain.xml$object-subrequest @@||adimages.go.com/crossdomain.xml$object-subrequest -@@||adm.fwmrm.net/p/abc_live/LinkTag2.js$domain=6abc.com|7online.com|abc11.com|abc13.com|abc30.com|abc7.com|abc7chicago.com|abc7news.com -@@||adm.fwmrm.net^*/AdManager.js$domain=sky.com -@@||adm.fwmrm.net^*/BrightcovePlugin.js$domain=9news.com.au|bigbrother.com.au|ninemsn.com.au +@@||adm.fwmrm.net^*/AdManager.js$domain=msnbc.com|sky.com +@@||adm.fwmrm.net^*/BrightcovePlugin.js$domain=9jumpin.com.au|9news.com.au|bigbrother.com.au|ninemsn.com.au +@@||adm.fwmrm.net^*/LinkTag2.js$domain=6abc.com|7online.com|abc11.com|abc13.com|abc30.com|abc7.com|abc7chicago.com|abc7news.com|ahctv.com|animalplanet.com|destinationamerica.com|discovery.com|discoverylife.com|tlc.com @@||adm.fwmrm.net^*/TremorAdRenderer.$object-subrequest,domain=go.com -@@||adm.fwmrm.net^*/videoadrenderer.$object-subrequest,domain=cnbc.com|go.com|nbc.com +@@||adm.fwmrm.net^*/videoadrenderer.$object-subrequest,domain=cnbc.com|espnfc.co.uk|espnfc.com|espnfc.com.au|espnfc.us|espnfcasia.com|go.com|nbc.com @@||adman.se^$~third-party @@||admedia.wsod.com^$domain=scottrade.com @@||admin.brightcove.com/viewer/*/brightcovebootloader.swf?$object,domain=gamesradar.com @@ -42784,9 +44330,11 @@ tube8.com##topadblock @@||adotube.com/adapters/as3overstream*.swf?$domain=livestream.com @@||adotube.com/crossdomain.xml$object-subrequest @@||adpages.com^$~third-party +@@||adphoto.eu^$~third-party @@||adroll.com/j/roundtrip.js$domain=onehourtranslation.com @@||ads.adap.tv/applist|$object-subrequest,domain=wunderground.com @@||ads.ahds.ac.uk^$~document +@@||ads.awadserver.com^$domain=sellallautos.com @@||ads.badassembly.com^$~third-party @@||ads.belointeractive.com/realmedia/ads/adstream_mjx.ads/www.kgw.com/video/$script @@||ads.bizx.info/www/delivery/spc.php?zones$script,domain=nyctourist.com @@ -42804,19 +44352,24 @@ tube8.com##topadblock @@||ads.fusac.fr^$~third-party @@||ads.globo.com^*/globovideo/player/ @@||ads.golfweek.com^$~third-party +@@||ads.healthline.com/v2/adajax?$subdocument @@||ads.intergi.com/adrawdata/*/ADTECH;$object-subrequest,domain=melting-mindz.com @@||ads.intergi.com/crossdomain.xml$object-subrequest @@||ads.jetpackdigital.com.s3.amazonaws.com^$image,domain=vibe.com @@||ads.jetpackdigital.com/jquery.tools.min.js?$domain=vibe.com @@||ads.jetpackdigital.com^*/_uploads/$image,domain=vibe.com +@@||ads.m1.com.sg^$~third-party @@||ads.mefeedia.com/flash/flowplayer-3.1.2.min.js @@||ads.mefeedia.com/flash/flowplayer.controls-3.0.2.min.js @@||ads.mycricket.com/www/delivery/ajs.php?zoneid=$script,~third-party @@||ads.nyootv.com/crossdomain.xml$object-subrequest @@||ads.nyootv.com:8080/crossdomain.xml$object-subrequest @@||ads.pandora.tv/netinsight/text/pandora_global/channel/icf@ +@@||ads.pinterest.com^$~third-party @@||ads.pointroll.com/PortalServe/?pid=$xmlhttprequest,domain=thestreet.com +@@||ads.reempresa.org^$domain=reempresa.org @@||ads.seriouswheels.com^$~third-party +@@||ads.simplyhired.com^$domain=simply-partner.com|simplyhired.com @@||ads.smartfeedads.com^$~third-party @@||ads.socialtheater.com^$~third-party @@||ads.songs.pk/openx/www/delivery/ @@ -42834,7 +44387,7 @@ tube8.com##topadblock @@||ads.yimg.com^*/any/yahoologo$image @@||ads.yimg.com^*/search/b/syc_logo_2.gif @@||ads.yimg.com^*videoadmodule*.swf -@@||ads1.msads.net/library/dapmsn.js$domain=msn.com +@@||ads1.msads.net^*/dapmsn.js$domain=msn.com @@||ads1.msn.com/ads/pronws/$image @@||ads1.msn.com/library/dap.js$domain=entertainment.msn.co.nz|msn.foxsports.com @@||adsbox.com.sg^$~third-party @@ -42850,6 +44403,7 @@ tube8.com##topadblock @@||adserver.tvcatchup.com^$object-subrequest @@||adserver.vidcoin.com^*/get_campaigns?$xmlhttprequest @@||adserver.yahoo.com/a?*&l=head&$script,domain=yahoo.com +@@||adserver.yahoo.com/a?*&l=VID&$xmlhttprequest,domain=yahoo.com @@||adserver.yahoo.com/a?*=headr$script,domain=mail.yahoo.com @@||adserver.yahoo.com/crossdomain.xml$object-subrequest @@||adserver.yahoo.com^*=weather&$domain=ca.weather.yahoo.com @@ -42858,6 +44412,7 @@ tube8.com##topadblock @@||adsign.republika.pl^$subdocument,domain=a-d-sign.pl @@||adsign.republika.pl^$~third-party @@||adsonar.com/js/adsonar.js$domain=ansingstatejournal.com|app.com|battlecreekenquirer.com|clarionledger.com|coloradoan.com|dailyrecord.com|dailyworld.com|delmarvanow.com|freep.com|greatfallstribune.com|guampdn.com|hattiesburgamerican.com|hometownlife.com|ithacajournal.com|jconline.com|livingstondaily.com|montgomeryadvertiser.com|mycentraljersey.com|news-press.com|pal-item.com|pnj.com|poughkeepsiejournal.com|press-citizen.com|pressconnects.com|rgj.com|shreveporttimes.com|stargazette.com|tallahassee.com|theadvertiser.com|thecalifornian.com|thedailyjournal.com|thenewsstar.com|thestarpress.com|thetimesherald.com|thetowntalk.com|visaliatimesdelta.com +@@||adsonar.com/js/aslJSON.js$domain=engadget.com @@||adspot.lk^$~third-party @@||adsremote.scrippsnetworks.com/crossdomain.xml$object-subrequest @@||adsremote.scrippsnetworks.com/html.ng/adtype=*&playertype=$domain=gactv.com @@ -42873,6 +44428,7 @@ tube8.com##topadblock @@||adtechus.com/crossdomain.xml$object-subrequest @@||adtechus.com/dt/common/DAC.js$domain=wetpaint.com @@||adultvideotorrents.com/assets/blockblock/advertisement.js +@@||adv.*.przedsiebiorca.pl^$~third-party @@||adv.blogupp.com^ @@||adv.erti.se^$~third-party @@||adv.escreverdireito.com^$~third-party @@ -42886,6 +44442,7 @@ tube8.com##topadblock @@||advertiser.trialpay.com^$~third-party @@||advertisers.io^$domain=advertisers.io @@||advertising.acne.se^$~third-party +@@||advertising.autotrader.co.uk^$~third-party @@||advertising.racingpost.com^$image,script,stylesheet,~third-party,xmlhttprequest @@||advertising.scoop.co.nz^ @@||advertising.theigroup.co.uk^$~third-party @@ -42909,8 +44466,8 @@ tube8.com##topadblock @@||affiliates.unpakt.com/widget/$subdocument @@||affiliates.unpakt.com/widget_loader/widget_loader.js @@||africam.com/adimages/ -@@||aimatch.com/gshark/lserver/$domain=html5.grooveshark.com @@||aimsworldrunning.org/images/AD_Box_$image,~third-party +@@||airbaltic.com/banners/$~third-party @@||airguns.net/advertisement_images/ @@||airguns.net/classifieds/ad_images/ @@||airplaydirect.com/openx/www/images/$image @@ -42921,7 +44478,7 @@ tube8.com##topadblock @@||akamai.net^*/ads/preroll_$object-subrequest,domain=bet.com @@||akamai.net^*/i.mallnetworks.com/images/*120x60$domain=ultimaterewardsearn.chase.com @@||akamai.net^*/pics.drugstore.com/prodimg/promo/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||akamai.net^*/www.wellsfargo.com/img/ads/$domain=wellsfargo.com +@@||akamaihd.net/hads-*.mp4? @@||akamaihd.net^*/videoAd.js$domain=zynga.com @@||al.com/static/common/js/ads/ads.js @@||albumartexchange.com/gallery/images/public/ad/$image @@ -42937,6 +44494,7 @@ tube8.com##topadblock @@||amazon.com/widgets/$domain=sotumblry.com @@||amazonaws.com/adplayer/player/newas3player.swf?$object,domain=india.com @@||amazonaws.com/banners/$image,domain=livefromdarylshouse.com|pandasecurity.com +@@||amazonaws.com/bt-dashboard-logos/$domain=signal.co @@||amazonaws.com^*/sponsorbanners/$image,domain=members.portalbuzz.com @@||amctv.com/commons/advertisement/js/AdFrame.js @@||amiblood.com/Images/ad.jpg @@ -42951,7 +44509,7 @@ tube8.com##topadblock @@||aolcdn.com/os_merge/?file=/aol/*.js&$script @@||aolcdn.com^*/adhads.css$domain=aol.com @@||aone-soft.com/style/images/ad*.jpg -@@||api.cirqle.nl^*&advertiserId=$xmlhttprequest +@@||api.cirqle.nl^*&advertiserId=$script,xmlhttprequest @@||api.hexagram.com^$domain=scribol.com @@||api.paymentwall.com^$domain=adguard.com @@||apmebf.com/ad/$domain=betfair.com @@ -42975,6 +44533,7 @@ tube8.com##topadblock @@||as.bankrate.com/RealMedia/ads/adstream_mjx.ads/$script,~third-party @@||as.medscape.com/html.ng/transactionid%$subdocument,domain=medscape.com @@||as.webmd.com/html.ng/transactionid=$object-subrequest,script,subdocument +@@||asiasold.com/assets/home/openx/$image,~third-party @@||asrock.com/images/ad-$~third-party @@||assets.rewardstyle.com^$domain=glamour.com|itsjudytime.com @@||assiniboine.mb.ca/files/intrasite_ads/ @@ -42990,6 +44549,7 @@ tube8.com##topadblock @@||auditude.com^*/auditudebrightcoveplugin.swf$object-subrequest,domain=channel5.com @@||auditude.com^*/auditudeosmfproxyplugin.swf$object-subrequest,domain=dramafever.com|majorleaguegaming.com @@||autogespot.info/upload/ads/$image +@@||autotrader.co.uk/advert/$xmlhttprequest @@||autotrader.co.uk/static/*/images/adv/icons.png @@||autotrader.co.uk^*/advert/$~third-party,xmlhttprequest @@||autotrader.co.uk^*_adverts/$xmlhttprequest @@ -43001,11 +44561,13 @@ tube8.com##topadblock @@||awltovhc.com^$object,domain=affrity.com @@||backpackinglight.com/backpackinglight/ads/banner-$~third-party @@||bafta.org/static/site/javascript/banners.js -@@||baltimoresun.com/hive/images/adv_ +@@||bahtsold.com/assets/home/openx/Thailand/$image,~third-party +@@||bahtsold.com/assets/images/ads/no_img_main.png @@||bankofamerica.com^*?adx=$xmlhttprequest @@||banner.pumpkinpatchkids.com/www/delivery/$domain=pumpkinpatch.co.nz|pumpkinpatch.co.uk|pumpkinpatch.com|pumpkinpatch.com.au @@||banner4five.com/banners/$~third-party @@||bannerfans.com/banners/$image,~third-party +@@||bannerist.com/images/$image,domain=bannerist.com @@||banners.gametracker.rs^$image @@||banners.goldbroker.com/widget/ @@||banners.wunderground.com^$image @@ -43046,7 +44608,6 @@ tube8.com##topadblock @@||box10.com/advertising/*-preroll.swf @@||boxedlynch.com/advertising-gallery.html @@||brainient.com/crossdomain.xml$object-subrequest -@@||brightcove.com/viewer/*/advertisingmodule.swf$domain=aetv.com|al.com|amctv.com|as.com|channel5.com|cleveland.com|fox.com|fxnetworks.com|guardian.co.uk|lehighvalleylive.com|masslive.com|mlive.com|nj.com|nola.com|oregonlive.com|pennlive.com|people.com|silive.com|slate.com|syracuse.com|weather.com @@||brightcove.com^*bannerid$third-party @@||britannica.com/resources/images/shared/ad-loading.gif @@||britishairways.com/cms/global/styles/*/openx.css @@ -43091,6 +44652,7 @@ tube8.com##topadblock @@||cdn.inskinmedia.com/isfe/4.1/swf/unitcontainer2.swf$domain=tvcatchup.com @@||cdn.inskinmedia.com^*/brightcove3.js$domain=virginmedia.com @@||cdn.inskinmedia.com^*/ipcgame.js?$domain=mousebreaker.com +@@||cdn.intentmedia.net^$image,script,domain=travelzoo.com @@||cdn.pch.com/spectrummedia/spectrum/adunit/ @@||cdn.travidia.com/fsi-page/$image @@||cdn.travidia.com/rop-ad/$image @@ -43101,6 +44663,7 @@ tube8.com##topadblock @@||cerebral.s4.bizhat.com/banners/$image,~third-party @@||channel4.com/media/scripts/oasconfig/siteads.js @@||charlieandmekids.com/www/delivery/$script,domain=charlieandmekids.co.nz|charlieandmekids.com.au +@@||chase.com/content/*/ads/$image,~third-party @@||chase.com^*/adserving/ @@||cheapoair.ca/desktopmodules/adsales/adsaleshandle.ashx?$xmlhttprequest @@||cheapoair.com/desktopmodules/adsales/adsaleshandle.ashx?$xmlhttprequest @@ -43117,14 +44680,12 @@ tube8.com##topadblock @@||classifiedads.com/adbox.php$xmlhttprequest @@||classifieds.wsj.com/ad/$~third-party @@||classistatic.com^*/banner-ads/ -@@||clearchannel.com/cc-common/templates/addisplay/DFPheader.js @@||cleveland.com/static/common/js/ads/ads.js @@||clickbd.com^*/ads/$image,~third-party @@||cloudfront.net/_ads/$xmlhttprequest,domain=jobstreet.co.id|jobstreet.co.in|jobstreet.co.th|jobstreet.com|jobstreet.com.my|jobstreet.com.ph|jobstreet.com.sg|jobstreet.vn @@||club777.com/banners/$~third-party @@||clustrmaps.com/images/clustrmaps-back-soon.jpg$third-party @@||cnet.com/ad/ad-cookie/*?_=$xmlhttprequest -@@||cnn.com^*/html5/ad_policy.xml$xmlhttprequest @@||coastlinepilot.com/hive/images/adv_ @@||collective-media.net/crossdomain.xml$object-subrequest @@||collective-media.net/pfadx/wtv.wrc/$object-subrequest,domain=wrc.com @@ -43135,15 +44696,16 @@ tube8.com##topadblock @@||computerworld.com/resources/scripts/lib/doubleclick_ads.js$script @@||comsec.com.au^*/homepage_banner_ad.gif @@||condenast.co.uk/scripts/cn-advert.js$domain=cntraveller.com +@@||connectingdirectories.com/advertisers/$~third-party,xmlhttprequest @@||constructalia.com/banners/$image,~third-party @@||contactmusic.com/advertpro/servlet/view/dynamic/$object-subrequest @@||content.ad/images/$image,domain=wmpoweruser.com +@@||content.datingfactory.com/promotools/$script @@||content.hallmark.com/scripts/ecards/adspot.js @@||copesdistributing.com/images/adds/banner_$~third-party @@||cosmopolitan.com/ams/page-ads.js @@||cosmopolitan.com/cm/shared/scripts/refreshads-$script @@||countryliving.com/ams/page-ads.js -@@||courant.com/hive/images/adv_ @@||cracker.com.au^*/cracker-classifieds-free-ads.$~document @@||cricbuzz.com/includes/ads/images/wct20/$image @@||cricbuzz.com/includes/ads/images/worldcup/more_arrow_$image @@ -43152,17 +44714,22 @@ tube8.com##topadblock @@||csair.com/*/adpic.js @@||csmonitor.com/advertising/sharetools.php$subdocument @@||csoonline.com/js/doubleclick_ads.js? +@@||css.washingtonpost.com/wpost/css/combo?*/ads.css +@@||css.washingtonpost.com/wpost2/css/combo?*/ads.css +@@||css.wpdigital.net/wpost/css/combo?*/ads.css @@||ctv.ca/players/mediaplayer/*/AdManager.js^ @@||cubeecraft.com/openx/$~third-party @@||cvs.com/webcontent/images/weeklyad/adcontent/$~third-party @@||cydiaupdates.net/CydiaUpdates.com_600x80.png @@||d1sp6mwzi1jpx1.cloudfront.net^*/advertisement_min.js$domain=reelkandi.com +@@||d3con.org/data1/$image,~third-party @@||d3pkae9owd2lcf.cloudfront.net/mb102.js$domain=wowhead.com +@@||da-ads.com/truex.html?$domain=deviantart.com @@||dailycaller.com/wp-content/plugins/advertisements/$script @@||dailyhiit.com/sites/*/ad-images/ +@@||dailymail.co.uk^*/googleads--.js @@||dailymotion.com/videowall/*&clickTAG=http @@||dailypilot.com/hive/images/adv_ -@@||dailypress.com/hive/images/adv_ @@||danielechevarria.com^*/advertising-$~third-party @@||dart.clearchannel.com/crossdomain.xml$object-subrequest @@||data.panachetech.com/crossdomain.xml$object-subrequest @@ -43179,6 +44746,7 @@ tube8.com##topadblock @@||delvenetworks.com/player/*_ad_$subdocument @@||demo.inskinmedia.com^$object-subrequest,domain=tvcatchup.com @@||deviantart.net/fs*/20*_by_$image,domain=deviantart.com +@@||deviantart.net/minish/advertising/downloadad_splash_close.png @@||digiads.com.au/images/shared/misc/ad-disclaimer.gif @@||digsby.com/affiliate/banners/$image,~third-party @@||direct.fairfax.com.au/hserver/*/site=vid.*/adtype=embedded/$script @@ -43197,6 +44765,7 @@ tube8.com##topadblock @@||dolphinimaging.com/banners.js @@||dolphinimaging.com/banners/ @@||domandgeri.com/banners/$~third-party +@@||dotomi.com/commonid/match?$script,domain=betfair.com @@||doubleclick.net/ad/*.linkshare/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@||doubleclick.net/ad/can/chow/$object-subrequest @@||doubleclick.net/ad/can/tvcom/$object-subrequest,domain=tv.com @@ -43210,6 +44779,7 @@ tube8.com##topadblock @@||doubleclick.net/adi/sny.tv/media;$subdocument,domain=sny.tv @@||doubleclick.net/adi/sony.oz.opus/*;pos=bottom;$subdocument,domain=doctoroz.com @@||doubleclick.net/adi/yesnetwork.com/media;$subdocument,domain=yesnetwork.com +@@||doubleclick.net/adi/zillow.hdp/$subdocument,domain=zillow.com @@||doubleclick.net/adj/bbccom.live.site.auto/*^sz=1x1^$script,domain=bbc.com @@||doubleclick.net/adj/cm.peo/*;cmpos=$script,domain=people.com @@||doubleclick.net/adj/cm.tim/*;cmpos=$script,domain=time.com @@ -43227,6 +44797,7 @@ tube8.com##topadblock @@||doubleclick.net/ddm/clk/*://www.amazon.jobs/jobs/$subdocument,domain=glassdoor.com @@||doubleclick.net/N2605/adi/MiLB.com/scoreboard;*;sz=728x90;$subdocument @@||doubleclick.net/N6545/adj/*_music/video;$script,domain=virginmedia.com +@@||doubleclick.net/N6619/adj/zillow.hdp/$script,domain=zillow.com @@||doubleclick.net/pfadx/*/cbs/$object-subrequest,domain=latimes.com @@||doubleclick.net/pfadx/nfl.*/html5;$xmlhttprequest,domain=nfl.com @@||doubleclick.net/pfadx/umg.*;sz=10x$script @@ -43239,6 +44810,7 @@ tube8.com##topadblock @@||doubleclick.net^*/ndm.tcm/video;$script,domain=player.video.news.com.au @@||doubleclick.net^*/targeted.optimum/*;sz=968x286;$image,popup,script @@||doubleclick.net^*/videoplayer*=worldnow$subdocument,domain=ktiv.com|wflx.com +@@||dove.saymedia.com^$xmlhttprequest @@||downvids.net/ads.js @@||drf-global.com/servicegateway/globaltrips-shopping-svcs/drfadserver-1.0/pub/adserver.js?$domain=igougo.com|travelocity.com @@||drf-global.com/servicegateway/globaltrips-shopping-svcs/drfadserver-1.0/pub/drfcomms/advertisers?$script,domain=igougo.com|travelocity.com @@ -43248,6 +44820,7 @@ tube8.com##topadblock @@||drunkard.com/banners/drunk-korps-banner.jpg @@||drunkard.com/banners/drunkard-gear.jpg @@||drunkard.com/banners/modern-drunkard-book.jpg +@@||drupal.org^*/revealads.png @@||dstw.adgear.com/crossdomain.xml$object-subrequest @@||dstw.adgear.com/impressions/int/as=*.json?ag_r=$object-subrequest,domain=hot899.com|nj1015.com|streamtheworld.com|tsn.ca @@||dwiextreme.com/banners/dwiextreme$image @@ -43272,19 +44845,23 @@ tube8.com##topadblock @@||eightinc.com/admin/zone.php?zoneid=$xmlhttprequest @@||elephantjournal.com/ad_art/ @@||eluxe.ca^*_doubleclick.js*.pagespeed.$script +@@||emailbidding.com^*/advertiser/$~third-party,xmlhttprequest @@||emergencymedicalparamedic.com/wp-content/themes/AdSense/style.css @@||emjcd.com^$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@||empireonline.com/images/image_index/300x250/ +@@||engine.adzerk.net/ados?$script,domain=stackoverflow.com @@||englishanimes.com/wp-content/themes/englishanimes/js/pop.js @@||engrish.com/wp-content/uploads/*/advertisement-$image,~third-party @@||epicgameads.com/crossdomain.xml$object-subrequest @@||epicgameads.com/games/getSwfPath.php?$object-subrequest,domain=freewebarcade.com @@||epicgameads.com/games/mec_release_*.swf?$object-subrequest,domain=freewebarcade.com +@@||eplayerhtml5.performgroup.com/js/tsEplayerHtml5/js/Eplayer/js/modules/bannerview/bannerview.main.js? @@||equippers.com/abm.aspx?$script @@||equippers.com/absolutebm.aspx?$script @@||espn.co.uk/ads/gamemodule_v0.2.swf$object @@||espn.go.com^*/espn360/banner?$subdocument @@||espncdn.com/combiner/*/admgr.$script,domain=espn.go.com +@@||espncdn.com/combiner/c?*/ads.css$domain=espn.go.com @@||espncdn.com/combiner/c?*/advertising.$stylesheet,domain=espnfc.com @@||espngp.com/ads/*_sprite$domain=espnf1.com @@||esquire.com/ams/page-ads.js?$script @@ -43340,7 +44917,8 @@ tube8.com##topadblock @@||g.doubleclick.net/aclk?$subdocument,domain=nedbank.co.za @@||g.doubleclick.net/crossdomain.xml$object-subrequest,domain=~newgrounds.com @@||g.doubleclick.net/gampad/ads?$object-subrequest,domain=ensonhaber.com|majorleaguegaming.com|nfl.com|player.rogersradio.ca|twitch.tv|viki.com|volarvideo.com|worldstarhiphop.com -@@||g.doubleclick.net/gampad/ads?$script,domain=app.com|argusleader.com|autoguide.com|battlecreekenquirer.com|baxterbulletin.com|beqala.com|boatshop24.com|bodas.com.mx|bodas.net|bucyrustelegraphforum.com|burlingtonfreepress.com|casamentos.com.br|casamentos.pt|casamiento.com.uy|casamientos.com.ar|chillicothegazette.com|cincinnati.com|clarionledger.com|coloradoan.com|coshoctontribune.com|courier-journal.com|courierpostonline.com|dailyrecord.com|dailyworld.com|deadspin.com|defensenews.com|delawareonline.com|democratandchronicle.com|desmoinesregister.com|dnj.com|drupalcommerce.org|escapegames.com|fdlreporter.com|floridatoday.com|freep.com|games.latimes.com|gawker.com|gizmodo.com|greatfallstribune.com|greenbaypressgazette.com|greenvilleonline.com|guampdn.com|hattiesburgamerican.com|hometownlife.com|htrnews.com|indystar.com|io9.com|ithacajournal.com|jacksonsun.com|jalopnik.com|jconline.com|jezebel.com|kotaku.com|lancastereaglegazette.com|lansingstatejournal.com|lifehacker.com|livingstondaily.com|lohud.com|mansfieldnewsjournal.com|mariages.net|marionstar.com|marshfieldnewsherald.com|matrimonio.com|matrimonio.com.co|matrimonio.com.pe|matrimonios.cl|montgomeryadvertiser.com|motorcycle.com|mycentraljersey.com|mydesert.com|mysoju.com|nauticexpo.com|nedbank.co.za|nedbankgreen.co.za|newarkadvocate.com|news-leader.com|news-press.com|newsleader.com|nonags.com|orbitz.com|pal-item.com|pcper.com|podomatic.com|portclintonnewsherald.com|postcrescent.com|poughkeepsiejournal.com|press-citizen.com|pressconnects.com|rgj.com|sctimes.com|sheboyganpress.com|shreveporttimes.com|stargazette.com|statesmanjournal.com|stevenspointjournal.com|tallahassee.com|tennessean.com|theadvertiser.com|thedailyjournal.com|theleafchronicle.com|thenews-messenger.com|thenewsstar.com|thenorthwestern.com|thesimsresource.com|thespectrum.com|thestarpress.com|thetimesherald.com|thetowntalk.com|ticketek.com.ar|urbandictionary.com|virginaustralia.com|visaliatimesdelta.com|volokh.com|wausaudailyherald.com|weddingspot.co.uk|wisconsinrapidstribune.com|wlj.net|zanesvilletimesrecorder.com|zavvi.com|zui.com +@@||g.doubleclick.net/gampad/ads?$script,domain=app.com|argusleader.com|autoguide.com|battlecreekenquirer.com|baxterbulletin.com|beqala.com|boatshop24.com|bodas.com.mx|bodas.net|bucyrustelegraphforum.com|burlingtonfreepress.com|casamentos.com.br|casamentos.pt|casamiento.com.uy|casamientos.com.ar|chillicothegazette.com|cincinnati.com|clarionledger.com|coloradoan.com|coshoctontribune.com|courier-journal.com|courierpostonline.com|dailyrecord.com|dailyworld.com|deadspin.com|defensenews.com|delawareonline.com|democratandchronicle.com|desmoinesregister.com|dnj.com|drupalcommerce.org|escapegames.com|fdlreporter.com|floridatoday.com|freep.com|games.latimes.com|gawker.com|gizmodo.com|greatfallstribune.com|greenbaypressgazette.com|greenvilleonline.com|guampdn.com|hattiesburgamerican.com|hometownlife.com|htrnews.com|indystar.com|io9.com|ithacajournal.com|jacksonsun.com|jalopnik.com|jconline.com|jezebel.com|kotaku.com|lancastereaglegazette.com|lansingstatejournal.com|lifehacker.com|livingstondaily.com|lohud.com|mansfieldnewsjournal.com|mariages.net|marionstar.com|marshfieldnewsherald.com|matrimonio.com|matrimonio.com.co|matrimonio.com.pe|matrimonios.cl|montgomeryadvertiser.com|motorcycle.com|mycentraljersey.com|mydesert.com|mysoju.com|nauticexpo.com|nedbank.co.za|nedbankgreen.co.za|newarkadvocate.com|news-leader.com|news-press.com|newsleader.com|nonags.com|orbitz.com|pal-item.com|podomatic.com|portclintonnewsherald.com|postcrescent.com|poughkeepsiejournal.com|press-citizen.com|pressconnects.com|rgj.com|sctimes.com|sheboyganpress.com|shreveporttimes.com|stargazette.com|statesmanjournal.com|stevenspointjournal.com|tallahassee.com|tennessean.com|theadvertiser.com|thedailyjournal.com|theleafchronicle.com|thenews-messenger.com|thenewsstar.com|thenorthwestern.com|thesimsresource.com|thespectrum.com|thestarpress.com|thetimesherald.com|thetowntalk.com|ticketek.com.ar|urbandictionary.com|virginaustralia.com|visaliatimesdelta.com|volokh.com|wausaudailyherald.com|weddingspot.co.uk|wisconsinrapidstribune.com|wlj.net|zanesvilletimesrecorder.com|zavvi.com|zui.com +@@||g.doubleclick.net/gampad/ads?adk$domain=rte.ie @@||g.doubleclick.net/gampad/google_ads.js$domain=nedbank.co.za|nitrome.com|ticketek.com.ar @@||g.doubleclick.net/pagead/ads?ad_type=image_text^$object-subrequest,domain=ebog.com|gameark.com @@||g.doubleclick.net/pagead/ads?ad_type=text_dynamicimage_flash^$object-subrequest @@ -43385,13 +44963,13 @@ tube8.com##topadblock @@||google.com/adsense/$subdocument,domain=sedo.co.uk|sedo.com|sedo.jp|sedo.kr|sedo.pl @@||google.com/adsense/search/ads.js$domain=armstrongmywire.com|atlanticbb.net|bestbuy.com|bresnan.net|broadstripe.net|buckeyecablesystem.net|cableone.net|centurylink.net|charter.net|cincinnatibell.net|dish.net|forbbbs.org|forbes.com|hargray.net|hawaiiantel.net|hickorytech.net|homeaway.co.uk|knology.net|livestrong.com|mediacomtoday.com|midco.net|mybendbroadband.com|mybrctv.com|mycenturylink.com|myconsolidated.net|myepb.net|mygrande.net|mygvtc.com|myhughesnet.com|myritter.com|northstate.net|nwcable.net|query.nytimes.com|rentals.com|search.rr.com|searchresults.verizon.com|suddenlink.net|surewest.com|synacor.net|tds.net|toshiba.com|trustedreviews.com|truvista.net|windstream.net|windstreambusiness.net|wowway.net|www.google.com|zoover.co.uk|zoover.com @@||google.com/adsense/search/async-ads.js$domain=about.com|ehow.com +@@||google.com/afs/ads?$document,subdocument,domain=ehow.com|livestrong.com @@||google.com/doubleclick/studio/swiffy/$domain=www.google.com @@||google.com/search?q=$xmlhttprequest @@||google.com/uds/?file=ads&$script,domain=guardian.co.uk|landandfarm.com -@@||google.com/uds/afs?$document,subdocument,domain=ehow.com|livestrong.com -@@||google.com/uds/afs?$subdocument,domain=about.com +@@||google.com/uds/afs?$document,subdocument,domain=about.com|ehow.com|livestrong.com @@||google.com/uds/api/ads/$script,domain=guardian.co.uk -@@||google.com/uds/api/ads/*/search.$script,domain=italyinus2013.org|landandfarm.com|query.nytimes.com|trustedreviews.com|www.google.com +@@||google.com/uds/api/ads/*/search.$script,domain=landandfarm.com|query.nytimes.com|trustedreviews.com|www.google.com @@||google.com/uds/modules/elements/newsshow/iframe.html?format=728x90^$document,subdocument @@||google.com^*/show_afs_ads.js$domain=whitepages.com @@||googleapis.com/flash/*adsapi_*.swf$domain=viki.com|wwe.com @@ -43417,6 +44995,8 @@ tube8.com##topadblock @@||healthline.com/resources/base/js/responsive-ads.js? @@||healthline.com/v2/ad-leaderboard-iframe?$subdocument @@||healthline.com/v2/ad-mr2-iframe?useAdsHost=*&dfpAdSite= +@@||hebdenbridge.co.uk/ads/images/smallads.png +@@||hellotv.in/livetv/advertisements.xml$object-subrequest @@||hentai-foundry.com/themes/default/images/buttons/add_comment_icon.png @@||hillvue.com/banners/$image,~third-party @@||hipsterhitler.com/hhcomic/wp-content/uploads/2011/10/20_advertisement.jpg @@ -43464,16 +45044,18 @@ tube8.com##topadblock @@||images.rewardstyle.com/img?$image,domain=glamour.com|itsjudytime.com @@||images.vantage-media.net^$domain=yahoo.net @@||imagesbn.com/resources?*/googlead.$stylesheet,domain=barnesandnoble.com -@@||imasdk.googleapis.com/flash/core/adsapi_3_0_$object-subrequest +@@||imasdk.googleapis.com/flash/core/3.*/adsapi.swf$object-subrequest @@||imasdk.googleapis.com/flash/sdkloader/adsapi_3.swf$object-subrequest -@@||imasdk.googleapis.com/js/core/bridge*.html$subdocument,domain=eboundservices.com|live.geo.tv|news.sky.com|thestreet.com|video.foxnews.com -@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=news.sky.com|theverge.com +@@||imasdk.googleapis.com/js/core/bridge*.html$subdocument,domain=blinkboxmusic.com|cbc.ca|eboundservices.com|gamejolt.com|live.geo.tv|news.sky.com|softgames.de|thestreet.com|video.foxnews.com|waywire.com +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=blinkboxmusic.com|cbc.ca|gamejolt.com|news.sky.com|theverge.com +@@||img-cdn.mediaplex.com^$image,domain=betfair.com @@||img.espngp.com/ads/$image,domain=espnf1.com @@||img.mediaplex.com^*_afl_bettingpage_$domain=afl.com.au @@||img.thedailywtf.com/images/ads/ @@||img.travidia.com^$image @@||img.weather.weatherbug.com^*/stickers/$image,stylesheet @@||imgag.com^*/adaptvadplayer.swf$domain=egreetings.com +@@||imobie.com/js/anytrans-adv.js @@||impgb.tradedoubler.com/imp?type(img)$image,domain=deliverydeals.co.uk @@||imwx.com/js/adstwo/adcontroller.js$domain=weather.com @@||incredibox.fr/advertise/_liste.js @@ -43495,6 +45077,10 @@ tube8.com##topadblock @@||inskinmedia.com^*/js/base/api/$domain=mousebreaker.com @@||inspire.net.nz/adverts/$image @@||intellitext.co^$~third-party +@@||intellitxt.com/ast/js/nbcuni/$script +@@||intentmedia.net/adServer/$script,domain=travelzoo.com +@@||intentmedia.net/javascripts/$script,domain=travelzoo.com +@@||interadcorp.com/script/interad.$script,stylesheet @@||investors.com/Scripts/AdScript.js? @@||inviziads.com/crossdomain.xml$object-subrequest @@||ipcamhost.net/flashads/*.swf$object-subrequest,domain=canadianrockies.org @@ -43515,6 +45101,8 @@ tube8.com##topadblock @@||js.revsci.net/gateway/gw.js?$domain=app.com|argusleader.com|aviationweek.com|battlecreekenquirer.com|baxterbulletin.com|bucyrustelegraphforum.com|burlingtonfreepress.com|centralohio.com|chillicothegazette.com|cincinnati.com|citizen-times.com|clarionledger.com|coloradoan.com|coshoctontribune.com|courier-journal.com|courierpostonline.com|dailyrecord.com|dailyworld.com|delawareonline.com|delmarvanow.com|democratandchronicle.com|desmoinesregister.com|dnj.com|fdlreporter.com|foxsmallbusinesscenter.com|freep.com|greatfallstribune.com|greenbaypressgazette.com|greenvilleonline.com|guampdn.com|hattiesburgamerican.com|hometownlife.com|honoluluadvertiser.com|htrnews.com|indystar.com|jacksonsun.com|jconline.com|lancastereaglegazette.com|lansingstatejournal.com|livingstondaily.com|lohud.com|mansfieldnewsjournal.com|marionstar.com|marshfieldnewsherald.com|montgomeryadvertiser.com|mycentraljersey.com|mydesert.com|newarkadvocate.com|news-leader.com|news-press.com|newsleader.com|pal-item.com|pnj.com|portclintonnewsherald.com|postcrescent.com|poughkeepsiejournal.com|press-citizen.com|pressconnects.com|rgj.com|sctimes.com|sheboyganpress.com|shreveporttimes.com|stargazette.com|statesmanjournal.com|stevenspointjournal.com|tallahassee.com|tennessean.com|theadvertiser.com|thecalifornian.com|thedailyjournal.com|theithacajournal.com|theleafchronicle.com|thenews-messenger.com|thenewsstar.com|thenorthwestern.com|thespectrum.com|thestarpress.com|thetimesherald.com|thetowntalk.com|visaliatimesdelta.com|wausaudailyherald.com|weather.com|wisconsinrapidstribune.com|zanesvilletimesrecorder.com @@||jsstatic.com/_ads/ @@||jtvnw.net/widgets/jtv_player.*&referer=http://talkrtv.com/ad/channel.php?$object,domain=talkrtv.com +@@||justin-klein.com/banners/ +@@||kaltura.com^*/doubleClickPlugin.swf$object-subrequest,domain=tmz.com @@||kamernet.nl/Adverts/$~third-party @@||karolinashumilas.com/img/adv/ @@||kcna.kp/images/ads_arrow_ @@ -43529,20 +45117,18 @@ tube8.com##topadblock @@||kongcdn.com/game_icons/*-300x250_$domain=kongregate.com @@||kotak.com/banners/$image @@||krispykreme.com/content/images/ads/ -@@||krxd.net^$script,domain=nbcnews.com @@||ksl.com/resources/classifieds/graphics/ad_ -@@||ky3.com/hive/images/adv_ @@||l.yimg.com/*/adservice/ @@||l.yimg.com/zz/combo?*/advertising.$stylesheet @@||lacanadaonline.com/hive/images/adv_ @@||lads.myspace.com/videos/msvideoplayer.swf?$object,object-subrequest @@||lanacion.com.ar/*/publicidad/ @@||larazon.es/larazon-theme/js/publicidad.js? -@@||latimes.com/hive/images/adv_ @@||lbdevicons.brainient.com/flash/*/VPAIDWrapper.swf$object,domain=mousebreaker.com @@||lduhtrp.net/image-$domain=uscbookstore.com @@||leadback.advertising.com/adcedge/$domain=careerbuilder.com @@||lehighvalleylive.com/static/common/js/ads/ads.js +@@||lelong.com.my/UserImages/Ads/$image,~third-party @@||lemon-ads.com^$~document,~third-party @@||lesacasino.com/banners/$~third-party @@||libraryjournal.com/wp-content/plugins/wp-intern-ads/$script,stylesheet @@ -43559,13 +45145,16 @@ tube8.com##topadblock @@||linksynergy.com/fs/banners/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@||lipsum.com/images/banners/ @@||listings.brokersweb.com/JsonSearchSb.aspx?*&maxAds=$script +@@||live-support.se^*/Admax/$~third-party @@||live.seenreport.com:82/media/js/ads_controller.js?$domain=live.geo.tv @@||live.seenreport.com:82/media/js/fingerprint.js?$domain=live.geo.tv @@||live365.com/mini/blank300x250.html @@||live365.com/scripts/liveads.js @@||live365.com/web/components/ads/*.html? -@@||liverail.com/js/LiveRail.AdManager*JWPlayer$script +@@||liverail.com/js/LiveRail.AdManager$script,domain=~bluray-disc.de +@@||liverail.com/js/LiveRail.Interstitial-$script,domain=keygames.com @@||liverail.com^*/liverail_preroll.swf$object,domain=newgrounds.com +@@||liverail.com^*/vpaid-player.swf?$object,domain=addictinggames.com|keygames.com|nglmedia.com|shockwave.com @@||llnwd.net^*/js/3rdparty/swfobject$script @@||logmein.com/Serve.aspx?ZoneID=$script,~third-party @@||longtailvideo.com/flowplayer/ova-*.swf$domain=rosemaryconley.tv @@ -43593,6 +45182,7 @@ tube8.com##topadblock @@||mansioncasino.com/banners/$~third-party @@||maps-static.chitika.net^ @@||maps.chitika.net^ +@@||maps.gstatic.com/maps-api-*/adsense.js$domain=ctrlq.org|googlesightseeing.com|marinetraffic.com|satellite-calculations.com|walkscore.com @@||marca.com/deporte/css/*/publicidad.css @@||marciglesias.com/publicidad/ @@||marcokrenn.com/public/images/pages/advertising/$~third-party @@ -43602,7 +45192,6 @@ tube8.com##topadblock @@||marketing.beatport.com.s3.amazonaws.com/html/*/Banner_Ads/header_$image @@||masslive.com/static/common/js/ads/ads.js @@||maxim.com/advert*/countdown/$script,stylesheet -@@||mcall.com/hive/images/adv_ @@||mcfc.co.uk/js/core/adtracking.js @@||mcpn.us/resources/images/adv/$~third-party @@||media-azeroth.cursecdn.com/Assets/*/DOODADS/$object-subrequest @@ -43623,6 +45212,7 @@ tube8.com##topadblock @@||medrx.sensis.com.au/images/sensis/*/util.js$domain=afl.com.au|goal.com @@||medrx.sensis.com.au/images/sensis/generic.js$domain=afl.com.au @@||medscape.com/html.ng/*slideshow +@@||medscapestatic.com/pi/scripts/ads/dfp/profads2.js @@||memecdn.com/advertising_$image,domain=memecenter.com @@||meritline.com/banners/$image,~third-party @@||merkatia.com/adimages/$image @@ -43683,6 +45273,7 @@ tube8.com##topadblock @@||ncregister.com/images/ads/ @@||ncregister.com/images/sized/images/ads/ @@||nedbank.co.za/website/content/home/google_ad_Cut.jpg +@@||neobux.com/v/?a=l&l=$document @@||netupd8.com/webupd8/*/adsense.js$domain=webupd8.org @@||netupd8.com/webupd8/*/advertisement.js$domain=webupd8.org @@||networkworld.com/www/js/ads/gpt_includes.js? @@ -43759,8 +45350,8 @@ tube8.com##topadblock @@||optimatic.com^*/wrapper/shell.swf?$object,domain=pch.com @@||optimatic.com^*/wrapper/shell_standalone.swf?$object,domain=pch.com @@||oregonlive.com/static/common/js/ads/ads.js -@@||orlandosentinel.com/hive/images/adv_ @@||osdir.com/ml/dateindex*&num=$subdocument +@@||otakumode.com/shop/titleArea?*_promo_id=$xmlhttprequest @@||otrkeyfinder.com/otr/frame*.php?ads=*&search=$subdocument,domain=onlinetvrecorder.com @@||overture.london^$~third-party @@||ox-d.motogp.com/v/1.0/av?*auid=$object-subrequest,domain=motogp.com @@ -43769,28 +45360,31 @@ tube8.com##topadblock @@||ox-d.sbnation.com/w/1.0/jstag| @@||ox.eurogamer.net/oa/delivery/ajs.php?$script,domain=vg247.com @@||ox.popcap.com/delivery/afr.php?&zoneid=$subdocument,~third-party +@@||oxfordlearnersdictionaries.com/external/scripts/doubleclick.js @@||ozspeedtest.com/js/pop.js @@||pachanyc.com/_images/advertise_submit.gif @@||pachoumis.com/advertising-$~third-party +@@||pacogames.com/ad/ima3_preloader_$object @@||pagead2.googlesyndication.com/pagead/gadgets/overlay/overlaytemplate.swf$object-subrequest,domain=bn0.com|ebog.com|ensonhaber.com|gameark.com @@||pagead2.googlesyndication.com/pagead/googlevideoadslibrary.swf$object-subrequest,domain=flashgames247.com|freeonlinegames.com|gameitnow.com|play181.com|toongames.com @@||pagead2.googlesyndication.com/pagead/imgad?$image,domain=kingofgames.net|nedbank.co.za|nedbankgreen.co.za|virginaustralia.com @@||pagead2.googlesyndication.com/pagead/imgad?id=$object-subrequest,domain=bn0.com|ebog.com|ensonhaber.com|gameark.com|yepi.com +@@||pagead2.googlesyndication.com/pagead/js/*/show_ads_impl.js$domain=oldapps.com @@||pagead2.googlesyndication.com/pagead/scache/googlevideoads.swf$object-subrequest,domain=flashgames247.com|freeonlinegames.com|gameitnow.com|play181.com|toongames.com @@||pagead2.googlesyndication.com/pagead/scache/googlevideoadslibraryas3.swf$object-subrequest,domain=didigames.com|nitrome.com|nx8.com|oyunlar1.com @@||pagead2.googlesyndication.com/pagead/scache/googlevideoadslibrarylocalconnection.swf?$object-subrequest,domain=didigames.com|nitrome.com|nx8.com|oyunlar1.com +@@||pagead2.googlesyndication.com/pagead/show_ads.js$domain=oldapps.com @@||pagead2.googlesyndication.com/pagead/static?format=in_video_ads&$elemhide,subdocument @@||pagesinventory.com/_data/flags/ad.gif @@||pandasecurity.com/banners/$image,~third-party @@||pantherssl.com/banners/ -@@||partner.googleadservices.com/gampad/google_ads.js$domain=autoguide.com|avclub.com|boatshop24.com|cadenasuper.com|dailygames.com|demotywatory.pl|drivearabia.com|ensonhaber.com|juegosdiarios.com|lbox.me|letio.com|lightinthebox.com|memegenerator.net|mysoju.com|nedbank.co.za|nedbankgreen.co.za|nitrome.com|nx8.com|pcper.com|playedonline.com|sulekha.com|volokh.com|yfrog.com +@@||partner.googleadservices.com/gampad/google_ads.js$domain=autoguide.com|avclub.com|boatshop24.com|cadenasuper.com|dailygames.com|demotywatory.pl|drivearabia.com|ensonhaber.com|juegosdiarios.com|lbox.me|letio.com|lightinthebox.com|memegenerator.net|mysoju.com|nedbank.co.za|nedbankgreen.co.za|nitrome.com|nx8.com|playedonline.com|sulekha.com|volokh.com|yfrog.com @@||partner.googleadservices.com/gampad/google_ads2.js$domain=motorcycle.com|mysoju.com|nedbank.co.za @@||partner.googleadservices.com/gampad/google_ads_gpt.js$domain=amctheatres.com|pitchfork.com|podomatic.com|virginaustralia.com -@@||partner.googleadservices.com/gampad/google_service.js$domain=autoguide.com|avclub.com|boatshop24.com|cadenasuper.com|dailygames.com|demotywatory.pl|drivearabia.com|ensonhaber.com|escapegames.com|juegosdiarios.com|lbox.me|letio.com|lightinthebox.com|memegenerator.net|motorcycle.com|mysoju.com|nedbank.co.za|nedbankgreen.co.za|nx8.com|pcper.com|playedonline.com|playstationlifestyle.net|readersdigest.com.au|sulekha.com|ticketek.com.ar|volokh.com|yfrog.com +@@||partner.googleadservices.com/gampad/google_service.js$domain=autoguide.com|avclub.com|boatshop24.com|cadenasuper.com|dailygames.com|demotywatory.pl|drivearabia.com|ensonhaber.com|escapegames.com|juegosdiarios.com|lbox.me|letio.com|lightinthebox.com|memegenerator.net|motorcycle.com|mysoju.com|nedbank.co.za|nedbankgreen.co.za|nx8.com|playedonline.com|playstationlifestyle.net|readersdigest.com.au|sulekha.com|ticketek.com.ar|volokh.com|yfrog.com @@||partner.googleadservices.com/gpt/pubads_impl_$script,domain=beqala.com|bodas.com.mx|bodas.net|casamentos.com.br|casamentos.pt|casamiento.com.uy|casamientos.com.ar|deadspin.com|drupalcommerce.org|ew.com|gawker.com|gizmodo.com|io9.com|jalopnik.com|jezebel.com|kotaku.com|latimes.com|lifehacker.com|mariages.net|matrimonio.com|matrimonio.com.co|matrimonio.com.pe|matrimonios.cl|nauticexpo.com|orbitz.com|thesimsresource.com|urbandictionary.com|weddingspot.co.uk|wlj.net|zavvi.com @@||partners.thefilter.com/crossdomain.xml$object-subrequest @@||partners.thefilter.com/dailymotionservice/$image,object-subrequest,script,domain=dailymotion.com -@@||pasadenasun.com/hive/images/adv_ @@||paulfredrick.com/csimages/affiliate/banners/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@||payload*.cargocollective.com^$image @@||pbs.org^*/sponsors/flvvideoplayer.swf @@ -43875,7 +45469,6 @@ tube8.com##topadblock @@||rad.msn.com/ADSAdClient31.dll?GetAd=$xmlhttprequest,domain=ninemsn.com.au @@||rad.org.uk/images/adverts/$image,~third-party @@||radioguide.fm/minify/?*/Advertising/webroot/css/advertising.css -@@||radiomichiana.com/hive/images/adv_ @@||radiotimes.com/rt-service/resource/jspack? @@||rainbowdressup.com/ads/adsnewvars.swf @@||rapoo.com/images/ad/$image,~third-party @@ -43889,7 +45482,6 @@ tube8.com##topadblock @@||realmedia.channel4.com/realmedia/ads/adstream_sx.ads/channel4.newcu/$object-subrequest,~third-party @@||realvnc.com/assets/img/ad-bg.jpg @@||redbookmag.com/ams/page-ads.js? -@@||redeyechicago.com/hive/images/adv_ @@||redsharknews.com/components/com_adagency/includes/$script @@||refline.ch^*/advertisement.css @@||remo-xp.com/wp-content/themes/adsense-boqpod/style.css @@ -43911,6 +45503,7 @@ tube8.com##topadblock @@||rover.ebay.com^*&size=120x60&$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@||rovicorp.com/advertising/*&appver=$xmlhttprequest,domain=charter.net @@||rsvlts.com/wp-content/uploads/*-advertisment- +@@||rt.liftdna.com/forbes_welcome.js$domain=forbes.com @@||rt.liftdna.com/fs.js$domain=formspring.me @@||rt.liftdna.com/liftrtb2_2.js$domain=formspring.me @@||rthk.hk/assets/flash/rthk/*/ad_banner$object @@ -43929,6 +45522,7 @@ tube8.com##topadblock @@||scanscout.com/ads/$object-subrequest,domain=livestream.com @@||scanscout.com/crossdomain.xml$object-subrequest @@||scity.tv/js/ads.js$domain=live.scity.tv +@@||screenwavemedia.com/play/SWMAdPlayer/SWMAdPlayer.html?type=ADREQUEST&$xmlhttprequest,domain=cinemassacre.com @@||scribdassets.com/aggregated/javascript/ads.js?$domain=scribd.com @@||scrippsnetworks.com/common/adimages/networkads/video_ad_vendor_list/approved_vendors.xml$object-subrequest @@||scutt.eu/ads/$~third-party @@ -43952,12 +45546,14 @@ tube8.com##topadblock @@||serving-sys.com/SemiCachedScripts/$domain=cricketwireless.com @@||seventeen.com/ams/page-ads.js @@||sfdict.com/app/*/js/ghostwriter_adcall.js$domain=dynamo.dictionary.com +@@||sh.st/bundles/smeadvertisement/img/track.gif?$xmlhttprequest @@||shacknews.com/advertising/preroll/$domain=gamefly.com @@||shackvideo.com/playlist_xml.x? @@||share.pingdom.com/banners/$image @@||shareasale.com/image/$domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@||sharinspireds.co.nf/Images/Ads/$~third-party @@||shawfloors.com/adx/$image,~third-party +@@||shelleytheatre.co.uk/filmimages/banners/160 @@||shopmanhattanite.com/affiliatebanners/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@||siamautologistics.com/ads/$image,~third-party @@||sify.com/news/postcomments.php?*468x60.html @@ -44014,6 +45610,7 @@ tube8.com##topadblock @@||startxchange.com/textad.php?$xmlhttprequest @@||state.co.us/caic/pub_bc_avo.php?zone_id=$subdocument @@||statedesign.com/advertisers/$image,~third-party +@@||static.adzerk.net/ados.js$domain=stackoverflow.com @@||static.ak.fbcdn.net^*/ads/$script @@||static.bored.com/advertising/top10/$image,domain=bored.com @@||stats.g.doubleclick.net/dc.js$domain=native-instruments.com|nest.com|theheldrich.com @@ -44021,9 +45618,10 @@ tube8.com##topadblock @@||stclassifieds.sg/postad/ @@||stickam.com/css/ver1/asset/sharelayout2col_ad300x250.css @@||streaming.gmgradio.com/adverts/*.mp3$object-subrequest -@@||streamlive.to/ads/player_ilive.swf$object +@@||streamlive.to/ads/$object,script @@||style.com/flashxml/*.doubleclick$object @@||style.com/images/*.doubleclick$object +@@||subscribe.newyorker.com/ams/page-ads.js @@||subscribe.teenvogue.com/ams/page-ads.js @@||sulekhalive.com/images/property/bannerads/$domain=sulekha.com @@||summitracing.com/global/images/bannerads/ @@ -44032,6 +45630,7 @@ tube8.com##topadblock @@||supersonicads.com/api/rest/funds/*/advertisers/$~third-party @@||supersonicads.com/api/v1/trackCommission.php*password=$image @@||supersonicads.com/delivery/singleBanner.php?*&bannerId$subdocument +@@||support.dlink.com/Scripts/custom/pop.js @@||svcs.ebay.com/services/search/FindingService/*affiliate.tracking$domain=bkshopper.com|geo-ship.com|testfreaks.co.uk|watchmydeals.com @@||swordfox.co.nz^*/advertising/$~third-party @@||syn.5min.com/handlers/SenseHandler.ashx?*&adUnit=$script @@ -44065,6 +45664,7 @@ tube8.com##topadblock @@||thenewage.co.za/classifieds/images2/postad.gif @@||thenewsroom.com^*/advertisement.xml$object-subrequest @@||theory-test.co.uk/css/ads.css +@@||theplatform.com/current/pdk/js/plugins/doubleclick.js$domain=cbc.ca @@||thestreet-static.com/video/js/companionAdFunc.js$domain=thestreet.com @@||thetvdb.com/banners/ @@||theweathernetwork.com/js/adrefresh.js @@ -44118,8 +45718,7 @@ tube8.com##topadblock @@||tubemogul.com/crossdomain.xml$object-subrequest @@||tudouui.com/bin/player2/*&adsourceid= @@||turner.com/adultswim/big/promos/$media,domain=video.adultswim.com -@@||turner.com^*/ad_head0.js$domain=cnn.com -@@||turner.com^*/adfuel.js$domain=adultswim.com|nba.com +@@||turner.com/xslo/cvp/ads/freewheel/bundles/2/AdManager.swf?$object-subrequest,domain=tbs.com @@||turner.com^*/ads/freewheel/*/AdManager.js$domain=cnn.com @@||turner.com^*/ads/freewheel/bundles/*/renderers.xml$object-subrequest,domain=cartoonnetwork.com|tnt.tv @@||turner.com^*/ads/freewheel/bundles/2/admanager.swf$domain=adultswim.com|cartoonnetwork.com|games.cnn.com|nba.com @@ -44143,6 +45742,7 @@ tube8.com##topadblock @@||uploaded.net/affiliate/$~third-party,xmlhttprequest @@||urbanog.com/banners/$image @@||usairways.com^*/doubleclick.js +@@||usanetwork.com^*/usanetwork_ads.s_code.js? @@||usps.com/adserver/ @@||utarget.co.uk/crossdomain.xml$object-subrequest @@||utdallas.edu/locator/maps/$image @@ -44150,14 +45750,16 @@ tube8.com##topadblock @@||utdallas.edu^*/banner.js @@||uuuploads.com/ads-on-buildings/$image,domain=boredpanda.com @@||v.fwmrm.net/*/AdManager.swf$domain=marthastewart.com -@@||v.fwmrm.net/ad/p/1?$object-subrequest,domain=abc.go.com|abcfamily.go.com|abcnews.go.com|adultswim.com|cartoonnetwork.com|cc.com|channel5.com|cmt.com|colbertnation.com|comedycentral.com|eonline.com|espn.go.com|gametrailers.com|ign.com|logotv.com|mlb.mlb.com|mtv.com|mtvnservices.com|nascar.com|nbc.com|nbcnews.com|nbcsports.com|nick.com|player.theplatform.com|simpsonsworld.com|sky.com|southpark.nl|southparkstudios.com|spike.com|teamcoco.com|teennick.com|thedailyshow.com|thingx.tv|tv3play.se|tvland.com|uverseonline.att.net|vevo.com|vh1.com|video.cnbc.com|vod.fxnetworks.com +@@||v.fwmrm.net/ad/p/1?$object-subrequest,domain=abc.go.com|abcfamily.go.com|abcnews.go.com|adultswim.com|cartoonnetwork.com|cc.com|channel5.com|cmt.com|colbertnation.com|comedycentral.com|eonline.com|espn.go.com|espndeportes.com|espnfc.co.uk|espnfc.com|espnfc.com.au|espnfc.us|espnfcasia.com|gametrailers.com|ign.com|logotv.com|mlb.mlb.com|mtv.com|mtvnservices.com|nascar.com|nbc.com|nbcnews.com|nbcsports.com|nick.com|player.theplatform.com|simpsonsworld.com|sky.com|southpark.nl|southparkstudios.com|spike.com|teamcoco.com|teennick.com|thedailyshow.com|thingx.tv|tv3play.se|tvland.com|uverseonline.att.net|vevo.com|vh1.com|video.cnbc.com|vod.fxnetworks.com @@||v.fwmrm.net/crossdomain.xml$object-subrequest @@||v.fwmrm.net/p/espn_live/$object-subrequest @@||v.fwmrm.net/|$object-subrequest,domain=tv10play.se|tv3play.se|tv6play.se|tv8play.se @@||vacationstarter.com/hive/images/adv_ @@||vad.go.com/dynamicvideoad?$object-subrequest +@@||vagazette.com/hive/images/adv_ @@||valueram.com/banners/ads/ @@||vancouversun.com/js/adsync/adsynclibrary.js +@@||vanityfair.com/ads/js/cn.dart.bun.min.js @@||veetle.com/images/common/ads/ @@||ventunotech.akamai-http.edgesuite.net/VtnGoogleVpaid.swf?*&ad_type=$object-subrequest,domain=cricketcountry.com @@||vhobbies.com/admgr/*.aspx?ZoneID=$script,domain=vcoins.com @@ -44184,7 +45786,7 @@ tube8.com##topadblock @@||vizanime.com/ad/get_ads? @@||vk.com/ads?act=$~third-party @@||vk.com/ads_rotate.php$domain=vk.com -@@||voip-info.org/www/delivery/ai.php?filename=$image +@@||vmagazine.com/web/css/ads.css @@||vombasavers.com^*.swf?clickTAG=$object,~third-party @@||vswebapp.com^$~third-party @@||vtstage.cbsinteractive.com/plugins/*_adplugin.swf @@ -44226,6 +45828,7 @@ tube8.com##topadblock @@||wortech.ac.uk/publishingimages/adverts/ @@||wp.com/_static/*/criteo.js @@||wp.com/ads-pd.universalsports.com/media/$image +@@||wp.com/www.noobpreneur.com/wp-content/uploads/*-ad.jpg?resize=$domain=noobpreneur.com @@||wpthemedetector.com/ad/$~third-party @@||wrapper.teamxbox.com/a?size=headermainad @@||wsj.net^*/images/adv-$image,domain=marketwatch.com @@ -44234,6 +45837,7 @@ tube8.com##topadblock @@||www.google.*/search?$subdocument @@||www.google.*/settings/u/0/ads/preferences/$~third-party,xmlhttprequest @@||www.google.com/ads/preferences/$image,script,subdocument +@@||www.networkadvertising.org/choices/|$document @@||www8-hp.com^*/styles/ads/$domain=hp.com @@||yadayadayada.nl/banner/banner.php$image,domain=murf.nl|workhardclimbharder.nl @@||yahoo.com/combo?$stylesheet @@ -44245,7 +45849,7 @@ tube8.com##topadblock @@||yellupload.com/yell/videoads/yellvideoplayer.swf? @@||yimg.com/ks/plugin/adplugin.swf?$domain=yahoo.com @@||yimg.com/p/combo?$stylesheet,domain=yahoo.com -@@||yimg.com/rq/darla/*/g-r-min.js$domain=answers.yahoo.com|fantasysports.yahoo.com +@@||yimg.com/rq/darla/*/g-r-min.js$domain=yahoo.com @@||yimg.com/zz/combo?*&*.js @@||yimg.com^*&yat/js/ads_ @@||yimg.com^*/adplugin_*.swf$object,domain=games.yahoo.com @@ -44274,27 +45878,34 @@ tube8.com##topadblock @@||zedo.com/swf/$domain=startv.in @@||zeenews.india.com/ads/jw/player.swf$object @@||ziehl-abegg.com/images/img_adverts/$~third-party +@@||zillow.com/ads/FlexAd.htm?did=$subdocument +@@||zillow.com/widgets/search/ZillowListingsWidget.htm?*&adsize=$subdocument,domain=patch.com +! Bug #1865: ABP for Chrome messes up the page on high DPI (https://issues.adblockplus.org/ticket/1865) +@@||ads.tw.adsonar.com/adserving/getAdsAPI.jsp?callback=aslHandleAds*&c=aslHandleAds*&key=$script,domain=techcrunch.com ! Anti-Adblock +@@.audio/$script,domain=cbs.com @@.bmp^$image,domain=cbs.com @@.click/$script,third-party,domain=cbs.com -@@.com/$object-subrequest,domain=cbs.com -@@.gif#$domain=9tutorials.com|aseanlegacy.net|cbox.ws|eventosppv.me|funniermoments.com|ibmmainframeforum.com|onlinemoviesfreee.com|remo-xp.com|superplatyna.com|tv-porinternet.com.mx|ver-flv.com +@@.gif#$domain=9tutorials.com|aseanlegacy.net|budget101.com|cbox.ws|eventosppv.me|funniermoments.com|ibmmainframeforum.com|onlinemoviesfreee.com|premiumleecher.com|remo-xp.com|showsport-tv.com|superplatyna.com|turktorrent.cc|tv-porinternet.com.mx|ver-flv.com|xup.in @@.gif#$image,domain=360haven.com|needrom.com @@.gif?ad_banner=$domain=majorleaguegaming.com @@.gif|$object-subrequest,domain=cbs.com @@.info^$image,script,third-party,domain=cbs.com +@@.javascript|$domain=cbsnews.com @@.jpeg|$object-subrequest,domain=cbs.com -@@.jpg#$domain=desionlinetheater.com|firsttube.co|lag10.net|livrosdoexilado.org|mac2sell.net|movie1k.net|play-old-pc-games.com|rtube.de|uploadlw.com +@@.jpg#$domain=desionlinetheater.com|firsttube.co|lag10.net|livrosdoexilado.org|mac2sell.net|masfuertequeelhierro.com|movie1k.net|play-old-pc-games.com|rtube.de|uploadlw.com @@.jpg|$object-subrequest,domain=cbs.com +@@.jscript|$script,third-party,domain=cbs.com @@.link/$script,domain=cbs.com @@.min.js$domain=ftlauderdalewebcam.com|nyharborwebcam.com|portcanaveralwebcam.com|portevergladeswebcam.com|portmiamiwebcam.com @@.mobi/$script,domain=cbs.com -@@.png#$domain=300mblink.com|amigosdelamili.com|android-zone.org|anime2enjoy.com|anizm.com|anonytext.tk|backin.net|better-explorer.com|bitcofree.com|chrissmoove.com|cleodesktop.com|debridit.com|hogarutil.com|hostyd.com|ilive.to|lordpyrak.net|marketmilitia.org|mastertoons.com|minecraft-forum.net|myksn.net|pes-patch.com|portalzuca.net|premium4.us|puromarketing.com|realidadscans.org|secureupload.eu|stream2watch.me|streamlive.to|superplatyna.com|turkdown.com|url4u.org|vencko.net|wowhq.eu +@@.png#$domain=300mblink.com|amigosdelamili.com|android-zone.org|anime2enjoy.com|anizm.com|anonytext.tk|backin.net|better-explorer.com|bitcofree.com|chrissmoove.com|cleodesktop.com|debrastagi.com|debridit.com|debridx.com|fcportables.com|go4up.com|hackintosh.zone|hogarutil.com|hostyd.com|ilive.to|lordpyrak.net|marketmilitia.org|mastertoons.com|mediaplaybox.com|minecraft-forum.net|myksn.net|pes-patch.com|portalzuca.net|premium4.us|puromarketing.com|realidadscans.org|secureupload.eu|stream2watch.me|stream4free.eu|streamlive.to|superplatyna.com|trizone91.com|turkdown.com|url4u.org|vencko.net|wowhq.eu @@.png?*#$domain=mypapercraft.net|xlocker.net @@.png?ad_banner=$domain=majorleaguegaming.com @@.png?advertisement_$domain=majorleaguegaming.com @@.png^$image,domain=cbs.com @@.streamads.js$third-party,domain=cbs.com +@@.xzn.ir/$script,third-party,domain=psarips.com @@/adFunctionsD-cbs.js$domain=cbs.com @@/adlogger_tracker.php$subdocument,domain=chrissmoove.com @@/ads/popudner/banner.jpg?$domain=spinandw.in @@ -44309,6 +45920,8 @@ tube8.com##topadblock @@/pubads.jpeg$object-subrequest,domain=cbs.com @@/pubads.png$object-subrequest,domain=cbs.com @@/searchad.$object-subrequest,domain=cbs.com +@@/wp-content/plugins/adblock-notify-by-bweb/js/advertisement.js +@@/wp-content/plugins/anti-block/js/advertisement.js @@/wp-content/plugins/wordpress-adblock-blocker/adframe.js @@/wp-prevent-adblocker/*$script @@|http://$image,subdocument,third-party,domain=filmovizija.com @@ -44318,6 +45931,7 @@ tube8.com##topadblock @@|http://*.co^$script,third-party,domain=cbs.com @@|http://*.com^*.js|$third-party,domain=cbs.com @@|http://*.jpg?$image,domain=cbs.com +@@|http://*.js|$script,third-party,domain=cbs.com @@|http://*.net^*.bmp|$object-subrequest,domain=cbs.com @@|http://*.net^*.js|$third-party,domain=cbs.com @@|http://*.pw^$script,third-party,domain=cbs.com @@ -44325,17 +45939,20 @@ tube8.com##topadblock @@|http://*.xyz^$script,third-party,domain=cbs.com @@|http://*/pubads.$object-subrequest,domain=cbs.com @@|http://*?_$image,domain=cbs.com +@@|http://l.$script,third-party,domain=cbs.com @@|http://popsads.com^$script,domain=filmovizija.com @@|https://$script,domain=kissanime.com @@|https://$script,third-party,domain=cbs.com|eventhubs.com +@@||247realmedia.com/RealMedia/ads/Creatives/default/empty.gif$image,domain=surfline.com @@||2mdn.net/instream/flash/v3/adsapi_$object-subrequest,domain=cbs.com @@||2mdn.net/instream/video/client.js$domain=antena3.com|atresmedia.com|atresplayer.com|lasexta.com|majorleaguegaming.com @@||300mblink.com^$elemhide @@||360haven.com/adframe.js @@||360haven.com^$elemhide @@||4fuckr.com^*/adframe.js -@@||4shared.com/js/blockDetect/adServer.js +@@||4shared.com^$script @@||4sysops.com^*/adframe.js +@@||94.23.147.101^$script,domain=filmovizija.com @@||95.211.184.210/js/advertisement.js @@||95.211.194.229^$script,domain=slickvid.com @@||9msn.com.au/Services/Service.axd?*=AdExpert&$script,domain=9news.com.au @@ -44343,6 +45960,7 @@ tube8.com##topadblock @@||9xbuddy.com/js/ads.js @@||ad-emea.doubleclick.net/ad/*.CHANNEL41/*;sz=1x1;$object-subrequest,domain=channel4.com @@||ad-emea.doubleclick.net/crossdomain.xml$object-subrequest,domain=channel4.com +@@||ad.doubleclick.net/|$image,domain=cwtv.com @@||ad.filmweb.pl^$script @@||ad.leadbolt.net/show_cu.js @@||ad.uptobox.com/www/delivery/ajs.php?$script @@ -44355,6 +45973,7 @@ tube8.com##topadblock @@||admin.brightcove.com^$object-subrequest,domain=tvn.pl|tvn24.pl @@||adnxs.com^$script,domain=kissanime.com @@||adocean.pl^*/ad.js?id=$script,domain=tvn24.pl +@@||ads.adk2.com/|$subdocument,domain=vivo.sx @@||ads.avazu.net^$subdocument,domain=casadossegredos.tv|xuuby.com @@||ads.clubedohardware.com.br/www/delivery/$script @@||ads.intergi.com^$script,domain=spoilertv.com @@ -44366,32 +45985,37 @@ tube8.com##topadblock @@||ads.uptobox.com/www/images/*.png @@||adscale.de/getads.js$domain=filmovizija.com @@||adscendmedia.com/gwjs.php?$script,domain=civilization5cheats.com|kzupload.com +@@||adserver.adtech.de/?adrawdata/3.0/$object-subrequest,domain=groovefm.fi|hs.fi|istv.fi|jimtv.fi|livtv.fi|loop.fi|metrohelsinki.fi|nelonen.fi|nyt.fi|radioaalto.fi|radiorock.fi|radiosuomipop.fi|ruutu.fi @@||adserver.adtech.de/?adrawdata/3.0/$script,domain=entertainment.ie -@@||adserver.adtech.de/multiad/$script,domain=hardware.no +@@||adserver.adtech.de/multiad/$script,domain=hardware.no|vg.no @@||adserver.liverc.com/getBannerVerify.js @@||adshost2.com/js/show_ads.js$domain=bitcoinker.com +@@||adtechus.com/dt/common/postscribe.js$domain=vg.no @@||adv.wp.pl/RM/Box/*.mp4$object-subrequest,domain=wp.tv @@||advertisegame.com^$image,domain=kissanime.com @@||adverts.eclypsia.com/www/images/*.jpg|$domain=eclypsia.com @@||adzerk.net/ados.js$domain=majorleaguegaming.com @@||afdah.com^$script -@@||afreesms.com/js/adblock.js -@@||afreesms.com/js/adframe.js +@@||afreesms.com/ad*.js @@||afterburnerleech.com/js/show_ads.js +@@||ahctv.com^$elemhide @@||aidinge.com^$image,domain=cbs.com @@||ailde.net^$object-subrequest,domain=cbs.com @@||aildu.net^$object-subrequest,domain=cbs.com +@@||airpush.com/wp-content/plugins/m-wp-popup/js/wpp-popup-frontend.js$domain=filmovizija.com @@||aka-cdn-ns.adtech.de/images/*.gif$image,domain=akam.no|amobil.no|gamer.no|hardware.no|teknofil.no @@||alcohoin-faucet.tk/advertisement.js @@||alidv.net^$object-subrequest,domain=cbs.com @@||alidw.net^$object-subrequest,domain=cbs.com @@||allkpop.com/ads.js +@@||amazonaws.com/*.js$domain=cwtv.com @@||amazonaws.com/atzuma/ajs.php?adserver=$script @@||amazonaws.com/ssbss.ss/$script @@||amigosdelamili.com^$elemhide @@||amk.to/js/adcode.js? @@||ancensored.com/sites/all/modules/player/images/ad.jpg @@||android-zone.org^$elemhide +@@||animalplanet.com^$elemhide @@||anime2enjoy.com^$elemhide @@||animecrave.com/_content/$script @@||anisearch.com^*/ads.js? @@ -44401,12 +46025,17 @@ tube8.com##topadblock @@||anti-adblock-scripts.googlecode.com/files/adscript.js @@||apkmirror.com/wp-content/themes/APKMirror/js/ads.js @@||appfull.net^$elemhide +@@||ar51.eu/ad/advertisement.js @@||arto.com/includes/js/adtech.de/script.axd/adframe.js? +@@||aseanlegacy.net/ad*.js +@@||aseanlegacy.net/assets/advertisement.js +@@||aseanlegacy.net/images/ads.png @@||aseanlegacy.net^$elemhide @@||atresmedia.com/adsxml/$object-subrequest @@||atresplayer.com/adsxml/$object-subrequest @@||atresplayer.com/static/js/advertisement.js @@||auditude.com/player/js/lib/aud.html5player.js +@@||autolikergroup.com/advertisement.js @@||avforums.com/*ad$script @@||ax-d.pixfuture.net/w/$script,domain=fileover.net @@||backin.net^$elemhide @@ -44419,34 +46048,42 @@ tube8.com##topadblock @@||bitcoiner.net/advertisement.js @@||biz.tm^$script,domain=ilix.in|priva.us|urlink.at @@||blinkboxmusic.com^*/advertisement.js -@@||blogspot.com^*#-$image,domain=pirlotv.tv +@@||blogspot.com^*#-$image,domain=cricket-365.pw|cricpower.com|pirlotv.tv @@||boincstats.com/js/adframe.js @@||boxxod.net/advertisement.js -@@||brightcove.com^*/AdvertisingModule.swf$object-subrequest,domain=channel5.com|dave.uktv.co.uk|player.stv.tv +@@||brightcove.com^*/AdvertisingModule.swf$object-subrequest,domain=channel5.com|dave.uktv.co.uk|player.stv.tv|wwe.com @@||btspread.com/eroex.js +@@||budget101.com^$elemhide @@||buysellads.com/ac/bsa.js$domain=jc-mp.com @@||bywarrior.com^$elemhide +@@||c1.popads.net/pop.js$domain=go4up.com +@@||captchme.net/js/advertisement-min.js @@||captchme.net/js/advertisement.js @@||casadossegredos.tv/ads/ads_$subdocument @@||caspion.com/cas.js$domain=clubedohardware.com.br @@||catchvideo.net/adframe.js @@||cbs.com^$elemhide @@||cbsistatic.com^*/advertisement.js$domain=cnet.com +@@||cdn-surfline.com/ads/VolcomSurflinePlayerHo13.jpg$domain=surfline.com @@||cdnco.us^$script @@||celogeek.com/stylesheets/blogads.css +@@||chango.com^*/adexchanger.png?$domain=kissanime.com @@||channel4.com/ad/l/1?|$object-subrequest @@||channel4.com/p/c4_live/ExternalHTMLAdRenderer.swf$object-subrequest @@||channel4.com/p/c4_live/PauseAdExtension.swf$object-subrequest @@||channel4.com/p/c4_live/UberlayAdRenderer.swf$object-subrequest @@||channel4.com/p/c4_live/Video2AdRenderer.swf$object-subrequest @@||channel4.com/p/c4_live/VPAIDAdRenderer.swf$object-subrequest +@@||chitika.net/getads.js$domain=anisearch.com @@||chrissmoove.com^$elemhide +@@||cleodesktop.com^$elemhide @@||clicksor.net/images/$domain=kissanime.com @@||clickxchange.com^$image,domain=kissanime.com @@||clkrev.com/adServe/banners?tid=$script,domain=filmovizija.com @@||clkrev.com/banners/script/$script,domain=filmovizija.com @@||cloudvidz.net^$elemhide @@||clubedohardware.com.br^$elemhide +@@||codingcrazy.com/demo/adframe.js @@||coincheckin.com/js/adframe.js @@||coinracket.com^$elemhide @@||coinurl.com/get.php?id=18045 @@ -44459,22 +46096,32 @@ tube8.com##topadblock @@||cpmstar.com^$script,domain=kissanime.com @@||cpmtree.com^$script,domain=kissanime.com @@||cpxinteractive.com^$script,domain=kissanime.com +@@||cricket-365.tv^$elemhide @@||criteo.com/content/$image,domain=kissanime.com @@||criteo.com/delivery/ajs.php?zoneid=$script,domain=clubedohardware.com.br @@||cyberdevilz.net^$elemhide @@||d2anfhdgjxf8s1.cloudfront.net/ajs.php?adserver=$script +@@||d3tlss08qwqpkt.cloudfront.net/assets/api/advertisement-$script,domain=games.softgames.de @@||dailymotion.com/embed/video/$subdocument,domain=team-vitality.fr +@@||debrastagi.com^$elemhide @@||debridit.com^$elemhide +@@||debridx.com^$elemhide @@||decomaniacos.es^*/advertisement.js +@@||demonoid.ph^$script,domain=demonoid.ph +@@||demonoid.pw^$script,domain=demonoid.pw @@||desionlinetheater.com^$elemhide +@@||destinationamerica.com^$elemhide @@||destinypublicevents.com/src/advertisement.js @@||dialde.com^$domain=cbs.com @@||dinglydangly.com^$script,domain=eventhubs.com @@||dinozap.tv/adimages/ @@||directrev.com/js/gp.min.js$domain=filmovizija.com +@@||discovery.com^$elemhide +@@||discoverylife.com^$elemhide @@||dizi-mag.com/ads/$subdocument @@||dizicdn.com/i/ads/groupon.png$domain=dizi-mag.com -@@||dnswatch.info/js/advertisement.js +@@||dlh.net^*/advertisement.js. +@@||dnswatch.info^$script,domain=dnswatch.info @@||doge-faucet.tk/advertisement.js @@||dogefaucet.com^*/advertisement.js @@||dollarade.com/overlay_gateway.php?oid=$script,domain=dubs.me|filestore123.info|myfilestore.com|portable77download.blogspot.com|pspmaniaonline.com @@ -44499,10 +46146,12 @@ tube8.com##topadblock @@||eskago.pl/html/js/advertisement.js @@||eu5.org^*/advert.js @@||eventhubs.com^*.$script +@@||exoclick.com/wp-content/themes/exoclick/images/loader.gif?$domain=xmovies8.co @@||exponential.com/tags/ClubeDoHardwarecombr/ROS/tags.js$domain=clubedohardware.com.br @@||exponential.com^*/tags.js$domain=yellowbridge.com @@||exrapidleech.info/templates/$image @@||exrapidleech.info^$elemhide,script +@@||exsite.pl^*/advert.js @@||ezcast.tv/static/scripts/adscript.js @@||fastclick.net/w/get.media?sid=58322&tp=5&$script,domain=flv2mp3.com @@||fastcocreate.com/js/advertisement.js @@ -44511,6 +46160,7 @@ tube8.com##topadblock @@||fastcolabs.com/js/advertisement.js @@||fastcompany.com/js/advertisement.js @@||fasts.tv^$script,domain=ilive.to +@@||fcportables.com^$elemhide @@||ffiles.com/images/mmfiles_ @@||fhscheck.zapto.org^$script,~third-party @@||fhsload.hopto.org^$script,~third-party @@ -44519,6 +46169,7 @@ tube8.com##topadblock @@||files.bannersnack.com/iframe/embed.html?$subdocument,domain=thegayuk.com @@||filmovisaprevodom.net/advertisement.js @@||filmovizija.com^$elemhide +@@||filmovizija.com^$script @@||filmovizija.com^$subdocument @@||filmovizija.com^*&$image @@||filmovizija.com^*?$image @@ -44526,14 +46177,13 @@ tube8.com##topadblock @@||filmovizija.net^$elemhide @@||filmovizija.net^*#$image @@||filmux.net/ads/banner.jpg? +@@||filmux.org^$elemhide @@||filmweb.pl/adbanner/$script -@@||firstrowau.eu^$script -@@||firstrowca.eu^$script -@@||firstrowge.eu^$script -@@||firstrowit.eu^$script -@@||firstrowus.eu^$script +@@||firstonetv.com/ads_advertisement.js +@@||firstrow*.eu^$script @@||firsttube.co^$elemhide @@||fitshr.net^$script,stylesheet +@@||fm.tuba.pl/tuba3/_js/advert.js @@||fragflix.com^*.png?*=$image,domain=majorleaguegaming.com @@||free.smsmarkaz.urdupoint.com^$elemhide @@||free.smsmarkaz.urdupoint.com^*#-$image @@ -44541,17 +46191,20 @@ tube8.com##topadblock @@||freebitcoin.wmat.pl^*/advertisement.js @@||freegamehosting.nl/advertisement.js @@||freegamehosting.nl/js/advertisement.js +@@||freeprosurfer.com^$elemhide @@||freesportsbet.com/js/advertisement.js @@||freshdown.net/templates/Blaster/img/*/ads/$image @@||freshdown.net^$elemhide @@||funniermoments.com/adframe.js @@||funniermoments.com^$elemhide +@@||funniermoments.com^$stylesheet @@||fwcdn.pl^$script,domain=filmweb.pl @@||fwmrm.net/ad/g/1?$xmlhttprequest,domain=vevo.com @@||fwmrm.net/ad/g/1?prof=$script,domain=testtube.com @@||fwmrm.net/p/*/admanager.js$domain=adultswim.com|animalist.com|revision3.com|testtube.com @@||g.doubleclick.net/gampad/ad?iu=*/Leaderboard&sz=728x90$image,domain=magicseaweed.com @@||g.doubleclick.net/gampad/ads?*^slotname=NormalLeaderboard^$script,domain=drivearabia.com +@@||g.doubleclick.net/gampad/ads?ad_rule=1&adk=*&ciu_szs=300x250&*&gdfp_req=1&*&output=xml_vast2&$object-subrequest,domain=rte.ie @@||g.doubleclick.net/gampad/adx?$object-subrequest,domain=player.muzu.tv @@||g.doubleclick.net/|$object-subrequest,domain=cbs.com @@||gallery.aethereality.net/advertisement.js @@ -44566,20 +46219,24 @@ tube8.com##topadblock @@||gdataonline.com/exp/textad.js @@||genvideos.com/js/show_ads.js$domain=genvideos.com @@||go4up.com/advertisement.js +@@||go4up.com^$elemhide @@||gofirstrow.eu/advertisement.js @@||gofirstrow.eu^*/advertisement.js @@||google-it.info^$script,domain=hqq.tv +@@||google.com/ads/popudner/banner.jpg?$domain=magesy.be @@||googlecode.com/files/google_ads.js$domain=turkdown.com @@||googlesyndication.com/favicon.ico$domain=multiup.org @@||gscontxt.net/main/channels-jsonp.cgi?$domain=9news.com.au @@||hackers.co.id/adframe/adframe.js @@||hackintosh.zone/adblock/advertisement.js +@@||hackintosh.zone^$elemhide @@||hardware.no/ads/$image @@||hardware.no/artikler/$image,~third-party @@||hardware.no^$script @@||hcpc.co.uk/*ad$script,domain=avforums.com @@||hentai-foundry.com^*/ads.js @@||hexawebhosting.com/adcode.js +@@||hitcric.info^$elemhide @@||hogarutil.com^$elemhide @@||hornyspots.com^$image,domain=kissanime.com @@||hostyd.com^$elemhide @@ -44589,6 +46246,7 @@ tube8.com##topadblock @@||i-stream.pl^*/advertisement.js @@||i.imgur.com^*#.$image,domain=newmusicforpeople.org @@||ibmmainframeforum.com^$elemhide +@@||ifirstrow.eu^$script @@||iguide.to/js/advertisement.js @@||ilive.to/js/advert*.js @@||ilive.to^$elemhide @@ -44597,6 +46255,7 @@ tube8.com##topadblock @@||ima3vpaid.appspot.com/crossdomain.xml$object-subrequest,domain=antena3.com|atresmedia.com|atresplayer.com|lasexta.com @@||imageontime.com/ads/banner.jpg? @@||images.bangtidy.net^$elemhide +@@||imasdk.googleapis.com/js/core/bridge*.html$subdocument,domain=mobinozer.com @@||imgleech.com/ads/banner.jpg? @@||imgsure.com/ads/banner.jpg? @@||in.popsads.com^$script,domain=filmovizija.com @@ -44608,8 +46267,10 @@ tube8.com##topadblock @@||innovid.com/iroll/config/*.xml?cb=\[$object-subrequest,domain=channel4.com @@||innovid.com^*/VPAIDIRollPackage.swf$object-subrequest,domain=channel4.com @@||inskinmedia.com/crossdomain.xml$object-subrequest +@@||install.wtf/advertisement/advertisement.js @@||intellitxt.com/intellitxt/front.asp?ipid=$script,domain=forums.tweaktown.com -@@||iphone-tv.eu/adframe.js +@@||investigationdiscovery.com/shared/ad-enablers/ +@@||investigationdiscovery.com^$elemhide @@||iriptv.com/player/ads.js @@||jjcast.com^$elemhide @@||jkanime.net/assets/js/advertisement.js @@ -44618,7 +46279,8 @@ tube8.com##topadblock @@||juba-get.com^*/advertisement.js @@||junksport.com/watch/advertisement.js @@||juzupload.com/advert*.js -@@||keezmovies.com^$elemhide +@@||katsomo.fi^*/advert.js +@@||katsomo.fi^*/advertisement.js @@||kissanime.com/ads/$image,subdocument @@||kissanime.com^$elemhide @@||lag10.net^$elemhide @@ -44644,10 +46306,21 @@ tube8.com##topadblock @@||majorleaguegaming.com^$elemhide @@||majorleaguegaming.com^*.png?*=$image @@||makemehost.com/js/ads.js +@@||manga2u.co/css/advertiser.js +@@||mangabird.com/sites/all/themes/zen/js/advertiser.js +@@||mangabird.com^$elemhide +@@||mangabird.me/sites/default/files/manga/*/advertise-$image +@@||mangahost.com/ads.js? +@@||mangakaka.com/ad/$subdocument +@@||mangakaka.com^*/advertiser.js +@@||marketmilitia.org/advertisement.js @@||marketmilitia.org^$elemhide +@@||masfuertequeelhierro.com^$elemhide @@||mastertoons.com^$elemhide @@||maxcheaters.com/public/js/jsLoader.js +@@||maxedtech.com^$elemhide @@||media.eventhubs.com/images/*#$image +@@||mediaplaybox.com^$elemhide @@||megadown.us/advertisement.js @@||megahd.me^*/advertisement.js @@||megavideodownloader.com/adframe.js @@ -44693,6 +46366,7 @@ tube8.com##topadblock @@||nonags.com^$elemhide @@||nonags.com^*/ad$image @@||nosteam.ro/advertisement.js +@@||nosteam.ro^*/advertisement.js @@||nzbstars.com*/advertisement.js @@||nzd.co.nz^*/ads/webads$script,domain=nzdating.com @@||olcdn.net/ads1.js$domain=olweb.tv @@ -44700,6 +46374,7 @@ tube8.com##topadblock @@||onlinevideoconverter.com^*ad*.js @@||onvasortir.com/advert$script @@||openrunner.com/js/advertisement.js +@@||openspeedtest.com/advertisement.js @@||openx.gamereactor.dk/multi.php?$script @@||openx.net/w/$script,domain=fileover.net @@||openx.net/w/1.0/acj?$script,domain=clubedohardware.com.br @@ -44710,20 +46385,25 @@ tube8.com##topadblock @@||own3d.tv/templates/*adsense$object-subrequest @@||own3d.tv^*_adsense.$object-subrequest @@||pagead2.googlesyndication.com/pagead/expansion_embed.js$domain=ffiles.com|full-ngage-games.blogspot.com|kingofgames.net|megaallday.com|ninjaraider.com|nonags.com|upfordown.com|wtf-teen.com -@@||pagead2.googlesyndication.com/pagead/js/*/show_ads_impl.js$domain=360haven.com|9bis.net|9tutorials.com|afreesms.com|aseanlegacy.net|atlanticcitywebcam.com|bitcofree.com|bitcoiner.net|bitcoinker.com|borfast.com|chrissmoove.com|clubedohardware.com.br|darkreloaded.com|debridit.com|dev-metal.com|dreamscene.org|drivearabia.com|dsero.com|ezoden.com|file4go.com|free.smsmarkaz.urdupoint.com|freecoins4.me|ftlauderdalebeachcam.com|ftlauderdalewebcam.com|full-ngage-games.blogspot.com|gamespowerita.com|gnomio.com|hostyd.com|ibmmainframeforum.com|ilix.in|incredibox.com|keywestharborwebcam.com|kingofgames.net|korean-candy.com|leecher.us|litecoiner.net|livenewschat.eu|lordpyrak.net|mailbait.info|misheel.net|morganhillwebcam.com|moviemistakes.com|mypapercraft.net|needrom.com|niresh.co|niresh12495.com|nonags.com|numberempire.com|nyharborwebcam.com|omegadrivers.net|play-old-pc-games.com|portarubawebcam.com|portbermudawebcam.com|portcanaveralwebcam.com|portevergladeswebcam.com|portmiamiwebcam.com|portnywebcam.com|preemlinks.com|priva.us|puromarketing.com|radioaficion.com|rapid8.com|settlersonlinemaps.com|smashgamez.com|spoilertv.com|tech-blog.net|techydoor.com|thememypc.com|themes.themaxdavis.com|tipstank.com|trutower.com|unlocktheinbox.com|upfordown.com|uploadlw.com|urlink.at|washington.edu|whatismyip.com|winterrowd.com|yellowbridge.com -@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=activistpost.com|afreesms.com|aseanlegacy.net|bitcofree.com|bitcoinker.com|chrissmoove.com|clubedohardware.com.br|debridit.com|demo-uhd3d.com|dev-metal.com|ezoden.com|gnomio.com|i-stats.net|incredibox.com|leecher.us|mypapercraft.net|niresh.co|niresh12495.com|nonags.com|play-old-pc-games.com|settlersonlinemaps.com|unlocktheinbox.com +@@||pagead2.googlesyndication.com/pagead/js/*/show_ads_impl.js$domain=360haven.com|9bis.net|9tutorials.com|afreesms.com|apkmirror.com|aseanlegacy.net|atlanticcitywebcam.com|bitcofree.com|bitcoiner.net|bitcoinker.com|borfast.com|budget101.com|bullywiihacks.com|chrissmoove.com|clubedohardware.com.br|darkreloaded.com|debridit.com|dev-metal.com|dreamscene.org|drivearabia.com|dsero.com|ezoden.com|fcportables.com|file4go.com|free.smsmarkaz.urdupoint.com|freecoins4.me|ftlauderdalebeachcam.com|ftlauderdalewebcam.com|full-ngage-games.blogspot.com|gamespowerita.com|gnomio.com|hackintosh.zone|hostyd.com|ibmmainframeforum.com|ilix.in|incredibox.com|keywestharborwebcam.com|kingofgames.net|korean-candy.com|leecher.us|litecoiner.net|livenewschat.eu|lordpyrak.net|mailbait.info|mangacap.com|masfuertequeelhierro.com|misheel.net|morganhillwebcam.com|moviemistakes.com|mypapercraft.net|needrom.com|niresh.co|niresh12495.com|nonags.com|numberempire.com|nyharborwebcam.com|omegadrivers.net|play-old-pc-games.com|portarubawebcam.com|portbermudawebcam.com|portcanaveralwebcam.com|portevergladeswebcam.com|portmiamiwebcam.com|portnywebcam.com|preemlinks.com|priva.us|puromarketing.com|radioaficion.com|rapid8.com|settlersonlinemaps.com|smashgamez.com|spoilertv.com|tech-blog.net|techydoor.com|thememypc.com|themes.themaxdavis.com|tipstank.com|trutower.com|unlocktheinbox.com|upfordown.com|uploadlw.com|urlink.at|washington.edu|whatismyip.com|winterrowd.com|yellowbridge.com|zeperfs.com +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=activistpost.com|afreesms.com|apkmirror.com|appraisersforum.com|aseanlegacy.net|bitcofree.com|bitcoinker.com|chrissmoove.com|clubedohardware.com.br|debridit.com|demo-uhd3d.com|dev-metal.com|ezoden.com|firstonetv.com|freeprosurfer.com|gnomio.com|hackintosh.zone|i-stats.net|incredibox.com|leecher.us|mangacap.com|masfuertequeelhierro.com|mypapercraft.net|niresh.co|niresh12495.com|nonags.com|play-old-pc-games.com|settlersonlinemaps.com|unlocktheinbox.com|zeperfs.com +@@||pagead2.googlesyndication.com/pagead/js/google_top_exp.js$domain=cleodesktop.com @@||pagead2.googlesyndication.com/pagead/js/lidar.js$domain=majorleaguegaming.com -@@||pagead2.googlesyndication.com/pagead/show_ads.js$domain=360haven.com|9bis.net|9tutorials.com|afreesms.com|atlanticcitywebcam.com|bbc.com|bitcoiner.net|carsfromitaly.info|codeasily.com|darkreloaded.com|dreamscene.org|drivearabia.com|dsero.com|everythingon.tv|ffiles.com|file4go.com|filmovizija.com|filmovizija.net|free.smsmarkaz.urdupoint.com|freecoins4.me|freewaregenius.com|ftlauderdalebeachcam.com|ftlauderdalewebcam.com|full-ngage-games.blogspot.com|gamespowerita.com|gifmagic.com|hostyd.com|ibmmainframeforum.com|ilix.in|keywestharborwebcam.com|kingofgames.net|korean-candy.com|litecoiner.net|livenewschat.eu|lordpyrak.net|megaallday.com|misheel.net|morganhillwebcam.com|moviemistakes.com|needrom.com|newsok.com|ninjaraider.com|nonags.com|numberempire.com|nx8.com|nyharborwebcam.com|omegadrivers.net|photos.essence.com|portarubawebcam.com|portbermudawebcam.com|portcanaveralwebcam.com|portevergladeswebcam.com|portmiamiwebcam.com|portnywebcam.com|preemlinks.com|priva.us|puromarketing.com|radioaficion.com|rapid8.com|readersdigest.com.au|seeingwithsound.com|smashgamez.com|spoilertv.com|tech-blog.net|techydoor.com|thememypc.com|themes.themaxdavis.com|tipstank.com|top100clans.com|trutower.com|tv-kino.net|upfordown.com|uploadlw.com|urlink.at|virginmedia.com|warp2search.net|washington.edu|winterrowd.com|wtf-teen.com|yellowbridge.com +@@||pagead2.googlesyndication.com/pagead/show_ads.js$domain=360haven.com|9bis.net|9tutorials.com|afreesms.com|atlanticcitywebcam.com|bbc.com|bitcoiner.net|budget101.com|bullywiihacks.com|carsfromitaly.info|codeasily.com|darkreloaded.com|dreamscene.org|drivearabia.com|dsero.com|everythingon.tv|fcportables.com|ffiles.com|file4go.com|filmovizija.com|filmovizija.net|free.smsmarkaz.urdupoint.com|freecoins4.me|freewaregenius.com|ftlauderdalebeachcam.com|ftlauderdalewebcam.com|full-ngage-games.blogspot.com|gamespowerita.com|gifmagic.com|hackintosh.zone|hostyd.com|ibmmainframeforum.com|ilix.in|keywestharborwebcam.com|kingofgames.net|korean-candy.com|litecoiner.net|livenewschat.eu|lordpyrak.net|mangakaka.com|megaallday.com|misheel.net|morganhillwebcam.com|moviemistakes.com|needrom.com|newsok.com|ninjaraider.com|nonags.com|numberempire.com|nx8.com|nyharborwebcam.com|omegadrivers.net|photos.essence.com|portarubawebcam.com|portbermudawebcam.com|portcanaveralwebcam.com|portevergladeswebcam.com|portmiamiwebcam.com|portnywebcam.com|preemlinks.com|priva.us|puromarketing.com|radioaficion.com|rapid8.com|readersdigest.com.au|seeingwithsound.com|smashgamez.com|spoilertv.com|tech-blog.net|techydoor.com|thememypc.com|themes.themaxdavis.com|tipstank.com|top100clans.com|trutower.com|tv-kino.net|upfordown.com|uploadlw.com|urlink.at|virginmedia.com|warp2search.net|washington.edu|winterrowd.com|wtf-teen.com|yellowbridge.com +@@||pagead2.googlesyndication.com/pub-config/ca-pub-$script,domain=firstonetv.com @@||pagead2.googlesyndication.com/simgad/573912609820809|$image,domain=hardocp.com @@||pandora.com/static/ads/ @@||partner.googleadservices.com/gpt/pubads_impl_$script,domain=baseball-reference.com|basketball-reference.com|hockey-reference.com|pro-football-reference.com|sports-reference.com +@@||pastes.binbox.io/ad/banner?$subdocument +@@||pastes.binbox.io^$elemhide @@||perkuinternete.lt/modules/mod_jpayday/js/advertisement.js @@||pes-patch.com^$elemhide -@@||phncdn.com/v2/js/adblockdetect.js$domain=keezmovies.com +@@||picu.pk^$elemhide @@||pipocas.tv/js/advertisement.js @@||pirlotv.tv^$elemhide @@||play-old-pc-games.com^$elemhide @@||playhd.eu/advertisement.js +@@||playindiafilms.com/advertisement.js @@||popads.net/pop.js$domain=filmovizija.com|hqq.tv @@||popsads.com/adhandler/$script,domain=filmovizija.com @@||poreil.com^$domain=cbs.com @@ -44731,11 +46411,14 @@ tube8.com##topadblock @@||premium4.us^$elemhide @@||premiumleecher.com/inc/adframe.js @@||premiumleecher.com/inc/adsense.js +@@||premiumleecher.com^$elemhide @@||primeshare.tv^*/adframe.js @@||primeshare.tv^*/advertisement.js +@@||primewire.ag/js/advertisement.js @@||priva.us^$script,domain=ilix.in|priva.us @@||propellerads.com^$image,domain=kissanime.com @@||protect-url.net^$script,~third-party +@@||psarips.com^$script @@||puromarketing.com/js/advertisement.js @@||puromarketing.com^$elemhide @@||qrrro.com^*/adhandler/ @@ -44762,16 +46445,20 @@ tube8.com##topadblock @@||rsense-ad.realclick.co.kr/favicon.ico?id=$image,domain=mangaumaru.com @@||rtube.de^$elemhide @@||rubiconproject.com^$image,script,domain=kissanime.com +@@||runners.es^*/advertisement.js @@||s.stooq.$script,domain=stooq.com|stooq.com.br|stooq.pl|stooq.sk @@||saavn.com/ads/search_config_ad.php?$subdocument +@@||saikoanimes.net^*/advertisement.js @@||sankakucomplex.com^$script @@||sankakustatic.com^$script +@@||sascdn.com/diff/js/smart.js$domain=onvasortir.com @@||sascdn.com/diff/video/$script,domain=eskago.pl @@||sascdn.com/video/$script,domain=eskago.pl @@||savevideo.me/images/banner_ads.gif @@||sawlive.tv/adscript.js @@||scan-manga.com/ads.html @@||scan-manga.com/ads/banner.jpg$image +@@||sciencechannel.com^$elemhide @@||scoutingbook.com/js/adsense.js @@||search.spotxchange.com/vast/$object-subrequest,domain=maniatv.com @@||secureupload.eu^$elemhide @@ -44781,10 +46468,13 @@ tube8.com##topadblock @@||series-cravings.info/wp-content/plugins/wordpress-adblock-blocker/$script @@||sheepskinproxy.com/js/advertisement.js @@||shimory.com/js/show_ads.js +@@||showsport-tv.com^$elemhide @@||siamfishing.com^*/advert.js @@||sixpool.me^$image,domain=majorleaguegaming.com +@@||skidrowcrack.com/advertisement.js @@||smartadserver.com/call/pubj/*/M/*/?$domain=antena3.com|atresmedia.com|atresplayer.com|lasexta.com @@||smartadserver.com/call/pubj/*/S/*/?$domain=antena3.com|atresmedia.com|atresplayer.com|lasexta.com +@@||smartadserver.com/config.js?nwid=$domain=onvasortir.com @@||sms-mmm.com/pads.js$domain=hqq.tv @@||sms-mmm.com/script.php|$script,domain=hqq.tv @@||sockshare.com/js/$script @@ -44792,6 +46482,7 @@ tube8.com##topadblock @@||sominaltvfilms.com^$elemhide @@||sonobi.com/welcome/$image,domain=kissanime.com @@||sounddrain.net^*/advertisement.js +@@||spaste.com^$script @@||springstreetads.com/scripts/advertising.js @@||stackexchange.com/affiliate/ @@||static-avforums.com/*ad$script,domain=avforums.com @@ -44802,9 +46493,9 @@ tube8.com##topadblock @@||stooq.pl^$elemhide,script,xmlhttprequest @@||stooq.sk^$elemhide,script,xmlhttprequest @@||stream2watch.me^$elemhide +@@||stream4free.eu^$elemhide @@||streamcloud.eu^$xmlhttprequest @@||streamin.to/adblock/advert.js -@@||streamlive.to/ads/player_ilive_2.swf$object @@||streamlive.to/js/ads.js @@||streamlive.to^$elemhide @@||streamlive.to^*/ad/$image @@ -44819,18 +46510,25 @@ tube8.com##topadblock @@||thelordofstreaming.it^$elemhide @@||thememypc.com/wp-content/*/ads/$image @@||thememypc.com^$elemhide +@@||thesilverforum.com/public/js/jsLoader.js?adType=$script +@@||thesimsresource.com/downloads/download/itemId/$elemhide +@@||thesimsresource.com/js/ads.js @@||thesominaltv.com/advertisement.js +@@||thevideos.tv/js/ads.js @@||theweatherspace.com^*/advertisement.js @@||tidaltv.com/ILogger.aspx?*&adId=\[$object-subrequest,domain=channel4.com @@||tidaltv.com/tpas*.aspx?*&rand=\[$object-subrequest,domain=channel4.com @@||tklist.net/tklist/*ad$image @@||tklist.net^$elemhide +@@||tlc.com^$elemhide @@||tpmrpg.net/adframe.js @@||tradedoubler.com/anet?type(iframe)loc($subdocument,domain=topzone.lt @@||tribalfusion.com/displayAd.js?$domain=clubedohardware.com.br @@||tribalfusion.com/j.ad?$script,domain=clubedohardware.com.br +@@||trizone91.com^$elemhide @@||turkdown.com^$elemhide @@||turkdown.com^$script +@@||turktorrent.cc^$elemhide @@||tv-porinternet.com.mx^$elemhide @@||tv3.co.nz/Portals/*/advertisement.js @@||tvdez.com/ads/ads_$subdocument @@ -44854,29 +46552,40 @@ tube8.com##topadblock @@||v.fwmrm.net/ad/p/1$xmlhttprequest,domain=uktv.co.uk @@||v.fwmrm.net/ad/p/1?$object-subrequest,domain=dave.uktv.co.uk @@||vcnt3rd.com/Scripts/adscript.js$domain=mma-core.com +@@||velocity.com^$elemhide @@||vencko.net^$elemhide @@||veohb.net/js/advertisement.js$domain=veohb.net @@||ver-flv.com^$elemhide +@@||verticalscope.com/js/advert.js @@||vgunetwork.com/public/js/*/advertisement.js @@||video.unrulymedia.com^$script,subdocument,domain=springstreetads.com @@||videocelebrities.eu^*/adframe/ @@||videomega.tv/pub/interstitial.css @@||videomega.tv^$elemhide @@||videomega.tv^$script +@@||videomega.tv^$stylesheet +@@||videomega.tv^*/ad.php?id=$subdocument @@||videoplaza.tv/contrib/*/advertisement.js$domain=tv4play.se @@||vidup.me^*/adlayer.js @@||vietvbb.vn/up/clientscript/google_ads.js @@||viki.com/*.js$script +@@||vipbox.tv/js/ads.js +@@||vipleague.se/js/ads.js @@||vodu.ch^$script @@||wallpapermania.eu/assets/js/advertisement.js @@||wanamlite.com/images/ad/$image +@@||weather.com^*/advertisement.js +@@||webfirstrow.eu/advertisement.js +@@||webfirstrow.eu^*/advertisement.js @@||webtv.rs/media/blic/advertisement.jpg @@||winwords.adhood.com^$script,domain=dizi-mag.com @@||world-of-hentai.to/advertisement.js @@||worldofapk.tk^$elemhide @@||wowhq.eu^$elemhide @@||writing.com^$script +@@||www.vg.no^$elemhide @@||xlocker.net^$elemhide +@@||xup.in^$elemhide @@||yasni.*/adframe.js @@||yellowbridge.com/ad/show_ads.js @@||yellowbridge.com^*/advertisement.js @@ -44889,6 +46598,8 @@ tube8.com##topadblock @@||zman.com/adv/ova/overlay.xml @@||zoomin.tv/adhandler/amalia.adm?$object-subrequest ! Non-English +@@||2mdn.net/viewad/*.jpg|$domain=dafiti.cl|dafiti.com.ar|dafiti.com.br|dafiti.com.co +@@||ad.doubleclick.net^*.jpg|$domain=dafiti.cl|dafiti.com.ar|dafiti.com.br|dafiti.com.co @@||ad.e-kolay.net/ad.js @@||ad.e-kolay.net/jquery-*-Medyanet.min.js @@||ad.e-kolay.net/Medyanet.js @@ -44924,6 +46635,7 @@ tube8.com##topadblock @@||adv.adview.pl/ads/*.mp4$object-subrequest,domain=polskieradio.pl|radiozet.pl|spryciarze.pl|tvp.info @@||adv.pt^$~third-party @@||advert.ee^$~third-party +@@||advert.mgimg.com/servlet/view/$xmlhttprequest,domain=uzmantv.com @@||advert.uzmantv.com/advertpro/servlet/view/dynamic/url/zone?zid=$script,domain=uzmantv.com @@||advertising.mercadolivre.com.br^$xmlhttprequest,domain=mercadolivre.com.br @@||advertising.sun-sentinel.com/el-sentinel/elsentinel-landing-page.gif @@ -44934,7 +46646,10 @@ tube8.com##topadblock @@||am10.ru/letitbit.net_in.php$subdocument,domain=moevideos.net @@||amarillas.cl/advertise.do?$xmlhttprequest @@||amarillas.cl/js/advertise/$script +@@||amazon-adsystem.com/e/ir?$image,domain=kasi-time.com +@@||amazon-adsystem.com/widgets/q?$image,domain=kasi-time.com @@||americateve.com/mediaplayer_ads/new_config_openx.xml$xmlhttprequest +@@||analytics.disneyinternational.com/ads/tagsv2/video/$xmlhttprequest,domain=disney.no @@||annonser.dagbladet.no/eas?$script,domain=se.no @@||annonser.dagbladet.no/EAS_tag.1.0.js$domain=se.no @@||app.medyanetads.com/ad.js$domain=fanatik.com.tr @@ -44959,9 +46674,11 @@ tube8.com##topadblock @@||custojusto.pt/user/myads/ @@||doladowania.pl/pp/$script @@||doubleclick.net/adx/es.esmas.videonot_embed/$script,domain=esmas.com +@@||doubleclick.net^*;sz=*;ord=$image,script,domain=dafiti.cl|dafiti.com.ar|dafiti.com.br|dafiti.com.co @@||doublerecall.com/core.js.php?$script,domain=delo.si @@||ehow.com.br/frames/ad.html?$subdocument @@||ehowenespanol.com/frames/ad.html?$subdocument +@@||emag.hu/site_ajax_ads?id=$xmlhttprequest @@||emagst.net/openx/$image,domain=emag.hu|emag.ro @@||emediate.eu/crossdomain.xml$object-subrequest @@||emediate.eu/eas?cu_key=*;ty=playlist;$object-subrequest,domain=bandit.se|lugnafavoriter.com|nrj.se|playradio.se|radio1.se|rixfm.com|tv3play.ee|tv3play.se|tv6play.se|tv8play.se @@ -44975,6 +46692,7 @@ tube8.com##topadblock @@||feed.theplatform.com^*=adtech_$object-subrequest,domain=tv2.dk @@||filmon.com/ad/affiliateimages/banner-250x350.png @@||flashgames247.com/advertising/preroll/google-fg247-preloader.swf$object +@@||forads.pl^$~third-party @@||fotojorgen.no/images/*/webadverts/ @@||fotosioon.com/wp-content/*/images/advert.gif @@||freeride.se/img/admarket/$~third-party @@ -44989,6 +46707,7 @@ tube8.com##topadblock @@||hub.com.pl/reklama_video/instream_ebmed/vStitial_inttv_$object,domain=interia.tv @@||impact-ad.jp/combo?$subdocument,domain=jalan.net @@||iplsc.com^*/inpl.box.ad.js$domain=rmf24.pl +@@||isanook.com/vi/0/js/ads-$script @@||islafenice.net^*/adsense.js @@||izigo.pt/AdPictures/ @@||izigo.pt^*/adsearch? @@ -45024,6 +46743,7 @@ tube8.com##topadblock @@||openimage.interpark.com/_nip_ui/category_shopping/shopping_morningcoffee/leftbanner/null.jpg @@||openx.zomoto.nl/live/www/delivery/fl.js @@||openx.zomoto.nl/live/www/delivery/spcjs.php?id= +@@||peoplegreece.com/assets/js/adtech_res.js @@||player.terra.com^*&adunit=$script @@||player.theplatform.com^$subdocument,domain=nbc.com @@||polovniautomobili.com/images/ad-$~third-party @@ -45043,17 +46763,20 @@ tube8.com##topadblock @@||run.admost.com/adx/get.ashx?z=*&accptck=true&nojs=1 @@||run.admost.com/adx/js/admost.js? @@||s-nk.pl/img/ads/icons_pack +@@||s1emagst.akamaized.net/openx/*.jpg$domain=emag.hu +@@||sanook.com/php/get_ads.php?vast_linear=$xmlhttprequest @@||sigmalive.com/assets/js/jquery.openxtag.js @@||skai.gr/advert/*.flv$object-subrequest @@||smart.allocine.fr/crossdomain.xml$object-subrequest @@||smart.allocine.fr/def/def/xshowdef.asp$object-subrequest,domain=beyazperde.com -@@||smartadserver.com/call/pubj/$object-subrequest,domain=antena3.com|europafm.com|vertele.com +@@||smartadserver.com/call/pubj/$object-subrequest,domain=antena3.com|europafm.com|ondacero.es|vertele.com @@||smartadserver.com/call/pubx/*/M/$object-subrequest,domain=get.x-link.pl @@||smartadserver.com/call/pubx/*blq$object-subrequest,domain=antena3.com|atresmedia.com|atresplayer.com|lasexta.com @@||smartadserver.com/crossdomain.xml$object-subrequest -@@||smartadserver.com/diff/*/show*.asp?*blq$object-subrequest,domain=antena3.com|atresplayer.com|lasexta.com +@@||smartadserver.com/diff/*/show*.asp?*blq$object-subrequest,domain=antena3.com|atresplayer.com|lasexta.com|ondacero.es @@||sms.cz/bannery/$object-subrequest,~third-party @@||soov.ee/js/newad.js +@@||staircase.pl/wp-content/*/adwords.jpg$domain=staircase.pl @@||start.no/advertpro/servlet/view/text/html/zone?zid=$script @@||start.no/includes/js/adCode.js @@||stat24.com/*/ad.xml?id=$object-subrequest,domain=ipla.tv @@ -45073,9 +46796,11 @@ tube8.com##topadblock @@||tvn.adocean.pl^$object-subrequest @@||uol.com.br/html.ng/*&affiliate=$object-subrequest @@||varno-zavarovanje.com/system/modules/cp_pagepeel/html/peel.js +@@||velasridaura.com/modules/*/advertising_custom.$image,~third-party @@||video.appledaily.com.hk/admedia/$object-subrequest,domain=nextmedia.com @@||videonuz.ensonhaber.com/player/hdflvplayer/xml/ads.xml?$object-subrequest @@||videoplaza.tv/proxy/distributor?$object-subrequest,domain=aftenposten.no|bt.no|ekstrabladet.dk|kuriren.nu|qbrick.com|svd.se +@@||vinden.se/ads/$~third-party @@||xe.gr/property/recent_ads?$xmlhttprequest @@||yapo.cl/js/viewad.js? @@||yimg.jp/images/listing/tool/yads/yjaxc-stream-ex.js$domain=yahoo.co.jp @@ -45150,13 +46875,15 @@ accounts.google.com#@#.adwords @@||advertise.bingads.microsoft.com/wwimages/search/global/$image @@||advertising.microsoft.com^$~third-party @@||bingads.microsoft.com/ApexContentHandler.ashx?$script,domain=bingads.microsoft.com -! VK.ru +! VK.ru/.com @@||paymentgate.ru/payment/*_Advert/ @@||vk.com/ads$elemhide @@||vk.com/ads.php?$subdocument,domain=vk.com @@||vk.com/ads?act=payments&type$script,stylesheet +@@||vk.com/css/al/ads.css$domain=vk.com @@||vk.com/images/ads_$domain=vk.com @@||vk.com/js/al/ads.js?$domain=vk.com +@@||vk.me/css/al/ads.css$domain=vk.com @@||vk.me/images/ads_$domain=vk.com ! Mxit @@||advertise.mxit.com^$~third-party @@ -45190,25 +46917,36 @@ accounts.google.com#@#.adwords ! StumbleUpon @@||ads.stumbleupon.com^$popup @@||ads.stumbleupon.com^$~third-party +! advertise.ru +@@||advertise.ru^$~third-party +! acesse.com +@@||ads.acesse.com^$elemhide +@@||ads.acesse.com^$~third-party +! integralads.com +@@||integralplatform.com/static/js/Advertiser/$~third-party +! Revealads.com +@@||revealads.com^$~third-party ! *** easylist:easylist/easylist_whitelist_dimensions.txt *** @@-120x60-$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@-120x60.$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@_120_60.$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@_120x60.$image,domain=catalogfavoritesvip.com|deliverydeals.co.uk|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|theperfectsaver.com|travelplus.com +@@_120x60.$image,domain=2dayshippingbymastercard.com|catalogfavoritesvip.com|chase.com|deliverydeals.co.uk|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|theperfectsaver.com|travelplus.com @@_120x60_$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|theperfectsaver.com|travelplus.com -@@_300x250.$image,domain=affrity.com +@@_300x250.$image,domain=affrity.com|lockd.co.uk @@||ajax.googleapis.com/ajax/services/search/news?*-728x90&$script @@||amazonaws.com/content-images/article/*_120x60$domain=vice.com @@||amazonaws.com^*-300x250_$image,domain=snapapp.com @@||amazonaws.com^*/300x250_$image,domain=snapapp.com @@||anitasrecipes.com/Content/Images/*160x500$image @@||arnhemland-safaris.com/images/*_480_80_ +@@||artserieshotels.com.au/images/*_460_60. @@||assets.vice.com^*_120x60.jpg @@||assets1.plinxmedia.net^*_300x250. @@||assets2.plinxmedia.net^*_300x250. @@||bettermarks.com/media$~third-party @@||bizquest.com^*_img/_franchise/*_120x60.$image @@||canada.com/news/*-300-250.gif +@@||cdn.vidible.tv/prod/*_300x250_*.mp4| @@||cinemanow.com/images/banners/300x250/ @@||consumerist-com.wpengine.netdna-cdn.com/assets/*300x250 @@||crowdignite.com/img/upload/*300x250 @@ -45274,15 +47012,22 @@ accounts.google.com#@#.adwords @@||wixstatic.com/media/*_300_250_$image,domain=lenislens.com @@||zorza-polarna.pl/environment/cache/images/300_250_ ! *** easylist:easylist/easylist_whitelist_popup.txt *** +@@/redirect.aspx?pid=*&bid=$popup,domain=betbeaver.com +@@||adfarm.mediaplex.com/ad/ck/$popup,domain=betwonga.com +@@||ads.betfair.com/redirect.aspx?pid=$popup,domain=betwonga.com @@||ads.flipkart.com/delivery/ck.php?$popup,domain=flipkart.com +@@||ads.pinterest.com^$popup,~third-party +@@||ads.reempresa.org^$popup,domain=reempresa.org @@||ads.sudpresse.be^$popup,domain=sudinfo.be @@||ads.twitter.com^$popup,~third-party @@||ads.williamhillcasino.com/redirect.aspx?*=internal&$popup,domain=williamhillcasino.com +@@||adserving.unibet.com/redirect.aspx?pid=$popup,domain=betwonga.com @@||adv.blogupp.com^$popup +@@||bet365.com/home/?affiliate=$popup,domain=betbeaver.com|betwonga.com @@||doubleclick.net/click%$popup,domain=people.com|time.com @@||doubleclick.net/clk;$popup,domain=hotukdeals.com|jobamatic.com|play.google.com|santander.co.uk|techrepublic.com @@||doubleclick.net/ddm/clk/$popup,domain=couponcodeswap.com -@@||g.doubleclick.net/aclk?$popup,domain=bodas.com.mx|bodas.net|casamentos.com.br|casamentos.pt|casamiento.com.uy|casamientos.com.ar|mariages.net|matrimonio.com|matrimonio.com.co|matrimonio.com.pe|matrimonios.cl|weddingspot.co.uk +@@||g.doubleclick.net/aclk?$popup,domain=bodas.com.mx|bodas.net|casamentos.com.br|casamentos.pt|casamiento.com.uy|casamientos.com.ar|mariages.net|matrimonio.com|matrimonio.com.co|matrimonio.com.pe|matrimonios.cl|weddingspot.co.uk|zillow.com @@||gsmarena.com/adclick.php?bannerid=$popup @@||serving-sys.com/BurstingPipe/adServer.bs?$popup,domain=jobamatic.com @@||viroll.com^$popup,domain=imagebam.com|imgbox.com @@ -45308,12 +47053,7 @@ accounts.google.com#@#.adwords @@||nonktube.com/img/adyea.jpg @@||panicporn.com/Bannerads/player/player_flv_multi.swf$object @@||pop6.com/banners/$domain=horny.net|xmatch.com -@@||pornhub.com/cdn_files/js/$script -@@||pornhub.com/infographic/$subdocument -@@||pornhub.com/insights/wp-includes/js/$script @@||promo.cdn.homepornbay.com/key=*.mp4$object-subrequest,domain=hiddencamsvideo.com -@@||redtube.com/htmllogin|$subdocument -@@||redtube.com/profile/$subdocument @@||sextoyfun.com/admin/aff_files/BannerManager/$~third-party @@||sextoyfun.com/control/aff_banners/$~third-party @@||skimtube.com/advertisements.php? @@ -45326,15 +47066,35 @@ accounts.google.com#@#.adwords @@||tracking.hornymatches.com/track?type=unsubscribe&enid=$subdocument,third-party @@||widget.plugrush.com^$subdocument,domain=amateursexy.net @@||xxxporntalk.com/images/xxxpt-chrome.jpg +! Pornhub network +@@||pornhub.com/channel/ +@@||pornhub.com/comment/ +@@||pornhub.com/front/ +@@||pornhub.com/pornstar/ +@@||pornhub.com/svvt/add? +@@||pornhub.com/video/ +@@||redtube.com/message/ +@@||redtube.com/rate +@@||redtube.com/starsuggestion/ +@@||tube8.com/ajax/ +@@||youporn.com/change/rate/ +@@||youporn.com/change/user/ +@@||youporn.com/change/videos/ +@@||youporn.com/esi_home/subscriptions/ +@@||youporn.com/mycollections.json +@@||youporn.com/notifications/ +@@||youporn.com/subscriptions/ ! Anti-Adblock @@.png#$domain=indiangilma.com|lfporn.com @@||adultadworld.com/adhandler/$subdocument @@||fapxl.com^$elemhide @@||fuqer.com^*/advertisement.js +@@||gaybeeg.info/wp-content/plugins/blockalyzer-adblock-counter/$image,domain=gaybeeg.info @@||google.com/ads/$domain=hinduladies.com @@||hentaimoe.com/js/advertisement.js @@||imgadult.com/js/advertisement.js @@||indiangilma.com^$elemhide +@@||jamo.tv^$script,domain=jamo.tv @@||javpee.com/eroex.js @@||lfporn.com^$elemhide @@||mongoporn.com^*/adframe/$subdocument @@ -45342,9 +47102,13 @@ accounts.google.com#@#.adwords @@||n4mo.org^$elemhide @@||nightchan.com/advertisement.js @@||phncdn.com/js/advertisement.js +@@||phncdn.com/v2/js/adblockdetect.js$domain=keezmovies.com @@||phncdn.com^*/ads.js +@@||phncdn.com^*/fuckadblock.js @@||pornomovies.com/js/1/ads-1.js$domain=submityourflicks.com +@@||pornve.com^$elemhide @@||submityourflicks.com/player/player-ads.swf$object +@@||syndication.exoclick.com/ads.php?type=728x90&$script,domain=dirtstyle.tv @@||tmoncdn.com/scripts/advertisement.js$domain=tubemonsoon.com @@||trafficjunky.net/js/ad*.js @@||tube8.com/js/advertisement.js @@ -45361,19 +47125,19 @@ url=https://easylist-downloads.adblockplus.org/liste_fr+easylist.txt title=Liste FR+EasyList fixedTitle=true homepage=http://www.adblock-listefr.com/ -lastDownload=1421244199 +lastDownload=1431347195 downloadStatus=synchronize_ok -lastModified=Wed, 14 Jan 2015 13:51:44 GMT -lastSuccess=1421244199 +lastModified=Mon, 11 May 2015 12:21:50 GMT +lastSuccess=1431347195 lastCheck=1324811431 -expires=1421935399 -softExpiration=1421594335 +expires=1432038395 +softExpiration=1431706525 requiredVersion=2.0 [Subscription filters] -! Version: 201501141351 +! Version: 201505111221 ! Abonnements combinés à la Liste FR et EasyList -! Dernière modification le 14 Jan 2015 13:51 UTC +! Dernière modification le 11 May 2015 12:21 UTC ! Expires: 4 days (fréquence des mises a jour automatiques) ! ! *** listefr:liste_fr.txt *** @@ -45386,30 +47150,87 @@ requiredVersion=2.0 ! !----------------------- Filtres génériques ----------------------! ! +&playadw= .adserverpub. .adxcore. .be/ads/ .fr/ads. .fr/ads/ +.php?*&zoneid= .pubdirecte. .publicite. -/adUnblock. +/468x60banner. +/?do=goto_adv&id_adv= +/a.php?t=*&pg_b_format= +/a4u_banner_.$popup +/ac.wbdds. +/acad.$script +/adoff.js? +/AdPortalService. +/AdPortalWebService/* +/ads-ext. +/ads-google-adsense. +/ads?p= +/ads_$popup +/ads_90_728. +/ads_block +/adsdino. +/adsmouse. /Adv728. +/adv_clk_redirect.$popup +/af-250x250. +/af-300x250. /aff_pub_ +/affiliate.*/banner +/affiliate/banners/* +/affilizr.$script +/affpx.php +/amazon-product-in-a-post-plugin/* +/ar/ads/* +/ara/ads/* +/b2bad. +/b2bad? /bandeaupublicite/* +/banner/*/sponsored? +/banner_campaign_ +/banners-ads/* /banners-pub/* +/banniere/proxy.php? +/banniere/proxy2.php? /banniere728x90_ /banniere_pub. /bannieres_pub/* +/bnr468. /brightcoveAds. +/choixPubJS. +/col_droite_googleads2 /doubleclick_dmm/* +/EpubDelivery/* +/fod_ad_ +/generateAds. +/iframe_pub_ +/iframePopUpLoader.$popup +/IFrameStoreReciever. +/images/sponsored? +/InjectPopunderAd. +/js.adv.$script +/layout/ads? /miniads/* /modules.pub. +/openwindow.js?puurl= +/page_pub. +/pagepub. +/pages_ads. +/proxy_eds.php? +/proxy_iframe.php?url= /pub-300x250. /pub300-250. /pub468x60. /pub728-90. /pub728x90. +/pub_428x90. +/pub_72890_ +/pubdirecte_ /publ1c1te. /publicite- /publicite. @@ -45420,33 +47241,59 @@ requiredVersion=2.0 /publicites. /publicites/* /publicitesky. +/publisher_configurations. /regie_pub/* /regiepub/* -/webadtrick +/script/campagne.php?cp=$popup +/sdk-ads. +/sdk-ads/* +/ttn_adspaces +/widgets-zoom-annonce-shopping. +/widgets-zoom-mytravelchic. +/XnewadsX/* +=partenariat&utm_campaign=$popup =publicite& +=sponsored_links_ ?clickTag= +?preview=*&pgid*&from_sz=$popup @publicite@ +_adb_300x250_$popup +_adb_728x90_$popup +_pages_ad. _pub_728. +_publ1c1te. _publicitaire/ _publicite. _publicite1. _publicite_ _regiepub/ +_smads_ +_Social-Advert- ! !----------------------- Annonceurs -----------------------! ! +||146.148.85.61^$third-party ||188.165.253.6^$popup,third-party ||1sponsor.com^$third-party ||2mdn.net^$object-subrequest,domain=dhnet.be +||2town.net^$third-party +||380tl.com^$third-party ||46.249.58.117^$third-party ||7x4.fr^$third-party +||85.116.37.142^$third-party +||89.185.33.51^$third-party +||a-staticwebedia.com^$third-party ||acces-charme.com^$third-party -||accommodativepasto.org^$third-party -||aclantgabardine.info^$third-party ||acpublicite.fr^$third-party +||acwm.biz^$third-party +||acxiom-online.com^$third-party +||ad-1.me^$third-party +||ad-2.me^$third-party +||ad-3.me^$third-party ||ad.activaweb.fr^ ||ad.adserverplus.com^ ||ad.prismamediadigital.com^$third-party +||ad380.com^$third-party ||ad4you.org^$third-party ||ad6media.fr^$popup,third-party ||adaccess.fr^$third-party @@ -45454,16 +47301,25 @@ _regiepub/ ||adfever.com^$third-party ||adikteev.com^$third-party ||adinlive.com^$third-party +||adk2x.com^$popup,third-party +||adk2x.com^$third-party +||adlpartner.com^$third-party +||adm-vids.com^$third-party ||admanmedia.fr^$third-party ||admark.fr^$third-party ||adoptima.com^$third-party ||adpub.eu^$third-party ||adqia.com^$third-party +||ads-peinture.fr^$third-party ||adserveradulte.com^$third-party +||adserverbanners.com^$third-party ||adserverpub.com^$popup +||adservr.net^$third-party ||adsitonline.net^$third-party ||adsregieonline.com^$third-party +||adsrevenue.com^$third-party ||adstronic.net^$third-party +||adtrafic.com^$third-party ||adverpub.com^$third-party ||adverteasy.fr^$third-party ||advertsponsor.com^$third-party @@ -45471,105 +47327,77 @@ _regiepub/ ||adxcore.com^$popup,third-party ||affidate.com^$third-party ||affidirect.com^$third-party +||affil4you.com^$third-party ||affiliation-france.com^$popup,third-party ||affiliation.hexaweb.net^ ||affiliaweb.eu^$third-party +||affiliaweb.fr^$third-party ||affilinks.fr^$third-party ||affilipub.com^$third-party ||affility.com^$third-party -||affilizr.com^$third-party ||affpx.com^$third-party ||ajoutezvotresite.com^$third-party -||aleksandrisolzhenitsynauspices.com^$third-party ||allo-audience.fr^$third-party ||alloclick.com^$third-party ||allovisiteur.com^$third-party -||alpinegoldenrodauditoryaphasia.info^$third-party -||americanwidgeonsecularise.info^$third-party -||amygdaluscommunisschematization.info^$third-party -||antonymprurience.com^$third-party ||appsfire.com^$third-party -||arcedgorkiy.net^$third-party -||archaicgenusklebsiella.info^$third-party -||ariledsixtyfour.info^$third-party +||arretion.de^$third-party ||atedra.com^$third-party -||atomicnumber115chinesemushroom.com^$third-party ||avenir-affiliation.fr^$third-party -||badefactsoflife.info^$third-party -||baseballfieldfamilypleurobrachiidae.org^$third-party -||beaumondedarkcolored.info^$third-party +||ayads.co^$third-party +||baseandco.com^$third-party +||basebanner.com^ ||beead.fr^$third-party -||bightofbeninmusculusscalenus.info^$third-party -||bitisparticleboard.org^$third-party ||bizhentai.com^$third-party ||biznolimit.com^$third-party ||blogbang.com^$third-party -||bodencapsulate.org^$third-party -||botaalleghenymountainspurge.info^$third-party +||boostsaves.com^$third-party ||box.shopoon.fr^$third-party -||boynejackstraw.org^$third-party -||brachycephalismotterhound.net^$third-party -||bragibriefness.com^$third-party -||breastfeedingramjet.org^$third-party -||bullheadcatfishtortuousness.net^$third-party +||broadcast.pm^$third-party +||buporez.com^$third-party ||buy-targeted-traffic.com^$third-party -||cambodianmonetaryunitmalthus.org^$third-party +||buzzvet.com^$third-party ||camsympa.com^$third-party,domain=~camsympa.fr -||captiousmagnoliasoulangiana.org^$third-party -||cardueliscarduelisselaginellaceae.org^$third-party ||carpediem.fr^$third-party -||cdgibsonblackbirch.com^$third-party ||cdn.nextperf.net^$third-party ||cercle-trafic.com$third-party -||chinesecheckerscooked.info^$third-party -||claysculptureaniline.com^$third-party +||cityads.com^$popup,third-party +||cityads.com^$third-party +||cityadspix.com^$popup,third-party +||cityadspix.com^$third-party ||clic-diffusion.com^$third-party ||clic.reussissonsensemble.fr^$popup,third-party ||click-fr.com^$third-party ||clicmanager.fr^$third-party -||cnorthcoteparkinsonmunificent.info^$third-party -||colonelpenoche.info^$third-party +||coindushopping.fr^$third-party ||comandclick.com^$third-party -||compensateanopheles.org^$third-party -||complexquercitronoak.net^$third-party +||comoclic.net^$third-party ||congruityheterocephalus.info^$third-party -||consentdecreehawkish.com^$third-party -||constantineimycobacteriaceae.net^$third-party -||controllinginterestpostmenopause.com^$third-party -||corpuschristilipped.info^$third-party -||cosponsorchianturpentine.com^$third-party +||coolood.biz^$popup +||coolood.biz^$third-party ||cougar-rencontre.net^$third-party -||cysticgenuscoeloglossum.org^$third-party +||ctpsrv.com^$third-party ||danstonfion.com^$popup,third-party ||danstonfion.com^$third-party +||datvantage.com^$third-party ||dekalee.fr^$third-party ||dekalee.net^$third-party -||deliberationlivingthing.com^$third-party ||deliv.prisma-presse.com^$third-party -||detachmentoftheretinaclimbingsalamander.net^$third-party -||devitalizationhardwareerror.info^$third-party ||dfast.net^$third-party ||digidip.net^$third-party ||directionplaisir.com^$third-party -||dirtystorydenationalisation.info^$third-party ||discovery-ptp.eu^$third-party -||dodgerdecoctionprocess.com^$third-party -||double6affiliation.com^third-party +||double6affiliation.com^$third-party ||doubleclick.net^$domain=basketusa.com|cinefil.com|essentielle.be|gameone.net|rds.ca|videos.tmc.tv -||duckpateparaphrase.org^$third-party ||duporno.biz^$third-party -||duteousrepresser.com^$third-party -||dwarfishpresidenthoover.org^$third-party ||e-mailit.com^$third-party ||ebuzzing.fr^$third-party ||edi7.lu^$third-party ||edintorni.net^$third-party -||edwardthatchtestator.org^$third-party ||effiliation.com^$popup,third-party ||effiliation.com^$third-party -||emmyballade.org^ -||envelopeonocleasensibilis.com^$third-party -||eroticnewsprogram.info^$third-party +||elasticad.com^$third-party +||eravage.com^$third-party ||esoterweb.com^$third-party ||espace-plus.net^$popup,third-party ||espace-plus.net^$third-party @@ -45580,154 +47408,112 @@ _regiepub/ ||eurowebbiz.com^$third-party ||every.com^$third-party ||exchange.gouik.com^$third-party +||exelator.com^$third-party ||f5biz.biz^$third-party -||familyperipatidaegenusacrocomia.info^$third-party ||femme-cougar.tv^$popup,third-party ||firstoffersfinder.com^$third-party -||floretnonvolatilisable.org^$third-party -||foodelevatororbignya.com^$third-party -||foodstamprhyacotritonolympicus.org^$third-party -||foreigncorrespondentatonement.info^$third-party -||forgerhineland.com^$third-party -||fruitfulnessmechanicalmixture.com^$third-party ||gagner-une-console.com^$third-party ||gambling-france.com^$third-party ||gdfspfg.com^$third-party ||genhit.com^$third-party -||genrepaintingimproving.info^$third-party -||genusacinonyxricebeer.com^$third-party -||genusbrickeliaparsee.org^$third-party -||genushimantoglossumsultanofswat.com^$third-party -||genusnumeniusdepend.net^$third-party -||genusopisthocomusbuccaneering.info^$third-party -||genusscindapsusketeleeria.com^$third-party -||georgesandsorb.net^$third-party -||germanpolicedogrideroughshod.com^$third-party ||gestionpub.com^$popup,third-party -||getanosefulhomeotherm.net^$third-party -||giftconquerable.info^$third-party -||giordanobrunomobilization.net^$third-party -||globalisenailer.com^$third-party -||glycyrrhizaglabraphotometrist.org^$third-party -||golfplayergramstain.com^$third-party ||goodaction.com^$third-party ||goracash.com^$third-party ||gouzardo.com^$third-party ||gradateinternalsecretion.info^$third-party ||greatregie.com^$third-party -||gritrockloftily.net^$third-party -||growthregulatorsayeretmatkal.info^$third-party -||hamadryadgilgaisoil.net^$third-party -||hammeredmalawian.net^$third-party ||hebdotop.com^$third-party -||herefordpongo.org^$third-party ||hits-exchange.me^$third-party -||hoardertriplespacing.com^$third-party -||hoarylimpness.net^$third-party ||hopdream.com^$popup,third-party ||hopdream.com^$third-party -||hornblendeshiitemuslim.com^$third-party -||horseracebackexercise.info^$third-party -||hypersomniadideoxycytosine.info^$third-party -||hypophysectomisearisarumvulgare.com^$third-party +||horyzon-clics.com^$third-party ||i-promotion.net^$third-party -||identicalnessinheight.com^$third-party +||icileweb.com^$third-party +||icipourtout.com^$third-party +||idhad.com^$popup,third-party +||idhad.com^$third-party ||igadserver.net^$third-party ||illyx.co^$third-party ||illyx.com^$popup,third-party ||illyx.com^$third-party ||imgpromo.easyrencontre.com^$third-party -||impersonalmetastability.info^$third-party -||impertinencebradypodidae.net^$third-party -||indignantonstage.com^$third-party -||inexpressiveelfin.org^$third-party -||intermittenceairconditioner.info^$third-party +||inshopr.com^$third-party +||internetpourtout.com^$third-party +||journaux-du-midi.com^$third-party +||kadoywww.xyz^$third-party ||kadserver.com^$third-party -||keynesianpieris.org^$third-party -||kishinevunaerated.com^$third-party -||kontestapp.com^$third-party ||koocash.com$popup,third-party ||koodoo.net^$third-party ||kreaffiliation.com^$third-party -||lavendermalvinahoffman.org^$third-party -||lawmakersanathematize.info^$third-party -||lendoneselflepidopterist.info^$third-party ||lien-amateur.org^$third-party ||ligatus.com^$~collapse,subdocument,domain=bfmtv.com -||lighthorseharryleefieldspeedwell.net^$third-party ||linklift.fr^$third-party ||livechatdates.com^$popup,third-party ||liveparadise.com^$third-party ||livewithbinaryoptions.com^$third-party ||lkjfqlmskjdqlkmsjd.com^$third-party +||loractu.pro^$third-party ||lowlyingcaviller.info^$third-party -||macrocephalouspokerface.com^$third-party +||madameglad.com^$third-party ||madison-ads.net^$third-party -||magistratedefenseintelligenceagency.net^$third-party ||manga-exchange.com^$third-party +||marsads.com^$popup,third-party ||master-ptp.com^$third-party ||media-clic.com^$third-party ||medncom.com$popup,third-party ||medncom.com^$third-party +||meetaffiliate.com^$third-party ||megavisites.com^$third-party -||metalsawgenuslarus.net^$third-party -||midiremuneration.com^$third-party -||militarypostsmokedsalmon.net^$third-party +||merciconseil.com^$third-party ||misstrends.com^$third-party ||misterbell.com^$third-party -||monasticismribesuvacrispa.org^$third-party ||monetize-me.com^$third-party ||moneytize.fr^$third-party -||moonworshipchapatti.net^$third-party -||murinebloomeriacrocea.org^$third-party -||muscadomesticadownheartedness.net^$third-party -||muskatabieslasiocarpa.net^$third-party +||motorsregie.com^$third-party +||multiupload.com/$popup,third-party ||myspot.fr^$third-party -||mysteriousfallwebworm.net^$third-party ||myxpub.com^$third-party ||n1.webedia.fr^$third-party ||natoms.com^$third-party -||nazinajahannah.com^$third-party ||neckermann.be^$third-party +||nefroto.net^$third-party ||nelads.com^$third-party +||nepasmanquer.com^$third-party ||netclickstats.com^$third-party ||netmediaeurope.com^$third-party ||netmediaeurope.fr^$third-party -||ninetysixhypothalamic.net^$third-party -||niobitebradypus.com^$third-party +||no-adblock.com^$third-party ||nols-pub.fr^$third-party ||nturveev.com^$third-party -||nursesharktorreyspine.info^$third-party -||odtrialanderror.info^$third-party -||oldhickoryfretted.info^$third-party -||oliverstoneorderhyracoidea.net^$third-party -||omnitagjs.com^$third-party ||oneinstaller.com^$third-party -||orangeblossomorchidfreethought.com^$third-party +||opresat.ru^$third-party ||orangepublicite.fr^$third-party ||overlays.next-targeting.com^$third-party +||ovnet.fr^$third-party +||ovnet.net^$third-party ||pandad.eu^$third-party ||papycash.com$third-party +||paricileweb.com^$third-party +||parlinternet.com^$third-party ||partner.uncadeau.com^$third-party ||payglad.com^$third-party -||perspirercetacea.info^$third-party -||phytophagoustransferee.info^$third-party +||paygladplayer.com^$third-party +||pgflow.com^$third-party ||pictographpenicillinf.com^$third-party +||piximedia.com^$third-party ||piximedia.fr^$third-party +||plaisirsdejouir.fr^$third-party +||playglad.com^$third-party ||plusservicepartners.com^$third-party -||polypeptidetoea.info^$third-party +||pornego.com^$third-party ||pornstreet.com^$popup,third-party -||posingfamilymustelidae.org^$third-party -||practicebundlingredbreastedsapsucker.org^$third-party -||pressburgseptation.info^$third-party +||prm-native.com^$third-party ||promo.alienbiz.com^$third-party ||promo.ezstatic.com^$third-party ||promo.hysteriq.com^$third-party ||promo.indecentes-voisines.com^$third-party ||promo.voyance-web.fr^$popup,third-party ||promotions.djummer.com^$popup,third-party -||prurientlygrandfatherclause.net^$third-party -||pseudomonodaceaenonlinearcorrelation.info^$third-party ||pub-france.com^$third-party ||pub-ptp.fr^$third-party ||pub.gdb-host.com^$third-party @@ -45738,78 +47524,79 @@ _regiepub/ ||publike.fr^$third-party ||puboclic.com^$third-party ||quaelead.com^$third-party +||quanta.lu^$third-party +||rapsio.com^$third-party +||reactivpub.com^$third-party ||reactivpub.fr^$third-party -||redbelliedsnakemyxine.com^$third-party -||redmulletgoodword.com^$third-party -||reedmacepurposeless.net^$third-party +||reflexcash.com^$third-party ||regie.audioprint.fr^$third-party +||regiecpm.com^$third-party ||regiedepub.com^$third-party +||remerciez.com^$third-party +||rencontreroulette.com^$third-party ||rentacorner.com^$third-party ||rgbperf.com^$third-party ||rotabann.com^$third-party ||rotabann4x.com^$third-party -||saintfrancisclaw.org^$third-party -||saulbellowrigel.org^$third-party +||sasqos.com^$third-party ||say.fr^$third-party -||scalablemothertongue.net^$third-party -||schismaticallydaybyday.info^$third-party ||script.banstex.com^$third-party -||secretaryofstateblackness.net^$third-party +||sddan.com^$third-party +||sdk-ads.com^$third-party ||secretmedia.com^$third-party -||selftorturemidafternoon.net^$third-party -||serenessoctopod.com^$third-party -||setplantfamily.info^$third-party -||seweragegenitourinary.net^$third-party ||sex-affiliation.com^$third-party ||sextapes2stars.com^$third-party -||sexualgenusnoctua.org^$third-party -||shapeupobliteration.org^ +||shoppingate.info^$third-party ||shoppytab.com^$third-party -||singlyaythyaaffinis.com^$third-party -||sirfrankwhittlelowerrespiratorytract.com^$third-party ||smart.allocine.fr^$~object-subrequest,~subdocument ||smart2.allocine.fr^$~object-subrequest,~subdocument ||smartadserver.com^$popup,third-party -||sortingalgorithmtensile.info^$third-party +||snake-leads.com^$third-party ||spb2011.com^$third-party -||spelaeologistmilitarisation.info^$third-party ||sperse.com^$third-party -||sphincteranibattleofpanipat.org^$third-party -||squintercharlesthomsonreeswilson.com^$third-party -||stationerydriftice.info^$third-party ||stickyads.tv^$third-party ||stigads.com^$third-party ||superadsoffers.com^$third-party ||supersmsoffers.com^$third-party -||supertankermavik.net^$third-party +||supravideos.com^$third-party ||surfactif.fr^$third-party -||susanbrownellanthonysabotage.net^$third-party -||taboola.com^$third-party -||tamarauallatonce.com^$third-party -||taziyehhenpeck.com^$third-party +||t4b.tv^$third-party ||teads.fr^$third-party ||the-adult-company.com^$popup,third-party -||theatreofwarsailorboy.net^$third-party +||theadgateway.com^$third-party +||themoneytizer.com^$third-party +||tmcregie.fr^$third-party ||tnx.net^$third-party ||tool.acces-vod.com^$third-party ||tootrash.com^$third-party -||topologicallychronicle.org^$third-party +||top-chaude.com^$third-party ||totaladperformance.com^$third-party +||toutlinternet.com^$third-party ||touturf.com^$third-party ||tracking.ecookie.fr^$popup,third-party +||trackor.net^$popup,third-party ||trackor.net^$third-party +||tradetracker.com^$third-party +||tradetracker.net^$third-party ||trafic-booster.biz^$third-party ||traficmax.com^$third-party -||trifoliumreflexumgenuscladonia.info^$third-party -||unbarreleddarkened.net^$third-party -||unbodiediridaceousplant.net^$third-party +||video1404.info^$popup +||video1404.info^$third-party +||videoroow.com^$popup +||videoroow.com^$third-party ||videos-x.me^$third-party ||videostep.com^$third-party +||vshop.fr^$third-party +||wafmedia3.com^$third-party +||wbdds.info^$third-party ||wbsadsdel2.com^$third-party ||wbusiness.fr^$third-party ||webprod.cybertesteurs.com^$popup,third-party,domain=~iss.net +||webtv-sexe.com^$third-party ||wedoo.com^$third-party ||wendise.com^$third-party +||westzip.in^$third-party +||widespace.com^$third-party ||widgetbooster.com^$third-party ||widgets.outbrain.com^$third-party ||wineuroptp.fr^$third-party @@ -45819,21 +47606,28 @@ _regiepub/ ||xponsor.com^$third-party ||y-ads.net^$third-party ||yban.fr^$third-party +||you-hentai.com^$third-party ||z-barre.com^$third-party ||zebestof.com^$third-party ||zeropub.net^$third-party ! !----------------------- Publicités tierces ----------------------! ! +|http://*/register_video_impression?token=$image +|http://*/tpl-hab-$image,domain=allocine.fr ||1-porno.org/atr_template/trade/ ||1001sondages.com/assets/images/250x250.jpg ||11footballclub.com/equipe/indexhomepage.php?$domain=lequipe.fr ||11footballclub.com^*/indexcolonne.php? +||11footballclub.com^*/indexhomepage2.php*&domain= ||123megaupload.com/site_media/pub/ ||18etplus.com^ +||19h59.com/newstop.js ||1et2.org/sora/$image ||1x12.net^ ||20dollars2surf.com/par_46860_ +||380.bu2z.com^ +||380.hotpix.fr^ ||6fun.fr/api.php ||78.41.233.99/~fhv3/slidein.php ||91.121.87.136:84/promo.php?$popup @@ -45845,8 +47639,13 @@ _regiepub/ ||achatventepagefan.com/images/AVPF_ ||achatventepagefan.com^*/banachat*.gif$third-party ||achetezfacile.com/co/widgets/widget.js.php$third-party +||aduwoc.footeo.com^ ||aff.bstatic.com^ +||affiliation-mb.vos-scripts.com^ +||affiliation.voyance.fr^$third-party ||affiliationcommando.com/bannieres/ +||agsportdistribution.com/hyperice/bas.html +||agsportdistribution.com/hyperice/droite.html ||ajoutezvotrelien.com/visuel46.png ||algeriemobiles.com/pub/ ||aliencable.com/images/habillagealien.jpg @@ -45870,11 +47669,13 @@ _regiepub/ ||atoowin.com/images/diffusion/ ||atoshonetwork.com/atosho.js ||autosurf.me/promo/ +||avanis.fr^ ||baise3x.com/ban/ ||barredesurf.com/includes/images/bannieres/ ||baseturf.com/bannieres/ +||batman.blogautomobile.fr^ ||bazardux.com/index.php?$third-party -||beaverscripts.com/openwindow.js +||beaverscripts.com^$popup,third-party ||belle-salope.fr/ban/$third-party ||belledesfleurs.com/ban/$third-party ||bestofartisans.com/app/$third-party @@ -45885,23 +47686,22 @@ _regiepub/ ||bitchvolley.com/ban/$third-party ||blablaland.com/pubosaure/ ||bon-reduc.com/pub/ -||bookiblog.com/iframe*.php? +||bookiblog.com/iframe*. ||boonex.com/modules/Txt/layout/default/img/txt-abt-file ||bourgogne-restaurants.com/a_decouvrir_resto_$third-party ||boutique.aero/images/block_pub_ +||brsimg.com/pub/logo/ ||business-lounge.fr/public/widget-prod/ ||buzzypeople.fr/download/115163_k.gif ||buzzypeople.fr/pluginbarre/ ||buzzypeople.fr/webplayertv/728x90wa.png ||c-gratuit.com/logo/aff_logo.php? -||canal-plus.com.*/image/29/0/579290.jpg -||canal-plus.net.*/image/28/9/579289.jpg -||canal-plus.net.*/image/68/1/580681.jpg ||canaljeuvideo.com/var/storage/habillages/ ||carasexe.com/promo/$third-party ||cashtravel.info/banners/ ||cdn.a9fast.com^*/misc/partner/ ||cdn.installclick.fr^*/ad.html +||cdn.m6web.fr/creatives/assets/ ||cdscdn.com*^/footerPartnerOffers.js ||cdscdn.com/imagesok/tetiere/partners/ ||cdscdn.com/other/banniere_ @@ -45910,7 +47710,7 @@ _regiepub/ ||classistatic.com/*/banner/ ||classistatic.com/*/homepage-banner/ ||clicjeux.net/bann/ -||clicjeux.net/banniere.php? +||clicjeux.net/banniere. ||clip-x.net/images/pub/ ||cliquojeux.com/pub/ ||club-salopes.com/partenaires/ @@ -45922,6 +47722,9 @@ _regiepub/ ||crm-pour-pme.fr/images/copie%20de%20728-90.png ||crocastuce.fr/images/Boutons/ ||d34eoj4l97gwgh.cloudfront.net/img/geoloc/$domain=france-examen.com +||d4.fr/img/af_$third-party +||datahc.com/Affiliates/ +||demo.dofusbook.net^ ||devisprox-media.s3-website-eu-west-1.amazonaws.com^ ||devisprox.com/ld.js ||dhtml.pornravage.com^ @@ -45933,6 +47736,7 @@ _regiepub/ ||dukppplb.info^ ||dzoic.com/gfx/ ||e-cig-factory.fr/shop/bannieres/ +||ea.numericable.fr^ ||easy-charme.com/pub/ ||ecchi.fr/banieres/ ||echangegagnant.com/gagnant468.png @@ -45946,6 +47750,7 @@ _regiepub/ ||emploicom.com/baniere. ||emploipartner.com/moteur_partner/ ||enfingratuit.com^ +||enucip.spacefoot.com^ ||equirodi.com/images/pub/ ||etudiant-podologie.fr/images/banniere_$domain=pedicurie-podologie.fr ||eurasie.eu/sponsors- @@ -45964,10 +47769,13 @@ _regiepub/ ||fitnext.com/masculin_box$third-party ||flyrelax.com/wp-widget/widget.php ||fortuneinternet101.com/Bannieres/ +||freedownload-kk.com^ ||freedriverdetective.com/images/driverdetective.jpg ||frenchfriendfinder.com^$domain=choualbox.com ||frequence-tv.com/images/frpub.gif ||full-wallpaper.com/wallpaperday.js$third-party +||funradio.fr/partenaires/ +||g3t.org^ ||gagnantacoupsur.com/images/banner ||gagnons-argent.com/pubd.php$popup,third-party ||gametap.com/convergence/Header/framed/? @@ -45978,6 +47786,7 @@ _regiepub/ ||gold-barre.com/banner1.gif ||googleapis.org/zfe2hi ||gov-surveys.com^ +||gratuit-film.fr^ ||grenierdumaroc.com^$domain=movizfr.com ||grillegagnante.com/bannieres/ ||grosnews.com/grosnews.php? @@ -45993,6 +47802,7 @@ _regiepub/ ||hostingpics.net/pics/*ban.png$domain=tonchat.fr ||hotel-intime.com/banieres/ ||hotpix.fr/widget_js.php? +||hotvines.cc/iframe.php ||hqq.tv/js/adb/adb.js ||i.imgur.com/X70wDAr.jpg$domain=lesjoiesducode.fr ||icpc.tv/banners/$domain=europeplusnet.info @@ -46003,6 +47813,8 @@ _regiepub/ ||illiweb.com/fa/partenaires/ ||images-hentai-paradise.com/ban_vote/ ||inoutscripts.com/affiliate/ +||instant-gaming.com/affgames/ +||ioccasion.fr/scripts_perso/getEbay_dev. ||iris.ma/themes/maroc/img/pub/ ||jardindespieux.com/pub/ ||jardisexe.com/ban/$third-party @@ -46014,6 +47826,7 @@ _regiepub/ ||jrphotographie.com/pub/ ||js.stream-up.com/fonctions.min.js? ||kamehashop.fr/partenaire/$domain=sky-animes.com +||kazeo.com/websites/js/openwindow.js ||kiporn.com^$popup,domain=yourporno.fr ||kokinette.com/ban/$third-party ||la-paysanne.com/ban/$third-party @@ -46046,7 +47859,7 @@ _regiepub/ ||live-medias.net/button.php? ||logic-immo.be/embed/new-static-search.php5 ||logic-immo.com/mmf/ads/$third-party -||lprs1.fr/images/blocs-partenaires/ +||lprs1.fr^*/blocs-partenaires$third-party ||macside.fr^$domain=buzzdugrizzly.fr ||madamesimone.com/ban/$third-party ||maghreb-boutique.com/maghreb-boutique-300.swf @@ -46068,8 +47881,11 @@ _regiepub/ ||mini-jeux.com/jeuday.js$third-party ||missdark.com/bannieres/$third-party ||mondeadulte.com/pub/ +||monetisez.xxx/annonce/ ||montjeuturf.net/bannieres/ ||montrealaise.com^$domain=montrealamateur.com +||moovijob.com/partenaires/$third-party +||mvchallenges.s3-website-eu-west-1.amazonaws.com^ ||mynewblog.com/tracker.php? ||myposeo.com^*250x250.swf?$third-party ||neko-hentai.com/banieres/ @@ -46077,6 +47893,8 @@ _regiepub/ ||netbusinessrating.com^*/img/monitoring_ ||netcomvad.com/shop-promo/ ||netmediaeurope.fr/images/btn_ +||netu.tv/152.html +||njuko.com/oo/droite.html ||noogle.fr/banner/ ||nouvelobs.s3-website-eu-west-1.amazonaws.com^ ||noviya.free.fr/bannieres/ @@ -46089,11 +47907,15 @@ _regiepub/ ||over-blog-kiwi.com^*/*_ban-300x250. ||oxiads.fr/www/images/ ||oxyka.com/er/od.php? +||oyant.com/images/banners/ ||p0rno.com/banners/ ||packbarre.com/pub/ ||paradise-barre.com/bannieres/ ||parlonspiscine.com/img/pubs/ -||partner.leguide.com^$third-party +||partner.leguide.com^ +||partners.cmptch.com^ +||passion-auto.me/pub. +||passion-auto.me/pub1. ||pepitastore.com^$domain=clubic.com ||petite-garce.com/ban/$third-party ||philatelistes.net/liens/cptr/ @@ -46107,13 +47929,18 @@ _regiepub/ ||pooki.fr/banner/ ||pouradultes.com^ ||pourlesmajeurs.com^ +||powersante.com^*_products.php?partner= ||premiumpress.com/banner/ ||pretrachat.fr/popup.php ||priceminister.com^*/referral_widget.swf$third-party ||priceminister.com^*/seller_shop.swf$domain=legrenier.roumieux.com|strasbourg-tramway.fr ||probux.com/images/banner*.gif +||promo.asiatique.org^ +||promo.ejaculer.fr^ ||promo.eurolive.com^$third-party +||promo.jeunette.net^ ||promo.partie-membres.com^ +||promo.porc.com^ ||promo.sextape-streaming.com^ ||pronosoft.com/fr/bookmakers/unibet/120x120_u.swf ||pronoturf.free.fr/pub/ @@ -46131,6 +47958,8 @@ _regiepub/ ||regie-agricole.com^*/pubs^$third-party ||rendez-vous.be/scripts/Clients/ ||rguaersh.info^ +||rklyjs.info^ +||rockub.com/ban/ ||rockub.com/widget/ ||rollersexe.com/ban/$third-party ||roxservers.com/images/banners/ @@ -46138,6 +47967,7 @@ _regiepub/ ||ruedeslibraires.com/livre-affiliation/ ||rwabe.com/pub/ ||s-sfr.fr/stats/authMsg.js +||s-sfr.fr/stats/footer.js ||saintseiya.lesite.free.fr/images/bannieres/ ||salopes.free.fr/ban/ ||service-factures.fr/bannieres/ @@ -46166,18 +47996,23 @@ _regiepub/ ||sky-animes.com/public/Partenariat/ ||skynet.be/freewaooh2/ban.png ||sliceblog.com/img/pub/ +||slip.madmoizelle.com^ ||sm-passion.net/ban/$third-party ||social.yoox.it/view.aspx?$third-party ||socialboost.fr/promo/$third-party ||soft-66.net/open.js +||solution.weborama.fr^ +||soonnight.com^*.html?width= ||sos-trique.com/ban/$third-party ||sousstube.net/pub/ +||space-blogs.com/*/images/banners/ ||speedtest.net/images/$domain=infostar.e-monsite.com ||sponsorboost.com/banniere-rotative. ||sponsoweb.com/htdocs/templates/banners/ ||stars-passion.com/ban/$third-party ||storefollow.com/?support= -||streaminger.tv/ad*.htm +||streaminger.tv/ad*. +||sublinet.com/www/public/images/*/72890_$third-party ||surf-heures.com/img/banniere. ||surf-report-shop.com^$popup,domain=surf-report.com ||systeme-business.com/images/120x600sb.jpg @@ -46185,30 +48020,40 @@ _regiepub/ ||tagbox.fr/banner/ ||techbeat.com/wp-content/custom-php/tbrecentposts3.php? ||teen-passion.net/annuaire/ban/$third-party +||telecharger9.fr^ ||teliad.fr^*/banner/ ||terasexe.com/pubs/ ||test-psycho.com/meetic.gif$domain=sortirensemble.com ||tools.gigacu.com^ -||toomai.fr/lp/$subdocument +||toomai.fr/olp/$subdocument ||torrent24h.net^$popup,third-party ||tour.reelvidz.com/movie_player_dps/$popup,third-party ||toutsurlesabdos.com/images/bannieres_$domain=europeplusnet.info ||track.bloglog.com^$third-party +||trafeeq.com^ ||tripadvisor.com/*/partner/$third-party -||tripadvisor.com/WidgetEmbed-$domain=leparisien.fr +||tripadvisor.com/WidgetEmbed-$domain=aujourdhui-en-france.fr|leparisien.fr ||tripadvisor.ru/WidgetEmbed-tcphoto?$domain=larussiedaujourdhui.fr ||tv-live.fr/ban/ +||twenga.fr/publisher/$third-party ||uncadeau.com/partner_widgets/$third-party ||unifinance.net/images/banners/ ||untravailadomicile.info/images/banner +||urafur.clubeo.com^ ||url.ph/banners/ ||vernimmen.net/images/flash/300x300_$third-party -||videoplaza.tv/creatives/assets/$object-subrequest,domain=rfi.fr ||videos-de-celebrites.com/CMF_Banners/ +||vine.co/v/OV390pOKMWI/$subdocument,domain=tuxboard.com ||viwii.net/banners/$third-party -||vshop.fr/js/freak*.js$third-party +||voiture-ligier.info/pub1. +||voiture-louer.info/pub. +||voiture-louer.info/pub1. +||voiture-net.info/pub. +||voiture-net.info/pub1. +||voyage-langue.com/widget/ ||w3sexe.com/logo.php? ||wallmanga.com/img/anim_banniere_ +||wbdds.*/include/async ||webcilon.tripod.com/bannieres/ ||webself.net/WebselfEditeur/FormulaireDemo.aspx? ||webstars.fr/services/webstars.php? @@ -46217,7 +48062,6 @@ _regiepub/ ||widget.achetezfacile.com/widget.js$third-party ||widgetvillage.com/ministore/$third-party ||wtpn.twenga.com/publisher/$third-party -||wtpn.twenga.fr/publisher/$third-party ||xavbox360.com/ban/ ||xavboxnews.com/files/*-468.jpg ||xg1.li^$subdocument,domain=korben.info @@ -46229,39 +48073,45 @@ _regiepub/ ||zeusmangax.com/baniere/ ||zone.*.netdna-cdn.com^ ||zooplus.fr/affiliate/ +||zp.programme.tv^ ||zupimages.net/api/scripts/api.php?$domain=ebookdz.com ||zupimages.net/up/2/1780414445.gif ! !----------------------- Sites spécifiques -----------------------! ! /http://www\.sofoot\.com/IMG/i\d+\.jpg/$domain=sofoot.com -||01net.com^*/adnl.$script +terredauphinoise.fr/casiope/serveur/partage/ +|http:$subdocument,third-party,domain=clictune.com|sa.ae ||01net.com^*/regie/ -||100pour100sexe.com/pop.js +||100pour100sexe.com/pop. +||16algerie.com/images/banner_ +||16algerie.com/images/JHF.jpg ||1an2kdo.com/pics/pub/ ||1fichier.fr/pub2/ ||1maxdegay.com/images/rotbas/ ||1maxdegay.com/images/rotcol/ ||1parrainage.com/logos/habillage ||20minutes.fr/img/auto-promos/ -||2folie.com^*/underpopup.js +||2folie.com^*/underpopup. ||2siteweb.com/cccam.gif -||2siteweb.com/likeboxfbfanpro.js +||2siteweb.com/likeboxfbfanpro. +||56c646cc9f58f35661191763632f428a.leboncoin.fr^ ||7sur7.be/immoweb/ ||7sur7.be/references/ ||7sur7.be/static/nmc/adv/ -||a18ans.com/iframe_pub_header.php ||a18ans.com/pub/ ||a40ans.com/pub/ -||aaeps.fr/images/banners/ ||abc-du-gratuit.com/bannieres/ ||abcbourse.com^*/cortal_home.jpg ||absoluflash.com^*/jeux-ban/ ||absoluflash.com^*/tube-pub- +||accn.allocine.net^ ||actu-environnement.com/javascript/footer_permanent.js ||ad.oujdacity.net^ ||ad.referencement.01net.com^ +||ad.smartorrent.com^ ||adli.pw/campagnes/ +||adopteunmec.com^*/pave_partenaire_ ||affaires-dz.com/images/banners/ ||affination.com^*/banners/$third-party ||africanmanager.com/oad/ @@ -46275,14 +48125,18 @@ _regiepub/ ||algerie-focus.com/wp-content/themes/zenko/images/axa*.swf ||algerie-focus.com/wp-content/uploads/*/banner-600x250- ||algerie360.com/wp-content/uploads/*/Banniere +||aliexpress.com/p4pforlist.html? ||alimentation-france.com/*/pubs/ ||all-musculation.com/AM/template/images/pubs/ +||all-musculation.com^*/pub-fond/ ||allmetsat.com/data/pub/ ||allocine.fr/call/pubx/ +||allocine.fr/clickcmd/$popup ||allstream.fr/images/partenaires/ ||alsacreations.com/xmedia/pubs/ ||alternatives-economiques.fr/pics_bdd/habillage/ ||alternatives-economiques.fr/pics_bdd/pub/ +||altsysimg.developpez.com/$third-party ||alvinet.com/images/pub.gif ||amateur2sexe.fr/anime/anime01.gif ||amateur2sexe.fr/footer/ @@ -46294,8 +48148,10 @@ _regiepub/ ||annonces.nc/wam_pubs_ ||annonciaweb.com/ZZ-intr-*. ||annuaire-inverse-gratuit.org/js/default.js +||apipub.oumma.com^ ||aps.dz/pub- ||aps.dz/pub.php +||archives-numerisees.ain.fr^ ||ariase.com/css/themes/ ||ariase.com^*/media/pub/ ||artemedia.fr/wp-content/plugins/wp-backgroundsII/ @@ -46305,6 +48161,9 @@ _regiepub/ ||audiofanzine.com/s*.php?*category= ||aufeminin.com/clients/wengo/images/ ||aufeminin.com/home4/skin/*/fond.jpg +||aujourdhui-en-france.fr/manchettepub/ +||aujourdhui-en-france.fr/scripts/*/adblock_ +||aujourdhui-en-france.fr^*/partenaires/ ||auto-utilitaire.com/files/banners/ ||automobiles.nc/PUBS/ ||automobiles.nc/wam_pubs_ @@ -46330,6 +48189,7 @@ _regiepub/ ||bienpublic.com/fr/images/blocHTML/logoOffre.jpg ||bienpublic.com/images/pub/ ||billionuploads.com/js/pub.js +||billythekid.viedemerde.fr^ ||binnews.in/_images/pub/ ||bittovore.com/popup.php$popup ||blague.info/pub/ @@ -46338,13 +48198,15 @@ _regiepub/ ||blogdumac.com/pub/ ||blogduwebdesign.com/images/BannierePrintBox728x90_1.gif ||blogduwebdesign.com/images/Pave300x250_1.gif -||blogmotion.fr/wp-content/*/images/sideleft/ ||blogsbd.fr/pub/ ||blogsbd.fr/public/bbd-pooble.jpg +||blumei-piano.com/wp-content/themes/*/mylists.js ||boiteajeux.net/img/pub/ ||boursier.com/ui/js/docs-partenaires.js ||brain-magazine.com/images/_habillages/ ||brain-magazine.fr/images/banners/ +||bu2z.com/desktop/pub/ +||buzzwebzine.fr/wp-content/banners/ ||ca-centrest.fr/content/binary/*_annonce_*.jpg ||ca-centrest.fr/content/binary/980x152.jpg ||ca-sudrhonealpes.fr/content/binary/full_promo_ @@ -46352,7 +48214,9 @@ _regiepub/ ||caledoccaz.com/PUBS/ ||cameroon-info.net/img/banners/ ||camptocamp.org/static/images/pub/ -||canal-plus.net/image/97/0/449970.jpg +||canal-plus.com/creatives/assets/ +||canal-plus.com/image/56/3/611563.jpg +||canal-plus.net.s0.frz.io/image/76/9/604769.jpg ||canalplus.fr/bigplayer/js/pub_smart.js ||canalplus.fr/bigplayer/pub.html ||canoe.ca/accueil2007/images/btncruze.gif @@ -46367,19 +48231,32 @@ _regiepub/ ||cbmanga.fr/swf/pub_ ||cdiscount.com/imagesok/tetiere/partners/ ||cdiscount.com/include/css/op_skin/ +||cdmail.fr//pro/Images/ban_ +||cdmail.fr/bandeau/ ||cdmail.fr/banniere/ ||cdmail.fr/pro/images/ban_ ||cdn.betacie.com^*/autopromo/ ||cdn.emule-island.ru/pub/ +||centerblog.net/buyproxies- ||centerblog.net/cadre-*?zoneid=$subdocument +||centerblog.net/your-private-proxy- ||cergyvie.fr/wp-content/uploads/*/pub- ||cession-commerce.com/images/bandeaux/ ||cession-commerce.com/images/pub_ +||cfcn.allocine.net^ ||cgrcinemas.fr/image/cinejeux-cgr-standard-300x300 ||chaleurterre.net/images/Banlacentr.jpg ||choualbox.com/pub/ +||chouf-chouf.com/wp-content/*/banniere- ||chronopost.fr^*/public/visuels/partenaires/ ||cinemay.com/bannier/ +||clk.cpasbien.$popup +||cloudfront.net/img/banner +||cloudfront.net/wp-content/news/images/*/BDM300x250.gif +||cloudfront.net/wp-content/news/images/*/city-messenger.gif +||cloudfront.net/wp-content/news/images/*/FS11.jpg +||cloudfront.net/wp-content/news/images/*/NATURE-AUX-BONS-SOINS.gif +||cloudfront.net/wp-content/news/images/*/Restaurantentre2.gif ||clubic.com/06010586-photo-bg.jpg ||clubic.com^*/img/content/*-300x150. ||clubic.com^*/img/home/300x150- @@ -46387,9 +48264,11 @@ _regiepub/ ||coco.fr/chat/bigban ||code-promo.01net.com/widget/ ||codepromo.programme-tv.net/snippets/ -||commeaucinema.com/ads/ +||commitstrip.com^*/images/wejusthavetoeat/ ||compteur-gratuit.fr/images/bandeau_ ||compteur-gratuit.fr/pub_ +||comptoir-hardware.com/edi/$subdocument +||comptoir-hardware.com/pub/$subdocument ||comptoir-info.com/pb/ ||conception-site-web.info/modules/creation-site/images/banner.jpg ||confidentielles.com/*/pubimppixel.php? @@ -46404,8 +48283,6 @@ _regiepub/ ||cowcotland.com/images/habillage/$image ||cowcotland.com/images/sponsors/ ||cpasbien.*/infopop/$script -||crash-aerien.aero/www/images/myfreemagz468.swf -||crash-aerien.aero/www/images/papillons.jpg ||crash-aerien.aero^*/airnews468.swf ||creadunet.com^*/overall_header_iframe.html ||credit-az.net/pub/ @@ -46426,16 +48303,20 @@ _regiepub/ ||degourdi.com/ban/ ||degroupnews.com/css/commun/pub- ||degroupnews.com/images/banniere +||degroupnews.com/wp-content/themes/degroupnews/img/fond/nc/ ||degrouptest.com/images/bonabo-promo/ ||degrouptest.com/images/pub- ||degrouptest.com/styles/pub*.css ||delamusique.com/js/jquery.rotator.js ||deliv.leboncoin.fr^ -||demooniak.com/ads_all1.php^$popup ||demotivateur.fr/images/hab*.jpg ||depechedekabylie.com/files.php?file=banners/ ||depechedekabylie.com/files.php?file=pub/ ||depechedekabylie.com/themes/ddk/img/pub_ +||developpez.com/forums/anooffresdvp.php? +||developpez.com/template/extra.php? +||developpez.net/forums/anooffresdvp.php? +||developpez.net/template/extra.php? ||dimension-ingenieur.com^*/PUBING/ ||dimension-ingenieur.com^*/Pubs/ ||directhopital.com/upload/pub/ @@ -46445,7 +48326,11 @@ _regiepub/ ||display.youpiporn.com/images/ban*.gif ||dl-more.eu/images/vpngratuit.png ||dlive.pagesjaunes.fr^ +||dm.commentcamarche.net^ +||dm.linternaute.com^ ||dmcdn.net/mc/skin_assets/Orange_noel_2012_hub/ +||dmtk.commentcamarche.net^ +||dmtk.linternaute.com^ ||dnslookup.fr/images/pubalto.gif ||docvelo.com^*/kamvban.gif ||douniamusic.com/images/chat.jpg @@ -46461,7 +48346,6 @@ _regiepub/ ||dzfoot.com/Hab_hs-1.jpg ||dzfoot.com/panimation.swf ||dzfoot.com/swf/ -||dzfoot.com/tagads.php ||dzfoot.com/upload/hs_dzfoot-com.jpg ||dzmeteo.com/dzm.php ||dzmusique.com/images/fond_pantene. @@ -46480,7 +48364,8 @@ _regiepub/ ||economiematin.fr^*-ban-300x150. ||ecranlarge.com/js/entree_pub. ||ecranlarge.com/pop_under.php$popup -||ecrans.fr/pub.js +||ecrans.fr/pub. +||edenflirt.co/pdv/*/?comfrom=*&cf2=$popup ||edgecastcdn.net/8068BF/cdn-alg360/wp-content/uploads/*/Banner-Tag- ||editeurjavascript.com/bans/ ||editeurjavascript.com/bans2/ @@ -46490,6 +48375,7 @@ _regiepub/ ||egora.fr/sites/default/files/carre-dpc.gif ||egora.fr^*/files/pub/ ||eklablog.net/js/addons/iQweez.js? +||electromenager-compare.com/images/j15/bup- ||elevage-poules.com/Images/matpoules.gif ||elmazzika.com/images/banota.jpg ||elmazzika.com/images/download.png @@ -46500,6 +48386,7 @@ _regiepub/ ||embauche.nc/PUBS/ ||emoto.com/img/pub/ ||emploi-energie.com/banniere/ +||emploi.clubic.com/frame/ ||emploipartner.com/template/pubs/ ||emploipartner.com/uploads/banners/ ||emploipartner.com/uploads/pubs/ @@ -46520,7 +48407,7 @@ _regiepub/ ||evene.fr^*/images/fnacbox/ ||explorerlondres.com^*/hotelscom.gif ||extraithentai.com/admin/spnsr/ -||extraitsmatures.com^*/pop.js +||extraitsmatures.com^*/pop. ||faf.dz/pub/ ||fantasme-bisexuel.com^*/u.js ||fastecard.net^*/pub @@ -46530,12 +48417,14 @@ _regiepub/ ||files-save.com/noyaux/pub/ ||filmhentai.fr/tpl2/tools/ ||filmhentaiporno.com/boost/ +||filmon-ads.com^$popup ||filmoviez.com/wp-content/plugins/social-traffic-pop/ ||films-ddl.net/domabar.js ||films-sur-megaupload.com/images/468-1.png ||filmscine.com/images/playerplus.jpg ||filmze.com/xhtml/pubd/ ||filmze.me/xhtml/pubd/ +||fitshr.net/pg.php ||flam.me/*/divers/partners/ ||floriankarmen.com/wp-content/themes/creatordesign/Ads/ ||flux.liberation.fr/fnac/ @@ -46574,7 +48463,9 @@ _regiepub/ ||francoischarron.com/datascontent/insertech.gif ||frandroid.com^*/pub_affichage_web/ ||free-reseau.fr/images/ban_ +||free.fr/pubs_portail/ ||free.fr^*/js/display_shopping_alice.js +||freefoot.fr/pub.php ||freenduro.com/images/banners/ ||french-movies.net/btn_usenet.png ||fullsharez.com/rotation3/ @@ -46582,19 +48473,22 @@ _regiepub/ ||fullxmovies.com/catcheur-haut.php ||fullxmovies.com/fakeplayer/ ||fullxmovies.com/payglad/ -||fullxmovies.com/popunderclic.js -||fullxmovies.com/randomthumbs*.php +||fullxmovies.com/popunderclic. +||fullxmovies.com/randomthumbs*. ||funradio.fr^*/skin/promo/ ||futurama-stream.eu/wp-content/uploads/2014/06/ecig.jpg +||game-guide.fr/*/images/pub/ ||gameblog.fr/images/oxalide_ ||gameblog.fr/images/promo/ ||gameblog.fr/skins/$image +||gamekult.com/ajax-info/amazon-top-tout.html ||gamekult.com/i/partenaires/ -||gamekult.com/images/pubs/ -||gamekult.com/partenaires/ ||gameonly.com^*/include/pub/ +||gamer-network.fr/wp-content/uploads/*/FR_Gamer-network_300x300_ +||gamer-network.fr/wp-content/uploads/G2a.swf ||garytube.com/pop.js ||geekdefrance.fr/wp-content/themes/interiorzine/ads/ +||geekopolis.fr/images/habillage_$image ||generation-nt.com/iframe/ovh.php ||generation-nt.com/img/habillages/ ||gigacu.com/jquery.js @@ -46605,6 +48499,7 @@ _regiepub/ ||goelovb.com^*/fps.gif ||goldenboys.fr/images/klops-promo-goldenboys-180x180-v5.jpg ||goldenmoustache.com/wp-content/uploads/*/300x250 +||gonzai.com/wp-content/uploads/*/gonzai-renault.$image ||goole.fr/images/pub.jpg ||goziga.com/ban/ ||goziga.com^*/banangela.gif @@ -46617,6 +48512,7 @@ _regiepub/ ||groupolitan.be/fr/partners/iframe/ ||guide-du-travail.com/images/promo/ ||guide-du-travail.com/popupaudio.php$popup +||guide-fitness.fr/images/Investir123.gif ||guide-hebergeur.fr/img/lwssuper ||hamachifrance.com/img/images/banniereci.jpg ||hamachifrance.com/img/images/goclecdpub.png @@ -46634,8 +48530,7 @@ _regiepub/ ||herault-tribune.com^*/rep_pub/ ||hibamusic.com/pub/ ||histoires-de-sexe.net/histoires-sexe-videos.php$popup -||homecine-compare.com/images/bup/ -||homecine-compare.com/images/main/partners/ +||homecine-compare.com/images/j15/bup- ||hotvideo.fr/popup.php$popup ||hotvideo.fr/pub/ ||hotvideo.fr^*/banners/ @@ -46643,13 +48538,15 @@ _regiepub/ ||humanite.fr/sites/default/files/field/image/banniere_ ||humanite.fr/sites/default/files/medias/*/header_pub_ ||humourquotidien.com/pubs/ -||idata.over-blog.com/3/41/43/87/75/PUBDIRECT-copie-1.gif +||idata.over-blog.com/3/41/43/87/75/PUBDIRECT- ||idf1.fr/banner/ ||idf1.fr/partner/ +||iframe.lachainemeteo.com^ ||imabox.fr/pub/ ||imados.fr^*/habbo/ ||images-et-cadres.fr/images/banners/ ||images.fan-de-cinema.com/habillage/ +||images.playfrance.com/habillages$image ||images1.soonnight.com/template/skins/*/skin.css ||img.clubic.com^*-photo-bg- ||impimg.free.fr/pubs/ @@ -46677,6 +48574,7 @@ _regiepub/ ||japan-expo.com/files/habilllageautopromogiz.jpg ||jds.fr/medias/pub/ ||jedessine.com^*/monstermunch/ +||jeu.auchan.fr^$popup ||jeu.info/plus/ ||jeu.net/pub/ ||jeune-homme-gay.com^*/u.js @@ -46704,7 +48602,6 @@ _regiepub/ ||kaamelott-streaming.tv/images/m6-wideo-france.jpg ||kairn.com/*/pub. ||kairn.com/files/pub/ -||kelbillet.com/ws_smads_integration.php ||kits-graphiques-deluxe.com/images/pub1.jpg ||koaci.com/pub/ ||konbini.com^*/xhabillage_ @@ -46724,9 +48621,11 @@ _regiepub/ ||labo-microsoft.org/pub/ ||lacanausurfinfo.com/admin/images/pubs/ ||lacanausurfinfo.com/ressources/pub/ +||lacasadeel.net/banners/ ||lachainemeteo.com/blocspartenaires/ ||lafermeduweb.net/images/promote/ ||langochat.net/partenaires/ +||lanouvellerepublique.fr/pub/ ||lanutrition.fr/images/banners/ ||laposte.net^*/scripts/pub_ ||laptopspirit.fr/js/su.js @@ -46738,15 +48637,19 @@ _regiepub/ ||lc2international.tv/contenus/images/nasuba- ||lc2international.tv/images/banners/ ||lc2international.tv/video/pub- -||lcd-compare.com/images/bup/ +||lcd-compare.com/images/j15/bup- ||ldlc.com^*/#a_aid=$popup,domain=configspc.com ||le1er.net/pub- ||lebest.fr/banniere.php? ||lebest.fr/pub/ +||leboncoin.fr^*/0/Leboncoin/ELE*/ +||leboncoin.fr^*/Middle/ +||leboncoin.fr^*?_RM_EMPTY_ ||leboncoin.fr^*@Middle, ||leboncoin.fr^*@Top, ||leboncoin.fr^*@Top1? ||leboncoin.fr^*@x01, +||leboncoin.fr^*offres=*&ad= ||lebuteur.com/danone/ ||lebuteur.com/data/dzauto.swf ||lebuteur.com/data/gilette.jpg @@ -46758,12 +48661,10 @@ _regiepub/ ||lecompagnon.info/promo/ ||lecourrier-dalgerie.com/images/pub.gif ||lecourrier-dalgerie.com^*/Banni%C3%A8re- +||lecture-en-ligne.com/*/pubs.php ||ledemondujeu.com/pubcoin ||ledevoir.com/documents/image/pub/ ||lefigaro.fr/assets-components/partenaires/ -||lefigaro.fr/assets-components/widgets/ -||lefigaro.fr/content/widgets/pure-shopping/ -||lefigaro.fr^*/livingsocial/ ||legalis.net^*/swf/pub_ ||lelogicielgratuit.com/media/js/popupGenerator.min.js ||lemaghrebdz.com/images/pub/ @@ -46772,14 +48673,17 @@ _regiepub/ ||lemeilleurdupsg.com/pub/ ||lemoteurdusexe.com/img/promo/ ||lepape-info.com/pub/ -||leparisien.fr/img/partenaires/ +||leparisien.fr/manchettepub/ +||leparisien.fr/scripts/*/adblock_ +||leparisien.fr^*/partenaires/ ||lepetiteconomiste.com^*/swf_banniere_ ||lepoint.fr/html/timekeeper/ ||lepoint.fr/images/*/partenariat/ -||lequipe.fr/v6/js/popins.js? +||lequipe.fr/*/js/popin$script +||lequipe.fr^*/img/pas-manquer/$image ||lequotidien-oran.com/img/pub.jpg ||lerepairedesmotards.com/img/pub/ -||les-horaires.fr/ajax/staytuned.popup.php?city= +||les-horaires.fr/ajax/staytuned.popup. ||les-paparazzix.com/popup_in.php? ||les-terrains.com/bd_images/ ||les-terrains.com/images_pub/ @@ -46794,7 +48698,7 @@ _regiepub/ ||lesparrains.fr/images/lesParrains.fr/offers/habillage_ ||letempsdz.com/images/banners/ ||letopdusexe.net^*/infopop/ -||letour.fr^*/partenaires.swf? +||letour.fr^*/partenaires. ||letoutx.com/pubs/ ||letraitdunion.com/images/headset/ ||letraitdunion.com/images/wallpaper/ @@ -46807,15 +48711,14 @@ _regiepub/ ||libe.com/libepartnerships/ ||libellules.ch/infomaniak-hosted-by-black-transparent.png ||libertyland.tv/libertyland/images/partenaire/ -||libertyland.tv^*/pagepub.php? ||libre.eu/homepage/relooking/ ||lien-torrent.com^$subdocument ||liens-de-telechargement.com/popmodal/ +||lille.sortir.eu/portal_banneradmin/ ||links.fhsarl.com^$popup,third-party ||linternaute.com/*@*,position$script ||linternaute.com^*/0_pub/ ||linux62.org/html_css/pub_ -||liste2cul.com/iframe_pub_header.php? ||liste2cul.com/pub/ ||livecad.net/img/pub_ ||livefoot.fr/images/habillage_ @@ -46833,29 +48736,32 @@ _regiepub/ ||madcine.com/xhtml/pubd*.html ||maghrebemergent.com/images/banners/ ||maghrebemergent.info/images/banners/ -||mailizic.info/shared/_publ1c1te.html.php +||maghrebspace.net/image/*/download32.jpg +||maghrebspace.net/image/*/z9ram97.png ||mailorama.fr^*/wearing/habillage_ ||maisonbrico.com/images/partenaires/ ||manga-news.com/public/banners/ -||mangavatars.com/include/partenaires.php3 +||mangavatars.com/include/partenaires.php ||mangavatars.com/include/topsite.php3 ||manifone.com/banner/ ||mappy.com/*/files/campaigns/ ||mappy.com/services/annoncesjaunes/ ||marianne.net/photo/background- -||matchendirect.fr/*/mobile/header_cote.html -||matchendirect.fr/*/mobile/header_info.html +||matchendirect.fr/bibliotheque/image/tux/ +||matchendirect.fr/html_include/js/groupe.js +||matchendirect.fr^*/mobile/header_info. ||materiel.net/pub/ ||matter-du-sexe.com/infopop/ ||max-videos.com/tools/ ||maxisexy.com/pub/ ||maxtransexuelle.com^*/u.js ||mayottehebdo.com/images/banners/ -||mayottehebdo.com^*/pub_bottom.js +||mayottehebdo.com^*/pub_bottom. ||mazika2lux.com/mazika/ ||mcetv.fr/img/*/Habillage- ||mcetv.fr^*/BAN-partenaires- ||med-it.com/ban/ +||media-ext.wanarun.net^ ||media.rtl.fr/online/image/2014/0709/7773130306_rtl-ara.jpg ||medserv.carrefour.com^ ||medserv.carrefour.fr^ @@ -46873,9 +48779,7 @@ _regiepub/ ||mensuelautomobile.com/files/banners/ ||mercato365.fr/pub.php? ||mes-dialogues.net^*/gaysize.gif -||mes-dialogues.net^*/page_pub.php? ||mesdialogues.net^*/gaysize.gif -||mesdialogues.net^*/page_pub.php? ||mesfilmsstreaming.com/images/download_films.png ||mesliensx.com/images/bannieres/ ||mesnotices.fr/shopping/ @@ -46884,6 +48788,7 @@ _regiepub/ ||meteo.nc/images/stories/accueil/regie/ ||meteomedia.com/images/ad_placements/ ||metronews.fr/partenaires/horoscope.png +||michelin.fr/data/public/field/image/ ||midinews.com^*/oas/oas.php? ||milisexe.com/vador*.html ||millenium.org/images/contenu/habillages/ @@ -46906,6 +48811,7 @@ _regiepub/ ||movinstream.com/uploads/pubs/ ||mp3gratuit.org/fake.php ||mr-annonce.fr/images/pub/ +||muslimette-magazine.com/wp-content/uploads/*/125X125- ||mybloggertricks.googlecode.com/files/mbtlikebox2.js ||myfreesurf.com/partenaires/ ||natoms.com/js/partner/ @@ -46914,10 +48820,14 @@ _regiepub/ ||neezzmail.com/js/box.js ||neomag.fr/e-pubs/ ||netiris.fr/imgs/wengo/ +||newpromo.cpasbien. +||nextinpact.com/bon-plan/$popup ||nextinpact.com/kvgc3/ +||nextinpact.com/redirection-bon-plan?$popup ||nofrag.com/v2k7/s/*.jpg ||nokenny.com/mechouga| ||nouvelobs.com/rue89/*_standard. +||nouvelobs.com/tools/smart.php ||nouvelobs.com^*/iframe-boxes/ ||nouvelobs.com^*/partenariat89/ ||novaplanet.com^*/widget/pub_pave_ @@ -46925,24 +48835,20 @@ _regiepub/ ||nrj.fr/PUB/ ||nrj.fr/skin/classique/ ||nrj12.fr/skin/classique/ +||numeric.dz/IMG/swf/NUMERIC_KIA_MOTORSE_ ||ogaming.tv/sites/*/files/backgrounds/ ||ohmydollz.com/pub2012/ ||on-veut-du-cul.com^*/partenaire/ ||one-piece-streaming.fr/images/min/pub/ ||only-iphone.fr/wp-content/uploads/2011/05/CTM_280-280-iphone4-2.png -||onvasortir.com/fondnivea.jpg -||onvasortir.com/habillage_$image -||onvasortir.com/pub/ ||opex360.com/pub/ ||orientation-chabab.com/img/pub.jpg ||otaku-attitude.net^*/okazu-manga.gif ||ouedkniss.com/*/pubs/ -||ouedkniss.com/habillage/ -||ouedkniss.com/images/ptipana/ -||ouedkniss.com/images/store-logo/ ||ouedkniss.com/lapib/ ||ouedkniss.com/pubs/ ||ouedkniss.com/swf/Interstitiel.swf +||ouedkniss.com^*/script/index_pub.js ||ouifm.fr^*/images/partners/ ||oujdacity.net/kelkoo*.html ||oumazik.com/poop.js @@ -46957,6 +48863,7 @@ _regiepub/ ||parlonspiscine.com/pubs/ ||passeportsante.net^*/controls/pub/ ||pc-overware.be/index/images/banners/ +||peimg.fr/images/partenaire-pubeco/ ||petit-bulletin.fr/images/habillage.jpg ||petit-bulletin.fr/pub.php? ||petite-annonce-gratuite.com/encarts/bannieres/ @@ -46970,11 +48877,12 @@ _regiepub/ ||pixiz.com/img/pub_ ||pizzahut.fr/img/habillage_site.jpg ||plageporno.com/pex/exitp.js +||planet-casio.com/images/partenaires/ ||pnc-contact.com/pub/ ||pooki.fr/img/integrations/habillage -||pooki.fr/js/popup.php -||porn-video-hd.com/js/pop.js -||porn-video-hd.com/js/pop2.js +||pooki.fr/js/popup. +||porn-video-hd.com/js/pop. +||porn-video-hd.com/js/pop2. ||porn.fr/v3/index.php? ||porno-gratuit.ws/boost/ ||porno-gratuit.ws/images/catcher_ @@ -46990,6 +48898,8 @@ _regiepub/ ||presse-citron.net/wordpress_prod/wp-content/uploads/habillagePresseCitron_ ||presse-citron.net^*/chicklets_pub/ ||prm.cpasbien. +||progonline.com/bannieres/ +||progonline.com/js/message_display.js ||promo-perso.com/Scripts/App/KelkooBottom.js ||protect-stream.com/films-streaming.php ||protect-stream.com/series-streaming.php @@ -46999,7 +48909,9 @@ _regiepub/ ||pub.hdfever.fr^ ||pub.jeuxactu.com^ ||pub.lesinrocks.com^ +||pub.manga-sanctuary.com^ ||pub.menara.ma^ +||pub.nuitsexy.fr^ ||pub.nyu-nyu.com^ ||pub.petitfute.com^ ||pub.plan-dial.com^ @@ -47016,6 +48928,7 @@ _regiepub/ ||rea-dz.com/images/banners/FOND%20C2.jpg ||rea-dz.com/images/egitelt.swf ||redown.se/templates/black/images/direct.jpg +||referentiel.nouvelobs.com/file/rw300/ ||regie.hiwit.org^ ||releve.qc.ca/quebec/bannieres/ ||remiremontinfo.fr/pub/ @@ -47038,12 +48951,13 @@ _regiepub/ ||ruedesjoueurs.fr^*/campagnes/habillage/ ||rugby365.fr.fr/pub.php? ||rugby365.fr/pub.php? +||rugbygeneration.com^$popup,domain=kazeo.com ||rugbynews.fr/?specialSports$popup,domain=sports.fr ||sainte-marie-mineral.com/img/pub_ ||sbx.pagesjaunes.fr^ -||scan-mx.com^*/affpx.php ||scifi-movies.com/images/autre/promo/ ||scoopers.com/?o=$popup +||script-pag.com/demo/fr/images/pub/ ||sdv.fr/staticmacg/img/static/avosmac_ ||securite.01net.com^ ||senioractu.com/photo/bann @@ -47057,7 +48971,7 @@ _regiepub/ ||sexe-pornxx-videos.com^*/x.js ||sexe-pornxx-videos.com^*/x2.js ||sexe70s.com/ban/ -||sexefelin.com/pop.js +||sexefelin.com/pop. ||sexegratuit.be^*/u.js ||sexeoptimal.com/boost/ ||sexeplus.com/bannieres/ @@ -47071,6 +48985,7 @@ _regiepub/ ||sky-animes.com/pubs/ ||sky-animes.com/scripts/liens.php?show=partenaires ||sky-animes.com/scripts/liens.php?show=topsites +||smartorrent.com/images/download_FR.png ||sofoot.com/images/pub/ ||sofoot.com/IMG/*/logo_ ||sofoot.com/package/data.js @@ -47084,16 +48999,17 @@ _regiepub/ ||soonnight.com/intro.php? ||soonnight.com/template/page/pub/ ||soonnight.com/template/purr/ +||soonnight.com/template/skins/*_ovh_$image ||soonnight.com/template/skins/1/images2/miniban_funradio.jpg ||soonnight.com^*/bande_partenaires.png ||sosvirus.net/design/bitdefender-partenaire ||sosvirus.net/design/forum/bitdefender/$image -||soufisme-fr.com/images/pub/ ||spin-off.fr/images/vpngratuitspinfoff.gif ||sport365.fr/pub.php? ||sports.fr/includes/cobrand/*/habillage/ -||sports.fr^*/ads-google-adsense.js ||sports.fr^*/partenaires/ +||staractus.fr/wp-content/uploads/*/amazon.gif +||staractus.fr/wp-content/uploads/*/habillage.gif ||starter.fm/blog/*/bg_$image ||starter.fm/images/*/bg_ ||startertv.fr/images/*/bg_ @@ -47121,8 +49037,11 @@ _regiepub/ ||surf-report.com^*/wallpaper293x936- ||swisstools.net/*/images/pub/ ||sylvainpellier.fr/bandeau/ +||sync.ttlbd.net^ ||synonymes.com/js/capping-horos.js -||t411.me/images/external/usenet.jpg +||syskb.com^*/wordpress-notification-bar +||t.nl.francetv.fr/r/?id=$popup +||t411.io/images/external/usenet.jpg ||team-iphone.fr/phpbbtip/images/pub/ ||technikart.com/images/banners/ ||telebruxelles.net/portail/images/annonce_une/138x260-100e-fr.gif @@ -47146,8 +49065,9 @@ _regiepub/ ||tool.acces-vod.com/infopop/ ||tool.acces-vod.com/popdhtml/ ||toomai.fr/img/banner/ +||top-for-phone.fr/visuels/ ||topanalyse.com/pub/ -||topjetm.net^*/img/pub.gif +||topjetm.net^*/img/pub. ||topliste-fr.com/filmsdivx.gif ||topwarez.fr/promo/ ||topwarez.fr/promo/$popup @@ -47161,13 +49081,14 @@ _regiepub/ ||torrentfrancais.com/includes/external/fakeplayer/ ||torrentfrancais.com/telechargementdirect.png ||torrentfrancais.com/z2/direct-telechargement.png +||torrentfrancais.eu/includes/external/fakeplayer/ ||totonova.com/images/p.jpg -||toucharger.com/pub_iframe.php? +||toucharger.com/pub_iframe. ||touslesprix.com/img_*/background/ ||touteladomotique.com/pub/ ||toutmontpellier.fr/bannieres/ ||toutporno.com/boost_niche/ -||toutporno.com^*/pub_col.js +||toutporno.com^*/pub_col. ||toutpratique.com/imgs/pub/ ||tracking.easyzic.com^ ||tranquille-emile.com/wp-content/uploads/*/pub.jpg @@ -47214,7 +49135,7 @@ _regiepub/ ||vador.com^*/tc_pp_dhtml.js? ||vakarm.net/pub/ ||vazigo.fr/css/pub.css -||vazigo.fr/referencement/pub_frame.php +||vazigo.fr/referencement/pub_frame. ||vbulletin-ressources.com/forum/planethoster/ ||velotaf.com/_themes/velotaf/habillage/ ||viacredit.net/pub/ @@ -47222,15 +49143,13 @@ _regiepub/ ||video-2-cul.com/javascript/functions.js ||videos-de-celebrites.com/pub/ ||vidule.com^*/u.js -||viedemerde.fr/img/banner- -||viedemerde.fr/modules/fr/drdc_2014/ -||viedemerde.fr/placeholder/ ||virtualdjing.com/include/js/refresh_pub.js? ||virusphoto.com/bannieres/ ||visiban.com/b.php? ||visio-x.fr/js/x1.js ||visual-pagerank.fr/pub/ ||vitaminedz.com/images/general/pub-vitaminedz +||vm.newupbusiness2.pw^ ||vocable.fr/images/banners/bannieres/ ||voidspace.org.uk/images/banners/ ||voilesetvoiliers.customers.artful.net/bannieres/ @@ -47238,15 +49157,14 @@ _regiepub/ ||votrepromo.com/pub- ||voxmakers.fr/partenaires/ ||vpngratuit.fr^*/gpub.gif +||vulgarisation-informatique.com/upload/partenariat/ ||wads.plurielles.fr^ ||wallpapergratuit.org/scripts.inc.js ||wamiz.fr/css/habillage/ -||wat.fr/js/video/sm.js? -||wat.fr^*/resources/*.swf$object -||wat.tv/images/static/partner/ ||wawa-mania.*/ph.jpg ||wawacity.su/banner/ -||wawacity.su/popup.html +||wawacity.su/popup. +||wbdds.allocine.fr^ ||wbdds.jeuxvideo.com^ ||webchoc.com/pop.js ||webfrance.com/images/*120135. @@ -47255,8 +49173,10 @@ _regiepub/ ||webfrance.com/images/*145100. ||webfrance.com/images/*300250. ||webfrance.com/images/*3002502. +||webfrance.com/images/*58090. ||webfrance.com/images/*72890. ||webfrance.com/images/*980250. +||webfrance.com/images/backaffiliaweb. ||webfrance.com/images/backcj.jpg ||weblettres.net/@images/pub/ ||webmarchand.be/js/ov.js.php? @@ -47264,8 +49184,6 @@ _regiepub/ ||webstar-auto.com/banners_pub/ ||webstar-auto.com/documents/document_service_*.swf ||webstar-auto.com/iframe_autos_neufs_occasions.php -||webstar-auto.com^*/banner_campaign_affiche.php -||webstar-electro.com^*/banner_campaign_affiche.php ||webxfrance.org/images/bann_ ||weemove.com/ressources/images/habillages/ ||wgcdn.net/widget/ @@ -47276,8 +49194,9 @@ _regiepub/ ||wpartage.com/site_media/images/banner ||wpartage.com/site_media/images/pin- ||xavbox.com/ban/ +||xboxunlimited.fr/images/testaxl.jpg ||xlporn.fr/getpub? -||xstarsnews.com/admin/gestion_bann/banniere.php +||xstarsnews.com/admin/gestion_bann/banniere. ||xstarsnews.com/banner-pub/ ||xvid-fr.com/popupdhtml.js ||yanik.com/pubcitibar.jpg @@ -47292,6 +49211,8 @@ _regiepub/ ||zestreaming.com/ban.jpg ||zetorrents.com/theme/css/assets/icon/filmsx.png ||zone-numerique.com/pub/ +||zone911.com/images/banners/ +||zone911.com/images/logo-banniere/ ||zone911pub.com^ ||zonebourse.com/content_o_a_s.php? ||zonecss.fr/js/dmc_banniere_ @@ -47299,14 +49220,26 @@ _regiepub/ ||zoom-algerie.com/images/amazigh-united-250.jpg ||zoomdici.fr/media/pub/ ! MacGeneration -~forums.macg.co,igen.fr,macg.co##a\[href="http://goo.gl/kp5svN"] -igen.fr,macg.co##a\[id^="habil"] -igen.fr,macg.co##img\[onload^="_gaq.push(\['_trackEvent', 'Habillage "] -igen.fr,macg.co##img\[width="1440"]\[height="1622"] +macg.co###block-quicktabs-bon-plans-macg- +igen.fr,macg.co##.ebay +igen.fr,macg.co##.refurb +igen.fr,macg.co##.refurb_left +igen.fr,macg.co,refurbgeneration.com##a\[href^="http://ad.zanox.com/"] ||files.macg.co/macgupload/ +||macg.co/*/scripts/pub/getEbay_ +||refurbgeneration.com/*/getEbay. ! Anti-Adblock ! A l'attention des webmasters : https://easylist.adblockplus.org/blog/2013/05/10/anti-adblock-guide-for-site-admins -###anti_adblock +/ad-blocking-detector/* +/adblock-alerter/* +/adblock-notify-by-bweb/* +/antiadblockmsg. +@@/wp-content/plugins/adblock-notify-by-bweb/js/show_ads.js +@@||esprit-click.com/*.js|$script,third-party +@@||ps3-infos.fr/adsense/openads/ads/ads.js +@@||stream4free.eu/images/*#$~image +@@||stream4free.eu^$elemhide +@@||streaming-foot.me/js/adblock.js ||pubdirecte.com^$~collapse,domain=debrideurstream.fr ! !------------------ Éléments génériques -----------------! @@ -47329,15 +49262,32 @@ igen.fr,macg.co##img\[width="1440"]\[height="1622"] ###ad-planetveo ###ad-rectangle-1-dst ###ad-rectangle-2-dst +###adBoxFooter ###ad_300_250_right +###ad_liste_bookmaker +###ad_marketingbanner_1_placeholder +###ad_mpu_1_placeholder +###ad_rotation_match +###adblockDetect +###ads-320x50-I1 +###ads-320x50-I2 +###ads-320x50-I3 +###ads-320x50-I4 +###ads-728x90-I2 +###ads-728x90-I3 +###ads-728x90-I4 +###ads-970x60-I1 ###ads-medium-rectangle ###ads125-box ###adsCarre ###adsHaut ###adsense_haut ###adspave +###advertise1 +###advertise2 ###annonce_pub ###annonce_pub2 +###annonce_pub_contenu ###annoncegoogle ###annoncepub ###ban728 @@ -47345,7 +49295,9 @@ igen.fr,macg.co##img\[width="1440"]\[height="1622"] ###bandeau_publicite ###banniere-pub-top ###banniere_pub +###bas_pub ###bg_pub +###bigadvert ###bloc-pub ###bloc-pub-gauche-160-600 ###bloc-pub-header @@ -47357,6 +49309,11 @@ igen.fr,macg.co##img\[width="1440"]\[height="1622"] ###block_pub_article ###block_regie_pub_bas ###bottom_pub +###box-pub-1 +###box-pub-2 +###box-pub-3 +###box-pub-4 +###box-pub-5 ###cadre_infoads ###cadre_pub_bas ###captchmeCapsuleContent @@ -47368,7 +49325,9 @@ igen.fr,macg.co##img\[width="1440"]\[height="1622"] ###conteneur_pub ###content_left_pub ###content_pub_carre +###contenu-text-publicite ###contextuel-publicite-video +###custom-ad ###divPub ###div_pub_google ###encart-adsense-top-single @@ -47382,15 +49341,19 @@ igen.fr,macg.co##img\[width="1440"]\[height="1622"] ###footerpub2 ###footerpub3 ###footerpubs +###for_ad ###general_subpub ###google-adsence-300-250 ###google_adsencetxt +###haut_site_pub ###head-pub ###head_pub ###header-pub +###header-pub-banner ###headerPub ###header_bloc2_pub ###header_pub +###header_pub_contenu ###headerpub ###home-pub ###idpublicitepave @@ -47402,18 +49365,23 @@ igen.fr,macg.co##img\[width="1440"]\[height="1622"] ###imagePubPave ###innerpub ###j_ads +###middle-publicite +###milieu_pub ###module_publicite +###msgNoPub ###news-droite-publicite ###news_pub_centre ###pavePub ###pave_pub ###pavepub +###play-advert ###pub-200x197 ###pub-300x250 ###pub-468x60 ###pub-728 ###pub-728-90-sous-categories ###pub-728x90 +###pub-730x90 ###pub-ban ###pub-banner ###pub-center @@ -47441,6 +49409,8 @@ igen.fr,macg.co##img\[width="1440"]\[height="1622"] ###pub250 ###pub300 ###pub300250 +###pub300_adscreen +###pub300_home ###pub300x250 ###pub468x60_gauche ###pub468x60_match @@ -47460,6 +49430,7 @@ igen.fr,macg.co##img\[width="1440"]\[height="1622"] ###pubHaut ###pubHead ###pubHeader +###pubHorizontale ###pubImg ###pubLeft ###pubMiddle @@ -47490,6 +49461,11 @@ igen.fr,macg.co##img\[width="1440"]\[height="1622"] ###pub_column ###pub_contener_right ###pub_content +###pub_droite +###pub_enbas +###pub_enbas1 +###pub_entete +###pub_entete1 ###pub_footer ###pub_geante ###pub_haut @@ -47503,6 +49479,7 @@ igen.fr,macg.co##img\[width="1440"]\[height="1622"] ###pub_pave_bottom ###pub_pave_top ###pub_right +###pub_soonight ###pub_square ###pub_top ###pub_voyage @@ -47524,6 +49501,8 @@ igen.fr,macg.co##img\[width="1440"]\[height="1622"] ###publicite_728_90 ###publicite_banniere ###publicite_banniere_haut +###publicite_droite +###publicite_gauche ###publicite_header ###publicite_liste_bookmaker ###publicite_right @@ -47535,13 +49514,16 @@ igen.fr,macg.co##img\[width="1440"]\[height="1622"] ###pubtop ###rightpubbox ###roundPub +###shopper-widget-wrapper ###sidebar_pub_top ###slidepub ###spaceForPub +###sponsoredResultitem ###taboola-below-main-column ###tag_pub_footer ###teaserPub ###thePubDiv2 +###titre-publicite ###top_pub ###toppub ###toppubbutton @@ -47551,14 +49533,26 @@ igen.fr,macg.co##img\[width="1440"]\[height="1622"] ###zone_pub ###zone_pub1 ##.BannierePub +##.MobAdsHeader ##._meltypub +##.a4u_banner_js +##.ad-sponsored ##.ad_header_728x90 +##.adbanner600active +##.adf_marketingbanner +##.adf_mpu +##.ads-970x60 +##.ads-sponsored-text +##.ads_box_home_box ##.adspave +##.adv-header +##.adv_cont ##.advertisement-pub ##.annonces_google ##.ast-block-adslot ##.barre_adsense ##.bg-adsense +##.bigadvert ##.bloc-pub ##.blocPub ##.bloc_pub_300 @@ -47579,42 +49573,71 @@ igen.fr,macg.co##img\[width="1440"]\[height="1622"] ##.conteneur_pub_footer ##.conteneur_pub_horiz ##.conteneur_pub_vertical +##.div-publicite +##.div-publicite1 +##.div-publicite2 +##.div-publiciteh ##.divAdsBottom ##.encart_pub ##.entete-pub ##.entete_pub +##.espace-partenaire-premium +##.espaces-partenaires-standard ##.fig-ad ##.fig-ad-pave +##.fig-native-ads ##.footer-pub ##.footerAdsPaves ##.footer_pub ##.footerpubleft ##.footerpubright ##.free_web_hosting_banners +##.green-ad ##.head-pub ##.header-pub ##.headerPub ##.header_pub +##.hnadszone ##.home_pub ##.iframe_pub +##.insert_pub_center +##.inside_adv_section ##.kadmer-ad +##.large-ad-center +##.large-ad-center-close +##.leftSideAds ##.leftmenupub ##.little_pub ##.logo_pub +##.ltas_adspot ##.mailPubHeader ##.megapub +##.middle-publicite ##.mueveads +##.nipnadszone +##.orange-ad +##.outer_ads_right +##.padscreen +##.panet-mars-adv-panel +##.partner-pub ##.pave-pub ##.pave_pub ##.pave_pub2 +##.pm-ad-zone +##.po_wads ##.position_pub +##.ppub300 ##.pub-300 +##.pub-300-corp ##.pub-300x250 +##.pub-300x250-du-bas ##.pub-728 ##.pub-728x90 +##.pub-730x90 ##.pub-banner ##.pub-block ##.pub-carre +##.pub-carre-smart-php ##.pub-demipage ##.pub-gigaban ##.pub-haut @@ -47627,6 +49650,7 @@ igen.fr,macg.co##img\[width="1440"]\[height="1622"] ##.pub300 ##.pub300250 ##.pub300_contenu +##.pub300px ##.pub300x250 ##.pub350x250left ##.pub468 @@ -47634,9 +49658,12 @@ igen.fr,macg.co##img\[width="1440"]\[height="1622"] ##.pub468x60 ##.pub600200 ##.pub728 +##.pub728-90 ##.pub72890 +##.pub728_90 ##.pub728x90 ##.pub970x90 +##.pub980x90 ##.pubBottomRight ##.pubBox ##.pubContainer @@ -47680,6 +49707,7 @@ igen.fr,macg.co##img\[width="1440"]\[height="1622"] ##.pub_outer ##.pub_pave ##.pub_plus +##.pub_premium ##.pub_sky ##.pub_skyscraper ##.pub_square @@ -47690,8 +49718,15 @@ igen.fr,macg.co##img\[width="1440"]\[height="1622"] ##.pub_video ##.pub_voyage_2 ##.pub_voyage_award +##.pub_voyage_city ##.pub_voyage_image +##.pub_voyage_image2 +##.pub_voyage_image3 +##.pub_voyage_image4 +##.pub_voyage_image5 +##.pub_voyage_logo_hotel ##.pub_voyage_text +##.pub_voyage_visiter ##.pubaccueildroite1 ##.pubaccueilgauche1 ##.pubadsense @@ -47702,13 +49737,22 @@ igen.fr,macg.co##img\[width="1440"]\[height="1622"] ##.publicite-bas ##.publicite1 ##.publicite_3 +##.publicite_droite +##.publicite_gauche ##.publicite_locale ##.publicite_r +##.publicite_sous_slider ##.publiciteright ##.publicity +##.pubs_over +##.pubs_over1 ##.pubwrapper +##.purple-ad +##.red-ad ##.row_pub +##.shopperAds ##.show-pub +##.sidbar-ad1 ##.snippet-publisher ##.sqrpub ##.srcPub @@ -47722,13 +49766,23 @@ igen.fr,macg.co##img\[width="1440"]\[height="1622"] ##.topbarpub ##.toppubs ##.txt-pub +##.vertical-ads-group ##.widget_publicite ##.wrap-pub ##.wrapperPub +##.yourcolor-ads ##.zonepub +##a\[href*="&adurl="] ##a\[href*="/?a_aid="] +##a\[href*="/goto.php?ad_id="] +##a\[href*="/goto.php?ads_id="] +##a\[href*="/telechargement-rapide.php?"] ##a\[href*="/tracking_campaign.php?"] ##a\[href*="xiti.com/go.ad?"] +##a\[href^="/index.php/ads/"] +##a\[href^="/index.php/annonce/ads/"] +##a\[href^="http://always-parser.xyz/"] +##a\[href^="http://givemeclip.com/"] ##a\[href^="http://styleapplicationzillion.com/"] ##a\[href^="http://www.espace-plus.net/"] ! @@ -47745,16 +49799,16 @@ amazon.fr###DAr2 jeuxme.net###Div3 orange.fr###EbsaVignettes lavoixdefrance.fr###ExpandBanner -lefigaro.fr###Fe_Gigaban -lefigaro.fr###Fe_pave_top africanmanager.com###Layer1 zonebourse.com###Middle2_id -m6.fr###Partenaire mypornmotion.com###Pub mypornmotion.com###VideoPub300x250 porn-tube-sexe.com,sexytout.com###\5f email_catcher +commentcamarche.net###a0 mappy.com###a300x600 ecranlarge.com###aNePasManquer +xboxunlimited.fr###abos +hqq.tv###ad liveradio.fr###ad1 meteomedia.com###ad300x250 + * + * + * + * mediatntsat.com###ad_archive_above_content1 @@ -47767,12 +49821,11 @@ courrierlaval.com###add_bottom courrierlaval.com,letraitdunion.com###add_top mistergoodmovies.net###addspace streamingvideos.fr###adpanel\ fr -ecogine.org,full-stream.net,telechargementgratuits.com###ads +ecogine.org,full-stream.me,full-stream.net,telechargementgratuits.com###ads ustart.org###ads_tall algerie360.com###adssouspost nowvideo.eu###adv1 telechargementz.org###advertisement -technogps.com###advertstream_waback telechargementgratuits.com###aff-france dogzer.com###affichage_tag_58 porn-tube-sexe.com###affidate_form_horiz @@ -47781,12 +49834,12 @@ lesnumeriques.com###after-dfp-products lesnumeriques.com###after-main-products lesnumeriques.com###after-top-right-products francoischarron.com###altbigbox2 +millenium.org###amazon_container mcetv.fr###annonce-header upp-auteurs.fr###annonce_a upp-auteurs.fr###annonce_b -clubic.com###annonce_pub_contenu sport.francetv.fr###archePromo -tf1.fr###archePub +pubeco.fr###aroundShop autoreflex.com###arx_home_partenaires comment-economiser.fr###astuce_pub africanmanager.com###bLayer @@ -47799,10 +49852,11 @@ egora.fr###ban-gp grandecran.fr###ban_big football365.fr,mercato365.com,rugby365.fr,sport365.fr###ban_bottom football365.fr,mercato365.com,rugby365.fr,sport365.fr###ban_top +cdmail.fr###bandeau kairn.com###bandeauTheme > .video priceminister.com###bandeau_premium click-fr.com###baner -blogger-au-bout-du-doigt.blogspot.com,boursier.com,cdmail.fr,htmlforums.com,lesaffaires.com,maliweb.net###banner +blogger-au-bout-du-doigt.blogspot.com,boursier.com,htmlforums.com,lesaffaires.com,maliweb.net###banner football.fr,sports.fr###banner-full welovetennis.fr###banner-top cpasbien.pw,hitradio.ma###banner2 @@ -47814,9 +49868,9 @@ lacanausurfinfo.com###banner_footer jeuxvideo.com###banner_jv dzairfoot.net###bannerfloat tous-sports.tv###bannerfloat01 -france-pittoresque.com,matchendirect.mobi,radiofrance.fr###banniere +france-pittoresque.com,gentside.com,matchendirect.mobi,maxisciences.com,ohmymag.com,radiofrance.fr###banniere +free.fr###banshopping1 jeux-gratuits.com###barre-partenaires -lefigaro.fr###beead_flash tennisactu.net###bgclicable neomag.fr###big-ad gizmodo.fr###big-mega @@ -47826,12 +49880,14 @@ logitheque.com###bloc-droit-haut-250-250 logitheque.com###bloc-droite-bas-250-250 mfteam.fr###bloc-fondpub logicielmac.com###bloc-pub-centre +aujourdhui-en-france.fr,leparisien.fr###blocMarketing programme-tv.net###blocPub_MEGABAN mail.voila.fr,orange.fr###blocServices maisonbrico.com###blocSponsor lachainemeteo.com###bloc_aquarelle meteoconsult.fr###bloc_pub_sommaire_terrestre algerie360.com###bloc_pub_sprt +commentcamarche.net###bloc_sponsor jolpress.com###block-acp-block-publicite-top franceculture.fr###block-fcbloc-publicite lemouv.fr###block-lemouv_bloc-pub_ftv_right @@ -47841,9 +49897,9 @@ franceinfo.fr###block-zerobloc-pub-ftv-carre bricoleurdudimanche.com###block_a_decouvrir novaplanet.com###block_novadraganddrop_pub femmemag.re###block_regie_pub_bas_article +liligo.fr###bottom-banner-smart magicmaman.com###boutiqueRight previmeteo.com###box_4_pub -lefigaro.fr###boxshop3 conseils-courseapied.com###cadre-vignette-carnet soonnight.com###cadre_partenaire astuce-facebook.com###cadrelonggoogle @@ -47857,14 +49913,16 @@ imagik.fr###cb30popmedia renovationettravaux.fr###cboxOverlay emule-island.ru###centre_haut chuck-streaming.fr,hawaii-streaming.com,smash-streaming.com,the-big-bang-streaming.com,trone-de-fer-streaming.com###cgu_pub +wanarun.net###chaussuresCarousel +sitedesmarques.com###check-also-box wamiz.com###cl-global-link scifi-movies.com###clichomepage -aujourdhui-en-france.fr,leparisien.fr###clubDealbloc directvelo.com###col_03_partenaires zebulon.fr###col_droite zebulon.fr###col_droite_fine renovationettravaux.fr###colorbox oujdacity.net###common-top-widget +matchendirect.fr###comparateur covoiturage.fr###comuto_insidepage_ads meteomedia.com###container_bac canalturf.com###content > div\[style="width:100%; z-index: 100; margin-bottom:10px; text-align:center "]:first-child @@ -47900,10 +49958,12 @@ forumfr.com###firstpost_ad seriesnostop.com,videonostop.com###fixe_ctplugin liberte-algerie.com###flash\[style="width:980px; margin:auto; position:relative;"] sport-team.org###floatLayer +streaming-foot.me###floatLayer1 tsa-algerie.com###floatSide tsa-algerie.com###floatSide-right cinemavf.net,vfstreaminggratuit.com###floatlayer2 -gamekult.com###fnac-top-list +algeriepatriotique.com###flottante_droite +algeriepatriotique.com###flottante_gauche test-mobile.fr###fondhabillage nintendo-master.com###fondinter search.ke.voila.fr###fontDivVignette @@ -47929,10 +49989,15 @@ reverso.net###hAdv cdiscount.com###hMall manga-sanctuary.com###hab bdgest.com,bedetheque.com###hab_click +comics-sanctuary.com###habillage alternance.com,bac-es.net,bac-l.net,bac-pro.net,bac-s.net,bac-stg.net,brevetdescolleges.fr,devoirs.fr,doc-etudiant.fr,ingenieurs.com,marketing-etudiant.fr,mediaetudiant.fr###habillage-right alternance.com,bac-es.net,bac-l.net,bac-pro.net,bac-s.net,bac-stg.net,brevetdescolleges.fr,devoirs.fr,doc-etudiant.fr,ingenieurs.com,marketing-etudiant.fr,mediaetudiant.fr###habillage-top +ouedkniss.com###habillage_a +ouedkniss.com###habillage_flash e-orientations.com###habillage_pub millenium.org###habillagesite +geekopolis.fr###habitdroit +geekopolis.fr###habitgauche football.fr,sports.fr###hablinkzone logicielmac.com###haut-droit-728-90 annonces-dz.com###hb @@ -47970,6 +50035,7 @@ wawacity.su###img_300x250_fiche_Top wawacity.su###img_3_300x250 wawacity.su###img_468_Fiche_Adorika wawacity.su###img_home_300x250_6 +jeuxrouille.com###imgpub audiofanzine.com###index-sonicprice equirodi.be###index_module_pub question-de-vie.com###instance-atom-text-37 @@ -47979,7 +50045,6 @@ loisirados.com###intersticiel conseils-courseapied.com###ja-banner jeuxonline.info###jol-sidebar-ad jeuxjeuxjeux.fr###js-game-leaderboard-bottom -emploi.clubic.com###kj_small_conseil virginradio.fr###la-promo-showskin-a lafermeduweb.net###lastBar marketing-professionnel.fr###leader-wrapper @@ -47989,34 +50054,32 @@ libertyland.tv###leleftbas + div\[style="width:160px; margin-top:10px;"] grandecran.fr###les_pubs_locales orange.fr###lienComPart lfp.fr###lien_billeterie -clubic.com###liensTransversaux lebest.fr###liens_sponso nouvelobs.com###ligatus_right_column +degroupnews.com###link_pub journaldugeek.com###linkhabillage ouedkniss.com###list-last-stores -clubic.com###listBlock_espacePartenaires -clubic.com###listBlock_mediatis -clubic.com###listBlock_widgetPepita millenium.org###logo_droite +laposte.net###lpn_pub_main amateur2sexe.fr###mail-form imagedrole.de###main-bottom -1fr1.net,5forum.info,actifforum.com,actifland.com,allianceogame.com,anciennestar.com,annuaire-forums.com,asdesas.net,bb-fr.com,bbactif.com,bbconcept.net,bbfr.net,bbgraph.com,board-poster.com,bonnesrecettes.org,catsboard.com,chefgourmet.fr,chez-domi-et-domi.net,cinebb.com,clictopic.com,conceptbb.com,crazy4us.com,creation-forum.com,creationforum.net,creer-forums.fr,creer-un-forum-gratuit.be,creer-un-forum-gratuit.com,creer1forum.ca,creerforum.ca,creersonforum.com,creerunforum.eu,creerunforumgratuit.com,cultureforum.net,cyberenquete.net,desforums.net,discutforum.com,discutland.net,discutplaza.com,dynamicbb.com,ephpbb.com,exprimetoi.net,fantasyboard.net,fofogourmand.com,forum-actif.net,forum-francophone.com,forum-gratuit.ca,forum-gratuit.cc,forum-gratuit.tv,forum-invision.ca,forum-nation.com,forum-phpbb.ca,forum-pro.fr,forum2discussion.com,forum2jeux.com,forum2ouf.com,forumactif.com,forumactif.fr,forumactif.org,forumalpin.com,forumandco.com,forumbenin.com,forumcanada.net,forumcanadien.ca,forumchti.com,forumculture.net,forumdediscussions.com,forumdefan.com,forumetoile.com,forumfemina.com,forumgratuit.be,forumgratuit.eu,forumgratuit.fr,forumgratuit.org,forumlimousin.com,forumloire.com,forumnord.com,forumnormandie.com,forumperso.com,forumpersos.com,forumpro.fr,forums-actifs.com,forums-gratuits.fr,forumsactifs.com,fr-bb.com,frbb.net,goodforum.net,grafbb.com,guildealliance.com,harrypotterfans.fr,ideesrecettes.net,idfforum.com,infocamargue-lejeune.com,jdrforum.com,jecuisine.org,jeunforum.com,jeunsforum.com,jeuxvideoforum.com,kanak.fr,keuf.net,kiffmylife.com,lebonforum.com,leforumdelavant.net,leforumgratuit.com,liberte.tv,limada.net,maghrebworld.net,mescops.com,mesrecettes.biz,miraculeux.net,monalliance.com,monempire.net,moninter.net,nosfofos.com,nouslesfans.com,nouvellestar.org,politiclub.net,positifforum.com,pro-forum.fr,purforum.com,realbb.net,rpg-board.net,secret-story-2.net,sos4um.net,star-ac.net,starac8.net,superforum.fr,tonempire.net,topolympique.com,topsujet.com,topsujets.com,trodlabal.com,tropfun.net,votreforumgratuit.com,winnerforum.net,yoo7.com,zikforum.com###main-content > div\[style="padding:10px 0 0 0 !important;"] jeuxvideo.com###mc_sponso sfr.fr###meeticWrapper -goldenmoustache.com###mega-hab sofoot.com###megaban businessnews.com.tn###megaban-1000 jeuxactu.com###megaban1 elwatan.com,franceantilles.fr,franceguyane.fr,lerevenu.com,silicon.fr###megabanner +jeuxvideo-live.com###meilleursPrix jeuxvideo.com###menu_topventes +aujourdhui-en-france.fr,leparisien.fr###meteo-immo +liligo.fr###midbanner logicielmac.com###milieu-de-page-728-90 lessentiel.lu###min_rectangle 20minutes.fr###mn-autopromo +pubeco.fr###modPromoMoment marianne2.fr###mod_1171545 -aujourdhui-en-france.fr,leparisien.fr###module-rencontres numerama.com###module_bonnes_affaires p-nintendo.com###network > ul > .jm -macg.co###new_block_refurb judgehype.com###news-droite-nepasmanquer a\[href^="http://www.materiel.net/"] extreme-down.com###news-partner voila.fr###nosPartenaires @@ -48027,23 +50090,24 @@ emule-island.ru###offerBox gameblog.fr###overlayFnac forum-iphoneaddict.fr###p00 cdiscount.com###paFooterPubPartner -leparisien.fr###parisien-partenaires +aujourdhui-en-france.fr,leparisien.fr###parisien-partenaires judgehype.com,redlist-ultimate.be,soonnight.com###partenaire tube-teen.fr###partenaire_img tube-teen.fr###partenaire_link fun-trades.com,hardware.fr,lemoteurdusexe.com,mobilefilmfestival.com,ouifm.fr,portail.free.fr,ucpa-vacances.com###partenaires letour.fr###partenaires2 lexpress.fr###partenaires_crm +pubeco.fr###partner miroirsocial.com,wanimo.com###partners -commentcamarche.net###partners_offers equirodi.be###partnerslinks2 -lefigaro.fr###pave_article +gentside.com,maxisciences.com,ohmymag.com###pave_haut dzfoot.com###pave_twoh anime00.com,anime00.net,cinemay.com,e-booksland.com,filmscine.com,lastfilmstreaming.com,livre-technique.com,mesfilmsstreaming.com,movizfr.com,mu-streaming.com,seriesnostop.com,videonostop.com###pb1 garytube.com,oumazik.com###pb2 comptoir-info.com###pb_lb comptoir-info.com###pb_sb comptoir-info.com###pb_sq +lindependant.fr###petitesAnnoncesBlock gladplayer.com,paygladplayer.com,pgflow.com,playglad.com###pg_banproll topanalyse.com###pid_f silicon.fr###plugin-include-php-3 @@ -48056,16 +50120,14 @@ filmze.com###popupslider sitedesmarques.com###posPub korben.info###post-partenaire forumfr.com###post_id_pub -homecine-compare.com###ppsa_head_i -matchendirect.fr###prehome_contenu -matchendirect.fr###prehome_fond +homecine-compare.com,lcd-compare.com###ppsa_head_i homecine-compare.com###prl_box_p1 fluvore.com###prom ecranlarge.com,lacanausurfinfo.com###promo extremepc.fr###promoHead + hr + .center trouvetamusique.com###promouvoirmusique streamnolimit.com###pscroller1 -allstreamz.com,annuaire-streaming.com,blogs.allocine.fr,centerblog.net,emule-island.ru,extremepc.fr,japan-expo.be,jeux-2-filles.com,jeuxonline.info,letudiant.fr,levraigabroy.com,nrj.be,nrj.fr,nuked-klan.org,olivierdauvers.fr,orange.fr,planet-casio.com,science-et-vie.com,service-public.fr,solutions-logiciels.com,sortir47.fr,toutpratique.com,virtuoflash.com,wareziens.net###pub +allstreamz.com,annuaire-streaming.com,blogs.allocine.fr,centerblog.net,emule-island.ru,extremepc.fr,iphonesoft.fr,japan-expo.be,jeux-2-filles.com,jeuxonline.info,letudiant.fr,levraigabroy.com,nolyo-tv.com,nrj.be,nrj.fr,nuked-klan.org,olivierdauvers.fr,orange.fr,planet-casio.com,science-et-vie.com,service-public.fr,solutions-logiciels.com,sortir47.fr,toutpratique.com,virtuoflash.com,wareziens.net###pub nextinpact.com###pub-bot francebleu.fr,franceinfo.fr###pub-ftv-top jeu.info###pub0 @@ -48078,6 +50140,7 @@ info-clipper.com###pubBando jeuxvideopc.com###pubBottom astuceclub.com###pubCenter tlm.fr###pubFloat +gamer-network.fr###pubLarge ouest-france.fr###pubPosition1 xoo.it###pubRdc tlm.fr###pubRight @@ -48087,11 +50150,9 @@ fansubresistance.in###pub_728x90_avant_pg_stream fansubresistance.in###pub_728x90_sous_solo tele.premiere.fr###pub_a2d_pave vo2.fr###pub_background -ouedkniss.com###pub_care jeuxvideo.com###pub_carre1 -matchendirect.fr###pub_criteo_300x250_1 -matchendirect.fr###pub_criteo_468x60_1 elwatan.com###pub_habillage_lien +ouedkniss.com###pub_interstitiel chuck-streaming.fr,hawaii-streaming.com,smash-streaming.com,the-big-bang-streaming.com,trone-de-fer-streaming.com###pub_js lesmobiles.com###pub_middle_home programme-tv.net###pub_pole_position1 @@ -48105,12 +50166,14 @@ troc-velo.com###publine macg.co###pubmenu focus-numerique.com,japan-expo.be,lapresse.ca###pubs algerie360.com###pubsousVid -matchendirect.fr###pubtetiere -flights-results.liligo.fr###pulledbanner -flights-results.liligo.fr###pulledbanner-right-top +gamaniak.com###pubtopmenu +search.free.fr###pud_search +liligo.fr###pulledbanner +liligo.fr###pulledbanner-right-top nouvelobs.com###random-div-id-1_masterblock nouvelobs.com###random-div-id-1_shopping amazon.fr###raw-search-desktop-advertising-tower-1 +pubeco.fr###recommandPublis parolesmania.com###rectangle > .thinbox div\[style="height: 250px;"] lexpress.mu###region-user-second radio-monaco.com###responsive-banner-slider @@ -48125,9 +50188,9 @@ lepoint.fr###seloger_annonces_immo lepoint.fr###seloger_recherche_immo slappyto.net###shadow zapiks.fr###shop -clubic.com###shopper-widget-wrapper laposte.net,portail.free.fr###shoppingBox sfr.fr###shoppingWrapper +zone-numerique.com###shoppinghaut choisirsonforfait.com###sidPub herault-tribune.com###side_pub1 herault-tribune.com###side_pub2 @@ -48150,7 +50213,6 @@ algerie-focus.com###sponsor-axa blogduwebdesign.com###sponsor250 jeuxvideo.com###sponsor_google europe-echecs.com###subheader_pub -letribunaldunet.fr###suggestion-article francoischarron.com###superbanner_v2 ruedesjoueurs.com###supersticiel brain-magazine.fr###t_logo_pub @@ -48174,30 +50236,36 @@ psthc.fr###thc_amz_content phpsources.org###titre_librairie top-serie.org###top viewsurf.com###top-ban -flights-results.liligo.fr###top-banner-smart +liligo.fr###top-banner-smart jeuxonline.info###top-leader-wrapper elmoudjahid.com###topads mac4ever.com###topappWidget 2siteweb.com###topbanner as-salat.com,forumbismillah.com,streamxd.com###topbar +playerhd1.pw###total_banner lateen18.com,lesbeurettes.com,lesbienne-gratis.com,vidule.com###trade +matchendirect.fr###tux_centrale msn.com###upgrade.hide voyages.liberation.fr###vHeader-pub verif.com###verif_pub_adsense_commander verif.com###verif_pub_pave +jeuxvideo.com###video-footer amateur2sexe.fr###video-full europages.fr###vipBox systemed.fr###vitrineFabricants rtl.be###w-leaderboard wix.com###wixFooter wix.com###wixfooter -lcd-compare.com###wk_navbar_slides +electromenager-compare.com,homecine-compare.com,lcd-compare.com###wk_infobar vidule.com###wnc_disclaimer meteomedia.com###workopolis priceminister.com###wrap\[style="width: 685px; height: 125px; overflow: hidden"] frequence-radio.com###wrap_pub_listing strasbourg-tramway.fr###ws_embed_footer yahoo.com###yad-billboard +programme.tv###zeromask +programme.tv###zeropop +terredauphinoise.fr###zone-pub1 cityvox.fr###zoneConnexion + * + .RP genybet.fr##.GGFODTBDCS estrepublicain.fr,ledauphine.com##.GTRF_sponsoredLinks @@ -48208,35 +50276,42 @@ aufeminin.com##.OffresSpe_cadre afrokanlife.com##.PubAdAI lagazettedescommunes.com##.actus-case-pub lagazettedescommunes.com##.actus-home-right-pub -covoiturage.fr,e-sante.fr,fabriquer-des-meubles.fr,gizmodo.fr,lematin.ch,maps.google.fr,p-nintendo.com,photo.fr,tetu.com,tripadvisor.fr,zapiks.fr##.ad -sudouest.fr##.ad-box +covoiturage.fr,e-sante.fr,fabriquer-des-meubles.fr,gizmodo.fr,lematin.ch,maps.google.fr,p-nintendo.com,photo.fr,playerhd1.pw,tetu.com,tripadvisor.fr,zapiks.fr##.ad +midilibre.fr,sudouest.fr##.ad-box pafpaf.com##.adBlocTop macg.co##.adBottom +aujourdhui.fr##.adBox lastminute.com##.adContainer +allocine.fr##.adbox reverso.net##.adcontent gmx.fr##.add beaute-test.com##.addictbloc 01net.com##.adnl_zone -actustar.com,cvya.dz,do-tube.org,fairytailmx.com,floriankarmen.com,footespagnol.fr,freedom-ip.com,mercato365.com,metronews.fr,obturations.com,oujdacity.net,raje.fr,replay.fr,rugby365.fr,rugby365.fr.fr,scan-mx.com,sortiesdvd.com,sport365.fr,streaming-video3x.com,t411.me,telesatellite.com,tonmanga.com,uzinagaz.com,webstar-auto.com,webstar-electro.com,yourporno.fr##.ads +actustar.com,cvya.dz,do-tube.org,fairytailmx.com,floriankarmen.com,footespagnol.fr,freedom-ip.com,htmlforums.com,lephpfacile.com,lequipe.fr,mercato365.com,metronews.fr,nolyo-tv.com,obturations.com,oujdacity.net,raje.fr,replay.fr,rugby365.fr,rugby365.fr.fr,scan-mx.com,sortiesdvd.com,sport365.fr,streaming-video3x.com,t411.io,telesatellite.com,tonmanga.com,uzinagaz.com,webstar-auto.com,webstar-electro.com,yourporno.fr##.ads artdeseduire.com##.ads-books artdeseduire.com##.ads-information cvya.dz##.ads-vert toilef1.com##.ads615x60Actu abrutis.com,pooki.fr##.adsense +ipadsl.net##.adsl la-musique-rai.com##.adsr p\[style="background-color:#FFF; text-align:center;"] -fusac.fr,lefigaro.fr,rajacasablanca.com##.adv +fusac.fr,rajacasablanca.com##.adv arabzik.org,korben.info,lesoir.be,midilibre.fr##.advert decitre.fr##.advertise lemoniteur.fr,skipass.com##.advertisement -traildesforts.com##.advertising +traildesforts.com,wat.tv##.advertising statistiks.fr##.adz aufeminin.com##.af_bloc_partners +goodcast.co##.alert hdfever.fr##.aliencable-link +sitesavisiter.com##.alj lemonde.fr##.annnonces_partenaires jeuxvideo.fr,jeuxvideopc.com##.annonce_pub_contenu voyageforum.com##.annoncer_sur sortiesdvd.com##.art-Post\[style="float: left"] sortiesdvd.com##.art-Post\[style="float: right"] +nextinpact.com##.article_bonplan +nextinpact.com##.article_bp buzzly.fr##.article_pubtop viamichelin.fr##.autoPromoCarTrawler totonova.com##.avi @@ -48244,8 +50319,9 @@ hdfever.fr##.background_clic zebulon.fr##.ban2 e-jeune.net##.ban_carre_1366 topsite-web.net##.bandeauHaut +cdmail.fr##.bandeauvert orientation-chabab.com##.bann -canalplus.fr,d8.tv,gulli.fr,kpopfm.fr,manga-news.com,orientation-chabab.com,trimag.fr,video-2-cul.com##.banner +gulli.fr,kpopfm.fr,manga-news.com,orientation-chabab.com,trimag.fr,video-2-cul.com##.banner golem13.fr##.banner-halfpage mobilealgerie.com##.banner_sp auto-utilitaire.com,mobilealgerie.com##.banner_sp_art @@ -48255,7 +50331,7 @@ liberte-algerie.com##.bannergroup_bannierepub liberte-algerie.com##.bannergroup_pave maghrebemergent.com##.banneritem dvdrip-truefrench.com##.bannertop -actu-environnement.com##.banniere +actu-environnement.com,chouf-chouf.com,webfrance.com##.banniere une-recette.com##.banniere1 une-recette.com##.bannierebas oopsbuzz.com##.behincontent @@ -48265,15 +50341,14 @@ des-amours.com##.big-button k-streaming.com,seriestreaming.org,streamingfilms.fr##.bireklam mobilealgerie.com##.blc_300x250_blanc francefootball.fr##.bloc-autopromo +jeuxvideo.com##.bloc-boutique-droite nouvelobs.com##.bloc-partners -leparisien.fr##.bloc-pratique +aujourdhui-en-france.fr,leparisien.fr##.bloc-pratique logitheque.com##.bloc-pub-center-left -programme-tv.net##.blocLeguide -leparisien.fr##.blocPartenaire +aujourdhui-en-france.fr,leparisien.fr##.blocPartenaire lachainemeteo.com##.bloc_1_col_middle\[style="height:160px;"] mobilealgerie.com##.bloc_728x90_brd psychologies.com##.bloc_abo -jeuxvideo24.com##.bloc_article_300px generation-nt.com##.bloc_boutique generation-nt.com##.bloc_googlechrome reducavenue.com##.bloc_iab @@ -48298,8 +50373,10 @@ trictrac.net##.boardgamegeek leguide-shopping.tele-2-semaines.fr##.body lesnegociales.com##.body_clic trocdestrains.com##.boite-partenaire-v +nextinpact.com##.bonplan_article 20minutes.fr##.bons-plans hentai-3x.com##.boost +liligo.fr##.bottom-banner hamachifrance.com##.box-1.deepest\[style="min-height: 250px;"] challenges.fr,nouvelobs.com##.box-simulation-immo ibuzzyou.fr##.box-sous-titre-gauche @@ -48308,7 +50385,6 @@ israel7.com##.box2\[style="background-color:rgb(0,0,0);height:250px;"] israel7.com##.box2\[style="background-color:rgb(0,0,0);padding:20px;"] israel7.com##.box2\[style="padding:5px;height:600px;"] days-media.fr##.boxed\[style^="width:300px; height:250px"] -jeuxvideo24.com##.bp_zone gamergen.com##.bup football365.fr,mercato365.com,rugby365.fr,sport365.fr##.bwin orange.fr##.campagnePUBcoldroite @@ -48317,7 +50393,7 @@ a18ans.com,jamaisjouis.com,liste2cul.com,vidule.com##.catcher porn-video-hd.com##.catcher-videos girlsgogames.fr##.categoryBanner akelys.com##.cellulePUB -clubic.com##.centre_selections_shopping +yahoo.com##.classickick test-mobile.fr##.clickleft test-mobile.fr##.clickright test-mobile.fr##.clicktop @@ -48333,6 +50409,7 @@ lemonde.fr##.conteneur_ligatus startertv.fr##.conteneur_pub_horiz_left trictrac.net##.content-boardgamegeek turbo.fr##.croco.betclic +blumei-piano.com##.cyt-affi-wrapper senscritique.com##.delt21-banner logitheque.com##.description + .telechargement grosnews.com##.deuxcarres @@ -48340,18 +50417,20 @@ factornews.com##.div_pub_728_90 dailymotion.com##.dm_widget_advert_iabrighttitle cdiscount.com##.downinbackMaullContainer blog2mature.com##.download +viedemerde.fr##.droite > .part + .part.second > div\[style="position: relative;"] oujdacity.net,passion-net.fr##.ebuzzing_box +wp-infinity.com##.entry-featured fredzone.org##.entry-pub -clubic.com##.espace-partenaire-premium frandroid.com##.espace-sony-widget -clubic.com##.espaces-partenaires-standard ruedesjoueurs.com##.esspo232x70 ruedesjoueurs.com##.esspo736x110 easyvoyage.com##.esv-pub-300-250 evene.fr##.evene-partners-button-flx -clubic.com##.events 1001excuses.fr##.excuses\[style="padding-left:105px;padding-top:25px;"] +humanite.fr##.field-name-bloc-pub-1ere-sidebar-contenu-3 +humanite.fr##.field-name-pub-sidebar-first-content lefigaro.fr##.fig-adgps +lefigaro.fr##.fig-promo 2siteweb.com,dvdrip-truefrench.com,filmze.com,filmze.me,fluket.com,funvideomix.org,liberty-lands.com,libertyland.tv,mesfilmsstreaming.com,moviz.net,mu-streaming.com,sky-animes.com,streamgo.net,telechargementgratuits.com,vostfr-vf.com##.fixe evene.fr##.fnac-spbox francetransactions.com##.fondcliquable @@ -48360,12 +50439,14 @@ meilleureecoledefrance.com##.footer_partners voila.fr##.footer_tr gratuit-xxx.com##.footerboost supertoinette.com##.g-ads-336-250 +korben.info##.g-single nouvelobs.com##.gam-holder -tf1.fr##.gam_wrapper +boursorama.com##.gigaban lemonde.fr##.global.services leboncoin.fr##.google commerce-ville.info,habitant-ville.info,information-ville.info,rue-ville.info##.google_grand_rectangle semageek.com##.h300 +zonebourse.com##.hPubRight2 cbanque.com##.habillage 20minutes.fr##.half-page-bons-plans lagazettedescommunes.com,porn-video-hd.com##.header @@ -48373,22 +50454,23 @@ competition.dz##.header-b1-banner equirodi.be##.header_adv frandroid.com##.header_htr ouiounon.net##.headertitrelien\[target="_blank"] -p2pfr.com##.hidden-xs\[width="485"] lafermeduweb.net##.homePub abrutis.com##.home_menu_container lo.st##.home_partner_img +meteosun.com##.hotelteaser orange.fr##.hp2-promo-area pagesblanches.be,rtbf.be##.imu megaupload-download.net##.infoblock zoomdici.fr##.innerArtAdd youscribe.com##.interpage bienpublic.com##.iookaz +jeuxactu.com##.jablockpub idf1.fr##.jcarousel allocine.fr##.jtp ergor.org##.ladypub faclic.com##.lbx_content faclic.com##.lbx_overlay -alvinet.com,pixiz.com,rtbf.be##.leaderboard +alvinet.com,meteovista.be,pixiz.com,rtbf.be##.leaderboard mappy.com##.leftHabillage laptopspirit.fr##.lien_habillage blog2mature.com##.liens @@ -48396,23 +50478,27 @@ japan-expo.com##.link-background-advert pagesjaunes.fr##.linkPushEmbauche rtl.fr##.link\[href^="http://ad.himediadx.com/"] frandroid.com##.link_htr +leboncoin.fr##.list-gallery meilleureecoledefrance.com##.list_sponsors click-fr.com##.loc caradisiac.com##.logosPartenaires +cdiscount.com##.lptZAd maisonapart.com##.map_fond_pub maisonapart.com##.map_pdp_pub parlonspiscine.com##.margin_bottom\[style="padding:5px;border:1px solid #8F8F8F;border-radius:5px 0px 5px 0px;box-shadow: 0px 0px 10px #000000;"] +aujourdhui-en-france.fr,leparisien.fr##.marketingParisien kamaz.fr##.megaBan courrier-picard.fr##.megaban-top frandroid.com,p-nintendo.com##.megabanner cmonjour.com##.megaddd fan-de-cinema.com##.megasquare +topsante.com##.menu-btn-pub vacheries.fr##.menu_droit_pub lesdebiles.com##.menu_droite_partenaire lesdebiles.com##.menu_droite_thumb:first-child -ouedkniss.com##.message.unspecific euroiphone.eu##.middle-banner une-recette.com##.milieubanniere2 +bhmag.fr##.mini-pub 20minutes.fr##.mn-cdiscount 20minutes.fr##.mn-footer-services mobileguide.be##.mobistar-banner @@ -48437,39 +50523,43 @@ futura-sciences.com##.nomatch > ul > li\[id^="post_"] moteurs-regionaux.com##.normalCoupProjo lesechos.fr##.nosparts generation-nt.com##.ntSponsored -challenges.fr##.obs-block.cab-right > .obs-blockcontent.obs-bloc-media +jumia.ma##.nyroModalBg galaxynote.fr##.offre wamiz.com##.orange +16algerie.com##.ot-banner nautiljon.com##.pad priceminister.com##.panel_pub -leparisien.fr##.parisien-section.pratique +aujourdhui-en-france.fr,leparisien.fr##.parisien-section.pratique photo.fr##.parrains +jeuxvideo.com##.part-boutique petitfute.com##.partenaire_mid -caradisiac.com,lesechos.fr,lfp.fr,mangario.fr,sexandtrash.com##.partenaires +lachainemeteo.com##.partenaire_simple_home +lachainemeteo.com##.partenaire_triple +boursorama.com,caradisiac.com,lesechos.fr,lfp.fr,mangario.fr,sexandtrash.com##.partenaires swissquote.ch##.partner +topsante.com##.partner-block youpinet.com##.partner-listing forumactif.com,lavenir.net##.partners -lefigaro.fr##.pave-bg -yopmail.com,yopmail.fr,yopmail.net##.petit.alr +jeuxactu.com##.pbs portaildusexe.com##.player-catcher mangas-garden.com,narutofr.com,streamingdivx.com##.popplugin gamergen.com##.post-google -viedemerde.fr##.post.autopromo 1001cocktails.com##.post.bg2 + * + .post.bg2 pnc-contact.com##.post.bg3 abomag.com##.postContent > p\[style="float: left;margin: 4px;"] strastv.com##.post_pub audiofanzine.com##.price -nouvelobs.com##.promo-bottom-art +matchendirect.fr##.promo +challenges.fr,nouvelobs.com##.promo-bottom-art frandroid.com##.promo-sony lemonde.fr##.promo.michelin pornojeune.net##.promo_texte2 pornofrance.org##.promomenu +meteosun.com##.promote_large cdiscount.com##.ptnlnk_table -1-porno.org,abrutis.com,ados.fr,agoravox.fr,agoravox.tv,annuaire-streaming.com,bhmag.fr,centerblog.net,clubic.com,commentreparer.com,deezer.com,forums-fec.be,frandroid.com,ginjfo.com,hentai-3x.com,journaldugeek.com,journalgraphic.com,ladepeche.fr,larousse.fr,lepoint.fr,lesdebiles.com,lesoir.be,lexpress.fr,liensporno.com,macg.co,mapiaule.com,maximiles.com,meilleurtaux.com,mini-games.fr,minutefacile.com,multixa.net,over-blog.com,programme.tv,radioclassique.fr,sfr.fr,sofoot.com,soonnight.com,wawacity.su,web-tricheur.net,yabiladi.com,zupimages.net##.pub +1-porno.org,abrutis.com,ados.fr,agoravox.fr,agoravox.tv,annuaire-streaming.com,bhmag.fr,centerblog.net,commentreparer.com,deezer.com,fan-de-cinema.com,forums-fec.be,frandroid.com,ginjfo.com,hentai-3x.com,journaldugeek.com,journalgraphic.com,ladepeche.fr,larousse.fr,lepoint.fr,lesdebiles.com,lesoir.be,lexpress.fr,liensporno.com,macg.co,mapiaule.com,maximiles.com,meilleurtaux.com,mini-games.fr,multixa.net,over-blog.com,programme.tv,radioclassique.fr,sfr.fr,sofoot.com,soonnight.com,wawacity.su,web-tricheur.net,yabiladi.com,zupimages.net##.pub basketusa.com##.pub-1000x90-top -clubic.com##.pub-300x250-du-bas -clubic.com##.pub-carre-smart-php +lefigaro.fr##.pub-carrousel-mini lefigaro.fr##.pub-double-bande millepertuis.eu##.pub-gauche-flottant 1point2vue.com##.pub-header @@ -48480,26 +50570,31 @@ yabiladi.com##.pub-read 1point2vue.com##.pub-sidebar2 1point2vue.com##.pub-single-top lefigaro.fr##.pub-zoom -jeuxvideo24.com##.pub300px +lefigaro.fr##.pub-zoom-react +rueducommerce.fr##.pub1 bladi.net##.pub336 bladi.net##.pub336footer desmatures.com##.pub468100top +tuxboard.com##.pub728-90 + div\[style^="background"] surf-heures.com##.pub72890-forum gaytag.net##.pub96590 whitespirit.fr##.pubHaut +tuxboard.com##.pubMixte +tuxboard.com##.pubMixte + div\[style^="background"] +cdiscount.com##.pubText jds.fr##.pub_2_1000 masculin.com##.pub_article meilleurmobile.com##.pub_combo supportduweb.com##.pub_contenu_cr +renders-graphiques.fr##.pub_galerie aerobuzz.fr##.pub_image -clubic.com##.pub_premium +lachainemeteo.com##.pub_lcm jeuxvideopc.com##.pub_refonte webrankinfo.com##.pub_rm_inter_posts_forum loisirados.com##.pub_vip_0 iphoneaddict.fr##.pubaudessunews tasante.com##.pubcontent orangeinfo.fr,scifi-universe.com##.pubheader -commentcamarche.net,journaldesfemmes.com,linternaute.com##.publi-info chuck-streaming.fr,hawaii-streaming.com,smash-streaming.com,the-big-bang-streaming.com,trone-de-fer-streaming.com##.publi_all jeuxvideo.com##.publi_info jeuxvideo.com##.publi_info + ul @@ -48515,6 +50610,7 @@ iphoneaddict.fr##.pubsoustag web-tricheur.net##.pubtexte souk.ma##.rbanner-wrap imobie.fr##.rec_download +gonzai.com##.red-one-third jeux-e.com##.rek_ban frandroid.com##.relatedviatopic dhnet.be##.relookingHtml @@ -48534,6 +50630,7 @@ bakchich.info##.scpe-pub journaldugeek.com##.sdcBox jeuxetcompagnie.fr##.sg-formulaire cmonjour.com##.shadowed336 +journaldesfemmes.com##.shoppingList nextinpact.com##.side_content_pub gmx.fr##.sideadd voyage-economique.fr##.sideaff-container @@ -48550,6 +50647,7 @@ jeuxjeuxjeux.fr##.skyscraper-container commerce-ville.info,habitant-ville.info,information-ville.info,rue-ville.info##.skyscraper_large lemoteur.fr##.slpartner gizmodo.fr##.small.element +nextinpact.com##.small_article_bp_section boursorama.com##.smart slappyto.net##.sonicprice nouvelobs.com##.spectacles @@ -48558,7 +50656,7 @@ lagazettedescommunes.com##.spons jeuxvideo.com##.sponso forumconstruire.com##.sponso_box forumconstruire.com##.sponso_contener -blogduwebdesign.com##.sponsor +blogduwebdesign.com,europages.fr##.sponsor yahoo.com##.sponsor-dd lokan.fr##.sponsors msn.com##.sponsorship @@ -48567,35 +50665,29 @@ imobie.fr##.support_guide_download_upper walfoot.be##.take-banner moteurs-regionaux.com##.titreCoupProjo get-your-rom.com##.topSectionContainer -jeuxvideo24.com##.top_bloc_black_300px softonic.fr##.topbanner allocine.fr##.topheader fan-de-cinema.com##.topmargin search.ke.voila.fr##.tpl_slpartner_container_bottom search.ke.voila.fr##.tpl_slpartner_container_top forum-actif.net##.tradeDoubler -omgtorrent.com##.tuyau -clubic.com##.ui-layout-header +matchendirect.fr##.tux125x125 forum-windows.com##.uniblue excel-pratique.com##.vba_300 souk.ma##.vbanner-wrap -aujourdhui-en-france.fr,leparisien.fr##.venteprivee -leparisien.fr##.vestiairecollective -canalplus.fr##.video-preroll +aujourdhui-en-france.fr##.venteprivee pornovore.fr##.video-pub -canalplus.fr##.visuel_preroll viamichelin.fr##.vm-gdhmegaban viamichelin.fr##.vm-pub-home-google viamichelin.be,viamichelin.fr##.vm-pub-home300 elmoudjahid.com##.vpub vube.com##.vube-grid-feature rtl.be##.w-content-details-ligatus +staractus.fr##.wallpaper-link slappyto.net##.webrox._300x250.centered journaldugeek.com##.widget-current-offers journaldugeek.com,journalgraphic.com##.widget-current-offers1 -clubic.com##.widget-gamer -clubic.com##.widget-serious-gamer -clubic.com##.widget-shopper +lefigaro.fr##.widget-leguide blog2mature.com##.widget.widget_links frandroid.com##.widget.widget_text joueurdugrenier.fr##.widgetAmis @@ -48609,6 +50701,7 @@ torrentfrancais.com##.z2_full_pub_video tomsguide.fr##.zoneTriple tsa-algerie.com##.zone_annonceurs lepetiteconomiste.com##.zoom +lefigaro.fr##.zoom-widget-react dpstream.net##\[class$="_plugin_top"] meilleur-vpn.biz##\[href^="http://meilleur-vpn.biz/visit/"] allocine.fr##\[id^="adClickCommand"] @@ -48617,15 +50710,17 @@ cowcotland.com##a#habiclic touslesdrivers.com##a.seo free-reseau.fr##a\[href*="&tag=freereseaufr-"] artdeseduire.com##a\[href*="/?part=ads"] -clubic.com##a\[href*="/?utm_source"] +torrentfrancais.eu##a\[href*="/torrfran_ez?"] +nouvelobs.com##a\[href*="?partner="] +challenges.fr,nouvelobs.com##a\[href*="?partnerlinkid="] metaboli.fr##a\[href*="gametap.com/convergence/?"] dl-serie.com##a\[href*="http://www.dl-serie.blogspot.com/2007/01/comment-gagner-de-l-en-galerant-sur-le.html"] forum-vista.net##a\[href*="http://www.liutilities.com/aff"] magicmaman.com##a\[href*="smartadserver.com/call/cliccommand/"] webfrance.com##a\[href*="webfrance.com/go/"]:not(\[href="http://www.webfrance.com/go/facebook.php"]):not(\[href="http://www.webfrance.com/go/twitter.php"]):not(\[href="http://www.webfrance.com/go/googleplus.php"]):not(\[href="http://www.webfrance.com/go/linkedin.php"]) +nouvelobs.com##a\[href*="xiti.com/go.click?"] generation-nt.com##a\[href="/boutique.html"] -omgtorrent.com##a\[href="/clic_dl.php?go=fiche"] -omgtorrent.com##a\[href="/clic_dl.php?go=moteur"] +search-torrent.com##a\[href="/videox.php"] emule-island.ru##a\[href="/vpn.php"] arabzik.org##a\[href="http://arabzik.org/free-phone/"] cgrcinemas.fr##a\[href="http://cgr-lescroods.kia.fr/"] @@ -48644,39 +50739,53 @@ coco.fr##a\[href="http://www.joker.net"] shinymen.com##a\[href="http://www.karouikaroui.com/fr/outdoor/"] onetube.org##a\[href="http://www.money-cpm.fr"] astuce-facebook.com##a\[href="http://www.rent-a-lease.com/chinese/"] +smartorrent.com##a\[href="http://www.vpn-surf.com"] itespresso.fr##a\[href^=" http://pubads.g.doubleclick.net/"] tadpu.com##a\[href^="//fr.ulule.com/insidezecube/?utm_campaign="] -avocat.fr,ophtalmo.tv,prorussia.tv,rewmi.com,senioractu.com,zinfos974.com##a\[href^="/ads/"] +avocat.fr,ladepeche.pf,ophtalmo.tv,prorussia.tv,rewmi.com,senioractu.com,zinfos974.com##a\[href^="/ads/"] tunisie-news.com##a\[href^="/artpublic/banniere/click3.php?"] marianne.net##a\[href^="/blogsecretdefense/ads/"] -unchartedatolls.com##a\[href^="/file.php?"] +omgtorrent.com##a\[href^="/clic_dl.php?"] +zone911.com##a\[href^="/component/banners/"] +telechargement22.org,unchartedatolls.com##a\[href^="/file.php?"] +ensnaredbyabook.com##a\[href^="/file.php?name="] +16algerie.com##a\[href^="/index.php/annonce/ad/"] +16algerie.com##a\[href^="/index.php/cat/ad/"] mayottehebdo.com##a\[href^="/index.php?option=com_banners"] +immigrer.com##a\[href^="/p/bannieres/"] trictrac.net##a\[href^="/partenaire/"] -estrepublicain.fr,matchendirect.fr##a\[href^="/pub/"] trictrac.net##a\[href^="/publicite/"] confidentielles.com##a\[href^="/rc_787_"] emule-island.ru##a\[href^="/tutoriaux/usenext-dl.php?"] kerix.net##a\[href^="LienExterne.asp?"] +ladepeche.pf##a\[href^="ads/"] zetorrents.com##a\[href^="http://acces."] sosiphone.com##a\[href^="http://ad.zanox.com/ppc/"] aidemu.fr##a\[href^="http://aidemu.fr/pub/"] +developpez.net##a\[href^="http://altsysimg.developpez.com/click.php?a="] torrent-avenue.com##a\[href^="http://api.adlure.net/partner/click/"] -brain-magazine.fr,omgtorrent.com##a\[href^="http://bit.ly/"] -usbfix.net##a\[href^="http://clic.reussissonsensemble.fr/"] +challenges.fr##a\[href^="http://assurance-emprunteur.challenges.fr/"] +brain-magazine.fr##a\[href^="http://bit.ly/"] +123coupedumonde2014.com##a\[href^="http://clic.illyx.com/"] +pubeco.fr,usbfix.net##a\[href^="http://clic.reussissonsensemble.fr/"] algeriephilatelie.net##a\[href^="http://clic.reussissonsensemble.fr/click.asp?"] -clubic.com##a\[href^="http://clk.atdmt.com/"] tomtomax.fr##a\[href^="http://clk.tradedoubler.com/"] -laptopspirit.fr,sosiphone.com##a\[href^="http://clk.tradedoubler.com/click?"] +cdiscount.com,laptopspirit.fr,sosiphone.com##a\[href^="http://clk.tradedoubler.com/click?"] premiere.fr##a\[href^="http://clkde.tradedoubler.com/click?"] only-iphone.fr##a\[href^="http://fr.copytrans.net/copytranscontacts.php?utm_source="] argentmania.com##a\[href^="http://fr.scratchmania.com/?brandId="] brunotritsch.fr##a\[href^="http://fr.webmaster-rank.info/stat/affiliate/"] guidebourse.net##a\[href^="http://guidebourse.net/ads/"] download771onlinepdf.com##a\[href^="http://linkz.it/"] +moviz-telecharger.com##a\[href^="http://moviz-telecharger.com/films-en-qualité-hd-"] korben.info##a\[href^="http://network.bemyapp.com/trk/"] +nouvelobs.com##a\[href^="http://partner.global-espace.com/"] jamsvu.fr##a\[href^="http://plateforme.flinteractive.fr/affiliation/lead/clic?"] annuaire-liens-durs.com##a\[href^="http://pub.annuaire-liens-durs.com"] +cinemafantastique.net##a\[href^="http://pubs.ecranfantastique.net/"] brunotritsch.fr##a\[href^="http://rdinews.com/ads/"] +developpez.com##a\[href^="http://sysimg.developpez.com/click.php?a="] > img +nouvelobs.com##a\[href^="http://tempsreel.nouvelobs.com/les-bons-plans-shopping/"] tirage-gagnant.com##a\[href^="http://tirage-gagnant.com/tirage/"] > img radins.com##a\[href^="http://track.radins.com/regie.php?"] zetorrents.com##a\[href^="http://trf."] @@ -48684,9 +50793,9 @@ futurama-stream.eu,seriesnostop.com##a\[href^="http://www.adcash.com/script/clic downparadise.ws##a\[href^="http://www.affiliation-france.com/"] fullanimes.free.fr##a\[href^="http://www.allopass.com/check/red.php"] > img alsacreations.com##a\[href^="http://www.amazon.fr/gp/product/"] -ouedkniss.com##a\[href^="http://www.autobip.com/news/details/?id="] usbfix.net##a\[href^="http://www.bitdefender.fr/media/"] centre-audition.com##a\[href^="http://www.centre-audition.com/catalog/redirect.php?action=banner&"] +dzsat.org##a\[href^="http://www.dzsat.org/forum/rbs_banner.php?"] gizmodo.fr##a\[href^="http://www.ebuyclub.com/operations/gizmodo/entreeGizmodo.jsp?"] forumconstruire.com##a\[href^="http://www.forumconstruire.com/torm3/click.php?"] 9rayti.com##a\[href^="http://www.ilycee.com/?utm_source="] @@ -48701,10 +50810,14 @@ jeuxvideo.fr##a\[href^="http://www.micromania.fr/vente/rayon.php?"] laptopspirit.fr##a\[href^="http://www.prix-portables.fr/pub/"] topj.net##a\[href^="http://www.rpjf.com/asp/lien.asp?"] torrentfrancais.cc##a\[href^="http://www.singulardownload.com/"] +staractus.fr##a\[href^="http://www.staractus.fr/rd/url.php"] lcouple2-2m.blogspot.com##a\[href^="http://www.ta3arof.net/ads/"] +lefigaro.fr##a\[href^="http://www.ticketac.com/?utm_source="] ticketac.com##a\[href^="http://www.ticketac.com/redirect_pub.php?"] webrankinfo.com##a\[href^="http://www.webrankinfo.com/partenaires/"] planet-series.tv##a\[href^="http://www.yourfilezone.com/"] +yahoo.com##a\[href^="https://beap.gemini.yahoo.com/"] +cdiscount.com##a\[href^="https://tracking.cdiscount.com/tracker.ashx?"] ibidule.fr##a\[href^="https://www.1and1.fr/?kwk="] > img jeu.info##a\[href^="https://www.fishao.com/?affId="] undernews.fr##a\[href^="https://www.undernews.fr/go/"] @@ -48718,14 +50831,13 @@ korben.info##a\[style*="width:468px;height:90px"] korben.info##a\[style="background:transparent; position:absolute; top:0px; left:0; width:100%; height:100%; z-index:0;"] presse-citron.net##a\[style="cursor:pointer; display:block; height:1600px; left:0; position:absolute; top:0; width:100%;"] 750g.com##a\[style="display: block; position: absolute; width: 100%; height: 100%; top: 0px; left: 0px;"] -ouedkniss.com##a\[style="display:block;position:absolute;top:0;left:-160px;width:160px;height:1200px;text-indent:-9999px;"] -ouedkniss.com##a\[style="display:block;position:absolute;top:0;right:-160px;width:160px;height:1200px;text-indent:-9999px;"] -ouedkniss.com##a\[style="display:block;width:990px;height:180px;text-indent:-99999px"] prix.pcastuces.com##a\[target="_blank"] > img\[src^="images/logo_"] blog.you-test.ch,freeiptv.be##body > :nth-child(n) + style + div\[id]:last-child cachemoi.com##body > center > table\[width="728"]\[bordercolor="#333333"]\[bgcolor="#FFFFFF"]\[height="90"] blog.you-test.ch##body > noscript > style + div\[id]:last-child +lokan.fr##body:last-child > div#message pyrenees-team.com##div#link +pubeco.fr##div.w100p.h60 lefigaro.fr##div\[data-footer-label="Service Partenaire"] routard.com,sfr.fr##div\[id^="A2dEmplacement"] actufoot.fr,livefootball.fr,mercato.fr##div\[id^="ad6b_"] @@ -48734,7 +50846,6 @@ melty.fr,meltybuzz.fr,meltycampus.fr,meltyfashion.fr,meltyfood.fr,meltystyle.fr, france2.fr,france3.fr,france4.fr,france5.fr,franceo.fr,francetv.fr,francetvinfo.fr,la1ere.fr,pluzz.fr,~sport.francetv.fr##div\[id^="eShowPub"] audiofanzine.com##div\[id^="lbr"] estrepublicain.fr##div\[id^="pub-dfp-"] -clubic.com##div\[id^="pub_dart_"] pagesjaunes.fr##div\[id^="push"] coco.fr##div\[onclick="window.open('http://www.joker.net/poker.html');"] android-france.fr##div\[onclick^="location.href='http://adserver.adtech.de/?adlink|"] @@ -48753,6 +50864,7 @@ douniamusic.com##div\[style="float:left;width:500px;height:300px;"] lachainemeteo.com##div\[style="float:left;width:615px;height:100px;"] cinemay.com##div\[style="float:right; width:300px; background-color:#dddddd; height:250px;"] cinemay.com##div\[style="float:right; width:728px; height:90px; background-color:#ffffff;margin-top:0px;"] +e-nautia.com##div\[style="float:right;margin-right:-12px;margin-top:-6px;width:300px"] 1fichier.fr##div\[style="float:right;width:300px;height:600px"] buzzdays.me##div\[style="height: 250px; left: 420px; position: absolute; top:520px; width: 300px; background-color: #fff;"] pagerank.fr##div\[style="height: 40px; width: 750px; margin: auto; background-image: url(/images/degradebas.gif); background-repeat: no-repeat; background-position: bottom; padding-top: 10px;"] @@ -48763,8 +50875,8 @@ phpsources.org##div\[style="margin-bottom:15px;"] > table > tbody douniamusic.com##div\[style="margin-top:10px;float:left;height:250px;width:250px;"] moov.mg##div\[style="margin-top:5px;float:auto;width:100%;height:250px;text-align:center"] webrankinfo.com##div\[style="margin: 0; padding: 5px 8px 5px 8px; background: url(http://www.webrankinfo.com/images/design/fd_blockquote.png) no-repeat 0 100%; font-size: 1.3em; color: black; width: 615px;"] -clubic.com##div\[style="margin:0px 0px 0px -10px;padding:0px;border:0px;width:675px;height:6px;background-color:#c3bfc0;"] + div\[style="padding: 5px; overflow: hidden;"] supportduweb.com##div\[style="margin:auto;margin-top:2px;width:728px;height:90px;"] +coolkora.com##div\[style="max-width: 302px;overflow:hidden;margin: 0 auto;"] lafermeduweb.net##div\[style="overflow: hidden; width: 300px; height: 280px; margin: 0 auto;"] lafermeduweb.net##div\[style="overflow: hidden; width: 336px; height: 280px; margin: 0 auto;"] regarder-film-gratuit.com##div\[style="padding-top:5px;float:left;width:100%;font-size:13px;line-height:26px;height:31px;top: 12px;z-index:9999;text-align:left"] @@ -48785,7 +50897,6 @@ strasbourg-tramway.fr##div\[style="width:125px;height:125px;text-align:center"] cinemay.com##div\[style="width:160px; height:600px; background-color:#ffffff; float:right;"] audiofanzine.com##div\[style="width:160px; height:600px;"] leboncoin.fr##div\[style="width:189px;float:left;margin-left:8px;"] -viedemerde.fr##div\[style="width:300px; height:200px; background: url('http://www.viedemerde.fr/modules/fr/drdc_2014/images/300x200.png');"] alternance.com,bac-es.net,bac-l.net,bac-pro.net,bac-s.net,bac-stg.net,brevetdescolleges.fr,devoirs.fr,doc-etudiant.fr,ingenieurs.com,marketing-etudiant.fr,mediaetudiant.fr##div\[style="width:300px; height:250px;margin:10px; margin: 0 auto; padding:15px 0; clear:both;"] koreus.com,picasion.com##div\[style="width:300px;height:250px;"] video-buzz.eu##div\[style="width:300px;height:250px;margin-bottom:15px;margin-left:auto;margin-right:auto;"] @@ -48802,7 +50913,6 @@ libertyland.tv##div\[style="width:980px;height:25px;"] jeu.net##div\[style^="background-image:url(http://www.jeu.net/img/fond_pub.gif)"] solutions-logiciels.com##div\[style^="border:1px solid black; width: 300px; height: 250px"] commerce-ville.info,habitant-ville.info,information-ville.info,rue-ville.info##div\[style^="float:right;diplay:block;height:100px;width:100%;"] -clubic.com##div\[style^="text-align:center;height:250px;width:300px;"] mcetv.fr##div\[style^="width: 300px;font-style: none;height: 250px"] free-reseau.fr##div\[style^="width: 728px; height: 90px;"] algerie360.com##div\[style^="width:100%; height:100px"] @@ -48814,9 +50924,13 @@ lesoir.be##form\[action^="http://fr.rendez-vous.be/"] vpngratuit.fr##h1 > a\[href^="http://vpngratuit.fr/choisir-service-vpn-gratuit/"] vpngratuit.fr##h2 > a\[href^="http://vpngratuit.fr/choisir-service-vpn-gratuit/"] bfmtv.com##iframe\[id^="ligatus"] -piratertelecharger.fr##iframe\[width="300"]\[height="250"] -piratertelecharger.fr##iframe\[width="728"]\[height="90"] +developpez.net,piratertelecharger.fr##iframe\[width="300"]\[height="250"] +developpez.net,piratertelecharger.fr##iframe\[width="728"]\[height="90"] freemindparlexemple.fr##img\[alt="Banniere_ENI"] +dl.free.fr##img\[onclick^="window.open('http://logiciel.telechargement.fr/redirprod.html?"] +playfrance.com##img\[src="http://images.playfrance.com/v4/blank_1x1.gif"] +sh.st##img\[src^="data:image/png;base64,"] +sortir.eu##img\[src^="http://www.lille.sortir.eu/portal_banneradmin/"] zataz.com##img\[style="border: 0px solid ; width: 300px; height: 250px;"] zataz.com##img\[style="border: 0px solid; width: 300px; height: 250px;"] supplychainmagazine.fr##img\[width="120"]\[height="240"] @@ -48829,14 +50943,15 @@ israelmagazine.co.il##img\[width="600"]\[height="90"] forum.soirnet.fr##img\[width="720"]\[height="100"] lien-torrent.com##li > a:not(\[href*="lien-torrent.com"]):not(\[href*="../"]):not(\[href^="javascript:show"]):not(\[href^="facebook"]) ici.tou.tv##li.bigBox +smartorrent.com##li:first-child:last-child > a filmze.com##noindex sinfest.net##noscript a -crash-aerien.aero##object\[width="250"]\[height="250"] crash-aerien.aero##object\[width="250"]\[height="500"] bonjourmadame.fr##object\[width="728"]\[height="90"] lien-torrent.com##p > a:not(\[href*="lien-torrent.com"]):not(\[href*="../"]):not(\[href^="javascript:show"]):not(\[href^="facebook"]) linux62.org##p\[style="width: 600px; padding: 10px; margin-left: auto; margin-right: auto; border: 1px solid #000055; overflow: hidden; background: white url('pub_htmlcss_snaky360_fond.png') no-repeat 50% 50%"] debrideurstreaming.com##script\[src="http://www.pubdirecte.com/script/pop.php?id=48523&ref=23821"] + table\[style="float:right; margin-right:50px;"] +tuxboard.com##script\[type="text/javascript"] + noscript + a netbusiness-team.com##table\[background="../img/banner/pub_verticale.gif"] photos-persos-sexy.com##table\[style="border-style: solid; border-width: 0px; background-color: #ffffff; width: 100%; height: 280px;"] google.fr##table\[style="border: 1px solid #369"] @@ -48847,13 +50962,11 @@ voyageforum.com##table\[width="300"]\[height="125"]\[align="left"] virusphoto.com##table\[width="300"]\[height="280"] societe.com##table\[width="303"] > tbody > tr > td\[valign="top"]\[height="260"] emule-island.ru##table\[width="560"]\[height="90"]\[border="2"]\[bgcolor="#FFFFCC"] -forum.pcastuces.com##table\[width="728"]\[height="90"]\[align="center"] radiofrance.fr##table\[width="765"]\[height="100"] codeshttp.com##table\[width="800"]\[height="100"] annonces-dz.com##table\[width="800"]\[height="115"] codeshttp.com##table\[width="800"]\[height="118"] lonelyplanet.fr##table\[width="900"]\[height="90"]\[align="center"] -pcastuces.com##table\[width="95%"]\[cellspacing="4"]\[cellpadding="4"]\[align="center"] 1fr1.net,5forum.info,actifforum.com,actifland.com,allianceogame.com,anciennestar.com,annuaire-forums.com,asdesas.net,bb-fr.com,bbactif.com,bbconcept.net,bbfr.net,bbgraph.com,board-poster.com,bonnesrecettes.org,catsboard.com,chefgourmet.fr,chez-domi-et-domi.net,cinebb.com,clictopic.com,conceptbb.com,crazy4us.com,creation-forum.com,creationforum.net,creer-forums.fr,creer-un-forum-gratuit.be,creer-un-forum-gratuit.com,creer1forum.ca,creerforum.ca,creersonforum.com,creerunforum.eu,creerunforumgratuit.com,cultureforum.net,cyberenquete.net,desforums.net,discutforum.com,discutland.net,discutplaza.com,dynamicbb.com,ephpbb.com,exprimetoi.net,fantasyboard.net,fofogourmand.com,forum-actif.net,forum-francophone.com,forum-gratuit.ca,forum-gratuit.cc,forum-gratuit.tv,forum-invision.ca,forum-nation.com,forum-phpbb.ca,forum-pro.fr,forum2discussion.com,forum2jeux.com,forum2ouf.com,forumactif.com,forumactif.fr,forumactif.org,forumalpin.com,forumandco.com,forumbenin.com,forumcanada.net,forumcanadien.ca,forumchti.com,forumculture.net,forumdediscussions.com,forumdefan.com,forumetoile.com,forumfemina.com,forumgratuit.be,forumgratuit.eu,forumgratuit.fr,forumgratuit.org,forumlimousin.com,forumloire.com,forumnord.com,forumnormandie.com,forumperso.com,forumpersos.com,forumpro.fr,forums-actifs.com,forums-gratuits.fr,forumsactifs.com,fr-bb.com,frbb.net,goodforum.net,grafbb.com,guildealliance.com,harrypotterfans.fr,ideesrecettes.net,idfforum.com,infocamargue-lejeune.com,jdrforum.com,jecuisine.org,jeunforum.com,jeunsforum.com,jeuxvideoforum.com,kanak.fr,keuf.net,kiffmylife.com,lebonforum.com,leforumdelavant.net,leforumgratuit.com,liberte.tv,limada.net,maghrebworld.net,mescops.com,mesrecettes.biz,miraculeux.net,monalliance.com,monempire.net,moninter.net,nosfofos.com,nouslesfans.com,nouvellestar.org,politiclub.net,positifforum.com,pro-forum.fr,purforum.com,realbb.net,rpg-board.net,secret-story-2.net,sos4um.net,star-ac.net,starac8.net,superforum.fr,tonempire.net,topolympique.com,topsujet.com,topsujets.com,trodlabal.com,tropfun.net,votreforumgratuit.com,winnerforum.net,yoo7.com,zikforum.com##tbody > tr > td\[width="0"] + td\[width="100%"] > div\[style="padding:10px 0 0 0 !important;"] algeriatenders.com##tbody > tr\[style="height:92px;"] trancegoa.org##td > .fb-like-box + br + .texteentete.taille2 @@ -48863,7 +50976,6 @@ people-looks.com##td\[width="340"]\[height="265"]\[align="center"] mon-ordi.com##td\[width="567"] people-looks.com##td\[width="980"]\[height="40"]\[bgcolor="#FFFFFF"] drague.net##tr > td\[height="95"]\[align="center"]\[colspan="2"] -matchendirect.fr##tr\[onclick^="pubComparateur"] lien-torrent.com##u > a:not(\[href*="lien-torrent.com"]):not(\[href*="../"]):not(\[href^="javascript:show"]):not(\[href^="facebook"]) ! !----------------------- Exceptions -----------------------! @@ -48876,7 +50988,6 @@ lien-torrent.com##u > a:not(\[href*="lien-torrent.com"]):not(\[href*="../"]):not @@|http://*.js$script,third-party,domain=jeu.fr|jeux.fr @@||247realmedia.com/0/Player/Player_FR_Home/Box-2-FR.jpg$domain=eurosportplayer.fr @@||a.ligatus.com/?$script,domain=bfmtv.com -@@||aaeps.fr/images/banners/find-us-on-facebook-3.png @@||ad.zanox.com/ppc/$popup @@||ad2play.ftv-publicite.fr/?sitepage=$subdocument,domain=mytaratata.com|psg.fr @@||ad2play.ftv-publicite.fr/js/ad2play.js$domain=mytaratata.com @@ -48901,30 +51012,33 @@ lien-torrent.com##u > a:not(\[href*="lien-torrent.com"]):not(\[href*="../"]):not @@||afe2.specificclick.net/crossdomain.xml$domain=videos.nt1.tv|videos.tmc.tv @@||agir.bloomassociation.org/adserver2/ @@||agir.planfrance.org/adserver2/ +@@||ain.fr^ @@||ami2.com/resources/img/mysite/publicites/$image,domain=ami2.com +@@||api.fidji.lefigaro.fr/media/_uploaded/400x250//$image @@||appeals.diabetes.org.uk/adserver2/ @@||assiste.free.fr/Assiste/media/images/Ad-Aware_ @@||aw-experience.com/banners/b0.png @@||banners.oxiads.fr/player/ -@@||be-rtl.videoplaza.tv/proxy/distributor/v2?$xmlhttprequest,domain=radiocontact.be @@||beaute-test.com/global/ads.js @@||beead.fr^$domain=doc-etudiant.fr|ouifm.fr|play.nrj.fr|radiofg.com|radioneo.org|replay.fr|rfm.fr|virginradio.fr|wakanim.tv @@||bibed-concept.com/modules/blockadvertising/advertising_custom.jpg @@||blog.lemonde.fr/files/ @@||blogdumac.com/pub/images/footer-bdm_02.png @@||bluesteel.fr/affiliation/$domain=bluesteel.fr -@@||bobodise.com^*^adv_partner^$object-subrequest @@||bourgogne-publicite.com/jeuxconcours/_bienpublic/$image,domain=bienpublic.com @@||ccmbenchmark.com^$~third-party +@@||cdn-static.liverail.com/crossdomain.xml$object-subrequest,domain=gentside.com|maxisciences.com|ohmymag.com @@||cdn.inskinmedia.com/isfe/*/swfs/core.swf$domain=rfi.fr @@||cdn.teads.tv/js/all-$script,domain=telechargement.zebulon.fr -@@||cdn.videoplaza.tv/resources/html5-sdk/*-ea.min.js @@||chine-informations.com/javascript/advertisement.js @@||clic.reussissonsensemble.fr/click*.asp$domain=forfait-mobile-moins-cher.com @@||client.iraiser.eu/adserver/ @@||clk.tradedoubler.com/click?p=$subdocument,domain=vshop.fr +@@||clubic.com/js/advertisement.js +@@||clubic.com^$elemhide @@||costacroisieres.fr/B2C/SharedResources/js/popunder.js @@||cstatic.weborama.fr/js/advertiser/wbo_performance.js$domain=pmu.fr +@@||d8.tv^$elemhide @@||daily-*.fr/images/*///pages/*_300x250.png @@||danslescoulisses.com^$elemhide @@||data.panachetech.com^$object-subrequest,domain=gameone.net @@ -48942,21 +51056,21 @@ lien-torrent.com##u > a:not(\[href*="lien-torrent.com"]):not(\[href*="../"]):not @@||ebayrtm.com/rtm?RtmCmd&a=json&p=$script,domain=www.befr.ebay.be @@||ebayrtm.com/rtm?RtmPreviewContent&$subdocument,domain=www.befr.ebay.be @@||everlong.org/style/banner.php +@@||evilox.com/includes/js/advertisement.js @@||fatherandsons.fr^*/opecom/affiliation/ -@@||fr-advideum.videoplaza.tv/proxy/distributor^$object-subrequest,domain=aufeminin.com|generation-nt.com|lefigaro.fr|rfi.fr -@@||fr-canalplusdev.videoplaza.tv/proxy/html5-sdk/*-ea.min.js @@||fr.a2dfp.net/crossdomain.xml$domain=virginradio.fr @@||franceinter.fr/sites/default/files/imagecache/hp_slider_image/publicite/ @@||francesurfinfo.com/affiliation/ @@||francetelevisions.fr^*/publicite/silverlight.php? +@@||gameart.eu/medias/files/ad-top.$stylesheet @@||geekdefrance.fr/wp-content/themes/interiorzine/ads/top_ @@||gironde.fr/css/csspacker.jsp?css=$stylesheet +@@||goldenmoustache.com^$elemhide @@||good-deals.lu/Content/Styles/AdFrame.css @@||google.com/ads/search/module/ads/*/search.js$domain=zoover.fr @@||google.com/adsense/$subdocument,domain=sedo.fr @@||google.com/adsense/search/ads.js$domain=zoover.fr @@||google.com/uds/$script,domain=rfm.fr|virginradio.fr -@@||googleads.g.doubleclick.net/favicon.ico$domain=crash-aerien.aero @@||googleads.g.doubleclick.net/pagead/ads?$object-subrequest,domain=jeux-fille-gratuit.com|mahjonggratuit.fr @@||host3.adhese.be/tag/tagv1.js$script,domain=lavenir.net @@||ib.adnxs.com/crossdomain.xml$object-subrequest,domain=jeux-fille-gratuit.com|mahjonggratuit.fr @@ -48968,7 +51082,7 @@ lien-torrent.com##u > a:not(\[href*="lien-torrent.com"]):not(\[href*="../"]):not @@||infos.peuples-solidaires.org/adserver2/ @@||infos.wwf.fr/adserver2/ @@||iphone4.fr/bannieres/header_icons.png -@@||jeuxvideo.fr/js/advertisement.js +@@||jeuxvideo.com/js/adblock.js @@||jheberg.net/js/*_advertisement.js @@||journaldugeek.com^*/popshow.css @@||kapaza.be/*/ad_view_ @@ -48981,8 +51095,11 @@ lien-torrent.com##u > a:not(\[href*="lien-torrent.com"]):not(\[href*="../"]):not @@||libe.com/libepartnerships/businesspartner_photo/2012/08/13/visuel_pa-1.png @@||libe.com/libepartnerships/img/print_subscription.jpg @@||m2radio.fr/include/player/flash.swf?$domain=~live.m2stream.fr +@@||m6.fr^$elemhide @@||m6replay.fr/js/advertisement.js +@@||m6web.fr^*/increment?token=$image @@||mac4ever.com/min.php?$script +@@||maghrebspace.net/js/advertisement.js @@||malakoffmederic.com/entreprise/*/affiliation/ @@||malekal.com/ads/ads_php/banner.js @@||manga-news.com/public/banners/slide- @@ -48990,13 +51107,13 @@ lien-torrent.com##u > a:not(\[href*="lien-torrent.com"]):not(\[href*="../"]):not @@||media.the-adult-company.com^$domain=celibataires.fr @@||meteomedia.com/js/adrefresh.js @@||millenium.org^*/jquery.lazyload-ad-*-min.js +@@||minutefacile.com^$elemhide +@@||miztral.com/www/images/banners/header_short_$third-party @@||moov.mg/images/offres/push_240x170_v2.01.jpg @@||moov.mg/images/offres/push_adsl_bt_v2.jpg @@||mozfr.org/custom/img/*_300x250.png @@||msf.fr/sites/all/modules/contrib/ad/$~third-party -@@||mxstatic.com/ @@||naruto-one.com/images/bannieres/$domain=otaku-attitude.net -@@||ndsstatic.com^ @@||netavenir.com^$domain=zap-tele.com @@||network.aufeminin.com/a/diff/$object-subrequest,domain=aufeminin.com @@||network.aufeminin.com/call/pubj/$object-subrequest,domain=aufeminin.com @@ -49012,6 +51129,8 @@ lien-torrent.com##u > a:not(\[href*="lien-torrent.com"]):not(\[href*="../"]):not @@||ophtalmo.tv/video/ads/$object-subrequest @@||ouifm.adswizz.com//www/components/ @@||ouifm.adswizz.com/www/components/ +@@||p.jwpcdn.com/crossdomain.xml$object-subrequest +@@||pagead2.googlesyndication.com/pagead/show_ads.js$domain=lachainemeteo.com @@||parissportifs24h.fr/upload/Image/Ads/$image @@||pc-overware.be/index/images/banners/annuaire%20test%206%20png.png @@||pc-overware.be/index/images/banners/forum.jpg @@ -49020,7 +51139,6 @@ lien-torrent.com##u > a:not(\[href*="lien-torrent.com"]):not(\[href*="../"]):not @@||planet-casio.com/images/ad/$image @@||porn-tube-sexe.com/ad.php? @@||programme-tv.net/widget-tv/programme-tv.html?$subdocument -@@||programme-tv.net/widget-tv/programme-tv.html?size=300x250 @@||pubdirecte.com/script/banniere.php?$domain=maxdebrideur.com @@||pubdirecte.com/script/pop.php?$domain=maxdebrideur.com @@||quefaire.be/annonces/imgads/$image @@ -49030,19 +51148,22 @@ lien-torrent.com##u > a:not(\[href*="lien-torrent.com"]):not(\[href*="../"]):not @@||rockman.fr/Ads/$image @@||s1.lemde.fr/medias/web/*/js/lmd/core/advert/sync.js @@||sceno.fr/apps/1_static/ads/explain.png -@@||schneevonmorgen.com^*^adv_partner^$object-subrequest +@@||server1.affiz.net/tracking/ads_display.php$script,domain=fit.sh @@||smartadserver.com/call/pubj/$object-subrequest,domain=ecranlarge.com @@||smartadserver.com/call/pubj/$script,domain=alloclips.com|ecranlarge.com|player.canalplus.fr|portail.free.fr @@||smartadserver.com/def/def/showdef.asp$script,domain=alloclips.com|deezer.com|portail.free.fr @@||smartadserver.com/diff/$object-subrequest,domain=ecranlarge.com @@||sofoot.com/package/adsense.js?$script +@@||soutenir.apprentis-auteuil.org/adserver2/$image,script,stylesheet @@||startertv.fr/images/v2/bg_topbody_startertv.jpg +@@||static.programme.tv/bundles/*/js/advertisement.js @@||static.s-sfr.fr/resources/custom/adsl/ @@||static.touraineverte.com/banners/$image @@||stcwbd.com/ads/plugins/jwplayer/player.swf$domain=eurosport.fr|ozap.com|purepeople.com|puretrend.com @@||stickyads.adswizz.com/www/components/videocomponent.swf$object-subrequest,domain=cherie25.fr|nrj.fr|nrj12.fr|rireetchansons.fr -@@||stickyadstv.com/crossdomain.xml +@@||stickyadstv.com/www/components/VideoComponent.swf @@||syndication.exoclick.com/ads.php?type=468x60&$script,domain=maxdebrideur.com +@@||tf1.fr^$elemhide @@||toshiba.fr/innovation/download_drivers_bios.jsp? @@||tradedoubler.com^$domain=emv3.com|teads.fr @@||tuto4you.fr/wp-includes/advertisement.js @@ -49050,7 +51171,6 @@ lien-torrent.com##u > a:not(\[href*="lien-torrent.com"]):not(\[href*="../"]):not @@||viamichelin.be/static/advert/$script @@||viamichelin.ch/static/advert/$script @@||viamichelin.fr/static/advert/$script -@@||videoplaza.tv/proxy/distributor/v2?$object-subrequest,domain=ultimedia.com @@||videos-pub.ftv-publicite.fr/media/$object-subrequest,domain=playerftp.videostream.fr @@||videos-pub.ftv-publicite.fr/player/ad2play.js$domain=tv5mondeplus.com @@||videos.direction-x.com^$object-subrequest,domain=liensporno.com @@ -49058,6 +51178,7 @@ lien-torrent.com##u > a:not(\[href*="lien-torrent.com"]):not(\[href*="../"]):not @@||vshop.fr/js/freakBig.js$domain=montrestendance.com @@||weather.eu.msn.com/f5/ad/adcontrol.swf @@||weborama.fr/wbo_performance.js$domain=pmu.fr +@@||ww691.smartadserver.com^$domain=lachainemeteo.com ! Radins.com @@||ad-emea.doubleclick.net/clk;$subdocument,domain=track.radins.com @@||ad.zanox.com/ppc/?$subdocument,domain=track.radins.com @@ -49076,457 +51197,565 @@ lien-torrent.com##u > a:not(\[href*="lien-torrent.com"]):not(\[href*="../"]):not @@||tracking.veoxa.com/click/banner?$subdocument,domain=track.radins.com ! Anti-Adblock ! A l'attention des webmasters : https://easylist.adblockplus.org/blog/2013/05/10/anti-adblock-guide-for-site-admins -! ZeroPub -@@||cdn.dekalee.net/serve/$script,domain=viedemerde.fr -@@||pagead2.googlesyndication.com/pagead/show_ads.js$domain=viedemerde.fr -@@||viedemerde.fr^$script,~third-party -viedemerde.fr##.droite > .part + .part.second > div\[style="position: relative;"] -||drums.buporez.com^ -||italia.viedemerde.fr^ +! onvasortir.com +@@||onvasortir.com^$script +||onvasortir.com/fondnivea.jpg +||onvasortir.com/habillage_$image +||onvasortir.com/pub/ +! urbeez.com +@@||urbeez.com^$script +! ville-ideale.com +@@||criteo.com/delivery/ajs.php?$script,domain=ville-ideale.com +@@||pagead2.googlesyndication.com/pagead/js/*/show_ads_impl.js$script,domain=ville-ideale.com +@@||pagead2.googlesyndication.com/pagead/show_ads.js$script,domain=ville-ideale.com +@@||pagead2.googlesyndication.com/pub-config/ca-pub-$script,domain=ville-ideale.com +ville-ideale.com###sp ! notre-planete.info +@@||canalplus.fr^$elemhide @@||cas.criteo.com/delivery/ajs.php?$script,domain=notre-planete.info +@@||m6web.fr^elemhide @@||notre-planete.info^$elemhide -@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=notre-planete.info +@@||pagead2.googlesyndication.com/pagead/$script,domain=notre-planete.info @@||www6.smartadserver.com/call/pubdirj/$script,domain=notre-planete.info +! Videoplaza +#@##socialAD +@@||bobodise.com^$object-subrequest +@@||schneevonmorgen.com^$object-subrequest +@@||videoplaza.tv/proxy/distributor/$object-subrequest,xmlhttprequest +||videoplaza.tv/creatives/assets/$object-subrequest +! Wat.TV (SM) +|http:*/eJw$object-subrequest,domain=wat.tv +|http:*/eJz$object-subrequest,domain=wat.tv ! Secret Media ##div > a\[target="_blank"] > img\[width="300"]\[height="600"]\[title]\[alt]:first-child -##img\[width="728"]\[height="90"] #@##ad_ad #@##ad_link |http://j.*.info/*.*?bid=*&cid=*&zid=*&cb=$image,third-party |http://j.*.info/*?b=*&cid=*&z=*&cb=$image,third-party +||abuseddisreputableperson.in^$third-party +||acaudalcarriagetrade.com^$third-party +||accommodativepasto.org^$third-party +||aclantgabardine.info^$third-party +||affectationsesame.info^$third-party +||aftertastenorthward.info^$third-party +||aleksandrisolzhenitsynauspices.com^$third-party +||allocinemax.com^$third-party +||allographlitocraniuswalleri.net^$third-party +||alpinegoldenrodauditoryaphasia.info^$third-party +||altcinemax.com^$third-party +||altouyaproxy.com^$third-party +||amelioratebacterioidal.org^$third-party +||americanwidgeonsecularise.info^$third-party +||amygdaluscommunisschematization.info^$third-party +||annihilateirontrap.com^$third-party +||antonymprurience.com^$third-party +||apitalofuruguaygazellasubgutturosa.ws^$third-party +||arbalestaileron.org^$third-party +||arcedgorkiy.net^$third-party +||archaicgenusklebsiella.info^$third-party +||ariledsixtyfour.info^$third-party +||atomicnumber115chinesemushroom.com^$third-party +||aw3bdhwfl3.pw^$third-party +||badefactsoflife.info^$third-party +||bandicootfeoff.com^$third-party +||baseballfieldfamilypleurobrachiidae.org^$third-party +||beaumondedarkcolored.info^$third-party +||bightofbeninmusculusscalenus.info^$third-party +||binarynumerationsystemcashsurrendervalue.net^$third-party +||bitisparticleboard.org^$third-party +||blamelesslysalmonellatyphosa.org^$third-party +||bloodsuckingcauterant.org^$third-party +||bodencapsulate.org^$third-party +||bodyarmourepergne.info^$third-party +||botaalleghenymountainspurge.info^$third-party +||boynejackstraw.org^$third-party +||brachycephalismotterhound.net^$third-party +||bragibriefness.com^$third-party +||breastfeedingramjet.org^$third-party +||brickshapedcallnumber.net^$third-party +||bullheadcatfishtortuousness.net^$third-party +||calicomacrocosmic.org^$third-party +||cambodianmonetaryunitmalthus.org^$third-party +||capitalofuruguaygazellasubgutturosa.ws^$third-party +||cappedmacaqueoleandramollis.me^$third-party +||captiousmagnoliasoulangiana.org^$third-party +||cardueliscarduelisselaginellaceae.org^$third-party +||cbjoc9a9xt.pw^$third-party +||cdgibsonblackbirch.com^$third-party +||chamaedaphnestephenbutlerleacock.me^$third-party +||chinesecheckerscooked.info^$third-party +||churidarsfederalreserve.net^$third-party +||circuitcardmothresistant.net^$third-party +||citizenscommitteegalantine.com^$third-party +||clasticifnot.net^$third-party +||claysculptureaniline.com^$third-party +||cnorthcoteparkinsonmunificent.info^$third-party ||collectablefatigued.info^$third-party +||colonelpenoche.info^$third-party +||compensateanopheles.org^$third-party +||complexquercitronoak.net^$third-party +||consentdecreehawkish.com^$third-party +||constantineimycobacteriaceae.net^$third-party +||controllinginterestpostmenopause.com^$third-party +||cornelsmarminess.net^$third-party +||cornergenustulipa.me^$third-party +||corpuschristilipped.info^$third-party +||cosponsorchianturpentine.com^$third-party +||counterparthaberdashery.com^$third-party +||creationsciencelinesquall.com^$third-party +||ctenocephalidesfelisaxolotl.org^$third-party +||cumulativelymeclofenamate.me^$third-party +||cysticgenuscoeloglossum.org^$third-party +||davenportbowmanscapsule.net^$third-party +||debonnairenuclearfusion.org^$third-party +||deliberationlivingthing.com^$third-party +||detachmentoftheretinaclimbingsalamander.net^$third-party +||devitalizationhardwareerror.info^$third-party +||dirtystorydenationalisation.info^$third-party +||diskjockeyarraignment.me^$third-party +||dizzybakedegg.info^$third-party +||dodgerdecoctionprocess.com^$third-party +||dollseyesrivalrous.net^$third-party +||drawingofffreezeoff.biz^$third-party +||dripmatlegallienne.in^$third-party +||duckpateparaphrase.org^$third-party +||duteousrepresser.com^$third-party +||dwarfishpresidenthoover.org^$third-party +||edwardthatchtestator.org^$third-party +||electricheaterlymphangiectasis.info^$third-party +||elegistgenusptilocercus.info^$third-party +||emmyballade.org^$third-party +||endstoppedoutthrust.net^$third-party +||envelopeonocleasensibilis.com^$third-party +||equilibriumlawcampanulaaparinoides.info^$third-party +||eroticnewsprogram.info^$third-party ||eschrichtiidaepiety.info^$third-party +||evelynarthursaintjohnwaughprideofplace.org^$third-party +||existentialphilosopherthespesiapopulnea.com^$third-party +||exsanguinoustrueup.net^$third-party ||faintheartedsharkoil.info^$third-party +||familycorixidaekeelshaped.org^$third-party +||familymycobacteriaceaebariumprotoxide.org^$third-party +||familyperipatidaegenusacrocomia.info^$third-party +||fastestattractive.in^$third-party +||fieldpeabaldfaced.com^$third-party +||floretnonvolatilisable.org^$third-party +||foodelevatororbignya.com^$third-party +||foodstamprhyacotritonolympicus.org^$third-party +||foreigncorrespondentatonement.info^$third-party +||forgerhineland.com^$third-party ||formicafuscasyringavillosa.info^$third-party +||frankfurterbunfacecream.net^$third-party ||friulitheosophism.info^$third-party +||fruitfulnessmechanicalmixture.com^$third-party +||gascookerinitsownright.com^$third-party +||gastriclavagepotemkin.org^$third-party +||genitivegenusleucanthemum.net^$third-party +||genrepaintingimproving.info^$third-party +||genusacinonyxricebeer.com^$third-party +||genusaspidistraadopter.info^$third-party +||genusbrickeliaparsee.org^$third-party +||genuscoccothraustesricharderskineleakey.net^$third-party +||genusconopodiumlend.me^$third-party +||genusdaleaforcingout.info^$third-party +||genushimantoglossumsultanofswat.com^$third-party +||genusmonesesoddlegcaliper.org^$third-party +||genusnumeniusdepend.net^$third-party +||genusopisthocomusbuccaneering.info^$third-party +||genusscindapsusketeleeria.com^$third-party +||georgesandsorb.net^$third-party ||georgfriedrichbernhardriemannhorseradishsauce.info^$third-party +||germanpolicedogrideroughshod.com^$third-party +||getanosefulhomeotherm.net^$third-party +||giftconquerable.info^$third-party +||giordanobrunomobilization.net^$third-party +||gitanonontoxic.in^$third-party +||globalisenailer.com^$third-party +||glycyrrhizaglabraphotometrist.org^$third-party +||golfplayergramstain.com^$third-party +||gritrockloftily.net^$third-party +||growthregulatorsayeretmatkal.info^$third-party +||hamadryadgilgaisoil.net^$third-party +||hammeredmalawian.net^$third-party +||handlineluger.net^$third-party +||harrodhireout.info^$third-party ||hectometertriple.info^$third-party +||herefordpongo.org^$third-party +||herringsaladguinebissau.info^$third-party +||heterozygousderegulate.com^$third-party +||hoardertriplespacing.com^$third-party +||hoarylimpness.net^$third-party +||hornblendeshiitemuslim.com^$third-party +||horseracebackexercise.info^$third-party +||hypersomniadideoxycytosine.info^$third-party +||hypophysectomisearisarumvulgare.com^$third-party +||hysterotomynonskid.info^$third-party +||identicalnessinheight.com^$third-party +||idiopathicthrombocytopenicpurpurapeptic.com^$third-party +||impersonalmetastability.info^$third-party +||impertinencebradypodidae.net^$third-party +||indignantonstage.com^$third-party +||indulgeotoole.info^$third-party +||inexpressiveelfin.org^$third-party +||inflexionaggravating.info^$third-party +||initializesportcoat.in^$third-party +||interactionracing.com^$third-party +||intermittenceairconditioner.info^$third-party +||irritatingorchidectomy.info^$third-party ||jewryhear.info^$third-party ||jobinterviewadjustment.info^$third-party +||joborientedterminalkickstand.me^$third-party +||johnchapmanbodyplethysmograph.org^$third-party +||jujuplath.me^$third-party +||karien.org^$third-party +||keloks.com^$third-party +||keynesianpieris.org^$third-party +||kishinevunaerated.com^$third-party +||labourcampbucketful.com^$third-party +||lavendermalvinahoffman.org^$third-party +||lawmakersanathematize.info^$third-party +||lendoneselflepidopterist.info^$third-party +||lepuscalifornicusonenightstand.info^$third-party +||lighthorseharryleefieldspeedwell.net^$third-party ||limbedpenn.info^$third-party -||mariannecraigmooregenussinornis.info$third-party +||lineofreasoninganteriorcruralnerve.org^$third-party +||lkjfqlmskjdqlkmsjd.com^$third-party +||loveknotflankerback.net^$third-party +||lowrisenonfat.in^$third-party +||lycianfamilyhydrangeaceae.in^$third-party +||macadamianutdogma.org^$third-party +||macrocephalouspokerface.com^$third-party +||magistratedefenseintelligenceagency.net^$third-party +||mariannecraigmooregenussinornis.info^$third-party +||megacyclestrawberryicecream.me^$third-party +||memorygenusvittaria.net^$third-party +||metalsawgenuslarus.net^$third-party +||midiremuneration.com^$third-party +||militarylawjohntyndall.info^$third-party +||militarypostsmokedsalmon.net^$third-party +||modernistgenusanaphalis.com^$third-party +||monasticismribesuvacrispa.org^$third-party +||moonworshipchapatti.net^$third-party +||mothertheresabionic.com^$third-party +||murdererpairofscissors.me^$third-party +||murinebloomeriacrocea.org^$third-party +||muscadomesticadownheartedness.net^$third-party +||muskatabieslasiocarpa.net^$third-party +||mysteriousfallwebworm.net^$third-party +||nazinajahannah.com^$third-party +||nighaleuritesfordii.net^$third-party +||ninetysixhypothalamic.net^$third-party +||niobitebradypus.com^$third-party +||northernscupencountergroup.info^$third-party +||nostalgicallyoperatingroom.com^$third-party +||nucleicacidsunburstpleat.info^$third-party +||nursesharktorreyspine.info^$third-party +||odtrialanderror.info^$third-party +||oiltycoonparotid.in^$third-party +||oldhickoryfretted.info^$third-party +||oliverstoneorderhyracoidea.net^$third-party +||orangeblossomorchidfreethought.com^$third-party +||orderequisetalesendeshabille.info^$third-party +||originationrhonchus.me^$third-party +||outofhandscentedwattle.net^$third-party +||oxfordrainy.net^$third-party +||oystershellpustulate.me^$third-party +||pacificstandardtimemarut.info^$third-party +||palatinetonsilamoristic.in^$third-party +||papacarefully.info^$third-party +||paraffinscaleraffiavinifera.org^$third-party +||patrilineagefashion.biz^$third-party +||perspirercetacea.info^$third-party +||phytophagoustransferee.info^$third-party +||pinusnigradiabolize.info^$third-party +||polypeptidetoea.info^$third-party +||portepartheniumhysterophorus.net^$third-party +||posingfamilymustelidae.org^$third-party +||practicebundlingredbreastedsapsucker.org^$third-party +||prayershawlchargeup.me^$third-party +||pressburgseptation.info^$third-party +||prurientlygrandfatherclause.net^$third-party +||pseudomonodaceaenonlinearcorrelation.info^$third-party +||quaternschoolship.org^$third-party +||radioannouncerthelypterisdryopteris.me^$third-party +||rashnessspackle.me^$third-party +||redbelliedsnakemyxine.com^$third-party +||redmulletgoodword.com^$third-party +||reedmacepurposeless.net^$third-party +||resuscitatedfoxtailorchid.net^$third-party +||rheometerblueafricanlily.org^$third-party +||ricketinessamoebina.com^$third-party +||romanaclefpolemicist.in^$third-party +||rostovondoncarbondating.net^$third-party +||rudderlessstaging.net^$third-party +||ruralistacinose.me^$third-party +||saintfrancisclaw.org^$third-party +||saulbellowrigel.org^$third-party +||sawfishmusclefibre.info^$third-party +||scalablemothertongue.net^$third-party +||schismaticallydaybyday.info^$third-party +||scleropagesstreeturchin.net^$third-party +||secretaryofstateblackness.net^$third-party +||selftorturemidafternoon.net^$third-party +||sensibiliseasiminatriloba.net^$third-party +||serenessoctopod.com^$third-party +||serviceberrycomputerdisplay.me^$third-party +||setplantfamily.info^$third-party +||seweragegenitourinary.net^$third-party +||sexualgenusnoctua.org^$third-party +||shapeupobliteration.org^$third-party +||shortironeastside.net^$third-party +||sidelineacrocephalusschoenobaenus.org^$third-party +||singlyaythyaaffinis.com^$third-party +||sirfrankwhittlelowerrespiratorytract.com^$third-party +||sirjacobepsteinheracleumsphondylium.com^$third-party +||smackingfamilyorchidaceae.org^$third-party +||smproxy.com^$third-party +||solitarymeliorist.org^$third-party +||somparazoan.me^$third-party +||sortingalgorithmtensile.info^$third-party +||spelaeologistmilitarisation.info^$third-party +||sphincteranibattleofpanipat.org^$third-party +||squintercharlesthomsonreeswilson.com^$third-party +||stationerydriftice.info^$third-party +||steneo.com^$third-party +||stonepitsarcodessanguinea.info^$third-party +||subduablealphadecay.info^$third-party +||supertankermavik.net^$third-party +||susanbrownellanthonysabotage.net^$third-party +||swampsunflowerdefrauder.me^$third-party ||sweetelderdermoidcyst.info^$third-party +||tadpoleshapedmetalworks.com^$third-party ||tailorschalklycosatarentula.info^$third-party +||tallchiefpalmcat.net^$third-party +||tamarauallatonce.com^$third-party +||taziyehhenpeck.com^$third-party +||theatreofwarsailorboy.net^$third-party +||togolesearterialpressure.me^$third-party +||topologicallychronicle.org^$third-party +||tracheitiscomplement.info^$third-party +||transductionsouthafricanmonetaryunit.com^$third-party +||trifoliumreflexumgenuscladonia.info^$third-party +||truevocalcordlightarmed.com^$third-party +||twolobedashamedly.org^$third-party +||unbarreleddarkened.net^$third-party +||unbodiediridaceousplant.net^$third-party +||underlaymentgallstone.net^$third-party ! Adunblock -@@|http://*.69.mu/*.js|$script,third-party -@@|http://*.ax.lt/*.js|$script,third-party -@@|http://*.cc.st/*.js|$script,third-party -@@|http://*.cr.rs/*.js|$script,third-party -@@|http://*.ez.lv/*.js|$script,third-party -@@|http://*.fuckcentral.com/*.js|$script,third-party -@@|http://*.gw.lt/*.js|$script,third-party -@@|http://*.linuxx.org/*.js|$script,third-party -@@|http://*.mm.my/*.js|$script,third-party -@@|http://*.na.tl/*.js|$script,third-party -@@|http://*.qq.my/*.js|$script,third-party -@@|http://*.ro.lt/*.js|$script,third-party -@@|http://*.us.to/*.js|$script,third-party -@@|http://*.vr.lt/*.js|$script,third-party -@@||3dxtras.com/*.js|$script,third-party -@@||905tech.com/*.js|$script,third-party -@@||abuser.eu/*.js|$script,third-party -@@||afust.ax.lt/*.js|$script,third-party -@@||anonymous.lv/*.js|$script,third-party -@@||antongorbunov.com/*.js|$script,third-party -@@||awiki.org/*.js|$script,third-party -@@||azqmf.ro.lt/*.js|$script,third-party -@@||b33r.us/*.js|$script,third-party -@@||bad.mn/*.js|$script,third-party -@@||base-v.ch/*.js|$script,third-party -@@||bkafw.us.to/*.js|$script,third-party -@@||caledonianlab.com/*.js|$script,third-party -@@||chqbp.69.mu/*.js|$script,third-party -@@||cloudwatch.net/*.js|$script,third-party -@@||crabdance.com/*.js|$script,third-party -@@||crackedsidewalks.com/*.js|$script,third-party -@@||cteyd.na.tl/*.js|$script,third-party -@@||cvhyx.vr.lt/*.js|$script,third-party -@@||dalnet.ca/*.js|$script,third-party -@@||darknigger.com/*.js|$script,third-party -@@||dearabba.org/*.js|$script,third-party -@@||desain.co.id/*.js|$script,third-party -@@||dlgbh.ax.lt/*.js|$script,third-party -@@||dyx.com/*.js|$script,third-party -@@||eaglepoint.us/*.js|$script,third-party -@@||ebogh.mm.my/*.js|$script,third-party -@@||efnet.at/*.js|$script,third-party -@@||entermypicks.com/*.js|$script,third-party -@@||evils.in/*.js|$script,third-party -@@||eviyx.qq.my/*.js|$script,third-party -@@||framed.net/*.js|$script,third-party -@@||freebsd.md/*.js|$script,third-party -@@||ftp.sh/*.js|$script,third-party -@@||ghaman.com/*.js|$script,third-party -@@||ghostnation.org/*.js|$script,third-party -@@||google-it.info/*.js|$script,third-party -@@||hackedbox.net/*.js|$script,third-party -@@||hebmr.cc.st/*.js|$script,third-party -@@||hmlbz.ez.lv/*.js|$script,third-party -@@||home.kg/*.js|$script,third-party -@@||homenet.org/*.js|$script,third-party -@@||hpc.tw/*.js|$script,third-party -@@||hrnob.ro.lt/*.js|$script,third-party -@@||icello.in/*.js|$script,third-party -@@||inc.gs/*.js|$script,third-party -@@||info.gf/*.js|$script,third-party -@@||javafaq.nu/*.js|$script,third-party -@@||joe.dj/*.js|$script,third-party -@@||jpe.js/*.js|$script,third-party -@@||jundy.org/*.js|$script,third-party -@@||kbosf.ax.lt/*.js|$script,third-party -@@||leet.la/*.js|$script,third-party -@@||linuxd.net/*.js|$script,third-party -@@||linuxd.org/*.js|$script,third-party -@@||mazdarx7.com/*.js|$script,third-party -@@||mfkbe.cr.rs/*.js|$script,third-party -@@||mil.nf/*.js|$script,third-party -@@||mine.bz/*.js|$script,third-party -@@||minecraftnoob.com/*.js|$script,third-party -@@||negeriau.net/*.js|$script,third-party -@@||nhachot.info/*.js|$script,third-party -@@||nnc.ro/*.js|$script,third-party -@@||omqdu.cr.rs/*.js|$script,third-party -@@||opensrc.mx/*.js|$script,third-party -@@||otzlu.gw.lt/*.js|$script,third-party -@@||pirat3.com/*.js|$script,third-party -@@||port0.org/*.js|$script,third-party -@@||privatedns.org/*.js|$script,third-party -@@||publi.ch/*.js|$script,third-party -@@||qjbvc.ro.lt/*.js|$script,third-party -@@||qmvnt.linuxx.org/*.js|$script,third-party -@@||quannhacvang.com/*.js|$script,third-party -@@||rcwmu.us.to/*.js|$script,third-party -@@||remote.mx/*.js|$script,third-party -@@||sefpq.us.to/*.js|$script,third-party -@@||shen.cl/*.js|$script,third-party -@@||soon.it/*.js|$script,third-party -@@||spiegs.com/*.js|$script,third-party -@@||stemline.com/*.js|$script,third-party -@@||sux.ms/*.js|$script,third-party -@@||techsofts.com/*.js|$script,third-party -@@||themafia.info/*.js|$script,third-party -@@||tjxpq.ro.lt/*.js|$script,third-party -@@||ukstokes.com/*.js|$script,third-party -@@||uxkmr.us.to/*.js|$script,third-party -@@||uycpd.ax.lt/*.js|$script,third-party -@@||vundm.us.to/*.js|$script,third-party -@@||whynotad.com/*.js|$script,third-party -@@||with-linux.com/*.js|$script,third-party -@@||wpmqu.na.tl/*.js|$script,third-party -@@||wtf.im/*.js|$script,third-party -@@||yblpg.ax.lt/*.js|$script,third-party -@@||yspzd.na.tl/*.js|$script,third-party -|http://*.69.mu/$third-party,xmlhttprequest -|http://*.905tech.com/$third-party,xmlhttprequest -|http://*.abuser.eu/$third-party,xmlhttprequest -|http://*.anonymous.lv/$third-party,xmlhttprequest -|http://*.antongorbunov.com/$third-party,xmlhttprequest -|http://*.awiki.org/$third-party,xmlhttprequest -|http://*.ax.lt/$third-party,xmlhttprequest -|http://*.b33r.us/$third-party,xmlhttprequest -|http://*.bad.mn/$third-party,xmlhttprequest -|http://*.base-v.ch/$third-party,xmlhttprequest -|http://*.caledonianlab.com/$third-party,xmlhttprequest -|http://*.cc.st/$third-party,xmlhttprequest -|http://*.cloudwatch.net/$third-party,xmlhttprequest -|http://*.cr.rs/$third-party,xmlhttprequest -|http://*.crackedsidewalks.com/$third-party,xmlhttprequest -|http://*.dalnet.ca/$third-party,xmlhttprequest -|http://*.darknigger.com/$third-party,xmlhttprequest -|http://*.dearabba.org/$third-party,xmlhttprequest -|http://*.desain.co.id/$third-party,xmlhttprequest -|http://*.dyx.com/$third-party,xmlhttprequest -|http://*.eaglepoint.us/$third-party,xmlhttprequest -|http://*.efnet.at/$third-party,xmlhttprequest -|http://*.entermypicks.com/$third-party,xmlhttprequest -|http://*.evils.in/$third-party,xmlhttprequest -|http://*.eye.rs/$third-party,xmlhttprequest -|http://*.ez.lv/$third-party,xmlhttprequest -|http://*.framed.net/$third-party,xmlhttprequest -|http://*.freebsd.md/$third-party,xmlhttprequest -|http://*.ftp.sh/$third-party,xmlhttprequest -|http://*.fuckcentral.com/$third-party,xmlhttprequest -|http://*.ghaman.com/$third-party,xmlhttprequest -|http://*.ghostnation.org/$third-party,xmlhttprequest -|http://*.google-it.info/$third-party,xmlhttprequest -|http://*.gw.lt/$third-party,xmlhttprequest -|http://*.hackedbox.net/$third-party,xmlhttprequest -|http://*.home.kg/$third-party,xmlhttprequest -|http://*.homenet.org/$third-party,xmlhttprequest -|http://*.hpc.tw/$third-party,xmlhttprequest -|http://*.icello.in/$third-party,xmlhttprequest -|http://*.info.gf/$third-party,xmlhttprequest -|http://*.javafaq.nu/$third-party,xmlhttprequest -|http://*.joe.dj/$third-party,xmlhttprequest -|http://*.jpe.js/$third-party,xmlhttprequest -|http://*.jundy.org/$third-party,xmlhttprequest -|http://*.keep.se/$third-party,xmlhttprequest -|http://*.leet.la/$third-party,xmlhttprequest -|http://*.linuxd.net/$third-party,xmlhttprequest -|http://*.linuxd.org/$third-party,xmlhttprequest -|http://*.linuxx.org/$third-party,xmlhttprequest -|http://*.mazdarx7.com/$third-party,xmlhttprequest -|http://*.mil.nf/$third-party,xmlhttprequest -|http://*.mine.bz/$third-party,xmlhttprequest -|http://*.minecraftnoob.com/$third-party,xmlhttprequest -|http://*.mm.my/$third-party,xmlhttprequest -|http://*.negeriau.net/$third-party,xmlhttprequest -|http://*.nhachot.info/$third-party,xmlhttprequest -|http://*.nnc.ro/$third-party,xmlhttprequest -|http://*.openoffcampus.com/$third-party,xmlhttprequest -|http://*.opensrc.mx/$third-party,xmlhttprequest -|http://*.pirat3.com/$third-party,xmlhttprequest -|http://*.port0.org/$third-party,xmlhttprequest -|http://*.privatedns.org/$third-party,xmlhttprequest -|http://*.publi.ch/$third-party,xmlhttprequest -|http://*.qq.my/$third-party,xmlhttprequest -|http://*.quannhacvang.com/$third-party,xmlhttprequest -|http://*.remote.mx/$third-party,xmlhttprequest -|http://*.ro.lt/$third-party,xmlhttprequest -|http://*.rootns.com/$third-party,xmlhttprequest -|http://*.shen.cl/$third-party,xmlhttprequest -|http://*.soon.it/$third-party,xmlhttprequest -|http://*.spiegs.com/$third-party,xmlhttprequest -|http://*.stemline.com/$third-party,xmlhttprequest -|http://*.suka.se/$third-party,xmlhttprequest -|http://*.sux.ms/$third-party,xmlhttprequest -|http://*.techsofts.com/$third-party,xmlhttprequest -|http://*.themafia.info/$third-party,xmlhttprequest -|http://*.ukstokes.com/$third-party,xmlhttprequest -|http://*.us.to/$third-party,xmlhttprequest -|http://*.vr.lt/$third-party,xmlhttprequest -|http://*.whynotad.com/$third-party,xmlhttprequest -|http://*.with-linux.com/$third-party,xmlhttprequest -|http://*.wtf.im/$third-party,xmlhttprequest -|http://*.zanity.net/$third-party,xmlhttprequest -||axlnp.us.to^$third-party -||cifqr.69.mu^$third-party -||cvhyx.vr.lt^$third-party -||ebogh.mm.my^$third-party -||fcwsk.ro.lt^$third-party -||fsvuc.qq.my^$third-party -||hjglq.ax.lt^$third-party -||hmlbz.ez.lv^$third-party -||hupix.ro.lt^$third-party -||lvorz.ax.lt^$third-party -||mfkbe.cr.rs^$third-party -||mxlpn.ro.lt^$third-party -||nagcs.ax.lt^$third-party -||nslpg.us.to^$third-party -||omqdu.cr.rs^$third-party -||openoffcampus.com^$third-party -||pfrns.us.to^$third-party -||pxunl.mm.my^$third-party -||pyjmc.cc.st^$third-party -||rhlsv.ro.lt^$third-party -||rlhdw.ax.lt^$third-party -||rootns.com^$third-party -||seiog.us.to^$third-party -||sjelf.us.to^$third-party -||uzjog.ro.lt^$third-party -||vzern.us.to^$third-party -||wedsf.us.to^$third-party -||wjvmp.us.to^$third-party -||xuwnh.us.to^$third-party -||ycibh.gw.lt^$third-party -||ydfbg.us.to^$third-party -||ytrhu.us.to^$third-party -||zanity.net^$third-party +||accomplir.science^$third-party +||accorder.science^$third-party +||achever.science^$third-party +||adunblock.com/?utm_campaign=$popup +||adunblock.com^$third-party +||adunblock.fr/?utm_campaign=$popup +||adunblock.fr^$third-party +||affirmer.science^$third-party +||agiter.science^$third-party +||aiguille.ovh^$third-party +||allumer.science^$third-party +||ampoule.ovh^$third-party +||amuser.science^$third-party +||anglais.science^$third-party +||anticyclone.science^$third-party +||appartement.science^$third-party +||appel.science^$third-party +||aqueux.science^$third-party +||arome.science^$third-party +||arriere.science^$third-party +||attirer.science^$third-party +||aucun.science^$third-party +||auteur.science^$third-party +||avant.science^$third-party +||aventure.science^$third-party +||avoir.science^$third-party +||avouer.science^$third-party +||baisser.science^$third-party +||barometre.science^$third-party +||clou.ovh^$third-party +||colle.ovh^$third-party +||comme.science^$third-party +||coudre.ovh^$third-party +||crochet.ovh^$third-party +||etre.science^$third-party +||fabriquer.ovh^$third-party +||ficelle.ovh^$third-party +||marteau.ovh^$third-party +||mesurer.ovh^$third-party +||metal.ovh^$third-party +||metre.ovh^$third-party +||peinture.ovh^$third-party +||percer.ovh^$third-party +||pinceau.ovh^$third-party +||planche.ovh^$third-party +||pouvoir.science^$third-party +||qui.science^$third-party +||scie.ovh^$third-party +||taper.ovh^$third-party +||tournevis.ovh^$third-party +! +@@|http://*.science/*.js|$script,third-party +@@||accorder.science/*.js|$script,third-party +@@||achever.science/*.js|$script,third-party +@@||adunblock.com/*.js|$script,third-party +@@||adunblock.fr/*.js|$script,third-party +@@||affirmer.science/*.js|$script,third-party +@@||agiter.science/*.js|$script,third-party +@@||aiguille.ovh/*.js|$script,third-party +@@||allumer.science/*.js|$script,third-party +@@||ampoule.ovh/*.js|$script,third-party +@@||amuser.science/*.js|$script,third-party +@@||anglais.science/*.js|$script,third-party +@@||anticyclone.science/*.js|$script,third-party +@@||appartement.science/*.js|$script,third-party +@@||appel.science/*.js|$script,third-party +@@||aqueux.science/*.js|$script,third-party +@@||arome.science/*.js|$script,third-party +@@||arriere.science/*.js|$script,third-party +@@||attirer.science/*.js|$script,third-party +@@||aucun.science/*.js|$script,third-party +@@||auteur.science/*.js|$script,third-party +@@||avant.science/*.js|$script,third-party +@@||aventure.science/*.js|$script,third-party +@@||avoir.science/*.js|$script,third-party +@@||avouer.science/*.js|$script,third-party +@@||baisser.science/*.js|$script,third-party +@@||barometre.science/*.js|$script,third-party +@@||clou.ovh/*.js|$script,third-party +@@||colle.ovh/*.js|$script,third-party +@@||comme.science/*.js|$script,third-party +@@||coudre.ovh/*.js|$script,third-party +@@||crochet.ovh/*.js|$script,third-party +@@||etre.science/*.js|$script,third-party +@@||fabriquer.ovh/*.js|$script,third-party +@@||ficelle.ovh/*.js|$script,third-party +@@||marteau.ovh/*.js|$script,third-party +@@||mesurer.ovh/*.js|$script,third-party +@@||metal.ovh/*.js|$script,third-party +@@||metre.ovh/*.js|$script,third-party +@@||peinture.ovh/*.js|$script,third-party +@@||percer.ovh/*.js|$script,third-party +@@||pinceau.ovh/*.js|$script,third-party +@@||planche.ovh/*.js|$script,third-party +@@||pouvoir.science/*.js|$script,third-party +@@||qui.science/*.js|$script,third-party +@@||scie.ovh/*.js|$script,third-party +@@||taper.ovh/*.js|$script,third-party +@@||tournevis.ovh/*.js|$script,third-party +! +|http://*.science/$third-party,xmlhttprequest,domain=123coupedumonde2014.com|5nodes.fr|actu95.net|addons-wow.fr|adunblock.com|adunblock.fr|aeropassion.net|aiguille.ovh|allo-news.com|ampoule.ovh|aneviagaming.com|annuaire-bleu.net|annuaire-email.net|anthonix.fr|applebigmac.fr|arnaques-internet.info|automobile-sportive.com|avoir.science|bdcraft.net|breat.me|catswhocode.com|clou.ovh|colle.ovh|comme.science|consoledejeux.info|coolradio.be|dahoo.fr|developpez.com|developpez.net|dinguerie.com|etre.science|evoliofly.com|femmes-de-footballeurs.fr|festivalboujdour.com|forumtfc.net|gamewinner.fr|geoforum.fr|geowiki.fr|gogo-films.com|gta69.com|hallucinixxx.fr|imagesia.com|jackieetmicheltv.fr|jbmam.music.free.fr|jeuxvideo24.com|kboard.fr|kerbalspaceprogram.fr|lebouletdunet.com|lesarbres.fr|lolchat.fr|macworld.fr|mangacity.org|mastakongo.com|monlinker3ds.com|monlinkerdsi.com|nifoune.com|oobby.com|opalenews.com|pcworld.fr|physagreg.fr|pix-geeks.com|planete-astronomie.com|pouvoir.science|pronorugby.fr|qui.science|reef-guardian.com|robocraftgame.fr|rue89strasbourg.com|seomaker.estsurle.net|seventy-planes.com|sos-lettre.fr|space-blogs.net|space-forums.com|space-forums.net|styled-gaming.eu|sucha.net|suchablog.com|technogps.com|teranya.fr|trackr.fr|untourenchine.fr|vonox.fr|vosforums.com|web-fr.info|xavbox.com|xavbox.info|xavbox360.com|xavboxcube.com|xavboxds.com|xavboxforum.com|xavboxnews.com|xavboxone.com|xavboxphone.com|xavboxps2.com|xavboxps3.com|xavboxpsp.com|xavboxtuning.com|xavboxwii.com|xavboxwiiu.com|xiaomi-m3.fr|zevpn.net +! +@@|http://*.science/*.js|$script,third-party,domain=123coupedumonde2014.com|5nodes.fr|actu95.net|addons-wow.fr|adunblock.com|adunblock.fr|aeropassion.net|aiguille.ovh|allo-news.com|ampoule.ovh|aneviagaming.com|annuaire-bleu.net|annuaire-email.net|anthonix.fr|applebigmac.fr|arnaques-internet.info|automobile-sportive.com|avoir.science|bdcraft.net|breat.me|catswhocode.com|clou.ovh|colle.ovh|comme.science|consoledejeux.info|coolradio.be|dahoo.fr|developpez.com|developpez.net|etre.science|evoliofly.com|femmes-de-footballeurs.fr|festivalboujdour.com|forumtfc.net|gamewinner.fr|geoforum.fr|geowiki.fr|gogo-films.com|gta69.com|hallucinixxx.fr|imagesia.com|jackieetmicheltv.fr|jbmam.music.free.fr|jeuxvideo24.com|kboard.fr|kerbalspaceprogram.fr|lebouletdunet.com|lesarbres.fr|lolchat.fr|macworld.fr|mangacity.org|mastakongo.com|monlinker3ds.com|monlinkerdsi.com|nifoune.com|oobby.com|opalenews.com|pcworld.fr|physagreg.fr|pix-geeks.com|planete-astronomie.com|pouvoir.science|pronorugby.fr|qui.science|reef-guardian.com|robocraftgame.fr|rue89strasbourg.com|seomaker.estsurle.net|seventy-planes.com|sos-lettre.fr|space-blogs.net|space-forums.com|space-forums.net|styled-gaming.eu|sucha.net|suchablog.com|technogps.com|teranya.fr|trackr.fr|untourenchine.fr|vonox.fr|vosforums.com|web-fr.info|xavbox.com|xavbox.info|xavbox360.com|xavboxcube.com|xavboxds.com|xavboxforum.com|xavboxnews.com|xavboxone.com|xavboxphone.com|xavboxps2.com|xavboxps3.com|xavboxpsp.com|xavboxtuning.com|xavboxwii.com|xavboxwiiu.com|xiaomi-m3.fr|zevpn.net ! #@##bannerAdContainer1_1 #@##bannerAdFrame #@##bannerGoogle #@##block-ad_cube-0 #@##blox-big-ad-bottom -@@||pagead2.googlesyndication.com/simgad/$image,third-party,domain=123coupedumonde2014.com|5nodes.fr|actu95.net|actuping.com|addons-wow.fr|adunblock.com|aeropassion.net|allo-news.com|annuaire-bleu.net|annuaire-email.net|anthonix.fr|applebigmac.fr|applicationsandroidfrance.com|arnaques-internet.info|bdcraft.net|br1team.fr|breizhptc.com|buzzer-manager.com|buzzwebzine.fr|byothe.fr|catswhocode.com|cinemotions.com|cle-usb.info|cnetfrance.fr|consoledejeux.info|coolradio.be|culture-communication.fr|degroupnews.com|degrouptest.com|dofusmotion.com|donnemoilinfo.com|dontmiss.fr|e-puzzles.fr|evoliofly.com|femmes-de-footballeurs.fr|festivalboujdour.com|fight4craft.fr|gamekult.com|gamer-network.fr|gamewinner.fr|geek-area.fr|geneanum.com|geoforum.fr|geowiki.fr|go-streaming-gratuit.com|gobages.com|gogo-films.com|gridam.com|hitek.fr|imagesia.com|jackieetmicheltv.fr|kboard.fr|kerbalspaceprogram.fr|lebouletdunet.com|leetgamerz.net|lesarbres.fr|livrespourtous.com|lolchat.fr|loractu.fr|macworld.fr|maviesurleweb.fr|minecraft-france.fr|minecraftmod.fr|monlinker3ds.com|monlinkerds.com|monlinkerdsi.com|moto85.com|muslimette-magazine.com|nas-forum.com|nifoune.com|ocre-annuaire.net|ogame-winner.com|okawan.com|oobby.com|opalenews.com|pcworld.fr|phonandroid.com|physagreg.fr|pix-geeks.com|pyrros.fr|quedesbonsplans.com|radar-feu-rouge.fr|reef-guardian.com|rue89strasbourg.com|sanditrad.com|scoopmosaique.be|sen.flam.me|seomaker.estsurle.net|simonfr.org|sous-la-mer.com|space-blogs.com|space-blogs.net|space-forums.com|space-forums.net|styled-gaming.eu|sucha.net|suchablog.com|syskb.com|teranya.fr|toolzzz.fr|tout-gratuit.be|toutes-les-solutions.fr|trackr.fr|tryandplay.com|untourenchine.fr|visiban.com|vonox.fr|wawa-mania.biz|wiilogic.com|xarold.com|xavbox.com|xavbox.info|xavbox.org|xavbox360.com|xavboxcube.com|xavboxds.com|xavboxforum.com|xavboxnews.com|xavboxone.com|xavboxphone.com|xavboxps2.com|xavboxps3.com|xavboxpsp.com|xavboxtuning.com|xavboxwii.com|xavboxwiiu.com|xavdrone.com|xavfun.com|zdnet.fr|zevpn.net +@@||pagead2.googlesyndication.com/simgad/$image,third-party,domain=123coupedumonde2014.com|5nodes.fr|actu95.net|addons-wow.fr|adunblock.com|adunblock.fr|aeropassion.net|allo-news.com|annuaire-bleu.net|annuaire-email.net|anthonix.fr|applebigmac.fr|arnaques-internet.info|catswhocode.com|consoledejeux.info|coolradio.be|developpez.com|developpez.net|evoliofly.com|femmes-de-footballeurs.fr|festivalboujdour.com|gamewinner.fr|geowiki.fr|gogo-films.com|imagesia.com|jackieetmicheltv.fr|kboard.fr|kerbalspaceprogram.fr|lebouletdunet.com|lolchat.fr|macworld.fr|monlinker3ds.com|monlinkerdsi.com|nifoune.com|oobby.com|opalenews.com|pcworld.fr|physagreg.fr|seomaker.estsurle.net|space-forums.com|space-forums.net|styled-gaming.eu|sucha.net|suchablog.com|trackr.fr|vonox.fr|xavbox.com|xavbox.info|xavbox360.com|xavboxcube.com|xavboxds.com|xavboxforum.com|xavboxnews.com|xavboxone.com|xavboxphone.com|xavboxps2.com|xavboxps3.com|xavboxpsp.com|xavboxtuning.com|xavboxwii.com|xavboxwiiu.com ! -@@/http://(?!ad\.zanox\.com/ppv/|pubads\.g\.doubleclick\.net/gampad/ads\?g|pagead2\.googlesyndication\.com/)/$script,third-party,domain=degrouptest.com -@@/http://(?!adhitzads.com/|ads.clicmanager.fr/|tag.regieci.com/|www.cpmaffiliation.com/|www.cpmleader.com/|www.pubovore.com/|img.20dollars2surf.com/)/$script,third-party,domain=degrouptest.com @@/http://(?!ads\.ayads\.co/ajs.php)/$script,third-party,domain=suchablog.com -@@/http://(?!assets\.ebuzzing\.com/crunch/|rfpub\.free\.fr/admin/)/$script,third-party,domain=dofusmotion.com -@@/http://(?!banniere\.reussissonsensemble\.fr/view\.asp|as\.ebz\.io)/$script,third-party,domain=tryandplay.com -@@/http://(?!c\.ad6media\.fr/l\.js|c\.ad6media\.fr/fo\.js)/$script,third-party,domain=buzzwebzine.fr|culture-communication.fr -@@/http://(?!c\.ad6media\.fr/l\.js|c\.ad6media\.fr/fo\.js|pubads\.g\.doubleclick\.net/gampad/ads\?g|pagead2\.googlesyndication\.com/pagead/js/adsbygoogle)/$script,third-party,domain=leetgamerz.net -@@/http://(?!cdn\.adikteev\.com/lib/v|pagead2\.googlesyndication\.com/pagead/show_ads|pubads\.g\.doubleclick\.net/gampad/ads\?|c\.ad6media\.fr/l\.js|publicite\.fhsarl\.com/delivery/)/$script,third-party,domain=degroupnews.com -@@/http://(?!cdn\.cupinteractive\.com/|www3\.smartadserver\.com/|cdn\.cbsinteractive\.fr/)/$script,third-party,domain=zdnet.fr @@/http://(?!clic\.illyx\.com/)/$script,third-party,domain=123coupedumonde2014.com -@@/http://(?!clients\.roxservers\.com/images/banners/)/$script,third-party,domain=fight4craft.fr @@/http://(?!comandclick\.com/accounts/|pagead2\.googlesyndication\.com/pagead/show_ads|pagead2\.googlesyndication\.com/pagead/js/adsbygoogle|ad\.leaderpub\.fr/)/$script,third-party,domain=styled-gaming.eu -@@/http://(?!dhtml\.pornravage\.com/|www\.lafranceapoil\.com/bans/|tool\.acces-vod\.com/|x\.porn\.fr)/$script,third-party,domain=jackieetmicheltv.fr -@@/http://(?!eulerian\.motoblouz\.com/adview/|pagead2\.googlesyndication\.com/pagead/show_ads)/$script,third-party,domain=moto85.com -@@/http://(?!fr\.charityad\.org/)/$script,third-party,domain=wawa-mania.biz -@@/http://(?!fr\.classic\.clickintext\.net/|fr\.slidein\.clickintext\.net/|pagead2\.googlesyndication\.com/|syskb\.com/wp-content/|ws\.amazon\.fr/)/$script,third-party,domain=syskb.com @@/http://(?!fr\.slidein\.clickintext\.net/\?|fr\.92\.clickintext.net/|impfr\.tradedoubler\.com/imp\?type|tracking\.veoxa\.com/|ad\.zanox\.com/ppv/)/$script,third-party,domain=space-forums.com|space-forums.net -@@/http://(?!fr\.slidein\.clickintext\.net/\?|fr\.92\.clickintext.net/|impfr\.tradedoubler\.com/imp\?type|tracking\.veoxa\.com/|ad\.zanox\.com/ppv/|pagead2\.googlesyndication\.com/pagead/show_ads|hst\.tradedoubler\.com/file/|www\.space-blogs\.com/openx/|rcm-fr\.amazon\.fr/)/$script,third-party,domain=reef-guardian.com @@/http://(?!fr\.slidein\.clickintext\.net/\?|tracking\.veoxa\.com/)/$script,third-party,domain=arnaques-internet.info -@@/http://(?!fr\.slidein\.clickintext\.net/|pagead2\.googlesyndication\.com/|ws\.amazon\.fr/)/$script,third-party,domain=syskb.com -@@/http://(?!geo-pub\.net/)/$script,third-party,domain=visiban.com -@@/http://(?!i7\.cdscdn\.com/|media\.alaplaya\.eu/|media\.boulanger\.fr/|pmcdn\.priceminister\.com/|s1\.static69\.com/)/$script,third-party,domain=br1team.fr -@@/http://(?!impfr\.tradedoubler\.com/imp\?type|pagead2\.googlesyndication\.com/pagead/show_ads|fr\.widget\.kelkoo.com/badge/)/$script,third-party,domain=cle-usb.info -@@/http://(?!impfr\.tradedoubler\.com/imp\?type|pagead2\.googlesyndication\.com/pagead/show_ads|googleads\.g\.doubleclick\.net/pagead/ads\?client=ca-pub-|fr\.slidein\.clickintext\.net/)/$script,third-party,domain=bdcraft.net @@/http://(?!impfr\.tradedoubler\.com/imp\?type|pagead2\.googlesyndication\.com/pagead/show_ads|googleads\.g\.doubleclick\.net/pagead/ads\?client=ca-pub-|fr\.slidein\.clickintext\.net/|ad\.zanox\.com/pp|hst\.tradedoubler\.com/|isi\.mistergooddeal\.com/|fr\.92\.clickintext\.net/|fr\.clickintext\.net/)/$script,third-party,domain=annuaire-bleu.net -@@/http://(?!impfr\.tradedoubler\.com/imp\?type|pagead2\.googlesyndication\.com/pagead/show_ads|googleads\.g\.doubleclick\.net/pagead/ads\?client=ca-pub-|fr\.slidein\.clickintext\.net/|nas-forum\.fr\.intellitxt\.com/)/$script,third-party,domain=nas-forum.com|ocre-annuaire.net|tout-gratuit.be|toutes-les-solutions.fr -@@/http://(?!impfr\.tradedoubler\.com/|pagead2\.googlesyndication\.com/|tracking\.veoxa\.com/)/$script,third-party,domain=sous-la-mer.com @@/http://(?!outils\.yesmessenger\.com/|ib\.adnxs\.com/|www\.google\.com/uds/|media\.camsympa\.com/|www\.yesmessenger\.com/|www\.easy-dating\.org/|www\.affiliation-france\.com/|pub\.sv2\.biz/|www\.pubdirecte\.com/)/$script,third-party,domain=festivalboujdour.com|gogo-films.com -@@/http://(?!pagead2\.googlesyndication\.com/)/$script,third-party,domain=evoliofly.com|femmes-de-footballeurs.fr|lolchat.fr|radar-feu-rouge.fr|scoopmosaique.be|teranya.fr|toolzzz.fr|trackr.fr|vonox.fr -@@/http://(?!pagead2\.googlesyndication\.com/pagead/js/)/$script,third-party,domain=anthonix.fr|byothe.fr|donnemoilinfo.com|geoforum.fr|geowiki.fr|lesarbres.fr -@@/http://(?!pagead2\.googlesyndication\.com/pagead/js/adsbygoogle)/$script,third-party,domain=5nodes.fr|e-puzzles.fr -@@/http://(?!pagead2\.googlesyndication\.com/pagead/js/adsbygoogle|pagead2\.googlesyndication\.com/pagead/show)/$script,third-party,domain=geneanum.com|gridam.com|livrespourtous.com|okawan.com|untourenchine.fr|xavboxtuning.com -@@/http://(?!pagead2\.googlesyndication\.com/pagead/js/adsbygoogle|pagead2\.googlesyndication\.com/pagead/show_ads|c\.ad6media\.fr/l\.js|ad\.zanox\.com/ppv/|www\.cashtrafic\.com/|www\.adcash\.com/)/$script,third-party,domain=gamewinner.fr|ogame-winner.com +@@/http://(?!pagead2\.googlesyndication\.com/)/$script,third-party,domain=evoliofly.com|femmes-de-footballeurs.fr|lolchat.fr|trackr.fr|vonox.fr +@@/http://(?!pagead2\.googlesyndication\.com/pagead/js/)/$script,third-party,domain=anthonix.fr|geowiki.fr +@@/http://(?!pagead2\.googlesyndication\.com/pagead/js/adsbygoogle)/$script,third-party,domain=5nodes.fr +@@/http://(?!pagead2\.googlesyndication\.com/pagead/js/adsbygoogle|pagead2\.googlesyndication\.com/pagead/show)/$script,third-party,domain=xavboxtuning.com +@@/http://(?!pagead2\.googlesyndication\.com/pagead/js/adsbygoogle|pagead2\.googlesyndication\.com/pagead/show_ads|c\.ad6media\.fr/l\.js|ad\.zanox\.com/ppv/|www\.cashtrafic\.com/|www\.adcash\.com/)/$script,third-party,domain=gamewinner.fr @@/http://(?!pagead2\.googlesyndication\.com/pagead/js/adsbygoogle|pagead2\.googlesyndication\.com/pagead/show_ads|www\.cadeaudenoel\.info/ban/)/$script,third-party,domain=xavboxnews.com|xavboxone.com -@@/http://(?!pagead2\.googlesyndication\.com/pagead/show_ads)/$script,third-party,domain=addons-wow.fr|minecraft-france.fr|physagreg.fr|sos-lettre.fr -@@/http://(?!pagead2\.googlesyndication\.com/pagead/show_ads|ad\.zanox\.com/ppv/|pagead2\.googlesyndication\.com/pagead/js/adsbygoogle|ad\.zanox\.com/ppv/|adimg\.uimserv\.net/)/$script,third-party,domain=maviesurleweb.fr -@@/http://(?!pagead2\.googlesyndication\.com/pagead/show_ads|ads\.ayads\.co/delivery/|pagead2\.googlesyndication\.com/pagead/js/adsbygoogle)/$script,third-party,domain=pix-geeks.com -@@/http://(?!pagead2\.googlesyndication\.com/pagead/show_ads|c\.ad6media\.fr/l\.js|api\.adyoulike\.com/tag\.js|pagead2\.googlesyndication\.com/pagead/js/adsbygoogle|ads\.ayads\.co/ajs)/$script,third-party,domain=loractu.fr +@@/http://(?!pagead2\.googlesyndication\.com/pagead/show_ads)/$script,third-party,domain=addons-wow.fr|physagreg.fr|sos-lettre.fr @@/http://(?!pagead2\.googlesyndication\.com/pagead/show_ads|cdn\.adikteev\.com/lib/v|ktu\.sv2\.biz/cd_|pagead2\.googlesyndication\.com/pagead/js/adsbygoogle|adbanner\.advertstream\.com/|www.adcash.com/)/$script,third-party,domain=imagesia.com -@@/http://(?!pagead2\.googlesyndication\.com/pagead/show_ads|impfr\.tradedoubler\.com/imp\?type|tracking\.veoxa\.com/|ad\.zanox\.com/ppv/|pagead2\.googlesyndication\.com/pagead/js/adsbygoogle|script\.weborama\.fr/gold|track\.effiliation\.com/servlet/effi\.show)/$script,third-party,domain=space-blogs.com|space-blogs.net @@/http://(?!pagead2\.googlesyndication\.com/pagead/show_ads|pubads\.g\.doubleclick\.net/gampad/ads\?g)/$script,third-party,domain=pcworld.fr @@/http://(?!pagead2\.googlesyndication\.com/pagead/show_ads|www\.arcalide\.com/affiliate_show_banner|pagead2\.googlesyndication\.com/pagead/js/adsbygoogle|script\.weborama\.fr/)/$script,third-party,domain=xavboxforum.com|xavboxphone.com -@@/http://(?!pagead2\.googlesyndication\.com/|cas\.criteo\.com/)/$script,third-party,domain=gobages.com -@@/http://(?!pagead2\.googlesyndication\.com/|googleads\.g\.doubleclick\.net/|ic\.tynt\.com/)/$script,third-party,domain=xarold.com @@/http://(?!pagead2\.googlesyndication\.com/|partner.googleadservices.com/)/$script,third-party,domain=oobby.com @@/http://(?!pagead2\.googlesyndication\.com/|playless\.fr/|www\.ebz\.io/|www\.ultimedia\.com/|ads\.ayads\.co/)/$script,third-party,domain=allo-news.com -@@/http://(?!pagead2\.googlesyndication\.com/|wtpn\.twenga\.fr/)/$script,third-party,domain=quedesbonsplans.com -@@/http://(?!pagead2\.googlesyndication\.com/|www\.beead\.fr/)/$script,third-party,domain=dontmiss.fr @@/http://(?!promo\.easy-dating\.org/|pagead2\.googlesyndication\.com|action\.metaffiliation\.com/)/$script,third-party,domain=annuaire-email.net @@/http://(?!pubads\.g\.doubleclick\.net/gampad/ads\?g|pagead2\.googlesyndication\.com/pagead/show_ads|cdn\.taboola\.com/)/$script,third-party,domain=kboard.fr|macworld.fr -@@/http://(?!pubads\.g\.doubleclick\.net/gampad/ads\?g|pagead2\.googlesyndication\.com/pagead/show_ads|pagead2\.googlesyndication\.com/pagead/js/adsbygoogle)/$script,third-party,domain=aeropassion.net|coolradio.be|kerbalspaceprogram.fr|pyrros.fr -@@/http://(?!pubads\.g\.doubleclick\.net/gampad/ads\?|cdn\.adikteev\.com/|api\.adserver\.adikteev\.com/|ib\.adnxs\.com/|mfr\.247realmedia\.com/|pagead2\.googlesyndication\.com/|www\.smartadserver\.com/)/$script,third-party,domain=hitek.fr -@@/http://(?!pubads\.g\.doubleclick\.net/gampad/ads|a\.ligatus\.com/)/$script,third-party,domain=rue89strasbourg.com +@@/http://(?!pubads\.g\.doubleclick\.net/gampad/ads\?g|pagead2\.googlesyndication\.com/pagead/show_ads|pagead2\.googlesyndication\.com/pagead/js/adsbygoogle)/$script,third-party,domain=aeropassion.net|coolradio.be|kerbalspaceprogram.fr @@/http://(?!roule\.nepasmanquer\.com/|dhtml\.pornravage\.com/|mods\.gdfspfg\.com/load|acces\.nepasmanquer\.com/|acces\.nepasmanquer\.com/|tool\.acces-vod\.com/banner/|aff\.optionbit\.com/)/$script,third-party,domain=lebouletdunet.com @@/http://(?!s3\.buysellads\.com/)/$script,third-party,domain=catswhocode.com -@@/http://(?!server1\.affiz\.net/)/$script,third-party,domain=actuping.com -@@/http://(?!server1\.affiz\.net/|adn\.ebay\.com/|as\.ebz\.io/|track\.effiliation\.com/|www\.assoc-amazon\.fr/|ib\.adnxs\.com/|api\.adyoulike\.com/|ad\.zanox\.com/)/$script,third-party,domain=cinemotions.com -@@/http://(?!static\.pubdirecte\.com/b-images/|www\.pubdirecte\.com/)/$script,third-party,domain=minecraftmod.fr -@@/http://(?!www3\.smartadserver\.com/)/$script,third-party,domain=cnetfrance.fr|gamekult.com -@@/http://(?!www\.adcash\.com/|x\.mochiads\.com/|pagead2\.googlesyndication\.com/|core\.mochibot\.com/)/$script,third-party,domain=geek-area.fr -@@/http://(?!www\.affiliation-france\.com/)/$script,third-party,domain=zevpn.net -@@/http://(?!www\.aircig\.com/media/|pagead2\.googlesyndication\.com/pagead/js/adsbygoogle|pagead2\.googlesyndication\.com/pagead/show_ads)/$script,third-party,domain=xavbox.org -@@/http://(?!www\.arcalide\.com/)/$script,third-party,domain=xavdrone.com -@@/http://(?!www\.arcalide\.com/affiliate_show_banner|pagead2\.googlesyndication\.com/pagead/js/adsbygoogle|rcm-eu\.amazon-adsystem\.com/)/$script,third-party,domain=wiilogic.com @@/http://(?!www\.arcalide\.com/affiliate_show_banner|pagead2\.googlesyndication\.com/pagead/js/adsbygoogle|www\.cadeaudenoel\.info/ban/)/$script,third-party,domain=xavboxwiiu.com -@@/http://(?!www\.clicmanager\.fr/img/|ads\.clicmanager\.fr/)/$script,third-party,domain=sen.flam.me -@@/http://(?!www\.ftjcfx\.com/|banners.goracash\.com/|www\.gambling-affiliation\.com/|partenaire-2tribus\.fr/)/$script,third-party,domain=sanditrad.com -@@/http://(?!www\.pubdirecte\.com/)/$script,third-party,domain=go-streaming-gratuit.com -@@/http://(?!www\.r4menu\.com/)/$script,third-party,domain=monlinker3ds.com|monlinkerds.com|monlinkerdsi.com|xavboxds.com -@@/http://(?!www\.smartadserver\.com/|ads\.ayads\.co/)/$script,third-party,domain=gamer-network.fr +@@/http://(?!www\.r4menu\.com/)/$script,third-party,domain=monlinker3ds.com|monlinkerdsi.com|xavboxds.com @@/http://(?!www\.xavboxnews\.com/files/|www\.aircig.com/media/affiliation/banner/|pagead2\.googlesyndication\.com/pagead/show_ads|www\.arcalide\.com/affiliate_show_banner|rcm-eu\.amazon-adsystem\.com/)/$script,third-party,domain=nifoune.com|xavboxwii.com -@@|http:$script,third-party,domain=actu95.net|applebigmac.fr|buzzer-manager.com|consoledejeux.info|mangacity.org|muslimette-magazine.com|opalenews.com|seomaker.estsurle.net|simonfr.org|sucha.net|xavbox.com|xavbox.info|xavbox360.com|xavboxcube.com|xavboxps2.com|xavboxps3.com|xavboxpsp.com|xavfun.com ! @@||123coupedumonde2014.com^$elemhide @@||5nodes.fr^$elemhide @@||actu95.net^$elemhide -@@||actuping.com^$elemhide @@||addons-wow.fr^$elemhide @@||adunblock.com^$elemhide +@@||adunblock.fr^$elemhide @@||aeropassion.net^$elemhide @@||allo-news.com^$elemhide +@@||aneviagaming.com^$elemhide @@||annuaire-bleu.net^$elemhide @@||annuaire-email.net^$elemhide @@||anthonix.fr^$elemhide @@||applebigmac.fr^$elemhide -@@||applicationsandroidfrance.com^$elemhide @@||arnaques-internet.info^$elemhide +@@||automobile-sportive.com^$elemhide @@||bdcraft.net^$elemhide -@@||br1team.fr^$elemhide -@@||breizhptc.com^$elemhide -@@||buzzer-manager.com^$elemhide -@@||buzzwebzine.fr^$elemhide -@@||byothe.fr^$elemhide +@@||breat.me^$elemhide @@||catswhocode.com^$elemhide -@@||cinemotions.com^$elemhide -@@||cle-usb.info^$elemhide -@@||cnetfrance.fr^$elemhide @@||consoledejeux.info^$elemhide @@||coolradio.be^$elemhide -@@||culture-communication.fr^$elemhide -@@||degroupnews.com^$elemhide -@@||degrouptest.com^$elemhide -@@||dofusmotion.com^$elemhide -@@||donnemoilinfo.com^$elemhide -@@||dontmiss.fr^$elemhide -@@||e-puzzles.fr^$elemhide +@@||dahoo.fr^$elemhide +@@||dinguerie.com^$elemhide @@||evoliofly.com^$elemhide @@||femmes-de-footballeurs.fr^$elemhide @@||festivalboujdour.com^$elemhide -@@||fight4craft.fr^$elemhide -@@||gamer-network.fr^$elemhide +@@||forumtfc.net^$elemhide @@||gamewinner.fr^$elemhide -@@||geek-area.fr^$elemhide -@@||geneanum.com^$elemhide @@||geoforum.fr^$elemhide @@||geowiki.fr^$elemhide -@@||go-streaming-gratuit.com^$elemhide -@@||gobages.com^$elemhide @@||gogo-films.com^$elemhide -@@||gridam.com^$elemhide -@@||hitek.fr^$elemhide +@@||gta69.com^$elemhide +@@||hallucinixxx.fr^$elemhide @@||imagesia.com^$elemhide @@||jackieetmicheltv.fr^$elemhide +@@||jbmam.music.free.fr^$elemhide +@@||jeuxvideo24.com^$elemhide @@||kboard.fr^$elemhide @@||kerbalspaceprogram.fr^$elemhide @@||lebouletdunet.com^$elemhide -@@||leetgamerz.net^$elemhide @@||lesarbres.fr^$elemhide -@@||livrespourtous.com^$elemhide @@||lolchat.fr^$elemhide -@@||loractu.fr^$elemhide @@||macworld.fr^$elemhide -@@||maviesurleweb.fr^$elemhide -@@||minecraft-france.fr^$elemhide -@@||minecraftmod.fr^$elemhide +@@||mastakongo.com^$elemhide @@||monlinker3ds.com^$elemhide -@@||monlinkerds.com^$elemhide @@||monlinkerdsi.com^$elemhide -@@||moto85.com^$elemhide -@@||muslimette-magazine.com^$elemhide -@@||nas-forum.com^$elemhide @@||nifoune.com^$elemhide -@@||ocre-annuaire.net^$elemhide -@@||ogame-winner.com^$elemhide -@@||okawan.com^$elemhide @@||oobby.com^$elemhide @@||opalenews.com^$elemhide @@||pcworld.fr^$elemhide -@@||phonandroid.com^$elemhide @@||physagreg.fr^$elemhide @@||pix-geeks.com^$elemhide -@@||pyrros.fr^$elemhide -@@||quedesbonsplans.com^$elemhide -@@||radar-feu-rouge.fr^$elemhide +@@||planete-astronomie.com^$elemhide +@@||pouvoir.science^$elemhide +@@||pronorugby.fr^$elemhide +@@||qui.science^$elemhide @@||reef-guardian.com^$elemhide +@@||robocraftgame.fr^$elemhide @@||rue89strasbourg.com^$elemhide -@@||sanditrad.com^$elemhide -@@||scoopmosaique.be^$elemhide -@@||sen.flam.me^$elemhide @@||seomaker.estsurle.net^$elemhide -@@||simonfr.org^$elemhide -@@||sous-la-mer.com^$elemhide -@@||space-blogs.com^$elemhide +@@||seventy-planes.com^$elemhide @@||space-blogs.net^$elemhide @@||space-forums.com^$elemhide @@||space-forums.net^$elemhide @@||styled-gaming.eu^$elemhide @@||sucha.net^$elemhide @@||suchablog.com^$elemhide -@@||syskb.com^$elemhide +@@||technogps.com^$elemhide @@||teranya.fr^$elemhide -@@||toolzzz.fr^$elemhide -@@||tout-gratuit.be^$elemhide -@@||toutes-les-solutions.fr^$elemhide @@||trackr.fr^$elemhide -@@||tryandplay.com^$elemhide @@||untourenchine.fr^$elemhide -@@||visiban.com^$elemhide @@||vonox.fr^$elemhide -@@||wat.tv$elemhide -@@||wawa-mania.biz^$elemhide -@@||wiilogic.com^$elemhide -@@||xarold.com^$elemhide +@@||vosforums.com^$elemhide +@@||web-fr.info^$elemhide @@||xavbox.com^$elemhide @@||xavbox.info^$elemhide -@@||xavbox.org^$elemhide @@||xavbox360.com^$elemhide @@||xavboxcube.com^$elemhide @@||xavboxds.com^$elemhide @@ -49540,23 +51769,21 @@ viedemerde.fr##.droite > .part + .part.second > div\[style="position: relative;" @@||xavboxtuning.com^$elemhide @@||xavboxwii.com^$elemhide @@||xavboxwiiu.com^$elemhide -@@||xavdrone.com^$elemhide -@@||xavfun.com^$elemhide -@@||zdnet.fr^$elemhide +@@||xiaomi-m3.fr^$elemhide @@||zevpn.net^$elemhide ! +data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAEAAAABCAYAAAAfFcSJAAAACklEQVR4nGMAAQAABQABDQottAAAAABJRU5ErkJggg== +! /fadb.min.js? @@.gif#$domain=automobile-sportive.com @@.jpg#$domain=dpstream.cc @@.png#$domain=dpstream.cc|dpstream.tv|ebookdz.com|leetgamerz.net|rapidebrideur.com|total-sport.tv|tout-gratuit.be -@@.png$domain=danslescoulisses.com @@||1max2sms.com/blogads.css @@||ad.advertstream.com/adjs_r.php?$script,domain=forum.virtualdjing.com @@||adspub.net/javascript/advertisement-AdBlock.js @@||anime-story.com/css/advertise.css -@@||api.captchme.net/js/blogads.js$script,third-party -@@||automobile-sportive.com^$elemhide -@@||c.ad6media.fr/l.js$domain=eternitygames.org|programmes-cinema.com +@@||api.captchme.net/js/advertisement-*.js$script +@@||c.ad6media.fr/l.js$domain=eternitygames.org|fan-de-cinema.com|fit.sh|programmes-cinema.com @@||carf-rubgy.fr/styles/ads.css @@||cdnfiles.e-wok.tv/js/advertisement.js @@||chats-perdus.net/advertisement.js @@ -49564,7 +51791,7 @@ viedemerde.fr##.droite > .part + .part.second > div\[style="position: relative;" @@||cpagrip.com/script_include.php? @@||d.adxcore.com/adjs_r.php?$script,domain=forum.virtualdjing.com @@||dev-dyod.fr/styles/ads.css -@@||domain.com/ads.html$subdocument,domain=programme-tv.net +@@||domain.com/ads.html$subdocument @@||dpstream.cc^$elemhide @@||dpstream.tv^$elemhide @@||dramapassion.com/js/advertisement.js @@ -49583,6 +51810,8 @@ viedemerde.fr##.droite > .part + .part.second > div\[style="position: relative;" @@||lafansubresistance.biz^$script,domain=lafansubresistance.biz @@||lien-torrent.com/addrating.php? @@||lien-torrent.com/pubs/affiche.php?f=lecteurpub +@@||matchendirect.fr/html_include/js/publicite-adblocktest.js$script +@@||mega-exclue.com/advertisement.js @@||mega-exclue.com^*/unblock/blockBlock/advertisement.js @@||meteomedia.com/common/js/master/adframe.js @@||pagead2.googlesyndication.com/pagead/expansion_embed.js$domain=universal-soundbank.com @@ -49598,7 +51827,6 @@ viedemerde.fr##.droite > .part + .part.second > div\[style="position: relative;" @@||pubads.g.doubleclick.net/gampad/ads?$script,domain=replay.fr @@||rapide-cash.fr/ads.css @@||rapidebrideur.com^$elemhide -@@||s.wat.tv/images/static/partner/*/rev.txt-ads? @@||scan-manga.com^$stylesheet @@||scan-manga.fr^$stylesheet @@||slip.madmoizelle.com/advertisement.js? @@ -49647,10 +51875,12 @@ reseauforum.org#@#.html-advertisement msf.fr#@#.image-advertisement bfmtv.com#@#.ligatus leboncoin.fr#@#.list-ads +allocine.fr#@#.nipnadszone pharmasite.fr#@#.pub300 whatpub.com#@#.pub_left lefigaro.fr#@#.pub_pave love-hinax.com#@#.publicite +maghrebspace.net#@#.publicite_gauche imdb.com#@#.publicity maghrebspace.net#@#.top-publicite geekdefrance.fr#@#.topads @@ -49658,13 +51888,17 @@ wanimo.com#@#div\[id^="div-gpt-ad-"] ! Anti-Adblock ! A l'attention des webmasters : https://easylist.adblockplus.org/blog/2013/05/10/anti-adblock-guide-for-site-admins dbz-fantasy.com#@##adTeaser +###adb-actived +jetetroll.com#@##adsense +###anti_adblock scan-manga.com#@##ft_mpu +###pub-haut-adblock scan-manga.com#@##pub_head debrideurstream.fr#@##pubdirecte fairytailmx.com#@##sponsored-ad forum.virtualdjing.com#@#.adFrame gamingroom.tv,vide-greniers.org#@#.adsbygoogle -crash-aerien.aero,goldenboys.fr,radiocockpit.fr#@#.afs_ads +goldenboys.fr,radiocockpit.fr#@#.afs_ads freedom-ip.com#@#.pub_vertical fr.audiofanzine.com#@#div\[id^="div-gpt-ad-"] eclypsia.com#@#img\[width="728"]\[height="90"] @@ -49672,7 +51906,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] ! Licence: https://easylist-downloads.adblockplus.org/COPYING ! ! Please report any unblocked adverts or problems -! in the forums (http://forums.lanik.us/) +! in the forums (https://forums.lanik.us/) ! or via e-mail (easylist.subscription@gmail.com). ! !-----------------------General advert blocking filters-----------------------! @@ -49682,6 +51916,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] &ad_classid= &ad_height= &ad_keyword= +&ad_network_ &ad_number= &ad_type= &ad_type_ @@ -49733,6 +51968,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] &smallad= &strategy=adsense& &type=ad& +&UrlAdParam= &video_ads_ &videoadid= &view=ad& @@ -49759,6 +51995,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] -ad-data/ -ad-ero- -ad-exo- +-ad-gif1- -ad-home. -ad-hrule- -ad-hrule. @@ -49783,9 +52020,11 @@ eclypsia.com#@#img\[width="728"]\[height="90"] -ad-util. -ad-vertical- -ad-zone. +-ad.jpg.pagespeed. -ad.jpg? -ad.jsp| -ad.php? +-ad/main. -ad/right_ -ad1. -ad2. @@ -49805,6 +52044,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] -adhelper. -adhere2. -adimage- +-admarvel/ -adrotation. -ads-180x -ads-728x @@ -49824,6 +52064,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] -ads.swf -ads/728x -ads/oas/ +-Ads_728x902. -ads_9_3. -Ads_Billboard_ -adscript. @@ -49861,7 +52102,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] -affiliates/img_ -article-ads- -article-advert- --Banner-Ad)- +-banner-ad. -banner-ads- -banner.swf? -banner468x60. @@ -49910,6 +52151,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] -news-ad- -newsletter-ad- -NewStockAd- +-online-advert. -page-ad. -page-ad? -page-peel/ @@ -49922,10 +52164,12 @@ eclypsia.com#@#img\[width="728"]\[height="90"] -popunder. -popup-ad. -popup-ads- +-printhousead- -publicidad. -rectangle/ad- -Results-Sponsored. -right-ad. +-rightrailad- -rollout-ad- -scrollads. -seasonal-ad. @@ -49933,6 +52177,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] -side-ad- -Skyscraper-Ad. -skyscrapper160x600. +-small-ad. -source/ads/ -sponsor-ad. -sponsored-links- @@ -49965,18 +52210,22 @@ eclypsia.com#@#img\[width="728"]\[height="90"] .ad1.nspace .adbanner. .adbutler- +.adcenter. .adforge. .adframesrc. +.adlabs.$domain=~adlabs.ru .admarvel. .adnetwork. .adpartner. .adplacement= -.adresult. +.adresult.$domain=~adresult.ch .adriver.$~object-subrequest .adru. .ads-and-tracking. .ads-lazy. +.ads-min. .ads-tool. +.ads.core. .ads.css .ads.darla. .ads.loader- @@ -49993,6 +52242,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] .adsremote. .adtech_ .adtooltip& +.adv.cdn. .advert.$domain=~advert.ly .AdvertismentBottom. .advertmarket. @@ -50023,6 +52273,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] .ch/adv/ .clkads. .co/ads/ +.co/ads? .com/?ad= .com/?wid= .com/a?network @@ -50033,6 +52284,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] .com/ad2/ .com/ad6/ .com/ad? +.com/adclk? .com/adds/ .com/adgallery .com/adinf/ @@ -50093,10 +52345,13 @@ eclypsia.com#@#img\[width="728"]\[height="90"] .info/ads/ .initdoubleclickadselementcontent? .internads. +.is/ads/ .jp/ads/ +.jsp?adcode= .ke/ads/ .lazyload-ad- .lazyload-ad. +.link/ads/ .lk/ads/ .me/ads- .me/ads/ @@ -50189,9 +52444,11 @@ eclypsia.com#@#img\[width="728"]\[height="90"] .textads. .th/ads/ .to/ads/ +.topad. .tv/adl. .tv/ads. .tv/ads/ +.twoads. .tz/ads/ .uk/ads/ .uk/adv/ @@ -50220,8 +52477,11 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /2010main/ad/* /2011/ads/* /2013/ads/* +/2014/ads/* +/2015/ads/* /24-7ads. /24adscript. +/250x250_advert_ /300-ad- /300250_ad- /300by250ad. @@ -50271,6 +52531,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /ad%20images/* /ad-125. /ad-300topleft. +/ad-300x250. /ad-300x254. /ad-350x350- /ad-468- @@ -50278,6 +52539,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /ad-amz. /ad-audit. /ad-banner- +/ad-banner. /ad-bckg. /ad-bin/* /ad-bottom. @@ -50336,6 +52598,9 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /ad-manager/* /ad-managment/* /ad-methods. +/ad-minister- +/ad-minister. +/ad-minister/* /ad-modules/* /ad-nytimes. /ad-offer1. @@ -50353,6 +52618,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /ad-serve? /ad-server. /ad-server/* +/ad-side/* /ad-sidebar- /ad-skyscraper. /ad-source/* @@ -50369,8 +52635,10 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /ad-title. /ad-top- /ad-top. +/ad-top/* /ad-topbanner- /ad-unit- +/ad-updated- /ad-utilities. /ad-vert. /ad-vertical- @@ -50491,6 +52759,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /ad/timing. /ad/top. /ad/top/* +/ad/top1. /ad/top2. /ad/top3. /ad/top_ @@ -50498,12 +52767,17 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /ad0. /ad000/* /ad02/background_ +/ad1-728- /ad1. /ad1/index. +/ad12. /ad120x60. /ad125. /ad125b. /ad125x125. +/ad132m. +/ad132m/* +/ad134m/* /ad136/* /ad15. /ad16. @@ -50512,7 +52786,9 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /ad160x600. /ad1_ /ad1place. +/ad1r. /ad1x1home. +/ad2-728- /ad2. /ad2/index. /ad2/res/* @@ -50595,10 +52871,12 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /ad_banner1. /ad_banner2. /ad_banner_ +/ad_bannerPool- /ad_banners/* /ad_bar_ /ad_base. /ad_big_ +/ad_blog. /ad_bomb/* /ad_bot. /ad_bottom. @@ -50634,6 +52912,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /ad_display. /ad_display_ /ad_drivers/* +/ad_ebound. /ad_editorials_ /ad_engine? /ad_entry_ @@ -50646,6 +52925,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /ad_flash/* /ad_flat_ /ad_floater. +/ad_folder/* /ad_footer. /ad_footer_ /ad_forum_ @@ -50661,7 +52941,6 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /ad_h.css? /ad_hcl_ /ad_hcr_ -/ad_head0. /ad_header. /ad_header_ /ad_height/* @@ -50730,7 +53009,6 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /ad_parts. /ad_peel/* /ad_pics/* -/ad_policy. /ad_pop. /ad_pop1. /ad_pos= @@ -50738,6 +53016,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /ad_position_ /ad_premium. /ad_premium_ +/ad_preroll- /ad_print. /ad_rectangle_ /ad_refresh. @@ -50779,6 +53058,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /ad_square_ /ad_squares. /ad_srv. +/ad_stem/* /ad_styling_ /ad_supertile/* /ad_sys/* @@ -50883,6 +53163,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /adbutler/* /adbytes. /adcache. +/adcall. /adcalloverride. /adcampaigns/* /adcash- @@ -50978,6 +53259,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /adengine/* /adengine_ /adentry. +/aderlee_ads. /adError/* /adevent. /adevents. @@ -51009,6 +53291,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /adfolder/* /adfootcenter. /adfooter. +/adFooterBG. /adfootleft. /adfootright. /adforgame160x600. @@ -51039,7 +53322,6 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /adfrequencycapping. /adfrm. /adfshow? -/adfuel. /adfuncs. /adfunction. /adfunctions. @@ -51151,10 +53433,11 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /adleft. /adleft/* /adleftsidebar. +/adlens- /adlesse. /adlift4. /adlift4_ -/adline. +/adline.$domain=~adline.co.il /adlink- /adlink. /adlink/* @@ -51188,13 +53471,14 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /admarker. /admarker_ /admarket/* +/admarvel. /admaster. /admaster? /admatch- /admatcher.$~object-subrequest,~xmlhttprequest /admatcherclient. /admatik. -/admax. +/admax.$domain=~admax.cn|~admax.co|~admax.eu|~admax.info|~admax.net|~admax.nu|~admax.org|~admax.se|~admax.us /admax/* /admaxads. /admeasure. @@ -51206,6 +53490,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /admeld_ /admeldscript. /admentor/* +/admentor302/* /admentorasp/* /admentorserve. /admeta. @@ -51240,6 +53525,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /adnext. /adnexus- /adng.html +/adnl. /adnotice. /adobject. /adocean. @@ -51247,6 +53533,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /adometry. /adometry? /adonline. +/adonly468. /adops. /adops/* /adoptionicon. @@ -51277,7 +53564,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /adpeeps/* /adperf_ /adperfdemo. -/adphoto. +/adphoto.$domain=~adphoto.fr /adpic. /adpic/* /adpicture. @@ -51398,6 +53685,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /ads.asp? /ads.aspx /ads.cfm? +/ads.css /ads.dll/* /ads.gif /ads.htm @@ -51439,6 +53727,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /ads/ads. /ads/ads/* /ads/ads_ +/ads/adv/* /ads/afc/* /ads/aff- /ads/as_header. @@ -51537,6 +53826,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /ads/load. /ads/main. /ads/marketing/* +/ads/masthead_ /ads/menu_ /ads/motherless. /ads/mpu/* @@ -51557,6 +53847,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /ads/p/* /ads/page. /ads/panel. +/ads/payload/* /ads/pencil/* /ads/player- /ads/plugs/* @@ -51615,6 +53906,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /ads/triggers/* /ads/vertical/* /ads/vg/* +/ads/video/* /ads/video_ /ads/view. /ads/views/* @@ -51663,7 +53955,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /ads300X2502. /ads300x250_ /ads300x250px. -/ads4. +/ads4.$domain=~ads4.city /ads4/* /ads468. /ads468x60. @@ -51709,6 +54001,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /ads_code_ /ads_codes/* /ads_config. +/ads_controller. /ads_display. /ads_event. /ads_files/* @@ -51876,6 +54169,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /adsframe. /adsfuse- /adsgame. +/adsGooglePP3. /adshandler. /adshare. /adshare/* @@ -52002,6 +54296,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /adstream_ /adstreamjscontroller. /adStrip. +/adstrk. /adstrm/* /adstub. /adstube/* @@ -52161,6 +54456,8 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /adv4. /Adv468. /adv5. +/adv6. +/adv8. /adv_2. /adv_468. /adv_background/* @@ -52171,6 +54468,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /adv_frame/* /adv_horiz. /adv_image/* +/adv_left_ /adv_library3. /adv_link. /adv_manager_ @@ -52263,6 +54561,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /advertising_ /advertisingbanner. /advertisingbanner/* +/advertisingbanner1. /advertisingbanner_ /advertisingcontent/* /AdvertisingIsPresent6? @@ -52321,6 +54620,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /advpreload. /advris/* /advrotator. +/advs.ads. /advs/* /advscript. /advscripts/* @@ -52328,6 +54628,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /advt. /advt/* /advt2. +/advweb. /advzones/* /adw.shtml /adw2.shtml @@ -52341,7 +54642,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /adwizard. /adwizard_ /adwolf. -/adwords. +/adwords.$domain=~ppc.ee /adwords/* /adwordstracking.js /adWorking/* @@ -52435,7 +54736,6 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /affimg/* /affliate-banners/* /affpic/* -/afimages. /afr.php? /afr?auid= /ahmestatic/ads/* @@ -52473,6 +54773,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /app.ads. /app/ads. /app/ads/* +/aptads/* /Article-Ad- /article_ad. /articleSponsorDeriv_ @@ -52528,6 +54829,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /banmanpro/* /Banner-300x250. /banner-ad- +/banner-ad. /banner-ad/* /banner-ad_ /banner-ads/* @@ -52543,6 +54845,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /banner/ad. /banner/ad/* /banner/ad_ +/banner/adv/* /banner/adv_ /banner/affiliate/* /banner/rtads/* @@ -52603,7 +54906,6 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /bannerinc. /bannerjs.php? /bannermaker/* -/bannerman/* /bannermanager/* /bannermvt. /bannerpump. @@ -52648,6 +54950,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /bannery/*?banner= /bansrc/* /bar-ad. +/baseAd. /baselinead. /basic/ad/* /bbad. @@ -52837,6 +55140,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /compban.html? /components/ads/* /conad. +/conad_ /configspace/ads/* /cont-adv. /contads. @@ -52899,6 +55203,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /ctamlive160x160. /cube_ads/* /cubead. +/cubeads/* /cubeads_ /curlad. /curveball/ads/* @@ -52920,6 +55225,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /daily/ads/* /dart_ads. /dart_ads/* +/dart_enhancements/* /dartad/* /dartadengine. /dartadengine2. @@ -52995,6 +55301,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /display-ad/* /display-ads- /display-ads/* +/display.ad. /display?ad_ /display_ad /displayad. @@ -53039,7 +55346,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /downads. /download/ad. /download/ad/* -/download/ads/* +/download/ads /drawad. /driveragentad1. /driveragentad2. @@ -53166,6 +55473,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /filter.php?pro$script /fimserve. /finads. +/first-ad_ /flag_ads. /flash-ads. /flash-ads/* @@ -53233,6 +55541,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /friendfinder_ /frnads. /frontend/ads/* +/frontpagead/* /ftp/adv/* /full/ads/* /fullad. @@ -53291,6 +55600,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /getad? /getadcontent. /getadds. +/GetAdForCallBack? /getadframe. /getads- /getads. @@ -53312,6 +55622,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /getfeaturedadsforshow. /gethalfpagead. /getinlineads/* +/getJsonAds? /getmarketplaceads. /getmdhlayer. /getmdhlink. @@ -53348,6 +55659,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /google-ads/* /google-adsense- /google-adsense. +/google-adverts- /google-adwords /google-afc- /google-afc. @@ -53393,6 +55705,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /googleads_ /googleadsafc_ /googleadsafs_ +/googleAdScripts. /googleadsense. /googleAdTaggingSubSec. /googleadunit? @@ -53411,6 +55724,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /groupon/ads/* /gt6skyadtop. /guardianleader. +/guardrailad_ /gujAd. /hads- /Handlers/Ads. @@ -53422,9 +55736,11 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /headerad. /headeradd2. /headerads. +/headerads1. /headerAdvertismentTab. /headermktgpromoads. /headvert. +/hiadone_ /hikaku/banner/* /hitbar_ad_ /holl_ad. @@ -53472,6 +55788,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /html/sponsors/* /htmlads/* /httpads/* +/hubxt.*/js/eht.js? /hubxt.*/js/ht.js /i/ads/* /i_ads. @@ -53481,6 +55798,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /icon_ad. /icon_ads_ /icon_advertising_ +/idevaffiliate/* /ifolder-ads. /iframe-ad. /iframe-ads/* @@ -53507,11 +55825,14 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /iframedartad. /iframes/ad/* /ifrm_ads/* +/ignite.partnerembed.js +/ignitecampaigns.com/* /ilivid-ad- /im-ad/im-rotator. /im-ad/im-rotator2. /im-popup/* /im.cams. +/ima/ads_ /imaads. /imads.js /image/ad/* @@ -53560,6 +55881,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /img/_ad. /img/ad- /img/ad. +/img/ad/* /img/ad_ /img/ads/* /img/adv. @@ -53573,6 +55895,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /imgad. /imgad? /imgad_ +/imgAdITN. /imgads/* /imgaffl/* /imgs/ad/* @@ -53584,6 +55907,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /impop. /impopup/* /inad. +/inc/ad- /inc/ad. /inc/ads/* /inc_ad. @@ -53627,6 +55951,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /internetad/* /interstitial-ad. /interstitial-ad/* +/interstitial_ad. /intextadd/* /intextads. /introduction_ad. @@ -53638,6 +55963,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /ip-advertising/* /ipadad. /iprom-ad/* +/iqadcontroller. /irc_ad_ /ireel/ad*.jpg /is.php?ipua_id=*&search_id= @@ -53732,7 +56058,9 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /leadads/* /leader_ad. /leaderad. +/leaderboard-advert. /leaderboard_ad/* +/leaderboard_adv/* /leaderboardad. /leaderboardadblock. /leaderboardads. @@ -53746,6 +56074,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /leftbanner/* /leftsidebarads. /lib/ad.js +/library/ads/* /lifeshowad/* /lightad. /lightboxad^ @@ -53832,6 +56161,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /metsbanner. /mgid-ad- /mgid-header. +/mgid.html /microad. /microads/* /microsofttag/* @@ -53870,6 +56200,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /modules/ad/* /modules/ad_ /modules/ads/* +/modules/adv/* /modules/doubleclick/* /modules_ads. /momsads. @@ -53901,8 +56232,10 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /mylayer-ad/* /mysimpleads/* /n/adv_ +/n4403ad. /n_ads/* /namediaad. +/nativeads- /nativeads/* /navad/* /navads/* @@ -54008,9 +56341,11 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /openx_ /openxtag. /optonlineadcode. +/opxads. /orbitads. /origin-ad- /other/ads/* +/outbrain-min. /overlay-ad. /overlay_ad_ /overlayad. @@ -54029,6 +56364,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /page/ad/* /pagead/ads? /pagead/gen_ +/pagead2. /pagead46. /pagead? /pageadimg/* @@ -54100,7 +56436,9 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /phpadsnew/* /phpbanner/banner_ /pic/ads/* +/pic_adv/* /pickle-adsystem/* +/pics/ads/* /picture/ad/* /pictureads/* /pictures/ads/* @@ -54230,8 +56568,9 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /pub/ad/* /pub/ads/* /pub_images/*$third-party -/pubad.$domain=~cbs.com -/pubads.$domain=~cbs.com +/pubad. +/pubads. +/pubads_ /public/ad/* /public/ad? /public/ads/* @@ -54257,6 +56596,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /r_ads/* /radioAdEmbed. /radioadembedgenre. +/radioAdEmbedGPT. /radopenx? /rail_ad_ /railad. @@ -54308,6 +56648,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /remove-ads. /remove_ads. /render-ad/* +/repeat_adv. /report_ad. /report_ad_ /requestadvertisement. @@ -54444,6 +56785,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /show_ads_ /showad. /showad/* +/showAd300- /showAd300. /showad_ /showadcode. @@ -54541,6 +56883,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /small_ad. /small_ads/* /smallad- +/smalladblockbg- /smalltopl. /smart-ad-server. /smartad- @@ -54550,6 +56893,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /smartadserver. /smartlinks.epl? /smb/ads/* +/smeadvertisement/* /smedia/ad/* /SmpAds. /socialads. @@ -54578,6 +56922,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /spons_links_ /sponser. /sponseredlinksros. +/sponsers.cgi /sponsimages/* /sponslink_ /sponsor%20banners/* @@ -54610,6 +56955,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /sponsored_title. /sponsored_top. /sponsoredads/* +/sponsoredbanner/* /sponsoredcontent. /sponsoredheadline. /sponsoredlinks. @@ -54689,6 +57035,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /switchadbanner. /SWMAdPlayer. /synad2. +/synad3. /syndication/ad. /sys/ad/* /system/ad/* @@ -54718,6 +57065,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /templateadvimages/* /templates/ad. /templates/ads/* +/templates/adv_ /testads/* /testingad. /text_ad. @@ -54749,11 +57097,13 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /tii_ads. /tikilink? /tileads/* +/tinlads. /tinyad. /tit-ads. /title-ad/* /title_ad. /tizers.php? +/tl.ads- /tmnadsense- /tmnadsense. /tmo/ads/* @@ -54789,6 +57139,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /topads3. /topads_ /topads| +/topadv. /topadvert. /topleftads. /topperad. @@ -54837,6 +57188,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /ucstat. /ugoads. /ugoads_inner. +/ui/ads/* /ui/adv. /ui/adv_ /uk.ads. @@ -54865,6 +57217,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /utep_ad.js /v5/ads/* /v9/adv/* +/vads/* /valueclick-ad. /valueclick. /valueclickbanner. @@ -54932,6 +57285,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /wallpaper_ads/* /wallpaperads/* /watchit_ad. +/wave-ad- /wbadvert/* /weather-sponsor/* /weather/ads/* @@ -54954,7 +57308,6 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /webadverts/* /webmailad. /webmaster_ads/* -/webservices/jsparselinks.aspx?$script /weeklyAdsLabel. /welcome_ad. /welcomead. @@ -54992,6 +57345,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /wp_ad_250_ /wpads/iframe. /wpbanners_show.php +/wpproads. /wrapper/ads/* /writelayerad. /wwe_ads. @@ -55013,14 +57367,17 @@ eclypsia.com#@#img\[width="728"]\[height="90"] /xmladparser. /xnxx-ads. /xpiads. -/xtendmedia. +/xtendmedia.$domain=~xtendmedia.dk /xxxmatch_ /yads- /yads. /yads/* /yads_ +/yahoo-ad- /yahoo-ads/* +/yahoo/ads. /yahoo_overture. +/YahooAd_ /yahooads. /yahooads/* /yahooadsapi. @@ -55089,6 +57446,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] =adcenter& =adcode& =adexpert& +=adlabs& =admeld& =adMenu& =admodeliframe& @@ -55121,6 +57479,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] =showsearchgoogleads& =simpleads/ =tickerReportAdCallback_ +=web&ads= =webad2& ?*=x55g%3add4vv4fy. ?action=ads& @@ -55159,6 +57518,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] ?advertiserid=$domain=~outbrain.com ?advertising= ?advideo_ +?advsystem= ?advtile= ?advurl= ?adx= @@ -55166,6 +57526,7 @@ eclypsia.com#@#img\[width="728"]\[height="90"] ?banner.id= ?banner_id= ?bannerid= +?bannerXGroupId= ?dfpadname= ?file=ads& ?g1t2h=*&t1m2k3= @@ -55183,10 +57544,12 @@ eclypsia.com#@#img\[width="728"]\[height="90"] ?type=oas_pop& ?view=ad& ?wm=*&prm=rev& +?wpproadszoneid= ?ZoneID=*&PageID=*&SiteID= ?ZoneID=*&Task=*&SiteID= ^fp=*&prvtof= ^mod=wms&do=view_*&zone= +^pid=Ads^ _125ad. _160_ad_ _160x550. @@ -55219,9 +57582,11 @@ _ad6. _ad728x90. _ad9. _ad?darttag= +_ad?size= _ad_125x125. _ad_2012. _ad_300. +_ad_350x250. _ad_actron. _ad_background. _ad_banner. @@ -55242,6 +57607,7 @@ _ad_controller. _ad_count. _ad_count= _ad_courier. +_ad_div= _ad_domain_ _ad_end_ _ad_engine/ @@ -55321,6 +57687,7 @@ _adcall_ _adchoice. _adchoices. _adcom. +_adcontent/ _adcount= _adengage. _adengage_ @@ -55366,6 +57733,7 @@ _ads/js/ _ads/square/ _ads1. _ads2. +_ads3. _ads? _ads_cached. _ads_contextualtargeting_ @@ -55420,11 +57788,14 @@ _adtop. _adtxt. _adunit. _adv/300. +_adv/leaderboard_ _adv/overlay/ _Adv_Banner_ _advert. _advert/ _advert1. +_advert_1. +_advert_2. _advert_label. _advert_overview. _advert_vert @@ -55499,6 +57870,7 @@ _custom_ad_ _dart_ads. _dart_interstitial. _dashad_ +_dfp.php? _displayad_ _displaytopads. _doubleclick. @@ -55511,6 +57883,7 @@ _engine_ads_ _english/adv/ _externalad. _fach_ad. +_fbadbookingsystem& _feast_ad. _files/ad. _fixed_ad. @@ -55519,6 +57892,7 @@ _floatingad_ _footer_ad_ _framed_ad/ _friendlyduck. +_fullscreen_ad. _gads_bottom. _gads_footer. _gads_top. @@ -55550,12 +57924,14 @@ _index_ad. _inlineads. _js/ads.js _jtads/ +_juiceadv. _juicyads. _layerad. _leaderboard_ad_ _left_ad. _link_ads- _live/ad/ +_load_ad? _logadslot& _longad_ _mailLoginAd. @@ -55572,6 +57948,7 @@ _openx. _openx/ _org_ad. _overlay_ad. +_paid_ads/ _paidadvert_ _panel_ads. _partner_ad. @@ -55587,6 +57964,7 @@ _popunder_ _popupunder. _post_ads. _preorderad. +_prime_ad. _promo_ad/ _psu_ad. _radio_ad_ @@ -55647,6 +58025,7 @@ _videoad. _vodaaffi_ _web-advert. _Web_ad. +_web_ad_ _webad. _webad_ _WebBannerAd_ @@ -55662,15 +58041,22 @@ takeover_banner_ ||online.*/promoredirect?key= ||ox-d.*^auid= ||serve.*/promoload? +! linkbucks.com script +/webservices/jsparselinks.aspx?$script +! Common adserver string +/mediahosting.engine$script,third-party +/Tag.engine$script,third-party ! White papers insert /sl/assetlisting/? ! Peel script /jquery.peelback.js ! Anti-Adblock +/ad-blocker.js /adb_detector. /adblock-blocker/* /adblock_detector. /adblock_detector2. +/adblock_logger. /adblockdetect. /adblockdetection. /adbuddy. @@ -56265,13 +58651,17 @@ _a468x60. .com/ads?$popup .engine?PlacementId=$popup /?placement=*&redirect$popup +/ad.php?tag=$popup /ad.php|$popup /ad/window.php?$popup +/ad132m/*$popup /ad_pop.php?$popup /adclick.$popup /AdHandler.aspx?$popup /ads.htm$popup +/adServe/sa?cid=$popup /adserver.$popup +/adstream_sx.ads/*$popup /advlink.$popup /afu.php?$popup /bani/index.php?id=$popup @@ -56283,6 +58673,7 @@ _a468x60. /promoredirect?*&campaign=*&zone=$popup /punder.php$popup /realmedia/ads/*$popup +/Redirect.eng?$popup /Redirect.engine$popup /servlet/ajrotator/*$popup /spopunder^$popup @@ -56505,7 +58896,9 @@ _popunder+$popup ###Ads_BA_BUT_box ###Ads_BA_CAD ###Ads_BA_CAD2 +###Ads_BA_CAD2_Text ###Ads_BA_CAD_box +###Ads_BA_FLB ###Ads_BA_SKY ###Ads_CAD ###Ads_OV_BS @@ -56735,6 +59128,8 @@ _popunder+$popup ###Meebo\:AdElement\.Root ###MidPageAds ###Module-From_Advertisers +###MyAdHeader +###MyAdSky ###NavAD ###Nightly_adContainer ###NormalAdModule @@ -56875,27 +59270,40 @@ _popunder+$popup ###ad-0 ###ad-1 ###ad-1000x90-1 +###ad-109 +###ad-118 ###ad-120-left ###ad-120x600-1 ###ad-120x600-other ###ad-120x600-sidebar ###ad-120x60Div ###ad-125x125 +###ad-13 +###ad-133 +###ad-143 ###ad-160 ###ad-160-long ###ad-160x600 ###ad-160x600-sidebar ###ad-160x600-wrapper +###ad-162 +###ad-17 ###ad-170 ###ad-180x150-1 +###ad-19 +###ad-197 ###ad-2 ###ad-2-160x600 +###ad-21 +###ad-213 ###ad-220x90-1 ###ad-230x100-1 ###ad-240x400-1 ###ad-240x400-2 ###ad-250 ###ad-250x300 +###ad-28 +###ad-29 ###ad-3 ###ad-3-300x250 ###ad-300 @@ -56920,13 +59328,17 @@ _popunder+$popup ###ad-300x40-2 ###ad-300x40-5 ###ad-300x60-1 +###ad-32 ###ad-320 ###ad-336 ###ad-350 +###ad-37 ###ad-376x280 ###ad-4 ###ad-4-300x90 ###ad-5-images +###ad-55 +###ad-63 ###ad-635x40-1 ###ad-655 ###ad-7 @@ -56937,9 +59349,11 @@ _popunder+$popup ###ad-728x90-leaderboard-top ###ad-728x90-top ###ad-728x90-top0 +###ad-74 ###ad-88 ###ad-88-wrap ###ad-970 +###ad-98 ###ad-a ###ad-a1 ###ad-abs-b-0 @@ -57038,12 +59452,14 @@ _popunder+$popup ###ad-double-spotlight-container ###ad-e-container ###ad-ear +###ad-extra-flat ###ad-f-container ###ad-featured-right ###ad-first-post ###ad-five ###ad-five-75x50s ###ad-flex-first +###ad-flex-top ###ad-footer ###ad-footer-728x90 ###ad-footprint-160x600 @@ -57073,6 +59489,7 @@ _popunder+$popup ###ad-homepage-content-well ###ad-homepage-top-wrapper ###ad-horizontal-header +###ad-horizontal-top ###ad-img ###ad-in-post ###ad-index @@ -57111,6 +59528,7 @@ _popunder+$popup ###ad-main-bottom ###ad-main-top ###ad-makeup +###ad-manager ###ad-manager-ad-bottom-0 ###ad-manager-ad-top-0 ###ad-medium @@ -57160,6 +59578,7 @@ _popunder+$popup ###ad-rectangle ###ad-rectangle-flag ###ad-rectangle1 +###ad-rectangle1-outer ###ad-rectangle2 ###ad-rectangle3 ###ad-region-1 @@ -57203,6 +59622,7 @@ _popunder+$popup ###ad-sla-sidebar300x250 ###ad-slot-1 ###ad-slot-2 +###ad-slot-4 ###ad-slot-right ###ad-slot1 ###ad-slug-wrapper @@ -57302,6 +59722,7 @@ _popunder+$popup ###ad1_top-left ###ad2-home ###ad2-label +###ad2-original-placeholder ###ad250 ###ad260x60 ###ad2CONT @@ -57464,6 +59885,7 @@ _popunder+$popup ###adFixFooter ###adFlashDiv ###adFooter +###adFooterTitel ###adFot ###adFoxBanner ###adFps @@ -57487,6 +59909,7 @@ _popunder+$popup ###adHolder6 ###adIframe ###adInBetweenPosts +###adInCopy ###adInstoryOneWrap ###adInstoryTwoWrap ###adInteractive1 @@ -57681,6 +60104,9 @@ _popunder+$popup ###adTower1 ###adTower2 ###adTwo +###adUn_1 +###adUn_2 +###adUn_3 ###adUnit ###adValue ###adVcss @@ -57967,6 +60393,7 @@ _popunder+$popup ###ad_horseshoe_top ###ad_hotpots ###ad_houseslot1_desktop +###ad_iframe_160_by_600_middle ###ad_iframe_300 ###ad_img ###ad_img_banner @@ -58037,9 +60464,11 @@ _popunder+$popup ###ad_mpu ###ad_mpu2 ###ad_mpu300x250 +###ad_mpu_1 ###ad_mpuav ###ad_mrcontent ###ad_mrec +###ad_myFrame ###ad_netpromo ###ad_new ###ad_newsletter @@ -58094,6 +60523,8 @@ _popunder+$popup ###ad_rightSidebarSecondBanner ###ad_right_1 ###ad_right_box +###ad_right_column1_1 +###ad_right_column2_1 ###ad_right_content_article_page ###ad_right_content_home ###ad_right_main @@ -58130,6 +60561,7 @@ _popunder+$popup ###ad_sidebar_top ###ad_silo ###ad_sitebar +###ad_skin ###ad_sky ###ad_sky1 ###ad_sky2 @@ -58239,6 +60671,12 @@ _popunder+$popup ###adbannerright ###adbannerwidget ###adbar +###adbar_ad_1_div +###adbar_ad_2_div +###adbar_ad_3_div +###adbar_ad_4_div +###adbar_ads_container_div +###adbar_main_div ###adbarbox ###adbard ###adbg_ad_0 @@ -58289,6 +60727,7 @@ _popunder+$popup ###adbritebottom ###adbutton ###adbuttons +###adcarousel ###adcatfish ###adcell ###adcenter @@ -58404,6 +60843,15 @@ _popunder+$popup ###adleaderboardb ###adleaderboardb_flex ###adleft +###adlink-13 +###adlink-133 +###adlink-19 +###adlink-197 +###adlink-213 +###adlink-28 +###adlink-55 +###adlink-74 +###adlink-98 ###adlinks ###adlinkws ###adlove @@ -58482,6 +60930,8 @@ _popunder+$popup ###adrotate_widgets-5 ###adrotate_widgets-6 ###adrotate_widgets-7 +###adrow +###adrow-house ###adrow1 ###adrow3 ###ads-1 @@ -58544,6 +60994,8 @@ _popunder+$popup ###ads-middle ###ads-mn ###ads-mpu +###ads-outer +###ads-panel ###ads-prices ###ads-rhs ###ads-right @@ -58572,6 +61024,8 @@ _popunder+$popup ###ads120_600-widget-2 ###ads125 ###ads160_600-widget-3 +###ads160_600-widget-5 +###ads160_600-widget-7 ###ads160left ###ads2 ###ads250_250-widget-2 @@ -58579,8 +61033,12 @@ _popunder+$popup ###ads300-250 ###ads300Bottom ###ads300Top +###ads300_250-widget-10 +###ads300_250-widget-11 ###ads300_250-widget-2 ###ads300_250-widget-3 +###ads300_250-widget-4 +###ads300_250-widget-6 ###ads300hp ###ads300k ###ads300x200 @@ -58707,6 +61165,7 @@ _popunder+$popup ###ads_mads_r2 ###ads_medrect ###ads_notice +###ads_pave ###ads_place ###ads_player ###ads_player_audio @@ -58721,6 +61180,7 @@ _popunder+$popup ###ads_side ###ads_sidebar_bgnd ###ads_sidebar_roadblock +###ads_sky ###ads_slide_div ###ads_space ###ads_space_header @@ -58815,6 +61275,7 @@ _popunder+$popup ###adsense_300x250 ###adsense_article_bottom ###adsense_article_left +###adsense_banner_top ###adsense_block ###adsense_block_238x200 ###adsense_block_350x320 @@ -58829,6 +61290,7 @@ _popunder+$popup ###adsense_leaderboard ###adsense_overlay ###adsense_placeholder_2 +###adsense_sidebar ###adsense_testa ###adsense_top ###adsense_unit5 @@ -58842,6 +61304,7 @@ _popunder+$popup ###adsensequadr ###adsenseskyscraper ###adsensetext +###adsensetopmobile ###adsensetopplay ###adsensewide ###adsensewidget-3 @@ -58881,6 +61344,10 @@ _popunder+$popup ###adslot1202 ###adslot2 ###adslot3 +###adslot_c2 +###adslot_m1 +###adslot_m2 +###adslot_m3 ###adsmiddle ###adsonar ###adsonarBlock @@ -58926,6 +61393,8 @@ _popunder+$popup ###adspot-300x125 ###adspot-300x250-pos-1 ###adspot-300x250-pos-2 +###adspot-300x250-pos1 +###adspot-300x600-pos1 ###adspot-468x60-pos-2 ###adspot-620x270-pos-1 ###adspot-620x45-pos-1 @@ -58992,10 +61461,12 @@ _popunder+$popup ###adtopbanner ###adtopbox ###adtophp +###adtrafficright ###adtxt ###adunderpicture ###adunit ###adunit300x500 +###adunit_video ###adunitl ###adv-01 ###adv-300 @@ -59030,10 +61501,12 @@ _popunder+$popup ###adv130x195 ###adv160x600 ###adv170 +###adv2_ban ###adv300bottom ###adv300top ###adv300x250 ###adv300x250container +###adv3_ban ###adv468x90 ###adv728 ###adv728x90 @@ -59053,6 +61526,7 @@ _popunder+$popup ###adv_300x250_2 ###adv_300x250_3 ###adv_468x60_content +###adv_5 ###adv_52 ###adv_6 ###adv_62 @@ -59061,10 +61535,12 @@ _popunder+$popup ###adv_70 ###adv_71 ###adv_728 +###adv_728x90 ###adv_73 ###adv_94 ###adv_96 ###adv_97 +###adv_98 ###adv_Reload ###adv_Skin ###adv_banner_featured @@ -59101,6 +61577,7 @@ _popunder+$popup ###adv_videobox ###adv_wallpaper ###adv_wallpaper2 +###adv_wideleaderboard ###adver ###adver-top ###adver1 @@ -59262,7 +61739,9 @@ _popunder+$popup ###advertisementblock1 ###advertisementblock2 ###advertisementblock3 +###advertisements_bottom ###advertisements_sidebar +###advertisements_top ###advertisementsarticle ###advertisementsxml ###advertiser-container @@ -59330,6 +61809,7 @@ _popunder+$popup ###advertsingle ###advertspace ###advertssection +###adverttop ###advetisement_300x250 ###advframe ###advgeoul @@ -59346,6 +61826,8 @@ _popunder+$popup ###advx3_banner ###adwhitepaperwidget ###adwidget +###adwidget-5 +###adwidget-6 ###adwidget1 ###adwidget2 ###adwidget2_hidden @@ -59413,6 +61895,7 @@ _popunder+$popup ###alert_ads ###amazon-ads ###amazon_bsa_block +###ami_ad_cntnr ###amsSparkleAdFeedback ###analytics_ad ###analytics_banner @@ -59456,6 +61939,8 @@ _popunder+$popup ###article_LeftAdWords ###article_SponsoredLinks ###article_ad +###article_ad_1 +###article_ad_3 ###article_ad_bottom ###article_ad_bottom_cont ###article_ad_container @@ -59552,6 +62037,7 @@ _popunder+$popup ###bannerAdLInk ###bannerAdRight3 ###bannerAdTop +###bannerAdWrap ###bannerAdWrapper ###bannerAd_ctr ###bannerAd_rdr @@ -59587,6 +62073,7 @@ _popunder+$popup ###banneradrow ###bannerads ###banneradspace +###banneradvert3 ###barAdWrapper ###baseAdvertising ###baseboard-ad @@ -59603,6 +62090,7 @@ _popunder+$popup ###belowAd ###belowContactBoxAd ###belowNodeAds +###below_comments_ad_holder ###below_content_ad_container ###belowad ###belowheaderad @@ -59654,6 +62142,7 @@ _popunder+$popup ###block-advertisement ###block-dart-dart-tag-ad_top_728x90 ###block-dart-dart-tag-gfc-ad-top-2 +###block-dctv-ad-banners-wrapper ###block-dfp-skyscraper_left_1 ###block-dfp-skyscraper_left_2 ###block-display-ads-leaderboard @@ -59663,6 +62152,7 @@ _popunder+$popup ###block-fan-ad-fan-ad-front-leaderboard-bottom ###block-fan-ad-fan-ad-front-medrec-top ###block-google-ads +###block-ibtimestv-player-companion-ad ###block-localcom-localcom-ads ###block-openads-0 ###block-openads-1 @@ -59760,6 +62250,7 @@ _popunder+$popup ###bottom-ad-wrapper ###bottom-add ###bottom-ads +###bottom-ads-container ###bottom-adspot ###bottom-advertising ###bottom-article-ad-336x280 @@ -59803,8 +62294,10 @@ _popunder+$popup ###bottom_advert_container ###bottom_adwrapper ###bottom_banner_ad +###bottom_ex_ad_holder ###bottom_leader_ad ###bottom_overture +###bottom_player_adv ###bottom_sponsor_ads ###bottom_sponsored_links ###bottom_text_ad @@ -59834,6 +62327,7 @@ _popunder+$popup ###box-googleadsense-r ###box1ad ###box2ad +###boxAD ###boxAd ###boxAd300 ###boxAdContainer @@ -59872,6 +62366,7 @@ _popunder+$popup ###browsead ###bsaadvert ###bsap_aplink +###btm_ads ###btmad ###btmsponsoredcontent ###btnAds @@ -59913,6 +62408,7 @@ _popunder+$popup ###cb-ad ###cb_medrect1_div ###cbs-video-ad-overlay +###cbz-ads-text-link ###cbz-comm-advert-1 ###cellAd ###center-ad @@ -59925,6 +62421,8 @@ _popunder+$popup ###central-ads ###cgp-bigbox-ad ###ch-ads +###channel-ads-300-box +###channel-ads-300x600-box ###channel_ad ###channel_ads ###chartAdWrap @@ -60032,6 +62530,7 @@ _popunder+$popup ###content-right-ad ###contentAd ###contentAdSense +###contentAdTwo ###contentAds ###contentAds300x200 ###contentAds300x250 @@ -60074,6 +62573,7 @@ _popunder+$popup ###content_box_adright300_google ###content_lower_center_right_ad ###content_mpu +###content_right_ad ###content_right_area_ads ###content_right_side_advertisement_on_top_wrapper ###contentad @@ -60202,6 +62702,7 @@ _popunder+$popup ###ctl00_topAd ###ctl00_ucAffiliateAdvertDisplay_pnlAffiliateAdvert ###ctl00_ucFooter_ucFooterBanner_divAdvertisement +###ctl08_ad1 ###ctl_bottom_ad ###ctl_bottom_ad1 ###ctr-ad @@ -60235,6 +62736,7 @@ _popunder+$popup ###dart_160x600 ###dart_300x250 ###dart_ad_block +###dart_ad_island ###dartad11 ###dartad13 ###dartad16 @@ -60261,6 +62763,7 @@ _popunder+$popup ###ddAd ###ddAdZone2 ###defer-adright +###desktop-aside-ad-container ###detail_page_vid_topads ###devil-ad ###dfp-ad-1 @@ -60333,6 +62836,7 @@ _popunder+$popup ###dfp-ad-stamp_3-wrapper ###dfp-ad-stamp_4 ###dfp-ad-stamp_4-wrapper +###dfp-ad-top ###dfp-ad-tower_1 ###dfp-ad-tower_1-wrapper ###dfp-ad-tower_2 @@ -60396,6 +62900,7 @@ _popunder+$popup ###div-ad-leaderboard ###div-ad-r ###div-ad-r1 +###div-ad-top ###div-adid-4000 ###div-vip-ad-banner ###divAd @@ -60415,6 +62920,7 @@ _popunder+$popup ###divAdvertisement ###divAdvertisingSection ###divArticleInnerAd +###divBannerTopAds ###divBottomad1 ###divBottomad2 ###divDoubleAd @@ -60447,6 +62953,7 @@ _popunder+$popup ###divuppercenterad ###divupperrightad ###dlads +###dmRosAdWrapper-MainNorth ###dmRosAdWrapper-east ###dni-advertising-skyscraper-wrapper ###dni-header-ad @@ -60471,6 +62978,8 @@ _popunder+$popup ###doubleClickAds_bottom_skyscraper ###doubleClickAds_top_banner ###doubleclick-island +###download-leaderboard-ad-bottom +###download-leaderboard-ad-top ###downloadAd ###download_ad ###download_ads @@ -60517,6 +63026,8 @@ _popunder+$popup ###feature_ad ###feature_adlinks ###featuread +###featured-ad-left +###featured-ad-right ###featured-ads ###featured-advertisements ###featuredAdContainer2 @@ -60670,6 +63181,7 @@ _popunder+$popup ###g_ad ###g_adsense ###ga_300x250 +###gad300x250 ###gads300x250 ###gads_middle ###galleries-tower-ad @@ -60733,6 +63245,7 @@ _popunder+$popup ###google-ads-bottom ###google-ads-bottom-container ###google-ads-container +###google-ads-container1 ###google-ads-header ###google-ads-left-side ###google-adsense @@ -60768,10 +63281,14 @@ _popunder+$popup ###googleSubAds ###googleTxtAD ###google_ad +###google_ad_468x60_contnr ###google_ad_EIRU_newsblock +###google_ad_below_stry ###google_ad_container +###google_ad_container_right_side_bar ###google_ad_inline ###google_ad_test +###google_ad_top ###google_ads ###google_ads_1 ###google_ads_aCol @@ -60808,6 +63325,7 @@ _popunder+$popup ###googlead01 ###googlead2 ###googlead_outside +###googleadbig ###googleadleft ###googleads ###googleads1 @@ -60845,6 +63363,7 @@ _popunder+$popup ###gwt-debug-ad ###h-ads ###hAd +###hAdv ###h_ads0 ###h_ads1 ###half-page-ad @@ -61027,6 +63546,7 @@ _popunder+$popup ###homepage-adbar ###homepage-footer-ad ###homepage-header-ad +###homepage-right-rail-ad ###homepage-sidebar-ads ###homepageAd ###homepageAdsTop @@ -61072,6 +63592,7 @@ _popunder+$popup ###hp_ad300x250 ###hp_right_ad_300 ###i_ads_table +###iaa_ad ###ibt_local_ad728 ###icePage_SearchLinks_AdRightDiv ###icePage_SearchLinks_DownloadToolbarAdRightDiv @@ -61104,6 +63625,9 @@ _popunder+$popup ###im_box ###im_popupDiv ###im_popupFixed +###ima_ads-2 +###ima_ads-3 +###ima_ads-4 ###image_selector_ad ###imageadsbox ###imgCollContentAdIFrame @@ -61125,6 +63649,7 @@ _popunder+$popup ###indiv_adsense ###influads_block ###infoBottomAd +###injectableTopAd ###inline-ad ###inline-advert ###inline-story-ad @@ -61177,6 +63702,8 @@ _popunder+$popup ###iqadoverlay ###iqadtile1 ###iqadtile11 +###iqadtile14 +###iqadtile15 ###iqadtile2 ###iqadtile3 ###iqadtile4 @@ -61209,6 +63736,7 @@ _popunder+$popup ###joead ###joead2 ###js-ad-leaderboard +###js-image-ad-mpu ###js_adsense ###jt-advert ###jupiter-ads @@ -61431,6 +63959,7 @@ _popunder+$popup ###main_AD ###main_ad ###main_ads +###main_content_ad ###main_left_side_ads ###main_rec_ad ###main_top_ad @@ -61515,6 +64044,7 @@ _popunder+$popup ###midbnrad ###midcolumn_ad ###middle-ad +###middle-ad-destin ###middle-story-ad-container ###middleRightColumnAdvert ###middle_ad @@ -61533,6 +64063,7 @@ _popunder+$popup ###mini-ad ###mini-panel-dart_stamp_ads ###mini-panel-dfp_stamp_ads +###mini-panel-two_column_ads ###miniAdsAd ###mini_ads_inset ###mn_ads @@ -61564,6 +64095,9 @@ _popunder+$popup ###movieads ###mozo-ad ###mph-rightad +###mpr-ad-leader +###mpr-ad-wrapper-1 +###mpr-ad-wrapper-2 ###mpu-ad ###mpu-advert ###mpu-cont @@ -61619,6 +64153,7 @@ _popunder+$popup ###my-adsFPL ###my-adsFPT ###my-adsLREC +###my-adsMAST ###my-medium-rectangle-ad-1-container ###my-medium-rectangle-ad-2-container ###myAd @@ -61801,6 +64336,7 @@ _popunder+$popup ###plAds ###player-advert ###player-below-advert +###player-midrollAd ###playerAd ###playerAdsRight ###player_ad @@ -61872,6 +64408,11 @@ _popunder+$popup ###printads ###privateadbox ###privateads +###pro_ads_custom_widgets-2 +###pro_ads_custom_widgets-3 +###pro_ads_custom_widgets-5 +###pro_ads_custom_widgets-7 +###pro_ads_custom_widgets-8 ###product-adsense ###profileAdHeader ###proj-bottom-ad @@ -61879,6 +64420,7 @@ _popunder+$popup ###promoAds ###promoFloatAd ###promo_ads +###ps-ad-iframe ###ps-top-ads-sponsored ###ps-vertical-ads ###psmpopup @@ -61896,6 +64438,7 @@ _popunder+$popup ###pusher-ad ###pvadscontainer ###qaSideAd +###qadserve_728x90_StayOn_div ###qm-ad-big-box ###qm-ad-sky ###qm-dvdad @@ -61922,6 +64465,7 @@ _popunder+$popup ###rail_ad2 ###rbAdWrapperRt ###rbAdWrapperTop +###rc_edu_span5AdDiv ###rd_banner_ad ###reader-ad-container ###realEstateAds @@ -61938,6 +64482,8 @@ _popunder+$popup ###rectangle_ad_smallgame ###redirect-ad ###redirect-ad-modal +###redirect_ad_1_div +###redirect_ad_2_div ###reference-ad ###refine-300-ad ###refine-ad @@ -62055,6 +64601,7 @@ _popunder+$popup ###right_mini_ad ###right_panel_ads ###right_rail_ad_header +###right_side_bar_ami_ad ###right_sidebar_ads ###right_top_gad ###rightad @@ -62113,6 +64660,7 @@ _popunder+$popup ###rt-ad468 ###rtAdvertisement ###rtMod_ad +###rt_side_top_google_ad ###rtcol_advert_1 ###rtcol_advert_2 ###rtm_div_562 @@ -62158,6 +64706,7 @@ _popunder+$popup ###search_ad ###search_ads ###search_result_ad +###searchresult_advert_right ###searchsponsor ###sec_adspace ###second-adframe @@ -62182,6 +64731,7 @@ _popunder+$popup ###section-blog-ad ###section-container-ddc_ads ###section-pagetop-ad +###section-sub-ad ###section_ad ###section_advertisements ###section_advertorial_feature @@ -62201,6 +64751,7 @@ _popunder+$popup ###sew_advertbody ###sgAdHeader ###sgAdScGp160x600 +###shellnavAd ###shoppingads ###shortads ###shortnews_advert @@ -62281,6 +64832,7 @@ _popunder+$popup ###sidebar-ads-content ###sidebar-ads-narrow ###sidebar-ads-wide +###sidebar-ads-wrapper ###sidebar-adspace ###sidebar-adv ###sidebar-advertise-text @@ -62288,6 +64840,7 @@ _popunder+$popup ###sidebar-banner300 ###sidebar-left-ad ###sidebar-long-advertise +###sidebar-main-ad ###sidebar-post-120x120-banner ###sidebar-post-300x250-banner ###sidebar-scroll-ad-container @@ -62310,6 +64863,7 @@ _popunder+$popup ###sidebarTowerAds ###sidebar_ad ###sidebar_ad_1 +###sidebar_ad_adam ###sidebar_ad_container ###sidebar_ad_top ###sidebar_ad_widget @@ -62323,6 +64877,8 @@ _popunder+$popup ###sidebar_topad ###sidebar_txt_ad_links ###sidebarad +###sidebarad_300x600-33 +###sidebarad_300x600-4 ###sidebaradpane ###sidebaradsense ###sidebaradver_advertistxt @@ -62351,6 +64907,8 @@ _popunder+$popup ###site-sponsors ###siteAdHeader ###site_body_header_banner_ad +###site_bottom_ad_div +###site_content_ad_div ###site_top_ad ###sitead ###sitemap_ad_left @@ -62514,6 +65072,7 @@ _popunder+$popup ###sponsored_link ###sponsored_link_bottom ###sponsored_links +###sponsored_native_ad ###sponsored_v12 ###sponsoredads ###sponsoredlinks @@ -62566,6 +65125,7 @@ _popunder+$popup ###squareAdWrap ###squareAds ###square_ad +###square_lat_adv ###squaread ###squareadAdvertiseHere ###squared_ad @@ -62643,6 +65203,7 @@ _popunder+$popup ###td-GblHdrAds ###td-applet-ads_2_container ###td-applet-ads_container +###tdBannerTopAds ###tdGoogleAds ###td_adunit1 ###td_adunit1_wrapper @@ -62710,9 +65271,11 @@ _popunder+$popup ###top-ad-banner ###top-ad-container ###top-ad-content +###top-ad-left-spot ###top-ad-menu ###top-ad-position-inner ###top-ad-rect +###top-ad-right-spot ###top-ad-unit ###top-ad-wrapper ###top-adblock @@ -62769,6 +65332,7 @@ _popunder+$popup ###topBannerAdContainer ###topContentAdTeaser ###topImgAd +###topLBAd ###topLeaderAdAreaPageSkin ###topLeaderboardAd ###topMPU @@ -62812,7 +65376,9 @@ _popunder+$popup ###top_advertising ###top_container_ad ###top_content_ad_inner_container +###top_google_ad_container ###top_google_ads +###top_header_ad_wrapper ###top_mpu ###top_mpu_ad ###top_rectangle_ad @@ -62956,6 +65522,7 @@ _popunder+$popup ###videoPlayerAdLayer ###video_ads_background ###video_ads_overdiv +###video_adv ###video_advert ###video_advert2 ###video_advert3 @@ -63050,6 +65617,7 @@ _popunder+$popup ###wp-topAds ###wp125adwrap_2c ###wp_ad_marker +###wp_pro_ad_system_ad_zone ###wrapAd ###wrapAdRight ###wrapAdTop @@ -63066,6 +65634,7 @@ _popunder+$popup ###x300_ad ###xColAds ###xlAd +###xybrad ###y-ad-units ###y708-ad-expedia ###y708-ad-lrec @@ -63078,6 +65647,8 @@ _popunder+$popup ###yahoo-sponsors ###yahooAdsBottom ###yahooSponsored +###yahoo_ad +###yahoo_ad_contanr ###yahoo_ads ###yahoo_sponsor_links ###yahoo_sponsor_links_title @@ -63157,6 +65728,7 @@ _popunder+$popup ##.Ad-Container ##.Ad-Container-976x166 ##.Ad-Header +##.Ad-IframeWrap ##.Ad-MPU ##.Ad-Wrapper-300x100 ##.Ad-label @@ -63213,6 +65785,7 @@ _popunder+$popup ##.AdSenseLeft ##.AdSidebar ##.AdSlot +##.AdSlotHeader ##.AdSpace ##.AdTextSmallFont ##.AdTitle @@ -63242,6 +65815,8 @@ _popunder+$popup ##.Ad_Right ##.Ad_Tit ##.Ad_container +##.Adbuttons +##.Adbuttons-sidebar ##.AdnetBox ##.Ads-768x90 ##.AdsBottom @@ -63291,6 +65866,7 @@ _popunder+$popup ##.Banner468X60 ##.BannerAD728 ##.BannerAd +##.Banner_Group ##.Banner_Group_Ad_Label ##.BigBoxAd ##.BigBoxAdLabel @@ -63401,11 +65977,13 @@ _popunder+$popup ##.Main_right_Adv_incl ##.MarketGid_container ##.MasterLeftContentColumnThreeColumnAdLeft +##.MbanAd ##.MediumRectangleAdPanel ##.MiddleAd ##.MiddleAdContainer ##.MiddleAdvert ##.MspAd +##.NAPmarketAdvert ##.NewsAds ##.OAS_position_TopLeft ##.OSOasAdModule @@ -63440,6 +66018,7 @@ _popunder+$popup ##.RightAdvertiseArea ##.RightAdvertisement ##.RightGoogleAFC +##.RightGoogleAd ##.RightRailAd ##.RightRailAdbg ##.RightRailAdtext @@ -63527,11 +66106,14 @@ _popunder+$popup ##.YEN_Ads_125 ##.ZventsSponsoredLabel ##.ZventsSponsoredList +##.__xX20sponsored20banners ##._bannerAds ##._bottom_ad_wrapper ##._top_ad_wrapper ##.a-d-container ##.a160x600 +##.a300x250 +##.a468x60 ##.a728x90 ##.aa_AdAnnouncement ##.aa_ad-160x600 @@ -63553,11 +66135,15 @@ _popunder+$popup ##.acm_ad_zones ##.ad--300 ##.ad--468 +##.ad--article-top ##.ad--dart +##.ad--footer +##.ad--google ##.ad--inner ##.ad--large ##.ad--leaderboard ##.ad--mpu +##.ad--top-label ##.ad-1 ##.ad-120-60 ##.ad-120-600-inner @@ -63583,6 +66169,7 @@ _popunder+$popup ##.ad-200-big ##.ad-200-small ##.ad-200x200 +##.ad-228x94 ##.ad-234 ##.ad-246x90 ##.ad-250 @@ -63646,6 +66233,7 @@ _popunder+$popup ##.ad-CUSTOM ##.ad-E ##.ad-LREC +##.ad-MPU ##.ad-MediumRectangle ##.ad-RR ##.ad-S @@ -63667,6 +66255,7 @@ _popunder+$popup ##.ad-b ##.ad-background ##.ad-banner +##.ad-banner-300 ##.ad-banner-bkgd ##.ad-banner-container ##.ad-banner-label @@ -63676,6 +66265,7 @@ _popunder+$popup ##.ad-banner-top ##.ad-banner-top-wrapper ##.ad-banner728-top +##.ad-banr ##.ad-bar ##.ad-below-player ##.ad-belowarticle @@ -63737,6 +66327,7 @@ _popunder+$popup ##.ad-choices ##.ad-circ ##.ad-click +##.ad-cluster ##.ad-codes ##.ad-col ##.ad-col-02 @@ -63755,6 +66346,7 @@ _popunder+$popup ##.ad-container-LEADER ##.ad-container-bot ##.ad-container-dk +##.ad-container-embedded ##.ad-container-leaderboard ##.ad-container-responsive ##.ad-container-right @@ -63769,6 +66361,8 @@ _popunder+$popup ##.ad-context ##.ad-d ##.ad-desktop +##.ad-dfp-column +##.ad-dfp-row ##.ad-disclaimer ##.ad-display ##.ad-div @@ -63823,8 +66417,10 @@ _popunder+$popup ##.ad-homepage-1 ##.ad-homepage-2 ##.ad-hor +##.ad-horizontal-top ##.ad-iab-txt ##.ad-icon +##.ad-identifier ##.ad-iframe ##.ad-imagehold ##.ad-img @@ -63836,6 +66432,8 @@ _popunder+$popup ##.ad-inline ##.ad-inner ##.ad-innr +##.ad-insert +##.ad-inserter ##.ad-internal ##.ad-interruptor ##.ad-island @@ -63878,6 +66476,7 @@ _popunder+$popup ##.ad-manager-ad ##.ad-marker ##.ad-marketplace +##.ad-marketplace-horizontal ##.ad-marketswidget ##.ad-med ##.ad-med-rec @@ -63900,6 +66499,7 @@ _popunder+$popup ##.ad-mpu ##.ad-mpu-bottom ##.ad-mpu-middle +##.ad-mpu-middle2 ##.ad-mpu-placeholder ##.ad-mpu-plus-top ##.ad-mpu-top @@ -63927,6 +66527,9 @@ _popunder+$popup ##.ad-pagehead ##.ad-panel ##.ad-panorama +##.ad-parallax-wrap +##.ad-parent-hockey +##.ad-passback-o-rama ##.ad-pb ##.ad-peg ##.ad-permalink @@ -63951,6 +66554,7 @@ _popunder+$popup ##.ad-r ##.ad-rail ##.ad-rect +##.ad-rect-atf-01 ##.ad-rect-top-right ##.ad-rectangle ##.ad-rectangle-banner @@ -63958,6 +66562,7 @@ _popunder+$popup ##.ad-rectangle-long-sky ##.ad-rectangle-text ##.ad-rectangle-wide +##.ad-rectangle-xs ##.ad-region-delay-load ##.ad-related ##.ad-relatedbottom @@ -64029,6 +66634,7 @@ _popunder+$popup ##.ad-sponsor-text ##.ad-sponsored-links ##.ad-sponsored-post +##.ad-sponsors ##.ad-spot ##.ad-spotlight ##.ad-square @@ -64086,6 +66692,7 @@ _popunder+$popup ##.ad-unit-anchor ##.ad-unit-container ##.ad-unit-inline-center +##.ad-unit-medium-retangle ##.ad-unit-mpu ##.ad-unit-top ##.ad-update @@ -64097,12 +66704,15 @@ _popunder+$popup ##.ad-vertical-stack-ad ##.ad-vtu ##.ad-w300 +##.ad-wallpaper-panorama-container ##.ad-warning ##.ad-wgt ##.ad-wide ##.ad-widget +##.ad-widget-area ##.ad-widget-list ##.ad-windowshade-full +##.ad-wings__link ##.ad-with-background ##.ad-with-us ##.ad-wrap @@ -64187,6 +66797,7 @@ _popunder+$popup ##.ad300_ver2 ##.ad300b ##.ad300banner +##.ad300mrec1 ##.ad300shows ##.ad300top ##.ad300w @@ -64248,14 +66859,18 @@ _popunder+$popup ##.ad620x70 ##.ad626X35 ##.ad640x480 +##.ad640x60 ##.ad644 ##.ad650x140 +##.ad652 ##.ad670x83 ##.ad728 ##.ad72890 ##.ad728By90 ##.ad728_90 ##.ad728_blk +##.ad728_cont +##.ad728_wrap ##.ad728cont ##.ad728h ##.ad728x90 @@ -64273,6 +66888,8 @@ _popunder+$popup ##.ad940x30 ##.ad954x60 ##.ad960 +##.ad960x185 +##.ad960x90 ##.ad970x30 ##.ad970x90 ##.ad980 @@ -64281,6 +66898,7 @@ _popunder+$popup ##.ad987 ##.adAgate ##.adAlert +##.adAlone300 ##.adArea ##.adArea674x60 ##.adAreaLC @@ -64394,6 +67012,7 @@ _popunder+$popup ##.adCs ##.adCube ##.adDialog +##.adDingT ##.adDiv ##.adDivSmall ##.adElement @@ -64441,6 +67060,7 @@ _popunder+$popup ##.adIsland ##.adItem ##.adLabel +##.adLabel160x600 ##.adLabel300x250 ##.adLabelLine ##.adLabels @@ -64523,6 +67143,7 @@ _popunder+$popup ##.adSection ##.adSection_rt ##.adSelfServiceAdvertiseLink +##.adSenceImagePush ##.adSense ##.adSepDiv ##.adServer @@ -64661,6 +67282,7 @@ _popunder+$popup ##.ad_300x600 ##.ad_320x250_async ##.ad_320x360 +##.ad_326x260 ##.ad_330x110 ##.ad_336 ##.ad_336_gr_white @@ -64700,12 +67322,15 @@ _popunder+$popup ##.ad_954-60 ##.ad_960 ##.ad_970x90_prog +##.ad_980x260 ##.ad_CustomAd ##.ad_Flex ##.ad_Left ##.ad_Right +##.ad__label ##.ad__rectangle ##.ad__wrapper +##.ad_a ##.ad_adInfo ##.ad_ad_160 ##.ad_ad_300 @@ -64798,7 +67423,12 @@ _popunder+$popup ##.ad_contain ##.ad_container ##.ad_container_300x250 +##.ad_container_5 +##.ad_container_6 +##.ad_container_7 ##.ad_container_728x90 +##.ad_container_8 +##.ad_container_9 ##.ad_container__sidebar ##.ad_container__top ##.ad_container_body @@ -64814,6 +67444,7 @@ _popunder+$popup ##.ad_desktop ##.ad_disclaimer ##.ad_div_banner +##.ad_embed ##.ad_eniro ##.ad_entry_title_under ##.ad_entrylists_end @@ -64888,6 +67519,7 @@ _popunder+$popup ##.ad_leader_plus_top ##.ad_leaderboard ##.ad_leaderboard_top +##.ad_left_cell ##.ad_left_column ##.ad_lft ##.ad_line @@ -64976,6 +67608,7 @@ _popunder+$popup ##.ad_reminder ##.ad_report_btn ##.ad_rightSky +##.ad_right_cell ##.ad_right_col ##.ad_right_column ##.ad_right_column160 @@ -65000,6 +67633,7 @@ _popunder+$popup ##.ad_skyscraper ##.ad_skyscrapper ##.ad_slot +##.ad_slot_right ##.ad_slug ##.ad_slug_font ##.ad_slug_healthgrades @@ -65015,6 +67649,7 @@ _popunder+$popup ##.ad_space_w300_h250 ##.ad_spacer ##.ad_special_badge +##.ad_spons_box ##.ad_sponsor ##.ad_sponsor_fp ##.ad_sponsoredlinks @@ -65069,6 +67704,7 @@ _popunder+$popup ##.ad_url ##.ad_v2 ##.ad_v3 +##.ad_v300 ##.ad_vertisement ##.ad_w300i ##.ad_w_us_a300 @@ -65095,6 +67731,7 @@ _popunder+$popup ##.adbadge ##.adban-hold-narrow ##.adbanner +##.adbanner-300-250 ##.adbanner1 ##.adbanner2nd ##.adbannerbox @@ -65109,6 +67746,7 @@ _popunder+$popup ##.adblade ##.adblade-container ##.adbladeimg +##.adblk ##.adblock-240-400 ##.adblock-300-300 ##.adblock-600-120 @@ -65138,6 +67776,7 @@ _popunder+$popup ##.adbox-box ##.adbox-outer ##.adbox-rectangle +##.adbox-slider ##.adbox-title ##.adbox-topbanner ##.adbox-wrapper @@ -65240,6 +67879,7 @@ _popunder+$popup ##.adframe_banner ##.adframe_rectangle ##.adfree +##.adgear ##.adgear-bb ##.adgear_header ##.adgeletti-ad-div @@ -65299,12 +67939,14 @@ _popunder+$popup ##.adlsot ##.admain ##.adman +##.admaster ##.admediumred ##.admedrec ##.admeldBoxAd ##.admessage ##.admiddle ##.admiddlesidebar +##.administer-ad ##.admods ##.admodule ##.admoduleB @@ -65314,6 +67956,7 @@ _popunder+$popup ##.adnation-banner ##.adnet120 ##.adnet_area +##.adnotecenter ##.adnotice ##.adocean728x90 ##.adonmedianama @@ -65375,6 +68018,7 @@ _popunder+$popup ##.ads-3 ##.ads-300 ##.ads-300-250 +##.ads-300-box ##.ads-300x250 ##.ads-300x300 ##.ads-300x80 @@ -65382,6 +68026,7 @@ _popunder+$popup ##.ads-468 ##.ads-468x60-bordered ##.ads-560-65 +##.ads-600-box ##.ads-728-90 ##.ads-728by90 ##.ads-728x90 @@ -65402,9 +68047,11 @@ _popunder+$popup ##.ads-bg ##.ads-bigbox ##.ads-block +##.ads-block-bottom-wrap ##.ads-block-link-000 ##.ads-block-link-text ##.ads-block-marketplace-container +##.ads-border ##.ads-bottom ##.ads-bottom-block ##.ads-box @@ -65454,6 +68101,7 @@ _popunder+$popup ##.ads-medium-rect ##.ads-middle ##.ads-middle-top +##.ads-mini ##.ads-module ##.ads-movie ##.ads-mpu @@ -65472,6 +68120,7 @@ _popunder+$popup ##.ads-rotate ##.ads-scroller-box ##.ads-section +##.ads-side ##.ads-sidebar ##.ads-sidebar-boxad ##.ads-single @@ -65520,6 +68169,8 @@ _popunder+$popup ##.ads14 ##.ads15 ##.ads160 +##.ads160-600 +##.ads160_600-widget ##.ads160x600 ##.ads180x150 ##.ads1_250 @@ -65545,6 +68196,8 @@ _popunder+$popup ##.ads300x250-thumb ##.ads315 ##.ads320x100 +##.ads324-wrapper +##.ads324-wrapper2ads ##.ads336_280 ##.ads336x280 ##.ads4 @@ -65609,11 +68262,14 @@ _popunder+$popup ##.adsWidget ##.adsWithUs ##.adsYN +##.ads_1 ##.ads_120x60 ##.ads_120x60_index ##.ads_125_square ##.ads_160 ##.ads_180 +##.ads_2 +##.ads_3 ##.ads_300 ##.ads_300250_wrapper ##.ads_300x100 @@ -65626,6 +68282,7 @@ _popunder+$popup ##.ads_330 ##.ads_337x280 ##.ads_3col +##.ads_4 ##.ads_460up ##.ads_468 ##.ads_468x60 @@ -65675,10 +68332,12 @@ _popunder+$popup ##.ads_folat_left ##.ads_foot ##.ads_footer +##.ads_footerad ##.ads_frame_wrapper ##.ads_google ##.ads_h ##.ads_header +##.ads_header_bottom ##.ads_holder ##.ads_horizontal ##.ads_infoBtns @@ -65696,6 +68355,8 @@ _popunder+$popup ##.ads_main ##.ads_main_hp ##.ads_medrect +##.ads_middle +##.ads_middle_container ##.ads_mpu ##.ads_mpu_small ##.ads_obrazek @@ -65708,6 +68369,7 @@ _popunder+$popup ##.ads_post_start_code ##.ads_r ##.ads_rectangle +##.ads_rem ##.ads_remove ##.ads_right ##.ads_rightbar_top @@ -65726,6 +68388,7 @@ _popunder+$popup ##.ads_singlepost ##.ads_slice ##.ads_small_rectangle +##.ads_space_long ##.ads_spacer ##.ads_square ##.ads_takeover @@ -65758,8 +68421,10 @@ _popunder+$popup ##.adsbantop ##.adsbar ##.adsbg300 +##.adsblock ##.adsblockvert ##.adsbnr +##.adsbody ##.adsborder ##.adsbottom ##.adsbottombox @@ -65834,10 +68499,12 @@ _popunder+$popup ##.adsense-widget ##.adsense-widget-horizontal ##.adsense1 +##.adsense160x600 ##.adsense250 ##.adsense3 ##.adsense300 ##.adsense728 +##.adsense728x90 ##.adsenseAds ##.adsenseBlock ##.adsenseContainer @@ -65879,6 +68546,7 @@ _popunder+$popup ##.adsensebig ##.adsenseblock_bottom ##.adsenseblock_top +##.adsenseformat ##.adsenseframe ##.adsenseleaderboard ##.adsenselr @@ -65922,11 +68590,13 @@ _popunder+$popup ##.adslist ##.adslogan ##.adslot +##.adslot-mpu ##.adslot-widget ##.adslot_1 ##.adslot_300 ##.adslot_728 ##.adslot_blurred +##.adslot_bot_300x250 ##.adslothead ##.adslotleft ##.adslotright @@ -65939,6 +68609,7 @@ _popunder+$popup ##.adsmedrectright ##.adsmessage ##.adsnippet_widget +##.adsns ##.adsonar-after ##.adspace ##.adspace-300x600 @@ -66017,6 +68688,7 @@ _popunder+$popup ##.adtops ##.adtower ##.adtravel +##.adtv_300_250 ##.adtxt ##.adtxtlinks ##.adult-adv @@ -66055,7 +68727,10 @@ _popunder+$popup ##.adv-banner ##.adv-block ##.adv-border +##.adv-bottom +##.adv-box ##.adv-box-wrapper +##.adv-click ##.adv-cont ##.adv-container ##.adv-dvb @@ -66080,6 +68755,7 @@ _popunder+$popup ##.adv-squarebox-banner ##.adv-teaser-divider ##.adv-top +##.adv-top-container ##.adv-x61 ##.adv200 ##.adv250 @@ -66129,6 +68805,7 @@ _popunder+$popup ##.adv_aff ##.adv_banner ##.adv_banner_hor +##.adv_bg ##.adv_box_narrow ##.adv_cnt ##.adv_code @@ -66168,6 +68845,7 @@ _popunder+$popup ##.advbptxt ##.adver ##.adver-left +##.adver-text ##.adverTag ##.adverTxt ##.adver_bot @@ -66214,6 +68892,7 @@ _popunder+$popup ##.advert-detail ##.advert-featured ##.advert-footer +##.advert-full-raw ##.advert-group ##.advert-head ##.advert-home-380x120 @@ -66232,10 +68911,12 @@ _popunder+$popup ##.advert-overlay ##.advert-pane ##.advert-right +##.advert-section ##.advert-sky ##.advert-skyscraper ##.advert-stub ##.advert-text +##.advert-three ##.advert-tile ##.advert-title ##.advert-top @@ -66315,6 +68996,7 @@ _popunder+$popup ##.advert_main ##.advert_main_bottom ##.advert_mpu_body_hdr +##.advert_nav ##.advert_note ##.advert_small ##.advert_societe_general @@ -66383,6 +69065,7 @@ _popunder+$popup ##.advertisement-bottom ##.advertisement-caption ##.advertisement-content +##.advertisement-copy ##.advertisement-dashed ##.advertisement-header ##.advertisement-label @@ -66507,6 +69190,7 @@ _popunder+$popup ##.advertisment_two ##.advertize ##.advertize_here +##.advertlabel ##.advertleft ##.advertnotice ##.advertorial @@ -66558,20 +69242,30 @@ _popunder+$popup ##.adword-structure ##.adword-text ##.adword-title +##.adword1 ##.adwordListings ##.adwords ##.adwords-container ##.adwordsHeader ##.adwords_in_content ##.adwrap +##.adwrap-widget ##.adwrapper-lrec ##.adwrapper1 ##.adwrapper948 +##.adxli ##.adz728x90 ##.adzone ##.adzone-footer ##.adzone-sidebar +##.adzone_ad_5 +##.adzone_ad_6 +##.adzone_ad_7 +##.adzone_ad_8 +##.adzone_ad_9 +##.afc-box ##.afffix-custom-ad +##.affiliate-ad ##.affiliate-footer ##.affiliate-link ##.affiliate-mrec-iframe @@ -66588,6 +69282,7 @@ _popunder+$popup ##.afsAdvertising ##.afsAdvertisingBottom ##.afs_ads +##.aftContentAdLeft ##.aftContentAdRight ##.after-post-ad ##.after_ad @@ -66609,6 +69304,8 @@ _popunder+$popup ##.alternatives_ad ##.amAdvert ##.am_ads +##.amsSparkleAdWrapper +##.anchor-ad-wrapper ##.anchorAd ##.annonce_textads ##.annons_themeBlock @@ -66623,6 +69320,7 @@ _popunder+$popup ##.apiAdMarkerAbove ##.apiAds ##.apiButtonAd +##.app-advertisements ##.app_advertising_skyscraper ##.apxContentAd ##.archive-ad @@ -66646,17 +69344,21 @@ _popunder+$popup ##.article-aside-ad ##.article-content-adwrap ##.article-header-ad -##.article-share-top ##.articleAd ##.articleAd300x250 ##.articleAdBlade +##.articleAdSlot2 +##.articleAdTop ##.articleAdTopRight ##.articleAds ##.articleAdsL ##.articleAdvert ##.articleEmbeddedAdBox ##.articleFooterAd +##.articleHeadAdRow +##.articleTopAd ##.article_ad +##.article_ad250 ##.article_ad_container2 ##.article_adbox ##.article_ads_banner @@ -66664,6 +69366,7 @@ _popunder+$popup ##.article_google_ads ##.article_inline_ad ##.article_inner_ad +##.article_middle_ad ##.article_mpu_box ##.article_page_ads_bottom ##.article_sponsored_links @@ -66685,10 +69388,14 @@ _popunder+$popup ##.aside_AD09 ##.aside_banner_ads ##.aside_google_ads +##.associated-ads ##.atf-ad-medRect ##.atf-ad-medrec ##.atf_ad_box +##.attachment-sidebar-ad +##.attachment-sidebarAd ##.attachment-sidebar_ad +##.attachment-squareAd ##.attachment-weather-header-ad ##.auction-nudge ##.autoshow-top-ad @@ -66734,6 +69441,7 @@ _popunder+$popup ##.banner-125 ##.banner-300 ##.banner-300x250 +##.banner-300x600 ##.banner-468 ##.banner-468-60 ##.banner-468x60 @@ -66741,6 +69449,7 @@ _popunder+$popup ##.banner-728x90 ##.banner-ad ##.banner-ad-300x250 +##.banner-ad-footer ##.banner-ad-row ##.banner-ad-space ##.banner-ad-wrapper @@ -66830,6 +69539,7 @@ _popunder+$popup ##.bannergroup-ads ##.banneritem-ads ##.banneritem_ad +##.bar_ad ##.barkerAd ##.base-ad-mpu ##.base_ad @@ -66869,6 +69579,7 @@ _popunder+$popup ##.big_ad ##.big_ads ##.big_center_ad +##.big_rectangle_page_ad ##.bigad ##.bigad1 ##.bigad2 @@ -66896,6 +69607,7 @@ _popunder+$popup ##.blocAdInfo ##.bloc_adsense_acc ##.block--ad-superleaderboard +##.block--ads ##.block--simpleads ##.block--views-premium-ad-slideshow-block ##.block-ad @@ -66906,6 +69618,7 @@ _popunder+$popup ##.block-admanager ##.block-ads ##.block-ads-bottom +##.block-ads-home ##.block-ads-top ##.block-ads1 ##.block-ads2 @@ -66917,7 +69630,9 @@ _popunder+$popup ##.block-adspace-full ##.block-advertisement ##.block-advertising +##.block-adzerk ##.block-altads +##.block-ami-ads ##.block-bf_ads ##.block-bg-advertisement ##.block-bg-advertisement-region-1 @@ -66951,6 +69666,7 @@ _popunder+$popup ##.block-openx ##.block-reklama ##.block-simpleads +##.block-skyscraper-ad ##.block-sn-ad-blog-wrapper ##.block-sponsor ##.block-sponsored-links @@ -66958,6 +69674,7 @@ _popunder+$popup ##.block-vh-adjuggler ##.block-wtg_adtech ##.block-zagat_ads +##.block1--ads ##.blockAd ##.blockAds ##.blockAdvertise @@ -66970,7 +69687,9 @@ _popunder+$popup ##.block_ad_sponsored_links_localized ##.block_ad_sponsored_links_localized-wrapper ##.block_ads +##.block_adslot ##.block_adv +##.block_advert ##.blockad ##.blocked-ads ##.blockrightsmallads @@ -67048,6 +69767,7 @@ _popunder+$popup ##.bottomAdBlock ##.bottomAds ##.bottomAdvTxt +##.bottomAdvert ##.bottomAdvertisement ##.bottomAdvt ##.bottomArticleAds @@ -67061,8 +69781,10 @@ _popunder+$popup ##.bottom_ad_placeholder ##.bottom_adbreak ##.bottom_ads +##.bottom_ads_wrapper_inner ##.bottom_adsense ##.bottom_advert_728x90 +##.bottom_advertise ##.bottom_banner_ad ##.bottom_banner_advert_text ##.bottom_bar_ads @@ -67072,9 +69794,11 @@ _popunder+$popup ##.bottom_sponsor ##.bottomad ##.bottomad-bg +##.bottomadarea ##.bottomads ##.bottomadtop ##.bottomadvert +##.bottomadwords ##.bottombarad ##.bottomleader ##.bottomleader-ad-wrapper @@ -67089,6 +69813,7 @@ _popunder+$popup ##.box-ads ##.box-ads-small ##.box-adsense +##.box-adv-300-home ##.box-adv-social ##.box-advert ##.box-advert-sponsored @@ -67120,6 +69845,8 @@ _popunder+$popup ##.box_ads ##.box_ads728x90_holder ##.box_adv +##.box_adv1 +##.box_adv2 ##.box_adv_728 ##.box_adv_new ##.box_advertising @@ -67178,10 +69905,15 @@ _popunder+$popup ##.btn-ad ##.btn-newad ##.btn_ad +##.budget_ads_1 +##.budget_ads_2 +##.budget_ads_3 +##.budget_ads_bg ##.bullet-sponsored-links ##.bullet-sponsored-links-gray ##.bunyad-ad ##.burstContentAdIndex +##.businessads ##.busrep_poll_and_ad_container ##.button-ad ##.button-ads @@ -67233,6 +69965,8 @@ _popunder+$popup ##.category-advertorial ##.categorySponsorAd ##.category__big_game_container_body_games_advertising +##.categoryfirstad +##.categoryfirstadwrap ##.categorypage_ad1 ##.categorypage_ad2 ##.catfish_ad @@ -67287,8 +70021,10 @@ _popunder+$popup ##.classifiedAdThree ##.clearerad ##.client-ad +##.close-ad-wrapper ##.close2play-ads ##.cm-ad +##.cm-ad-row ##.cm-hero-ad ##.cm-rp01-ad ##.cm-rp02-ad @@ -67304,6 +70040,7 @@ _popunder+$popup ##.cmTeaseAdSponsoredLinks ##.cm_ads ##.cmam_responsive_ad_widget_class +##.cmg-ads ##.cms-Advert ##.cnAdContainer ##.cn_ad_placement @@ -67368,6 +70105,7 @@ _popunder+$popup ##.companionAd ##.companion_ad ##.compareBrokersAds +##.component-sponsored-links ##.conTSponsored ##.con_widget_advertising ##.conductor_ad @@ -67414,6 +70152,7 @@ _popunder+$popup ##.contentTopAd ##.contentTopAdSmall ##.contentTopAds +##.content_468_ad ##.content_ad ##.content_ad_728 ##.content_ad_head @@ -67431,16 +70170,19 @@ _popunder+$popup ##.contentad-home ##.contentad300x250 ##.contentad_right_col +##.contentadarticle ##.contentadfloatl ##.contentadleft ##.contentads1 ##.contentads2 ##.contentadstartpage +##.contentadstop1 ##.contentleftad ##.contentpage_searchad ##.contents-ads-bottom-left ##.contenttextad ##.contentwellad +##.contentwidgetads ##.contest_ad ##.context-ads ##.contextualAds @@ -67487,6 +70229,7 @@ _popunder+$popup ##.custom-ad ##.custom-ad-container ##.custom-ads +##.custom-advert-banner ##.customAd ##.custom_ads ##.custom_banner_ad @@ -67504,6 +70247,7 @@ _popunder+$popup ##.dart-ad-grid ##.dart-ad-taboola ##.dart-ad-title +##.dart-advertisement ##.dart-leaderboard ##.dart-leaderboard-top ##.dart-medsquare @@ -67516,12 +70260,19 @@ _popunder+$popup ##.dartadbanner ##.dartadvert ##.dartiframe +##.datafile-ad ##.dc-ad +##.dc-banner +##.dc-half-banner +##.dc-widget-adv-125 ##.dcAdvertHeader ##.deckAd ##.deckads ##.desktop-ad +##.desktop-aside-ad ##.desktop-aside-ad-hide +##.desktop-postcontentad-wrapper +##.desktop_ad ##.detail-ads ##.detailMpu ##.detailSidebar-adPanel @@ -67529,11 +70280,22 @@ _popunder+$popup ##.detail_article_ad ##.detail_top_advert ##.devil-ad-spot +##.dfad +##.dfad_first +##.dfad_last +##.dfad_pos_1 +##.dfad_pos_2 +##.dfad_pos_3 +##.dfad_pos_4 +##.dfad_pos_5 +##.dfad_pos_6 +##.dfads-javascript-load ##.dfp-ad ##.dfp-ad-advert_mpu_body_1 ##.dfp-ad-unit ##.dfp-ad-widget ##.dfp-banner +##.dfp-leaderboard ##.dfp-plugin-advert ##.dfp_ad ##.dfp_ad_caption @@ -67545,6 +70307,7 @@ _popunder+$popup ##.diggable-ad-sponsored ##.display-ad ##.display-ads-block +##.display-advertisement ##.displayAd ##.displayAd728x90Js ##.displayAdCode @@ -67582,9 +70345,11 @@ _popunder+$popup ##.dlSponsoredLinks ##.dm-ads-125 ##.dm-ads-350 +##.dmRosMBAdBox ##.dmco_advert_iabrighttitle ##.dod_ad ##.double-ad +##.double-click-ad ##.double-square-ad ##.doubleGoogleTextAd ##.double_adsense @@ -67671,15 +70436,18 @@ _popunder+$popup ##.fbPhotoSnowboxAds ##.fblockad ##.fc_splash_ad +##.fd-display-ad ##.feat_ads ##.featureAd ##.feature_ad ##.featured-ad +##.featured-ads ##.featured-sponsors ##.featuredAdBox ##.featuredAds ##.featuredBoxAD ##.featured_ad +##.featured_ad_item ##.featured_advertisers_box ##.featuredadvertising ##.feedBottomAd @@ -67689,6 +70457,7 @@ _popunder+$popup ##.fireplaceadleft ##.fireplaceadright ##.fireplaceadtop +##.first-ad ##.first_ad ##.firstad ##.firstpost_advert @@ -67733,6 +70502,7 @@ _popunder+$popup ##.footer-ad-section ##.footer-ad-squares ##.footer-ads +##.footer-ads-wrapper ##.footer-adsbar ##.footer-adsense ##.footer-advert @@ -67782,6 +70552,7 @@ _popunder+$popup ##.four_percent_ad ##.fp_ad_text ##.frame_adv +##.framead ##.freedownload_ads ##.freegame_bottomad ##.frn_adbox @@ -67793,6 +70564,7 @@ _popunder+$popup ##.frontpage_ads ##.fs-ad-block ##.fs1-advertising +##.fs_ad_300x250 ##.ft-ad ##.ftdAdBar ##.ftdContentAd @@ -67810,7 +70582,10 @@ _popunder+$popup ##.fw-mod-ad ##.fwAdTags ##.g-ad +##.g-ad-slot +##.g-ad-slot-toptop ##.g-adblock3 +##.g-advertisement-block ##.g2-adsense ##.g3-adsense ##.g3rtn-ad-site @@ -67833,6 +70608,7 @@ _popunder+$popup ##.ga-textads-top ##.gaTeaserAds ##.gaTeaserAdsBox +##.gad_container ##.gads300x250 ##.gads_cb ##.gads_container @@ -67841,11 +70617,14 @@ _popunder+$popup ##.galleria-AdOverlay ##.gallery-ad ##.gallery-ad-holder +##.gallery-ad-wrapper ##.gallery-sidebar-ad ##.galleryAdvertPanel ##.galleryLeftAd ##.galleryRightAd ##.gallery_300x100_ad +##.gallery__aside-ad +##.gallery__footer-ad ##.gallery_ad ##.gallery_ads_box ##.galleryads @@ -67869,6 +70648,8 @@ _popunder+$popup ##.gamezebo_ad_info ##.gbl_adstruct ##.gbl_advertisement +##.gdgt-header-advertisement +##.gdgt-postb-advertisement ##.geeky_ad ##.gels-inlinead ##.gen_side_ad @@ -67884,6 +70665,7 @@ _popunder+$popup ##.ggadunit ##.ggadwrp ##.gglAds +##.gglads300 ##.gl_ad ##.glamsquaread ##.glance_banner_ad @@ -67893,6 +70675,7 @@ _popunder+$popup ##.global_banner_ad ##.gm-ad-lrec ##.gn_ads +##.go-ad ##.go-ads-widget-ads-wrap ##.goog_ad ##.googad @@ -67909,8 +70692,10 @@ _popunder+$popup ##.google-ads ##.google-ads-boxout ##.google-ads-group +##.google-ads-leaderboard ##.google-ads-long ##.google-ads-obj +##.google-ads-responsive ##.google-ads-right ##.google-ads-rodape ##.google-ads-sidebar @@ -68015,6 +70800,7 @@ _popunder+$popup ##.googlead_idx_h_97090 ##.googlead_iframe ##.googlead_outside +##.googleadbottom ##.googleadcontainer ##.googleaddiv ##.googleaddiv2 @@ -68039,6 +70825,8 @@ _popunder+$popup ##.gpAdBox ##.gpAdFooter ##.gpAds +##.gp_adbanner--bottom +##.gp_adbanner--top ##.gpadvert ##.gpt-ad ##.gpt-ads @@ -68165,22 +70953,29 @@ _popunder+$popup ##.headerad-placeholder ##.headeradarea ##.headeradhome +##.headeradinfo ##.headeradright ##.headerads ##.heading-ad-space +##.heatmapthemead_ad_widget ##.hero-ad ##.hi5-ad ##.hidden-ad ##.hideAdMessage +##.hidePauseAdZone ##.hide_ad ##.highlights-ad ##.highlightsAd ##.hl-post-center-ad ##.hm_advertisment +##.hm_top_right_google_ads +##.hm_top_right_google_ads_budget ##.hn-ads +##.home-300x250-ad ##.home-ad ##.home-ad-container ##.home-ad-links +##.home-ad728 ##.home-ads ##.home-ads-container ##.home-ads-container1 @@ -68190,6 +70985,7 @@ _popunder+$popup ##.home-features-ad ##.home-sidebar-ad-300 ##.home-sticky-ad +##.home-top-of-page__top-box-ad ##.home-top-right-ads ##.homeAd ##.homeAd1 @@ -68216,6 +71012,7 @@ _popunder+$popup ##.home_advert ##.home_advertisement ##.home_advertorial +##.home_box_latest_ads ##.home_mrec_ad ##.home_offer_adv ##.home_sidebar_ads @@ -68225,17 +71022,23 @@ _popunder+$popup ##.homead ##.homeadnews ##.homefront468Ad +##.homepage-300-250-ad ##.homepage-ad ##.homepage-ad-block-padding ##.homepage-ad-buzz-col ##.homepage-advertisement ##.homepage-footer-ad ##.homepage-footer-ads +##.homepage-right-rail-ad ##.homepage-sponsoredlinks-container ##.homepage300ad ##.homepageAd ##.homepageFlexAdOuter ##.homepageMPU +##.homepage__ad +##.homepage__ad--middle-leader-board +##.homepage__ad--top-leader-board +##.homepage__ad--top-mrec ##.homepage_ads ##.homepage_block_ad ##.homepage_middle_right_ad @@ -68247,6 +71050,7 @@ _popunder+$popup ##.horiz_adspace ##.horizontal-ad-holder ##.horizontalAd +##.horizontalAdText ##.horizontalAdvert ##.horizontal_ad ##.horizontal_adblock @@ -68319,6 +71123,8 @@ _popunder+$popup ##.im-topAds ##.image-ad-336 ##.image-advertisement +##.image-viewer-ad +##.image-viewer-mpu ##.imageAd ##.imageAdBoxTitle ##.imageads @@ -68338,6 +71144,7 @@ _popunder+$popup ##.inPageAd ##.inStoryAd-news2 ##.in_article_ad +##.in_content_ad_container ##.in_up_ad_game ##.indEntrySquareAd ##.indent-advertisement @@ -68360,6 +71167,7 @@ _popunder+$popup ##.ingridAd ##.inhouseAdUnit ##.inhousead +##.injectedAd ##.inline-ad ##.inline-ad-wrap ##.inline-ad-wrapper @@ -68399,6 +71207,7 @@ _popunder+$popup ##.innerpostadspace ##.inpostad ##.insert-advert-ver01 +##.insert-post-ads ##.insertAd_AdSlice ##.insertAd_Rectangle ##.insertAd_TextAdBreak @@ -68427,6 +71236,7 @@ _popunder+$popup ##.iprom-ad ##.ipsAd ##.iqadlinebottom +##.is-sponsored ##.is24-adplace ##.isAd ##.is_trackable_ad @@ -68447,6 +71257,8 @@ _popunder+$popup ##.itemAdvertise ##.item_ads ##.ja-ads +##.jalbum-ad-container +##.jam-ad ##.jimdoAdDisclaimer ##.jobkeywordads ##.jobs-ad-box @@ -68472,6 +71284,7 @@ _popunder+$popup ##.kw_advert_pair ##.l-ad-300 ##.l-ad-728 +##.l-adsense ##.l-bottom-ads ##.l-header-advertising ##.l300x250ad @@ -68558,6 +71371,7 @@ _popunder+$popup ##.leftAd_bottom_fmt ##.leftAd_top_fmt ##.leftAds +##.leftAdvert ##.leftCol_advert ##.leftColumnAd ##.left_300_ad @@ -68583,6 +71397,7 @@ _popunder+$popup ##.leftrighttopad ##.leftsidebar_ad ##.lefttopad1 +##.legacy-ads ##.legal-ad-choice-icon ##.lgRecAd ##.lg_ad @@ -68613,6 +71428,7 @@ _popunder+$popup ##.livingsocial-ad ##.ljad ##.llsAdContainer +##.lnad ##.loadadlater ##.local-ads ##.localad @@ -68654,6 +71470,7 @@ _popunder+$popup ##.m-advertisement ##.m-advertisement--container ##.m-layout-advertisement +##.m-mem--ad ##.m-sponsored ##.m4-adsbygoogle ##.mTopAd @@ -68680,8 +71497,17 @@ _popunder+$popup ##.mainLinkAd ##.mainRightAd ##.main_ad +##.main_ad_adzone_5_ad_0 +##.main_ad_adzone_6_ad_0 +##.main_ad_adzone_7_ad_0 +##.main_ad_adzone_7_ad_1 +##.main_ad_adzone_8_ad_0 +##.main_ad_adzone_8_ad_1 +##.main_ad_adzone_9_ad_0 +##.main_ad_adzone_9_ad_1 ##.main_ad_bg ##.main_ad_bg_div +##.main_ad_container ##.main_adbox ##.main_ads ##.main_adv @@ -68708,6 +71534,7 @@ _popunder+$popup ##.master_post_advert ##.masthead-ad ##.masthead-ad-control +##.masthead-ads ##.mastheadAds ##.masthead_ad_banner ##.masthead_ads_new @@ -68839,6 +71666,7 @@ _popunder+$popup ##.mod-vertical-ad ##.mod_ad ##.mod_ad_imu +##.mod_ad_top ##.mod_admodule ##.mod_ads ##.mod_openads @@ -68888,6 +71716,7 @@ _popunder+$popup ##.mp-ad ##.mpu-ad ##.mpu-ad-con +##.mpu-ad-top ##.mpu-advert ##.mpu-c ##.mpu-container-blank @@ -68941,6 +71770,7 @@ _popunder+$popup ##.mt-ad-container ##.mt-header-ads ##.mtv-adChoicesLogo +##.mtv-adv ##.multiadwrapper ##.mvAd ##.mvAdHdr @@ -69058,7 +71888,6 @@ _popunder+$popup ##.oasad ##.oasads ##.ob_ads_header -##.ob_ads_header + ul ##.ob_container .item-container-obpd ##.ob_dual_right > .ob_ads_header ~ .odb_div ##.oba_message @@ -69102,6 +71931,7 @@ _popunder+$popup ##.outbrain_ad_li ##.outbrain_dual_ad_whats_class ##.outbrain_ul_ad_top +##.outer-ad-container ##.outerAd_300x250_1 ##.outermainadtd1 ##.outgameadbox @@ -69124,6 +71954,7 @@ _popunder+$popup ##.p_topad ##.pa_ads_label ##.paddingBotAd +##.pads2 ##.padvertlabel ##.page-ad ##.page-ad-container @@ -69146,11 +71977,14 @@ _popunder+$popup ##.pagenavindexcontentad ##.pair_ads ##.pane-ad-block +##.pane-ad-manager-bottom-right-rail-circ ##.pane-ad-manager-middle ##.pane-ad-manager-middle1 +##.pane-ad-manager-right ##.pane-ad-manager-right1 ##.pane-ad-manager-right2 ##.pane-ad-manager-right3 +##.pane-ad-manager-shot-business-circ ##.pane-ad-manager-subscribe-now ##.pane-ads ##.pane-frontpage-ad-banner @@ -69162,6 +71996,7 @@ _popunder+$popup ##.pane-tw-ad-master-ad-300x250a ##.pane-tw-ad-master-ad-300x600 ##.pane-tw-adjuggler-tw-adjuggler-half-page-ad +##.pane-two-column-ads ##.pane_ad_wide ##.panel-ad ##.panel-advert @@ -69174,6 +72009,7 @@ _popunder+$popup ##.partner-ad ##.partner-ads-container ##.partnerAd +##.partnerAdTable ##.partner_ads ##.partnerad_container ##.partnersTextLinks @@ -69181,6 +72017,7 @@ _popunder+$popup ##.pb-f-ad-flex ##.pb-mod-ad-flex ##.pb-mod-ad-leaderboard +##.pc-ad ##.pd-ads-mpu ##.peg_ad ##.pencil-ad @@ -69210,6 +72047,7 @@ _popunder+$popup ##.player-under-ad ##.playerAd ##.player_ad +##.player_ad2 ##.player_ad_box ##.player_hover_ad ##.player_page_ad_box @@ -69269,16 +72107,19 @@ _popunder+$popup ##.postbit_adcode ##.postbody_ads ##.poster_ad +##.postfooterad ##.postgroup-ads ##.postgroup-ads-middle ##.power_by_sponsor ##.ppp_interior_ad ##.pq-ad ##.pr-ad-tower +##.pr-widget ##.pre-title-ad ##.prebodyads ##.premium-ad ##.premium-ads +##.premium-adv ##.premiumAdOverlay ##.premiumAdOverlayClose ##.premiumInHouseAd @@ -69290,6 +72131,7 @@ _popunder+$popup ##.primary-advertisment ##.primary_sidebar_ad ##.printAds +##.pro_ad_adzone ##.pro_ad_system_ad_container ##.pro_ad_zone ##.prod_grid_ad @@ -69309,6 +72151,7 @@ _popunder+$popup ##.promoboxAd ##.promotionTextAd ##.proof_ad +##.ps-ad ##.ps-ligatus_placeholder ##.pub_300x250 ##.pub_300x250m @@ -69354,6 +72197,7 @@ _popunder+$popup ##.r_ads ##.r_col_add ##.rad_container +##.raff_ad ##.rail-ad ##.rail-article-sponsored ##.rail_ad @@ -69366,6 +72210,7 @@ _popunder+$popup ##.rd_header_ads ##.rdio-homepage-widget ##.readerads +##.readermodeAd ##.realtor-ad ##.recentAds ##.recent_ad_holder @@ -69419,15 +72264,19 @@ _popunder+$popup ##.rel_ad_box ##.related-ad ##.related-ads +##.related-al-ads +##.related-al-content-w150-ads ##.related-guide-adsense ##.relatedAds ##.relatedContentAd ##.related_post_google_ad ##.relatesearchad ##.remads +##.remnant_ad ##.remove-ads ##.removeAdsLink ##.reportAdLink +##.residentialads ##.resourceImagetAd ##.respAds ##.responsive-ad @@ -69640,6 +72489,7 @@ _popunder+$popup ##.sb_adsW ##.sb_adsWv2 ##.sc-ad +##.sc_ad ##.sc_iframe_ad ##.scad ##.scanAd @@ -69660,7 +72510,11 @@ _popunder+$popup ##.searchAd ##.searchAdTop ##.searchAds +##.searchCenterBottomAds +##.searchCenterTopAds ##.searchResultAd +##.searchRightBottomAds +##.searchRightMiddleAds ##.searchSponsorItem ##.searchSponsoredResultsBox ##.searchSponsoredResultsList @@ -69705,6 +72559,7 @@ _popunder+$popup ##.shift-ad ##.shoppingGoogleAdSense ##.shortads +##.shortadvertisement ##.showAd ##.showAdContainer ##.showAd_No @@ -69712,6 +72567,7 @@ _popunder+$popup ##.showad_box ##.showcaseAd ##.showcasead +##.si-adRgt ##.sidbaread ##.side-ad ##.side-ad-120-bottom @@ -69726,6 +72582,7 @@ _popunder+$popup ##.side-ad-300-top ##.side-ad-big ##.side-ad-blocks +##.side-ad-container ##.side-ads ##.side-ads-block ##.side-ads-wide @@ -69740,12 +72597,14 @@ _popunder+$popup ##.sideBannerAdsLarge ##.sideBannerAdsSmall ##.sideBannerAdsXLarge +##.sideBarAd ##.sideBarCubeAd ##.sideBlockAd ##.sideBoxAd ##.sideBoxM1ad ##.sideBoxMiddleAd ##.sideBySideAds +##.sideToSideAd ##.side_300_ad ##.side_ad ##.side_ad2 @@ -69772,6 +72631,10 @@ _popunder+$popup ##.sidebar-ad ##.sidebar-ad-300 ##.sidebar-ad-300x250-cont +##.sidebar-ad-a +##.sidebar-ad-b +##.sidebar-ad-c +##.sidebar-ad-cont ##.sidebar-ad-container ##.sidebar-ad-container-1 ##.sidebar-ad-container-2 @@ -69796,6 +72659,7 @@ _popunder+$popup ##.sidebar-top-ad ##.sidebar300adblock ##.sidebarAd +##.sidebarAdBlock ##.sidebarAdNotice ##.sidebarAdUnit ##.sidebarAds300px @@ -69942,6 +72806,7 @@ _popunder+$popup ##.sml-item-ad ##.sn-ad-300x250 ##.snarcy-ad +##.snoadnetwork ##.social-ad ##.softronics-ad ##.southad @@ -69997,6 +72862,7 @@ _popunder+$popup ##.sponsor-left ##.sponsor-link ##.sponsor-links +##.sponsor-module-target ##.sponsor-post ##.sponsor-promo ##.sponsor-right @@ -70025,6 +72891,9 @@ _popunder+$popup ##.sponsorTitle ##.sponsorTxt ##.sponsor_ad +##.sponsor_ad1 +##.sponsor_ad2 +##.sponsor_ad3 ##.sponsor_ad_area ##.sponsor_advert_link ##.sponsor_area @@ -70035,6 +72904,7 @@ _popunder+$popup ##.sponsor_div ##.sponsor_div_title ##.sponsor_footer +##.sponsor_image ##.sponsor_label ##.sponsor_line ##.sponsor_links @@ -70069,6 +72939,7 @@ _popunder+$popup ##.sponsored-post ##.sponsored-post_ad ##.sponsored-result +##.sponsored-result-row-2 ##.sponsored-results ##.sponsored-right ##.sponsored-right-border @@ -70189,6 +73060,7 @@ _popunder+$popup ##.squareads ##.squared_ad ##.sr-adsense +##.sr-in-feed-ads ##.sr-side-ad-block ##.sr_google_ad ##.src_parts_gen_ad @@ -70225,6 +73097,8 @@ _popunder+$popup ##.storyInlineAdBlock ##.story_AD ##.story_ad_div +##.story_ads_right_spl +##.story_ads_right_spl_budget ##.story_body_advert ##.story_right_adv ##.storyad @@ -70264,6 +73138,7 @@ _popunder+$popup ##.supp-ads ##.support-adv ##.supportAdItem +##.support_ad ##.surveyad ##.syAd ##.syHdrBnrAd @@ -70293,6 +73168,7 @@ _popunder+$popup ##.tckr_adbrace ##.td-Adholder ##.td-TrafficWeatherWidgetAdGreyBrd +##.td-a-rec-id-custom_ad_1 ##.td-header-ad-wrap ##.td-header-sp-ads ##.tdAdHeader @@ -70316,6 +73192,7 @@ _popunder+$popup ##.text-ad-300 ##.text-ad-links ##.text-ad-links2 +##.text-ad-top ##.text-ads ##.text-advertisement ##.text-g-advertisement @@ -70379,6 +73256,7 @@ _popunder+$popup ##.thisisad ##.thread-ad ##.thread-ad-holder +##.threadAdsHeadlineData ##.three-ads ##.tibu_ad ##.ticket-ad @@ -70393,6 +73271,10 @@ _popunder+$popup ##.title_adbig ##.tj_ad_box ##.tj_ad_box_top +##.tl-ad +##.tl-ad-dfp +##.tl-ad-display-3 +##.tl-ad-render ##.tm_ad200_widget ##.tm_topads_468 ##.tm_widget_ad200px @@ -70420,8 +73302,10 @@ _popunder+$popup ##.top-ad-space ##.top-ad-unit ##.top-ad-wrapper +##.top-adbox ##.top-ads ##.top-ads-wrapper +##.top-adsense ##.top-adsense-banner ##.top-adspace ##.top-adv @@ -70482,6 +73366,7 @@ _popunder+$popup ##.top_ad_336x280 ##.top_ad_728 ##.top_ad_728_90 +##.top_ad_banner ##.top_ad_big ##.top_ad_disclaimer ##.top_ad_div @@ -70586,6 +73471,7 @@ _popunder+$popup ##.txt_ads ##.txtad_area ##.txtadvertise +##.tynt-ad-container ##.type_ads_default ##.type_adscontainer ##.type_miniad @@ -70629,6 +73515,7 @@ _popunder+$popup ##.vertad ##.vertical-adsense ##.verticalAd +##.verticalAdText ##.vertical_ad ##.vertical_ads ##.verticalad @@ -70646,7 +73533,9 @@ _popunder+$popup ##.video_ads_overdiv ##.video_ads_overdiv2 ##.video_advertisement_box +##.video_detail_box_ads ##.video_top_ad +##.view-adverts ##.view-image-ads ##.view-promo-mpu-right ##.view-site-ads @@ -70755,12 +73644,14 @@ _popunder+$popup ##.widget_adsensem ##.widget_adsensewidget ##.widget_adsingle +##.widget_adv_location ##.widget_advert_content ##.widget_advert_widget ##.widget_advertisement ##.widget_advertisements ##.widget_advertisment ##.widget_advwidget +##.widget_adwidget ##.widget_bestgoogleadsense ##.widget_boss_banner_ad ##.widget_catchbox_adwidget @@ -70771,11 +73662,14 @@ _popunder+$popup ##.widget_emads ##.widget_fearless_responsive_image_ad ##.widget_googleads +##.widget_ima_ads ##.widget_internationaladserverwidget ##.widget_ione-dart-ad ##.widget_island_ad ##.widget_maxbannerads +##.widget_nb-ads ##.widget_new_sponsored_content +##.widget_openxwpwidget ##.widget_plugrush_widget ##.widget_sdac_bottom_ad_widget ##.widget_sdac_companion_video_ad_widget @@ -70783,6 +73677,8 @@ _popunder+$popup ##.widget_sdac_skyscraper_ad_widget ##.widget_sdac_top_ad_widget ##.widget_sej_sidebar_ad +##.widget_sidebarad_300x250 +##.widget_sidebarad_300x600 ##.widget_sidebaradwidget ##.widget_sponsored_content ##.widget_uds-ads @@ -70815,7 +73711,9 @@ _popunder+$popup ##.wpfp_custom_ad ##.wpi_ads ##.wpn_ad_content +##.wpproadszone ##.wptouch-ad +##.wpx-bannerize ##.wrap-ads ##.wrap_boxad ##.wrapad @@ -70872,6 +73770,7 @@ _popunder+$popup ##.yahooad-urlline ##.yahooads ##.yahootextads_content_bottom +##.yam-plus-ad-container ##.yan-sponsored ##.yat-ad ##.yellow_ad @@ -70904,11 +73803,13 @@ _popunder+$popup ##.zc-grid-position-ad ##.zem_rp_promoted ##.zeti-ads -##A\[href^="//adbit.co/?a=Advertise&"] ##\[onclick^="window.open('http://adultfriendfinder.com/search/"] ##a\[data-redirect^="this.href='http://paid.outbrain.com/network/redir?"] ##a\[href$="/vghd.shtml"] ##a\[href*="/adrotate-out.php?"] +##a\[href^=" http://ads.ad-center.com/"] +##a\[href^="//adbit.co/?a=Advertise&"] +##a\[href^="//ads.ad-center.com/"] ##a\[href^="http://1phads.com/"] ##a\[href^="http://360ads.go2cloud.org/"] ##a\[href^="http://NowDownloadAll.com"] @@ -70918,12 +73819,14 @@ _popunder+$popup ##a\[href^="http://ad.doubleclick.net/"] ##a\[href^="http://ad.yieldmanager.com/"] ##a\[href^="http://adexprt.me/"] +##a\[href^="http://adf.ly/?id="] ##a\[href^="http://adfarm.mediaplex.com/"] ##a\[href^="http://adlev.neodatagroup.com/"] ##a\[href^="http://ads.activtrades.com/"] ##a\[href^="http://ads.ad-center.com/"] ##a\[href^="http://ads.affbuzzads.com/"] ##a\[href^="http://ads.betfair.com/redirect.aspx?"] +##a\[href^="http://ads.integral-marketing.com/"] ##a\[href^="http://ads.pheedo.com/"] ##a\[href^="http://ads2.williamhill.com/redirect.aspx?"] ##a\[href^="http://adserver.adtech.de/"] @@ -70944,15 +73847,20 @@ _popunder+$popup ##a\[href^="http://api.taboola.com/"]\[href*="/recommendations.notify-click?app.type="] ##a\[href^="http://at.atwola.com/"] ##a\[href^="http://banners.victor.com/processing/"] +##a\[href^="http://bc.vc/?r="] ##a\[href^="http://bcp.crwdcntrl.net/"] +##a\[href^="http://bestorican.com/"] ##a\[href^="http://bluehost.com/track/"] ##a\[href^="http://bonusfapturbo.nmvsite.com/"] ##a\[href^="http://bs.serving-sys.com/"] ##a\[href^="http://buysellads.com/"] ##a\[href^="http://c.actiondesk.com/"] +##a\[href^="http://campaign.bharatmatrimony.com/track/"] ##a\[href^="http://cdn3.adexprts.com/"] ##a\[href^="http://chaturbate.com/affiliates/"] ##a\[href^="http://cinema.friendscout24.de?"] +##a\[href^="http://clickandjoinyourgirl.com/"] +##a\[href^="http://clickserv.sitescout.com/"] ##a\[href^="http://clk.directrev.com/"] ##a\[href^="http://clkmon.com/adServe/"] ##a\[href^="http://codec.codecm.com/"] @@ -70960,16 +73868,21 @@ _popunder+$popup ##a\[href^="http://cpaway.afftrack.com/"] ##a\[href^="http://d2.zedo.com/"] ##a\[href^="http://data.ad.yieldmanager.net/"] +##a\[href^="http://databass.info/"] ##a\[href^="http://down1oads.com/"] +##a\[href^="http://dwn.pushtraffic.net/"] ##a\[href^="http://easydownload4you.com/"] ##a\[href^="http://elitefuckbook.com/"] ##a\[href^="http://feedads.g.doubleclick.net/"] ##a\[href^="http://fileloadr.com/"] +##a\[href^="http://finaljuyu.com/"] +##a\[href^="http://freesoftwarelive.com/"] ##a\[href^="http://fsoft4down.com/"] ##a\[href^="http://fusionads.net"] ##a\[href^="http://galleries.pinballpublishernetwork.com/"] ##a\[href^="http://galleries.securewebsiteaccess.com/"] ##a\[href^="http://games.ucoz.ru/"]\[target="_blank"] +##a\[href^="http://gca.sh/user/register?ref="] ##a\[href^="http://getlinksinaseconds.com/"] ##a\[href^="http://go.seomojo.com/tracking202/"] ##a\[href^="http://greensmoke.com/"] @@ -70977,6 +73890,7 @@ _popunder+$popup ##a\[href^="http://hdplugin.flashplayer-updates.com/"] ##a\[href^="http://hyperlinksecure.com/go/"] ##a\[href^="http://install.securewebsiteaccess.com/"] +##a\[href^="http://k2s.cc/pr/"] ##a\[href^="http://keep2share.cc/pr/"] ##a\[href^="http://landingpagegenius.com/"] ##a\[href^="http://latestdownloads.net/download.php?"] @@ -70988,6 +73902,7 @@ _popunder+$popup ##a\[href^="http://n.admagnet.net/"] ##a\[href^="http://online.ladbrokes.com/promoRedirect?"] ##a\[href^="http://paid.outbrain.com/network/redir?"]\[target="_blank"] +##a\[href^="http://partner.sbaffiliates.com/"] ##a\[href^="http://pokershibes.com/index.php?ref="] ##a\[href^="http://pubads.g.doubleclick.net/"] ##a\[href^="http://refer.webhostingbuzz.com/"] @@ -71009,12 +73924,16 @@ _popunder+$popup ##a\[href^="http://us.marketgid.com"] ##a\[href^="http://www.123-reg.co.uk/affiliate2.cgi"] ##a\[href^="http://www.1clickdownloader.com/"] +##a\[href^="http://www.1clickmoviedownloader.info/"] ##a\[href^="http://www.FriendlyDuck.com/AF_"] +##a\[href^="http://www.TwinPlan.com/AF_"] ##a\[href^="http://www.adbrite.com/mb/commerce/purchase_form.php?"] +##a\[href^="http://www.adshost2.com/"] ##a\[href^="http://www.adxpansion.com"] ##a\[href^="http://www.affbuzzads.com/affiliate/"] ##a\[href^="http://www.amazon.co.uk/exec/obidos/external-search?"] ##a\[href^="http://www.babylon.com/welcome/index?affID"] +##a\[href^="http://www.badoink.com/go.php?"] ##a\[href^="http://www.bet365.com/home/?affiliate"] ##a\[href^="http://www.clickansave.net/"] ##a\[href^="http://www.clkads.com/adServe/"] @@ -71033,6 +73952,7 @@ _popunder+$popup ##a\[href^="http://www.firstload.de/affiliate/"] ##a\[href^="http://www.fleshlight.com/"] ##a\[href^="http://www.fonts.com/BannerScript/"] +##a\[href^="http://www.fpcTraffic2.com/blind/in.cgi?"] ##a\[href^="http://www.freefilesdownloader.com/"] ##a\[href^="http://www.friendlyduck.com/AF_"] ##a\[href^="http://www.google.com/aclk?"] @@ -71040,6 +73960,7 @@ _popunder+$popup ##a\[href^="http://www.idownloadplay.com/"] ##a\[href^="http://www.incredimail.com/?id="] ##a\[href^="http://www.ireel.com/signup?ref"] +##a\[href^="http://www.linkbucks.com/referral/"] ##a\[href^="http://www.liutilities.com/"] ##a\[href^="http://www.menaon.com/installs/"] ##a\[href^="http://www.mobileandinternetadvertising.com/"] @@ -71051,6 +73972,7 @@ _popunder+$popup ##a\[href^="http://www.on2url.com/app/adtrack.asp"] ##a\[href^="http://www.paddypower.com/?AFF_ID="] ##a\[href^="http://www.pheedo.com/"] +##a\[href^="http://www.pinkvisualgames.com/?revid="] ##a\[href^="http://www.plus500.com/?id="] ##a\[href^="http://www.quick-torrent.com/download.html?aff"] ##a\[href^="http://www.revenuehits.com/"] @@ -71061,6 +73983,7 @@ _popunder+$popup ##a\[href^="http://www.sfippa.com/"] ##a\[href^="http://www.socialsex.com/"] ##a\[href^="http://www.streamate.com/exports/"] +##a\[href^="http://www.streamtunerhd.com/signup?"] ##a\[href^="http://www.text-link-ads.com/"] ##a\[href^="http://www.torntv-downloader.com/"] ##a\[href^="http://www.torntvdl.com/"] @@ -71073,10 +73996,12 @@ _popunder+$popup ##a\[href^="http://www1.clickdownloader.com/"] ##a\[href^="http://wxdownloadmanager.com/dl/"] ##a\[href^="http://xads.zedo.com/"] +##a\[href^="http://yads.zedo.com/"] ##a\[href^="http://z1.zedo.com/"] ##a\[href^="http://zevera.com/afi.html"] ##a\[href^="https://ad.doubleclick.net/"] ##a\[href^="https://bs.serving-sys.com"] +##a\[href^="https://dltags.com/"] ##a\[href^="https://secure.eveonline.com/ft/?aid="] ##a\[href^="https://www.FriendlyDuck.com/AF_"] ##a\[href^="https://www.dsct1.com/"] @@ -71089,6 +74014,7 @@ _popunder+$popup ##a\[onmousedown^="this.href='http://staffpicks.outbrain.com/network/redir?"]\[target="_blank"] + .ob_source ##a\[onmousedown^="this.href='https://paid.outbrain.com/network/redir?"]\[target="_blank"] ##a\[onmousedown^="this.href='https://paid.outbrain.com/network/redir?"]\[target="_blank"] + .ob_source +##a\[style="display:block;width:300px;min-height:250px"]\[href^="http://li.cnet.com/click?"] ##div\[id^="MarketGid"] ##div\[id^="YFBMSN"] ##div\[id^="acm-ad-tag-"] @@ -71103,6 +74029,11 @@ _popunder+$popup ##input\[onclick^="window.open('http://www.friendlyduck.com/AF_"] ##p\[id^="div-gpt-ad-"] ##script\[src^="http://free-shoutbox.net/app/webroot/shoutbox/sb.php?shoutbox="] + #freeshoutbox_content +! In advert promo +##.brandpost_inarticle +! Forumotion.com related sites +###main-content > \[style="padding:10px 0 0 0 !important;"] +##td\[valign="top"] > .mainmenu\[style="padding:10px 0 0 0 !important;"] ! Whistleout widget ###rhs_whistleout_widget ###wo-widget-wrap @@ -71112,6 +74043,7 @@ _popunder+$popup ###magnify_widget_playlist_item_companion ! Playbb.me / easyvideo.me / videozoo.me / paypanda.net ###flowplayer > div\[style="position: absolute; width: 300px; height: 275px; left: 222.5px; top: 85px; z-index: 999;"] +###flowplayer > div\[style="z-index: 208; position: absolute; width: 300px; height: 275px; left: 222.5px; top: 85px;"] ##.Mpopup + #Mad > #MadZone ! https://adblockplus.org/forum/viewtopic.php?f=2&t=17016 ##.l-container > #fishtank @@ -71132,6 +74064,7 @@ _popunder+$popup ###resultspanel > #topads ###rhs_block > #mbEnd ###rhs_block > .ts\[cellspacing="0"]\[cellpadding="0"]\[style="padding:0"] +###rhs_block > ol > .rhsvw > .kp-blk > .xpdopen > ._OKe > ol > ._DJe > .luhb-div ###rhswrapper > #rhssection\[border="0"]\[bgcolor="#ffffff"] ###ssmiwdiv\[jsdisplay] ###tads + div + .c @@ -71169,7 +74102,8 @@ _popunder+$popup ##.trc_rbox_border_elm .syndicatedItem ##.trc_rbox_div .syndicatedItem ##.trc_rbox_div .syndicatedItemUB -##.trc_rbox_div a\[href^="http://tb1-793459514.us-east-1.elb.amazonaws.com/redirect.php?app.type=desktop&"] +##.trc_rbox_div a\[target="_blank"]\[href^="http://tab"] +##.trc_related_container div\[data-item-syndicated="true"] ! Tripadvisor ###MAIN.ShowTopic > .ad ! uCoz @@ -71186,6 +74120,19 @@ _popunder+$popup ##.icons-rss-feed + .icons-rss-feed div\[class$="_item"] ##.inlineNewsletterSubscription + .inlineNewsletterSubscription div\[class$="_item"] ##.jobs-information-call-to-action + .jobs-information-call-to-action div\[class$="_item"] +! zergnet +###boxes-box-zergnet_module +###zergnet +###zergnet-widget +###zergnet-wrapper +##.module-zerg +##.widget-ami-zergnet +##.widget_ok_zergnet_widget +##.zergnet +##.zergnet-widget-container +##.zergnetBLock +##.zergnetpower +##div\[id^="zergnet-widget-"] ! *** easylist:easylist/easylist_whitelist_general_hide.txt *** thedailygreen.com#@##AD_banner webmail.verizon.net#@##AdColumn @@ -71194,7 +74141,7 @@ jobs.wa.gov.au,ksl.com#@##AdHeader sprouts.com,tbns.com.au#@##AdImage games.com#@##Adcode designspotter.com#@##AdvertiseFrame -wikipedia.org#@##Advertisements +wikimedia.org,wikipedia.org#@##Advertisements newser.com#@##BottomAdContainer freeshipping.com,freeshippingrewards.com#@##BottomAds orientaldaily.on.cc#@##ContentAd @@ -71379,7 +74326,7 @@ neowin.net#@##topBannerAd morningstar.se,zootoo.com#@##top_ad hbwm.com#@##top_ads 72tips.com,bumpshack.com,isource.com,millionairelottery.com,pdrhealth.com,psx-scene.com,stickydillybuns.com#@##topad -foxsports540.com,soundandvision.com#@##topbannerad +audiostream.com,foxsports540.com,soundandvision.com#@##topbannerad theblaze.com#@##under_story_ad my-magazine.me,nbc.com,theglobeandmail.com#@##videoAd sudoku.com.au#@#.ADBAR @@ -71389,6 +74336,7 @@ backpage.com#@#.AdInfo buy.com,superbikeplanet.com#@#.AdTitle home-search.org.uk#@#.AdvertContainer homeads.co.nz#@#.HomeAds +travelzoo.com#@#.IM_ad_unit ehow.com#@#.RelatedAds everydayhealth.com#@#.SponsoredContent apartments.com#@#.ad-300x250 @@ -71397,6 +74345,7 @@ bash.fm,tbns.com.au#@#.ad-block auctionstealer.com#@#.ad-border members.portalbuzz.com#@#.ad-btn assetbar.com,jazzradio.com,o2.pl#@#.ad-button +asiasold.com,bahtsold.com,propertysold.asia#@#.ad-cat small-universe.com#@#.ad-cell jobmail.co.za,odysseyware.com#@#.ad-display foxnews.com,yahoo.com#@#.ad-enabled @@ -71404,10 +74353,12 @@ bigfishaudio.com,dublinairport.com,yahoo.com#@#.ad-holder freebitco.in,recycler.com#@#.ad-img kijiji.ca#@#.ad-inner daanauctions.com,queer.pl#@#.ad-item +cnet.com#@#.ad-leader-top businessinsider.com#@#.ad-leaderboard daanauctions.com,jerseyinsight.com#@#.ad-left reformgovernmentsurveillance.com#@#.ad-link guloggratis.dk#@#.ad-links +gumtree.com#@#.ad-panel forums.soompi.com#@#.ad-placement jerseyinsight.com#@#.ad-right signatus.eu#@#.ad-section @@ -71422,8 +74373,7 @@ billboard.com#@#.ad-unit-300-wrapper speedtest.net#@#.ad-vertical-container tvlistings.aol.com#@#.ad-wide howtopriest.com,nydailynews.com#@#.ad-wrap -dealsonwheels.com,happypancake.com,lifeinvader.com,makers.com#@#.ad-wrapper -pcper.com#@#.ad160 +citylab.com,dealsonwheels.com,happypancake.com,lifeinvader.com,makers.com#@#.ad-wrapper harpers.org#@#.ad300 parade.com#@#.ad728 interviewmagazine.com#@#.ad90 @@ -71449,11 +74399,12 @@ cheaptickets.com,orbitz.com#@#.adMod outspark.com#@#.adModule hotels.mapov.com#@#.adOverlay advertiser.ie#@#.adPanel +shockwave.com#@#.adPod aggeliestanea.gr#@#.adResult pogo.com#@#.adRight is.co.za,smc.edu,ticketsnow.com#@#.adRotator microsoft.com,northjersey.com#@#.adSpace -takealot.com#@#.adSpot +1520wbzw.com,760kgu.biz,880thebiz.com,ap.org,biz1190.com,business1110ktek.com,kdow.biz,kkol.com,money1055.com,takealot.com#@#.adSpot autotrader.co.za,thebulletinboard.com#@#.adText autotrader.co.za,ksl.com,superbikeplanet.com#@#.adTitle empowher.com#@#.adTopHome @@ -71474,7 +74425,7 @@ bebusiness.eu,environmentjob.co.uk,lowcarbonjobs.com,myhouseabroad.com#@#.ad_des 318racing.org,linuxforums.org,modelhorseblab.com#@#.ad_global_header gizmodo.jp,kotaku.jp,lifehacker.jp#@#.ad_head_rectangle horsemart.co.uk,merkatia.com,mysportsclubs.com,news.yahoo.com#@#.ad_header -olx.pt#@#.ad_img +olx.pt,whatuni.com#@#.ad_img bebusiness.eu,myhouseabroad.com,njuskalo.hr,starbuy.sk.data10.websupport.sk#@#.ad_item timesofmalta.com#@#.ad_leaderboard tvrage.com#@#.ad_line @@ -71483,6 +74434,7 @@ rediff.com#@#.ad_outer tvland.com#@#.ad_promo weather.yahoo.com#@#.ad_slug_table chinapost.com.tw#@#.ad_space +huffingtonpost.co.uk#@#.ad_spot bbs.newhua.com,starbuy.sk.data10.websupport.sk#@#.ad_text fastseeksite.com,njuskalo.hr#@#.ad_title oxforddictionaries.com#@#.ad_trick_header @@ -71511,14 +74463,18 @@ smilelocal.com#@#.admiddle tomwans.com#@#.adright skatteverket.se#@#.adrow1 skatteverket.se#@#.adrow2 +community.pictavo.com#@#.ads-1 +community.pictavo.com#@#.ads-2 +community.pictavo.com#@#.ads-3 pch.com#@#.ads-area queer.pl#@#.ads-col burzahrane.hr#@#.ads-header members.portalbuzz.com#@#.ads-holder t3.com#@#.ads-inline celogeek.com,checkrom.com#@#.ads-item +bannerist.com#@#.ads-right apple.com#@#.ads-section -juicesky.com#@#.ads-title +community.pictavo.com,juicesky.com#@#.ads-title queer.pl#@#.ads-top uploadbaz.com#@#.ads1 jw.org#@#.adsBlock @@ -71533,8 +74489,10 @@ live365.com#@#.adshome chupelupe.com#@#.adside wg-gesucht.de#@#.adslot_blurred 4kidstv.com,banknbt.com,kwik-fit.com,mac-sports.com#@#.adspace +cutepdf-editor.com#@#.adtable absolute.com#@#.adtile smilelocal.com#@#.adtop +promodj.com#@#.adv300 goal.com#@#.adv_300 pistonheads.com#@#.advert-block eatsy.co.uk#@#.advert-box @@ -71559,9 +74517,10 @@ anobii.com#@#.advertisment grist.org#@#.advertorial ransquawk.com,trh.sk#@#.adverts stjornartidindi.is#@#.adverttext -dirtstyle.tv#@#.afs_ads +staircase.pl#@#.adwords consumerist.com#@#.after-post-ad deluxemusic.tv#@#.article_ad +jiji.ng#@#.b-advert annfammed.org#@#.banner-ads plus.net,putlocker.com#@#.banner300 mlb.com#@#.bannerAd @@ -71585,10 +74544,13 @@ gegenstroemung.org#@#.change_AdContainer findicons.com,tattoodonkey.com#@#.container_ad insidefights.com#@#.container_row_ad theology.edu#@#.contentAd +verizonwireless.com#@#.contentAds freevoipdeal.com,voipstunt.com#@#.content_ads glo.msn.com#@#.cp-adsInited gottabemobile.com#@#.custom-ad +theweek.com#@#.desktop-ad dn.se#@#.displayAd +deviantart.com#@#.download_ad boattrader.com#@#.featured-ad racingjunk.com#@#.featuredAdBox webphunu.net#@#.flash-advertisement @@ -71599,7 +74561,8 @@ ebayclassifieds.com,guloggratis.dk#@#.gallery-ad time.com#@#.google-sponsored gumtree.co.za#@#.googleAdSense nicovideo.jp#@#.googleAds -assetbar.com,burningangel.com,donthatethegeek.com,intomobile.com,wccftech.com#@#.header-ad +waer.org#@#.has-ad +assetbar.com,burningangel.com,donthatethegeek.com,intomobile.com,thenationonlineng.net,wccftech.com#@#.header-ad greenbayphoenix.com,photobucket.com#@#.headerAd dailytimes.com.pk,swns.com#@#.header_ad associatedcontent.com#@#.header_ad_center @@ -71613,6 +74576,7 @@ worldsnooker.com#@#.homead gq.com#@#.homepage-ad straighttalk.com#@#.homepage_ads radaronline.com#@#.horizontal_ad +bodas.com.mx,bodas.net,mariages.net,matrimonio.com,weddingspot.co.uk#@#.img_ad a-k.tel,baldai.tel,boracay.tel,covarrubias.tel#@#.imgad lespac.com#@#.inner_ad classifiedads.com#@#.innerad @@ -71625,15 +74589,18 @@ ajcn.org,annfammed.org#@#.leaderboard-ads lolhit.com#@#.leftAd lolhit.com#@#.leftad ebayclassifieds.com#@#.list-ad +asiasold.com,bahtsold.com,comodoroenventa.com,propertysold.asia#@#.list-ads +euspert.com#@#.listad ap.org,atea.com,ateadirect.com,knowyourmobile.com#@#.logo-ad eagleboys.com.au#@#.marketing-ad driverscollection.com#@#.mid_ad donga.com#@#.middle_AD +latimes.com#@#.mod-adopenx thenewamerican.com#@#.module-ad ziehl-abegg.com#@#.newsAd dn.se#@#.oasad antronio.com,frogueros.com#@#.openx -adn.com#@#.page-ad +adn.com,wiktionary.org#@#.page-ad rottentomatoes.com#@#.page_ad bachofen.ch#@#.pfAd iitv.info#@#.player_ad @@ -71648,6 +74615,8 @@ wesh.com#@#.premiumAdOverlay wesh.com#@#.premiumAdOverlayClose timeoutbengaluru.net,timeoutdelhi.net,timeoutmumbai.net#@#.promoAd 4-72.com.co,bancainternet.com.ar,frogueros.com,northwestfm.co.za,tushop.com.ar,vukanifm.org,wrlr.fm,zibonelefm.co.za#@#.publicidad +ebay.co.uk,theweek.com#@#.pushdown-ad +engadget.com#@#.rail-ad interpals.net#@#.rbRectAd collegecandy.com#@#.rectangle_ad salon.com#@#.refreshAds @@ -71676,11 +74645,12 @@ comicbookmovie.com#@#.skyscraperAd reuters.com#@#.slide-ad caarewards.ca#@#.smallAd boylesports.com#@#.small_ad -store.gameshark.com#@#.smallads +hebdenbridge.co.uk,store.gameshark.com#@#.smallads theforecaster.net#@#.sponsor-box +xhamster.com#@#.sponsorBottom getprice.com.au#@#.sponsoredLinks golfmanagerlive.com#@#.sponsorlink -hellobeautiful.com#@#.sticky-ad +giantlife.com,hellobeautiful.com,newsone.com,theurbandaily.com#@#.sticky-ad kanui.com.br,nytimes.com#@#.text-ad kingsofchaos.com#@#.textad antronio.com,cdf.cl,frogueros.com#@#.textads @@ -71694,6 +74664,7 @@ imagepicsa.com,sun.mv,trailvoy.com#@#.top_ads earlyamerica.com,infojobs.net#@#.topads nfl.com#@#.tower-ad yahoo.com#@#.type_ads_default +vinden.se#@#.view_ad nytimes.com#@#.wideAd britannica.com,cam4.com#@#.withAds theuspatriot.com#@#.wpInsertInPostAd @@ -71702,11 +74673,17 @@ bitrebels.com#@#a\[href*="/adrotate-out.php?"] santander.co.uk#@#a\[href^="http://ad-emea.doubleclick.net/"] jabong.com,people.com,techrepublic.com,time.com#@#a\[href^="http://ad.doubleclick.net/"] watchever.de#@#a\[href^="http://adfarm.mediaplex.com/"] +betbeaver.com,betwonga.com#@#a\[href^="http://ads.betfair.com/redirect.aspx?"] +betwonga.com#@#a\[href^="http://ads2.williamhill.com/redirect.aspx?"] +betwonga.com#@#a\[href^="http://adserving.unibet.com/"] adultfriendfinder.com#@#a\[href^="http://adultfriendfinder.com/p/register.cgi?pid="] +betwonga.com#@#a\[href^="http://affiliate.coral.co.uk/processing/"] marketgid.com,mgid.com#@#a\[href^="http://marketgid.com"] marketgid.com,mgid.com#@#a\[href^="http://mgid.com/"] +betwonga.com#@#a\[href^="http://online.ladbrokes.com/promoRedirect?"] linkedin.com,tasteofhome.com#@#a\[href^="http://pubads.g.doubleclick.net/"] marketgid.com,mgid.com#@#a\[href^="http://us.marketgid.com"] +betbeaver.com,betwonga.com#@#a\[href^="http://www.bet365.com/home/?affiliate"] fbooksluts.com#@#a\[href^="http://www.fbooksluts.com/"] fleshjack.com,fleshlight.com#@#a\[href^="http://www.fleshlight.com/"] www.google.com#@#a\[href^="http://www.google.com/aclk?"] @@ -71715,7 +74692,9 @@ socialsex.com#@#a\[href^="http://www.socialsex.com/"] fuckbookhookups.com#@#a\[href^="http://www.yourfuckbook.com/?"] marketgid.com,mgid.com#@#a\[id^="mg_add"] marketgid.com,mgid.com#@#div\[id^="MarketGid"] -beqala.com,drupalcommerce.org,ensonhaber.com,eurweb.com,faceyourmanga.com,isc2.org,mit.edu,peekyou.com,podomatic.com,virginaustralia.com,wlj.net,zavvi.com#@#div\[id^="div-gpt-ad-"] +beqala.com,drupalcommerce.org,ensonhaber.com,eurweb.com,faceyourmanga.com,isc2.org,liverc.com,mit.edu,peekyou.com,podomatic.com,virginaustralia.com,wlj.net,zavvi.com#@#div\[id^="div-gpt-ad-"] +bodas.com.mx,bodas.net,mariages.net,matrimonio.com,weddingspot.co.uk#@#iframe\[id^="google_ads_frame"] +bodas.com.mx,bodas.net,mariages.net,matrimonio.com,weddingspot.co.uk#@#iframe\[id^="google_ads_iframe"] weather.yahoo.com#@#iframe\[src^="http://ad.yieldmanager.com/"] ! Anti-Adblock incredibox.com,litecoiner.net#@##ad-bottom @@ -71726,34 +74705,45 @@ zeez.tv#@##ad_overlay cnet.com#@##adboard olweb.tv#@##ads1 gooprize.com,jsnetwork.fr#@##ads_bottom +unixmen.com#@##adsense spoilertv.com#@##adsensewide 8muses.com#@##adtop anisearch.com,lilfile.com#@##advertise +yafud.pl#@##bottomAd dizi-mag.com#@##header_ad thesimsresource.com#@##leaderboardad linkshrink.net#@##overlay_ad exashare.com#@##player_ads +iphone-tv.eu#@##sidebar_ad freebitcoins.nx.tc,getbitcoins.nx.tc#@##sponsorText -maxedtech.com#@#.ad-div dailybitcoins.org#@#.ad-img uptobox.com#@#.ad-leader uptobox.com#@#.ad-square -mangabird.com#@#.ad468 afreesms.com#@#.adbanner apkmirror.com#@#.adsWidget afreesms.com#@#.adsbox -afreesms.com,anonymousemail.me,anonymousemail.us,bitcoin-faucet.eu,btcinfame.com,classic-retro-games.com,coingamez.com,doulci.net,eveskunk.com,filecore.co.nz,freebitco.in,get-bitcoin-free.eu,gnomio.com,incredibox.com,niresh.co,nzb.su,r1db.com,unlocktheinbox.com,zeperfs.com#@#.adsbygoogle +afreesms.com,anonymousemail.me,anonymousemail.us,bitcoin-faucet.eu,btcinfame.com,classic-retro-games.com,coingamez.com,doulci.net,eveskunk.com,filecore.co.nz,freebitco.in,get-bitcoin-free.eu,gnomio.com,incredibox.com,mangacap.com,mangakaka.com,niresh.co,nzb.su,r1db.com,spoilertv.com,unlocktheinbox.com,zeperfs.com#@#.adsbygoogle afreesms.com#@#.adspace -maxedtech.com#@#.adtag browsershots.org#@#.advert_area -guitarforum.co.za#@#.adverts -directwonen.nl,dramacafe.in,eveskunk.com,exashare.com,farsondigitalwatercams.com,file4go.com,freeccnaworkbook.com,mangasky.co,minecraftskins.com,moneyinpjs.com,online.dramacafe.tv,ps3news.com#@#.afs_ads +velasridaura.com#@#.advertising_block +guitarforum.co.za,tf2r.com#@#.adverts +cheatpain.com,directwonen.nl,dramacafe.in,eveskunk.com,exashare.com,farsondigitalwatercams.com,file4go.com,freeccnaworkbook.com,gaybeeg.info,hack-sat.com,keygames.com,latesthackingnews.com,localeyes.dk,manga2u.co,mangasky.co,minecraftskins.com,moneyinpjs.com,online.dramacafe.tv,ps3news.com,psarips.com,thenewboston.com,tubitv.com#@#.afs_ads coindigger.biz#@#.banner160x600 +anisearch.com#@#.chitikaAdBlock theladbible.com#@#.content_tagsAdTech topzone.lt#@#.forumAd linkshrink.net#@#.overlay_ad -incredibox.com#@#.text_ads -coingamez.com,mangaumaru.com,milfzr.com#@#div\[id^="div-gpt-ad-"] +localeyes.dk#@#.pub_300x250 +localeyes.dk#@#.pub_300x250m +localeyes.dk#@#.pub_728x90 +localeyes.dk#@#.text-ad +localeyes.dk#@#.text-ad-links +localeyes.dk#@#.text-ads +localeyes.dk#@#.textAd +localeyes.dk#@#.text_ad +incredibox.com,localeyes.dk,turkanime.tv,videopremium.tv#@#.text_ads +menstennisforums.com#@#.top_ads +coingamez.com,mangaumaru.com,milfzr.com,pencurimovie.cc#@#div\[id^="div-gpt-ad-"] afreesms.com#@#iframe\[id^="google_ads_frame"] !---------------------------Third-party advertisers---------------------------! ! *** easylist:easylist/easylist_adservers.txt *** @@ -71791,7 +74781,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||2d4c3872.info^$third-party ||2dpt.com^$third-party ||2mdn.net/dot.gif$object-subrequest,third-party -||2mdn.net^$object-subrequest,third-party,domain=101cargames.com|1025thebull.com|1031iheartaustin.com|1037theq.com|1041beat.com|1053kissfm.com|1057ezrock.com|1067litefm.com|10news.com|1310news.com|247comedy.com|3news.co.nz|49ers.com|610cktb.com|680news.com|700wlw.com|850koa.com|923jackfm.com|92q.com|940winz.com|94hjy.com|970espn.com|99kisscountry.com|abc15.com|abc2news.com|abcactionnews.com|am1300thezone.com|am570radio.com|am760.net|ap.org|atlantafalcons.com|automobilemag.com|automotive.com|azcardinals.com|baltimoreravens.com|baynews9.com|bbc.co.uk|bbc.com|belfasttelegraph.co.uk|bengals.com|bet.com|big1059.com|bigdog1009.ca|bloomberg.com|bnn.ca|boom92houston.com|boom945.com|boom973.com|boom997.com|boomphilly.com|box10.com|brisbanetimes.com.au|buccaneers.com|buffalobills.com|bullz-eye.com|businessweek.com|calgaryherald.com|caller.com|canada.com|capitalfm.ca|cbsnews.com|cbssports.com|channel955.com|chargers.com|chez106.com|chfi.com|chicagobears.com|chicagotribune.com|cj104.com|cjad.com|cjbk.com|clevelandbrowns.com|cnettv.cnet.com|coast933.com|colts.com|commercialappeal.com|country1011.com|country1043.com|country1067.com|country600.com|courierpress.com|cp24.com|cricketcountry.com|csmonitor.com|ctvnews.ca|dallascowboys.com|denverbroncos.com|detroitlions.com|drive.com.au|earthcam.com|edmontonjournal.com|egirlgames.net|elvisduran.com|enjoydressup.com|entrepreneur.com|eonline.com|escapegames.com|euronews.com|evolution935.com|fansportslive.com|fm98wjlb.com|foodnetwork.ca|four.co.nz|foxradio.ca|foxsportsradio.com|fresh100.com|gamingbolt.com|ghananation.com|giantbomb.com|giants.com|globalpost.com|globaltoronto.com|globaltv.com|globaltvbc.com|globaltvcalgary.com|go.com|gorillanation.com|gosanangelo.com|hallelujah1051.com|hellobeautiful.com|heraldsun.com.au|hgtv.ca|hiphopnc.com|hot1041stl.com|hothiphopdetroit.com|hotspotatl.com|houstontexans.com|ibtimes.co.uk|iheart.com|independent.ie|independentmail.com|indyhiphop.com|ipowerrichmond.com|jackfm.ca|jaguars.com|kase101.com|kcchiefs.com|kcci.com|kcra.com|kdvr.com|kfiam640.com|kgbx.com|khow.com|kiisfm.com|kiss925.com|kissnorthbay.com|kisssoo.com|kisstimmins.com|kitsapsun.com|kitv.com|kjrh.com|kmov.com|knoxnews.com|kogo.com|komonews.com|kshb.com|kwgn.com|kwnr.com|kxan.com|kysdc.com|latinchat.com|leaderpost.com|livestream.com|local8now.com|magic96.com|majorleaguegaming.com|metacafe.com|miamidolphins.com|mix923fm.com|mojointhemorning.com|moneycontrol.com|montrealgazette.com|motorcyclistonline.com|mtv.ca|myboom1029.com|mycolumbusmagic.com|mycolumbuspower.com|myezrock.com|mymagic97.com|naplesnews.com|nationalpost.com|nba.com|nba.tv|ndtv.com|neworleanssaints.com|news1130.com|newsinc.com|newsmax.com|newsmaxhealth.com|newsnet5.com|newsone.com|newstalk1010.com|newstalk1130.com|newyorkjets.com|nydailynews.com|nymag.com|oktvusa.com|oldschoolcincy.com|ottawacitizen.com|packers.com|panthers.com|patriots.com|pcworld.com|philadelphiaeagles.com|player.screenwavemedia.com|prowrestling.com|q92timmins.com|raaga.com|radio.com|radionowindy.com|raiders.com|rapbasement.com|redding.com|redskins.com|reporternews.com|reuters.com|rollingstone.com|rootsports.com|rottentomatoes.com|seahawks.com|sherdog.com|skynews.com.au|slice.ca|smh.com.au|sploder.com|sportsnet590.ca|sportsnet960.ca|steelers.com|stlouisrams.com|streetfire.net|stuff.co.nz|tcpalm.com|telegraph.co.uk|theage.com.au|theaustralian.com.au|thebeatdfw.com|theboxhouston.com|thedenverchannel.com|thedrocks.com|theindychannel.com|theprovince.com|thestarphoenix.com|theteam1260.com|tide.com|timescolonist.com|timeslive.co.za|timesrecordnews.com|titansonline.com|totaljerkface.com|tripadvisor.ca|tripadvisor.co.id|tripadvisor.co.uk|tripadvisor.com|tripadvisor.com.au|tripadvisor.com.my|tripadvisor.com.sg|tripadvisor.ie|tripadvisor.in|turnto23.com|tvone.tv|tvoneonline.com|twitch.tv|usmagazine.com|vancouversun.com|vcstar.com|veetle.com|vice.com|videojug.com|vikings.com|virginradio.ca|wapt.com|washingtonpost.com|washingtontimes.com|wcpo.com|wdfn.com|weather.com|wescfm.com|wgci.com|wibw.com|wikihow.com|windsorstar.com|wiod.com|wiznation.com|wjdx.com|wkyt.com|wmyi.com|wor710.com|wptv.com|wsj.com|wxyz.com|wyff4.com|yahoo.com|youtube.com|z100.com|zhiphopcleveland.com +||2mdn.net^$object-subrequest,third-party,domain=101cargames.com|1025thebull.com|1031iheartaustin.com|1037theq.com|1041beat.com|1053kissfm.com|1057ezrock.com|1067litefm.com|10news.com|1310news.com|247comedy.com|3news.co.nz|49ers.com|610cktb.com|680news.com|700wlw.com|850koa.com|923jackfm.com|92q.com|940winz.com|94hjy.com|970espn.com|99kisscountry.com|abc15.com|abc2news.com|abcactionnews.com|am1300thezone.com|am570radio.com|am760.net|ap.org|atlantafalcons.com|automobilemag.com|automotive.com|azcardinals.com|baltimoreravens.com|baynews9.com|bbc.co.uk|bbc.com|belfasttelegraph.co.uk|bengals.com|bet.com|big1059.com|bigdog1009.ca|bloomberg.com|bnn.ca|boom92houston.com|boom945.com|boom973.com|boom997.com|boomphilly.com|box10.com|brisbanetimes.com.au|buccaneers.com|buffalobills.com|bullz-eye.com|businessweek.com|calgaryherald.com|caller.com|canada.com|capitalfm.ca|cbsnews.com|cbssports.com|channel955.com|chargers.com|chez106.com|chfi.com|chicagobears.com|chicagotribune.com|cj104.com|cjad.com|cjbk.com|clevelandbrowns.com|cnettv.cnet.com|coast933.com|colts.com|commercialappeal.com|country1011.com|country1043.com|country1067.com|country600.com|courierpress.com|cp24.com|cricketcountry.com|csmonitor.com|ctvnews.ca|dallascowboys.com|denverbroncos.com|detroitlions.com|drive.com.au|earthcam.com|edmontonjournal.com|egirlgames.net|elvisduran.com|enjoydressup.com|entrepreneur.com|eonline.com|escapegames.com|euronews.com|evolution935.com|fansportslive.com|fm98wjlb.com|foodnetwork.ca|four.co.nz|foxradio.ca|foxsportsradio.com|fresh100.com|gamingbolt.com|ghananation.com|giantbomb.com|giants.com|globalpost.com|globaltoronto.com|globaltv.com|globaltvbc.com|globaltvcalgary.com|go.com|gorillanation.com|gosanangelo.com|hallelujah1051.com|hellobeautiful.com|heraldsun.com.au|hgtv.ca|hiphopnc.com|hot1041stl.com|hotair.com|hothiphopdetroit.com|hotspotatl.com|houstontexans.com|ibtimes.co.uk|iheart.com|independent.ie|independentmail.com|indyhiphop.com|ipowerrichmond.com|jackfm.ca|jaguars.com|kase101.com|kcchiefs.com|kcci.com|kcra.com|kdvr.com|kfiam640.com|kgbx.com|khow.com|kiisfm.com|kiss925.com|kissnorthbay.com|kisssoo.com|kisstimmins.com|kitsapsun.com|kitv.com|kjrh.com|kmov.com|knoxnews.com|kogo.com|komonews.com|kshb.com|kwgn.com|kwnr.com|kxan.com|kysdc.com|latinchat.com|leaderpost.com|livestream.com|local8now.com|magic96.com|majorleaguegaming.com|metacafe.com|miamidolphins.com|mix923fm.com|mojointhemorning.com|moneycontrol.com|montrealgazette.com|motorcyclistonline.com|mtv.ca|myboom1029.com|mycolumbusmagic.com|mycolumbuspower.com|myezrock.com|mymagic97.com|naplesnews.com|nationalpost.com|nba.com|nba.tv|ndtv.com|neworleanssaints.com|news1130.com|newsinc.com|newsmax.com|newsmaxhealth.com|newsnet5.com|newsone.com|newstalk1010.com|newstalk1130.com|newyorkjets.com|nydailynews.com|nymag.com|oktvusa.com|oldschoolcincy.com|ottawacitizen.com|packers.com|panthers.com|patriots.com|pcworld.com|philadelphiaeagles.com|player.screenwavemedia.com|prowrestling.com|q92timmins.com|raaga.com|radio.com|radionowindy.com|raiders.com|rapbasement.com|redding.com|redskins.com|reporternews.com|reuters.com|rollingstone.com|rootsports.com|rottentomatoes.com|seahawks.com|sherdog.com|skynews.com.au|slice.ca|smh.com.au|sploder.com|sportsnet590.ca|sportsnet960.ca|steelers.com|stlouisrams.com|streetfire.net|stuff.co.nz|tcpalm.com|telegraph.co.uk|theage.com.au|theaustralian.com.au|thebeatdfw.com|theboxhouston.com|thedenverchannel.com|thedrocks.com|theindychannel.com|theprovince.com|thestarphoenix.com|theteam1260.com|tide.com|timescolonist.com|timeslive.co.za|timesrecordnews.com|titansonline.com|totaljerkface.com|townhall.com|tripadvisor.ca|tripadvisor.co.id|tripadvisor.co.uk|tripadvisor.com|tripadvisor.com.au|tripadvisor.com.my|tripadvisor.com.sg|tripadvisor.ie|tripadvisor.in|turnto23.com|tvone.tv|tvoneonline.com|twitch.tv|twitchy.com|usmagazine.com|vancouversun.com|vcstar.com|veetle.com|vice.com|videojug.com|vikings.com|virginradio.ca|vzaar.com|wapt.com|washingtonpost.com|washingtontimes.com|wcpo.com|wdfn.com|weather.com|wescfm.com|wgci.com|wibw.com|wikihow.com|windsorstar.com|wiod.com|wiznation.com|wjdx.com|wkyt.com|wmyi.com|wor710.com|wptv.com|wsj.com|wxyz.com|wyff4.com|yahoo.com|youtube.com|z100.com|zhiphopcleveland.com ||2mdn.net^$~object-subrequest,third-party ||2xbpub.com^$third-party ||32b4oilo.com^$third-party @@ -71872,12 +74862,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ad-flow.com^$third-party ||ad-gbn.com^$third-party ||ad-indicator.com^$third-party +||ad-m.asia^$third-party ||ad-maven.com^$third-party ||ad-media.org^$third-party ||ad-server.co.za^$third-party ||ad-serverparc.nl^$third-party ||ad-sponsor.com^$third-party ||ad-srv.net^$third-party +||ad-stir.com^$third-party ||ad-vice.biz^$third-party ||ad.atdmt.com/i/a.html$third-party ||ad.atdmt.com/i/a.js$third-party @@ -71890,8 +74882,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ad123m.com^$third-party ||ad125m.com^$third-party ||ad127m.com^$third-party +||ad128m.com^$third-party ||ad129m.com^$third-party ||ad131m.com^$third-party +||ad132m.com^$third-party +||ad134m.com^$third-party ||ad20.net^$third-party ||ad2387.com^$third-party ||ad2adnetwork.biz^$third-party @@ -71911,6 +74906,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adblade.com^$third-party ||adboost.com^$third-party ||adbooth.net^$third-party +||adbrau.com^$third-party ||adbrite.com^$third-party ||adbroo.com^$third-party ||adbull.com^$third-party @@ -71962,6 +74958,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adforgeinc.com^$third-party ||adform.net^$third-party ||adframesrc.com^$third-party +||adfrika.com^$third-party ||adfrog.info^$third-party ||adfrontiers.com^$third-party ||adfunkyserver.com^$third-party @@ -71970,6 +74967,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adgardener.com^$third-party ||adgatemedia.com^$third-party ||adgear.com^$third-party +||adgebra.co.in^$third-party ||adgent007.com^$third-party ||adgila.com^$third-party ||adgine.net^$third-party @@ -71992,6 +74990,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adimperia.com^$third-party ||adimpression.net^$third-party ||adinch.com^$third-party +||adincon.com^$third-party ||adindigo.com^$third-party ||adinfinity.com.au^$third-party ||adinterax.com^$third-party @@ -72083,6 +75082,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adpinion.com^$third-party ||adpionier.de^$third-party ||adplans.info^$third-party +||adplxmd.com^$third-party ||adppv.com^$third-party ||adpremo.com^$third-party ||adprofit2share.com^$third-party @@ -72187,6 +75187,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adtaily.com^$third-party ||adtaily.eu^$third-party ||adtaily.pl^$third-party +||adtdp.com^$third-party ||adtecc.com^$third-party ||adtech.de^$third-party ||adtechus.com^$third-party @@ -72253,6 +75254,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||advertserve.com^$third-party ||advertstatic.com^$third-party ||advertstream.com^$third-party +||advertur.ru^$third-party ||advertxi.com^$third-party ||advg.jp^$third-party ||advgoogle.com^$third-party @@ -72262,6 +75264,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||advombat.ru^$third-party ||advpoints.com^$third-party ||advrtice.com^$third-party +||advsnx.net^$third-party ||adwires.com^$third-party ||adwordsservicapi.com^$third-party ||adworkmedia.com^$third-party @@ -72273,6 +75276,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adxpower.com^$third-party ||adyoulike.com^$third-party ||adyoz.com^$third-party +||adz.co.zw^$third-party ||adzerk.net^$third-party ||adzhub.com^$third-party ||adzonk.com^$third-party @@ -72287,6 +75291,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||affbot8.com^$third-party ||affbuzzads.com^$third-party ||affec.tv^$third-party +||affiliate-b.com^$third-party ||affiliate-gate.com^$third-party ||affiliate-robot.com^$third-party ||affiliate.com^$third-party @@ -72314,6 +75319,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||affiz.net^$third-party ||affplanet.com^$third-party ||afftrack.com^$third-party +||aflrm.com^$third-party ||africawin.com^$third-party ||afterdownload.com^$third-party ||afterdownloads.com^$third-party @@ -72325,6 +75331,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||agmtrk.com^$third-party ||agvzvwof.com^$third-party ||aim4media.com^$third-party +||aimatch.com^$third-party ||ajansreklam.net^$third-party ||alchemysocial.com^$third-party ||alfynetwork.com^$third-party @@ -72338,6 +75345,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||alphabirdnetwork.com^$third-party ||alphagodaddy.com^$third-party ||alternads.info^$third-party +||alternativeadverts.com^$third-party ||altitude-arena.com^$third-party ||am-display.com^$third-party ||am10.ru^$third-party @@ -72367,8 +75375,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||appendad.com^$third-party ||applebarq.com^$third-party ||apptap.com^$third-party +||april29-disp-download.com^$third-party ||apsmediaagency.com^$third-party ||apxlv.com^$third-party +||arab4eg.com^$third-party ||arabweb.biz^$third-party ||arcadebannerexchange.net^$third-party ||arcadebannerexchange.org^$third-party @@ -72423,11 +75433,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||awsmer.com^$third-party ||awsurveys.com^$third-party ||axill.com^$third-party +||ayboll.com^$third-party ||azads.com^$third-party ||azjmp.com^$third-party ||azoogleads.com^$third-party ||azorbe.com^$third-party ||b117f8da23446a91387efea0e428392a.pl^$third-party +||b6508157d.website^$third-party ||babbnrs.com^$third-party ||backbeatmedia.com^$third-party ||backlinks.com^$third-party @@ -72504,6 +75516,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||bitcoinadvertisers.com^$third-party ||bitfalcon.tv^$third-party ||bittads.com^$third-party +||bitx.tv^$third-party ||bizographics.com^$third-party ||bizrotator.com^$third-party ||bizzclick.com^$third-party @@ -72516,6 +75529,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||blogclans.com^$third-party ||bloggerex.com^$third-party ||blogherads.com^$third-party +||blogohertz.com^$third-party ||blueadvertise.com^$third-party ||bluestreak.com^$third-party ||blumi.to^$third-party @@ -72561,6 +75575,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||bunchofads.com^$third-party ||bunny-net.com^$third-party ||burbanked.info^$third-party +||burjam.com^$third-party ||burnsoftware.info^$third-party ||burstnet.com^$third-party ||businesscare.com^$third-party @@ -72575,6 +75590,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||buzzparadise.com^$third-party ||bwinpartypartners.com^$third-party ||byspot.com^$third-party +||byzoo.org^$third-party ||c-on-text.com^$third-party ||c-planet.net^$third-party ||c8.net.ua^$third-party @@ -72619,12 +75635,15 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||cerotop.com^$third-party ||cgecwm.org^$third-party ||chango.com^$third-party +||chanished.net^$third-party ||charltonmedia.com^$third-party ||checkm8.com^$third-party ||checkmystats.com.au^$third-party ||checkoutfree.com^$third-party ||cherytso.com^$third-party ||chicbuy.info^$third-party +||china-netwave.com^$third-party +||chinagrad.ru^$third-party ||chipleader.com^$third-party ||chitika.com^$third-party ||chitika.net^$third-party @@ -72693,6 +75712,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||coinadvert.net^$third-party ||collection-day.com^$third-party ||collective-media.net^$third-party +||colliersads.com^$third-party ||comclick.com^$third-party ||commission-junction.com^$third-party ||commission.bz^$third-party @@ -72786,6 +75806,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||d2ship.com^$third-party ||da-ads.com^$third-party ||dadegid.ru^$third-party +||danitabedtick.net^$third-party ||dapper.net^$third-party ||darwarvid.com^$third-party ||dashboardad.net^$third-party @@ -72813,6 +75834,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||destinationurl.com^$third-party ||detroposal.com^$third-party ||developermedia.com^$third-party +||deximedia.com^$third-party ||dexplatform.com^$third-party ||dgmatix.com^$third-party ||dgmaustralia.com^$third-party @@ -72825,6 +75847,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||dinclinx.com^$third-party ||dipads.net^$~image,third-party ||directaclick.com^$third-party +||directile.info^$third-party +||directile.net^$third-party ||directleads.com^$third-party ||directoral.info^$third-party ||directorym.com^$third-party @@ -72834,6 +75858,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||districtm.ca^$third-party ||dl-rms.com^$third-party ||dmu20vut.com^$third-party +||dntrck.com^$third-party ||dollarade.com^$third-party ||dollarsponsor.com^$third-party ||domainadvertising.com^$third-party @@ -72930,7 +75955,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||doubleclick.net/pfadx/video.marketwatch.com/$third-party ||doubleclick.net/pfadx/video.wsj.com/$third-party ||doubleclick.net/pfadx/www.tv3.co.nz$third-party -||doubleclick.net^$third-party,domain=3news.co.nz|92q.com|abc-7.com|addictinggames.com|allbusiness.com|allthingsd.com|bizjournals.com|bloomberg.com|bnn.ca|boom92houston.com|boom945.com|boomphilly.com|break.com|cbc.ca|cbs19.tv|cbs3springfield.com|cbsatlanta.com|cbslocal.com|complex.com|dailymail.co.uk|darkhorizons.com|doubleviking.com|euronews.com|extratv.com|fandango.com|fox19.com|fox5vegas.com|gorillanation.com|grooveshark.com|hawaiinewsnow.com|hellobeautiful.com|hiphopnc.com|hot1041stl.com|hothiphopdetroit.com|hotspotatl.com|hulu.com|imdb.com|indiatimes.com|indyhiphop.com|ipowerrichmond.com|joblo.com|kcra.com|kctv5.com|ketv.com|koat.com|koco.com|kolotv.com|kpho.com|kptv.com|ksat.com|ksbw.com|ksfy.com|ksl.com|kypost.com|kysdc.com|live5news.com|livestation.com|livestream.com|metro.us|metronews.ca|miamiherald.com|my9nj.com|myboom1029.com|mycolumbusmagic.com|mycolumbuspower.com|myfoxdetroit.com|myfoxorlando.com|myfoxphilly.com|myfoxphoenix.com|myfoxtampabay.com|nbcrightnow.com|neatorama.com|necn.com|neopets.com|news.com.au|news4jax.com|newsone.com|nintendoeverything.com|oldschoolcincy.com|own3d.tv|pagesuite-professional.co.uk|pandora.com|player.theplatform.com|ps3news.com|radio.com|radionowindy.com|rottentomatoes.com|sbsun.com|shacknews.com|sk-gaming.com|ted.com|thebeatdfw.com|theboxhouston.com|theglobeandmail.com|timesnow.tv|tv2.no|twitch.tv|universalsports.com|ustream.tv|wapt.com|washingtonpost.com|wate.com|wbaltv.com|wcvb.com|wdrb.com|wdsu.com|wflx.com|wfmz.com|wfsb.com|wgal.com|whdh.com|wired.com|wisn.com|wiznation.com|wlky.com|wlns.com|wlwt.com|wmur.com|wnem.com|wowt.com|wral.com|wsj.com|wsmv.com|wsvn.com|wtae.com|wthr.com|wxii12.com|wyff4.com|yahoo.com|youtube.com|zhiphopcleveland.com +||doubleclick.net^$third-party,domain=3news.co.nz|92q.com|abc-7.com|addictinggames.com|allbusiness.com|allthingsd.com|bizjournals.com|bloomberg.com|bnn.ca|boom92houston.com|boom945.com|boomphilly.com|break.com|cbc.ca|cbs19.tv|cbs3springfield.com|cbsatlanta.com|cbslocal.com|complex.com|dailymail.co.uk|darkhorizons.com|doubleviking.com|euronews.com|extratv.com|fandango.com|fox19.com|fox5vegas.com|gorillanation.com|hawaiinewsnow.com|hellobeautiful.com|hiphopnc.com|hot1041stl.com|hothiphopdetroit.com|hotspotatl.com|hulu.com|imdb.com|indiatimes.com|indyhiphop.com|ipowerrichmond.com|joblo.com|kcra.com|kctv5.com|ketv.com|koat.com|koco.com|kolotv.com|kpho.com|kptv.com|ksat.com|ksbw.com|ksfy.com|ksl.com|kypost.com|kysdc.com|live5news.com|livestation.com|livestream.com|metro.us|metronews.ca|miamiherald.com|my9nj.com|myboom1029.com|mycolumbusmagic.com|mycolumbuspower.com|myfoxdetroit.com|myfoxorlando.com|myfoxphilly.com|myfoxphoenix.com|myfoxtampabay.com|nbcrightnow.com|neatorama.com|necn.com|neopets.com|news.com.au|news4jax.com|newsone.com|nintendoeverything.com|oldschoolcincy.com|own3d.tv|pagesuite-professional.co.uk|pandora.com|player.theplatform.com|ps3news.com|radio.com|radionowindy.com|rottentomatoes.com|sbsun.com|shacknews.com|sk-gaming.com|ted.com|thebeatdfw.com|theboxhouston.com|theglobeandmail.com|timesnow.tv|tv2.no|twitch.tv|universalsports.com|ustream.tv|wapt.com|washingtonpost.com|wate.com|wbaltv.com|wcvb.com|wdrb.com|wdsu.com|wflx.com|wfmz.com|wfsb.com|wgal.com|whdh.com|wired.com|wisn.com|wiznation.com|wlky.com|wlns.com|wlwt.com|wmur.com|wnem.com|wowt.com|wral.com|wsj.com|wsmv.com|wsvn.com|wtae.com|wthr.com|wxii12.com|wyff4.com|yahoo.com|youtube.com|zhiphopcleveland.com ||doubleclick.net^*/ad/$~object-subrequest,third-party ||doubleclick.net^*/adi/$~object-subrequest,third-party ||doubleclick.net^*/adj/$~object-subrequest,third-party @@ -72953,6 +75978,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||dp25.kr^$third-party ||dpbolvw.net^$third-party ||dpmsrv.com^$third-party +||dpsrexor.com^$third-party ||dpstack.com^$third-party ||dreamaquarium.com^$third-party ||dreamsearch.or.kr^$third-party @@ -72968,9 +75994,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||dualmarket.info^$third-party ||dudelsa.com^$third-party ||duetads.com^$third-party +||dumedia.ru^$third-party ||durnowar.com^$third-party ||durtz.com^$third-party ||dvaminusodin.net^$third-party +||dyino.com^$third-party ||dynamicoxygen.com^$third-party ||dynamitedata.com^$third-party ||e-find.co^$third-party @@ -73045,6 +76073,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||evolvenation.com^$third-party ||exactdrive.com^$third-party ||excellenceads.com^$third-party +||exchange4media.com^$third-party ||exitexplosion.com^$third-party ||exitjunction.com^$third-party ||exoclick.com^$third-party @@ -73063,6 +76092,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||falkag.net^$third-party ||fast2earn.com^$third-party ||fastapi.net^$third-party +||fastates.net^$third-party ||fastclick.net^$third-party ||fasttracktech.biz^$third-party ||fb-plus.com^$third-party @@ -73071,6 +76101,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||featuredusers.com^$third-party ||featurelink.com^$third-party ||feed-ads.com^$third-party +||feljack.com^$third-party ||fenixm.com^$third-party ||fidel.to^$third-party ||filetarget.com^$third-party @@ -73086,6 +76117,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||firmharborlinked.com^$third-party ||first-rate.com^$third-party ||firstadsolution.com^$third-party +||firstimpression.io^$third-party ||firstlightera.com^$third-party ||fixionmedia.com^$third-party ||fl-ads.com^$third-party @@ -73123,6 +76155,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||freepaidsurveyz.com^$third-party ||freerotator.com^$third-party ||freeskreen.com^$third-party +||freesoftwarelive.com^$third-party ||friendlyduck.com^$third-party ||fruitkings.com^$third-party ||ftjcfx.com^$third-party @@ -73160,11 +76193,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gatikus.com^$third-party ||gayadnetwork.com^$third-party ||geek2us.net^$third-party +||gefhasio.com^$third-party ||geld-internet-verdienen.net^$third-party ||gemineering.com^$third-party ||genericlink.com^$third-party ||genericsteps.com^$third-party ||genesismedia.com^$third-party +||genovesetacet.com^$third-party ||geo-idm.fr^$third-party ||geoipads.com^$third-party ||geopromos.com^$third-party @@ -73177,6 +76212,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gettipsz.info^$third-party ||ggncpm.com^$third-party ||giantaffiliates.com^$third-party +||gigamega.su^$third-party ||gimiclub.com^$third-party ||gklmedia.com^$third-party ||glical.com^$third-party @@ -73197,6 +76233,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||goodadvert.ru^$third-party ||goodadvertising.info^$third-party ||googleadservicepixel.com^$third-party +||googlesyndicatiion.com^$third-party ||googletagservices.com/tag/js/gpt_$third-party ||googletagservices.com/tag/static/$third-party ||gopjn.com^$third-party @@ -73213,6 +76250,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gratisnetwork.com^$third-party ||greenads.org^$third-party ||greenlabelppc.com^$third-party +||grenstia.com^$third-party ||gretzalz.com^$third-party ||gripdownload.co^$third-party ||grllopa.com^$third-party @@ -73227,6 +76265,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gururevenue.com^$third-party ||gwallet.com^$third-party ||gx101.com^$third-party +||h-images.net^$third-party ||h12-media.com^$third-party ||halfpriceozarks.com^$third-party ||halogennetwork.com^$third-party @@ -73235,6 +76274,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||havamedia.net^$third-party ||havetohave.com^$third-party ||hb-247.com^$third-party +||hd-plugin.com^$third-party ||hdplayer-download.com^$third-party ||hdvid-codecs-dl.net^$third-party ||hdvidcodecs.com^$third-party @@ -73244,6 +76284,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||hebiichigo.com^$third-party ||helloreverb.com^$third-party ||hexagram.com^$third-party +||hiadone.com^$third-party ||hijacksystem.com^$third-party ||hilltopads.net^$third-party ||himediads.com^$third-party @@ -73281,7 +76322,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||hyperwebads.com^$third-party ||i-media.co.nz^$third-party ||i.skimresources.com^$third-party -||i2i.jp^$third-party ||iamediaserve.com^$third-party ||iasbetaffiliates.com^$third-party ||iasrv.com^$third-party @@ -73301,6 +76341,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||imedia.co.il^$third-party ||imediaaudiences.com^$third-party ||imediarevenue.com^$third-party +||img-giganto.net^$third-party ||imgfeedget.com^$third-party ||imglt.com^$third-party ||imgwebfeed.com^$third-party @@ -73358,6 +76399,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||intellibanners.com^$third-party ||intellitxt.com^$third-party ||intenthq.com^$third-party +||intentmedia.net^$third-party ||interactivespot.net^$third-party ||interclick.com^$third-party ||interestably.com^$third-party @@ -73377,15 +76419,18 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||inuxu.co.in^$third-party ||investingchannel.com^$third-party ||inviziads.com^$third-party +||ip-adress.com^$third-party ||ipredictive.com^$third-party ||ipromote.com^$third-party ||isohits.com^$third-party ||isparkmedia.com^$third-party +||itrengia.com^$third-party ||iu16wmye.com^$third-party ||iv.doubleclick.net^$third-party ||iwantmoar.net^$third-party ||ixnp.com^$third-party ||izeads.com^$third-party +||j2ef76da3.website^$third-party ||jadcenter.com^$third-party ||jango.com^$third-party ||jangonetwork.com^$third-party @@ -73432,6 +76477,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||keywordblocks.com^$third-party ||kikuzip.com^$third-party ||kinley.com^$third-party +||kintokup.com^$third-party ||kiosked.com^$third-party ||kitnmedia.com^$third-party ||klikadvertising.com^$third-party @@ -73439,6 +76485,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||klikvip.com^$third-party ||klipmart.com^$third-party ||klixfeed.com^$third-party +||kloapers.com^$third-party +||klonedaset.org^$third-party ||knorex.asia^$third-party ||knowd.com^$third-party ||kolition.com^$third-party @@ -73448,11 +76496,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||korrelate.net^$third-party ||kqzyfj.com^$third-party ||kr3vinsx.com^$third-party -||krxd.net^$third-party +||kromeleta.ru^$third-party ||kumpulblogger.com^$third-party +||l3op.info^$third-party ||ladbrokesaffiliates.com.au^$third-party ||lakequincy.com^$third-party +||lakidar.net^$third-party ||lanistaconcepts.com^$third-party +||largestable.com^$third-party ||laserhairremovalstore.com^$third-party ||launchbit.com^$third-party ||layer-ad.org^$third-party @@ -73471,12 +76522,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||leaderpub.fr^$third-party ||leadmediapartners.com^$third-party ||leetmedia.com^$third-party +||legisland.net^$third-party ||letsgoshopping.tk^$third-party ||lfstmedia.com^$third-party ||lgse.com^$third-party ||liftdna.com^$third-party ||ligational.com^$third-party -||ligatus.com^$third-party,domain=~bfmtv.com +||ligatus.com^$third-party ||lightad.co.kr^$third-party ||lightningcast.net^$~object-subrequest,third-party ||linicom.co.il^$third-party @@ -73501,6 +76553,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||linkz.net^$third-party ||liqwid.net^$third-party ||listingcafe.com^$third-party +||liveadoptimizer.com^$third-party ||liveadserver.net^$third-party ||liverail.com^$~object-subrequest,third-party ||liveuniversenetwork.com^$third-party @@ -73529,6 +76582,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||lucidmedia.com^$third-party ||luminate.com^$third-party ||lushcrush.com^$third-party +||luxadv.com^$third-party ||luxbetaffiliates.com.au^$third-party ||luxup.ru^$third-party ||lx2rv.com^$third-party @@ -73541,6 +76595,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||madadsmedia.com^$third-party ||madserving.com^$third-party ||madsone.com^$third-party +||magicalled.info^$third-party ||magnetisemedia.com^$third-party ||mainadv.com^$third-party ||mainroll.com^$third-party @@ -73559,6 +76614,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||marketoring.com^$third-party ||marsads.com^$third-party ||martiniadnetwork.com^$third-party +||masternal.com^$third-party ||mastertraffic.cn^$third-party ||matiro.com^$third-party ||maudau.com^$third-party @@ -73571,6 +76627,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||mbn.com.ua^$third-party ||mdadvertising.net^$third-party ||mdialog.com^$third-party +||mdn2015x1.com^$third-party ||meadigital.com^$third-party ||media-general.com^$third-party ||media-ks.net^$third-party @@ -73592,6 +76649,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||medialand.ru^$third-party ||medialation.net^$third-party ||mediaonenetwork.net^$third-party +||mediaonpro.com^$third-party ||mediapeo.com^$third-party ||mediaplex.com^$third-party,domain=~watchever.de ||mediatarget.com^$third-party @@ -73658,6 +76716,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||mobiyield.com^$third-party ||moborobot.com^$third-party ||mobstrks.com^$third-party +||mobtrks.com^$third-party +||mobytrks.com^$third-party ||modelegating.com^$third-party ||moffsets.com^$third-party ||mogointeractive.com^$third-party @@ -73674,17 +76734,20 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||mooxar.com^$third-party ||moregamers.com^$third-party ||moreplayerz.com^$third-party +||morgdm.ru^$third-party ||moselats.com^$third-party ||movad.net^$third-party ||mpnrs.com^$third-party ||mpression.net^$third-party ||mprezchc.com^$third-party ||msads.net^$third-party +||mtrcss.com^$third-party ||mujap.com^$third-party ||multiadserv.com^$third-party ||munically.com^$third-party ||music-desktop.com^$third-party ||mutary.com^$third-party +||mxtads.com^$third-party ||my-layer.net^$third-party ||myaffiliates.com^$third-party ||myclickbankads.com^$third-party @@ -73694,6 +76757,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||myinfotopia.com^$third-party ||mylinkbox.com^$third-party ||mynewcarquote.us^$third-party +||myplayerhd.net^$third-party ||mythings.com^$third-party ||myuniques.ru^$third-party ||myvads.com^$third-party @@ -73703,6 +76767,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||nabbr.com^$third-party ||nagrande.com^$third-party ||nanigans.com^$third-party +||nativead.co^$third-party +||nativeads.com^$third-party ||nbjmp.com^$third-party ||nbstatic.com^$third-party ||ncrjsserver.com^$third-party @@ -73727,6 +76793,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||networld.hk^$third-party ||networldmedia.net^$third-party ||neudesicmediagroup.com^$third-party +||newdosug.eu^$third-party ||newgentraffic.com^$third-party ||newideasdaily.com^$third-party ||newsadstream.com^$third-party @@ -73739,6 +76806,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ngecity.com^$third-party ||nicheadgenerator.com^$third-party ||nicheads.com^$third-party +||nighter.club^$third-party ||nkredir.com^$third-party ||nmcdn.us^$third-party ||nmwrdr.net^$third-party @@ -73752,6 +76820,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||nowspots.com^$third-party ||nplexmedia.com^$third-party ||npvos.com^$third-party +||nquchhfyex.com^$third-party ||nrnma.com^$third-party ||nscontext.com^$third-party ||nsdsvc.com^$third-party @@ -73759,7 +76828,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||nspmotion.com^$third-party ||nster.net^$third-party,domain=~nster.com ||ntent.com^$third-party -||nuggad.net^$third-party ||numberium.com^$third-party ||nuseek.com^$third-party ||nvadn.com^$third-party @@ -73797,6 +76865,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||onad.eu^$third-party ||onads.com^$third-party ||onclickads.net^$third-party +||onedmp.com^$third-party ||onenetworkdirect.com^$third-party ||onenetworkdirect.net^$third-party ||onespot.com^$third-party @@ -73808,12 +76877,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||onrampadvertising.com^$third-party ||onscroll.com^$third-party ||onsitemarketplace.net^$third-party -||ontoplist.com^$third-party ||onvertise.com^$third-party ||oodode.com^$third-party +||ooecyaauiz.com^$third-party ||oofte.com^$third-party ||oos4l.com^$third-party ||opap.co.kr^$third-party +||openbook.net^$third-party ||openetray.com^$third-party ||opensourceadvertisementnetwork.info^$third-party ||openxadexchange.com^$third-party @@ -73906,6 +76976,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||picsti.com^$third-party ||pictela.net^$third-party ||pinballpublishernetwork.com^$third-party +||pioneeringad.com^$third-party ||pivotalmedialabs.com^$third-party ||pivotrunner.com^$third-party ||pixazza.com^$third-party @@ -73941,12 +77012,15 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||popcash.net^$third-party ||popcpm.com^$third-party ||popcpv.com^$third-party +||popearn.com^$third-party ||popmarker.com^$third-party ||popmyad.com^$third-party ||popmyads.com^$third-party ||poponclick.com^$third-party ||popsads.com^$third-party ||popshow.info^$third-party +||poptarts.me^$third-party +||popularitish.com^$third-party ||popularmedia.net^$third-party ||populis.com^$third-party ||populisengage.com^$third-party @@ -73980,6 +77054,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||prod.untd.com^$third-party ||proffigurufast.com^$third-party ||profitpeelers.com^$third-party +||programresolver.net^$third-party ||projectwonderful.com^$third-party ||promo-reklama.ru^$third-party ||promobenef.com^$third-party @@ -74000,7 +77075,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ptp24.com^$third-party ||pub-fit.com^$third-party ||pubdirecte.com^$third-party,domain=~debrideurstream.fr -||pubexchange.com^$third-party ||pubgears.com^$third-party ||publicidad.net^$third-party ||publicidees.com^$third-party @@ -74009,11 +77083,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||publisheradnetwork.com^$third-party ||pubmatic.com^$third-party ||pubserve.net^$third-party +||pubted.com^$third-party ||pulse360.com^$third-party ||pulsemgr.com^$third-party ||purpleflag.net^$third-party +||push2check.com^$third-party ||pxlad.io^$third-party ||pzaasocba.com^$third-party +||pzuwqncdai.com^$third-party ||q1media.com^$third-party ||q1mediahydraplatform.com^$third-party ||q1xyxm89.com^$third-party @@ -74021,9 +77098,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||qdmil.com^$third-party ||qksrv.net^$third-party ||qksz.net^$third-party +||qnrzmapdcc.com^$third-party ||qnsr.com^$third-party ||qservz.com^$third-party ||quantumads.com^$third-party +||quensillo.com^$third-party ||questionmarket.com^$third-party ||questus.com^$third-party ||quickcash500.com^$third-party @@ -74031,6 +77110,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||qwobl.net^$third-party ||qwzmje9w.com^$third-party ||rabilitan.com^$third-party +||radeant.com^$third-party ||radicalwealthformula.com^$third-party ||radiusmarketing.com^$third-party ||raiggy.com^$third-party @@ -74038,6 +77118,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||rainwealth.com^$third-party ||rampanel.com^$third-party ||rapt.com^$third-party +||rawasy.com^$third-party +||rbnt.org^$third-party ||rcads.net^$third-party ||rcurn.com^$third-party ||rddywd.com^$third-party @@ -74055,6 +77137,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||redintelligence.net^$third-party ||reduxmediagroup.com^$third-party ||reelcentric.com^$third-party +||refban.com^$third-party ||referback.com^$third-party ||regdfh.info^$third-party ||registry.cw.cm^$third-party @@ -74066,6 +77149,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||relytec.com^$third-party ||remiroyal.ro^$third-party ||resideral.com^$third-party +||respecific.net^$third-party ||respond-adserver.cloudapp.net^$third-party ||respondhq.com^$third-party ||resultlinks.com^$third-party @@ -74074,12 +77158,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||reussissonsensemble.fr^$third-party ||rev2pub.com^$third-party ||revcontent.com^$third-party +||revenue.com^$third-party ||revenuegiants.com^$third-party ||revenuehits.com^$third-party ||revenuemantra.com^$third-party ||revenuemax.de^$third-party ||revfusion.net^$third-party ||revmob.com^$third-party +||revokinets.com^$third-party ||revresda.com^$third-party ||revresponse.com^$third-party ||revsci.net^$third-party @@ -74096,6 +77182,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ringtonepartner.com^$third-party ||ripplead.com^$third-party ||riverbanksand.com^$third-party +||rixaka.com^$third-party ||rmxads.com^$third-party ||rnmd.net^$third-party ||robocat.me^$third-party @@ -74113,7 +77200,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||rtbmedia.org^$third-party ||rtbpop.com^$third-party ||rtbpops.com^$third-party -||ru4.com^$third-party ||rubiconproject.com^$third-party ||rummyaffiliates.com^$third-party ||runadtag.com^$third-party @@ -74160,6 +77246,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||servali.net^$third-party ||serve-sys.com^$third-party ||servebom.com^$third-party +||servedbyadbutler.com^$third-party ||servedbyopenx.com^$third-party ||servemeads.com^$third-party ||serving-sys.com^$third-party @@ -74175,6 +77262,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||shareresults.com^$third-party ||sharethrough.com^$third-party ||shoogloonetwork.com^$third-party +||shopalyst.com^$third-party ||shoppingads.com^$third-party ||showyoursite.com^$third-party ||siamzone.com^$third-party @@ -74196,6 +77284,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||skoovyads.com^$third-party ||skyactivate.com^$third-party ||skyscrpr.com^$third-party +||slimspots.com^$third-party ||slimtrade.com^$third-party ||slinse.com^$third-party ||smart-feed-online.com^$third-party @@ -74208,6 +77297,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||smarttargetting.co.uk^$third-party ||smarttargetting.com^$third-party ||smarttargetting.net^$third-party +||smarttds.ru^$third-party ||smileycentral.com^$third-party ||smilyes4u.com^$third-party ||smowtion.com^$third-party @@ -74268,6 +77358,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||sproose.com^$third-party ||sq2trk2.com^$third-party ||srtk.net^$third-party +||srx.com.sg^$third-party ||sta-ads.com^$third-party ||stackadapt.com^$third-party ||stackattacka.com^$third-party @@ -74335,6 +77426,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||tattomedia.com^$third-party ||tbaffiliate.com^$third-party ||tcadops.ca^$third-party +||td553.com^$third-party ||teads.tv^$third-party ||teambetaffiliates.com^$third-party ||teasernet.com^$third-party @@ -74354,8 +77446,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||theads.me^$third-party ||thebannerexchange.com^$third-party ||thebflix.info^$third-party +||theequalground.info^$third-party ||thelistassassin.com^$third-party ||theloungenet.com^$third-party +||themidnightmatulas.com^$third-party ||thepiratereactor.net^$third-party ||thewebgemnetwork.com^$third-party ||thewheelof.com^$third-party @@ -74366,12 +77460,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||tinbuadserv.com^$third-party ||tisadama.com^$third-party ||tiser.com^$third-party +||tissage-extension.com^$third-party ||tkqlhce.com^$third-party ||tldadserv.com^$third-party ||tlvmedia.com^$third-party ||tnyzin.ru^$third-party ||toboads.com^$third-party ||tokenads.com^$third-party +||tollfreeforwarding.com^$third-party ||tomekas.com^$third-party ||tonefuse.com^$third-party ||tool-site.com^$third-party @@ -74429,6 +77525,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||trafficsway.com^$third-party ||trafficsynergy.com^$third-party ||traffictrader.net^$third-party +||trafficular.com^$third-party ||trafficvance.com^$third-party ||trafficwave.net^$third-party ||trafficz.com^$third-party @@ -74440,6 +77537,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||travelscream.com^$third-party ||travidia.com^$third-party ||tredirect.com^$third-party +||trenpyle.com^$third-party ||triadmedianetwork.com^$third-party ||tribalfusion.com^$third-party ||trigami.com^$third-party @@ -74468,6 +77566,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||twittad.com^$third-party ||twtad.com^$third-party ||tyroo.com^$third-party +||u-ad.info^$third-party ||u1hw38x0.com^$third-party ||ubudigital.com^$third-party ||udmserve.net^$third-party @@ -74475,6 +77574,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ughus.com^$third-party ||uglyst.com^$third-party ||uiadserver.com^$third-party +||uiqatnpooq.com^$third-party ||ukbanners.com^$third-party ||unanimis.co.uk^$third-party ||underclick.ru^$third-party @@ -74498,6 +77598,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||usercash.com^$third-party ||usurv.com^$third-party ||utarget.co.uk^$third-party +||utarget.ru^$third-party ||utokapa.com^$third-party ||utubeconverter.com^$third-party ||v.fwmrm.net^$object-subrequest,third-party @@ -74532,6 +77633,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||vibrant.co^$third-party ||vibrantmedia.com^$third-party ||video-loader.com^$third-party +||video1404.info^$third-party ||videoadex.com^$third-party ||videoclick.ru^$third-party ||videodeals.com^$third-party @@ -74547,11 +77649,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||vidpay.com^$third-party ||viedeo2k.tv^$third-party ||view-ads.de^$third-party +||view.atdmt.com^*/iview/$third-party ||viewablemedia.net^$third-party ||viewclc.com^$third-party ||viewex.co.uk^$third-party ||viewivo.com^$third-party ||vindicosuite.com^$third-party +||vipcpms.com^$third-party ||vipquesting.com^$third-party ||visiads.com^$third-party ||visiblegains.com^$third-party @@ -74576,12 +77680,16 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||w00tmedia.net^$third-party ||w3exit.com^$third-party ||w4.com^$third-party +||w5statistics.info^$third-party +||w9statistics.info^$third-party ||wagershare.com^$third-party ||wahoha.com^$third-party ||wamnetwork.com^$third-party +||wangfenxi.com^$third-party ||warezlayer.to^$third-party ||warfacco.com^$third-party ||watchfree.flv.in^$third-party +||wateristian.com^$third-party ||waymp.com^$third-party ||wbptqzmv.com^$third-party ||wcmcs.net^$third-party @@ -74666,6 +77774,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||yceml.net^$third-party ||yeabble.com^$third-party ||yes-messenger.com^$third-party +||yesadsrv.com^$third-party ||yesnexus.com^$third-party ||yieldads.com^$third-party ||yieldadvert.com^$third-party @@ -74686,6 +77795,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||youcandoitwithroi.com^$third-party ||youlamedia.com^$third-party ||youlouk.com^$third-party +||your-tornado-file.com^$third-party +||your-tornado-file.org^$third-party ||youradexchange.com^$third-party ||yourfastpaydayloans.com^$third-party ||yourquickads.com^$third-party @@ -74730,7 +77841,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adbuddiz.com^$third-party ||adcolony.com^$third-party ||adiquity.com^$third-party -||admarvel.com^$third-party ||admob.com^$third-party ||adwhirl.com^$third-party ||adwired.mobi^$third-party @@ -74764,59 +77874,122 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||yieldmo.com^$third-party ! Non-English (instead of whitelisting ads) ||adhood.com^$third-party +||atresadvertising.com^$third-party ! Yavli.com +||accmndtion.org^$third-party +||addo-mnton.com^$third-party +||allianrd.net^$third-party +||anomiely.com^$third-party +||appr8.net^$third-party ||artbr.net^$third-party +||baordrid.com^$third-party +||batarsur.com^$third-party +||baungarnr.com^$third-party +||biankord.net^$third-party +||blazwuatr.com^$third-party +||blipi.net^$third-party +||bluazard.net^$third-party +||buhafr.net^$third-party +||casiours.com^$third-party +||chansiar.net^$third-party +||chiuawa.net^$third-party +||chualangry.com^$third-party ||compoter.net^$third-party +||contentolyze.net^$third-party +||contentr.net^$third-party ||crhikay.me^$third-party +||d3lens.com^$third-party +||dilpy.org^$third-party +||domri.net^$third-party ||draugonda.net^$third-party ||drfflt.info^$third-party +||dutolats.net^$third-party ||edabl.net^$third-party +||elepheny.com^$third-party ||entru.co^$third-party ||ergers.net^$third-party ||ershgrst.com^$third-party +||esults.net^$third-party +||exciliburn.com^$third-party +||excolobar.com^$third-party ||exernala.com^$third-party +||extonsuan.com^$third-party ||faunsts.me^$third-party ||flaudnrs.me^$third-party ||flaurse.net^$third-party +||foulsomty.com^$third-party ||fowar.net^$third-party ||frxle.com^$third-party ||frxrydv.com^$third-party +||fuandarst.com^$third-party ||gghfncd.net^$third-party ||gusufrs.me^$third-party ||hapnr.net^$third-party +||havnr.com^$third-party +||heizuanubr.net^$third-party ||hobri.net^$third-party +||hoppr.co^$third-party ||ignup.com^$third-party +||iunbrudy.net^$third-party ||ivism.org^$third-party +||jaspensar.com^$third-party ||jdrm4.com^$third-party +||jellr.net^$third-party +||juruasikr.net^$third-party +||jusukrs.com^$third-party +||kioshow.com^$third-party +||kuangard.net^$third-party +||lesuard.com^$third-party +||lia-ndr.com^$third-party +||lirte.org^$third-party ||loopr.co^$third-party +||oplo.org^$third-party ||opner.co^$third-party ||pikkr.net^$third-party +||polawrg.com^$third-party ||prfffc.info^$third-party ||q3sift.com^$third-party ||qewa33a.com^$third-party +||qzsccm.com^$third-party ||r3seek.com^$third-party ||rdige.com^$third-party ||regersd.net^$third-party ||rhgersf.com^$third-party ||rlex.org^$third-party ||rterdf.me^$third-party +||rugistoto.net^$third-party ||selectr.net^$third-party +||simusangr.com^$third-party ||splazards.com^$third-party +||spoa-soard.com^$third-party ||sxrrxa.net^$third-party ||t3sort.com^$third-party ||th4wwe.net^$third-party ||thrilamd.net^$third-party +||topdi.net^$third-party ||trllxv.co^$third-party ||trndi.net^$third-party ||uppo.co^$third-party ||viewscout.com^$third-party +||vopdi.com^$third-party ||waddr.com^$third-party +||wensdteuy.com^$third-party +||wopdi.com^$third-party +||wuarnurf.net^$third-party +||wuatriser.net^$third-party +||wudr.net^$third-party ||xcrsqg.com^$third-party +||xplrer.co^$third-party +||xylopologyn.com^$third-party +||yardr.net^$third-party +||yobr.net^$third-party ||yodr.net^$third-party +||yomri.net^$third-party ||yopdi.com^$third-party ||ypprr.com^$third-party ||yrrrbn.me^$third-party ||z4pick.com^$third-party +||zomri.net^$third-party ||zrfrornn.net^$third-party ! *** easylist:easylist/easylist_adservers_popup.txt *** ||123vidz.com^$popup,third-party @@ -74824,7 +77997,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||32d1d3b9c.se^$popup,third-party ||4dsply.com^$popup,third-party ||5dimes.com^$popup,third-party -||888.com^$popup,third-party +||83nsdjqqo1cau183xz.com^$popup,third-party ||888casino.com^$popup,third-party ||888games.com^$popup,third-party ||888media.net^$popup,third-party @@ -74837,6 +78010,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ad-feeds.com^$popup,third-party ||ad.doubleclick.net^$popup,third-party ||ad.zanox.com/ppv/$popup,third-party +||ad131m.com^$popup,third-party ||ad2387.com^$popup,third-party ||ad2games.com^$popup,third-party ||ad4game.com^$popup,third-party @@ -74845,7 +78019,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adfarm.mediaplex.com^$popup,third-party ||adform.net^$popup,third-party ||adimps.com^$popup,third-party +||aditor.com^$popup,third-party ||adjuggler.net^$popup,third-party +||adk2.co^$popup,third-party +||adk2.com^$popup,third-party +||adk2.net^$popup,third-party ||adlure.net^$popup,third-party ||adnxs.com^$popup,third-party ||adonweb.ru^$popup,third-party @@ -74872,19 +78050,24 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ar.voicefive.com^$popup,third-party ||awempire.com^$popup,third-party ||awsclic.com^$popup,third-party +||bannerflow.com^$popup,third-party ||baypops.com^$popup,third-party ||becoquin.com^$popup,third-party ||becoquins.net^$popup,third-party +||bentdownload.com^$popup,third-party ||bestproducttesters.com^$popup,third-party ||bidsystem.com^$popup,third-party ||bidvertiser.com^$popup,third-party +||bighot.ru^$popup,third-party ||binaryoptionsgame.com^$popup,third-party ||blinko.es^$popup,third-party ||blinkogold.es^$popup,third-party +||blockthis.es^$popup,third-party ||blogscash.info^$popup,third-party ||bongacams.com^$popup,third-party ||bonzuna.com^$popup,third-party ||brandreachsys.com^$popup,third-party +||bzrvwbsh5o.com^$popup,third-party ||careerjournalonline.com^$popup ||casino.betsson.com^$popup,third-party ||clickmngr.com^$popup,third-party @@ -74901,6 +78084,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||cpmstar.com^$popup,third-party ||cpmterra.com^$popup,third-party ||cpvadvertise.com^$popup,third-party +||crazyad.net^$popup,third-party ||directrev.com^$popup,third-party ||distantnews.com^$popup,third-party ||distantstat.com^$popup,third-party @@ -74910,6 +78094,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||downloadthesefile.com^$popup,third-party ||easydownloadnow.com^$popup,third-party ||easykits.org^$popup,third-party +||ebzkswbs78.com^$popup,third-party ||epicgameads.com^$popup,third-party ||euromillionairesystem.me^$popup,third-party ||ewebse.com^$popup,third-party @@ -74919,10 +78104,12 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||f-questionnaire.com^$popup,third-party ||fhserve.com^$popup,third-party ||fidel.to^$popup,third-party +||filestube.com^$popup,third-party ||finance-reporting.org^$popup,third-party ||findonlinesurveysforcash.com^$popup,third-party ||firstclass-download.com^$popup,third-party ||firstmediahub.com^$popup,third-party +||fmdwbsfxf0.com^$popup,third-party ||friendlyduck.com^$popup,third-party ||g05.info^$popup,third-party ||ganja.com^$popup,third-party @@ -74931,6 +78118,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gotoplaymillion.com^$popup,third-party ||greatbranddeals.com^$popup,third-party ||gsniper2.com^$popup,third-party +||hd-plugin.com^$popup,third-party ||highcpms.com^$popup,third-party ||homecareerforyou1.info^$popup,third-party ||hornygirlsexposed.com^$popup,third-party @@ -74941,17 +78129,22 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||inbinaryoption.com^$popup,third-party ||indianmasala.com^$popup,third-party,domain=masalaboard.com ||indianweeklynews.com^$popup,third-party +||insta-cash.net^$popup,third-party ||instantpaydaynetwork.com^$popup,third-party ||jdtracker.com^$popup,third-party ||jujzh9va.com^$popup,third-party ||junbi-tracker.com^$popup,third-party ||kanoodle.com^$popup,third-party +||landsraad.cc^$popup,third-party +||legisland.net^$popup,third-party ||ligatus.com^$popup,third-party ||livechatflirt.com^$popup,third-party ||livepromotools.com^$popup,third-party +||liversely.net^$popup,third-party ||lmebxwbsno.com^$popup,third-party ||lnkgt.com^$popup,third-party ||m57ku6sm.com^$popup,third-party +||marketresearchglobal.com^$popup,third-party ||media-app.com^$popup,third-party ||media-servers.net^$popup,third-party ||mediaseeding.com^$popup,third-party @@ -74985,6 +78178,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||pointroll.com^$popup,third-party ||popads.net^$popup,third-party ||popmyads.com^$popup,third-party +||print3.info^$popup,third-party ||prizegiveaway.org^$popup,third-party ||promotions-paradise.org^$popup,third-party ||promotions.sportsbet.com.au^$popup,third-party @@ -74996,8 +78190,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||pulse360.com^$popup,third-party ||raoplenort.biz^$popup,third-party ||ratari.ru^$popup,third-party +||rdsrv.com^$popup,third-party ||rehok.km.ua^$popup,third-party ||rgadvert.com^$popup,third-party +||rikhov.ru^$popup,third-party ||ringtonepartner.com^$popup,third-party ||ronetu.ru^$popup,third-party ||roulettebotplus.com^$popup,third-party @@ -75007,7 +78203,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||serving-sys.com^$popup,third-party ||sexitnow.com^$popup,third-party ||silstavo.com^$popup,third-party +||simpleinternetupdate.com^$popup,third-party ||singlesexdates.com^$popup,third-party +||slimspots.com^$popup,third-party ||smartwebads.com^$popup,third-party ||sms-mmm.com^$popup,third-party ||smutty.com^$popup,third-party @@ -75036,14 +78234,21 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||trw12.com^$popup,third-party ||tutvp.com^$popup,third-party ||updater-checker.net^$popup,third-party +||vgsgaming-ads.com^$popup,third-party +||vipcpms.com^$popup,third-party ||vprmnwbskk.com^$popup,third-party +||w4statistics.info^$popup,third-party ||wahoha.com^$popup,third-party ||wbsadsdel.com^$popup,third-party ||wbsadsdel2.com^$popup,third-party +||weareheard.org^$popup,third-party +||websearchers.net^$popup,third-party ||webtrackerplus.com^$popup,third-party ||weliketofuckstrangers.com^$popup,third-party ||wigetmedia.com^$popup,third-party +||wonderlandads.com^$popup,third-party ||worldrewardcenter.net^$popup,third-party +||wwwpromoter.com^$popup,third-party ||wzus1.ask.com^$popup,third-party ||xclicks.net^$popup,third-party ||xtendmedia.com^$popup,third-party @@ -75059,6 +78264,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||123advertising.nl^$third-party ||15yomodels.com^$third-party ||173.245.86.115^$domain=~yobt.com.ip +||18naked.com^$third-party ||195.228.74.26^$third-party ||1loop.com^$third-party ||1tizer.com^$third-party @@ -75121,10 +78327,12 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adultcommercial.net^$third-party ||adultdatingtraffic.com^$third-party ||adultlinkexchange.com^$third-party +||adultmediabuying.com^$third-party ||adultmoviegroup.com^$third-party ||adultoafiliados.com.br^$third-party ||adultpopunders.com^$third-party ||adultsense.com^$third-party +||adultsense.org^$third-party ||adulttiz.com^$third-party ||adulttubetraffic.com^$third-party ||adv-plus.com^$third-party @@ -75136,6 +78344,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||advmaker.ru^$third-party ||advmania.com^$third-party ||advprotraffic.com^$third-party +||advredir.com^$third-party ||advsense.info^$third-party ||adxite.com^$third-party ||adxmarket.com^$third-party @@ -75149,28 +78358,35 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||aipbannerx.com^$third-party ||aipmedia.com^$third-party ||alfatraffic.com^$third-party +||all-about-tech.com^$third-party ||alladultcash.com^$third-party ||allosponsor.com^$third-party ||allotraffic.com^$third-party ||amtracking01.com^$third-party +||amvotes.ru^$third-party ||anastasia-international.com^$third-party ||angelpastel.com^$third-party ||antaraimedia.com^$third-party ||antoball.com^$third-party ||apromoweb.com^$third-party ||asiafriendfinder.com^$third-party +||augrenso.com^$third-party ||awmcenter.eu^$third-party ||awmpartners.com^$third-party ||ax47mp-xp-21.com^$third-party +||azerbazer.com^$third-party ||aztecash.com^$third-party ||basesclick.ru^$third-party +||baskodenta.com^$third-party ||bcash4you.com^$third-party ||belamicash.com^$third-party ||belasninfetas.org^$third-party ||bestholly.com^$third-party ||bestssn.com^$third-party +||betweendigital.com^$third-party ||bgmtracker.com^$third-party ||biksibo.ru^$third-party +||black-ghettos.info^$third-party ||blossoms.com^$third-party ||board-books.com^$third-party ||boinkcash.com^$third-party @@ -75202,6 +78418,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||cdn.nsimg.net^$third-party ||ceepq.com^$third-party ||celeb-ads.com^$third-party +||celogera.com^$third-party ||cennter.com^$third-party ||certified-apps.com^$third-party ||cervicalknowledge.info^$third-party @@ -75211,6 +78428,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||chopstick16.com^$third-party ||citysex.com^$third-party ||clearac.com^$third-party +||clickganic.com^$third-party ||clickpapa.com^$third-party ||clicksvenue.com^$third-party ||clickthruserver.com^$third-party @@ -75222,6 +78440,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||colpory.com^$third-party ||comunicazio.com^$third-party ||cpacoreg.com^$third-party +||cpl1.ru^$third-party ||crakbanner.com^$third-party ||crakcash.com^$third-party ||creoads.com^$third-party @@ -75236,6 +78455,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||dallavel.com^$third-party ||dana123.com^$third-party ||danzabucks.com^$third-party +||darangi.ru^$third-party ||data-ero-advertising.com^$third-party ||datefunclub.com^$third-party ||datetraders.com^$third-party @@ -75243,11 +78463,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||dating-adv.com^$third-party ||datingadnetwork.com^$third-party ||datingamateurs.com^$third-party -||datingfactory.com^$third-party ||datingidol.com^$third-party ||dblpmp.com^$third-party ||deecash.com^$third-party ||demanier.com^$third-party +||denotyro.com^$third-party ||depilflash.tv^$third-party ||depravedwhores.com^$third-party ||desiad.net^$third-party @@ -75258,6 +78478,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||discreetlocalgirls.com^$third-party ||divascam.com^$third-party ||divertura.com^$third-party +||dofolo.ru^$third-party ||dosugcz.biz^$third-party ||double-check.com^$third-party ||doublegear.com^$third-party @@ -75270,6 +78491,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||easyflirt.com^$third-party ||ebdr2.com^$third-party ||elekted.com^$third-party +||eltepo.ru^$third-party ||emediawebs.com^$third-party ||enoratraffic.com^$third-party ||eragi.ru^$third-party @@ -75283,6 +78505,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||exchangecash.de^$third-party ||exclusivepussy.com^$third-party ||exoclickz.com^$third-party +||exogripper.com^$third-party ||eyemedias.com^$third-party ||facebookofsex.com^$third-party ||faceporn.com^$third-party @@ -75319,11 +78542,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||funnypickuplinesforgirls.com^$third-party ||g6ni40i7.com^$third-party ||g726n8cy.com^$third-party +||gamblespot.ru^$third-party ||ganardineroreal.com^$third-party ||gayadpros.com^$third-party ||gayxperience.com^$third-party +||gefnaro.com^$third-party ||genialradio.com^$third-party ||geoaddicted.net^$third-party +||geofamily.ru^$third-party ||geoinventory.com^$third-party ||getiton.com^$third-party ||gfhdkse.com^$third-party @@ -75341,6 +78567,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gunzblazingpromo.com^$third-party ||helltraffic.com^$third-party ||hentaibiz.com^$third-party +||herezera.com^$third-party ||hiddenbucks.com^$third-party ||highnets.com^$third-party ||hipals.com^$third-party @@ -75394,6 +78621,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||kingpinmedia.net^$third-party ||kinopokaz.org^$third-party ||kliklink.ru^$third-party +||kolestence.com^$third-party ||kolitat.com^$third-party ||kolort.ru^$third-party ||kuhnivsemisrazu.ru^$third-party @@ -75421,6 +78649,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||lucidcommerce.com^$third-party ||luvcash.com^$third-party ||luvcom.com^$third-party +||madbanner.com^$third-party ||magical-sky.com^$third-party ||mahnatka.ru^$third-party ||mallcom.com^$third-party @@ -75475,9 +78704,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||newsexbook.com^$third-party ||ngbn.net^$third-party ||nikkiscash.com^$third-party +||ningme.ru^$third-party ||njmaq.com^$third-party ||nkk31jjp.com^$third-party ||nscash.com^$third-party +||nsfwads.com^$third-party ||nummobile.com^$third-party ||nvp2auf5.com^$third-party ||oddads.net^$third-party @@ -75486,11 +78717,16 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||onhercam.com^$third-party ||onyarysh.ru^$third-party ||ordermc.com^$third-party +||orodi.ru^$third-party ||otaserve.net^$third-party ||otherprofit.com^$third-party ||outster.com^$third-party ||owlopadjet.info^$third-party +||owpawuk.ru^$third-party ||ozelmedikal.com^$third-party +||ozon.ru^$third-party +||ozone.ru^$third-party,domain=~ozon.ru|~ozonru.co.il|~ozonru.com|~ozonru.eu|~ozonru.kz +||ozonru.eu^$third-party ||paid-to-promote.net^$third-party ||parkingpremium.com^$third-party ||partnercash.com^$third-party @@ -75525,7 +78761,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||pornleep.com^$third-party ||porno-file.ru^$third-party ||pornoow.com^$third-party -||pornprosnetwork.com^$third-party ||porntrack.com^$third-party ||portable-basketball.com^$third-party ||pourmajeurs.com^$third-party @@ -75546,6 +78781,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||promowebstar.com^$third-party ||protect-x.com^$third-party ||protizer.ru^$third-party +||prscripts.com^$third-party ||ptclassic.com^$third-party ||ptrfc.com^$third-party ||ptwebcams.com^$third-party @@ -75555,7 +78791,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||putags.com^$third-party ||putanapartners.com^$third-party ||pyiel2bz.com^$third-party +||quagodex.com^$third-party ||queronamoro.com^$third-party +||quexotac.com^$third-party ||r7e0zhv8.com^$third-party ||rack-media.com^$third-party ||ragazzeinvendita.com^$third-party @@ -75573,6 +78811,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||reliablebanners.com^$third-party ||reprak.com^$third-party ||retargetpro.net^$third-party +||retoxo.com^$third-party ||rexbucks.com^$third-party ||rivcash.com^$third-party ||rmbn.net^$third-party @@ -75597,7 +78836,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||searchx.eu^$third-party ||secretbehindporn.com^$third-party ||seekbang.com^$third-party +||seemybucks.com^$third-party ||seitentipp.com^$third-party +||senkinar.com^$third-party ||sesxc.com^$third-party ||sexad.net^$third-party ||sexdatecash.com^$third-party @@ -75615,6 +78856,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||siccash.com^$third-party ||sixsigmatraffic.com^$third-party ||sjosteras.com^$third-party +||skeettools.com^$third-party ||slendastic.com^$third-party ||smartbn.ru^$third-party ||sms-xxx.com^$third-party @@ -75638,15 +78880,18 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||talk-blog.com^$third-party ||targetingnow.com^$third-party ||targettrafficmarketing.net^$third-party +||tarkita.ru^$third-party ||teasernet.ru^$third-party ||teaservizio.com^$third-party ||tech-board.com^$third-party ||teendestruction.com^$third-party ||the-adult-company.com^$third-party +||thebunsenburner.com^$third-party ||thepayporn.com^$third-party ||thesocialsexnetwork.com^$third-party ||thumbnail-galleries.net^$third-party ||timteen.com^$third-party +||tingrinter.com^$third-party ||tinyweene.com^$third-party ||titsbro.net^$third-party ||titsbro.org^$third-party @@ -75664,6 +78909,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||tracelive.ru^$third-party ||tracker2kss.eu^$third-party ||trackerodss.eu^$third-party +||traffbiz.ru^$third-party ||traffic-in.com^$third-party ||traffic.ru^$third-party ||trafficholder.com^$third-party @@ -75671,6 +78917,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||trafficlearn.com^$third-party ||trafficpimps.com^$third-party ||trafficshop.com^$third-party +||trafficstars.com^$third-party ||trafficundercontrol.com^$third-party ||traficmax.fr^$third-party ||trafogon.net^$third-party @@ -75682,15 +78929,19 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||tubeadnetwork.com^$third-party ||tubedspots.com^$third-party ||tufosex.com.br^$third-party +||tvzavr.ru^$third-party ||twistyscash.com^$third-party +||ukreggae.ru^$third-party ||unaspajas.com^$third-party ||unlimedia.net^$third-party +||uxernab.com^$third-party ||ver-pelis.net^$third-party ||verticalaffiliation.com^$third-party ||video-people.com^$third-party ||virtuagirlhd.com^$third-party ||vividcash.com^$third-party ||vktr073.net^$third-party +||vlexokrako.com^$third-party ||vlogexpert.com^$third-party ||vod-cash.com^$third-party ||vogopita.com^$third-party @@ -75701,6 +78952,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||wamcash.com^$third-party ||warsomnet.com^$third-party ||webcambait.com^$third-party +||webcampromotions.com^$third-party ||webclickengine.com^$third-party ||webclickmanager.com^$third-party ||websitepromoserver.com^$third-party @@ -75748,6 +79000,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||yourdatelink.com^$third-party ||yourfuckbook.com^$third-party,domain=~fuckbookhookups.com ||ypmadserver.com^$third-party +||yu0123456.com^$third-party ||yuppads.com^$third-party ||yx0banners.com^$third-party ||zinzimo.info^$third-party @@ -75772,7 +79025,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||chokertraffic.com^$popup,third-party ||chtic.net^$popup,third-party ||doublegear.com^$popup,third-party +||dverser.ru^$popup,third-party ||easysexdate.com^$popup +||ebocornac.com^$popup,third-party ||ekod.info^$popup,third-party ||ero-advertising.com^$popup,third-party ||everyporn.net^$popup,third-party @@ -75782,6 +79037,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||filthads.com^$popup,third-party ||flagads.net^$popup ||foaks.com^$popup,third-party +||fox-forden.ru^$popup,third-party ||fpctraffic2.com^$popup,third-party ||freecamsexposed.com^$popup ||freewebcams.com^$popup,third-party @@ -75797,6 +79053,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ipvertising.com^$popup ||juicyads.com^$popup,third-party ||kaizentraffic.com^$popup,third-party +||legacyminerals.net^$popup,third-party ||loltrk.com^$popup,third-party ||naughtyplayful.com^$popup,third-party ||needlive.com^$popup @@ -75808,17 +79065,21 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||popcash.net^$popup,third-party ||pornbus.org^$popup ||prexista.com^$popup,third-party +||prpops.com^$popup,third-party ||reviewdollars.com^$popup,third-party ||sascentral.com^$popup,third-party ||setravieso.com^$popup,third-party ||sex-journey.com^$popup,third-party ||sexad.net^$popup,third-party +||sexflirtbook.com^$popup,third-party ||sexintheuk.com^$popup,third-party ||socialsex.biz^$popup,third-party ||socialsex.com^$popup,third-party ||targetingnow.com^$popup,third-party ||trafficbroker.com^$popup ||trafficholder.com^$popup,third-party +||trafficstars.com^$popup +||vlexokrako.com^$popup ||voyeurbase.com^$popup,third-party ||watchmygf.com^$popup ||xdtraffic.com^$popup,third-party @@ -75847,6 +79108,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||1stag.com/main/img/banners/ ||1whois.org/static/popup.js ||208.43.84.120/trueswordsa3.gif$third-party,domain=~trueswords.com.ip +||209.15.224.6^$third-party,domain=~liverail-mlgtv.ip ||216.41.211.36/widget/$third-party,domain=~bpaww.com.ip ||217.115.147.241/media/$third-party,domain=~elb-kind.de.ip ||24.com//flashplayer/ova-jw.swf$object-subrequest @@ -75858,6 +79120,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||2yu.in/banner/$third-party ||360pal.com/ads/$third-party ||3dots.co.il/pop/ +||4getlikes.com/promo/ ||69.50.226.158^$third-party,domain=~worth1000.com.ip ||6angebot.ch^$third-party,domain=netload.in ||6theory.com/pub/ @@ -75868,6 +79131,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||a.livesportmedia.eu^ ||a.ucoz.net^ ||a.watershed-publishing.com^ +||a04296f070c0146f314d-0dcad72565cb350972beb3666a86f246.r50.cf5.rackcdn.com^ ||a1channel.net/img/downloadbtn2.png ||a1channel.net/img/watch_now.gif ||abacast.com/banner/ @@ -75875,7 +79139,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ad.23blogs.com^$third-party ||ad.about.co.kr^ ||ad.accessmediaproductions.com^ -||ad.adriver.ru^$domain=firstrownow.eu|kyivpost.com|uatoday.tv +||ad.adriver.ru^$domain=firstrownow.eu|kyivpost.com|uatoday.tv|unian.info ||ad.aquamediadirect.com^$third-party ||ad.e-kolay.net^$third-party ||ad.flux.com^ @@ -75907,12 +79171,12 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ad.smartclip.net^ ||ad.spielothek.so^ ||ad.sponsoreo.com^$third-party -||ad.theequalground.info^ ||ad.valuecalling.com^$third-party ||ad.vidaroo.com^ ||ad.winningpartner.com^ ||ad.wsod.com^$third-party ||ad.zaman.com.tr^$third-party +||ad2links.com/js/$third-party ||adap.tv/redir/client/static/as3adplayer.swf ||adap.tv/redir/plugins/$object-subrequest ||adap.tv/redir/plugins3/$object-subrequest @@ -75924,12 +79188,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adfoc.us/js/$third-party ||adingo.jp.eimg.jp^ ||adlandpro.com^$third-party -||adm.shinobi.jp^ +||adm.shinobi.jp^$third-party ||adn.ebay.com^ ||adplus.goo.mx^ ||adr-*.vindicosuite.com^ ||ads.dynamicyield.com^$third-party ||ads.mp.mydas.mobi^ +||adscaspion.appspot.com^ ||adserv.legitreviews.com^$third-party ||adsrv.eacdn.com^$third-party ||adss.dotdo.net^ @@ -75942,7 +79207,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||aff.eteachergroup.com^ ||aff.marathonbet.com^ ||aff.svjump.com^ -||affddl.automotive.com^ ||affil.mupromo.com^ ||affiliate.juno.co.uk^$third-party ||affiliate.mediatemple.net^$third-party @@ -75955,12 +79219,15 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||affiliates.homestead.com^$third-party ||affiliates.lynda.com^$third-party ||affiliates.picaboocorp.com^$third-party +||affiliatesmedia.sbobet.com^ +||affiliation.filestube.com^$third-party ||affiliation.fotovista.com^ ||affutdmedia.com^$third-party ||afimg.liveperson.com^$third-party ||agenda.complex.com^ ||agoda.net/banners/ ||ahlanlive.com/newsletters/banners/$third-party +||airvpn.org/images/promotional/ ||ais.abacast.com^ ||ak.imgaft.com^$third-party ||ak1.imgaft.com^$third-party @@ -75974,6 +79241,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||algart.net*_banner_$third-party ||allposters.com^*/banners/ ||allsend.com/public/assets/images/ +||alluremedia.com.au^*/campaigns/ ||alpsat.com/banner/ ||altushost.com/docs/$third-party ||amazon.com/?_encoding*&linkcode$third-party @@ -75994,6 +79262,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||amazonaws.com/skyscrpr.js ||amazonaws.com/streetpulse/ads/ ||amazonaws.com/widgets.youcompare.com.au/ +||amazonaws.com/youpop/ ||analytics.disneyinternational.com^ ||angelbc.com/clients/*/banners/$third-party ||anime.jlist.com^$third-party @@ -76060,6 +79329,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||banners.videosz.com^$third-party ||banners.webmasterplan.com^$third-party ||bbcchannels.com/workspace/uploads/ +||bc.coupons.com^$third-party ||bc.vc/js/link-converter.js$third-party ||beachcamera.com/assets/banners/ ||bee4.biz/banners/ @@ -76083,6 +79353,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||bigpond.com/specials/$subdocument,third-party ||bigrock.in/affiliate/ ||bijk.com^*/banners/ +||binbox.io/public/img/promo/$third-party ||binopt.net/banners/ ||bit.ly^$subdocument,domain=adf.ly ||bitcoindice.com/img/bitcoindice_$third-party @@ -76094,6 +79365,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||blindferret.com/images/*_skin_ ||blinkx.com/?i=*&adc_pub_id=$script,third-party ||blinkx.com/f2/overlays/ +||bliss-systems-api.co.uk^$third-party ||blissful-sin.com/affiliates/ ||blocks.ginotrack.com^$third-party ||bloodstock.uk.com/affiliates/ @@ -76153,6 +79425,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||cdn.assets.gorillanation.com^$third-party ||cdn.cdncomputer.com/js/main.js ||cdn.ndparking.com/js/init.min.js +||cdn.offcloud.com^$third-party +||cdn.pubexchange.com/modules/display/$script ||cdn.sweeva.com/images/$third-party ||cdnpark.com/scripts/js3.js ||cdnprk.com/scripts/js3.js @@ -76162,6 +79436,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||cerebral.typn.com^ ||cex.io/img/b/ ||cex.io/informer/$third-party +||cfcdn.com/showcase_sample/search_widget/ ||cgmlab.com/tools/geotarget/custombanner.js ||chacsystems.com/gk_add.html$third-party ||challies.com^*/wtsbooks5.png$third-party @@ -76173,7 +79448,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||citygridmedia.com/ads/ ||cjmooter.xcache.kinxcdn.com^ ||clarity.abacast.com^ -||clearchannel.com/cc-common/templates/addisplay/ ||click.eyk.net^ ||clickstrip.6wav.es^ ||clicksure.com/img/resources/banner_ @@ -76182,6 +79456,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||cloudfront.net/scripts/js3caf.js ||cloudzer.net/ref/ ||cloudzer.net^*/banner/$third-party +||cngroup.co.uk/service/creative/ ||cnhionline.com^*/rtj_ad.jpg ||cnnewmedia.co.uk/locker/ ||code.popup2m.com^$third-party @@ -76258,6 +79533,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||d2ipklohrie3lo.cloudfront.net^ ||d2mic0r0bo3i6z.cloudfront.net^ ||d2mq0uzafv8ytp.cloudfront.net^ +||d2nlytvx51ywh9.cloudfront.net^ ||d2o307dm5mqftz.cloudfront.net^ ||d2oallm7wrqvmi.cloudfront.net^ ||d2omcicc3a4zlg.cloudfront.net^ @@ -76290,6 +79566,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||d3lvr7yuk4uaui.cloudfront.net^ ||d3lzezfa753mqu.cloudfront.net^ ||d3m41swuqq4sv5.cloudfront.net^ +||d3nvrqlo8rj1kw.cloudfront.net^ ||d3p9ql8flgemg7.cloudfront.net^ ||d3pkae9owd2lcf.cloudfront.net^ ||d3q2dpprdsteo.cloudfront.net^ @@ -76360,6 +79637,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||downloadandsave-a.akamaihd.net^$third-party ||downloadprovider.me/en/search/*?aff.id=*&iframe=$third-party ||dp51h10v6ggpa.cloudfront.net^ +||dpsq2uzakdgqz.cloudfront.net^ ||dq2tgxnc2knif.cloudfront.net^ ||dramafever.com/widget/$third-party ||dramafeverw2.appspot.com/widget/$third-party @@ -76445,6 +79723,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||filefactory.com^*/refer.php?hash= ||filejungle.com/images/banner/ ||fileloadr.com^$third-party +||fileparadox.com/images/banner/ ||filepost.com/static/images/bn/ ||fileserve.com/images/banner_$third-party ||fileserver1.net/download @@ -76485,6 +79764,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||furiousteam.com^*/external_banner/ ||futuboxhd.com/js/bc.js ||futuresite.register.com/us?$third-party +||fxcc.com/promo/ ||fxultima.com/banner/ ||fyicentralmi.com/remote_widget?$third-party ||fyiwashtenaw.com/remote_widget? @@ -76507,8 +79787,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||geobanner.passion.com^ ||get.2leep.com^$third-party ||get.box24casino.com^$third-party +||get.davincisgold.com^$third-party +||get.paradise8.com^$third-party ||get.rubyroyal.com^$third-party ||get.slotocash.com^$third-party +||get.thisisvegas.com^$third-party ||getadblock.com/images/adblock_banners/$third-party ||gethopper.com/tp/$third-party ||getnzb.com/img/partner/banners/$third-party @@ -76533,6 +79816,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||google.com/pagead/ ||google.com/uds/afs?*adsense$subdocument ||googlesyndication.com/pagead/$third-party +||googlesyndication.com/safeframe/$third-party ||googlesyndication.com/simgad/$third-party ||googlesyndication.com^*/click_to_buy/$object-subrequest,third-party ||googlesyndication.com^*/domainpark.cgi? @@ -76548,6 +79832,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gsniper.com/images/$third-party ||guim.co.uk/guardian/thirdparty/tv-site/side.html ||guzzle.co.za/media/banners/ +||halllakeland.com/banner/ ||handango.com/marketing/affiliate/ ||haymarket-whistleout.s3.amazonaws.com/*_ad.html ||haymarket.net.au/Skins/ @@ -76556,6 +79841,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||hexero.com/images/banner.gif ||hide-my-ip.com/promo/ ||highepcoffer.com/images/banners/ +||hitleap.com/assets/banner- ||hitleap.com/assets/banner.png ||hm-sat.de/b.php ||hostdime.com/images/affiliate/$third-party @@ -76578,6 +79864,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||i.lsimg.net^*/takeover/ ||ibsrv.net/sidetiles/125x125/ ||ibsrv.net/sponsor_images/ +||ibsys.com/sh/sponsors/ ||ibvpn.com/img/banners/ ||icastcenter.com^*/amazon-buyfrom.gif ||icastcenter.com^*/itunes.jpg @@ -76655,6 +79942,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||kaango.com/fecustomwidgetdisplay? ||kallout.com^*.php?id= ||kaltura.com^*/vastPlugin.swf$third-party +||keep2share.cc/images/i/00468x0060- ||keyword-winner.com/demo/images/ ||king.com^*/banners/ ||knorex.asia/static-firefly/ @@ -76875,6 +80163,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||partner.e-conomic.com^$third-party ||partner.premiumdomains.com^ ||partnerads.ysm.yahoo.com^ +||partnerads1.ysm.yahoo.com^ ||partners.betus.com^$third-party ||partners.dogtime.com/network/ ||partners.fshealth.com^ @@ -76910,6 +80199,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||pokersavvy.com^*/banners/ ||pokerstars.com/?source=$subdocument,third-party ||pokerstars.com/euro_bnrs/ +||popeoftheplayers.eu/ad +||popmog.com^$third-party ||pops.freeze.com^$third-party ||pornturbo.com/tmarket.php ||post.rmbn.ru^$third-party @@ -76951,6 +80242,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||racebets.com/media.php? ||rack.bauermedia.co.uk^ ||rackcdn.com/brokers/$third-party,domain=fxempire.com|fxempire.de|fxempire.it|fxempire.nl +||rackcdn.com^$script,domain=search.aol.com ||rackspacecloud.com/Broker%20Buttons/$domain=investing.com ||radiocentre.ca/randomimages/$third-party ||radioreference.com/sm/300x75_v3.jpg @@ -76990,7 +80282,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ruralpressevents.com/agquip/logos/$domain=farmonline.com.au ||russian-dreams.net/static/js/$third-party ||rya.rockyou.com^$third-party -||s-assets.tp-cdn.com^ +||s-assets.tp-cdn.com/widgets/*/vwid/*.html? ||s-yoolk-banner-assets.yoolk.com^ ||s-yoolk-billboard-assets.yoolk.com^ ||s.cxt.ms^$third-party @@ -77013,6 +80305,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||secondspin.com/twcontent/ ||securep2p.com^$subdocument,third-party ||secureupload.eu/banners/ +||seedboxco.net/*.swf$third-party ||seedsman.com/affiliate/$third-party ||selectperformers.com/images/a/ ||selectperformers.com/images/elements/bannercolours/ @@ -77055,9 +80348,12 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||slickdeals.meritline.com^$third-party ||slot.union.ucweb.com^ ||slysoft.com/img/banner/$third-party +||smart.styria-digital.com^ ||smartdestinations.com/ai/$third-party ||smartlinks.dianomi.com^$third-party ||smilepk.com/bnrsbtns/ +||snacktools.net/bannersnack/ +||snapapp.com^$third-party,domain=bostonmagazine.com ||snapdeal.com^*.php$third-party ||sndkorea.nowcdn.co.kr^$third-party ||socialmonkee.com/images/$third-party @@ -77125,6 +80421,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||tap.more-results.net^ ||techbargains.com/inc_iframe_deals_feed.cfm?$third-party ||techbargains.com/scripts/banner.js$third-party +||tedswoodworking.com/images/banners/ ||textlinks.com/images/banners/ ||thaiforlove.com/userfiles/affb- ||thatfreething.com/images/banners/ @@ -77134,6 +80431,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||themify.me/banners/$third-party ||themis-media.com^*/sponsorships/ ||thereadystore.com/affiliate/ +||theseblogs.com/visitScript/ +||theseforums.com/visitScript/ ||theselfdefenseco.com/?affid=$third-party ||thetechnologyblog.net^*/bp_internet/ ||thirdpartycdn.lumovies.com^$third-party @@ -77161,8 +80460,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||tosol.co.uk/international.php?$third-party ||townnews.com^*/dealwidget.css? ||townnews.com^*/upickem-deals.js? +||townsquareblogs.com^*=sponsor& ||toysrus.com/graphics/promo/ ||traceybell.co.uk^$subdocument,third-party +||track.bcvcmedia.com^ ||tradeboss.com/1/banners/ ||travelmail.traveltek.net^$third-party ||travelplus.tv^$third-party,domain=kissanime.com @@ -77173,13 +80474,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||trialpay.com^*&dw-ptid=$third-party ||tribktla.files.wordpress.com/*-639x125-sponsorship.jpg? ||tribwgnam.files.wordpress.com^*reskin2. -||tripadvisor.ru/WidgetEmbed-tcphoto?$domain=rbth.co.uk|rbth.com +||tripadvisor.com/WidgetEmbed-*&partnerId=$domain=rbth.co.uk|rbth.com ||tritondigital.com/lt?sid*&hasads= ||tritondigital.com/ltflash.php? ||trivago.co.uk/uk/srv/$third-party ||tshirthell.com/img/affiliate_section/$third-party ||ttt.co.uk/TMConverter/$third-party ||turbobit.net/ref/$third-party +||turbobit.net/refers/$third-party ||turbotrafficsystem.com^*/banners/ ||turner.com^*/promos/ ||twinplan.com^ @@ -77217,7 +80519,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||videoweed.es/js/aff.js ||videozr.com^$third-party ||vidible.tv/placement/vast/ -||vidible.tv/prod/tags/ +||vidible.tv/prod/tags/$third-party ||vidyoda.com/fambaa/chnls/ADSgmts.ashx? ||viglink.com/api/batch^$third-party ||viglink.com/api/insert^$third-party @@ -77251,8 +80553,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||web-jp.ad-v.jp^ ||web2feel.com/images/$third-party ||webdev.co.zw/images/banners/$third-party -||weberotic.net/banners/$third-party -||webhostingpad.com/idevaffiliate/banners/ ||webmasterrock.com/cpxt_pab ||website.ws^*/banners/ ||whistleout.s3.amazonaws.com^ @@ -77264,11 +80564,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||widget.kelkoo.com^ ||widget.raaze.com^ ||widget.scoutpa.com^$third-party +||widget.searchschoolsnetwork.com^ ||widget.shopstyle.com.au^ ||widget.shopstyle.com/widget?pid=$subdocument,third-party ||widget.solarquotes.com.au^ ||widgetcf.adviceiq.com^$third-party ||widgets.adviceiq.com^$third-party +||widgets.fie.futurecdn.net^$script ||widgets.itunes.apple.com^*&affiliate_id=$third-party ||widgets.mobilelocalnews.com^$third-party ||widgets.mozo.com.au^$third-party @@ -77277,6 +80579,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||widgets.realestate.com.au^ ||wildamaginations.com/mdm/banner/ ||winpalace.com/?affid= +||winsms.co.za/banner/ ||wishlistproducts.com/affiliatetools/$third-party ||wm.co.za/24com.php? ||wm.co.za/wmjs.php? @@ -77298,6 +80601,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||x3cms.com/ads/ ||xcams.com/livecams/pub_collante/script.php?$third-party ||xgaming.com/rotate*.php?$third-party +||xigen.co.uk^*/Affiliate/ ||xingcloud.com^*/uid_ ||xml.exactseek.com/cgi-bin/js-feed.cgi?$third-party ||xproxyhost.com/images/banners/ @@ -77307,6 +80611,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||yeas.yahoo.co.jp^ ||yieldmanager.edgesuite.net^$third-party ||yimg.com/gs/apex/mediastore/ +||yimg.com^*/dianominewwidget2.html$domain=yahoo.com ||yimg.com^*/quickplay_maxwellhouse.png ||yimg.com^*/sponsored.js ||yimg.com^*_skin_$domain=yahoo.com @@ -77317,9 +80622,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||zapads.zapak.com^ ||zazzle.com/utl/getpanel$third-party ||zazzle.com^*?rf$third-party +||zergnet.com/zerg.js$third-party ||zeus.qj.net^ ||zeusfiles.com/promo/ ||ziffdavisenterprise.com/contextclicks/ +||ziffprod.com/CSE/BestPrice? ||zip2save.com/widget.php? ||zmh.zope.net^$third-party ||zoomin.tv/video/*.flv$third-party,domain=twitch.tv @@ -77340,15 +80647,15 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||babylon.com/redirects/$popup,third-party ||babylon.com/welcome/index.html?affID=$popup,third-party ||banner.galabingo.com^$popup,third-party -||bet365.com/home/?affiliate=$popup +||bet365.com^*affiliate=$popup ||binaryoptions24h.com^$popup,third-party ||bovada.lv^$popup,third-party +||casino.com^*?*=$popup,third-party ||casinoadviser.net^$popup ||cdn.optmd.com^$popup,third-party ||chatlivejasmin.net^$popup ||chatulfetelor.net/$popup ||chaturbate.com/affiliates/$popup,third-party -||click.aliexpress.com/e/$popup,third-party ||click.scour.com^$popup,third-party ||clickansave.net^$popup,third-party ||ctcautobody.com^$popup,third-party @@ -77383,6 +80690,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||itunes.apple.com^$popup,domain=fillinn.com ||liutilities.com^*/affiliate/$popup ||lovefilm.com/partners/$popup,third-party +||lovepoker.de^*/?pid=$popup ||lp.ilivid.com/?$popup,third-party ||lp.imesh.com/?$popup,third-party ||lp.titanpoker.com^$popup,third-party @@ -77401,8 +80709,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||opendownloadmanager.com^$popup,third-party ||otvetus.com^$popup,third-party ||paid.outbrain.com/network/redir?$popup,third-party -||partycasino.com^$popup,third-party -||partypoker.com^$popup,third-party ||planet49.com/cgi-bin/wingame.pl?$popup ||platinumdown.com^$popup ||pokerstars.eu^*/?source=$popup,third-party @@ -77418,6 +80724,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||secure.komli.com^$popup,third-party ||serve.prestigecasino.com^$popup,third-party ||serve.williamhillcasino.com^$popup,third-party +||settlecruise.org^$popup ||sharecash.org^$popup,third-party ||softingo.com/clp/$popup ||stake7.com^*?a_aid=$popup,third-party @@ -77425,6 +80732,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||stargames.com/web/*&cid=*&pid=$popup,third-party ||sunmaker.com^*^a_aid^$popup,third-party ||thebestbookies.com^$popup,domain=firstrow1us.eu +||theseforums.com^*/?ref=$popup ||thetraderinpajamas.com^$popup,third-party ||tipico.com^*?affiliateid=$popup,third-party ||torntv-tvv.org^$popup,third-party @@ -77491,6 +80799,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||affiliates.easydate.biz^$third-party ||affiliates.franchisegator.com^$third-party ||affiliates.thrixxx.com^ +||allanalpass.com/visitScript/ ||alt.com/go/$third-party ||amarotic.com/Banner/$third-party ||amarotic.com/rotation/layer/chatpage/$third-party @@ -77575,6 +80884,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||dailyvideo.securejoin.com^ ||daredorm.com^$subdocument,third-party ||datefree.com^$third-party +||ddfcash.com/iframes/$third-party ||ddfcash.com/promo/banners/ ||ddstatic.com^*/banners/ ||desk.cmix.org^ @@ -77586,6 +80896,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||dvdbox.com/promo/$third-party ||eliterotica.com/images/banners/ ||erotikdeal.com/?ref=$third-party +||escortforum.net/images/banners/$third-party ||eurolive.com/?module=public_eurolive_onlinehostess& ||eurolive.com/index.php?module=public_eurolive_onlinetool& ||evilangel.com/static/$third-party @@ -77627,7 +80938,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gfrevenge.com/vbanners/ ||girls-home-alone.com/dating/ ||go2cdn.org/brand/$third-party -||graphics.cams.com^$third-party ||graphics.pop6.com/javascript/$script,third-party,domain=~adultfriendfinder.co.uk|~adultfriendfinder.com ||graphics.streamray.com^*/cams_live.swf$third-party ||hardbritlads.com/banner/ @@ -77711,6 +81021,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||nudemix.com/widget/ ||nuvidp.com^$third-party ||odnidoma.com/ban/$third-party +||openadultdirectory.com/banner-$third-party ||orgasmtube.com/js/superP/ ||otcash.com/images/$third-party ||outils.f5biz.com^$third-party @@ -77729,6 +81040,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||pop6.com/banners/$third-party ||pop6.com/javascript/im_box-*.js ||porn2blog.com/wp-content/banners/ +||porndeals.com^$subdocument,third-party ||pornhubpremium.com/relatedpremium/$subdocument,third-party ||pornoh.info^$image,third-party ||pornravage.com/notification/$third-party @@ -77748,6 +81060,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||promo1.webcams.nl^$third-party ||promos.gpniches.com^$third-party ||promos.meetlocals.com^$third-party +||promos.wealthymen.com^$third-party +||ptcdn.mbicash.nl^$third-party +||punterlink.co.uk/images/storage/siteban$third-party ||pussycash.com/content/banners/$third-party ||rabbitporno.com/friends/ ||rabbitporno.com/iframes/$third-party @@ -77800,6 +81115,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||swurve.com/affiliates/ ||target.vivid.com^$third-party ||teendaporn.com/rk.js +||thrixxx.com/affiliates/$image ||thrixxx.com/scripts/show_banner.php? ||thumbs.sunporno.com^$third-party ||thumbs.vstreamcdn.com^*/slider.html @@ -77811,6 +81127,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||trader.erosdlz.com^$third-party ||ts.videosz.com/iframes/ ||tubefck.com^*/adawe.swf +||tumblr.com^*/tumblr_mht2lq0XUC1rmg71eo1_500.gif$domain=stocporn.com ||turbolovervidz.com/fling/ ||twiant.com/img/banners/ ||twilightsex.com^$subdocument,third-party @@ -77864,6 +81181,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||chaturbate.com/*/?join_overlay=$popup ||chaturbate.com/sitestats/openwindow/$popup ||cpm.amateurcommunity.*?cp=$popup,third-party +||devilsfilm.com/track/go.php?$popup,third-party ||epornerlive.com/index.php?*=punder$popup ||exposedwebcams.com/?token=$popup,third-party ||ext.affaire.com^$popup @@ -77886,8 +81204,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||join.teamskeet.com/track/$popup,third-party ||join.whitegfs.com^$popup ||judgeporn.com/video_pop.php?$popup +||linkfame.com^*/go.php?$popup,third-party ||livecams.com^$popup -||livejasmin.com^$popup +||livejasmin.com^$popup,third-party ||media.campartner.com/index.php?cpID=*&cpMID=$popup,third-party ||media.campartner.com^*?cp=$popup,third-party ||meetlocals.com^*popunder$popup @@ -77930,42 +81249,45 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||yuvutu.com^$popup,third-party !----------------------Specific advert blocking filters-----------------------! ! *** easylist:easylist/easylist_specific_block.txt *** -.com/b?z=$domain=couchtuner.eu +.com/b?z=$domain=couchtuner.eu|zzstream.li .com/jquery/*.js?_t=$script,third-party .info/*.js?guid=$script,third-party .info^$script,domain=allmyvideos.net|mediafire.com|mooshare.biz|muchshare.net|royalvids.eu|tvmuse.com|tvmuse.eu|vidspot.net|vidtomp3.com /*;sz=*;ord=$domain=webhostingtalk.com /3market.php?$domain=adf.ly|j.gs|q.gs|u.bb /?placement=$script,domain=sockshare.com -/^https?\:\/\/(?!(connect\.facebook\.net|ajax\.cloudflare\.com|www\.google-analytics\.com|ajax\.googleapis\.com|fbstatic-a\.akamaihd\.net)\/)/$script,third-party,xmlhttprequest,domain=firedrive.com -/^https?\:\/\/(?!(connect\.facebook\.net|ajax\.cloudflare\.com|www\.google-analytics\.com|ajax\.googleapis\.com|fbstatic-a\.akamaihd\.net|stats\.g\.doubleclick\.net|api-secure\.solvemedia\.com|api\.solvemedia\.com|sb\.scorecardresearch\.com|www\.google\.com)\/)/$script,third-party,xmlhttprequest,domain=mediafire.com -/^https?\:\/\/(?!(connect\.facebook\.net|www\.google-analytics\.com|ajax\.googleapis\.com|netdna\.bootstrapcdn\.com|\[\w\-]+\.addthis\.com|bp\.yahooapis\.com|b\.scorecardresearch\.com|platform\.twitter\.com)\/)/$script,third-party,xmlhttprequest,domain=promptfile.com -/^https?\:\/\/(?!(ct1\.addthis\.com|s7\.addthis\.com|b\.scorecardresearch\.com|www\.google-analytics\.com|ajax\.googleapis\.com|static\.sockshare\.com)\/)/$script,third-party,xmlhttprequest,domain=sockshare.com -/^https?\:\/\/(?!(feather\.aviary\.com|api\.aviary\.com|wd-edge\.sharethis\.com|w\.sharethis\.com|edge\.quantserve\.com|tags\.crwdcntrl\.net|static2\.pbsrc\.com|az412349\.vo\.msecnd\.net|printio-geo\.appspot\.com|www\.google-analytics\.com|loadus\.exelator\.com|b\.scorecardresearch\.com)\/)/$script,third-party,xmlhttprequest,domain=photobucket.com|~secure.photobucket.com +/af.php?$subdocument /assets/_takeover/*$domain=deadspin.com|gawker.com|gizmodo.com|io9.com|jalopnik.com|jezebel.com|kotaku.com|lifehacker.com /clickpop.js$domain=miliblog.co.uk /com.js$domain=kinox.to /get/path/.banners.$image,third-party +/http://\[a-zA-Z0-9]+\.\[a-z]+\/.*\[a-zA-Z0-9]+/$script,third-party,domain=affluentinvestor.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthumbsgaming.com|barbwire.com|bighealthreport.com|bulletsfirst.net|clashdaily.com|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|cowboybyte.com|creationrevolution.com|dailysurge.com|dccrimestories.com|drginaloudon.com|drhotze.com|eaglerising.com|freedomoutpost.com|godfatherpolitics.com|instigatornews.com|joeforamerica.com|libertyalliance.com|libertymafia.com|libertyunyielding.com|mediafire.com|menrec.com|nickadamsinamerica.com|patriot.tv|patriotoutdoornews.com|patriotupdate.com|photobucket.com|pitgrit.com|politicaloutcast.com|primewire.ag|promptfile.com|quinhillyer.com|shark-tank.com|stevedeace.com|themattwalshblog.com|therealside.com|tinypic.com|victoriajackson.com|zionica.com /market.php?$domain=adf.ly|u.bb /nexp/dok2v=*/cloudflare/rocket.js$script,domain=ubuntugeek.com /static/js/pop*.js$script,domain=baymirror.com|getpirate.com|livepirate.com|mypiratebay.cl|noncensuram.info|pirateproxy.net|pirateproxy.se|proxicity.info|thepiratebay.se.coevoet.nl|tpb.chezber.org|tpb.ipredator.se|tpb.piraten.lu|tpb.pirateparty.ca|tpb.pirates.ie ?random=$script,domain=allmyvideos.net|mediafire.com|mooshare.biz|muchshare.net|tvmuse.com|tvmuse.eu|vidspot.net ^guid=$script,domain=allmyvideos.net|mediafire.com|mooshare.biz|muchshare.net|tvmuse.com|tvmuse.eu|vidspot.net -|http:$subdocument,third-party,domain=2ad.in|adf.ly|adfoc.us|adv.li|allmyvideos.net|ay.gy|imgmega.com|j.gs|linkbucksmedia.com|q.gs|shr77.com|thevideo.me|u.bb|vidspot.net +|http:$subdocument,third-party,domain=2ad.in|ad2links.com|adf.ly|adfoc.us|adv.li|adyou.me|allmyvideos.net|ay.gy|imgmega.com|j.gs|linkbucksmedia.com|q.gs|shr77.com|thevideo.me|u.bb|vidspot.net |http://*.com^*|*$script,third-party,domain=sporcle.com +|http://creative.*/smart.js$script,third-party |http://j.gs/omnigy*.swf |http://p.pw^$subdocument |https:$subdocument,third-party,domain=2ad.in|adf.ly|adfoc.us|adjet.biz|adv.li|ay.gy|j.gs|q.gs|u.bb ||0-60mag.com/js/takeover-2.0/ ||04stream.com/NEWAD11.php? +||04stream.com/podddpo.js ||10-fast-fingers.com/quotebattle-ad.png ||100best-free-web-space.com/images/ipage.gif ||1023xlc.com/upload/*_background_ ||1043thefan.com^*_Sponsors/ +||1071radio.com//wp-content/banners/ ||1077thebone.com^*/banners/ ||109.236.82.94^$domain=fileforever.net ||11points.com/images/slack100.jpg +||1320wils.com/assets/images/promo%20banner/ ||1340wcmi.com/images/banners/ +||1430wnav.com/images/300- +||1430wnav.com/images/468- ||1590wcgo.com/images/banners/ ||174.143.241.129^$domain=astalavista.com ||1776coalition.com/wp-content/plugins/sam-images/ @@ -77985,6 +81307,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||24hourwristbands.com/*.googleadservices.com/ ||2flashgames.com/img/nfs.gif ||2mfm.org/images/banners/ +||2oceansvibe.com/?custom=takeover ||2pass.co.uk/img/avanquest2013.gif ||360haven.com/forums/*.advertising.com/ ||3dsemulator.org/img/download.png @@ -78017,13 +81340,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||911tabs.com/img/takeover_app_ ||911tabs.com^*/ringtones_overlay.js ||977music.com/index.php?p=get_loading_banner +||977rocks.com/images/300- ||980wcap.com/sponsorlogos/ ||9news.com/promo/ ||a.cdngeek.net^ ||a.giantrealm.com^ ||a.i-sgcm.com^ ||a.kat.ph^ -||a.kickass.so^ +||a.kickass. ||a.kickasstorrent.me^ ||a.kickassunblock.info^ ||a.kickassunblock.net^ @@ -78048,7 +81372,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||absolutewrite.com^*/Scrivener-11-thumbnail-cover_160x136.gif ||absolutewrite.com^*_468x60banner. ||absolutewrite.com^*_ad.jpg -||ac.vpsboard.com^ ||ac2.msn.com^ ||access.njherald.com^ ||accesshollywood.com/aife?$subdocument @@ -78070,6 +81393,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ad.pandora.tv^ ||ad.reachlocal.com^ ||ad.search.ch^ +||ad.services.distractify.com^ ||adamvstheman.com/wp-content/uploads/*/AVTM_banner.jpg ||adcitrus.com^ ||addirector.vindicosuite.com^ @@ -78087,7 +81411,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adpost.com/skyserver.g. ||adpost.com^*.g.html ||ads-*.hulu.com^ -||ads-grooveshark.com^ ||ads-rolandgarros.com^ ||ads.pof.com^ ||ads.zynga.com^ @@ -78151,6 +81474,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||amazonaws.com/cdn/campaign/$domain=caclubindia.com ||amazonaws.com/cdn/ipfc/$object,domain=caclubindia.com ||amazonaws.com/files.bannersnack.com/ +||amazonaws.com/videos/$domain=technewstoday.com ||amazonaws.com^*-ad.jpg$domain=ewn.co.za ||amazonaws.com^*-Banner.jpg$domain=ewn.co.za ||amazonaws.com^*/site-takeover/$domain=songza.com @@ -78172,15 +81496,18 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||anhits.com/files/banners/ ||anilinkz.com/img/leftsponsors. ||anilinkz.com/img/rightsponsors +||anilinkz.tv/kwarta- ||animationxpress.com/anex/crosspromotions/ ||animationxpress.com/anex/solutions/ ||anime-source.com/banzai/banner.$subdocument +||anime1.com/service/joyfun/ ||anime44.com/anime44box.jpg ||anime44.com/images/videobb2.png ||animea.net/do/ ||animeflavor.com/animeflavor-gao-gamebox.swf ||animeflv.net/cpm.html ||animefushigi.com/boxes/ +||animehaven.org/wp-content/banners/ ||animenewsnetwork.com/stylesheets/*skin$image ||animenewsnetwork.com^*.aframe? ||animeshippuuden.com/adcpm.js @@ -78237,9 +81564,12 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||astalavista.com/avtng/ ||astalavista.com^*/sponsor- ||astronomy.com/sitefiles/overlays/overlaygenerator.aspx? +||astronomynow.com/wp-content/promos/ ||atdhe.ws/pp.js +||atimes.com/banner/ ||atimes.com^*/ahm728x90.swf ||attitude.co.uk/images/Music_Ticket_Button_ +||atđhe.net/pu/ ||augusta.com/sites/*/yca_plugin/yahoo.js$domain=augusta.com ||auto123.com/sasserve.spy ||autoline-eu.co.uk/atlads/ @@ -78274,6 +81604,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||backin.net/s/promo/ ||backpagelead.com.au/images/banners/ ||badongo.com^*_banner_ +||bahamaslocal.com/img/banners/ ||baixartv.com/img/bonsdescontos. ||bakercountypress.com/images/banners/ ||ballerarcade.com/ispark/ @@ -78334,6 +81665,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||bitcoinist.net/wp-content/*/630x80-bitcoinist.gif ||bitcoinist.net/wp-content/uploads/*_250x250_ ||bitcoinreviewer.com/wp-content/uploads/*/banner-luckybit.jpg +||bitminter.com/images/info/spondoolies ||bitreactor.to/sponsor/ ||bitreactor.to/static/subpage$subdocument ||bittorrent.am/banners/ @@ -78356,6 +81688,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||blip.fm/ad/ ||blitzdownloads.com/promo/ ||blog.co.uk/script/blogs/afc.js +||blogevaluation.com/templates/userfiles/banners/ ||blogorama.com/images/banners/ ||blogsdna.com/wp-content/themes/blogsdna2011/images/advertisments.png ||blogsmithmedia.com^*_skin. @@ -78366,6 +81699,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||bn0.com/4v4.js ||bnrs.ilm.ee^ ||bolandrugby.com/images/sponsors. +||bom.gov.au/includes/marketing2.php? ||bookingbuddy.com/js/bookingbuddy.strings.php?$domain=smartertravel.com ||botswanaguardian.co.bw/images/banners/ ||boulderjewishnews.org^*/JFSatHome-3.gif @@ -78409,9 +81743,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||btkitty.com/static/images/880X60.gif ||btkitty.org/static/images/880X60.gif ||btmon.com/da/$subdocument -||budapesttimes.hu/images/banners/ ||bundesliga.com^*/_partner/ -||businesstimes.com.sg^*/ad ||busiweek.com^*/banners/ ||buy-n-shoot.com/images/banners/banner- ||buy.com/*/textlinks.aspx @@ -78423,7 +81755,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||bypassoxy.com/vectrotunnel-banner.gif ||c-sharpcorner.com^*/banners/ ||c-ville.com/image/pool/ -||c21media.net/uploads/flash/*.swf ||c21media.net/wp-content/plugins/sam-images/ ||c9tk.com/images/banner/ ||cadplace.co.uk/banner/ @@ -78431,14 +81762,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||cadvv.koreaherald.com^ ||cafemomstatic.com/images/background/$image ||cafimg.com/images/other/ +||cafonline.com^*/sponsors/ ||caladvocate.com/images/banner- ||caledonianrecord.com/iFrame_ ||caledonianrecord.com/SiteImages/HomePageTiles/ ||caledonianrecord.com/SiteImages/Tile/ ||calgaryherald.com/images/sponsor/ ||calgaryherald.com/images/storysponsor/ -||canadianfamily.ca^*/cf_wallpaper_ -||canadianfamily.ca^*_ad_ ||canalboat.co.uk^*/bannerImage. ||canalboat.co.uk^*/Banners/ ||cananewsonline.com/files/banners/ @@ -78449,6 +81779,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||capitalfm.co.ke^*/830x460-iv.jpg ||capitolfax.com/wp-content/*ad. ||capitolfax.com/wp-content/*Ad_ +||captchaad.com/captchaad.js$domain=gca.sh ||card-sharing.net/cccamcorner.gif ||card-sharing.net/topsharingserver.jpg ||card-sharing.net/umbrella.png @@ -78497,20 +81828,15 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||channel4fm.com/images/background/ ||channel4fm.com/promotion/ ||channel5.com/assets/takeovers/ -||channel5belize.com^*/bmobile2.jpg ||channelonline.tv/channelonline_advantage/ -||channelstv.com^*-ad.jpg -||channelstv.com^*-leader-board-600-x-86-pixels.jpg -||channelstv.com^*/MTN_VTU.jpg -||channelstv.com^*/mtn_wp.png -||chapagain.com.np^*_125x125_ ||chapala.com/wwwboard/webboardtop.htm ||checkpagerank.net/banners/ ||checkwebsiteprice.com/images/bitcoin.jpg ||chelsey.co.nz/uploads/Takeovers/ ||chicagodefender.com/images/banners/ -||china.com^*/googlehead.js ||chinanews.com/gg/ +||chronicle.lu/images/banners/ +||chronicle.lu/images/Sponsor_ ||churchnewssite.com^*-banner1. ||churchnewssite.com^*/banner- ||churchnewssite.com^*/bannercard- @@ -78532,7 +81858,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||classical897.org/common/sponsors/ ||classicfeel.co.za^*/banners/ ||classicsdujour.com/artistbanners/ -||clgaming.net/interface/img/background-bigfoot.jpg +||clgaming.net/interface/img/sponsor/ ||click.livedoor.com^ ||clicks.superpages.com^ ||cloudfront.net/*/takeover/$domain=offers.com @@ -78540,8 +81866,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||cloudfront.net/hot/ars.dart/$domain=arstechnica.com ||clubhyper.com/images/hannantsbanner_ ||clubplanet.com^*/wallpaper/ -||clydeandforthpress.co.uk/images/car_buttons/ -||clydeandforthpress.co.uk/images/cheaper_insurance_direct.jpg ||cmodmedia*.live.streamtheworld.com/media/cm-audio/cm:*.mp3$domain=rdio.com ||cmpnet.com/ads/ ||cms.myspacecdn.com^*/splash_assets/ @@ -78550,6 +81874,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||cnetwidget.creativemark.co.uk^ ||cnn.com/ad- ||cnn.com/cnn_adspaces/ +||cnn.com^*/ad_policy.xml$object-subrequest,domain=cnn.com ||cnn.com^*/banner.html?&csiid= ||cnn.net^*/lawyers.com/ ||cntv.cn/Library/js/js_ad_gb.js @@ -78581,7 +81906,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||compassnewspaper.com/images/banners/ ||complaintsboard.com/img/202x202.gif ||complaintsboard.com/img/banner- -||completesportsnigeria.com/img/cc_logo_80x80.gif ||complexmedianetwork.com^*/takeovers/ ||complexmedianetwork.com^*/toolbarlogo.png ||computerandvideogames.com^*/promos/ @@ -78589,9 +81913,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||computerworld.com^*/jobroll/ ||con-telegraph.ie/images/banners/ ||concrete.tv/images/banners/ -||concrete.tv/images/logos/ ||connectionstrings.com/csas/public/a.ashx? ||conscioustalk.net/images/sponsors/ +||conservativetribune.com/cdn-cgi/pe/bag2?r\[]=*revcontent.com ||console-spot.com^*.swf ||constructionreviewonline.com^*730x90 ||constructionreviewonline.com^*banner @@ -78624,6 +81948,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||crunchyroll.*/vast? ||crushorflush.com/html/promoframe.html ||cruzine.com^*/banners/ +||cryptocoinsnews.com/wp-content/uploads/*/ccn.png +||cryptocoinsnews.com/wp-content/uploads/*/cloudbet_ +||cryptocoinsnews.com/wp-content/uploads/*/xbt-social.png +||cryptocoinsnews.com/wp-content/uploads/*/xbt.jpg ||cryptocoinsnews.com/wp-content/uploads/*takeover ||crystalmedianetworks.com^*-180x150.jpg ||cship.org/w/skins/monobook/uns.gif @@ -78643,6 +81971,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||d.thelocal.com^ ||d5e.info/1.gif ||d5e.info/2.png +||d6vwe9xdz9i45.cloudfront.net/psa.js$domain=sporcle.com ||da.feedsportal.com^$~subdocument ||dabs.com/images/page-backgrounds/ ||dads.new.digg.com^ @@ -78675,7 +82004,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||dailymotion.com/skin/data/default/partner/$~stylesheet ||dailymotion.com^*masscast/ ||dailynews.co.tz/images/banners/ -||dailynews.co.zw/banners/ +||dailynews.co.zw^*-takeover. ||dailynews.gov.bw^*/banner_ ||dailynews.lk^*/webadz/ ||dailypioneer.com/images/banners/ @@ -78709,8 +82038,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||defensereview.com^*_banner_ ||delvenetworks.com^*/acudeo.swf$object-subrequest,~third-party ||demerarawaves.com/images/banners/ -||demonoid.ph/cached/va_right.html -||demonoid.ph/cached/va_top.html +||demonoid.unblockt.com/cached/$subdocument ||depic.me/bann/ ||depositphotos.com^$subdocument,third-party ||deseretnews.com/img/sponsors/ @@ -78732,7 +82060,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||diamondworld.net/admin/getresource.aspx? ||dictionary.cambridge.org/info/frame.html?zone= ||dictionary.com^*/serp_to/ -||dig.abclocal.go.com/preroll/ ||digdug.divxnetworks.com^ ||digitaljournal.com/promo/ ||digitalreality.co.nz^*/360_hacks_banner.gif @@ -78797,6 +82124,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||dump8.com/tiz/ ||dump8.com/wget.php ||dump8.com/wget_2leep_bottom.php +||durbannews.co.za^*_new728x60.gif ||dustcoin.com^*/image/ad- ||dvdvideosoft.com^*/banners/ ||dwarfgames.com/pub/728_top. @@ -78807,6 +82135,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||eastonline.eu/images/banners/ ||eastonline.eu/images/eng_banner_ ||easybytez.com/pop3.js +||eatsleepsport.com/images/manorgaming1.jpg ||ebayrtm.com/rtm?RtmCmd*&enc= ||ebayrtm.com/rtm?RtmIt ||ebaystatic.com/aw/pics/signin/*_signInSkin_ @@ -78837,8 +82166,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ejpress.org/images/banners/ ||ejpress.org/img/banners/ ||ekantipur.com/uploads/banner/ -||el33tonline.com/images/*skin$image -||el33tonline.com^*-skin2.jpg ||electricenergyonline.com^*/bannieres/ ||electronicsfeed.com/bximg/ ||elevenmyanmar.com/images/banners/ @@ -78847,6 +82174,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||elocallink.tv^*/showgif.php? ||emergencymedicalparamedic.com/wp-content/uploads/2011/12/anatomy.gif ||emoneyspace.com/b.php +||empirestatenews.net/Banners/ ||emsservice.de.s3.amazonaws.com/videos/$domain=zattoo.com ||emsservice.de/videos/$domain=zattoo.com ||emule-top50.com/extras/$subdocument @@ -78854,7 +82182,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||encyclopediadramatica.es/edf/$domain=~forum.encyclopediadramatica.es ||encyclopediadramatica.es/lanhell.js ||encyclopediadramatica.es/spon/ -||encyclopediadramatica.se/edf/ +||encyclopediadramatica.se/edf/$domain=~forum.encyclopediadramatica.se ||energytribune.com/res/banner/ ||england.fm/i/ducksunited120x60english.gif ||englishtips.org/b/ @@ -78873,21 +82201,18 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||espn.vad.go.com^$domain=youtube.com ||espn1320.net/get_preroll.php? ||essayinfo.com/img/125x125_ +||essayscam.org^*/ads.js ||esus.com/images/regiochat_logo.png -||eteknix.com/wp-content/*-skin +||eteknix.com/wp-content/uploads/*skin ||eteknix.com/wp-content/uploads/*Takeover ||etidbits.com/300x250news.php ||euphonik.dj/img/sponsors- -||eurocupbasketball.com/eurocup/tools/footer-logos +||eurochannel.com/images/banners/ +||eurocupbasketball.com^*/sponsors- ||eurodict.com/images/banner_ ||eurogamer.net/quad.php ||eurogamer.net^*/takeovers/ -||euroleague.net/euroleague/footer-logos -||euroleague.net^*-300x100- -||euroleague.net^*-5sponsors1314.png -||euroleague.net^*/banner_bwin.jpg -||euroleague.net^*/eclogosup.png -||euroleague.net^*_title_bwin.gif +||euroleague.net^*/sponsors- ||euronews.com/media/farnborough/farnborough_wp.jpg ||european-rubber-journal.com/160x600px_ ||europeonline-magazine.eu/banner/ @@ -78904,7 +82229,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||eweek.com/images/stories/marketing/ ||eweek.com/widgets/ibmtco/ ||eweek.com^*/sponsored- +||ewrc-results.com/images/horni_ewrc_result_banner3.jpg ||ex1.gamecopyworld.com^$subdocument +||exashare.com/player_file.jpg ||exceluser.com^*/pub/rotate_ ||exchangerates.org.uk/images-NEW/tor.gif ||exchangerates.org.uk/images/150_60_ @@ -78960,8 +82287,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||filedino.com/imagesn/downloadgif.gif ||fileflyer.com/img/dap_banner_ ||filegaga.com/ot/fast.php? -||filenuke.com/a/img/dl-this.gif -||filenuke.com/pop.min.js ||fileom.com/img/downloadnow.png ||fileom.com/img/instadownload2.png ||fileplanet.com/fileblog/sub-no-ad.shtml @@ -78977,8 +82302,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||filmovizija.com/Images/photo4sell.jpg ||filmsite.org/dart-zones.js ||fimserve.ign.com^ -||financialgazette.co.zw^*/banners/ ||financialnewsandtalk.com/scripts/slideshow-sponsors.js +||financialsamurai.com/wp-content/uploads/*/sliced-alternative-10000.jpg ||findfiles.com/images/icatchallfree.png ||findfiles.com/images/knife-dancing-1.gif ||findfreegraphics.com/underp.js @@ -78986,6 +82311,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||findit.com.mt/dynimage/boxbanner/ ||findit.com.mt/viewer/ ||findnsave.idahostatesman.com^ +||findthebest-sw.com/sponsor_event? ||finextra.com^*/leaderboards/ ||finextra.com^*/pantiles/ ||firedrive.com/appdata/ @@ -78996,16 +82322,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||firstpost.com^*/sponsered- ||firstpost.com^*_skin_ ||firstpost.com^*_sponsored. -||firstpost.in^*-60-29. ||firstpost.in^*/promo/ -||firstpost.in^*/sponsered- -||firstpost.in^*/sponsered_ -||firstpost.in^*_skin_ ||firstrows.biz/js/bn.js ||firstrows.biz/js/pu.js ||firstrowsports.li/frame/ ||firstrowusa.eu/js/bn.js ||firstrowusa.eu/js/pu.js +||firsttoknow.com^*/page-criteo- ||fishchannel.com/images/sponsors/ ||fiverr.com/javascripts/conversion.js ||flameload.com/onvertise. @@ -79097,7 +82420,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||funpic.org/layer.php? ||fuse.tv/images/sponsor/ ||futbol24.com/f24/rek/$~xmlhttprequest -||g-ecx.images-amazon.com/images/*/traffic/$image +||fuzface.com/dcrtv/ad$domain=dcrtv.com +||fırstrowsports.eu/pu/ ||g.brothersoft.com^ ||gabzfm.com/images/banners/ ||gaccmidwest.org/uploads/tx_bannermanagement/ @@ -79146,6 +82470,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gbrej.com/c/ ||gcnlive.com/assets/sponsors/ ||gcnlive.com/assets/sponsorsPlayer/ +||geckoforums.net/banners/ ||geeklab.info^*/billy.png ||gelbooru.com/lk.php$subdocument ||gelbooru.com/poll.php$subdocument @@ -79164,8 +82489,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||getfoxyproxy.org/images/abine/ ||getprice.com.au/searchwidget.aspx?$subdocument ||getreading.co.uk/static/img/bg_takeover_ +||getresponse.com^$domain=wigflip.com ||getrichslowly.org/blog/img/banner/ ||getsurrey.co.uk^*/bg_takeover_ +||gfi.com/blog/wp-content/uploads/*-BlogBanner ||gfx.infomine.com^ ||ghacks.net/skin- ||ghafla.co.ke/images/banners/ @@ -79175,6 +82502,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gigaom2.files.wordpress.com^*-center-top$image ||girlguides.co.za/images/banners/ ||girlsgames.biz/games/partner*.php +||gizmochina.com/images/blackview.jpg +||gizmochina.com^*/100002648432985.gif +||gizmochina.com^*/kingsing-t8-advert.jpg +||gizmochina.com^*/landvo-l600-pro-feature.jpg ||glam.com^*/affiliate/ ||glamourviews.com/home/zones? ||glassdoor.com/getAdSlotContentsAjax.htm? @@ -79182,9 +82513,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||globalsecurity.org/_inc/frames/ ||globaltimes.cn/desktopmodules/bannerdisplay/ ||glocktalk.com/forums/images/banners/ -||go4up.com/assets/img/Download-button- -||go4up.com/images/fanstash.jpg -||go4up.com/images/hipfile.png +||go4up.com/assets/img/d0.png +||go4up.com/assets/img/download-button.png ||goal.com^*/betting/$~stylesheet ||goal.com^*/branding/ ||goauto.com.au/mellor/mellor.nsf/toy$subdocument @@ -79225,7 +82555,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||greenoptimistic.com/images/electrician2.png ||greyorgray.com/images/Fast%20Business%20Loans%20Ad.jpg ||greyorgray.com/images/hdtv-genie-gog.jpg -||grocotts.co.za/files/birch27aug.jpg ||gruntig2008.opendrive.com^$domain=gruntig.net ||gsprating.com/gap/image.php? ||gtop100.com/a_images/show-a.php? @@ -79241,6 +82570,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gurgle.com/modules/mod_m10banners/ ||guru99.com/images/adblocker/ ||gwinnettdailypost.com/1.iframe.asp? +||h33t.to/images/button_direct.png ||ha.ckers.org/images/fallingrock-bot.png ||ha.ckers.org/images/nto_top.png ||ha.ckers.org/images/sectheory-bot.png @@ -79262,6 +82592,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||hd-bb.org^*/dl4fbanner.gif ||hdtvtest.co.uk/image/partner/$image ||hdtvtest.co.uk^*/pricerunner.php +||headlineplanet.com/home/box.html +||headlineplanet.com/home/burstbox.html ||healthfreedoms.org/assets/swf/320x320_ ||heatworld.com/images/*_83x76_ ||heatworld.com/upload/takeovers/ @@ -79278,7 +82610,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||herold.at^*.swf?*&linktarget=_blank ||herzeleid.com/files/images/banners/ ||hexupload.com^*.gif$domain=uploadbaz.com -||hhg.sharesix.com^ ||hickoryrecord.com/app/deal/ ||highdefjunkies.com/images/misc/kindlejoin.jpg ||highdefjunkies.com^*/cp.gif @@ -79293,7 +82624,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||holyfamilyradio.org/banners/ ||holyfragger.com/images/skins/ ||homad-global-configs.schneevonmorgen.com^$domain=muzu.tv -||homemaderecipes.co^*/af.php? ||homeschoolmath.net/a/ ||honda-tech.com/*-140x90.gif ||hongfire.com/banner/ @@ -79335,6 +82665,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||hwbot.org/banner.img ||hwinfo.com/images/lansweeper.jpg ||hwinfo.com/images/se2banner.png +||hypemagazine.co.za/assets/bg/ ||i-sgcm.com/pagetakeover/ ||i-tech.com.au^*/banner/ ||i.com.com^*/vendor_bg_ @@ -79358,6 +82689,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ibtimes.com^*/sponsor_ ||iceinspace.com.au/iisads/ ||icelandreview.com^*/auglysingar/ +||iconeye.com/images/banners/ ||icrt.com.tw/downloads/banner/ ||ictv-ic-ec.indieclicktv.com/media/videos/$object-subrequest,domain=twitchfilm.com ||icydk.com^*/title_visit_sponsors. @@ -79371,9 +82703,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ifilm.com/website/*-skin- ||iframe.travel.yahoo.com^ ||iftn.ie/images/data/banners/ +||ijn.com/images/banners/ ||ijoomla.com/aff/banners/ ||ilcorsaronero.info/home.gif -||ilikecheats.com/images/$image,domain=unknowncheats.me +||ilikecheats.net/images/$image,domain=unknowncheats.me ||iload.to/img/ul/impopi.js ||iloveim.com/cadv ||imads.rediff.com^ @@ -79397,8 +82730,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||images.globes.co.il^*/fixedpromoright. ||images.sharkscope.com/acr/*_Ad- ||images.sharkscope.com/everest/twister.jpg -||imagesfood.com/flash/ -||imagesfood.com^*-banner. ||imageshack.us/images/contests/*/lp-bg.jpg ||imageshack.us/ym.php? ||imagesnake.com^*/oc.js @@ -79451,6 +82782,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||inkscapeforum.com/images/banners/ ||inquirer.net/wp-content/themes/news/images/wallpaper_ ||insidebutlercounty.com/images/100- +||insidebutlercounty.com/images/160- +||insidebutlercounty.com/images/180- ||insidebutlercounty.com/images/200- ||insidebutlercounty.com/images/300- ||insidebutlercounty.com/images/468- @@ -79476,9 +82809,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ip-adress.com/superb/ ||ip-ads.de^$domain=zattoo.com ||ipaddress.com/banner/ -||iphone-tv.eu/src/player/bla123.mp4 ||ipinfodb.com/img/adds/ ||iptools.com/sky.php +||irctctourism.com/ttrs/railtourism/Designs/html/images/tourism_right_banners/*DealsBanner_ ||irishamericannews.com/images/banners/ ||irishdev.com/files/banners/ ||irishdictionary.ie/view/images/ispaces-makes-any-computer.jpg @@ -79510,12 +82843,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||itwebafrica.com/images/logos/ ||itworld.com/slideshow/iframe/topimu/ ||iurfm.com/images/sponsors/ -||ivillage.com/iframe_render? -||iwayafrica.co.zw/images/banners/ ||iwebtool.com^*/bannerview.php ||ixquick.nl/graphics/banner_ -||jackfm.co.uk^*/ads/ -||jackfm.co.uk^*/splashbanner.php ||jamaica-gleaner.com/images/promo/ ||jame-world.com^*/adv/ ||jango.com/assets/promo/1600x1000- @@ -79528,11 +82857,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||jdownloader.org^*/smbanner.png ||jebril.com/sites/default/files/images/top-banners/ ||jewishexponent.com^*/banners/ +||jewishnews.co.uk^*-banner- +||jewishnews.co.uk^*-banner. +||jewishnews.co.uk^*/banner ||jewishtimes-sj.com/rop/ ||jewishtribune.ca^*/banners/ ||jewishvoiceny.com/ban2/ ||jewishyellow.com/pics/banners/ -||jha.sharesix.com^ ||jheberg.net/img/mp.png ||jillianmichaels.com/images/publicsite/advertisingslug.gif ||johnbridge.com/vbulletin/banner_rotate.js @@ -79544,6 +82875,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||jokertraffic.com^$domain=4fuckr.com ||joomladigger.com/images/banners/ ||journal-news.net/annoyingpopup/ +||journeychristiannews.com/images/banners/ ||joursouvres.fr^*/pub_ ||jozikids.co.za/uploadimages/*_140x140_ ||jozikids.co.za/uploadimages/140x140_ @@ -79569,7 +82901,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||kcrw.com/collage-images/itunes.gif ||kdoctv.net/images/banners/ ||keenspot.com/images/headerbar- -||keeps-the-lights-on.vpsboard.com^ ||keepvid.com/images/ilivid- ||kendrickcoleman.com/images/banners/ ||kentonline.co.uk/weatherimages/Britelite.gif @@ -79578,6 +82909,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||kephyr.com/spywarescanner/banner1.gif ||kermit.macnn.com^ ||kewlshare.com/reward.html +||kexp.org^*/sponsor- +||kexp.org^*/sponsoredby. ||keygen-fm.ru/images/*.swf ||kfog.com^*/banners/ ||khaleejtimes.com/imgactv/Umrah%20-%20290x60%20-%20EN.jpg @@ -79585,7 +82918,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||khon2.com^*/sponsors/ ||kickasstorrent.ph/kat_adplib.js ||kickoff.com/images/sleeves/ -||kingfiles.net/images/button.png +||kingfiles.net/images/bt.png ||kingofsat.net/pub/ ||kinox.to/392i921321.js ||kinox.to/com/ @@ -79638,9 +82971,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||kvcr.org^*/sponsors/ ||kwanalu.co.za/upload/ad/ ||kxlh.com/images/banner/ -||kyivpost.com/media/blocks/*_970x90. -||kyivpost.com/media/blocks/970_90_ -||kyivpost.com/static/forum_banner.gif +||kyivpost.com/media/banners/ ||l.yimg.com/a/i/*_wallpaper$image ||l.yimg.com/ao/i/ad/ ||l.yimg.com/mq/a/ @@ -79648,8 +82979,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||l4dmaps.com/img/right_gameservers.gif ||labtimes.org/banner/ ||lagacetanewspaper.com^*/banners/ +||lake-link.com/images/sponsorLogos/ ||lancasteronline.com^*/done_deal/ ||lancasteronline.com^*/weather_sponsor.gif +||lankabusinessonline.com/images/banners/ ||laobserved.com/tch-ad.jpg ||laptopmag.com/images/sponsorships/ ||laredodaily.com/images/banners/ @@ -79693,9 +83026,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||linuxsat-support.com/vsa_banners/ ||linuxtopia.org/includes/$subdocument ||lionsrugby.co.za^*/sponsors. -||liquidcompass.net/js/modules/purchase_ -||liquidcompass.net/player/flash/inc/flash_sync_banners.js -||liquidcompass.net/playerapi/redirect/bannerParser.php? +||liquidcompass.net/playerapi/redirect/ +||liquidcompass.net^*/purchase_ ||littleindia.com/files/banners/ ||live-proxy.com/hide-my-ass.gif ||live-proxy.com/vectrotunnel-logo.jpg @@ -79731,7 +83063,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||lowendbox.com/wp-content/themes/leb/banners/ ||lowyat.net/lowyat/lowyat-bg.jpg ||lowyat.net/mainpage/background.jpg -||lsg.sharesix.com^ ||lshunter.tv/images/bets/ ||lshunter.tv^*&task=getbets$xmlhttprequest ||lucianne.com^*_*.html @@ -79847,6 +83178,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||megaswf.com/file/$domain=gruntig.net ||megauploadtrend.com/iframe/if.php? ||meinbonusxxl.de^$domain=xup.in +||meizufans.eu/efox.gif +||meizufans.eu/merimobiles.gif +||meizufans.eu/vifocal.gif ||memory-alpha.org/__varnish_liftium/ ||memorygapdotorg.files.wordpress.com^*allamerican3.jpg$domain=memoryholeblog.com ||menafn.com^*/banner_ @@ -79881,6 +83215,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||middle-east-online.com^*/meoadv/ ||midlandsradio.fm/bms/ ||mightyupload.com/popuu.js +||mikejung.biz/images/*/728x90xLiquidWeb_ ||milanounited.co.za/images/sponsor_ ||mindfood.com/upload/images/wallpaper_images/ ||miniclipcdn.com/images/takeovers/ @@ -79895,13 +83230,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||misterwhat.co.uk/business-company-300/ ||mixfm.co.za/images/banner ||mixfm.co.za^*/tallspon +||mixx96.com/images/banners/ ||mizzima.com/images/banners/ ||mlb.com/images/*_videoskin_*.jpg ||mlb.com^*/sponsorship/ -||mmegi.bw^*/banner_ -||mmegi.bw^*/banners/ -||mmegi.bw^*/banners_ -||mmegi.bw^*/hr_rates_provided_by.gif +||mlg-ad-ops.s3.amazonaws.com^$domain=majorleaguegaming.com ||mmoculture.com/wp-content/uploads/*-background- ||mmorpg.com/images/skins/ ||mmosite.com/sponsor/ @@ -79917,6 +83250,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||monitor.co.ug/image/view/*/468/ ||monkeygamesworld.com/images/banners/ ||monster.com/null&pp +||morefmphilly.com^*/sponsors/ ||morefree.net/wp-content/uploads/*/mauritanie.gif ||morningstaronline.co.uk/offsite/progressive-listings/ ||motorcycles-motorbikes.com/pictures/sponsors/ @@ -79924,12 +83258,12 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||motortrader.com.my/skinner/ ||motorweek.org^*/sponsor_logos/ ||mountainbuzz.com/attachments/banners/ +||mousesteps.com/images/banners/ ||mouthshut.com^*/zedo.aspx ||movie2k.tl/layers/ ||movie2k.tl/serve.php ||movie4k.to/*.js ||movie4k.tv/e.js -||movies4men.co.uk^*/dart_enhancements/ ||moviewallpaper.net/js/mwpopunder.js ||movizland.com/images/banners/ ||movstreaming.com/images/edhim.jpg @@ -79941,6 +83275,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||mp3mediaworld.com*/! ||mp3s.su/uploads/___/djz_to.png ||mp3skull.com/call_banner_exec_new. +||msecnd.net/scripts/compressed.common.lib.js?$domain=firedrive.com|sockshare.com ||msn.com/?adunitid ||msw.ms^*/jquery.MSWPagePeel- ||mtbr.com/ajax/hotdeals/ @@ -79962,6 +83297,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||muthafm.com^*/partners.png ||muzu.tv/player/muzutv_homadconfig. ||my-link.pro/rotatingBanner.js +||myam1230.com/images/banners/ ||mybroadband.co.za/news/wp-content/wallpapers/ ||mycentraljersey.com^*/sponsor_ ||myfax.com/free/images/sendfax/cp_coffee_660x80.swf @@ -79969,9 +83305,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||mygaming.co.za/news/wp-content/wallpapers/ ||myiplayer.eu/ad ||mypbrand.com/wp-content/uploads/*banner -||mypetition.co.za/banner/mypetitionbanner.gif -||mypetition.co.za/images/banner1.gif -||mypetition.co.za/images/graphicjampet.jpg ||mypiratebay.cl^$subdocument ||mypremium.tv^*/bpad.htm ||myretrotv.com^*_horbnr.jpg @@ -79985,6 +83318,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||mysuncoast.com^*/sponsors/ ||myway.com/gca_iframe.html ||mywot.net/files/wotcert/vipre.png +||naij.com^*/branding/ ||nairaland.com/dynamic/$image ||nation.co.ke^*_bg.png ||nation.lk^*/banners/ @@ -80005,6 +83339,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ncrypt.in/images/useful/ ||ncrypt.in/javascript/jquery.msgbox.min.js ||ncrypt.in^*/layer.$script +||ndtv.com/widget/conv-tb +||ndtv.com^*/banner/ +||ndtv.com^*/sponsors/ ||nearlygood.com^*/_aff.php? ||nemesistv.info/jQuery.NagAds1.min.js ||neoseeker.com/a_pane.php @@ -80039,6 +83376,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||news.com.au^*/promotions/ ||news.com.au^*/public/img/p/$image ||newsbusters.org^*/banners/ +||newscdn.com.au^*/desktop-bg-body.png$domain=news.com.au ||newsday.co.tt/banner/ ||newsonjapan.com^*/banner/ ||newsreview.com/images/promo.gif @@ -80053,6 +83391,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||newverhost.com/css/pp.js ||newvision.co.ug/banners/ ||newvision.co.ug/rightsidepopup/ +||nextag.com^*/NextagSponsoredProducts.jsp? ||nextbigwhat.com/wp-content/uploads/*ccavenue ||nextstl.com/images/banners/ ||nfl.com/assets/images/hp-poweredby- @@ -80076,6 +83415,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||noram.srv.ysm.yahoo.com^ ||northjersey.com^*_Sponsor. ||norwaypost.no/images/banners/ +||nosteam.ro^*/compressed.ggotab36.js +||nosteam.ro^*/gamedvprop.js +||nosteam.ro^*/messages.js +||nosteam.ro^*/messagesprop.js ||notalwaysromantic.com/images/banner- ||notdoppler.com^*-promo-homepageskin.png ||notdoppler.com^*-promo-siteskin. @@ -80101,7 +83444,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||nuvo.net^*/FooterPromoButtons.html ||nyaa.se/ag ||nyaa.se/ah +||nyaa.se/ai ||nydailynews.com/img/sponsor/ +||nydailynews.com/PCRichards/ ||nydailynews.com^*-reskin- ||nymag.com/partners/ ||nymag.com/scripts/skintakeover.js @@ -80122,6 +83467,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||oascentral.hosted.ap.org^ ||oascentral.newsmax.com^ ||objects.tremormedia.com/embed/swf/acudeo.swf$object-subrequest,domain=deluxemusic.tv.staging.ipercast.net +||oboom.com/assets/raw/$media,domain=oboom.com ||observer.com.na/images/banners/ ||observer.org.sz/files/banners/ ||observer.ug/images/banners/ @@ -80143,6 +83489,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||onlinekeystore.com/skin1/images/side- ||onlinemarketnews.org^*/silver300600.gif ||onlinemarketnews.org^*/silver72890.gif +||onlinenews.com.pk/onlinenews-admin/banners/ ||onlinerealgames.com/google$subdocument ||onlineshopping.co.za/expop/ ||onlygoodmovies.com/netflix.gif @@ -80187,6 +83534,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||pan2.ephotozine.com^$image ||pandora.com^*/mediaserverPublicRedirect.jsp ||parade.com/images/skins/ +||paradoxwikis.com/Sidebar.jpg ||pardaphash.com/direct/tracker/add/ ||parlemagazine.com/images/banners/ ||partners-z.com^ @@ -80248,7 +83596,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||piratefm.co.uk/resources/creative/ ||pirateproxy.nl/inc/ex.js ||pitchero.com^*/toolstation.gif -||pitchfork.com^*/ads.css ||pittnews.com/modules/mod_novarp/ ||pixhost.org/image/fik1.jpg ||planecrashinfo.com/images/advertize1.gif @@ -80288,6 +83635,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||portevergladeswebcam.com^*-WebCamBannerFall_ ||portlanddailysun.me/images/banners/ ||portmiamiwebcam.com/images/sling_ +||porttechnology.org/images/partners/ ||positivehealth.com^*/BannerAvatar/ ||positivehealth.com^*/TopicbannerAvatar/ ||postadsnow.com/panbanners/ @@ -80297,6 +83645,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||poststar.com^*/dealwidget.php? ||poststar.com^*/promos/ ||power1035fm.com^*/banners/ +||power977.com/images/banners/ ||powerbot.org^*/ads/ ||powvideo.net/ban/ ||pqarchiver.com^*/utilstextlinksxml.js @@ -80330,6 +83679,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||professionalmuscle.com/phil1.jpg ||professionalmuscle.com/PL2.gif ||project-for-sell.com/_google.php +||projectfreetv.ch/adblock/ ||projectorcentral.com/bblaster.cfm?$image ||promo.fileforum.com^ ||propakistani.pk/data/warid_top1.html @@ -80354,10 +83704,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||publicservice.co.uk^*/spons_ ||pulsetv.com/banner/ ||pumasrugbyunion.com/images/sponsors/ +||punch.cdn.ng^*/wp-banners/ +||punchng.com^*/wp-banners/ ||punksbusted.com/images/ventrilo/ ||punksbusted.com^*/clanwarz-portal.jpg ||pushsquare.com/wp-content/themes/pushsquare/skins/ ||putlocker.is/images/banner +||putlocker.mn^*/download.gif +||putlocker.mn^*/stream-hd.gif ||pv-tech.org/images/footer_logos/ ||pv-tech.org/images/suntech_m2fbblew.png ||q1075.com/images/banners/ @@ -80388,6 +83742,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||radiocaroline.co.uk/swf/ACET&ACSP_RadioCaroline_teg.swf ||radioinfo.com/270x270/ ||radioinfo.com^*/575x112- +||radioloyalty.com/newPlayer/loadbanner.html? ||radioreference.com/i/p4/tp/smPortalBanner.gif ||radioreference.com^*_banner_ ||radiotoday.co.uk/a/ @@ -80403,6 +83758,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||rapidlibrary.com/banner_*.png ||rapidsafe.de/eislogo.gif ||rapidshare.com/promo/$image +||rapidtvnews.com^*BannerAd. ||rapidvideo.org/images/pl_box_rapid.jpg ||rapidvideo.tv/images/pl.jpg ||ratio-magazine.com/images/banners/ @@ -80438,6 +83794,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||reviewcentre.com/cinergy-adv.php ||revisionworld.co.uk/sites/default/files/imce/Double-MPU2-v2.gif ||rfu.com/js/jquery.jcarousel.js +||rghost.ru/download/a/*/banner_download_ ||richardroeper.com/assets/banner/ ||richmedia.yimg.com^ ||riderfans.com/other/ @@ -80450,6 +83807,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||rocktelevision.com^*_banner_ ||rockthebells.net/images/banners/ ||rockthebells.net/images/bot_banner_ +||rocvideo.tv/pu/$subdocument ||rodfile.com/images/esr.gif ||roia.com^ ||rok.com.com/rok-get? @@ -80469,6 +83827,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||rt.com/banner/ ||rt.com/static/img/banners/ ||rtcc.org/systems/sponsors/ +||rubiconproject.com^$domain=optimized-by.rubiconproject.com ||rugbyweek.com^*/sponsors/ ||runt-of-the-web.com/wrap1.jpg ||russianireland.com/images/banners/ @@ -80495,6 +83854,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||samoaobserver.ws^*/banner/ ||samoatimes.co.nz^*/banner468x60/ ||sapeople.com/wp-content/uploads/wp-banners/ +||sarasotatalkradio.com^*-200x200.jpg ||sarugbymag.co.za^*-wallpaper2. ||sat24.com/bannerdetails.aspx? ||satelliteguys.us/burst_ @@ -80530,10 +83890,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||search.ch/htmlbanner.html ||search.triadcareers.news-record.com/jobs/search/results?*&isfeatured=y& ||search.triadcars.news-record.com/autos/widgets/featuredautos.php -||searchengine.co.za/banner- -||searchengine.co.za^*/companies- -||searchengine.co.za^*/mbp-banner/ +||searchenginejournal.com^*-takeover- ||searchenginejournal.com^*/sej-bg-takeover/ +||searchenginejournal.com^*/sponsored- ||searchignited.com^ ||searchtempest.com/clhimages/aocbanner.jpg ||seatguru.com/deals? @@ -80559,7 +83918,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||serials.ws^*/logo.gif ||serialzz.us/ad.js ||sermonaudio.com/images/sponsors/ -||settv.co.za^*/dart_enhancements/ ||sexmummy.com/avnadsbanner. ||sfbaytimes.com/img-cont/banners ||sfltimes.com/images/banners/ @@ -80572,15 +83930,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||share-links.biz^*/hs.gif ||sharebeast.com/topbar.js ||sharephile.com/js/pw.js -||sharesix.com/a/images/watch-btn.gif -||sharesix.com/a/images/watch-me.gif -||sharesix.com/a/images/watch-now.gif +||sharesix.com/a/images/watch-bnr.gif ||sharetera.com/images/icon_download.png ||sharetera.com/promo.php? ||sharkscope.com/images/verts/$image ||sherdog.com/index/load-banner? ||shodanhq.com/images/s/acehackware-obscured.jpg ||shop.com/cc.class/dfp? +||shop.sportsmole.co.uk/pages/deeplink/ ||shopping.stylelist.com/widget? ||shoppingpartners2.futurenet.com^ ||shops.tgdaily.com^*&widget= @@ -80590,6 +83947,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||shortlist.com^*-takeover. ||shoutmeloud.com^*/hostgator- ||show-links.tv/layer.php +||showbusinessweekly.com/imgs/hed/ ||showstreet.com/banner. ||shroomery.org/bimg/ ||shroomery.org/bnr/ @@ -80604,9 +83962,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||sify.com^*/gads_ ||sigalert.com/getunit.asp?$subdocument ||siliconrepublic.com/fs/img/partners/ +||silverdoctors.com^*/Silver-Shield-2015.jpg ||sisters-magazine.com^*/Banners/ ||sitedata.info/doctor/ ||sitesfrog.com/images/banner/ +||siteslike.com/images/celeb ||siteslike.com/js/fpa.js ||sk-gaming.com/image/acersocialw.gif ||sk-gaming.com/image/pts/ @@ -80642,11 +84002,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||snopes.com^*/casalebox.asp ||snopes.com^*/casalesky.asp ||snopes.com^*/tribalbox.asp -||soccer24.co.zw/images/banners/ -||soccer24.co.zw/images/shashaadvert.jpg -||soccer24.co.zw/images/tracking%20long%20banner.png ||soccerlens.com/files1/ -||soccervista.com/750x50_ ||soccervista.com/bahforgif.gif ||soccervista.com/bonus.html ||soccervista.com/sporting.gif @@ -80671,11 +84027,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||solvater.com/images/hd.jpg ||someecards.com^*/images/skin/ ||songs.pk/textlinks/ +||songspk.link/textlinks/ ||songspk.name/fidelity.html$domain=songs.pk|songspk.name +||songspk.name/imagepk.gif ||songspk.name/textlinks/ -||sonymax.co.za^*/dart_enhancements/ -||sonymoviechannel.co.uk^*/dart_enhancements/ -||sonytv.com^*/dart_enhancements/ ||sootoday.com/uploads/banners/ ||sorcerers.net/images/aff/ ||soundcloud.com/audio-ad? @@ -80689,6 +84044,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||space.com/promo/ ||spaceweather.com/abdfeeter/$image ||spartoo.eu/footer_tag_iframe_ +||spcontentcdn.net^$domain=sporcle.com +||speedtest.net/flash/59rvvrpc-$object-subrequest +||speedtest.net/flash/60speedify1-$object-subrequest ||speedtv.com.edgesuite.net/img/monthly/takeovers/ ||speedtv.com/js/interstitial.js ||speedtv.com^*/tissot-logo.png @@ -80706,13 +84064,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||spycss.com/images/hostgator.gif ||spyw.com^$domain=uploadlw.com ||squadedit.com/img/peanuts/ +||srv.thespacereporter.com^ ||ssl-images-amazon.com/images/*/browser-scripts/da- -||ssl-images-amazon.com/images/*/traffic/$image ||st701.com/stomp/banners/ ||stad.com/googlefoot2.php? ||stagnitomedia.com/view-banner- ||standard.net/sites/default/files/images/wallpapers/ ||standardmedia.co.ke/flash/expandable.swf +||star883.org^*/sponsors. ||startxchange.com/bnr.php ||static-economist.com^*/timekeeper-by-rolex-medium.png ||static.btrd.net/*/interstitial.js$domain=businessweek.com @@ -80746,6 +84105,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||stream2watch.me/chat1.html ||stream2watch.me/eadb.php ||stream2watch.me/eadt.php +||stream2watch.me/ed +||stream2watch.me/images/hd1.png ||stream2watch.me/Los_Br.png ||stream2watch.me/yield.html ||streamcloud.eu/deliver.php @@ -80756,17 +84117,15 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||stuff.co.nz/stuff/*banner ||stuff.co.nz/stuff/misc/flying-flowers/ ||stuff.co.nz/stuff/tom/mags-widget/ +||stuff.co.nz/stuff/widgets/lifedirect/ ||stuff.priceme.co.nz^$domain=stuff.co.nz ||stuff.tv/client/skinning/ ||stv.tv/img/player/stvplayer-sponsorstrip- -||subjectboard.com/c/af.php? ||subs4free.com^*/wh4_s4f_$script ||succeed.co.za^*/banner_ ||sulekha.com^*/bannerhelper.html ||sulekha.com^*/sulekhabanner.aspx ||sun-fm.com/resources/creative/ -||sundaymail.co.zw^*/banners/ -||sundaynews.co.zw^*/banners/ ||sunriseradio.com/js/rbanners.js ||sunshineradio.ie/images/banners/ ||suntimes.com^*/banners/ @@ -80774,7 +84133,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||supermarket.co.za/images/advetising/ ||supermonitoring.com/images/banners/ ||superplatyna.com/automater.swf -||supertalk.fm^*?bannerXGroupId= ||surfthechannel.com/promo/ ||swagmp3.com/cdn-cgi/pe/ ||swampbuggy.com/media/images/banners/ @@ -80808,6 +84166,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||targetedinfo.com^ ||targetedtopic.com^ ||tastro.org/x/ads*.php +||tbs.com^*/ad_policy.xml$object-subrequest,domain=tbs.com ||tdfimg.com/go/*.html ||teamfourstar.com/img/918thefan.jpg ||techexams.net/banners/ @@ -80823,6 +84182,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||techtree.com^*/jquery.catfish.js ||teesoft.info/images/uniblue.png ||teesupport.com/wp-content/themes/ts-blog/images/cp- +||tehrantimes.com/images/banners/ ||telecomtiger.com^*_250x250_ ||telecomtiger.com^*_640x480_ ||telegraph.co.uk/international/$subdocument @@ -80888,10 +84248,12 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||thehealthcareblog.com/files/*/THCB-Validic-jpg-opt.jpg ||thehighstreetweb.com^*/banners/ ||thehindu.com/multimedia/*/sivananda_sponsorch_ -||theindependent.co.zw^*/banners/ ||theispguide.com/premiumisp.html ||theispguide.com/topbanner.asp? ||thejesperbay.com^ +||thejointblog.com/wp-content/uploads/*-235x +||thejointblog.com^*/dablab.gif +||thejuice.co.za/wp-content/plugins/wp-plugin-spree-tv/ ||thelakewoodscoop.com^*banner ||theleader.info/banner ||theliberianjournal.com/flash/banner @@ -80905,9 +84267,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||themis.yahoo.com^ ||themiscellany.org/images/banners/ ||themittani.com/sites/*-skin +||thenassauguardian.com/images/banners/ ||thenationonlineng.net^*/banners/ -||thenewage.co.za/Image/300SB.gif -||thenewage.co.za/Image/IMC.png ||thenewage.co.za/Image/kingprice.gif ||thenewjournalandguide.com/images/banners/ ||thenextweb.com/wp-content/plugins/tnw-siteskin/mobileys/ @@ -80922,6 +84283,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||theolympian.com/static/images/weathersponsor/ ||theonion.com/ads/ ||theorganicprepper.ca/images/banners/ +||thepaper24-7.com/SiteImages/Banner/ +||thepaper24-7.com/SiteImages/Tile/ ||thepeak.fm/images/banners/ ||thepeninsulaqatar.com^*/banners/ ||thephuketnews.com/photo/banner/ @@ -80929,24 +84292,23 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||theplanetweekly.com/images/banners/ ||theportugalnews.com/uploads/banner/ ||thepreparednessreview.com/wp-content/uploads/*/250x125- -||thepreparednessreview.com/wp-content/uploads/*/FISH175x175.jpg ||thepreparednessreview.com/wp-content/uploads/*_175x175.jpg ||thepreparednessreview.com/wp-content/uploads/*_185x185.jpg ||theradiomagazine.co.uk/banners/ ||theradiomagazine.co.uk/images/bionics.jpg +||therugbyforum.com/trf-images/sponsors/ +||thesentinel.com^*/banners/ ||thesource.com/magicshave/ ||thespiritsbusiness.com^*/Banner150 ||thessdreview.com/wp-content/uploads/*/930x64_ ||thessdreview.com^*-bg.jpg ||thessdreview.com^*/owc-full-banner.jpg ||thessdreview.com^*/owc-new-gif1.gif -||thestandard.co.zw^*/banners/ ||thestandard.com.hk/banners/ ||thestandard.com.hk/rotate_ +||thestkittsnevisobserver.com/images/banners/ ||thesundaily.my/sites/default/files/twinskyscrapers -||thesurvivalistblog.net^*-ad.bmp ||thesurvivalistblog.net^*-banner- -||thesurvivalistblog.net^*/banner- ||thesweetscience.com/images/banners/ ||theticketmiami.com/Pics/listenlive/*-Left.jpg ||theticketmiami.com/Pics/listenlive/*-Right.jpg @@ -80956,24 +84318,23 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||thevideo.me/cgi-bin/get_creatives.cgi? ||thevideo.me/creatives/ ||thewb.com/thewb/swf/tmz-adblock/ -||theweathernetwork.com^*&size=$image -||theweathernetwork.com^*/spos/ -||thewillnigeria.com/files/banners/ ||thewindowsclub.com^*/banner_ ||theyeshivaworld.com/yw/ ||thinkbroadband.com/uploads/banners/ ||thinkingwithportals.com/images/*-skyscraper. ||thinkingwithportals.com^*-skyscraper.swf ||thirdage.com^*_banner.php +||thisisanfield.com^*takeover +||thunder106.com//wp-content/banners/ ||ticketnetwork.com/images/affiliates/ ||tigerdroppings.com^*&adcode= +||time4tv.com/tlv. ||timeinc.net/*/i/oba-compliance.png ||timeinc.net^*/recirc.js ||times-herald.com/pubfiles/ ||times.co.sz/files/banners/ -||times.spb.ru/clients/banners/ -||times.spb.ru/clients/banners_ ||timesnow.tv/googlehome.cms +||timesofoman.com/FrontInc/top.aspx ||timesofoman.com/siteImages/MyBannerImages/ ||timesofoman.com^*/banner/ ||timestalks.com/images/sponsor- @@ -80988,14 +84349,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||tmz.vo.llnwd.net^*/images/*skin ||tmz.vo.llnwd.net^*/sponsorship/$domain=tmz.com ||tnij.org/rotator -||tny.cz/banner.png -||tny.cz/ln.jpg -||tny.cz/pop/ +||tny.cz/oo/ ||tom.itv.com^ ||tomshardware.com/indexAjax.php?ctrl=ajax_pricegrabber$xmlhttprequest ||tomshardware.com/price/widget/?$xmlhttprequest ||toolslib.net/assets/img/a_dvt/ ||toomuchnews.com/dropin/ +||toonova.com/images/site/front/xgift- ||toonzone.net^*/placements.php? ||topalternate.com/assets/sponsored_links- ||topfriv.com/popup.js @@ -81015,6 +84375,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||torrentfreak.com/images/vuze.png ||torrentfunk.com/affprofslider.js ||torrentfusion.com/FastDownload.html +||torrentproject.org/out/ ||torrentroom.com/js/torrents.js ||torrents.net/btguard.gif ||torrents.net/wiget.js @@ -81039,9 +84400,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||trackitdown.net/skins/*_campaign/ ||tracksat.com^*/banners/ ||tradewinds.vi/images/banners/ -||travel.washingtontimes.com/external -||travel.washingtontimes.com/widgets/ -||trend.az/b1/ ||trgoals.es/adk.html ||tribune.com.ng/images/banners/ ||tribune242.com/pubfiles/ @@ -81051,7 +84409,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||truck1.eu/_BANNERS_/ ||trucknetuk.com^*/sponsors/ ||trucktrend.com^*_160x200_ -||trunews.com/AFE-Webinar-Banner.swf +||trustedreviews.com/mobile/widgets/html/promoted-phones? ||trutv.com/includes/mods/iframes/mgid-blog.php ||tsatic-cdn.net/takeovers/$image ||tsdmemphis.com/images/banners/ @@ -81068,10 +84426,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||turboimagehost.com/728*.html^ ||turboimagehost.com/p.js ||turboyourpc.com/images/affiliates/ -||turner.com/si/*/ads/ ||turnstylenews.com^*/sponsors.png +||tusfiles.net/i/dll.png ||tusfiles.net/images/tusfilesb.gif ||tuspics.net/onlyPopupOnce.js +||tv4chan.com/iframes/ ||tvbrowser.org/logo_df_tvsponsor_ ||tvcatchup.com/wowee/ ||tvducky.com/imgs/graboid. @@ -81081,6 +84440,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||twentyfour7football.com^*/gpprint.jpg ||twitch.tv/ad/*=preroll ||twitch.tv/widgets/live_embed_player.swf$domain=gelbooru.com +||twnmm.com^*/sponsored_logo. ||txfm.ie^*/amazon-16x16.png ||txfm.ie^*/itunes-16x16.png ||u.tv/images/misc/progressive.png @@ -81121,6 +84481,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||unawave.de/medien/wbwso-$image ||unawave.de/templates/unawave/a/$image ||unblockedpiratebay.com/external/$image +||unblockt.com/scrape_if.php ||uncoached.com/smallpics/ashley ||unicast.ign.com^ ||unicast.msn.com^ @@ -81160,6 +84521,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||usatoday.net^*/lb-agate.png ||usatodayhss.com/images/*skin ||uschess.org/images/banners/ +||usenet-crawler.com/astraweb.png +||usenet-crawler.com/purevpn.png ||usforacle.com^*-300x250.gif ||ustatik.com/_img/promo/takeovers/$domain=ultimate-guitar.com ||ustatik.com/_img/promo/takeovers_$domain=ultimate-guitar.com @@ -81192,9 +84555,12 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||video44.net/gogo/qc.js ||video44.net/gogo/yume-h.swf$object-subrequest ||videobam.com/images/banners/ +||videobam.com/this-pays-for-bandwidth/ ||videobash.com/images/playboy/ ||videobull.com/wp-content/themes/*/watch-now.jpg ||videobull.com^*/amazon_ico.png +||videobull.to/wp-content/themes/videozoom/images/gotowatchnow.png +||videobull.to/wp-content/themes/videozoom/images/stream-hd-button.gif ||videodorm.org/player/yume-h.swf$object-subrequest ||videodownloadtoolbar.com/fancybox/ ||videogamer.com/videogamer*/skins/ @@ -81213,6 +84579,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||vidspot.net/player/ova-jw.swf$object-subrequest ||vidspot.net^$subdocument,domain=vidspot.net ||vidspot.net^*/pu.js +||vidvib.com/vidvibpopa. +||vidvib.com/vidvibpopb. ||viewdocsonline.com/images/banners/ ||villagevoice.com/img/VDotDFallback-large.gif ||vinaora.com/xmedia/hosting/ @@ -81247,7 +84615,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||vortez.co.uk^*120x600.swf ||vortez.co.uk^*skyscraper.jpg ||vosizneias.com/perms/ -||vpsboard.com/data/$subdocument +||vpsboard.com/display/ ||w.homes.yahoo.net^ ||waamradio.com/images/sponsors/ ||wadldetroit.com/images/banners/ @@ -81257,6 +84625,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||wambacdn.net/images/upload/adv/$domain=mamba.ru ||wantedinmilan.com/images/banner/ ||wantitall.co.za/images/banners/ +||waoanime.tv/playerimg.jpg ||wardsauto.com^*/pm_doubleclick/ ||warriorforum.com/vbppb/ ||washingtonpost.com/wp-srv/javascript/piggy-back-on-ads.js @@ -81283,7 +84652,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||wbal.com/absolutebm/banners/ ||wbgo.org^*/banners/ ||wbj.pl/im/partners.gif -||wbls.com^*?bannerxgroupid= ||wcbm.com/includes/clientgraphics/ ||wctk.com/banner_rotator.php ||wdwinfo.com/js/swap.js @@ -81306,6 +84674,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||webnewswire.com/images/banner ||websitehome.co.uk/seoheap/cheap-web-hosting.gif ||webstatschecker.com/links/ +||weddingtv.com/src/baners/ ||weei.com^*/sponsors/ ||weei.com^*_banner.jpg ||wegoted.com/includes/biogreen.swf @@ -81324,6 +84693,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||whatson.co.za/img/hp.png ||whatsonstage.com/images/sitetakeover/ ||whatsontv.co.uk^*/promo/ +||whatsthescore.com/logos/icons/bookmakers/ ||whdh.com/images/promotions/ ||wheninmanila.com/wp-content/uploads/2011/05/Benchmark-Email-Free-Signup.gif ||wheninmanila.com/wp-content/uploads/2012/12/Marie-France-Buy-1-Take-1-Deal-Discount-WhenInManila.jpg @@ -81346,16 +84716,19 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||whoownsfacebook.com/images/topbanner.gif ||whtsrv3.com^*==$domain=webhostingtalk.com ||widget.directory.dailycommercial.com^ +||widih.org/banners/ ||wiilovemario.com/images/fc-twin-play-nes-snes-cartridges.png ||wikia.com/__varnish_ -||wikifeet.com/mgid.html ||wikinvest.com/wikinvest/ads/ ||wikinvest.com/wikinvest/images/zap_trade_ ||wildtangent.com/leaderboard? +||windows.net/script/p.js$domain=1fichier.com|limetorrents.cc|primewire.ag|thepiratebay.みんな ||windowsitpro.com^*/roadblock. ||winnfm.com/grfx/banners/ ||winpcap.org/assets/image/banner_ ||winsupersite.com^*/roadblock. +||wipfilms.net^*/amazon.png +||wipfilms.net^*/instant-video.png ||wired.com/images/xrail/*/samsung_layar_ ||wirenh.com/images/banners/ ||wiretarget.com/a_$subdocument @@ -81367,7 +84740,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||wjunction.com/images/rectangle ||wksu.org/graphics/banners/ ||wlcr.org/banners/ -||wlib.com^*?bannerxgroupid= ||wlrfm.com/images/banners/ ||wned.org/underwriting/sponsors/ ||wnst.net/img/coupon/ @@ -81399,8 +84771,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||wp.com/wp-content/themes/vip/tctechcrunch/images/tc_*_skin.jpg ||wp.com^*/coedmagazine3/gads/$domain=coedmagazine.com ||wpcomwidgets.com^$domain=thegrio.com +||wpcv.com/includes/header_banner.htm ||wpdaddy.com^*/banners/ ||wptmag.com/promo/ +||wqah.com/images/banners/ ||wqam.com/partners/ ||wqxe.com/images/sponsors/ ||wranglerforum.com/images/sponsor/ @@ -81416,8 +84790,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||wttrend.com/images/hs.jpg ||wunderground.com/geo/swfad/ ||wunderground.com^*/wuss_300ad2.php? +||wvbr.com/images/banner/ ||wwaytv3.com^*/curlypage.js -||wwegr.filenuke.com^ +||wwbf.com/b/topbanner.htm ||www2.sys-con.com^*.cfm ||x.castanet.net^ ||xbitlabs.com/cms/module_banners/ @@ -81459,13 +84834,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||yellowpages.ae/UI/ST/ ||yellowpages.ae/UI/WA/ ||yellowpages.ae/UI/WM/ -||yellowpages.co.za/sidebanner.jsp -||yellowpages.co.za/sideSponsor.jsp? -||yellowpages.co.za/tdsrunofsitebottbanner.jsp -||yellowpages.co.za/tdsrunofsitetopbanner.jsp -||yellowpages.co.za/topbanner.jsp -||yellowpages.co.za/wppopupBanner.jsp? -||yellowpages.co.za/yppopupresultsbanner.jsp ||yellowpages.com.jo/banners/ ||yellowpages.com.lb/uploaded/banners/ ||yellowpages.ly/user_media/banner/ @@ -81481,8 +84849,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||yimg.com/cv/ae/us/audience/$image,domain=yahoo.com ||yimg.com/cv/eng/*.webm$domain=yahoo.com ||yimg.com/cv/eng/*/635x100_$domain=yahoo.com +||yimg.com/cv/eng/*/970x250_$domain=yahoo.com ||yimg.com/dh/ap/default/*/skins_$image,domain=yahoo.com ||yimg.com/hl/ap/*_takeover_$domain=yahoo.com +||yimg.com/hl/ap/default/*_background$image,domain=yahoo.com ||yimg.com/i/i/de/cat/yahoo.html$domain=yahoo.com ||yimg.com/la/i/wan/widgets/wjobs/$subdocument,domain=yahoo.com ||yimg.com/rq/darla/$domain=yahoo.com @@ -81494,7 +84864,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||yimg.com^*/yad*.js$domain=yahoo.com ||yimg.com^*/yad.html ||yimg.com^*/yfpadobject.js$domain=yahoo.com -||yimg.com^*^pid=Ads^ ||yimg.com^*_east.swf$domain=yahoo.com ||yimg.com^*_north.swf$domain=yahoo.com ||yimg.com^*_west.swf$domain=yahoo.com @@ -81502,6 +84871,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ynaija.com^*300x250 ||ynaija.com^*300X300 ||yolasite.com/resources/$domain=coolsport.tv +||yomzansi.com^*-300x250. ||yopmail.com/fbd.js ||yorkshirecoastradio.com/resources/creative/ ||youconvertit.com/_images/*ad.png @@ -81553,9 +84923,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ziddu.com/images/globe7.gif ||ziddu.com/images/wxdfast/ ||zigzag.co.za/images/oww- -||zimeye.org^*-Advert- -||zimeye.org^*/foxhuntersJPG1.jpg -||zimeye.org^*/tuku200x450.jpg +||zipcode.org/site_images/flash/zip_v.swf ||zombiegamer.co.za/wp-content/uploads/*-skin- ||zomobo.net/images/removeads.png ||zonein.tv/add$subdocument @@ -81570,16 +84938,22 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||zpag.es/b/ ||zshares.net/fm.html ||zurrieqfc.com/images/banners/ +! extratorrentlive +/\/\[a-zA-Z0-9]{3}/$script,third-party,domain=extratorrent.cc|extratorrentlive.com ! Filenuke/sharesix -/filenuke\.com/\[a-zA-Z0-9]{4}/$script -/sharesix\.com/\[a-zA-Z0-9]{4}/$script +/\.filenuke\.com/.*\[a-zA-Z0-9]{4}/$script +/\.sharesix\.com/.*\[a-zA-Z0-9]{4}/$script ! Yavli.com +/http://\[a-zA-Z0-9-]+\.\[a-z]+\/.*(?:\[!"#$%&'()*+,:;<=>?@/\^_`{|}~-])/$script,third-party,xmlhttprequest,domain=247wallst.com|activistpost.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|americanlivewire.com|askmefast.com|barbwire.com|blacklistednews.com|breathecast.com|brosome.com|bulletsfirst.net|chacha.com|cheezburger.com|christianpost.com|christiantoday.com|cinemablend.com|clashdaily.com|classicalite.com|comicallyincorrect.com|comicbookmovie.com|conservativebyte.com|conservativevideos.com|cowboybyte.com|crossmap.com|dailycaller.com|dailysurge.com|dccrimestories.com|dealbreaker.com|designntrend.com|digitaljournal.com|drhotze.com|gamerant.com|genfringe.com|girlsjustwannahaveguns.com|hallels.com|hellou.co.uk|hngn.com|infowars.com|instigatornews.com|investmentwatchblog.com|joblo.com|joeforamerica.com|kdramastars.com|kpopstarz.com|latinpost.com|libertyunyielding.com|listverse.com|makeuseof.com|mensfitness.com|minutemennews.com|moddb.com|mstarz.com|muscleandfitness.com|musictimes.com|naturalnews.com|natureworldnews.com|newser.com|oddee.com|okmagazine.com|opposingviews.com|patriotoutdoornews.com|patriotupdate.com|pitgrit.com|politicususa.com|product-reviews.net|radaronline.com|realfarmacy.com|redmaryland.com|screenrant.com|shark-tank.com|stevedeace.com|techtimes.com|theblacksphere.net|theblaze.com|thefreedictionary.com|thegatewaypundit.com|theladbible.com|thelibertarianrepublic.com|themattwalshblog.com|townhall.com|unilad.co.uk|uniladmag.com|unitrending.co.uk|valuewalk.com|vcpost.com|victoriajackson.com|viralnova.com|whatculture.com|wimp.com|wwitv.com +/http://\[a-zA-Z0-9-]+\.\[a-z]+\/.*\[a-zA-Z0-9]+/$script,third-party,domain=247wallst.com|activistpost.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|americanlivewire.com|askmefast.com|barbwire.com|blacklistednews.com|breathecast.com|brosome.com|bulletsfirst.net|chacha.com|cheezburger.com|christianpost.com|christiantoday.com|cinemablend.com|clashdaily.com|classicalite.com|comicallyincorrect.com|comicbookmovie.com|conservativebyte.com|conservativevideos.com|cowboybyte.com|crossmap.com|dailycaller.com|dailysurge.com|dccrimestories.com|dealbreaker.com|designntrend.com|digitaljournal.com|drhotze.com|gamerant.com|genfringe.com|girlsjustwannahaveguns.com|hallels.com|hellou.co.uk|hngn.com|infowars.com|instigatornews.com|investmentwatchblog.com|joblo.com|joeforamerica.com|kdramastars.com|kpopstarz.com|latinpost.com|libertyunyielding.com|listverse.com|makeuseof.com|mensfitness.com|minutemennews.com|moddb.com|mstarz.com|muscleandfitness.com|musictimes.com|naturalnews.com|natureworldnews.com|newser.com|oddee.com|okmagazine.com|opposingviews.com|patriotoutdoornews.com|patriotupdate.com|pitgrit.com|politicususa.com|product-reviews.net|radaronline.com|realfarmacy.com|redmaryland.com|screenrant.com|shark-tank.com|stevedeace.com|techtimes.com|theblacksphere.net|theblaze.com|thefreedictionary.com|thegatewaypundit.com|theladbible.com|thelibertarianrepublic.com|themattwalshblog.com|townhall.com|unilad.co.uk|uniladmag.com|unitrending.co.uk|valuewalk.com|vcpost.com|victoriajackson.com|viralnova.com|whatculture.com|wimp.com|wwitv.com +@@/wp-content/plugins/akismet/*$script @@||cdn.api.twitter.com*http%$script,third-party +@@||hwcdn.net/*.js?$script +@@||intensedebate.com/js/$script,third-party +@@||launch.newsinc.com/*/js/embed.js$script,third-party +@@||lps.newsinc.com/player/show/$script +@@||p.jwpcdn.com/*/jwpsrv.js$script,third-party @@||trc.taboola.com*http%$script,third-party -|http://*//*.$script,third-party,domain=americanlivewire.com|blacklistednews.com|breathecast.com|brosome.com|chacha.com|cheezburger.com|christianpost.com|christiantoday.com|cinemablend.com|classicalite.com|crossmap.com|dailycaller.com|dealbreaker.com|designntrend.com|digitaljournal.com|gamerant.com|hallels.com|hellou.co.uk|hngn.com|infowars.com|inquisitr.com|investmentwatchblog.com|kdramastars.com|kpopstarz.com|moddb.com|mstarz.com|musictimes.com|naturalnews.com|oddee.com|okmagazine.com|opposingviews.com|politicususa.com|radaronline.com|realfarmacy.com|screenrant.com|techtimes.com|theblaze.com|thegatewaypundit.com|theladbible.com|thelibertarianrepublic.com|uniladmag.com|unitrending.co.uk|valuewalk.com|vcpost.com|viralnova.com|whatculture.com|wimp.com -|http://*;*//$script,third-party,domain=americanlivewire.com|blacklistednews.com|breathecast.com|brosome.com|chacha.com|cheezburger.com|christianpost.com|christiantoday.com|cinemablend.com|classicalite.com|crossmap.com|dailycaller.com|dealbreaker.com|designntrend.com|digitaljournal.com|gamerant.com|hallels.com|hellou.co.uk|hngn.com|infowars.com|inquisitr.com|investmentwatchblog.com|kdramastars.com|kpopstarz.com|moddb.com|mstarz.com|musictimes.com|naturalnews.com|oddee.com|okmagazine.com|opposingviews.com|politicususa.com|radaronline.com|realfarmacy.com|screenrant.com|techtimes.com|theblaze.com|thegatewaypundit.com|theladbible.com|thelibertarianrepublic.com|uniladmag.com|unitrending.co.uk|valuewalk.com|vcpost.com|viralnova.com|whatculture.com|wimp.com -|http://*=*//$script,third-party,domain=americanlivewire.com|blacklistednews.com|breathecast.com|brosome.com|chacha.com|cheezburger.com|christianpost.com|christiantoday.com|cinemablend.com|classicalite.com|crossmap.com|dailycaller.com|dealbreaker.com|designntrend.com|digitaljournal.com|gamerant.com|hallels.com|hellou.co.uk|hngn.com|infowars.com|inquisitr.com|investmentwatchblog.com|kdramastars.com|kpopstarz.com|moddb.com|mstarz.com|musictimes.com|naturalnews.com|oddee.com|okmagazine.com|opposingviews.com|politicususa.com|radaronline.com|realfarmacy.com|screenrant.com|techtimes.com|theblaze.com|thegatewaypundit.com|theladbible.com|thelibertarianrepublic.com|uniladmag.com|unitrending.co.uk|valuewalk.com|vcpost.com|viralnova.com|whatculture.com|wimp.com -|http://*http%$script,third-party,domain=americanlivewire.com|blacklistednews.com|breathecast.com|brosome.com|chacha.com|cheezburger.com|christianpost.com|christiantoday.com|cinemablend.com|classicalite.com|crossmap.com|dailycaller.com|dealbreaker.com|designntrend.com|digitaljournal.com|gamerant.com|hallels.com|hellou.co.uk|hngn.com|infowars.com|inquisitr.com|investmentwatchblog.com|kdramastars.com|kpopstarz.com|moddb.com|mstarz.com|musictimes.com|naturalnews.com|oddee.com|okmagazine.com|opposingviews.com|politicususa.com|radaronline.com|realfarmacy.com|screenrant.com|techtimes.com|theblaze.com|thegatewaypundit.com|theladbible.com|thelibertarianrepublic.com|uniladmag.com|unitrending.co.uk|valuewalk.com|vcpost.com|viralnova.com|whatculture.com|wimp.com ! Firefox freezes if not blocked on reuters.com (http://forums.lanik.us/viewtopic.php?f=64&t=16854) ||static.crowdscience.com/max-*.js?callback=crowdScienceCallback$domain=reuters.com ! Anti-Adblock @@ -81589,7 +84963,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ailde.com^$domain=cbs.com ||alidw.net^$domain=cbs.com ||amazonaws.com^$script,domain=dsero.com|ginormousbargains.com|korean-candy.com|misheel.net|politicususa.com|techydoor.com|trutower.com|unfair.co -||amazonaws.com^*/abb-msg.js$domain=hardocp.com ||channel4.com^*.innovid.com$object-subrequest ||channel4.com^*.tidaltv.com$object-subrequest ||histats.com/js15.js$domain=televisaofutebol.com @@ -81614,22 +84987,26 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ! *** easylist:easylist/easylist_specific_block_popup.txt *** /sendspace-pop.$popup,domain=sendspace.com ^utm_source=$popup,domain=sex.com|thepiratebay.se -|http:$popup,third-party,domain=allmyvideos.net|embed.videoweed.es|extreme-board.com|filepost.com|filmovizija.com|imagebam.com|imageporter.com|imgbox.com|imgmade.com|imgspice.com|load.to|mofunzone.com|putlocker.is|vidspot.net|watchcartoononline.com|xtshare.com +|http:$popup,third-party,domain=allmyvideos.net|embed.videoweed.es|extreme-board.com|filepost.com|filmovizija.com|go4up.com|imagebam.com|imageporter.com|imgbox.com|imgmade.com|imgspice.com|load.to|mofunzone.com|putlocker.is|vidspot.net|watchcartoononline.com|xtshare.com ||4fuckr.com/api.php$popup ||adf.ly^$popup,domain=uploadcore.com|urgrove.com ||adx.kat.ph^$popup +||adyou.me/bug/adcash$popup ||aiosearch.com^$popup,domain=torrent-finder.info ||allmyvideos.net^*?p=$popup ||avalanchers.com/out/$popup ||bangstage.com^$popup,domain=datacloud.to ||bit.ly^$popup,domain=fastvideo.eu|rapidvideo.org +||casino-x.com^*&promo$popup ||channel4.com/ad/$popup +||click.aliexpress.com^$popup,domain=multiupfile.com ||cloudzilla.to/cam/wpop.php$popup ||comicbookmovie.com/plugins/ads/$popup ||conservativepost.com/pu/$popup ||damoh.muzu.tv^$popup ||deb.gs^*?ref=$popup ||edomz.com/re.php?mid=$popup +||f-picture.net/Misc/JumpClick?$popup ||fashionsaga.com^$popup,domain=putlocker.is ||filepost.com/default_popup.html$popup ||filmon.com^*&adn=$popup @@ -81641,13 +85018,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||flashx.tv/frame/$popup ||free-filehost.net/pop/$popup ||free-stream.tv^$popup,domain=flashx.tv +||freean.us^*?ref=$popup ||fullonsms.com/blank.php$popup ||fullonsms.com/mixpop.html$popup ||fullonsms.com/quikr.html$popup ||fullonsms.com/quikrad.html$popup ||fullonsms.com/sid.html$popup ||gamezadvisor.com/popup.php$popup -||goo.gl^$popup,domain=jumbofile.net|videomega.tv +||goo.gl^$popup,domain=amaderforum.com|jumbofile.net|videomega.tv ||google.com.eg/url?$popup,domain=hulkload.com ||gratuit.niloo.fr^$popup,domain=simophone.com ||hide.me^$popup,domain=ncrypt.in @@ -81666,11 +85044,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||limbohost.net^$popup,domain=tusfiles.net ||linkbucks.com^*?ref=$popup ||military.com/data/popup/new_education_popunder.htm$popup +||miniurls.co^*?ref=$popup ||multiupload.nl/popunder/$popup ||nesk.co^$popup,domain=veehd.com ||newsgate.pw^$popup,domain=adjet.biz +||nosteam.ro/pma/$popup ||oddschecker.com/clickout.htm?type=takeover-$popup ||pamaradio.com^$popup,domain=secureupload.eu +||park.above.com^$popup ||photo4sell.com^$popup,domain=filmovizija.com ||plarium.com/play/*adCampaign=$popup ||playhd.eu/test$popup @@ -81679,13 +85060,18 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||rediff.com/uim/ads/$popup ||schenkelklopfer.org^$popup,domain=4fuckr.com ||single-vergleich.de^$popup,domain=netload.in +||softexter.com^$popup,domain=2drive.net ||songspk.cc/pop*.html$popup +||spendcrazy.net^$popup,third-party,domain=animegalaxy.net|animenova.tv|animetoon.tv|animewow.eu|gogoanime.com|goodanime.eu|gooddrama.net|toonget.com ||sponsorselect.com/Common/LandingPage.aspx?eu=$popup ||streamcloud.eu/deliver.php$popup +||streamtunerhd.com/signup?$popup,third-party ||subs4free.com/_pop_link.php$popup +||thebestbookies.com^$popup,domain=fırstrowsports.eu ||thesource.com/magicshave/$popup ||titanbrowser.com^$popup,domain=amaderforum.com ||titanshare.to/download-extern.php?type=*&n=$popup +||tny.cz/red/first.php$popup ||toptrailers.net^$popup,domain=kingfiles.net|uploadrocket.net ||torrentz.*/mgidpop/$popup ||torrentz.*/wgmpop/$popup @@ -81701,16 +85087,15 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||watchclip.tv^$popup,domain=hipfile.com ||wegrin.com^$popup,domain=watchfreemovies.ch ||yasni.ca/ad_pop.php$popup +||zanox.com^$popup,domain=pregen.net ||ziddu.com/onclickpop.php$popup ||zmovie.tv^$popup,domain=deditv.com|vidbox.net ! *** easylist:easylist_adult/adult_specific_block.txt *** .info^$script,domain=pornhub.com -/^https?\:\/\/(?!(ajax\.googleapis\.com|ss\.phncdn\.com|ct1\.addthis\.com|s7\.addthis\.com|www\.google\.com|www\.google-analytics\.com|www\.pornhub\.com|www\.keezmovies\.com|cdn1\.static\.keezmovies\.phncdn\.com)\/)/$script,subdocument,third-party,xmlhttprequest,domain=keezmovies.com -/^https?\:\/\/(?!(apis\.google\.com|ajax\.googleapis\.com|accounts\.google\.com|platform\.twitter\.com|ss\.phncdn\.com|www\.youporn\.com|www\.google-analytics\.com|platform\.tumblr\.com|cdn1\.static\.youporn\.phncdn\.com)\/)/$script,subdocument,third-party,xmlhttprequest,domain=youporn.com -/^https?\:\/\/(?!(apis\.google\.com|ss\.phncdn\.com|www\.google-analytics\.com|public\.tableausoftware\.com|platform\.twitter\.com|pornhubinsights\.disqus\.com|accounts\.google\.com|www\.pornhub\.com|cdn1b\.static\.pornhub\.phncdn\.com|cdn1a\.static\.pornhub\.phncdn\.com)\/)/$script,subdocument,third-party,xmlhttprequest,domain=pornhub.com -/^https?\:\/\/(?!(apis\.google\.com|ss\.phncdn\.com|www\.google-analytics\.com|www\.redtube\.com|www\.google\.com)\/)/$script,subdocument,third-party,xmlhttprequest,domain=redtube.com -/^https?\:\/\/(?!(ss\.phncdn\.com|ct1\.addthis\.com|s7\.addthis\.com|www\.google-analytics\.com|www\.gaytube\.com|cdn\.static\.gaytube\.phncdn\.com)\/)/$script,subdocument,third-party,xmlhttprequest,domain=gaytube.com -/^https?\:\/\/(?!(www\.google\.com|assets0\.uvcdn\.com|assets1\.uvcdn\.com|widget\.uservoice\.com|apis\.google\.com|ct1\.addthis\.com|www\.tube8\.com|feedback\.tube8\.com|s7\.addthis\.com|ss\.phncdn\.com|www\.google-analytics\.com|cdn1\.static\.tube8\.phncdn\.com|cdn1b\.static\.tube8\.phncdn\.com)\/)/$script,subdocument,third-party,xmlhttprequest,domain=tube8.com +/\[a-z0-9A-Z]{6}/$xmlhttprequest,domain=pornhub.com|redtube.com|tube8.com|tube8.es|tube8.fr|youporn.com +/\/\[0-9].*\-.*\-\[a-z0-9]{4}/$script,xmlhttprequest,domain=gaytube.com|keezmovies.com|spankwire.com|tube8.com|tube8.es|tube8.fr +/http://.*\[a-z0-9]{3}.*(?:\[!"#$%&'()*+,:;<=>?@/\^_`{|}~-]).*\[a-z0-9]{3}.*(?:\[!"#$%&'()*+,:;<=>?@/\^_`{|}~-])/$xmlhttprequest,domain=pornhub.com|redtube.com|tube8.com|tube8.es|tube8.fr|youporn.com +/http://\[a-zA-Z0-9]+\.\[a-z]+\/.*(?:\[!"#$%&'()*+,:;<=>?@/\^_`{|}~-]).*\[a-zA-Z0-9]+/$script,third-party,domain=keezmovies.com|pornhub.com|redtube.com|tube8.com|tube8.es|tube8.fr|youporn.com ||109.201.146.142^$domain=xxxbunker.com ||213.174.140.38/bftv/js/msn- ||213.174.140.38^*/msn-*.js$domain=boyfriendtv.com|pornoxo.com @@ -81726,6 +85111,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||24porn7.com/toonad/ ||2adultflashgames.com/images/v12.gif ||2adultflashgames.com/img/ +||2adultflashgames.com/teaser/teaser.swf ||3xupdate.com^*/ryushare.gif ||3xupdate.com^*/ryushare2.gif ||3xupdate.com^*/ryusharepremium.gif @@ -81828,6 +85214,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||coolmovs.com/rec/$subdocument ||crackwhoreconfessions.com/images/banners/ ||crazyshit.com/p0pzIn.js +||creampietubeporn.com/ctp.html +||creampietubeporn.com/porn.html ||creatives.cliphunter.com^ ||creatives.pichunter.com^ ||creepshots.com^*/250x250_ @@ -81909,12 +85297,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gayporntimes.com^*/CockyBoys-July-2012.jpg ||gaytube.com/chacha/ ||gggtube.com/images/banners/ +||ghettotube.com/images/banners/ ||gina-lynn.net/pr4.html ||girlfriendvideos.com/pcode.js ||girlsfrombudapest.eu/banners/ ||girlsfromprague.eu/banners/ ||girlsfromprague.eu^*468x ||girlsintube.com/images/get-free-server.jpg +||girlsnaked.net/gallery/banners/ ||girlsofdesire.org/banner/ ||girlsofdesire.org/media/banners/ ||glamour.cz/banners/ @@ -81928,6 +85318,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||hanksgalleries.com/galleryimgs/ ||hanksgalleries.com/stxt_ ||hanksgalleries.com/vg_ad_ +||hardsextube.com/pornstars/$xmlhttprequest ||hardsextube.com/preroll/getiton/ ||hardsextube.com/testxml.php ||hardsextube.com/zone.php @@ -81948,6 +85339,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||hentai-foundry.com/themes/*Banner ||hentai-foundry.com/themes/Hentai/images/hu/hu.jpg ||hentairules.net/pop_$script +||hentaistream.com/out/ ||hentaistream.com/wp-includes/images/bg- ||hentaistream.com/wp-includes/images/mofos/webcams_ ||heraldnet.com/section/iFrame_AutosInternetSpecials? @@ -81955,8 +85347,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||hgimg.com/js/beacon. ||hidefporn.ws/04.jpg ||hidefporn.ws/05.jpg +||hidefporn.ws/055.jpg ||hidefporn.ws/client ||hidefporn.ws/img.png +||hidefporn.ws/nitro.png ||hollyscoop.com/sites/*/skins/ ||hollywoodoops.com/img/*banner ||homegrownfreaks.net/homegfreaks.js @@ -82016,9 +85410,12 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||imgbabes.com^*/splash.php ||imgflare.com/exo.html ||imgflare.com^*/splash.php +||imghost.us.to/xxx/content/system/js/iframe.html +||imperia-of-hentai.net/banner/ ||indexxx.com^*/banners/ ||intporn.com^*/21s.js ||intporn.com^*/asma.js +||intporn.org/scripts/asma.js ||iseekgirls.com/g/pandoracash/ ||iseekgirls.com/js/fabulous.js ||iseekgirls.com/rotating_ @@ -82028,6 +85425,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||jav-porn.net/js/popup.js ||javsin.com/vip.html ||julesjordanvideo.com/flash/$object +||justporno.tv/ad/ ||kaotic.com^*/popnew.js ||keezmovies.com/iframe.html? ||kindgirls.com/banners2/ @@ -82044,7 +85442,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||live-porn.tv/adds/ ||liveandchat.tv/bana-/ ||livedoor.jp^*/bnr/bnr- -||lolhappens.com/mgid.html ||lubetube.com/js/cspop.js ||lucidsponge.pl/pop_ ||lukeisback.com/images/boxes/ @@ -82082,7 +85479,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||mrstiff.com/view/movie/bar/ ||mrstiff.com/view/movie/finished/ ||my-pornbase.com/banner/ +||mydailytube.com/nothing/ ||mygirlfriendvids.net/js/popall1.js +||myhentai.tv/popsstuff. ||myslavegirl.org/follow/go.js ||naked-sluts.us/prpop.js ||namethatpornstar.com/topphotos/ @@ -82149,6 +85548,18 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||pimpandhost.com/images/pah-download.gif ||pimpandhost.com/static/html/iframe.html ||pimpandhost.com/static/i/*-pah.jpg +||pink-o-rama.com/Blazingbucks +||pink-o-rama.com/Brothersincash +||pink-o-rama.com/Fetishhits +||pink-o-rama.com/Fuckyou +||pink-o-rama.com/Gammae +||pink-o-rama.com/Karups +||pink-o-rama.com/Longbucks/ +||pink-o-rama.com/Nscash +||pink-o-rama.com/Pimproll/ +||pink-o-rama.com/Privatecash +||pink-o-rama.com/Royalcash/ +||pink-o-rama.com/Teendreams ||pinkems.com/images/buttons/ ||pinkrod.com/iframes/ ||pinkrod.com/js/adppinkrod @@ -82175,6 +85586,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||pornalized.com/contents/content_sources/ ||pornalized.com/js/adppornalized5.js ||pornalized.com/pornalized_html/closetoplay_ +||pornarchive.net/images/cb ||pornbanana.com/pornbanana/deals/ ||pornbay.org/popup.js ||pornbb.org/adsnov. @@ -82189,10 +85601,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||pornerbros.com/rec/$subdocument ||pornfanplace.com/js/pops. ||pornfanplace.com/rec/ -||pornhub.com/album/$xmlhttprequest ||pornhub.com/catagories/costume/ ||pornhub.com/channels/pay/ ||pornhub.com/front/alternative/ +||pornhub.com/jpg/ ||pornhub.com/pics/latest/$xmlhttprequest ||pornhub.com^$script,domain=pornhub.com ||pornhub.com^$subdocument,~third-party @@ -82298,6 +85710,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||sextube.com/lj.js ||sextubebox.com/ab1.shtml ||sextubebox.com/ab2.shtml +||sexuhot.com/images/xbanner ||sexvines.co/images/cp ||sexy-toons.org/interface/partenariat/ ||sexy-toons.org/interface/pub/ @@ -82327,6 +85740,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||socaseiras.com.br/banner_ ||socaseiras.com.br/banners.php? ||songs.pk/ie/ietext.html +||spankbang.com/gateway/ ||springbreaktubegirls.com/js/springpop.js ||starcelebs.com/logos/$image ||static.flabber.net^*background @@ -82336,6 +85750,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||submityourflicks.com/banner/ ||svscomics.com^*/dtrotator.js ||sxx.com/js/lj.js +||t8.*.com/?*_|$xmlhttprequest,domain=tube8.com +||taxidrivermovie.com/mrskin_runner/ ||teensanalfactor.com/best/ ||teensexcraze.com/awesome/leader.html ||teentube18.com/js/realamateurtube.js @@ -82379,6 +85795,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||unoxxx.com/pages/en_player_video_right.html ||updatetube.com/js/adpupdatetube ||vibraporn.com/vg/ +||vid2c.com/js/atxpp.js? ||vid2c.com/js/pp.js ||vid2c.com/pap.js ||vid2c.com/pp.js @@ -82394,6 +85811,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||wankspider.com/js/wankspider.js ||watch2porn.net/pads2.js ||watchindianporn.net/js/pu.js +||weberotic.net/banners/ ||wegcash.com/click/ ||wetplace.com/iframes/$subdocument ||wetplace.com/js/adpwetplace @@ -82413,6 +85831,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||wunbuck.com/iframes/aaw_leaderboard.html ||x3xtube.com/banner_rotating_ ||xbabe.com/iframes/ +||xbooru.com/block/adblocks.js ||xbutter.com/adz.html ||xbutter.com/geturl.php/ ||xbutter.com/js/pop-er.js @@ -82420,6 +85839,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||xhamster.com/ads/ ||xhamster.com/js/xpu.js ||xhamsterpremiumpass.com/premium_scenes.html +||xhcdn.com^*/ads_ ||xogogo.com/images/latestpt.gif ||xtravids.com/pop.php ||xvideohost.com/hor_banner.php @@ -82468,12 +85888,12 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||zazzybabes.com/misc/virtuagirl-skin.js ! *** easylist:easylist_adult/adult_specific_block_popup.txt *** ^utm_medium=pops^$popup,domain=ratedporntube.com|sextuberate.com -|http://*?*=*&$popup,third-party,domain=extremetube.com|pornhub.com|redtube.com|spankwire.com|tube8.com|youporn.com|youporngay.com +|http://*?*=$popup,third-party,domain=extremetube.com|pornhub.com|redtube.com|spankwire.com|tube8.com|youporn.com|youporngay.com |http://*?*^id^$popup,third-party,domain=extremetube.com|pornhub.com|redtube.com|spankwire.com|tube8.com|youporn.com|youporngay.com -|http://*?id=$popup,domain=extremetube.com|pornhub.com|redtube.com|spankwire.com|tube8.com|youporn.com|youporngay.com ||ad.userporn.com^$popup ||eporner.com/pop.php$popup ||fantasti.cc^*?ad=$popup +||fantastube.com/track.php$popup ||fc2.com^$popup,domain=xvideos.com ||fileparadox.in/free$popup,domain=tdarkangel.com ||h2porn.com/pu.php$popup @@ -82481,12 +85901,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||heganteens.com/exo.php$popup ||imagebam.com/redirect_awe.php$popup ||movies.askjolene.com/c64?clickid=$popup +||namethatporn.com/ntpoo$popup ||pinporn.com/popunder/$popup ||pop.fapxl.com^$popup ||pop.mrstiff.com^$popup ||porn101.com^$popup,domain=lexsteele.com ||porn4free.tv^$popup,domain=redtube.cc ||pornuppz.info/out.php$popup +||publicagent.com/bigzpup.php$popup ||rackcdn.com^$popup,domain=extremetube.com|pornhub.com|redtube.com|spankwire.com|tube8.com|youporn.com|youporngay.com ||site-rips.org^$popup,domain=backupload.net ||ymages.org/prepop.php$popup @@ -82538,6 +85960,7 @@ citytv.com###CityTv-HeaderBannerBorder ynetnews.com###ClarityRayButton naturalnews.com###Container-Tier1 naturalnews.com###Container-Tier2 +supersport.com###ContentPlaceHolder1_featureShopControl1_shop cardomain.com###ContentPlaceHolder1_rideForSaleOnEbay supersport.com###ContentPlaceHolder1_shop1_shopDiv muchmusic.com###ContestsSide @@ -82546,8 +85969,6 @@ amazon.com###DAadrp ibtimes.com###DHTMLSuite_modalBox_contentDiv gamesforgirlz.net###DUL-jack msn.com###Dcolumn -urbandictionary.com###Define_300x250 -urbandictionary.com###Define_300x250_BTF merriam-webster.com###Dictionary-MW_DICT_728_BOT starcanterbury.co.nz###DivBigBanner meettheboss.tv###DivCenterSpaceContainer @@ -82581,7 +86002,6 @@ infoplease.com###HCads wikia.com,wowwiki.com###HOME_LEFT_SKYSCRAPER_1 wikia.com,wowwiki.com###HOME_TOP_LEADERBOARD theweek.com###HPLeaderbox -urbandictionary.com###HP_300x600 myoutsourcedbrain.com###HTML2 celebnipslipblog.com,countryweekly.com###HeaderBanner greatschools.org###Header_728x90 @@ -82613,6 +86033,7 @@ printmag.com,wetcanvas.com###LinkSpace ustream.tv###LoginBannerWrapper hotnewhiphop.com###LookoutContent mail.yahoo.com###MIP4 +medicalnewstoday.com###MNT_600xFlex_Middle mail.yahoo.com###MNW autotrader.ie,natgeotv.com###MPU nick.co.uk###MPU-wrap @@ -82642,7 +86063,8 @@ kbb.com###New-spotlights india.com###NewBanner walmart.com###OAS_Left1 vidspot.net###On3Pla1ySpot -bestreams.net,played.to,vidstream.in###OnPlayerBanner +bestreams.net,fastvideo.in,played.to,realvid.net,vidstream.in###OnPlayerBanner +allmyvideos.net###OnPlayerClose pch.com###PCHAdWrap missoulian.com,thenewstribune.com,theolympian.com###PG_fb azdailysun.com,azstarnet.com,billingsgazette.com,elkodaily.com,heraldextra.com,metromix.com,missoulian.com,tdn.com,thenewstribune.com,theolympian.com,trib.com###PG_link @@ -82654,11 +86076,10 @@ newser.com###PromoSquare globaltv.com###RBigBoxContainer gardenista.com,remodelista.com###REMODELISTA_BTF_CENTER_AD_FRAME gardenista.com,remodelista.com###REMODELISTA_BTF_RIGHTRAIL-2 -timesofindia.indiatimes.com###RMRight3\[style="width:300px;height:250px;"] -urbandictionary.com###ROS_Right_160x60 smash247.com###RT1 readwriteweb.com###RWW_BTF_CENTER_AD istockanalyst.com###RadWindowWrapper_ctl00_ContentPlaceHolderMain_registration +awazfm.co.uk###Recomends ebuddy.com###Rectangle reference.com###Resource_Center blackamericaweb.com###RightBlockContainer2 @@ -82681,6 +86102,7 @@ mail.aol.com###SidePanel msnbc.msn.com,nbcnews.com###Sidebar2-sponsored daringfireball.net###SidebarTheDeck imcdb.org###SiteLifeSupport +imcdb.org###SiteLifeSupportMissing thisismoney.co.uk###Sky austinchronicle.com###Skyscraper teoma.com###Slink @@ -82725,6 +86147,7 @@ tvembed.eu###\33 00banner dangerousminds.net###\37 28ad forexpros.com###\5f 300x250textads thegalaxytabforum.com###\5f _fixme +happystreams.net###\5f ad_ funnyordie.com###\5f ad_div mail.google.com###\:rr .nH\[role="main"] .mq:first-child mail.google.com###\:rr > .nH > .nH\[role="main"] > .aKB @@ -82737,6 +86160,7 @@ anchorfree.net###a72890_1 metblogs.com###a_medrect ytmnd.com###a_plague_upon_your_house metblogs.com###a_widesky +ipdb.at###aaa totalfilm.com###ab1 webgurubb.com###ab_top nearlygood.com###abf @@ -82754,10 +86178,11 @@ feministing.com###aboveheader tvseriesfinale.com###abox reference.com,thesaurus.com###abvFold blocked-website.com###acbox +filefactory.com###acontainer bitcoca.com###active1 bitcoca.com###active2 bitcoca.com###active3 -1050talk.com,4chan.org,altervista.org,amazon.com,aol.com,ap.org,awfuladvertisements.com,bitcoinmonitor.com,braingle.com,campusrn.com,chicagonow.com,cocoia.com,cryptoarticles.com,dailydigestnews.com,daisuki.net,devshed.com,djmickbabes.com,drakulastream.eu,earthtechling.com,esquire.com,fantom-xp.com,farmville.com,fosswire.com,fullrip.net,g4tv.com,gifts.com,golackawanna.com,google.com,helpwithwindows.com,hknepaliradio.com,ifunnyplanet.com,ifyoulaughyoulose.com,imageshack.us,instapaper.com,internetradiouk.com,investorschronicle.co.uk,jamaicaradio.net,jamendo.com,jigzone.com,learnhub.com,legendofhallowdega.com,libertychampion.com,livevss.net,loveshack.org,lshunter.tv,macstories.net,marketingpilgrim.com,mbta.com,milkandcookies.com,msn.com,msnbc.com,mydallaspost.com,nbcnews.com,neoseeker.com,nepaenergyjournal.com,ninemsn.com.au,nzherald.co.nz,omgili.com,onlineradios.in,phonezoo.com,printitgreen.com,psdispatch.com,psu.com,queensberry-rules.com,radio.net.bd,radio.net.pk,radio.or.ke,radio.org.ng,radio.org.nz,radio.org.ph,radioonline.co.id,radioonline.my,radioonline.vn,radiosa.org,radioth.net,radiowebsites.org,rapidshare-downloads.com,reversegif.com,robotchicken.com,saportareport.com,sciencerecorder.com,shop4freebies.com,slidetoplay.com,socialmarker.com,statecolumn.com,streamhunter.eu,technorati.com,theabingtonjournal.com,thetelegraph.com,timesleader.com,totaljerkface.com,totallycrap.com,trinidadradiostations.net,tutorialized.com,twitch.tv,ultimate-rihanna.com,vetstreet.com,vladtv.com,wallpapers-diq.com,wefunction.com,womensradio.com,xe.com,yahoo.com,youbeauty.com,ytconv.net,zootool.com###ad +1050talk.com,4chan.org,altervista.org,amazon.com,aol.com,ap.org,awfuladvertisements.com,bitcoinmonitor.com,braingle.com,campusrn.com,chicagonow.com,cocoia.com,cryptoarticles.com,dailydigestnews.com,daisuki.net,devshed.com,djmickbabes.com,drakulastream.eu,earthtechling.com,esquire.com,fantom-xp.com,farmville.com,fosswire.com,fullrip.net,g4tv.com,gifts.com,golackawanna.com,google.com,guiminer.org,helpwithwindows.com,hknepaliradio.com,ifunnyplanet.com,ifyoulaughyoulose.com,imageshack.us,instapaper.com,internetradiouk.com,investorschronicle.co.uk,jamaicaradio.net,jamendo.com,jigzone.com,learnhub.com,legendofhallowdega.com,libertychampion.com,livevss.net,loveshack.org,lshunter.tv,macstories.net,marketingpilgrim.com,mbta.com,milkandcookies.com,msn.com,msnbc.com,mydallaspost.com,nbcnews.com,neoseeker.com,nepaenergyjournal.com,ninemsn.com.au,nzherald.co.nz,omgili.com,onlineradios.in,phonezoo.com,printitgreen.com,psdispatch.com,psu.com,queensberry-rules.com,radio.net.bd,radio.net.pk,radio.or.ke,radio.org.ng,radio.org.nz,radio.org.ph,radioonline.co.id,radioonline.my,radioonline.vn,radiosa.org,radioth.net,radiowebsites.org,rapidshare-downloads.com,reversegif.com,robotchicken.com,saportareport.com,sciencerecorder.com,shop4freebies.com,slidetoplay.com,socialmarker.com,statecolumn.com,streamhunter.eu,technorati.com,theabingtonjournal.com,thetelegraph.com,timesleader.com,torrentbutler.eu,totaljerkface.com,totallycrap.com,trinidadradiostations.net,tutorialized.com,twitch.tv,ultimate-rihanna.com,vetstreet.com,vladtv.com,wallpapers-diq.com,wefunction.com,womensradio.com,xe.com,yahoo.com,youbeauty.com,ytconv.net,zootool.com###ad clip.dj,dafont.com,documentary.net,gomapper.com,idahostatejournal.com,investorschronicle.co.uk,megafilmeshd.net,newsinc.com,splitsider.com,theawl.com,thehindu.com,thehindubusinessline.com,timeanddate.com,troyhunt.com,weekendpost.co.zw,wordreference.com###ad1 btvguide.com,cuteoverload.com,edmunds.com,investorschronicle.co.uk,megafilmeshd.net,pimpandhost.com,theawl.com,thehairpin.com,troyhunt.com,weekendpost.co.zw###ad2 btvguide.com,internetradiouk.com,jamaicaradio.net,onlineradios.in,pimpandhost.com,radio.net.bd,radio.net.pk,radio.or.ke,radio.org.ng,radio.org.nz,radio.org.ph,radioonline.co.id,radioonline.my,radioonline.vn,radiosa.org,radioth.net,splitsider.com,theawl.com,thehairpin.com,trinidadradiostations.net,way2sms.com,weekendpost.co.zw,zerocast.tv###ad3 @@ -82768,7 +86193,7 @@ fxnetworks.com,isearch.avg.com###adBlock experts-exchange.com###adComponent gamemazing.com###adContainer about.com,paidcontent.org###adL -apnadesi-tv.net,britsabroad.com,candlepowerforums.com,droidforums.net,filesharingtalk.com,forum.opencarry.org,gsmindore.com,hongfire.com,justskins.com,kiwibiker.co.nz,lifeinvictoria.com,lotoftalks.com,moneymakerdiscussion.com,mpgh.net,nextgenupdate.com,partyvibe.com,perthpoms.com,pomsinadelaide.com,pomsinoz.com,printroot.com,thriveforums.org,watchdesitv.com,watchuseek.com,webmastertalkforums.com,win8heads.com###ad_global_below_navbar +apnadesi-tv.net,britsabroad.com,candlepowerforums.com,droidforums.net,filesharingtalk.com,forum.opencarry.org,gsmindore.com,hongfire.com,justskins.com,kiwibiker.co.nz,lifeinvictoria.com,lotoftalks.com,m-hddl.com,moneymakerdiscussion.com,mpgh.net,nextgenupdate.com,partyvibe.com,perthpoms.com,pomsinadelaide.com,pomsinoz.com,printroot.com,thriveforums.org,watchdesitv.com,watchuseek.com,webmastertalkforums.com,win8heads.com###ad_global_below_navbar im9.eu###adb tweakguides.com###adbar > br + p\[style="text-align: center"] + p\[style="text-align: center"] tweakguides.com###adbar > br + p\[style="text-align: center"] + p\[style="text-align: center"] + p @@ -82802,9 +86227,8 @@ shivtr.com###admanager girlsgames.biz###admd mp3skull.com###adr_banner mp3skull.com###adr_banner_2 -909lifefm.com,anichart.net,audioreview.com,carlow-nationalist.ie,daemon-tools.cc,disconnect.me,dreadcentral.com,duckduckgo.com,eveningecho.ie,financenews.co.uk,footballfancast.com,g.doubleclick.net,gearculture.com,genevalunch.com,hdcast.tv,healthboards.com,hiphopisdream.com,inspirationti.me,isearch-for.com,kildare-nationalist.ie,laois-nationalist.ie,lorempixel.com,lyricstime.com,mobilerevamp.org,mtbr.com,nylonguysmag.com,placehold.it,playr.org,privack.com,quiz4fun.com,quote.com,roscommonherald.ie,skyuser.co.uk,theindustry.cc,toorgle.net,triblive.com,tvope.com,urbandictionary.com,washingtonmonthly.com,waterford-news.ie,wccftech.com,westernpeople.com,wexfordecho.ie###ads -cleodesktop.com###ads1 -cleodesktop.com,release-ddl.com,womanowned.com###ads3 +909lifefm.com,anichart.net,audioreview.com,carlow-nationalist.ie,chelseanews.com,daemon-tools.cc,disconnect.me,dreadcentral.com,duckduckgo.com,eveningecho.ie,financenews.co.uk,footballfancast.com,g.doubleclick.net,gearculture.com,genevalunch.com,hdcast.tv,healthboards.com,hiphopisdream.com,inspirationti.me,isearch-for.com,kildare-nationalist.ie,laois-nationalist.ie,lorempixel.com,lyricstime.com,mobilerevamp.org,mtbr.com,nylonguysmag.com,photographyreview.com,placehold.it,playr.org,privack.com,quiz4fun.com,quote.com,roscommonherald.ie,skyuser.co.uk,talk1300.com,theindustry.cc,toorgle.net,triblive.com,tvope.com,urbandictionary.com,washingtonmonthly.com,waterford-news.ie,wccftech.com,westernpeople.com,wexfordecho.ie###ads +release-ddl.com,womanowned.com###ads3 chia-anime.com###ads4 chia-anime.com###ads8 screencity.pl###ads_left @@ -82816,16 +86240,17 @@ videos.com###adst fitnessmagazine.com###adtag ninemsn.com.au###adtile conservativepost.com###adtl -mnn.com###adv +mnn.com,streamtuner.me###adv novamov.com,tinyvid.net,videoweed.es###adv1 cad-comic.com###advBlock forexminute.com###advBlokck -arsenal.com,farmersvilletimes.com,ishared.eu,murphymonitor.com,princetonherald.com,runescape.com,sachsenews.com,wylienews.com###advert +teleservices.mu###adv_\'146\' +arsenal.com,farmersvilletimes.com,ishared.eu,murphymonitor.com,princetonherald.com,runescape.com,sachsenews.com,shared2.me,wylienews.com###advert uploaded.to###advertMN -bt.com,chron.com,climateprogress.org,computingondemand.com,everydaydish.tv,fisher-price.com,funnygames.co.uk,games.on.net,givemefootball.com,intoday.in,iwin.com,msn.com,mysanantonio.com,nickjr.com,nytsyn.com,opry.com,peoplepets.com,psu.com,sonypictures.com,thatsfit.com,truelocal.com.au,unshorten.it,variety.com,washingtonian.com,yippy.com###advertisement +bt.com,chron.com,climateprogress.org,computingondemand.com,everydaydish.tv,fisher-price.com,funnygames.co.uk,games.on.net,givemefootball.com,intoday.in,iwin.com,msn.com,mysanantonio.com,nickjr.com,nytsyn.com,opry.com,peoplepets.com,psu.com,radiozdk.com,sonypictures.com,thatsfit.com,truelocal.com.au,unshorten.it,variety.com,washingtonian.com,yippy.com###advertisement typepad.com###advertisements miamisunpost.com###advertisers -develop-online.net,geeky-gadgets.com,govolsxtra.com,hwbot.org,motortorque.com,pcr-online.biz,profy.com,webshots.com###advertising +bom.gov.au,develop-online.net,geeky-gadgets.com,govolsxtra.com,hwbot.org,motortorque.com,pcr-online.biz,profy.com,webshots.com###advertising 1cookinggames.com,intowindows.com,irishhealth.com,playkissing.com,snewscms.com,yokogames.com###advertisment kickoff.com###advertisng share-links.biz###advice @@ -82865,8 +86290,6 @@ pcadvisor.co.uk###amazonPriceListContainer imfdb.org###amazoncontent zap2it.com###amc-twt-module realbeauty.com###ams_728_90 -harpersbazaar.com###ams_baz_rwd_top -harpersbazaar.com###ams_baz_sponsored_links publicradio.org###amzContainer aim.org###amznCharityBanner visitsundsvall.se###annons-panel @@ -82897,6 +86320,9 @@ ktar.com###askadv autoblog.com###asl_bot autoblog.com###asl_top pv-tech.org###associations-wrapper +forwardprogressives.com###aswift_1_expand +forwardprogressives.com###aswift_2_expand +forwardprogressives.com###aswift_3_expand newsblaze.com###atf160x600 bustedcoverage.com###atf728x90 ecoustics.com###atf_right_300x250 @@ -82930,7 +86356,7 @@ virtualnights.com###banderolead ftadviser.com###banlb iloubnan.info###bann goldentalk.com###bann2 -absoluteradio.co.uk,adv.li,allmyfaves.com,arsenal.com,blahblahblahscience.com,brandrepublic.com,businessspectator.com.au,christianpost.com,comicsalliance.com,cool-wallpaper.us,dealmac.com,dealsonwheels.co.nz,delcotimes.com,disney.go.com,djmag.co.uk,djmag.com,dosgamesarchive.com,empowernetwork.com,farmtrader.co.nz,guidespot.com,healthcentral.com,icq.com,insideradio.com,irishcentral.com,keygen-fm.ru,lemondrop.com,lotro-lore.com,mediaite.com,morningjournal.com,movies.yahoo.com,moviesfoundonline.com,mypremium.tv,neave.com,news-herald.com,newstonight.co.za,nhregister.com,northernvirginiamag.com,nzmusicmonth.co.nz,ocia.net,pbs.org,pgpartner.com,popeater.com,poughkeepsiejournal.com,proxy-list.org,ps3-hacks.com,registercitizen.com,roughlydrafted.com,saratogian.com,screenwallpapers.org,securityweek.com,sfx.co.uk,shortlist.com,similarsites.com,soccerway.com,sportinglife.com,stopstream.com,style.com,theoaklandpress.com,thesmokinggun.com,theweek.com,tictacti.com,topsite.com,tortoisehg.bitbucket.org,twistedsifter.com,urlesque.com,vidmax.com,viewdocsonline.com,vps-trading.info,wellsphere.com,wn.com,wsof.com,zootoday.com###banner +absoluteradio.co.uk,adv.li,allmyfaves.com,arsenal.com,blahblahblahscience.com,brandrepublic.com,businessspectator.com.au,christianpost.com,comicsalliance.com,cool-wallpaper.us,cumbrialive.co.uk,dealmac.com,dealsonwheels.co.nz,delcotimes.com,disney.go.com,djmag.co.uk,djmag.com,dosgamesarchive.com,empowernetwork.com,farmtrader.co.nz,guidespot.com,healthcentral.com,icq.com,imgmaster.net,in-cumbria.com,indianexpress.com,insideradio.com,irishcentral.com,keygen-fm.ru,lemondrop.com,lotro-lore.com,mediaite.com,morningjournal.com,movies.yahoo.com,moviesfoundonline.com,mypremium.tv,neave.com,news-herald.com,newstonight.co.za,nhregister.com,northernvirginiamag.com,nzmusicmonth.co.nz,ocia.net,pbs.org,pgpartner.com,popeater.com,poughkeepsiejournal.com,proxy-list.org,ps3-hacks.com,registercitizen.com,roughlydrafted.com,saratogian.com,screenwallpapers.org,securityweek.com,sfx.co.uk,shortlist.com,similarsites.com,soccerway.com,sportinglife.com,stopstream.com,style.com,theoaklandpress.com,thesmokinggun.com,theweek.com,tictacti.com,topsite.com,tortoisehg.bitbucket.org,twistedsifter.com,urlesque.com,vidmax.com,viewdocsonline.com,vps-trading.info,wellsphere.com,wn.com,wsof.com,zootoday.com###banner kiz10.com###banner-728-15 wftlsports.com###banner-Botleft wftlsports.com###banner-Botright @@ -82942,7 +86368,7 @@ kiz10.com###banner-down-video film.fm###banner-footer mob.org###banner-h400 jacarandafm.com###banner-holder -sportfishingbc.com###banner-leaderboard +gardentenders.com,homerefurbers.com,sportfishingbc.com###banner-leaderboard kiz10.com###banner-left elle.com,forums.crackberry.com###banner-main cstv.com###banner-promo @@ -82952,11 +86378,11 @@ general-fil.es,generalfil.es###banner-search-bottom general-fil.es###banner-search-top torrentpond.com###banner-section irishtimes.com###banner-spacer -blocked-website.com,cjonline.com###banner-top +blocked-website.com,cjonline.com,wftlsports.com###banner-top vladtv.com###banner-top-video mob.org###banner-w790 georgiadogs.com,goarmysports.com,slashdot.org###banner-wrap -4teachers.org,dailyvoice.com###banner-wrapper +4teachers.org,dailyvoice.com,highwayradio.com###banner-wrapper siliconrepublic.com###banner-zone-k businessandleadership.com,siliconrepublic.com###banner-zone-k-dfp globaltimes.cn###banner05 @@ -82978,14 +86404,15 @@ viz.com###bannerDiv androidzoom.com###bannerDown atomicgamer.com,telefragged.com###bannerFeatures gatewaynews.co.za,ilm.com.pk,ynaija.com###bannerHead +showbusinessweekly.com###bannerHeader kumu.com###bannerImageName -atdhe.so,atdhe.xxx###bannerInCenter +atdhe.fm,atdhe.so,atdhe.xxx###bannerInCenter securenetsystems.net###bannerL securenetsystems.net###bannerM zam.com###bannerMain pocketgamer.co.uk###bannerRight reuters.com###bannerStrip -abclocal.go.com,atomicgamer.com,codecs.com,free-codecs.com,ieee.org,ninemsn.com.au,reference.com###bannerTop +atomicgamer.com,codecs.com,free-codecs.com,ieee.org,ninemsn.com.au,reference.com###bannerTop sky.com###bannerTopBar search.snap.do###bannerWrapper khl.com###banner_1 @@ -83011,7 +86438,9 @@ fulldls.com###banner_h mudah.my###banner_holder versus.com###banner_instream_300x250 krzk.com###banner_left +bahamaslocal.com###banner_location_sub baltic-course.com###banner_master_top +veehd.com###banner_over_vid worldradio.ch###banner_placement_bottom worldradio.ch###banner_placement_right ebuddy.com###banner_rectangle @@ -83041,6 +86470,7 @@ freegirlgames.org###bannerplay virusbtn.com###bannerpool driverdb.com,european-rubber-journal.com,mobile-phones-uk.org.uk,offtopic.com,toledofreepress.com###banners bergfiles.com,berglib.com###banners-24 +wrmj.com###banners-top eluniversal.com,phuketwan.com###bannersTop krzk.com###banners_bottom insideedition.com###bannerspace-expandable @@ -83081,15 +86511,19 @@ radaronline.com###below_header tgdaily.com###bestcovery_container dailygalaxy.com###beta-inner nigeriafootball.com###bettingCompetition +atđhe.net###between_links +searchenginejournal.com###bg-atag +searchenginejournal.com###bg-takeover-unit livescience.com###bgImage frostytech.com###bg_googlebanner_160x600LH +oboom.com###bgfadewnd1 973fm.com.au,buzzintown.com,farmingshow.com,isportconnect.com,mix1011.com.au,mix1065.com.au,newstalkzb.co.nz,ps3news.com,radiosport.co.nz,rlslog.net,runt-of-the-web.com,sharkscope.com###bglink runnerspace.com###bgtakeover forbes.com###bigBannerDiv spacecast.com,treehousetv.com###bigBox chinadaily.com.cn###big_frame canoe.ca,winnipegfreepress.com,worldweb.com###bigbox -about.com,mg.co.za###billboard +about.com,cumberlandnews.co.uk,cumbrialive.co.uk,eladvertiser.co.uk,hexhamcourant.co.uk,in-cumbria.com,mg.co.za,newsandstar.co.uk,nwemail.co.uk,timesandstar.co.uk,whitehavennews.co.uk###billboard about.com###billboard2 theblaze.com###billboard_970x250 tech-faq.com,techspot.com###billboard_placeholder @@ -83167,6 +86601,7 @@ todayonline.com###block-dart-dart-tag-all-pages-header popphoto.com###block-dart-dart-tag-bottom todayonline.com###block-dart-dart-tag-dart-homepage-728x90 popphoto.com###block-dart-dart-tag-top1 +medicaldaily.com###block-dfp-bottom ncronline.org###block-dfp-content-1 ncronline.org###block-dfp-content-2 ncronline.org###block-dfp-content-3 @@ -83180,6 +86615,9 @@ examiner.com###block-ex_dart-ex_dart_adblade_topic 4hi.com.au,4vl.com.au,hotcountry.com.au###block-exponential-exponential-mrec 4hi.com.au,4vl.com.au,hotcountry.com.au###block-exponential-exponential-mrec2 infoworld.com###block-infoworld-sponsored_links +14850.com###block-ofefo-5 +14850.com###block-ofefo-7 +14850.com###block-ofefo-8 ecnmag.com###block-panels-mini-dart-stamp-ads yourtango.com###block-tango-10 yourtango.com###block-tango-9 @@ -83224,13 +86662,15 @@ mp3lyrics.org###bota trutv.com###botleadad phonescoop.com###botlink adf.ly,deezer.com,forums.vr-zone.com,hplusmagazine.com,j.gs,q.gs,u.bb,usniff.com###bottom +jillianmichaels.com###bottom-300 dancehallreggae.com,investorplace.com,kiz10.com,lyrics19.com,radionomy.com###bottom-banner vidstatsx.com###bottom-bar news.cnet.com###bottom-leader ohio.com###bottom-leader-position -audioreview.com,fayobserver.com,icanhasinternets.com,legacy.com,thenextweb.com,topcultured.com###bottom-leaderboard +audioreview.com,fayobserver.com,g4chan.com,icanhasinternets.com,legacy.com,thenextweb.com,topcultured.com###bottom-leaderboard startupnation.com###bottom-leaderboard-01 canstar.com.au###bottom-mrec +bidnessetc.com###bottom-panel templatemonster.com###bottom-partner-banners techhive.com###bottom-promo thebestdesigns.com###bottom-sponsors @@ -83271,6 +86711,7 @@ kewlshare.com###box1 kewlshare.com###box3 dillons.com,kroger.com###box3-subPage tnt.tv###box300x250 +dmi.ae###boxBanner300x250 yahoo.com###boxLREC planetminecraft.com###box_160btf planetminecraft.com###box_300atf @@ -83281,6 +86722,7 @@ maxim.com###box_takeover_content maxim.com###box_takeover_mask collive.com,ecnmag.com###boxes filesoup.com###boxopus-btn +search.yahoo.com###bpla britannica.com###bps-gist-mbox-container brainyquote.com###bq_top_ad turbobit.net###branding-link @@ -83306,6 +86748,7 @@ imdb.com###btf_rhs2_wrapper ecoustics.com###btf_right_300x250 coed.com,collegecandy.com###btfmrec collegecandy.com###btfss +overdrive.in###btm_banner1 inquirer.net###btmskyscraper profitguide.com###builder-277 torontosun.com###buttonRow @@ -83339,11 +86782,6 @@ zynga.com###cafe_snapi_zbar bonniegames.com###caja_publicidad popsugar.com###calendar_widget youthincmag.com###campaign-1 -grooveshark.com###capital -grooveshark.com###capital-160x600 -grooveshark.com###capital-300x250 -grooveshark.com###capital-300x250-placeholder -grooveshark.com###capital-728x90 care2.com###care2_footer_ads pcworld.idg.com.au###careerone-promo screenafrica.com###carousel @@ -83365,7 +86803,7 @@ cryptocoinsnews.com###cb-sidebar-b > #text-85 fresnobee.com###cb-topjobs bnd.com###cb_widget cbc.ca###cbc-bottom-logo -allmyvideos.net,xtshare.com###cblocker +xtshare.com###cblocker aviationweek.com,grist.org,linuxinsider.com,neg0.ca###cboxOverlay cbsnews.com###cbsiAd16_100 cbssports.com###cbsiad16_100 @@ -83411,6 +86849,7 @@ mmorpg.com###colFive weather24.com###col_top_fb stv.tv###collapsedBanner aviationweek.com,grist.org,linuxinsider.com,neg0.ca,tv3.co.nz###colorbox +search.yahoo.com###cols > #left > #main > ol > li\[id^="yui_"] zam.com###column-box:first-child smashingmagazine.com###commentsponsortarget nettleden.com,xfm.co.uk###commercial @@ -83431,20 +86870,22 @@ isup.me###container > center:last-child > a:last-child videobull.com###container > div > div\[style^="position: fixed; "] streamin.to,tvshow7.eu,videobull.com###container > div > div\[style^="z-index: "] ebuddy.com###container-banner +pons.com###container-superbanner jacksonville.com###containerDeal sedoparking.com###content info.com###content + .P4 4fuckr.com###content > div\[align="center"] > b\[style="font-size: 15px;"] emillionforum.com###content > div\[onclick^="MyAdvertisements"]:first-child -allmyvideos.net###content a + iframe autotrader.co.nz,kiz10.com###content-banner +lifewithcats.tv###content-bottom-empty-space picocool.com###content-col-3 snow.co.nz###content-footer-wrap prospect.org###content-header-sidebar darkhorizons.com###content-island ifc.com###content-right-b amatuks.co.za###content-sponsors -caymannewsservice.com,craveonline.com,ego4u.com,washingtonexaminer.com,web.id###content-top +craveonline.com,ego4u.com,washingtonexaminer.com,web.id###content-top +lifewithcats.tv###content-top-empty-space sevenload.com###contentAadContainer jellymuffin.com###contentAfter-i vwvortex.com###contentBanner @@ -83481,6 +86922,7 @@ rightdiagnosis.com###cradbotb rightdiagnosis.com,wrongdiagnosis.com###cradlbox1 rightdiagnosis.com,wrongdiagnosis.com###cradlbox2 rightdiagnosis.com,wrongdiagnosis.com###cradrsky2 +firsttoknow.com###criteo-container careerbuilder.com###csjstool_bottomleft mustangevolution.com###cta cargames1.com###ctgad @@ -83489,6 +86931,8 @@ blogtv.com###ctl00_ContentPlaceHolder1_topBannerDiv spikedhumor.com###ctl00_CraveBanners myfax.com###ctl00_MainSection_BannerCoffee thefiscaltimes.com###ctl00_body_rightrail_4_pnlVideoModule +seeklogo.com###ctl00_content_panelDepositPhotos +seeklogo.com###ctl00_content_panelDepositPhotos2 leader.co.za###ctl00_cphBody_pnUsefulLinks investopedia.com###ctl00_ctl00_MainContent_A5_ctl00_contentService0 investopedia.com###ctl00_ctl00_MainContent_A5_ctl00_contentService2 @@ -83526,6 +86970,7 @@ drivewire.com###dart_leaderboard news24.com###datingWidegt pitch.com###datingpitchcomIframe reference.com###dcomSERPTop-300x250 +dailydot.com###dd-ad-head-wrapper gazette.com###deal-link charlotteobserver.com,miami.com,momsmiami.com###dealSaverWidget slickdeals.net###dealarea @@ -83544,26 +86989,22 @@ bloggingstocks.com###dfAppPromo thriftyfun.com###dfp-2 madmagazine.com###dfp-300x250 madmagazine.com###dfp-728x90 -urbandictionary.com###dfp_define_double_rectangle -urbandictionary.com###dfp_define_rectangle -urbandictionary.com###dfp_define_rectangle_btf -urbandictionary.com###dfp_homepage_medium_rectangle -urbandictionary.com###dfp_homepage_medium_rectangle_below amherstbulletin.com,concordmonitor.com,gazettenet.com,ledgertranscript.com,recorder.com,vnews.com###dfp_intext_half_page amherstbulletin.com,concordmonitor.com,gazettenet.com,ledgertranscript.com,recorder.com,vnews.com###dfp_intext_med_rectangle -urbandictionary.com###dfp_skyscraper cduniverse.com###dgast dailyhoroscope.com###dh-bottomad dailyhoroscope.com###dh-topad vidhog.com###dialog directionsmag.com###dialog-message forums.digitalpoint.com###did_you_know +linuxbsdos.com###digocean torrenthound.com###direct.button torrenthound.com,torrenthoundproxy.com###direct2 totalkiss.com###directional-120x600 totalkiss.com###directional-300x250-single datehookup.com###div-Forums_AFT_Top_728x90 articlesnatch.com###div-article-top +her.ie,herfamily.ie,joe.co.uk,joe.ie,sportsjoe.ie###div-gpt-top_page gossipcop.com###div-gpt-unit-gc-hp-300x250-atf gossipcop.com###div-gpt-unit-gc-other-300x250-atf geekosystem.com###div-gpt-unit-gs-hp-300x250-atf @@ -83597,7 +87038,6 @@ philstar.com###diviframeleaderboard jeuxme.info###divk1 tvonlinegratis.mobi###divpubli vidxden.com###divxshowboxt > a\[target="_blank"] > img\[width="158"] -capecodonline.com,dailytidings.com,mailtribune.com,poconorecord.com,recordnet.com,recordonline.com,seacoastonline.com,southcoasttoday.com###djDealsReviews redown.se###dl afterdawn.com###dlSoftwareDesc300x250 firedrive.com###dl_faster @@ -83607,14 +87047,16 @@ coloradocatholicherald.com,hot1045.net,rednationonline.ca###dnn_BannerPane windowsitpro.com###dnn_FooterBoxThree winsupersite.com###dnn_LeftPane cheapoair.com###dnn_RightPane\[width="175"] +cafonline.com###dnn_footerSponsersPane windowsitpro.com,winsupersite.com###dnn_pentonRoadblock_pnlRoadblock +search.yahoo.com###doc #cols #right #east convertmyimage.com###doc2pdf linuxcrunch.com###dock pspmaniaonline.com###dollarade_help msn.co.nz###doubleMrec trulia.com###double_click_backfill freemp3go.com###downHighSpeed -torrentreactor.net###download-button +solidfiles.com,torrentreactor.com,torrentreactor.net###download-button legendarydevils.com###download1_body movpod.in,vreer.com###downloadbar stuff.co.nz###dpop @@ -83644,6 +87086,8 @@ sys-con.com###elementDiv nbr.co.nz###email-signup destructoid.com,japanator.com###emc_header prisonplanet.com###enerfood-banner +tcrtroycommunityradio.com###enhancedtextwidget-2 +gossipcenter.com###entertainment_skin eweek.com###eoe-sl anilinkz.com###epads1 countryliving.com###epic_banner @@ -83669,7 +87113,7 @@ esper.vacau.com,nationalreview.com,techorama.comyr.com###facebox esper.vacau.com,filefactory.com###facebox_overlay funnycrazygames.com,playgames2.com,sourceforge.net###fad tucows.com###fad1 -askmen.com###fade +askmen.com,dxomark.com###fade softexia.com###faded imagepicsa.com,nashuatelegraph.com###fadeinbox brothersoft.com###fakebodya @@ -83678,6 +87122,7 @@ accountingtoday.com,commentarymagazine.com###fancybox-overlay rapidmore.com###fastdw firstpost.com###fb_mtutor fastcompany.com###fc-ads-imu +thedrinknation.com###fcBanner firedrive.com,putlocker.com###fdtb_container firedrive.com###fdvabox dealtime.com,shopping.com###featListingSection @@ -83707,10 +87152,12 @@ generatorlinkpremium.com###firstleft theverge.com###fishtank siteslike.com###fixedbox\[style="margin-top:20px"] booksnreview.com,mobilenapps.com,newseveryday.com,realtytoday.com,scienceworldreport.com,techtimes.com###fixme +gwhatchet.com###flan_leader fool.com###flash omgpop.com###flash-banner-top tg4.ie###flash_mpu radiotimes.com###flexible-mpu +streamtuner.me###float-bottom altervista.org,bigsports.tv,desistreams.tv,fancystreems.com,freelivesportshd.com,hqfooty.tv,livematchesonline.com,livevss.tv,pogotv.eu,streamer247.com,trgoals.es,tykestv.eu,zonytvcom.info###floatLayer1 cdnbr.biz,zcast.us,zonytvcom.info###floatLayer2 chordfrenzy.com,ganool.com###floating_banner_bottom @@ -83733,7 +87180,7 @@ thenextweb.com###fmpub_2621_3 game-debate.com###focus-enclose achieve360points.com###foot socialhype.com,zap2it.com###foot728 -chaifm.com,coinurl.com,oocities.org,sicilyintheworld.com,spin.ph,techcentral.co.za,tribejournal.com###footer +boldride.com,chaifm.com,coinurl.com,oocities.org,palipost.com,sicilyintheworld.com,spin.ph,techcentral.co.za,tribejournal.com###footer teesoft.info###footer-800 beso.com,spectator.co.uk###footer-banner tabletmag.com###footer-bar @@ -83763,7 +87210,7 @@ usatoday.com###footerSponsorTwo chelseafc.com###footerSponsors techworld.com###footerWhitePapers thesouthafrican.com###footer\[style="height:200px"] -androidcommunity.com,japantoday.com,thevillager.com.na###footer_banner +1019thewave.com,androidcommunity.com,clear99.com,japantoday.com,kat943.com,kcmq.com,kfalthebig900.com,ktgr.com,kwos.com,theeagle939.com,thevillager.com.na,y107.com###footer_banner phpbb.com###footer_banner_leaderboard 1500espn.com,mytalk1071.com###footer_box logopond.com###footer_google @@ -83813,7 +87260,6 @@ yasni.ca,yasni.co.uk,yasni.com###fullsizeWrapper penny-arcade.com###funding-h vladtv.com###fw_promo tinypic.com###fxw_ads -cleodesktop.com###g207 interscope.com###g300x250 claro-search.com,isearch.babylon.com,search.babylon.com###gRsTopLinks hoobly.com###ga1 @@ -83846,6 +87292,7 @@ mtv.com###gft-sponsors vancouversun.com###giftguidewidget phillytrib.com###gkBannerTop ngrguardiannews.com###gkBannerTopAll +concrete.tv###gkBanners howdesign.com,moviecritic.com.au,orble.com,realitytvobsession.com###glinks theguardian.com###global-jobs people.com###globalrecirc @@ -83876,7 +87323,9 @@ tips.net###googlebig forums.studentdoctor.net###googlefloat sapostalcodes.za.net###googlehoriz variety.com###googlesearch +magtheweekly.com###googleskysraper mozillazine.org###gootop +truckinginfo.com###got-questions asylum.co.uk###goviralD sourceforge.jp###gpt-sf_dev_300 neopets.com###gr-ctp-premium-featured @@ -83891,7 +87340,6 @@ bamkapow.com###gs300x250 jobs.aol.com###gsl aol.com###gsl-bottom torlock.com,torrentfunk.com,yourbittorrent.com###gslideout -ndtv.com###gta gtaforums.com###gtaf_ad_forums_bottomLeaderboard gtaforums.com###gtaf_ad_forums_topLeaderboard gtaforums.com###gtaf_ad_forums_wideSkyscraper @@ -83933,7 +87381,8 @@ countytimes.co.uk###headBanner quotes-love.net###head_banner fxempire.com###head_banners webdesignstuff.com###headbanner -adsoftheworld.com,anglocelt.ie,animalnetwork.com,eeeuser.com,engineeringnews.co.za,eveningtimes.co.uk,floridaindependent.com,hellmode.com,heraldscotland.com,incredibox.com,information-management.com,krapps.com,link-base.org,meathchronicle.ie,mothering.com,nevadaappeal.com,offalyindependent.ie,theroanoketribune.org,tusfiles.net,unrealitymag.com,vaildaily.com,washingtonindependent.com,westmeathindependent.ie,yourforum.ie###header +adsoftheworld.com,anglocelt.ie,animalnetwork.com,cartoonnetworkhq.com,eeeuser.com,engineeringnews.co.za,eveningtimes.co.uk,floridaindependent.com,hellmode.com,heraldscotland.com,incredibox.com,information-management.com,krapps.com,link-base.org,meathchronicle.ie,mothering.com,nevadaappeal.com,offalyindependent.ie,petapixel.com,theroanoketribune.org,tusfiles.net,unrealitymag.com,vaildaily.com,washingtonindependent.com,westmeathindependent.ie,yourforum.ie###header +filehippo.com###header-above-content-leaderboard theblemish.com###header-b fanrealm.net,flix.gr,fonearena.com,frontlinesoffreedom.com,girlgames.com,pa-magazine.com,progressivenation.us,scmp.com,snow.co.nz,snowtv.co.nz,spectator.co.uk,stickgames.com,sunnewsonline.com###header-banner gearculture.com###header-banner-728 @@ -83941,9 +87390,9 @@ dominicantoday.com###header-banners diyfashion.com###header-blocks ideone.com###header-bottom allakhazam.com###header-box:last-child -themiddlemarket.com###header-content +bestvpnserver.com,themiddlemarket.com###header-content davidwalsh.name###header-fx -ancientfaces.com,myrecordjournal.com,news-journalonline.com,phillymag.com,telegraph.co.uk,usatoday.com###header-leaderboard +ancientfaces.com,g4chan.com,myrecordjournal.com,news-journalonline.com,phillymag.com,telegraph.co.uk,usatoday.com###header-leaderboard menshealth.com###header-left-top-region amctv.com,ifc.com,motorhomefacts.com,sundance.tv,wetv.com###header-promo veteranstoday.com###header-right-banner2 @@ -83995,11 +87444,12 @@ allakhazam.com###hearthhead-mini-feature grist.org###hellobar-pusher kansascity.com###hi-find-n-save hi5.com###hi5-common-header-banner -atdhe.so,atdhe.xxx###hiddenBannerCanvas +atdhe.fm,atdhe.so,atdhe.xxx###hiddenBannerCanvas wbond.net###hide_sup flashi.tv###hideall rapidvideo.org,rapidvideo.tv###hidiv rapidvideo.org###hidiva +rapidvideo.org###hidivazz itweb.co.za###highlight-on codinghorror.com###hireme quill.com###hl_1_728x90 @@ -84023,11 +87473,13 @@ politics.co.uk###homeMpu techradar.com###homeOmioDealsWrapper thebradentontimes.com###homeTopBanner radiocaroline.co.uk###home_banner_div +khmertimeskh.com###home_bottom_banner creativeapplications.net###home_noticias_highlight_sidebar gpforums.co.nz###home_right_island inquirer.net###home_sidebar facebook.com###home_sponsor_nile facebook.com###home_stream > .uiUnifiedStory\[data-ft*="\"ei\":\""] +khmertimeskh.com###home_top_banner gumtree.co.za###home_topbanner spyka.net###homepage-125 edmunds.com###homepage-billboard @@ -84050,6 +87502,7 @@ mp4upload.com###hover rottentomatoes.com###hover-bubble itproportal.com###hp-accordion active.com###hp-map-ad +worldweatheronline.com###hp_300x600 eweek.com###hp_hot_stories collegecandy.com###hplbatf bhg.com###hpoffers @@ -84057,6 +87510,8 @@ bustedcoverage.com###hpss lhj.com###hptoprollover staradvertiser.com###hsa_bottom_leaderboard careerbuilder.com###htcRight\[style="padding-left:18px; width: 160px;"] +hdcast.org###html3 +pregen.net###html_javascript_adder-3 maxkeiser.com###html_widget-11 maxkeiser.com###html_widget-2 maxkeiser.com###html_widget-3 @@ -84089,11 +87544,13 @@ computerworlduk.com###inArticleSiteLinks audioz.eu###inSidebar > #src_ref rawstory.com###in_article_slot_1 rawstory.com###in_article_slot_2 +soccer24.co.zw###in_house_banner youtubeproxy.pk###include2 telegraph.co.uk###indeed_widget_wrapper egotastic.com###index-insert independent.co.uk###indyDating share-links.biz###inf_outer +news.com.au###info-bar share-links.biz###infoC technologytell.com###infobox_medium_rectangle_widget technologytell.com###infobox_medium_rectangle_widget_features @@ -84119,7 +87576,7 @@ boldsky.com###interstitialBackground maxim.com###interstitialCirc boldsky.com,gizbot.com###interstitialRightText gizbot.com###interstitialTitle -giantlife.com,newsone.com,theurbandaily.com###ione-jobs_v2-2 +giantlife.com,newsone.com###ione-jobs_v2-2 elev8.com,newsone.com###ione-jobs_v2-3 giantlife.com###ione-jobs_v2-4 about.com###ip0 @@ -84130,6 +87587,7 @@ investorplace.com###ipm_featured_partners-5 investorplace.com###ipm_sidebar_ad-3 metrolyrics.com###ipod unitconversion.org###iright +ironmanmag.com.au###iro_banner_leaderboard inquirer.net###is-sky-wrap imageshack.us###is_landing drivearcade.com,freegamesinc.com###isk180 @@ -84162,6 +87620,7 @@ sport24.co.za###kalahari bigislandnow.com###kbig_holder way2sms.com###kidloo nationalgeographic.com###kids_tophat_row1 +waoanime.tv###kittenoverlay wkrg.com###krg_oas_rail topix.com###krillion_block topix.com###krillion_container @@ -84188,6 +87647,7 @@ inquirer.net###lb_ear2 redferret.net###lb_wrap bustedcoverage.com###lbbtf play.tm###lbc +lankabusinessonline.com###lbo-ad-leadboard mofunzone.com###ldrbrd_td gpsreview.net###lead armedforcesjournal.com###leadWrap @@ -84196,7 +87656,7 @@ tripit.com###leadboard gamesindustry.biz,investopedia.com,iphonic.tv,kontraband.com,motherproof.com,nutritioncuisine.com,sansabanews.com,thestreet.com,topgear.com,venturebeat.com,vg247.com###leader duffelblog.com###leader-large bakersfieldnow.com,katu.com,keprtv.com,komonews.com,kpic.com,kval.com,star1015.com###leader-sponsor -agriland.ie,blackburnnews.com,bloody-disgusting.com,football-talk.co.uk,foxnews.com,irishpost.co.uk,longislandpress.com,mobiletoday.co.uk,mobiletor.com,morningledger.com,pcgamerhub.com,soccersouls.com,tangatawhenua.com,thescoopng.com,thewrap.com,urbanmecca.net,youngzimbabwe.com###leader-wrapper +agriland.ie,ballitonews.co.za,blackburnnews.com,bloody-disgusting.com,football-talk.co.uk,foxnews.com,irishpost.co.uk,longislandpress.com,mobiletoday.co.uk,mobiletor.com,morningledger.com,pcgamerhub.com,soccersouls.com,thescoopng.com,thewrap.com,urbanmecca.net,youngzimbabwe.com###leader-wrapper heraldstandard.com###leaderArea xe.com###leaderB firstnationsvoice.com,hbr.org,menshealth.com,pistonheads.com###leaderBoard @@ -84205,18 +87665,18 @@ totalfilm.com###leaderContainer girlsgogames.com###leaderData computerworlduk.com###leaderPlaceholder zdnet.com###leaderTop -cnet.com###leaderTopWrap behealthydaily.com###leader_board pandora.com###leader_board_container icanhascheezburger.com,memebase.com,thedailywh.at###leader_container tvguide.com###leader_plus_top tvguide.com###leader_top -about.com,animeseason.com,ariacharts.com.au,ask.fm,boomerangtv.co.uk,businessandleadership.com,capitalxtra.com,cc.com,charlotteobserver.com,classicfm.com,crackmixtapes.com,cubeecraft.com,cultofmac.com,cyberciti.biz,datpiff.com,economist.com,educationworld.com,electronista.com,espn980.com,eurogamer.net,extremetech.com,food24.com,football.co.uk,gardensillustrated.com,gazette.com,greatgirlsgames.com,gtainside.com,hiphopearly.com,historyextra.com,houselogic.com,ibtimes.co.in,ibtimes.co.uk,iclarified.com,icreatemagazine.com,instyle.co.uk,jaxdailyrecord.com,king-mag.com,ksl.com,lasplash.com,lrb.co.uk,macnn.com,nfib.com,onthesnow.ca,onthesnow.co.nz,onthesnow.co.uk,onthesnow.com,onthesnow.com.au,penny-arcade.com,pets4homes.co.uk,publishersweekly.com,realliving.com.ph,realmoney.thestreet.com,revolvermag.com,rollcall.com,salary.com,sciencedirect.com,sciencefocus.com,smoothradio.com,spin.ph,talonmarks.com,thatgrapejuice.net,thehollywoodgossip.com,theserverside.com,toofab.com,topcultured.com,uncut.co.uk,wheels24.co.za,whitepages.ae,windsorstar.com,winsupersite.com,wired.com,xfm.co.uk###leaderboard +about.com,animeseason.com,ariacharts.com.au,ask.fm,boomerangtv.co.uk,businessandleadership.com,capitalxtra.com,cc.com,charlotteobserver.com,classicfm.com,crackmixtapes.com,cubeecraft.com,cultofmac.com,cyberciti.biz,datpiff.com,economist.com,educationworld.com,electronista.com,espn980.com,eurogamer.net,extremetech.com,food24.com,football.co.uk,gardensillustrated.com,gazette.com,greatgirlsgames.com,gtainside.com,hiphopearly.com,historyextra.com,houselogic.com,ibtimes.co.in,ibtimes.co.uk,iclarified.com,icreatemagazine.com,instyle.co.uk,jaxdailyrecord.com,jillianmichaels.com,king-mag.com,ksl.com,lasplash.com,lrb.co.uk,macnn.com,nfib.com,onthesnow.ca,onthesnow.co.nz,onthesnow.co.uk,onthesnow.com,onthesnow.com.au,penny-arcade.com,pets4homes.co.uk,publishersweekly.com,realliving.com.ph,realmoney.thestreet.com,revolvermag.com,rollcall.com,salary.com,sciencedirect.com,sciencefocus.com,smoothradio.com,spin.ph,talonmarks.com,thatgrapejuice.net,thehollywoodgossip.com,theserverside.com,toofab.com,topcultured.com,uncut.co.uk,wheels24.co.za,whitepages.ae,windsorstar.com,winsupersite.com,wired.com,xfm.co.uk###leaderboard chicagomag.com###leaderboard-1-outer boweryboogie.com,safm.com.au###leaderboard-2 usnews.com###leaderboard-a +1029thebuzz.com,925freshradio.ca###leaderboard-area usnews.com###leaderboard-b -atlanticcityinsiders.com,bigissue.com,galvestondailynews.com,pressofatlanticcity.com,theweek.co.uk###leaderboard-bottom +atlanticcityinsiders.com,autoexpress.co.uk,bigissue.com,galvestondailynews.com,pressofatlanticcity.com,theweek.co.uk###leaderboard-bottom scientificamerican.com###leaderboard-contain daniweb.com,family.ca,nationalparkstraveler.com,sltrib.com,thescore.com###leaderboard-container netmagazine.com###leaderboard-content @@ -84259,9 +87719,13 @@ jewishjournal.com###leaderboardgray jewishjournal.com###leaderboardgray-825 hollywoodinterrupted.com,westcapenews.com###leaderboardspace thaindian.com###leadrb +fastpic.ru###leads bleedingcool.com###leaf-366 bleedingcool.com###leaf-386 eel.surf7.net.my###left +search.yahoo.com###left > #main > div\[id^="yui_"] +search.yahoo.com###left > #main > div\[id^="yui_"]\[class] > ul\[class] > li\[class] +search.yahoo.com###left > #main > div\[id^="yui_"]\[class]:first-child > div\[class]:last-child noscript.net###left-side > div > :nth-child(n+3) a\[href^="/"] technologyexpert.blogspot.com###left-sidebarbottom-wrap1 shortlist.com###left-sideburn @@ -84273,6 +87737,7 @@ telegramcommunications.com###leftBanner gizgag.com###leftBanner1 nowinstock.net###leftBannerBar infobetting.com###leftBannerDiv +watchcartoononline.com###leftBannerOut leo.org###leftColumn > #adv-google:first-child + script + .gray leo.org###leftColumn > #adv-leftcol + .gray thelakewoodscoop.com###leftFloat @@ -84309,6 +87774,7 @@ mappy.com###liquid-misc etaiwannews.com,taiwannews.com.tw###list_google2_newsblock etaiwannews.com,taiwannews.com.tw###list_google_newsblock ikascore.com###listed +951shinefm.com###listen-now-sponsor nymag.com###listings-sponsored sawlive.tv###llvvd webmd.com###lnch-promo @@ -84348,15 +87814,21 @@ mediaite.com###magnify_widget_rect_content mediaite.com###magnify_widget_rect_handle reallygoodemails.com###mailchimp-link adv.li###main +search.yahoo.com###main .dd .layoutCenter .compDlink +search.yahoo.com###main .dd .layoutCenter > .compDlink +search.yahoo.com###main .dd\[style="cursor: pointer;"] > .layoutMiddle cryptocoinsnews.com###main > .mobile > .special > center +search.yahoo.com###main > .reg > li\[id^="yui_"]\[data-bid] > \[data-bid] search.yahoo.com###main > div\[id^="yui_"] > ul > .res search.yahoo.com###main > div\[id^="yui_"].rVfes:first-child search.yahoo.com###main > div\[id^="yui_"].rVfes:first-child + #web + div\[id^="yui_"].rVfes search.yahoo.com###main > div\[id^="yui_"]\[class]\[data-bk]\[data-bns]:first-child -search.yahoo.com###main > div\[id^="yui_"]\[data-bk]\[data-bns] .res\[data-bk] search.yahoo.com###main > div\[style="background-color: rgb(250, 250, 255);"] search.yahoo.com###main > noscript + div\[id^="yui_"]\[class]\[data-bk]\[data-bns="Yahoo"] search.yahoo.com###main > noscript + div\[id^="yui_"]\[class]\[data-bk]\[data-bns="Yahoo"] + #web + div\[id^="yui_"]\[class]\[data-bk]\[data-bns="Yahoo"] +search.yahoo.com###main > ol li\[id^="yui_"] +search.yahoo.com###main > style:first-child + * + #web + style + * > ol\[class]:first-child:last-child +search.yahoo.com###main > style:first-child + * > ol\[class]:first-child:last-child mobilesyrup.com###main-banner yasni.ca,yasni.co.uk,yasni.com###main-content-ac1 stylist.co.uk###main-header @@ -84371,6 +87843,7 @@ necn.com###main_175 net-security.org###main_banner_topright bitenova.org###main_un pureoverclock.com###mainbanner +search.aol.com###maincontent + script + div\[class] > style + script + h3\[class] holidayscentral.com###mainleaderboard kansas.com,kansascity.com,miamiherald.com,sacbee.com,star-telegram.com###mainstage-dealsaver bazoocam.org###mapub @@ -84421,6 +87894,7 @@ pastemagazine.com,weebls-stuff.com###medium-rectangle cgchannel.com###mediumRectangle newburyportnews.com###mediumRectangle_atf pons.com,pons.eu###medium_rec +kexp.org###medium_rectangle pandora.com###medium_rectangle_container pricegrabber.com###mediumbricks king-mag.com###mediumrec @@ -84441,9 +87915,10 @@ theweedblog.com###meteor-slides-widget-3 fulldls.com###meth_smldiv imageporter.com###mezoktva dannychoo.com###mg-blanket-banner -thetechjournal.com###mgid +thetechjournal.com,torrents.de,torrentz.ch,torrentz.com,torrentz.eu,torrentz.in,torrentz.li,torrentz.me,torrentz.ph,torrentz.unblockt.com###mgid everyjoe.com###mgid-widget menshealth.com###mh_top_promo_special +liligo.com###midbanner soccerphile.com###midbanners dvdactive.com###middleBothColumnsBanner wpxi.com,wsbtv.com###middleLeaderBoard @@ -84475,6 +87950,8 @@ desiretoinspire.net###moduleContent18450223 goodhousekeeping.com###moduleEcomm elle.com,womansday.com###moduleMightLike menshealth.co.uk###module_promotion +huffingtonpost.co.uk###modulous_right_rail_edit_promo +huffingtonpost.co.uk###modulous_sponsorship_2 wikia.com###monaco_footer cnn.com###moneySponsorBox cnn.com###moneySponsors @@ -84531,7 +88008,6 @@ news.yahoo.com###mw-ysm-cm_2-container miningweekly.com###mw_q-search-powered yahoo.com###my-promo-hover rally24.com###myBtn -sharesix.com###myElement_display tcpdump.com###myID bloggersentral.com###mybsa lolzparade.com###mylikes_bar_all_items @@ -84540,6 +88016,8 @@ forums.creativecow.net###mz\[width="100%"]\[valign="top"]\[style="padding:20px 3 rentalcars.com###name_price_ad irishracing.com###naobox entrepreneur.com###nav-promo-link +browserleaks.com###nav-right-logo +amazon.com###nav-swmslot rentals.com###nav_credit_report kuhf.org###nav_sponsors hongfire.com###navbar_notice_9 @@ -84601,6 +88079,7 @@ cincinnati.com###ody-asset-breakout democratandchronicle.com###ody-dealchicken popsugar.com###offer-widget funnyplace.org###oglas-desni +cnet.com###omTrialPayImpression ikeahackers.net###omc-sidebar .responsive-image cleantechnica.com,watch-anime.net###omc-top-banner wbaltv.com,wesh.com,wmur.com###omega @@ -84610,7 +88089,7 @@ eweek.com###oneAssetIFrame yeeeah.com###orangebox 24wrestling.com###other-news totallycrap.com###oursponsors -cbsnews.com,chron.com,denverpost.com,ew.com,jpost.com,mysanantonio.com,nydailynews.com,pcmag.com,seattlepi.com,sfgate.com,standard.co.uk,telegraph.co.uk,theguardian.com,ynetnews.com###outbrain_widget_0 +allyou.com,cbsnews.com,chron.com,coastalliving.com,cookinglight.com,denverpost.com,ew.com,jpost.com,myrecipes.com,mysanantonio.com,nydailynews.com,pcmag.com,seattlepi.com,seattletimes.com,sfgate.com,southernliving.com,standard.co.uk,sunset.com,telegraph.co.uk,theguardian.com,travelandleisure.com,washingtonexaminer.com,ynetnews.com###outbrain_widget_0 foxnews.com,jpost.com,london24.com,nydailynews.com###outbrain_widget_1 cbslocal.com,chron.com,mysanantonio.com,seattlepi.com,sfgate.com,standard.co.uk###outbrain_widget_2 bbc.com,cnbc.com,jpost.com,si.com###outbrain_widget_3 @@ -84619,12 +88098,15 @@ hiphopwired.com###outbrain_wrapper familysecuritymatters.org###outer_header engadget.com###outerslice mp4upload.com###over +beststreams.ru###over-small playhd.eu###over_player_msg2 deviantart.com###overhead-you-know-what -agame.com,animestigma.com,notdoppler.com,powvideo.net,uploadcrazy.net,vidcrazy.net,videoboxone.com,videovalley.net,vidup.org,vipboxeu.co,viponlinesports.eu###overlay +agame.com,animestigma.com,bestream.tv,newsbtc.com,notdoppler.com,powvideo.net,uploadcrazy.net,vidcrazy.net,videoboxone.com,videovalley.net,vidup.org,vipboxeu.co,vipleague.me,viponlinesports.eu,webmfile.tv###overlay +bidnessetc.com###overlay10 speedvid.net,thevideo.me###overlayA euro-pic.eu,imagewaste.com###overlayBg theyeshivaworld.com###overlayDiv +bestreams.net,happystreams.net,played.to,realvid.net###overlayPPU reference.com###overlayRightA thelakewoodscoop.com###overlaySecondDiv deditv.com,fleon.me,mypremium.tv,skylo.me,streamme.cc,tooshocking.com,xtshare.com###overlayVid @@ -84663,6 +88145,7 @@ zonelyrics.net###panelRng creativenerds.co.uk###panelTwoSponsors nymag.com###partner-feeds orange.co.uk###partner-links +businessinsider.com.au###partner-offers hwbot.org###partner-tiles kat.ph###partner1_button nbcphiladelphia.com,nbcsandiego.com,nbcwashington.com###partnerBar @@ -84675,17 +88158,21 @@ weather.com###partner_offers delish.com###partner_promo_module_container whitepages.ca,whitepages.com###partner_searches itworld.com###partner_strip +ew.com###partnerbar +ew.com###partnerbar-bottom collegecandy.com###partnerlinks -cioupdate.com,datamation.com,earthweb.com,fastseduction.com,mfc.co.uk,muthafm.com,ninemsn.com.au,threatpost.com,wackyarchives.com###partners +cioupdate.com,datamation.com,earthweb.com,fastseduction.com,mfc.co.uk,muthafm.com,ninemsn.com.au,porttechnology.org,threatpost.com,wackyarchives.com###partners arcticstartup.com###partners_125 behealthydaily.com###partners_content ganool.com###pateni patheos.com###patheos-ad-region boards.adultswim.com###pattern-area way2sms.com###payTM300 +carscoops.com###payload binaries4all.com###payserver binaries4all.com###payserver2 pbs.org###pbsdoubleclick +nydailynews.com###pc-richards demap.info###pcad tucows.com###pct_popup_link retrevo.com###pcw_bottom_inner @@ -84697,7 +88184,6 @@ vosizneias.com###perm theonion.com###personals avclub.com###personals_content topix.com###personals_promo -citypages.com,dallasobserver.com,houstonpress.com,laweekly.com,miaminewtimes.com,ocweekly.com,phoenixnewtimes.com,riverfronttimes.com,seattleweekly.com,sfweekly.com,westword.com###perswrap portforward.com###pfconfigspot pricegrabber.com,tomshardware.com###pgad_Top pricegrabber.com###pgad_topcat_bottom @@ -84711,6 +88197,7 @@ everyjoe.com###php-code-1 toonzone.net###php_widget-18 triggerbrothers.com.au###phpb2 triggerbrothers.com.au###phpsky +dnsleak.com,emailipleak.com,ipv6leak.com###piaad picarto.tv###picartospecialadult heatworld.com###picks fool.com###pitch @@ -84718,11 +88205,7 @@ ratemyprofessors.com###placeholder728 autotrader.co.uk###placeholderTopLeaderboard sockshare.com###playdiv div\[style^="width:300px;height:250px"] sockshare.com###playdiv tr > td\[valign="middle"]\[align="center"]:first-child -allmyvideos.net###player_code + * + div\[style] -allmyvideos.net###player_code + div\[id^="OnPlay"] -allmyvideos.net###player_code + div\[style] allmyvideos.net,vidspot.net###player_img -allmyvideos.net###player_img ~ div:not(#player_code) magnovideo.com###player_overlay catstream.pw,espnwatch.tv,filotv.pw,orbitztv.co.uk###playerflash + script + div\[class] ytmnd.com###please_dont_block_me @@ -84733,7 +88216,8 @@ vg.no###poolMenu backlinkwatch.com###popUpDiv videolinkz.us###popout hybridlava.com###popular-posts -team.tl###popup +newsbtc.com,team.tl###popup +dxomark.com###popupBlock newpct.com###popupDiv journal-news.net###popwin cosmopolitan.com###pos_ams_cosmopolitan_bot @@ -84754,14 +88238,16 @@ pinknews.co.uk###pre-head chronicleonline.com,cryptoarticles.com,roanoke.com,sentinelnews.com,theandersonnews.com###pre-header foodnetworkasia.com,foodnetworktv.com###pre-header-banner surfline.com###preRoll -thevideo.me###pre_counter +thevideo.me,vidup.me###pre_counter dragcave.net###prefooter bizjournals.com###prefpart yourmovies.com.au,yourrestaurants.com.au,yourtv.com.au###preheader-ninemsn-container mixupload.org###prekla bassmaster.com###premier-sponsors-widget nzgamer.com###premierholder +netnewscheck.com,tvnewscheck.com###premium-classifieds youtube.com###premium-yva +nextag.com###premiumMerchant usatoday.com###prerollOverlayPlayer 1cookinggames.com###previewthumbnailx250 news24.com###pricechecklist @@ -84813,10 +88299,12 @@ newyorker.com###ps3_fs1_yrail ecommercetimes.com,linuxinsider.com,macnewsworld.com,technewsworld.com###ptl sk-gaming.com###pts sk-gaming.com###ptsf +rocvideo.tv###pu-pomy digitalversus.com###pub-banner digitalversus.com###pub-right-top cnet.com###pubUpgradeUnit jeuxvideo-flash.com###pub_header +frequence-radio.com###pub_listing_top skyrock.com###pub_up tvlizer.com###pubfooter hellomagazine.com###publi @@ -84830,7 +88318,7 @@ pep.ph###pushdown-wrapper neopets.com###pushdown_banner miningweekly.com###q-search-powered thriveforums.org###qr_defaultcontainer.qrcontainer -inbox.com###r +inbox.com,search.aol.com###r search.yahoo.com###r-e search.yahoo.com###r-n search.yahoo.com###r-s @@ -84865,6 +88353,7 @@ bizrate.com###rectangular dict.cc###rectcompactbot dict.cc###recthome dict.cc###recthomebot +1tiny.net###redirectBlock bloemfonteincelticfc.co.za###reebok_banner expertreviews.co.uk###reevoo-top-three-offers pcadvisor.co.uk###reevooComparePricesContainerId @@ -84891,6 +88380,7 @@ url.org###resspons2 herold.at###resultList > #downloadBox search.iminent.com,start.iminent.com###result_zone_bottom search.iminent.com,start.iminent.com###result_zone_top +filesdeck.com###results-for > .r > .rL > a\[target="_blank"]\[href^="/out.php"] search.excite.co.uk###results11_container indeed.com###resultsCol > .lastRow + div\[class] indeed.com###resultsCol > .messageContainer + style + div + script + style + div\[class] @@ -84902,10 +88392,27 @@ ninemsn.com.au###rhc_mrec imdb.com###rhs-sl imdb.com###rhs_cornerstone_wrapper pcworld.idg.com.au###rhs_resource_promo +stream2watch.com###rhw_footer eel.surf7.net.my,macdailynews.com,ocia.net###right +search.yahoo.com###right .dd .mb-11 + .compList +search.yahoo.com###right .dd > .layoutMiddle +search.yahoo.com###right .dd\[style="cursor: pointer;"] > .layoutMiddle +search.yahoo.com###right .dd\[style^="background-color:#FFF;border-color:#FFF;padding:"] .compList +search.yahoo.com###right .first > div\[style="background-color:#fafaff;border-color:#FAFAFF;padding:4px 10px 12px;"] +search.yahoo.com###right .reg > li\[id^="yui_"]\[data-bid] > \[data-bid] search.yahoo.com###right .res ninemsn.com.au###right > .bdr > #ysm +search.yahoo.com###right > .searchRightMiddle + div\[id]:last-child +search.yahoo.com###right > .searchRightTop + div\[id]:last-child +~images.search.yahoo.com,search.yahoo.com###right > div > .searchRightMiddle + div\[id]:last-child +~images.search.yahoo.com,search.yahoo.com###right > div > .searchRightTop + \[id]:last-child +~images.search.yahoo.com,search.yahoo.com###right > div:first-child:last-child > \[id]:first-child:last-child +search.yahoo.com###right > div\[id] > div\[class] > div\[class] > h2\[class]:first-child + ul\[class]:last-child > li\[class] +search.yahoo.com###right > span > div\[id] > div\[class] div\[class] > span > ul\[class]:last-child > li\[class] search.yahoo.com###right \[class]\[data-bk]\[data-bns] +search.yahoo.com###right div\[style="background-color:#fafaff;border-color:#FAFAFF;padding:4px 10px 12px;"] +search.yahoo.com###right li\[id^="yui_"] .dd > .layoutMiddle +search.yahoo.com###right ol li\[id^="yui_"] > .dd > .layoutMiddle 123chase.com###right-adv-one foodingredientsfirst.com,nutritionhorizon.com,tgdaily.com###right-banner vidstatsx.com###right-bottom @@ -84920,12 +88427,14 @@ gtopala.com###right160 popsci.com###right2-position tnt.tv###right300x250 cartoonnetwork.co.nz,cartoonnetwork.com.au,cartoonnetworkasia.com,cdcovers.cc,gizgag.com,prevention.com,slacker.com,telegramcommunications.com###rightBanner +watchcartoononline.com###rightBannerOut cantyouseeimbusy.com###rightBottom linuxforums.org,quackit.com###rightColumn maltatoday.com.mt###rightContainer thelakewoodscoop.com###rightFloat yahoo.com###rightGutter cosmopolitan.com###rightRailAMS +befunky.com###rightReklam totalfark.com###rightSideRightMenubar playstationlifestyle.net###rightSkyscraper itworldcanada.com###rightTopSponsor @@ -84951,7 +88460,6 @@ liveleak.com###rightcol > .sidebox > .gradient > p > a\[target="_blank"] cokeandpopcorn.com###rightcol3 mysuncoast.com###rightcolumnpromo stuff.co.nz###rightgutter -urbandictionary.com###rightist 810varsity.com###rightsidebanner herold.at###rightsponsor elyricsworld.com###ringtone @@ -84961,13 +88469,12 @@ egotastic.com,idolator.com,socialitelife.com,thesuperficial.com###river-containe megarapid.net,megashare.com,scrapetorrent.com###rmiad megashare.com###rmishim brenz.net###rndBanner -actiontrip.com,craveonline.com,dvdfile.com,ecnmag.com,gamerevolution.com,manchesterconfidential.co.uk,thefashionspot.com,videogamer.com###roadblock +actiontrip.com,comingsoon.net,craveonline.com,dvdfile.com,ecnmag.com,gamerevolution.com,manchesterconfidential.co.uk,thefashionspot.com,videogamer.com###roadblock windowsitpro.com,winsupersite.com###roadblockbackground winsupersite.com###roadblockcontainer mirror.co.uk###roffers-top barclaysatpworldtourfinals.com###rolex-small-clock kewlshare.com###rollAdRKLA -urbandictionary.com###rollup moviezer.com###rootDiv\[style^="width:300px;"] lionsrugby.co.za###rotator lionsrugby.co.za###rotator2 @@ -85015,6 +88522,7 @@ msn.com###sales3 msn.com###sales4 watchwweonline.org###samdav-locker watchwweonline.org###samdav-wrapper +wbez.org###sb-container nickutopia.com###sb160 codefuture.co.uk###sb_left hwhills.com###sb_left_tower @@ -85034,8 +88542,6 @@ stardoll.com###sdads_bt_2 zillow.com###search-featured-partners docspot.com###search-leaderboard youtube.com###search-pva -grooveshark.com###searchCapitalWrapper_300 -grooveshark.com###searchCapitalWrapper_728 zoozle.org###search_right zoozle.org###search_topline bitenova.nl,bitenova.org###search_un @@ -85050,11 +88556,13 @@ way2sms.com###secreg2 neoseeker.com###section-pagetop desiretoinspire.net###sectionContent2275769 desiretoinspire.net###sectionContent5389870 +whatismyipaddress.com###section_right edomaining.com###sedo-search scoop.co.nz###seek_table searchenginejournal.com###sej-bg-takeover-left searchenginejournal.com###sej-bg-takeover-right inc.com###select_services +isohunt.to###serps .title-row > a\[rel="nofollow"]\[href="#"] website-unavailable.com###servfail-records gamesgames.com###sgAdMrCp300x250 girlsgogames.com###sgAdMrScp300x250 @@ -85098,14 +88606,14 @@ iphonefaq.org###sideBarsMiddle iphonefaq.org###sideBarsTop iphonefaq.org###sideBarsTop-sub tomsguide.com,tomshardware.co.uk###sideOffers -webappers.com###side_banner +khmertimeskh.com,webappers.com###side_banner beatweek.com,filedropper.com,mininova.org,need4file.com,rockdizfile.com,satelliteguys.us###sidebar cryptoarticles.com###sidebar > #sidebarBlocks +sharktankblog.com###sidebar > #text-85 yauba.com###sidebar > .block_result:first-child nuttynewstoday.com###sidebar > div\[style="height:120px;"] ha.ckers.org###sidebar > ul > li:first-child + li + div\[align="center"] krebsonsecurity.com###sidebar-250 -cleodesktop.com###sidebar-atas1 pa-magazine.com###sidebar-banner tvlizer.com###sidebar-bottom lionsdenu.com,travelwkly.com###sidebar-bottom-left @@ -85168,9 +88676,8 @@ cybergamer.com###site_skin_spacer smsfun.com.au###sitebanners slashdot.org###sitenotice torrenttree.com###sites_right -allmyvideos.net###sitewide160left -allmyvideos.net,allmyvids.de###sitewide160right -djmag.co.uk,djmag.com,expertreviews.co.uk,mediaite.com,pcpro.co.uk,race-dezert.com###skin +allmyvids.de###sitewide160right +2oceansvibe.com,djmag.co.uk,djmag.com,expertreviews.co.uk,mediaite.com,pcpro.co.uk,race-dezert.com###skin collegehumor.com,dorkly.com###skin-banner jest.com###skin_banner idg.com.au###skin_bump @@ -85225,6 +88732,7 @@ hktdc.com###sliderbanner thephuketnews.com###slides yellowpageskenya.com###slideshow cio.com.au###slideshow_boombox +790kspd.com###slideshowwidget-8 bizrate.com###slimBannerContainer mail.yahoo.com###slot_LREC mail.yahoo.com###slot_MB @@ -85240,6 +88748,7 @@ washingtonpost.com###slug_featured_links washingtonpost.com###slug_flex_ss_bb_hp washingtonpost.com###slug_inline_bb washingtonpost.com###slug_sponsor_links_rr +sportsmole.co.uk###sm_shop dailyrecord.co.uk###sma-val-service ikascore.com###smalisted unfinishedman.com###smartest-banner-2 @@ -85250,8 +88759,6 @@ denverpost.com###snowReportFooter tfportal.net###snt_wrapper thepiratebay.se###social + a > img cioupdate.com,webopedia.com###solsect -grooveshark.com###songCapitalWrapper_728 -grooveshark.com###songCapital_300 knowyourmeme.com###sonic sensis.com.au###southPfp stv.tv###sp-mpu-container @@ -85262,6 +88769,7 @@ collegefashion.net###spawnsers torontolife.com###special-messages geeksaresexy.net###special-offers news.com.au###special-promotion +bidnessetc.com###specialBox10 videogamer.com###specialFeatures countryliving.com###specialOffer countryliving.com###special_offer @@ -85293,7 +88801,7 @@ foreignpolicy.com###spon_reports quakelive.com###spon_vert phonescoop.com###sponboxb ninemsn.com.au###spons_left -baseball-reference.com,breakingtravelnews.com,christianpost.com,compfight.com,europages.co.uk,itweb.co.za,japanvisitor.com,katu.com,komonews.com,lmgtfy.com,mothering.com,neave.com,otcmarkets.com,tsn.ca,tvnz.co.nz,wallpapercropper.com,walyou.com,wgr550.com,wsjs.com,yahoo.com###sponsor +baseball-reference.com,breakingtravelnews.com,christianpost.com,compfight.com,europages.co.uk,itweb.co.za,japanvisitor.com,katu.com,komonews.com,lmgtfy.com,mothering.com,neave.com,otcmarkets.com,telegeography.com,tsn.ca,tvnz.co.nz,wallpapercropper.com,walyou.com,wgr550.com,wsjs.com,yahoo.com###sponsor leedsunited.com###sponsor-bar detroitnews.com###sponsor-flyout meteo-allerta.it,meteocentrale.ch,meteozentral.lu,severe-weather-centre.co.uk,severe-weather-ireland.com,vader-alarm.se###sponsor-info @@ -85309,6 +88817,7 @@ football-league.co.uk###sponsor_links health365.com.au###sponsor_logo_s lmgtfy.com###sponsor_wrapper 7search.com,espn.go.com,filenewz.com,general-fil.es,general-files.com,generalfil.es,independent.ie,internetretailer.com,ixquick.co.uk,ixquick.com,nickjr.com,rewind949.com,slickdeals.net,startpage.com,webhostingtalk.com,yahoo.com###sponsored +theweathernetwork.com###sponsored-by webhostingtalk.com###sponsored-clear chacha.com###sponsored-question fbdownloader.com###sponsored-top @@ -85317,7 +88826,7 @@ lastminute.com###sponsoredFeatureModule theblaze.com###sponsored_stories businessweek.com###sponsored_video smashingmagazine.com###sponsorlisttarget -abalive.com,abestweb.com,barnsleyfc.co.uk,bbb.org,bcfc.com,bestuff.com,blackpoolfc.co.uk,burnleyfootballclub.com,bwfc.co.uk,cafc.co.uk,cardiffcityfc.co.uk,christianity.com,cpfc.co.uk,dcfc.co.uk,easternprovincerugby.com,etftrends.com,fastseduction.com,geekwire.com,gerweck.net,goseattleu.com,hullcitytigers.com,iconfinder.com,itfc.co.uk,kiswrockgirls.com,law.com,lcfc.com,manutd.com,noupe.com,paidcontent.org,pba.com,pcmag.com,petri.co.il,pingdom.com,psl.co.za,race-dezert.com,rovers.co.uk,sjsuspartans.com,soompi.com,sponsorselect.com,tapemastersinc.net,techmeme.com,trendafrica.co.za,waronyou.com,whenitdrops.com###sponsors +abalive.com,abestweb.com,barnsleyfc.co.uk,bbb.org,bcfc.com,bestuff.com,blackpoolfc.co.uk,burnleyfootballclub.com,bwfc.co.uk,cafc.co.uk,cardiffcityfc.co.uk,christianity.com,cpfc.co.uk,dcfc.co.uk,easternprovincerugby.com,etftrends.com,fastseduction.com,geekwire.com,gerweck.net,goseattleu.com,hullcitytigers.com,iconfinder.com,itfc.co.uk,kiswrockgirls.com,landreport.com,law.com,lcfc.com,manutd.com,myam1230.com,noupe.com,paidcontent.org,pba.com,pcmag.com,petri.co.il,pingdom.com,psl.co.za,race-dezert.com,rovers.co.uk,sjsuspartans.com,soompi.com,sponsorselect.com,star883.org,tapemastersinc.net,techmeme.com,trendafrica.co.za,waronyou.com,whenitdrops.com###sponsors sanjose.com###sponsors-module und.com###sponsors-story-wrap und.com###sponsors-wrap @@ -85332,6 +88841,7 @@ cnet.com###spotBidHeader cnet.com###spotbid mangafox.me###spotlight memory-alpha.org###spotlight_footer +justdubs.tv###spots qj.net###sqspan zam.com###square-box allakhazam.com###square-box:first-child @@ -85357,7 +88867,6 @@ stltoday.com###stl-below-content-02 dailypuppy.com###stop_puppy_mills someecards.com###store marketwatch.com###story-premiumbanner -abclocal.go.com###storyBodyLink dailyherald.com###storyMore cbc.ca###storymiddle instyle.co.uk###style_it_light_ad @@ -85413,6 +88922,7 @@ shorpy.com###tad bediddle.com###tads google.com###tadsc ajaxian.com###taeheader +anilinkz.tv###tago esquire.com,meetme.com,muscleandfitness.com,techvideo.tv###takeover techvideo.tv###takeover-spazio nme.com###takeover_head @@ -85439,32 +88949,33 @@ newsfirst.lk###text-106 couponistaqueen.com,dispatchlive.co.za###text-11 callingallgeeks.org,cathnews.co.nz,myx.tv,omgubuntu.co.uk###text-12 cleantechnica.com###text-121 -airlinereporter.com,myx.tv,omgubuntu.co.uk,wphostingdiscount.com###text-13 +airlinereporter.com,myx.tv,omgubuntu.co.uk,radiosurvivor.com,wphostingdiscount.com###text-13 dispatchlive.co.za,krebsonsecurity.com,myx.tv,omgubuntu.co.uk,planetinsane.com###text-14 -blackenterprise.com###text-15 razorianfly.com###text-155 gizchina.com,thesurvivalistblog.net###text-16 englishrussia.com,thechive.com###text-17 delimiter.com.au###text-170 -netchunks.com,planetinsane.com,sitetrail.com,thechive.com###text-18 +netchunks.com,planetinsane.com,radiosurvivor.com,sitetrail.com,thechive.com###text-18 delimiter.com.au###text-180 delimiter.com.au###text-189 collective-evolution.com,popbytes.com,thechive.com###text-19 delimiter.com.au###text-192 delimiter.com.au###text-195 -callingallgeeks.org,financialsurvivalnetwork.com###text-21 -airlinereporter.com,callingallgeeks.org,gizchina.com,omgubuntu.co.uk###text-22 -omgubuntu.co.uk###text-23 +businessdayonline.com,callingallgeeks.org,financialsurvivalnetwork.com###text-21 +airlinereporter.com,callingallgeeks.org,gizchina.com,omgubuntu.co.uk,queenstribune.com###text-22 +omgubuntu.co.uk,queenstribune.com###text-23 +queenstribune.com###text-24 netchunks.com###text-25 -2smsupernetwork.com###text-26 +2smsupernetwork.com,pzfeed.com,queenstribune.com###text-26 2smsupernetwork.com,sonyalpharumors.com###text-28 beijingcream.com###text-29 2smsupernetwork.com,airlinereporter.com,buddyhead.com,mbworld.org,zambiareports.com###text-3 sonyalpharumors.com###text-31 techhamlet.com###text-32 -couponistaqueen.com###text-35 +couponistaqueen.com,pzfeed.com###text-35 couponistaqueen.com###text-38 -buddyhead.com,dieselcaronline.co.uk,knowelty.com,myonlinesecurity.co.uk,myx.tv,sportsillustrated.co.za,theairportnews.com,thewhir.com###text-4 +pzfeed.com###text-39 +budapesttimes.hu,buddyhead.com,dieselcaronline.co.uk,knowelty.com,myonlinesecurity.co.uk,myx.tv,sportsillustrated.co.za,theairportnews.com,thewhir.com###text-4 couponistaqueen.com###text-40 enpundit.com###text-41 pluggd.in###text-416180296 @@ -85476,6 +88987,7 @@ thebizzare.com###text-461006011 thebizzare.com###text-461006012 spincricket.com###text-462834151 enpundit.com###text-48 +pencurimovie.cc###text-49 myx.tv,washingtonindependent.com###text-5 2smsupernetwork.com,rawstory.com###text-50 quickonlinetips.com###text-57 @@ -85486,6 +88998,11 @@ mynokiablog.com###text-9 torontolife.com###text-links washingtonpost.com###textlinkWrapper the217.com###textpromo +teamandroid.com###tf_header +teamandroid.com###tf_sidebar_above +teamandroid.com###tf_sidebar_below +teamandroid.com###tf_sidebar_skyscraper1 +teamandroid.com###tf_sidebar_skyscraper2 notebookreview.com###tg-reg-ad mail.yahoo.com###tgtMNW girlsaskguys.com###thad @@ -85493,6 +89010,7 @@ thatscricket.com###thatscricket_google_ad yahoo.com###theMNWAd rivals.com###thecontainer duoh.com###thedeck +thekit.ca###thekitadblock thonline.com###thheaderadcontainer theberry.com,thechive.com###third-box videobam.com###this-pays-for-bandwidth-container @@ -85515,11 +89033,13 @@ technewsworld.com###tnavad omgubuntu.co.uk###to-top chattanooganow.com###toDoWrap megavideoshows.com###toHide -phonescoop.com,politics.co.uk,reference.com,thesaurus.com,topcultured.com###top -synonym.com###top-300 +toonix.com###toonix-adleaderboard +iconeye.com,phonescoop.com,politics.co.uk,reference.com,thesaurus.com,topcultured.com###top +jillianmichaels.com,synonym.com###top-300 +xxlmag.com###top-728x90 techiemania.com###top-729-banner -discovery.com,freemake.com###top-advertising -chip.eu,corkindependent.com,dancehallreggae.com,ebuddy.com,foodlovers.co.nz,galwayindependent.com,inthenews.co.uk,investorplace.com,itweb.co.za,lyrics19.com,maclife.com,maximumpc.com,politics.co.uk,scoop.co.nz,techi.com,thedailymash.co.uk,thespiritsbusiness.com,timesofisrael.com,tweaktown.com###top-banner +freemake.com###top-advertising +chip.eu,corkindependent.com,dancehallreggae.com,ebuddy.com,foodlovers.co.nz,galwayindependent.com,inthenews.co.uk,investorplace.com,itweb.co.za,lyrics19.com,maclife.com,maximumpc.com,politics.co.uk,scoop.co.nz,skift.com,techi.com,thedailymash.co.uk,thespiritsbusiness.com,timesofisrael.com,tweaktown.com###top-banner scoop.co.nz###top-banner-base theberrics.com###top-banner-container krebsonsecurity.com###top-banner-image @@ -85536,7 +89056,7 @@ jacksonville.com###top-header aspensojourner.com###top-layer canstar.com.au###top-lb joystiq.com###top-leader -cantbeunseen.com,chairmanlol.com,diyfail.com,explainthisimage.com,fayobserver.com,funnyexam.com,funnytipjars.com,iamdisappoint.com,japanisweird.com,morefailat11.com,objectiface.com,passedoutphotos.com,perfectlytimedphotos.com,roulettereactions.com,searchenginesuggestions.com,shitbrix.com,sparesomelol.com,spoiledphotos.com,stopdroplol.com,tattoofailure.com,yodawgpics.com,yoimaletyoufinish.com###top-leaderboard +cantbeunseen.com,chairmanlol.com,diyfail.com,explainthisimage.com,fayobserver.com,funnyexam.com,funnytipjars.com,gamejolt.com,iamdisappoint.com,japanisweird.com,morefailat11.com,objectiface.com,passedoutphotos.com,perfectlytimedphotos.com,roulettereactions.com,searchenginesuggestions.com,shitbrix.com,sparesomelol.com,spoiledphotos.com,stopdroplol.com,tattoofailure.com,yodawgpics.com,yoimaletyoufinish.com###top-leaderboard smarterfox.com###top-left-banner sportinglife.com###top-links politiken.dk###top-monster @@ -85576,6 +89096,7 @@ hardballtalk.nbcsports.com###top_90h theepochtimes.com###top_a_0d ytmnd.com###top_ayd boxoffice.com,computing.net,disc-tools.com,goldentalk.com,guyspeed.com,hemmings.com,imagebam.com,magme.com,moono.com,phonearena.com,popcrush.com,sportsclimax.com,techradar.com,tidbits.com,venturebeatprofiles.com,webappers.com###top_banner +caribpress.com###top_banner_container theimproper.com###top_banner_widget motorship.com###top_banners avaxsearch.com###top_block @@ -85609,7 +89130,7 @@ littlegreenfootballs.com###topbannerdiv snapfiles.com###topbannermain eatsleepsport.com,soccerphile.com,torrentpond.com###topbanners swedishwire.com###topbannerspace -ilix.in,newtechie.com,postadsnow.com,songspk.name,textmechanic.com,thebrowser.com,tota2.com###topbar +ilix.in,newtechie.com,postadsnow.com,songspk.link,songspk.name,textmechanic.com,thebrowser.com,tota2.com###topbar newsbusters.org###topbox thecrims.com###topbox_content educatorstechnology.com###topcontentwrap @@ -85624,6 +89145,7 @@ microcosmgames.com###toppartner macupdate.com###topprommask worldtimebuddy.com###toprek tbo.com###topslider +plos.org###topslot thespacereporter.com###topster codingforums.com###toptextlinks inquisitr.com###topx2 @@ -85644,9 +89166,12 @@ telegraph.co.uk###trafficDrivers mapquest.com###trafficSponsor channelregister.co.uk###trailer genevalunch.com###transportation +dallasnews.com###traveldeals people.com###treatYourself +bitcoin.cz###trezor miroamer.com###tribalFusionContainer sitepoint.com###triggered-cta-box-wrapper +wigflip.com###ts-newsletter forums.techguy.org###tsg-dfp-300x250 forums.techguy.org###tsg-dfp-between-posts tsn.ca###tsnHeaderAd @@ -85706,7 +89231,6 @@ ibrod.tv###video cricket.yahoo.com###video-branding mentalfloss.com###video-div-polo youtube.com###video-masthead -grooveshark.com###videoCapital cartoonnetworkasia.com###videoClip-main-right-ad300Wrapper-ad300 radaronline.com###videoExternalBanner video.aol.com###videoHatAd @@ -85732,6 +89256,7 @@ weatherbug.co.uk###wXcds2 weatherbug.co.uk###wXcds4 inquirer.net###wall_addmargin_left edmunds.com###wallpaper +information-age.com###wallpaper-surround-outer eeweb.com###wallpaper_image thepressnews.co.uk###want-to-advertise nowtorrents.com###warn_tab @@ -85739,6 +89264,7 @@ youtube.com###watch-branded-actions youtube.com###watch-buy-urls youtube.com###watch-channel-brand-div nytimes.com###watchItButtonModule +thefreedictionary.com###wb1 murga-linux.com###wb_Image1 sheridanmedia.com###weather-sponsor wkrq.com###weather_traffic_sponser @@ -85800,16 +89326,19 @@ maxthon.com###xds cnet.com###xfp_adspace robtex.com###xnad728 vrbo.com###xtad -ople.xyz###xybrad +abconline.xyz###xydllc ople.xyz###xydlleft +abconline.xyz###xydlrc ople.xyz###xydlright fancystreems.com,sharedir.com###y yahoo.com###y708-ad-lrec1 yahoo.com###y708-sponmid au.yahoo.com###y708-windowshade yahoo.com###y_provider_promo +yahoo.com###ya-center-rail > \[id^="ya-q-"]\[id$="-textads"] answers.yahoo.com###ya-darla-LDRB answers.yahoo.com###ya-darla-LREC +answers.yahoo.com###ya-qpage-textads vipboxsports.eu,vipboxsports.me,viplivebox.eu,viponlinesports.eu###ya_layer sevenload.com###yahoo-container missoulian.com###yahoo-contentmatch @@ -85843,16 +89372,18 @@ trackthepack.com###yoggrt wfaa.com###yollarSwap afmradio.co.za###yourSliderId search.yahoo.com###ysch #doc #bd #results #cols #left #main .ads +search.yahoo.com###ysch #doc #bd #results #cols #left #main .ads .left-ad +search.yahoo.com###ysch #doc #bd #results #cols #left #main .ads .more-sponsors +search.yahoo.com###ysch #doc #bd #results #cols #left #main .ads .spns search.yahoo.com###ysch #doc #bd #results #cols #right #east .ads yahoo.com###yschsec -fancystreems.com,sharedir.com###yst1 +fancystreems.com,onlinemoviesgold.com,sharedir.com,stream2watch.com###yst1 travel.yahoo.com###ytrv-ysm-hotels travel.yahoo.com###ytrv-ysm-north travel.yahoo.com###ytrv-ysm-south travel.yahoo.com,travel.yahoo.net###ytrvtrt webmastertalkforums.com###yui-gen24\[style="width: 100%; height: 100px !important;"] zynga.com###zap-bac-iframe -details.com###zergnet bloomberg.com,post-gazette.com###zillow post-trib.com###zip2save_link_widget moreintelligentlife.com###zone-header @@ -85896,7 +89427,6 @@ highstakesdb.com##.Banner acharts.us##.BannerConsole mixedmartialarts.com##.BannerRightCol natgeotv.com##.BannerTop -hot1029.com##.Banner_Group truck1.eu,webresourcesdepot.com##.Banners stockopedia.co.uk##.BigSquare juxtapoz.com##.Billboard @@ -85916,6 +89446,7 @@ ljworld.com,newsherald.com##.DD-Widget archdaily.com##.DFP-banner forbes.com##.DL-ad-module healthzone.pk##.DataTDDefault\[width="160"]\[height="600"] +israeltoday.co.il##.DnnModule-1143 secdigitalnetwork.com##.DnnModule-6542 secdigitalnetwork.com##.DnnModule-6547 israeltoday.co.il##.DnnModule-758 @@ -85946,8 +89477,9 @@ islamicfinder.org##.IslamicData\[bgcolor="#FFFFFF"]\[bordercolor="#ECF3F9"] bloemfonteincourant.co.za,ofm.co.za,peoplemagazine.co.za##.LeaderBoard morningstar.com##.LeaderWrap agrieco.net,fjcruiserforums.com,mlive.com,newsorganizer.com,oxygenmag.com,urgames.com##.Leaderboard +op.gg##.LifeOwner myabc50.com,whptv.com,woai.com##.LinksWeLike -animenova.tv,animetoon.tv,gogoanime.com,goodanime.net,gooddrama.net,toonget.com##.MClose +animenova.tv,animetoon.tv,gogoanime.com,goodanime.eu,gooddrama.net,toonget.com##.MClose timeout.com##.MD_textLinks01 mangahere.co##.MHShuffleAd hsj.org##.ML_L1_ArticleAds @@ -85956,7 +89488,11 @@ expressandstar.com,juicefm.com,planetrock.com,pulse1.co.uk,pulse2.co.uk,shropshi foxafrica.com##.MPU300 foxafrica.com,foxcrimeafrica.com,fxafrica.tv##.MPU336 three.fm##.MPURight +dubaieye1038.com##.MPU_box +dubai92.com,virginradiodubai.com##.MPU_box-innerpage +virginradiodubai.com##.MPU_box_bottom thepittsburghchannel.com##.MS +search.aol.com##.MSL + script + script + div\[class] > style + script + h3\[class] videowing.me##.MadDivtuzrfk videowing.me##.MadDivtuzrjt thebull.com.au##.Maquetas @@ -86048,14 +89584,13 @@ facebook.com##._4u8 filenuke.net,filmshowonline.net,fleon.me,hqvideo.cc,putlocker.ws,sharesix.net,skylo.me,streamme.cc,vidshare.ws##._ccctb crawler.com##.a lawyersweekly.com.au##.a-center -drama.net##.a-content +anime1.com,drama.net##.a-content eplsite.com##.a-el krebsonsecurity.com##.a-statement daijiworld.com##.a2 knowyourmeme.com##.a250x250 cnet.com##.a2\[style="padding-top: 20px;"] gematsu.com,twitch.tv,twitchtv.com##.a300 -animeflv.net,animeid.com,chia-anime.com,knowyourmeme.com,politicususa.com##.a300x250 animeid.com,makeagif.com##.a728 localtiger.com##.a9gy_lt hereisthecity.com##.aLoaded @@ -86079,37 +89614,40 @@ au.news.yahoo.com##.acc-moneyhound goseattleu.com##.accipiter consequenceofsound.net##.acm-module-300-250 kcrw.com##.actions -17track.net,5newsonline.com,6abc.com,7online.com,aa.co.za,aarp.org,abc11.com,abc13.com,abc30.com,abc7.com,abc7chicago.com,abc7news.com,abovethelaw.com,accringtonobserver.co.uk,adelaidenow.com.au,adn.com,adsoftheworld.com,adsupplyads.com,adtmag.com,adweek.com,aero-news.net,aetv.com,agra-net.net,ahlanlive.com,algemeiner.com,aljazeera.com,allkpop.com,allrecipes.co.in,allrecipes.com.au,americanprofile.com,amny.com,anandtech.com,androidapps.com,androidauthority.com,aol.com,appolicious.com,arabianbusiness.com,arseniohall.com,articlealley.com,asianjournal.com,associationsnow.com,audiko.net,aussieoutages.com,autoblog.com,autoblog360.com,autoguide.com,azarask.in,back9network.com,backlinkwatch.com,backtrack-linux.org,bathchronicle.co.uk,beaumontenterprise.com,bellinghamherald.com,bgr.com,bikesportnews.com,birminghammail.co.uk,birminghampost.co.uk,blackmorevale.co.uk,bloomberg.com,bloombergview.com,bnd.com,bobvila.com,boston.com,bostonglobe.com,bostontarget.co.uk,bradenton.com,bravotv.com,breitbart.com,brentwoodgazette.co.uk,bridesmagazine.co.uk,brisbanetimes.com.au,bristolpost.co.uk,budgettravel.com,burbankleader.com,businessinsider.com,businesstech.co.za,businessweek.com,c21media.net,cairnspost.com.au,canadianoutages.com,canberratimes.com.au,canterburytimes.co.uk,carmarthenjournal.co.uk,carynews.com,cd1025.com,celebdigs.com,celebified.com,centralsomersetgazette.co.uk,centredaily.com,cfl.ca,cfo.com,ch-aviation.com,channel5.com,charismamag.com,charismanews.com,cheddarvalleygazette.co.uk,cheezburger.com,chesterchronicle.co.uk,chicagobusiness.com,chicagomag.com,chinahush.com,chinasmack.com,christianlifenews.com,chroniclelive.co.uk,cio.com,citeworld.com,citylab.com,citysearch.com,claytonnewsstar.com,clientmediaserver.com,cltv.com,cnet.com,cnn.com,coastlinepilot.com,codepen.io,collinsdictionary.com,colorlines.com,colourlovers.com,comcast.net,comicbookmovie.com,competitor.com,computerworld.com,cornishguardian.co.uk,cornishman.co.uk,courier.co.uk,couriermail.com.au,coventrytelegraph.net,cpuboss.com,crawleynews.co.uk,crewechronicle.co.uk,crossmap.com,croydonadvertiser.co.uk,csoonline.com,csswizardry.com,cupcakesandcashmere.com,cw33.com,cw39.com,cydiaupdates.net,dailycute.net,dailylobo.com,dailylocal.com,dailyparent.com,dailypilot.com,dailypost.co.uk,dailyrecord.co.uk,dailytarheel.com,dailytelegraph.com.au,dcw50.com,deadline.com,dealnews.com,defenseone.com,delish.com,derbytelegraph.co.uk,deseretnews.com,designtaxi.com,dinozap.com,divxstage.to,dodgeforum.com,domain.com.au,dorkingandleatherheadadvertiser.co.uk,dose.com,dover-express.co.uk,downdetector.co.nz,downdetector.co.uk,downdetector.co.za,downdetector.com,downdetector.in,downdetector.sg,dpreview.com,dribbble.com,drive.com.au,dustcoin.com,earmilk.com,earthsky.org,eastgrinsteadcourier.co.uk,eastlindseytarget.co.uk,edmontonjournal.com,elle.com,emedtv.com,engadget.com,enquirerherald.com,espnfc.co.uk,espnfc.com,espnfc.us,essentialbaby.com.au,essentialkids.com.au,essexchronicle.co.uk,eurocheapo.com,everyjoe.com,examiner.co.uk,examiner.com,excellence-mag.com,exeterexpressandecho.co.uk,expressnews.com,familydoctor.org,farmersguardian.com,farmonlinelivestock.com.au,fashionweekdaily.com,fastcar.co.uk,femalefirst.co.uk,fijitimes.com,findthatpdf.com,findthebest.co.uk,flashx.tv,floridaindependent.com,fodors.com,folkestoneherald.co.uk,food.com,foodandwine.com,foodnetwork.com,fortmilltimes.com,fox13now.com,fox17online.com,fox2now.com,fox40.com,fox43.com,fox4kc.com,fox59.com,fox5sandiego.com,fox6now.com,fox8.com,foxafrica.com,foxbusiness.com,foxcrimeafrica.com,foxct.com,foxnews.com,foxsoccer.com,foxsportsasia.com,freedom43tv.com,freshpips.com,fresnobee.com,fromestandard.co.uk,fuse.tv,fxafrica.tv,fxnetworks.com,fxnowcanada.ca,gamefuse.com,gamemazing.com,garfield.com,gazettelive.co.uk,geelongadvertiser.com.au,getbucks.co.uk,getreading.co.uk,getsurrey.co.uk,getwestlondon.co.uk,givesmehope.com,glendalenewspress.com,glennbeck.com,gloucestercitizen.co.uk,gloucestershireecho.co.uk,go.com,gocomics.com,goerie.com,goldcoastbulletin.com.au,goo.im,good.is,goodfood.com.au,goodhousekeeping.com,gpuboss.com,grab.by,grapevine.is,greatschools.org,greenbot.com,grimsbytelegraph.co.uk,grindtv.com,grubstreet.com,gumtree.co.za,hbindependent.com,healthyplace.com,heatworld.com,heraldonline.com,heraldsun.com.au,history.com,hknepaliradio.com,hodinkee.com,hollywood-elsewhere.com,hollywoodreporter.com,hoovers.com,houserepairtalk.com,houstonchronicle.com,hulldailymail.co.uk,idahostatesman.com,independent.co.uk,indianas4.com,indiewire.com,indyposted.com,infoworld.com,inhabitat.com,instyle.com,interest.co.nz,interfacelift.com,interfax.com.ua,intoday.in,investopedia.com,investsmart.com.au,iono.fm,irishmirror.ie,irishoutages.com,islandpacket.com,itsamememario.com,itv.com,itworld.com,jackfm.ca,jamaica-gleaner.com,jobs.com.au,journalgazette.net,joystiq.com,jsonline.com,juzupload.com,katc.com,kbzk.com,kdvr.com,kentucky.com,keysnet.com,kfor.com,kidspot.com.au,kiss959.com,koaa.com,kob.com,komando.com,koreabang.com,kpax.com,kplr11.com,kqed.org,ktla.com,kusports.com,kwgn.com,kxlf.com,kxlh.com,lacanadaonline.com,lakewyliepilot.com,lawrence.com,leaderpost.com,ledger-enquirer.com,leicestermercury.co.uk,lex18.com,lichfieldmercury.co.uk,lincolnshireecho.co.uk,liverpoolecho.co.uk,ljworld.com,llanellistar.co.uk,lmtonline.com,lolbrary.com,loop21.com,lordofthememe.com,lostateminor.com,loughboroughecho.net,lsjournal.com,macclesfield-express.co.uk,macombdaily.com,macon.com,macrumors.com,manchestereveningnews.co.uk,mangafox.me,marieclaire.com,marketwatch.com,mashable.com,maxpreps.com,mcclatchydc.com,mediafire.com,memearcade.com,memeslanding.com,memestache.com,mercedsunstar.com,mercurynews.com,miamiherald.com,middevongazette.co.uk,military.com,minecrastinate.com,mirror.co.uk,mlb.mlb.com,modbee.com,monkeysee.com,monroenews.com,montrealgazette.com,motorcycle.com,motorcycleroads.com,movies.com,movshare.net,mozo.com.au,mrconservative.com,mrmovietimes.com,mrqe.com,msn.com,muchshare.net,mugglenet.com,mybroadband.co.za,mycareer.com.au,myfox8.com,mygaming.co.za,myhomeremedies.com,mylifeisaverage.com,mypaper.sg,myrtlebeachonline.com,mysearchresults.com,nation.co.ke,nation.com.pk,nationaljournal.com,nature.com,nbcsportsradio.com,networkworld.com,news.com.au,newsfixnow.com,newsobserver.com,newsok.com,newstimes.com,newtimes.co.rw,nextmovie.com,nhregister.com,nickmom.com,northdevonjournal.co.uk,notsafeforwallet.net,nottinghampost.com,novamov.com,nowvideo.co,nowvideo.li,nowvideo.sx,ntd.tv,ntnews.com.au,ny1.com,nymag.com,nytco.com,nytimes.com,offbeat.com,omgfacts.com,osadvertiser.co.uk,osnews.com,ottawamagazine.com,ovguide.com,patch.com,patheos.com,peakery.com,perthnow.com.au,phl17.com,photobucket.com,pingtest.net,pirateshore.org,pix11.com,plosone.org,plymouthherald.co.uk,pokestache.com,polygon.com,popsugar.com,popsugar.com.au,prepperwebsite.com,primeshare.tv,pv-tech.org,q13fox.com,quackit.com,quibblo.com,ragestache.com,ranker.com,readmetro.com,realestate.com.au,realityblurred.com,redeyechicago.com,redmondmag.com,refinery29.com,relish.com,retailgazette.co.uk,retfordtimes.co.uk,reuters.com,roadsideamerica.com,rogerebert.com,rollcall.com,rossendalefreepress.co.uk,rumorfix.com,runcornandwidnesweeklynews.co.uk,runnow.eu,sacbee.com,sadlovequotes.net,sanluisobispo.com,sbs.com.au,scpr.org,scubadiving.com,scunthorpetelegraph.co.uk,sevenoakschronicle.co.uk,sfchronicle.com,sfgate.com,sfx.co.uk,sheptonmalletjournal.co.uk,shtfplan.com,si.com,similarsites.com,simpledesktops.com,singingnews.com,sixbillionsecrets.com,sky.com,slacker.com,slate.com,sleafordtarget.co.uk,slidetoplay.com,smackjuice.com,smartcompany.com.au,smartphowned.com,smh.com.au,softpedia.com,somersetguardian.co.uk,southportvisiter.co.uk,southwales-eveningpost.co.uk,spectator.org,spin.com,spokesman.com,sportsdirectinc.com,springwise.com,spryliving.com,ssdboss.com,ssireview.org,stagevu.com,stamfordadvocate.com,standard.co.uk,star-telegram.com,statenews.com,statscrop.com,stltoday.com,stocktwits.com,stokesentinel.co.uk,stoppress.co.nz,streetinsider.com,stripes.com,stroudlife.co.uk,stv.tv,sub-titles.net,sunherald.com,surreymirror.co.uk,suttoncoldfieldobserver.co.uk,talkandroid.com,tampabay.com,tamworthherald.co.uk,tasteofawesome.com,teamcoco.com,techdirt.com,tgdaily.com,thanetgazette.co.uk,thatslife.com.au,thatssotrue.com,theage.com.au,theatlantic.com,theaustralian.com.au,theblaze.com,thedailybeast.com,thedp.com,theepochtimes.com,thefirearmblog.com,thefreedictionary.com,thegamechicago.com,thegossipblog.com,thegrio.com,thegrocer.co.uk,thehungermemes.net,thejournal.co.uk,thekit.ca,themercury.com.au,thenation.com,thenewstribune.com,theoaklandpress.com,theolympian.com,theonion.com,theprovince.com,therealdeal.com,theroot.com,thesaurus.com,thestack.com,thestarphoenix.com,thestate.com,thevine.com.au,thewalkingmemes.com,thewindowsclub.com,thewire.com,thisiswhyimbroke.com,timeshighereducation.co.uk,timesunion.com,tinypic.com,today.com,tokyohive.com,topsite.com,torontoist.com,torquayheraldexpress.co.uk,townandcountrymag.com,townsvillebulletin.com.au,travelocity.com,travelweekly.com,tri-cityherald.com,tribecafilm.com,tripadvisor.ca,tripadvisor.co.uk,tripadvisor.co.za,tripadvisor.com,tripadvisor.ie,tripadvisor.in,triplem.com.au,trucktrend.com,truecar.com,twcc.com,twcnews.com,ufc.com,uinterview.com,unfriendable.com,userstyles.org,usnews.com,vancouversun.com,veevr.com,vetfran.com,vg247.com,vid.gg,vidbux.com,videobash.com,videoweed.es,vidxden.com,viralnova.com,vogue.com.au,walesonline.co.uk,walsalladvertiser.co.uk,washingtonpost.com,watchanimes.me,watoday.com.au,wattpad.com,watzatsong.com,way2sms.com,wbur.org,weathernationtv.com,webdesignerwall.com,webestools.com,weeklytimesnow.com.au,wegotthiscovered.com,wellcommons.com,wellsjournal.co.uk,westbriton.co.uk,westerndailypress.co.uk,westerngazette.co.uk,westernmorningnews.co.uk,wetpaint.com,wgno.com,wgnradio.com,wgnt.com,wgntv.com,whnt.com,whosay.com,whotv.com,wildcat.arizona.edu,windsorstar.com,winewizard.co.za,wnep.com,womansday.com,worldreview.info,worthplaying.com,wow247.co.uk,wqad.com,wral.com,wreg.com,wrestlezone.com,wsj.com,wtkr.com,wtvr.com,www.google.com,x17online.com,yahoo.com,yonhapnews.co.kr,yorkpress.co.uk,yourmiddleeast.com,zedge.net,zillow.com,zooweekly.com.au,zybez.net##.ad +17track.net,5newsonline.com,6abc.com,7online.com,aa.co.za,aarp.org,abc11.com,abc13.com,abc30.com,abc7.com,abc7chicago.com,abc7news.com,abovethelaw.com,accringtonobserver.co.uk,adelaidenow.com.au,adn.com,adsoftheworld.com,adsupplyads.com,adtmag.com,adweek.com,aero-news.net,aetv.com,agra-net.net,ahlanlive.com,algemeiner.com,aljazeera.com,allkpop.com,allrecipes.co.in,allrecipes.com.au,americanprofile.com,amny.com,anandtech.com,androidapps.com,androidauthority.com,aol.com,appolicious.com,arabianbusiness.com,arseniohall.com,articlealley.com,asianjournal.com,associationsnow.com,audiko.net,aussieoutages.com,autoblog.com,autoblog360.com,autoguide.com,aww.com.au,azarask.in,back9network.com,backlinkwatch.com,backtrack-linux.org,bathchronicle.co.uk,beaumontenterprise.com,bellinghamherald.com,bgr.com,bikesportnews.com,birminghammail.co.uk,birminghampost.co.uk,blackmorevale.co.uk,bloomberg.com,bloombergview.com,bnd.com,bobvila.com,boston.com,bostonglobe.com,bostontarget.co.uk,bradenton.com,bravotv.com,breitbart.com,brentwoodgazette.co.uk,bridesmagazine.co.uk,brisbanetimes.com.au,bristolpost.co.uk,budgettravel.com,burbankleader.com,businessinsider.com,businesstech.co.za,businessweek.com,c21media.net,cairnspost.com.au,canadianoutages.com,canberratimes.com.au,canterburytimes.co.uk,carmarthenjournal.co.uk,carynews.com,cd1025.com,celebdigs.com,celebified.com,centralsomersetgazette.co.uk,centredaily.com,cfl.ca,cfo.com,ch-aviation.com,channel5.com,charismamag.com,charismanews.com,charlotteobserver.com,cheddarvalleygazette.co.uk,cheezburger.com,chesterchronicle.co.uk,chicagobusiness.com,chicagomag.com,chinahush.com,chinasmack.com,christianexaminer.com,christianlifenews.com,chroniclelive.co.uk,cio.com,citeworld.com,citylab.com,citysearch.com,claytonnewsstar.com,clientmediaserver.com,cloudtime.to,cltv.com,cnet.com,cnn.com,coastlinepilot.com,codepen.io,collinsdictionary.com,colorlines.com,colourlovers.com,comcast.net,comicbookmovie.com,competitor.com,computerworld.com,cornishguardian.co.uk,cornishman.co.uk,courier.co.uk,couriermail.com.au,coventrytelegraph.net,cpuboss.com,crawleynews.co.uk,crewechronicle.co.uk,crossmap.com,crosswalk.com,croydonadvertiser.co.uk,csoonline.com,csswizardry.com,cupcakesandcashmere.com,cw33.com,cw39.com,cydiaupdates.net,dailycute.net,dailylobo.com,dailylocal.com,dailyparent.com,dailypilot.com,dailypost.co.uk,dailyrecord.co.uk,dailytarheel.com,dailytelegraph.com.au,dawn.com,dcw50.com,deadline.com,dealnews.com,defenseone.com,delish.com,derbytelegraph.co.uk,deseretnews.com,designtaxi.com,dinozap.com,divxstage.to,dodgeforum.com,domain.com.au,dorkingandleatherheadadvertiser.co.uk,dose.com,dover-express.co.uk,downdetector.co.nz,downdetector.co.uk,downdetector.co.za,downdetector.com,downdetector.in,downdetector.sg,dpreview.com,dribbble.com,drive.com.au,dustcoin.com,earmilk.com,earthsky.org,eastgrinsteadcourier.co.uk,eastlindseytarget.co.uk,edmontonjournal.com,elle.com,emedtv.com,engadget.com,enquirerherald.com,espnfc.co.uk,espnfc.com,espnfc.com.au,espnfc.us,espnfcasia.com,essentialbaby.com.au,essentialkids.com.au,essexchronicle.co.uk,eurocheapo.com,everyjoe.com,examiner.co.uk,examiner.com,excellence-mag.com,exeterexpressandecho.co.uk,expressnews.com,familydoctor.org,farmersguardian.com,farmonlinelivestock.com.au,fashionweekdaily.com,fastcar.co.uk,femalefirst.co.uk,fijitimes.com,findthatpdf.com,findthebest.co.uk,findthebest.com,flashx.tv,floridaindependent.com,fodors.com,folkestoneherald.co.uk,food.com,foodandwine.com,foodnetwork.com,fortmilltimes.com,fox13now.com,fox17online.com,fox2now.com,fox40.com,fox43.com,fox4kc.com,fox59.com,fox5sandiego.com,fox6now.com,fox8.com,foxafrica.com,foxbusiness.com,foxcrimeafrica.com,foxct.com,foxnews.com,foxsoccer.com,foxsportsasia.com,freedom43tv.com,freshpips.com,fresnobee.com,fromestandard.co.uk,fuse.tv,fxafrica.tv,fxnetworks.com,fxnowcanada.ca,gamefuse.com,gamemazing.com,garfield.com,gazettelive.co.uk,geelongadvertiser.com.au,getbucks.co.uk,getreading.co.uk,getsurrey.co.uk,getwestlondon.co.uk,givesmehope.com,glendalenewspress.com,glennbeck.com,gloucestercitizen.co.uk,gloucestershireecho.co.uk,go.com,gocomics.com,goerie.com,goldcoastbulletin.com.au,goo.im,good.is,goodfood.com.au,goodhousekeeping.com,gpuboss.com,grab.by,grapevine.is,greatschools.org,greenbot.com,grimsbytelegraph.co.uk,grindtv.com,grubstreet.com,gumtree.co.za,happytrips.com,hbindependent.com,healthyplace.com,heatworld.com,heraldonline.com,heraldsun.com.au,history.com,hknepaliradio.com,hodinkee.com,hollywood-elsewhere.com,hollywoodreporter.com,hoovers.com,houserepairtalk.com,houstonchronicle.com,hulldailymail.co.uk,idahostatesman.com,idganswers.com,independent.co.uk,indianas4.com,indiewire.com,indyposted.com,infoworld.com,inhabitat.com,instyle.com,interest.co.nz,interfacelift.com,interfax.com.ua,intoday.in,investopedia.com,investsmart.com.au,iono.fm,irishmirror.ie,irishoutages.com,islandpacket.com,itsamememario.com,itv.com,itworld.com,jackfm.ca,jamaica-gleaner.com,javaworld.com,jobs.com.au,journalgazette.net,joystiq.com,jsonline.com,juzupload.com,katc.com,kbzk.com,kdvr.com,kentucky.com,keysnet.com,kfor.com,kidspot.com.au,kiss959.com,koaa.com,kob.com,komando.com,koreabang.com,kotaku.com.au,kpax.com,kplr11.com,kqed.org,ktla.com,kusports.com,kwgn.com,kxlf.com,kxlh.com,lacanadaonline.com,lakewyliepilot.com,lawrence.com,leaderpost.com,ledger-enquirer.com,leicestermercury.co.uk,lex18.com,lichfieldmercury.co.uk,lincolnshireecho.co.uk,liverpoolecho.co.uk,ljworld.com,llanellistar.co.uk,lmtonline.com,lolbrary.com,loop21.com,lordofthememe.com,lostateminor.com,loughboroughecho.net,lsjournal.com,macclesfield-express.co.uk,macombdaily.com,macon.com,macrumors.com,manchestereveningnews.co.uk,mangafox.me,marieclaire.com,marketwatch.com,mashable.com,maxpreps.com,mcclatchydc.com,mediafire.com,memearcade.com,memeslanding.com,memestache.com,mercedsunstar.com,mercurynews.com,metronews.ca,miamiherald.com,middevongazette.co.uk,military.com,minecrastinate.com,mirror.co.uk,mkweb.co.uk,mlb.mlb.com,modbee.com,monkeysee.com,monroenews.com,montrealgazette.com,motorcycle.com,motorcycleroads.com,movies.com,movshare.net,mozo.com.au,mprnews.org,mrconservative.com,mrmovietimes.com,mrqe.com,msn.com,muchshare.net,mugglenet.com,mybroadband.co.za,mycareer.com.au,myfox8.com,mygaming.co.za,myhomeremedies.com,mylifeisaverage.com,mypaper.sg,myrtlebeachonline.com,mysearchresults.com,nation.co.ke,nation.com.pk,nationaljournal.com,nature.com,nbcsportsradio.com,networkworld.com,news.com.au,newsfixnow.com,newsobserver.com,newsok.com,newstimes.com,newtimes.co.rw,nextmovie.com,nhregister.com,nickmom.com,northdevonjournal.co.uk,notsafeforwallet.net,nottinghampost.com,novamov.com,nowvideo.co,nowvideo.li,nowvideo.sx,ntd.tv,ntnews.com.au,ny1.com,nymag.com,nytco.com,nytimes.com,offbeat.com,omgfacts.com,osadvertiser.co.uk,osnews.com,ottawamagazine.com,ovguide.com,patch.com,patheos.com,peakery.com,perthnow.com.au,phl17.com,photobucket.com,pingtest.net,pirateshore.org,pix11.com,plosone.org,plymouthherald.co.uk,pokestache.com,polygon.com,popsugar.com,popsugar.com.au,prepperwebsite.com,primeshare.tv,pv-tech.org,q13fox.com,quackit.com,quibblo.com,ragestache.com,ranker.com,readmetro.com,realestate.com.au,realityblurred.com,redeyechicago.com,redmondmag.com,refinery29.com,relish.com,retailgazette.co.uk,retfordtimes.co.uk,reuters.com,roadsideamerica.com,rogerebert.com,rollcall.com,rossendalefreepress.co.uk,rumorfix.com,runcornandwidnesweeklynews.co.uk,runnow.eu,sacbee.com,sadlovequotes.net,sanluisobispo.com,sbs.com.au,scpr.org,scubadiving.com,scunthorpetelegraph.co.uk,seattletimes.com,sevenoakschronicle.co.uk,sfchronicle.com,sfgate.com,sfx.co.uk,sheptonmalletjournal.co.uk,shtfplan.com,si.com,similarsites.com,simpledesktops.com,singingnews.com,sixbillionsecrets.com,sky.com,slacker.com,slate.com,sleafordtarget.co.uk,slidetoplay.com,smackjuice.com,smartcompany.com.au,smartphowned.com,smh.com.au,softpedia.com,somersetguardian.co.uk,southportvisiter.co.uk,southwales-eveningpost.co.uk,spectator.org,spin.com,spokesman.com,sportsdirectinc.com,springwise.com,spryliving.com,ssdboss.com,ssireview.org,stagevu.com,stamfordadvocate.com,standard.co.uk,star-telegram.com,statenews.com,statscrop.com,stltoday.com,stocktwits.com,stokesentinel.co.uk,stoppress.co.nz,streetinsider.com,stripes.com,stroudlife.co.uk,stv.tv,sub-titles.net,sunherald.com,surfline.com,surreymirror.co.uk,suttoncoldfieldobserver.co.uk,talkandroid.com,tampabay.com,tamworthherald.co.uk,tasteofawesome.com,teamcoco.com,techdirt.com,tgdaily.com,thanetgazette.co.uk,thatslife.com.au,thatssotrue.com,theage.com.au,theatlantic.com,theaustralian.com.au,theblaze.com,thedailybeast.com,thedp.com,theepochtimes.com,thefirearmblog.com,thefreedictionary.com,thegamechicago.com,thegossipblog.com,thegrio.com,thegrocer.co.uk,thehungermemes.net,thejournal.co.uk,thekit.ca,themercury.com.au,thenation.com,thenewstribune.com,theoaklandpress.com,theolympian.com,theonion.com,theprovince.com,therealdeal.com,theroot.com,thesaurus.com,thestack.com,thestarphoenix.com,thestate.com,thevine.com.au,thewalkingmemes.com,thewindowsclub.com,thewire.com,thisiswhyimbroke.com,time.com,timeshighereducation.co.uk,timesunion.com,tinypic.com,today.com,tokyohive.com,topsite.com,torontoist.com,torquayheraldexpress.co.uk,touringcartimes.com,townandcountrymag.com,townsvillebulletin.com.au,travelocity.com,travelweekly.com,tri-cityherald.com,tribecafilm.com,tripadvisor.ca,tripadvisor.co.uk,tripadvisor.co.za,tripadvisor.com,tripadvisor.ie,tripadvisor.in,triplem.com.au,trucktrend.com,truecar.com,tv3.ie,twcc.com,twcnews.com,ufc.com,uinterview.com,unfriendable.com,userstyles.org,usnews.com,vancouversun.com,veevr.com,vetfran.com,vg247.com,vid.gg,vidbux.com,videobash.com,videoweed.es,vidxden.com,vidxden.to,viralnova.com,vogue.com.au,vulture.com,walesonline.co.uk,walsalladvertiser.co.uk,washingtonpost.com,watchanimes.me,watoday.com.au,wattpad.com,watzatsong.com,way2sms.com,wbur.org,weathernationtv.com,webdesignerwall.com,webestools.com,weeklytimesnow.com.au,wegotthiscovered.com,wellcommons.com,wellsjournal.co.uk,westbriton.co.uk,westerndailypress.co.uk,westerngazette.co.uk,westernmorningnews.co.uk,wetpaint.com,wgno.com,wgnradio.com,wgnt.com,wgntv.com,whnt.com,whosay.com,whotv.com,wildcat.arizona.edu,windsorstar.com,winewizard.co.za,wnep.com,womansday.com,worldreview.info,worthplaying.com,wow247.co.uk,wqad.com,wral.com,wreg.com,wrestlezone.com,wsj.com,wtkr.com,wtvr.com,www.google.com,x17online.com,yahoo.com,yonhapnews.co.kr,yorkpress.co.uk,yourmiddleeast.com,zedge.net,zillow.com,zooweekly.com.au,zybez.net##.ad yahoo.com##.ad-active deviantart.com##.ad-blocking-makes-fella-confused -alarabiya.net,edmunds.com,flightaware.com,haaretz.com,journalism.co.uk,memecdn.com,memecenter.com,metrolyrics.com,pcworld.in,revision3.com,soapoperadigest.com,tasteofhome.com,twitpic.com,vinesbay.com,viralnova.com,where.ca##.ad-box -9news.com.au,beautifuldecay.com,boston.com,businessinsider.com.au,cpuboss.com,dnainfo.com,downforeveryoneorjustme.com,engineeringnews.co.za,firehouse.com,glamour.com,gpuboss.com,ign.com,isup.me,komando.com,moneysense.ca,nbcnews.com,refinery29.com,rollingstone.com,slate.com,sltrib.com,ssdboss.com,stockhouse.com,theaustralian.com.au,themercury.com.au,thrillist.com,youtube.com##.ad-container +alarabiya.net,edmunds.com,flightaware.com,haaretz.com,journalism.co.uk,memecdn.com,memecenter.com,metrolyrics.com,pcworld.in,reverso.net,revision3.com,soapoperadigest.com,tasteofhome.com,twitpic.com,vinesbay.com,viralnova.com,where.ca##.ad-box +9news.com.au,beautifuldecay.com,boston.com,businessinsider.com.au,cpuboss.com,dnainfo.com,downforeveryoneorjustme.com,engineeringnews.co.za,firehouse.com,glamour.com,gpuboss.com,ign.com,isup.me,komando.com,macstories.net,moneysense.ca,nbcnews.com,refinery29.com,rollingstone.com,slate.com,sltrib.com,ssdboss.com,stockhouse.com,theaustralian.com.au,themercury.com.au,thrillist.com,youtube.com##.ad-container wusa9.com##.ad-image hollywoodjournal.com##.ad-title vesselfinder.com##.ad0 bnqt.com##.ad05 -afreecodec.com,brothersoft.com,gamrreview.com,msn.com,rodalenews.com,sundaymail.co.zw,sundaynews.co.zw,webmaster-source.com##.ad1 +afreecodec.com,brothersoft.com,gamrreview.com,indiatimes.com,msn.com,rodalenews.com,sundaymail.co.zw,sundaynews.co.zw,webmaster-source.com##.ad1 brothersoft.com,livemint.com,nowvideo.co,nowvideo.eu,nowvideo.li,nowvideo.sx,roms4droid.com,sundaymail.co.zw,sundaynews.co.zw##.ad2 -afreecodec.com,harpersbazaar.com,livemint.com,mpog100.com,sundaymail.co.zw,sundaynews.co.zw##.ad3 +afreecodec.com,livemint.com,mpog100.com,sundaymail.co.zw,sundaynews.co.zw##.ad3 hitfreegames.com,sundaymail.co.zw,sundaynews.co.zw##.ad4 sundaymail.co.zw,sundaynews.co.zw,vesselfinder.com##.ad5 sundaymail.co.zw,sundaynews.co.zw##.ad6 sundaymail.co.zw,sundaynews.co.zw##.ad7 +ngrguardiannews.com##.ad9 buy.com##.adBG -abclocal.go.com,browardpalmbeach.com,cafemom.com,chacha.com,cio.co.uk,citypages.com,computerworlduk.com,cvs.com,dallasobserver.com,digitalartsonline.co.uk,flightradar24.com,geek.com,globaltv.com,houstonpress.com,laweekly.com,macworld.co.uk,miaminewtimes.com,newspakistan.pk,nytimes.com,ocweekly.com,pcadvisor.co.uk,petagadget.com,phoenixnewtimes.com,reuters.com,riverfronttimes.com,sfweekly.com,sky.com,t3.com,thehimalayantimes.com,villagevoice.com,westword.com,yakimaherald.com##.adContainer +browardpalmbeach.com,cafemom.com,chacha.com,cio.co.uk,citypages.com,computerworlduk.com,cvs.com,dallasobserver.com,digitalartsonline.co.uk,flightradar24.com,geek.com,globaltv.com,houstonpress.com,laweekly.com,macworld.co.uk,miaminewtimes.com,newspakistan.pk,nytimes.com,ocweekly.com,pcadvisor.co.uk,petagadget.com,phoenixnewtimes.com,reuters.com,riverfronttimes.com,sfweekly.com,sky.com,t3.com,thehimalayantimes.com,villagevoice.com,westword.com,yakimaherald.com##.adContainer webfail.com##.adMR ifaonline.co.uk,relink.us##.ad_right telegraph.co.uk##.adarea + .summaryMedium englishrussia.com,keepvid.com,metrowestdailynews.com##.adb +pencurimovie.cc##.adb_overlay aol.com,beautysouthafrica.com,blurtit.com,breakingnews.com,digitalhome.ca,eurowerks.org,heyuguys.co.uk,longislandpress.com,opensourcecms.com,opposingviews.com,readersdigest.co.uk,songlyrics.com,sugarrae.com,techeblog.com,thebizzare.com##.adblock orbitztv.co.uk##.adblockcreatorssuckmydick -affiliatefix.com,capitalfm.com.my,cargoinfo.co.za,lockerz.com,macdailynews.com,mensjournal.com,mvnrepository.com,ow.ly,podfeed.net,pricespy.co.nz,sfbayview.com,viralnova.com,whatsmyip.org,willyweather.com.au##.adbox +affiliatefix.com,blogto.com,capitalfm.com.my,cargoinfo.co.za,lockerz.com,macdailynews.com,mensjournal.com,midnightpoutine.ca,mvnrepository.com,ow.ly,podfeed.net,pricespy.co.nz,sfbayview.com,viralnova.com,whatsmyip.org,willyweather.com.au##.adbox webtoolhub.com##.adbx search.ch##.adcell msn.com##.adcicon fanatix.com,nfl.com,theconstructionindex.co.uk##.adcontainer runnerspace.com##.adcontent allrovi.com,bdnews24.com,hotnewhiphop.com,itproportal.com,nciku.com,newvision.co.ug,yourepeat.com##.add +africareview.com##.add-banner 1049.fm,drgnews.com##.add-box addictivetips.com##.add-under-post time4tv.com##.add1 @@ -86133,7 +89671,7 @@ naldzgraphics.net##.adis thedailystar.net##.adivvert usabit.com##.adk2_slider_baner pbs.org##.adl -ask.com,bigislandnow.com,dnainfo.com,globalpost.com,portlandmonthlymag.com##.adlabel +animalfactguide.com,ask.com,bigislandnow.com,dnainfo.com,globalpost.com,portlandmonthlymag.com##.adlabel ebookbrowse.com##.adleft vietnamnet.vn##.adm_c1 ncaa.com##.adman-label @@ -86142,11 +89680,13 @@ experienceproject.com##.adn flightglobal.com##.adp bodyboardingmovies.com##.adpopup bodyboardingmovies.com##.adpopup-overlay +iamwire.com##.adr iskullgames.com##.adr300 zercustoms.com##.adrh -1sale.com,7billionworld.com,abajournal.com,aljazeerasport.asia,altavista.com,androidfilehost.com,arcadeprehacks.com,birdforum.net,coinad.com,cuzoogle.com,cyclingweekly.co.uk,cyprus-mail.com,disconnect.me,domainnamenews.com,eco-business.com,energylivenews.com,facemoods.com,fcall.in,flashx.tv,foxbusiness.com,foxnews.com,freetvall.com,friendster.com,fstoppers.com,ftadviser.com,furaffinity.net,gentoo.org,gmanetwork.com,govtrack.us,gramfeed.com,gyazo.com,hispanicbusiness.com,html5test.com,hurricanevanessa.com,iheart.com,ilovetypography.com,isearch.whitesmoke.com,itar-tass.com,itproportal.com,kingdomrush.net,laptopmag.com,lfpress.com,livetvcafe.net,lovemyanime.net,malaysiakini.com,manga-download.org,maps.google.com,mb.com.ph,meaningtattos.tk,mmajunkie.com,movies-online-free.net,mugshots.com,myfitnesspal.com,mypaper.sg,nbcnews.com,news.nom.co,nsfwyoutube.com,nugget.ca,panorama.am,pastie.org,phpbb.com,playboy.com,pocket-lint.com,pokernews.com,previously.tv,radiobroadcaster.org,reason.com,ryanseacrest.com,savevideo.me,sddt.com,searchfunmoods.com,sgcarmart.com,shopbot.ca,sourceforge.net,tcm.com,tech2.com,thecambodiaherald.com,thedailyobserver.ca,thejakartapost.com,thelakewoodscoop.com,themalaysianinsider.com,theobserver.ca,thepeterboroughexaminer.com,theyeshivaworld.com,tiberium-alliances.com,tjpnews.com,today.com,tubeserv.com,turner.com,twogag.com,ultimate-guitar.com,wallpaper.com,washingtonpost.com,wdet.org,wftlsports.com,womanandhome.com,wtvz.net,yahoo.com,youthedesigner.com,yuku.com##.ads +1sale.com,7billionworld.com,abajournal.com,altavista.com,androidfilehost.com,arcadeprehacks.com,asbarez.com,birdforum.net,coinad.com,cuzoogle.com,cyclingweekly.co.uk,disconnect.me,domainnamenews.com,eco-business.com,energylivenews.com,facemoods.com,fcall.in,flashx.tv,foxbusiness.com,foxnews.com,freetvall.com,friendster.com,fstoppers.com,ftadviser.com,furaffinity.net,gentoo.org,gmanetwork.com,govtrack.us,gramfeed.com,gyazo.com,hispanicbusiness.com,html5test.com,hurricanevanessa.com,i-dressup.com,iheart.com,ilovetypography.com,irennews.org,isearch.whitesmoke.com,itar-tass.com,itproportal.com,kingdomrush.net,laptopmag.com,laweekly.com,lfpress.com,livetvcafe.net,lovemyanime.net,malaysiakini.com,manga-download.org,maps.google.com,marinetraffic.com,mb.com.ph,meaningtattos.tk,mmajunkie.com,movies-online-free.net,mugshots.com,myfitnesspal.com,mypaper.sg,nbcnews.com,news.nom.co,nsfwyoutube.com,nugget.ca,osn.com,panorama.am,pastie.org,phpbb.com,playboy.com,pocket-lint.com,pokernews.com,previously.tv,radiobroadcaster.org,reason.com,ryanseacrest.com,savevideo.me,sddt.com,searchfunmoods.com,sgcarmart.com,shopbot.ca,sourceforge.net,tcm.com,tech2.com,thecambodiaherald.com,thedailyobserver.ca,thejakartapost.com,thelakewoodscoop.com,themalaysianinsider.com,theobserver.ca,thepeterboroughexaminer.com,theyeshivaworld.com,tiberium-alliances.com,tjpnews.com,today.com,tubeserv.com,turner.com,twogag.com,ultimate-guitar.com,wallpaper.com,washingtonpost.com,wdet.org,wftlsports.com,womanandhome.com,wtvz.net,yahoo.com,youthedesigner.com,yuku.com##.ads glarysoft.com##.ads + .search-list searchfunmoods.com##.ads + ul > li +y8.com##.ads-bottom-table .grey-box-bg playboy.com##.ads-column > h2 girlgames4u.com,xing.com##.ads-container extratorrent.cc,hitfreegames.com,movies-online-free.net,twogag.com##.ads2 @@ -86156,15 +89696,13 @@ twogag.com##.adsPW2 localmoxie.com##.ads_tilte localmoxie.com##.ads_tilte + .main_mid_ads entrepreneur.com##.adsby -bloomberg.com,borfast.com,howmanyleft.co.uk,instantpulp.com,mysmartprice.com,nintandbox.net,over-blog.com,plurk.com,scitechdaily.com,sgentrepreneurs.com,techsupportalert.com,wikihoops.com##.adsense +bloomberg.com,borfast.com,howmanyleft.co.uk,instantpulp.com,mysmartprice.com,nintandbox.net,nycity.today,over-blog.com,plurk.com,scitechdaily.com,sgentrepreneurs.com,techsupportalert.com,wikihoops.com,wlds.com##.adsense ravchat.com##.adsh search.b1.org##.adslabel animeid.com##.adspl desertdispatch.com,geeky-gadgets.com,highdesert.com,journalgazette.net,lgbtqnation.com,miamitodaynews.com,myrecipes.com,search.certified-toolbar.com,thevoicebw.com,vvdailypress.com,wsj.com##.adtext reason.com,rushlimbaugh.com##.adtitle -ndtv.com##.adtv_300_250 -ansamed.info,baltic-course.com,carsdirect.com,cbc.ca,cineuropa.org,cpuid.com,facebook.com,flicks.co.nz,futbol24.com,gametrailers.com,getwapi.com,howstuffworks.com,intoday.in,isearch.omiga-plus.com,massappeal.com,mnn.com,mtv.com,mysuncoast.com,ok.co.uk,ponged.com,prohaircut.com,qone8.com,roadfly.com,rockol.com,rumorcontrol.info,runamux.net,search.v9.com,ultimate-guitar.com,vh1.com,webssearches.com,zbani.com##.adv -snakkle.com##.adv-box +ansamed.info,baltic-course.com,carsdirect.com,cbc.ca,cineuropa.org,cpuid.com,facebook.com,flicks.co.nz,futbol24.com,gametrailers.com,getwapi.com,howstuffworks.com,intoday.in,isearch.omiga-plus.com,massappeal.com,mnn.com,mtv.com,mysuncoast.com,ok.co.uk,ponged.com,prohaircut.com,qone8.com,roadfly.com,rockol.com,rumorcontrol.info,runamux.net,search.v9.com,ultimate-guitar.com,vh1.com,webssearches.com,xda-developers.com,zbani.com##.adv luxury-insider.com##.adv-info veoh.com##.adv-title btn.com##.adv-widget @@ -86172,23 +89710,22 @@ animefushigi.com##.adv1 futbol24.com##.adv2 prohaircut.com##.adv3 yesasia.com##.advHr -ndtv.com##.adv_bg gametrailers.com,themoscowtimes.com##.adv_block vietnamnet.vn##.adv_info dt-updates.com##.adv_items faceyourmanga.com##.adv_special infoplease.com##.advb -adballa.com,allghananews.com,arabianindustry.com,bitcoinzebra.com,cbc.ca,chemicalwatch.com,craveonline.com,dawn.com,designmena.com,express.co.uk,expressandstar.com,farmprogress.com,foxbusiness.com,foxnews.com,guernseypress.com,gulfnews.com,healthcanal.com,healthguru.com,healthinsurancedaily.com,hollywoodreporter.com,hoteliermiddleeast.com,humanipo.com,huntspost.co.uk,jerseyeveningpost.com,legendarypokemon.net,mmegi.bw,morningstar.co.uk,msnbc.com,myfinances.co.uk,ninemsn.com.au,piccsy.com,shropshirestar.com,skysports.com,sowetanlive.co.za,sundayworld.co.za,tenplay.com.au,thecomet.net,thegayuk.com,thejournal.ie,thetribunepapers.com,totalscifionline.com,travelchannel.com,trucksplanet.com,tvweek.com,vg247.com,winewizard.co.za,wow247.co.uk,xfire.com##.advert +98online.com,adballa.com,allghananews.com,arabianindustry.com,bitcoinzebra.com,bloomberg.com,cbc.ca,chemicalwatch.com,craveonline.com,dawn.com,designmena.com,express.co.uk,expressandstar.com,farmprogress.com,foxbusiness.com,foxnews.com,gfi.com,guernseypress.com,gulfnews.com,healthcanal.com,healthguru.com,healthinsurancedaily.com,hollywoodreporter.com,hoteliermiddleeast.com,humanipo.com,huntspost.co.uk,jerseyeveningpost.com,journeychristiannews.com,kumusika.co.zw,legendarypokemon.net,mmegi.bw,morningstar.co.uk,msnbc.com,myfinances.co.uk,ninemsn.com.au,outdoorchannel.com,phnompenhpost.com,piccsy.com,shropshirestar.com,skysports.com,sowetanlive.co.za,sundayworld.co.za,technewstoday.com,tenplay.com.au,thecomet.net,thegayuk.com,thejournal.ie,thetribunepapers.com,totalscifionline.com,travelchannel.com,trucksplanet.com,tvweek.com,vg247.com,winewizard.co.za,wow247.co.uk,xfire.com##.advert naldzgraphics.net##.advertBSA bandwidthblog.com,demerarawaves.com,eaglecars.com,earth911.com,pcmag.com,proporn.com,slodive.com,smartearningsecrets.com,smashingapps.com,theawesomer.com,thepeninsulaqatar.com##.advertise thepeninsulaqatar.com##.advertise-09 dailyvoice.com##.advertise-with-us citysearch.com##.advertiseLink insiderpages.com##.advertise_with_us -1520wbzw.com,760kgu.biz,880thebiz.com,afro.com,allmusic.com,amctv.com,ap.org,araratadvertiser.com.au,areanews.com.au,armidaleexpress.com.au,avclub.com,avonadvocate.com.au,barossaherald.com.au,batemansbaypost.com.au,baysidebulletin.com.au,begadistrictnews.com.au,bellingencourier.com.au,bendigoadvertiser.com.au,bigthink.com,biz1190.com,bizarremag.com,blacktownsun.com.au,blayneychronicle.com.au,bluemountainsgazette.com.au,boingboing.net,bombalatimes.com.au,boorowanewsonline.com.au,bordermail.com.au,braidwoodtimes.com.au,bravotv.com,brimbankweekly.com.au,bunburymail.com.au,business1110ktek.com,business1570.com,businessinsurance.com,busseltonmail.com.au,camdenadvertiser.com.au,camdencourier.com.au,canowindranews.com.au,caranddriver.com,carrierethernetnews.com,caseyweekly.com.au,caseyweeklycranbourne.com.au,centraladvocate.com.au,centralwesterndaily.com.au,cessnockadvertiser.com.au,cinemablend.com,classicandperformancecar.com,clickhole.com,colliemail.com.au,colypointobserver.com.au,competitor.com,coomaexpress.com.au,cootamundraherald.com.au,cowraguardian.com.au,crainsnewyork.com,crookwellgazette.com.au,crosswalk.com,dailyadvertiser.com.au,dailygazette.com,dailyliberal.com.au,dailyrecord.com,dandenongjournal.com.au,defenceweb.co.za,di.fm,donnybrookmail.com.au,downloadcrew.com,dunedintv.co.nz,dungogchronicle.com.au,easternriverinachronicle.com.au,edenmagnet.com.au,elliottmidnews.com.au,esperanceexpress.com.au,essentialmums.co.nz,examiner.com.au,eyretribune.com.au,fairfieldchampion.com.au,fastcocreate.com,fastcodesign.com,financialcontent.com,finnbay.com,forbesadvocate.com.au,frankstonweekly.com.au,gazettextra.com,gematsu.com,gippslandtimes.com.au,gleninnesexaminer.com.au,globest.com,gloucesteradvocate.com.au,goodcast.org,goondiwindiargus.com.au,goulburnpost.com.au,greatlakesadvocate.com.au,grenfellrecord.com.au,guyraargus.com.au,hardenexpress.com.au,hawkesburygazette.com.au,hepburnadvocate.com.au,hillsnews.com.au,hispanicbusiness.com,humeweekly.com.au,huntervalleynews.net.au,imgur.com,inverelltimes.com.au,irishtimes.com,juneesoutherncross.com.au,kansas.com,katherinetimes.com.au,kdow.biz,kkol.com,knoxweekly.com.au,lakesmail.com.au,lamag.com,latrobevalleyexpress.com.au,legion.org,lithgowmercury.com.au,liverpoolchampion.com.au,livestrong.com,livetennis.com,macarthuradvertiser.com.au,macedonrangesweekly.com.au,macleayargus.com.au,mailtimes.com.au,maitlandmercury.com.au,mandurahmail.com.au,manningrivertimes.com.au,margaretrivermail.com.au,maribyrnongweekly.com.au,marinmagazine.com,marketwatch.com,maroondahweekly.com.au,meltonweekly.com.au,merimbulanewsonline.com.au,merredinmercury.com.au,metservice.com,monashweekly.com.au,money1055.com,mooneevalleyweekly.com.au,moreechampion.com.au,msn.com,mudgeeguardian.com.au,murrayvalleystandard.com.au,muswellbrookchronicle.com.au,myallcoastnota.com.au,nambuccaguardian.com.au,naroomanewsonline.com.au,narrominenewsonline.com.au,nationalgeographic.com,newcastlestar.com.au,northernargus.com.au,northerndailyleader.com.au,northweststar.com.au,nvi.com.au,nynganobserver.com.au,nytimes.com,oann.com,oberonreview.com.au,onlinegardenroute.co.za,orange.co.uk,parenthood.com,parkeschampionpost.com.au,parramattasun.com.au,pch.com,peninsulaweekly.com.au,penrithstar.com.au,plasticsnews.com,portlincolntimes.com.au,portnews.com.au,portpirierecorder.com.au,portstephensexaminer.com.au,praguepost.com,psychologytoday.com,queanbeyanage.com.au,racingbase.com,radioguide.fm,redsharknews.com,rhsgnews.com.au,riverinaleader.com.au,roxbydownssun.com.au,rubbernews.com,saitnews.co.za,sconeadvocate.com.au,singletonargus.com.au,smallbusiness.co.uk,southcoastregister.com.au,southernhighlandnews.com.au,southernweekly.com.au,southwestadvertiser.com.au,standard.net.au,star-telegram.com,stawelltimes.com.au,stmarysstar.com.au,stonningtonreviewlocal.com.au,summitsun.com.au,suncitynews.com.au,sunjournal.com,sunraysiadaily.com.au,tennantcreektimes.com.au,tenterfieldstar.com.au,theadvocate.com,theadvocate.com.au,thebeachchannel.tv,thecourier.com.au,thecurrent.org,theflindersnews.com.au,theforecaster.net,theguardian.com.au,theherald.com.au,theislanderonline.com.au,theleader.com.au,thenortherntimes.com.au,theridgenews.com.au,therural.com.au,tirebusiness.com,townandcountrymagazine.com.au,transcontinental.com.au,travelpulse.com,twitch.tv,ulladullatimes.com.au,victorharbortimes.com.au,waginargus.com.au,walchanewsonline.com.au,walworthcountytoday.com,washingtonexaminer.com,wauchopegazette.com.au,wellingtontimes.com.au,westcoastsentinel.com.au,westernadvocate.com.au,westernmagazine.com.au,whyallanewsonline.com.au,winghamchronicle.com.au,wollondillyadvertiser.com.au,woot.com,wsj.com,wyndhamweekly.com.au,yasstribune.com.au,yellowpages.ca,youngwitness.com.au##.advertisement +1520wbzw.com,760kgu.biz,880thebiz.com,about.com,afro.com,allmusic.com,amctv.com,animax-asia.com,ap.org,araratadvertiser.com.au,areanews.com.au,armidaleexpress.com.au,avclub.com,avonadvocate.com.au,axn-asia.com,barossaherald.com.au,batemansbaypost.com.au,baysidebulletin.com.au,begadistrictnews.com.au,bellingencourier.com.au,bendigoadvertiser.com.au,betvasia.com,bigthink.com,biz1190.com,bizarremag.com,blacktownsun.com.au,blayneychronicle.com.au,bluemountainsgazette.com.au,boingboing.net,bombalatimes.com.au,boorowanewsonline.com.au,bordermail.com.au,braidwoodtimes.com.au,bravotv.com,brimbankweekly.com.au,bunburymail.com.au,business1110ktek.com,business1570.com,businessinsurance.com,busseltonmail.com.au,camdenadvertiser.com.au,camdencourier.com.au,canowindranews.com.au,caranddriver.com,carrierethernetnews.com,caseyweekly.com.au,caseyweeklycranbourne.com.au,centraladvocate.com.au,centralwesterndaily.com.au,cessnockadvertiser.com.au,cinemablend.com,classicandperformancecar.com,clickhole.com,colliemail.com.au,colypointobserver.com.au,competitor.com,coomaexpress.com.au,cootamundraherald.com.au,cowraguardian.com.au,crainsnewyork.com,crookwellgazette.com.au,crosswalk.com,dailyadvertiser.com.au,dailygazette.com,dailyliberal.com.au,dailyrecord.com,dandenongjournal.com.au,defenceweb.co.za,di.fm,donnybrookmail.com.au,downloadcrew.com,dunedintv.co.nz,dungogchronicle.com.au,easternriverinachronicle.com.au,edenmagnet.com.au,elliottmidnews.com.au,esperanceexpress.com.au,essentialmums.co.nz,examiner.com.au,eyretribune.com.au,fairfieldchampion.com.au,fastcocreate.com,fastcodesign.com,financialcontent.com,finnbay.com,forbesadvocate.com.au,frankstonweekly.com.au,gazettextra.com,gematsu.com,gemtvasia.com,gippslandtimes.com.au,gleninnesexaminer.com.au,globest.com,gloucesteradvocate.com.au,goodcast.org,goondiwindiargus.com.au,goulburnpost.com.au,greatlakesadvocate.com.au,grenfellrecord.com.au,guyraargus.com.au,hardenexpress.com.au,hawkesburygazette.com.au,hepburnadvocate.com.au,hillsnews.com.au,hispanicbusiness.com,humeweekly.com.au,huntervalleynews.net.au,i-dressup.com,imgur.com,inverelltimes.com.au,irishtimes.com,juneesoutherncross.com.au,kansas.com,katherinetimes.com.au,kdow.biz,kkol.com,knoxweekly.com.au,lakesmail.com.au,lamag.com,latrobevalleyexpress.com.au,legion.org,lithgowmercury.com.au,liverpoolchampion.com.au,livestrong.com,livetennis.com,macarthuradvertiser.com.au,macedonrangesweekly.com.au,macleayargus.com.au,magtheweekly.com,mailtimes.com.au,maitlandmercury.com.au,mandurahmail.com.au,manningrivertimes.com.au,margaretrivermail.com.au,maribyrnongweekly.com.au,marinmagazine.com,marketwatch.com,maroondahweekly.com.au,meltonweekly.com.au,merimbulanewsonline.com.au,merredinmercury.com.au,metservice.com,monashweekly.com.au,money1055.com,mooneevalleyweekly.com.au,moreechampion.com.au,movies4men.co.uk,mprnews.org,msn.com,mudgeeguardian.com.au,murrayvalleystandard.com.au,muswellbrookchronicle.com.au,myallcoastnota.com.au,nambuccaguardian.com.au,naroomanewsonline.com.au,narrominenewsonline.com.au,nationalgeographic.com,newcastlestar.com.au,northernargus.com.au,northerndailyleader.com.au,northweststar.com.au,nvi.com.au,nynganobserver.com.au,nytimes.com,oann.com,oberonreview.com.au,onetvasia.com,onlinegardenroute.co.za,orange.co.uk,parenthood.com,parkeschampionpost.com.au,parramattasun.com.au,pch.com,peninsulaweekly.com.au,penrithstar.com.au,plasticsnews.com,portlincolntimes.com.au,portnews.com.au,portpirierecorder.com.au,portstephensexaminer.com.au,praguepost.com,psychologytoday.com,queanbeyanage.com.au,racingbase.com,radioguide.fm,redsharknews.com,rhsgnews.com.au,riverinaleader.com.au,roxbydownssun.com.au,rubbernews.com,saitnews.co.za,sconeadvocate.com.au,silverdoctors.com,singletonargus.com.au,smallbusiness.co.uk,sonychannel.co.za,sonychannelasia.com,sonymax.co.za,sonymoviechannel.co.uk,sonytv.com,southcoastregister.com.au,southernhighlandnews.com.au,southernweekly.com.au,southwestadvertiser.com.au,standard.net.au,star-telegram.com,stawelltimes.com.au,stmarysstar.com.au,stonningtonreviewlocal.com.au,summitsun.com.au,suncitynews.com.au,sunjournal.com,sunraysiadaily.com.au,tennantcreektimes.com.au,tenterfieldstar.com.au,theadvocate.com,theadvocate.com.au,thebeachchannel.tv,thecourier.com.au,thecurrent.org,theflindersnews.com.au,theforecaster.net,theguardian.com.au,theherald.com.au,theislanderonline.com.au,theleader.com.au,thenortherntimes.com.au,theridgenews.com.au,therural.com.au,tirebusiness.com,townandcountrymagazine.com.au,transcontinental.com.au,travelpulse.com,twitch.tv,ulladullatimes.com.au,victorharbortimes.com.au,waginargus.com.au,walchanewsonline.com.au,walworthcountytoday.com,washingtonexaminer.com,wauchopegazette.com.au,wellingtontimes.com.au,westcoastsentinel.com.au,westernadvocate.com.au,westernmagazine.com.au,whyallanewsonline.com.au,winghamchronicle.com.au,wollondillyadvertiser.com.au,woot.com,wsj.com,wyndhamweekly.com.au,yasstribune.com.au,yellowpages.ca,youngwitness.com.au##.advertisement fieldandstream.com##.advertisement-fishing-contest 4v4.com,bn0.com,culttt.com,flicks.co.nz,shieldarcade.com,thethingswesay.com,who.is##.advertisements -afr.com,afrsmartinvestor.com.au,afternoondc.in,allmusic.com,brw.com.au,chicagobusiness.com,cio.co.ke,filesoup.com,ft.com,glamour.co.za,gq.co.za,hellomagazine.com,kat.ph,kickass.so,kickassunblock.info,newsweek.com,ocregister.com,orangecounty.com,radio.com,softarchive.net,theadvocate.com,tvnz.co.nz##.advertising +afr.com,afrsmartinvestor.com.au,afternoondc.in,allmusic.com,brw.com.au,chicagobusiness.com,cio.co.ke,filesoup.com,ft.com,glamour.co.za,gq.co.za,hellomagazine.com,kat.ph,kickass.so,kickass.to,kickassunblock.info,newsweek.com,ocregister.com,orangecounty.com,radio.com,softarchive.net,theadvocate.com,tvnz.co.nz##.advertising katproxy.com,kickass.so,kickasstor.net,kickassunblock.info,kickassunblock.net##.advertising + .tabs mediatel.co.uk##.advertising_label ketknbc.com,ktsm.com##.advertisments @@ -86216,7 +89753,7 @@ toptut.com##.af-form adventuregamers.com##.af_disclaimer eurogamer.net##.affiliate deborah-bickel.de##.affiliate-werbe125 -coolest-gadgets.com,cutezee.com##.affiliates +coolest-gadgets.com,cutezee.com,sen.com.au##.affiliates americasautosite.com##.affiliatesDiv cutezee.com##.affiliates_fp dailymotion.com##.affiliation_cont @@ -86235,11 +89772,12 @@ kcsoftwares.com##.alert-success hbwm.com##.alignRight\[style="margin-right:30px;color:#858585;"] empowernetwork.com##.align\[bgcolor="#FCFA85"] searchizz.com##.also_block +speedtest.net##.alt-promo-container > ul > .alt-promo:first-child + .alt-promo digitalhome.ca##.alt1\[colspan="5"]\[style="border: 1px solid #ADADAD; background-image: none"] > div\[align="center"] > .vdb_player techsupportforum.com##.alt1\[style="border: 1px solid #ADADAD; background-image: none"] styleite.com##.am-ngg-right-ad colorhexa.com##.amain -air1.com,imdb.com,reviewed.com,squidoo.com,three.fm##.amazon +air1.com,imdb.com,nprstations.org,reviewed.com,squidoo.com,three.fm##.amazon imdb.com##.amazon-instant-video blogcritics.org##.amazon-item brickset.com##.amazonAd @@ -86249,6 +89787,7 @@ herplaces.com##.amazonlink four11.com##.amed seventeen.com##.ams_bottom kingdomrush.net##.angry +folowpeople.info##.anivia_add_space 4shared.com##.antivirusBanner 1337x.org##.anynomousDw directupload.net,pv-magazine.com##.anzeige @@ -86284,6 +89823,7 @@ audiko.net##.artist-banner-right-cap eastrolog.com##.as300x250 moneycontrol.com##.asSponser memepix.com##.asblock +xmodulo.com##.asdf-banner-zone four11.com##.asmall_l four11.com##.asmall_r instructables.com##.aspace @@ -86294,6 +89834,7 @@ ohioautofinder.com##.atLeaderboard ohioautofinder.com##.atMiniBanner herald.co.zw##.atbanners milesplit.com##.atf +tvtropes.org##.atf_banner gamepedia.com,minecraftwiki.net##.atflb myshopping.com.au##.atip filedir.com##.atit @@ -86303,6 +89844,7 @@ webmd.com##.attribution majorgeeks.com##.author:first-child mail.yahoo.com##.avLogo ngrguardiannews.com##.avd_display_block +receivesmsonline.net##.aviso gameplanet.co.nz##.avt-mr gameplanet.co.nz##.avt-placement m.facebook.com,touch.facebook.com##.aymlCoverFlow @@ -86313,9 +89855,11 @@ livejournal.com##.b-adv silvertorrent.org##.b-content\[align="center"] > table\[width="99%"] easyvectors.com##.b-footer alawar.com##.b-game-play__bnnr +theartnewspaper.com##.b-header-banners sammobile.com##.b-placeholder bizcommunity.com##.b-topbanner flvto.com##.b1 +scorespro.com##.b160_600 flv2mp3.com,flvto.com##.b2 flv2mp3.com##.b3 scorespro.com##.b300 @@ -86341,12 +89885,14 @@ evilmilk.com,xbox360cheats.com##.ban300 worldstarhiphop.com##.banBG worldstarhiphop.com##.banOneCon kiz10.com##.ban_300_250 +stream2watch.com##.ban_b izismile.com##.ban_top america.fm##.banbo webscribble.com##.baner hypemixtapes.com##.baner600 +f-picture.net##.banerBottom sxc.hu##.bann -4music.com,964eagle.co.uk,adage.com,ameinfo.com,angryduck.com,anyclip.com,aol.com,arcadebomb.com,b-metro.co.zw,bayt.com,betterrecipes.com,bikechatforums.com,billboard.com,blackamericaweb.com,bored-bored.com,boxoffice.com,bukisa.com,cadplace.co.uk,cineuropa.org,cmo.com.au,cnn.com,cnnmobile.com,coryarcangel.com,dreamteamfc.com,echoroukonline.com,ecorporateoffices.com,elyricsworld.com,entrepreneur.com,euobserver.com,everyday.com.kh,evilmilk.com,fantasyleague.com,fieldandstream.com,filenewz.com,footballtradedirectory.com,forexpeacearmy.com,forum.dstv.com,freshbusinessthinking.com,freshtechweb.com,funpic.hu,gamebanshee.com,gamehouse.com,gamersbook.com,garfield.com,gatewaynews.co.za,gd.tuwien.ac.at,general-catalog.com,general-files.com,general-video.net,generalfil.es,ghananation.com,girlsocool.com,globaltimes.cn,gsprating.com,healthsquare.com,hitfreegames.com,hotfrog.ca,hotfrog.co.nz,hotfrog.co.uk,hotfrog.co.za,hotfrog.com,hotfrog.com.au,hotfrog.com.my,hotfrog.ie,hotfrog.in,hotfrog.ph,hotfrog.sg,hotnewhiphop.com,howard.tv,humanipo.com,hyipexplorer.com,ibtimes.co.in,ibtimes.co.uk,iconfinder.com,iguide.to,imnotobsessed.com,insidefutbol.com,internationalmeetingsreview.com,internetnews.com,irishtimes.com,isohunt.to,isource.com,itreviews.com,japantimes.co.jp,jewishtimes.com,keepcalm-o-matic.co.uk,ketknbc.com,kicknews.com,kijiji.ca,ktsm.com,leo.org,livescore.in,lmgtfy.com,londonstockexchange.com,looklocal.co.za,manolith.com,mariopiperni.com,mmosite.com,motherboard.tv,motortrend.com,moviezadda.com,mzhiphop.com,nehandaradio.com,netmums.com,networkworld.com,nuttymp3.com,oceanup.com,pdfmyurl.com,postzambia.com,premierleague.com,priceviewer.com,proxyhttp.net,ptotoday.com,rapidlibrary.com,reference.com,reversephonesearch.com.au,semiaccurate.com,smartcarfinder.com,snakkle.com,sportsvibe.co.uk,sumodb.com,sweeting.org,tennis.com,thebull.com.au,thefanhub.com,thefringepodcast.com,thehill.com,thehun.com,thesaurus.com,theskinnywebsite.com,timeslive.co.za,tmi.me,torrent.cd,travelpulse.com,trutv.com,tvsquad.com,twirlit.com,umbrelladetective.com,universalmusic.com,ustream.tv,vice.com,viralnova.com,weather.gc.ca,weatheronline.co.uk,wego.com,whatsock.com,yellowbook.com,yellowpages.com.jo,zbigz.com##.banner +4music.com,90min.com,964eagle.co.uk,adage.com,ameinfo.com,angryduck.com,anyclip.com,aol.com,arcadebomb.com,b-metro.co.zw,bayt.com,betterrecipes.com,bikechatforums.com,billboard.com,blackamericaweb.com,bored-bored.com,boxoffice.com,bukisa.com,cadplace.co.uk,cineuropa.org,cmo.com.au,cnn.com,cnnmobile.com,coryarcangel.com,dreamteamfc.com,echoroukonline.com,ecorporateoffices.com,elyricsworld.com,entrepreneur.com,euobserver.com,eurochannel.com,everyday.com.kh,evilmilk.com,fantasyleague.com,fieldandstream.com,filenewz.com,footballtradedirectory.com,forexpeacearmy.com,forum.dstv.com,freshbusinessthinking.com,freshtechweb.com,funpic.hu,gamebanshee.com,gamehouse.com,gamersbook.com,garfield.com,gatewaynews.co.za,gd.tuwien.ac.at,general-catalog.com,general-files.com,general-video.net,generalfil.es,ghananation.com,girlsocool.com,globaltimes.cn,gsprating.com,healthsquare.com,hitfreegames.com,hotfrog.ca,hotfrog.co.nz,hotfrog.co.uk,hotfrog.co.za,hotfrog.com,hotfrog.com.au,hotfrog.com.my,hotfrog.ie,hotfrog.in,hotfrog.ph,hotfrog.sg,hotnewhiphop.com,howard.tv,htxt.co.za,humanipo.com,hyipexplorer.com,ibtimes.co.in,ibtimes.co.uk,iconfinder.com,iguide.to,imedicalapps.com,imnotobsessed.com,insidefutbol.com,internationalmeetingsreview.com,internetnews.com,irishtimes.com,isohunt.to,isource.com,itreviews.com,japantimes.co.jp,jewishtimes.com,keepcalm-o-matic.co.uk,ketknbc.com,kicknews.com,kijiji.ca,ktsm.com,leo.org,livescore.in,lmgtfy.com,locatetv.com,londonstockexchange.com,looklocal.co.za,manolith.com,mariopiperni.com,mmosite.com,motherboard.tv,motortrend.com,moviezadda.com,mzhiphop.com,naij.com,nehandaradio.com,netmums.com,networkworld.com,nuttymp3.com,oceanup.com,pdfmyurl.com,postzambia.com,premierleague.com,priceviewer.com,proxyhttp.net,ptotoday.com,rapidlibrary.com,reference.com,reversephonesearch.com.au,semiaccurate.com,smartcarfinder.com,snakkle.com,soccer24.co.zw,sportsvibe.co.uk,sumodb.com,sweeting.org,tennis.com,thebull.com.au,thefanhub.com,thefringepodcast.com,thehill.com,thehun.com,thesaurus.com,theskinnywebsite.com,time4tv.com,timeslive.co.za,tmi.me,torrent.cd,travelpulse.com,trutv.com,tvsquad.com,twirlit.com,umbrelladetective.com,universalmusic.com,ustream.tv,vice.com,viralnova.com,weather.gc.ca,weatheronline.co.uk,wego.com,whatsock.com,worldcrunch.com,xda-developers.com,yellowbook.com,yellowpages.com.jo,zbigz.com##.banner autotrader.co.uk##.banner--7th-position autotrader.co.uk##.banner--leaderboard autotrader.co.uk##.banner--skyscraper @@ -86360,8 +89906,9 @@ luxgallery.com##.banner-big-cotent yellowpages.com.lb##.banner-box 1027dabomb.net##.banner-btf softonic.com##.banner-caption -farmonline.com.au,farmweekly.com.au,goodfruitandvegetables.com.au,knowledgerush.com,narutoforums.com,northqueenslandregister.com.au,privatehealth.co.uk,queenslandcountrylife.com.au,stockandland.com.au,stockjournal.com.au,student-jobs.co.uk,teenspot.com,theland.com.au,turfcraft.com.au,vh1.com##.banner-container +farmonline.com.au,farmweekly.com.au,goodfruitandvegetables.com.au,jewsnews.co.il,knowledgerush.com,narutoforums.com,northqueenslandregister.com.au,privatehealth.co.uk,queenslandcountrylife.com.au,stockandland.com.au,stockjournal.com.au,student-jobs.co.uk,teenspot.com,theland.com.au,turfcraft.com.au,vh1.com##.banner-container privatehealth.co.uk##.banner-container-center +soccerway.com##.banner-content moviesplanet.com##.banner-des dealchecker.co.uk##.banner-header medicalxpress.com,phys.org,pixdaus.com,reference.com,tennis.com,thesaurus.com##.banner-holder @@ -86376,7 +89923,6 @@ spin.com##.banner-slot neogamr.net,neowin.net##.banner-square intomobile.com##.banner-tbd audiko.net,carpartswholesale.com,greatbritishlife.co.uk,nationmultimedia.com,pwinsider.com,rapdose.com,usahealthcareguide.com,wired.co.uk,xda-developers.com##.banner-top -discovery.com##.banner-video feedmyapp.com##.banner-wrap general-catalog.com##.banner-wrap-hor manualslib.com,thenextweb.com,ustream.tv##.banner-wrapper @@ -86387,7 +89933,7 @@ thinkdigit.com##.banner03 coolest-gadgets.com,depositfiles.com,dfiles.eu,freecode.com,israeldefense.com,popcrunch.com,priceviewer.com,thelakewoodscoop.com,usa-people-search.com,wired.co.uk##.banner1 angryduck.com##.banner160-title azernews.az##.banner1_1 -flixflux.co.uk,gsprating.com,thelakewoodscoop.com,usa-people-search.com##.banner2 +flixflux.co.uk,gsprating.com,jamieoliver.com,thelakewoodscoop.com,usa-people-search.com##.banner2 blogtv.com##.banner250 motorcycle-usa.com##.banner300x100 motorcycle-usa.com##.banner300x250 @@ -86409,7 +89955,7 @@ artistdirect.com##.bannerNavi ewn.co.za##.bannerSecond runnersworld.com##.bannerSub bitsnoop.com##.bannerTitle -christianpost.com,londonstockexchange.com,xtri.com##.bannerTop +christianpost.com,jamanetwork.com,londonstockexchange.com,xtri.com##.bannerTop hongkiat.com##.bannerWrap iphoneapplicationlist.com,salon.com,shockwave.com##.bannerWrapper impawards.com##.banner_2 @@ -86421,13 +89967,15 @@ komp3.net##.banner_468_holder pastebin.com,ratemyteachers.com##.banner_728 uploadstation.com##.banner_area cbssports.com##.banner_bg +business-standard.com##.banner_block anyclip.com##.banner_bottom aww.com.au,englishrussia.com,softonic.com##.banner_box -coda.fm,smartcompany.com.au,take.fm##.banner_container +coda.fm,jamieoliver.com,smartcompany.com.au,take.fm##.banner_container kyivpost.com##.banner_content_t pricespy.co.nz##.banner_div swapace.com##.banner_foot tvtechnology.com##.banner_footer +domainmasters.co.ke##.banner_google arabtimesonline.com,silverlight.net##.banner_header rugby365.com##.banner_holder newsy.com##.banner_holder_300_250 @@ -86436,36 +89984,39 @@ livecharts.co.uk##.banner_long expressindia.com##.banner_main plussports.com##.banner_mid checkoutmyink.com##.banner_placer -977music.com,en.trend.az,seenow.com##.banner_right +977music.com,seenow.com##.banner_right dhl.de##.banner_right_resultpage_middle statista.com##.banner_skyscraper -977music.com,seetickets.com,thestranger.com##.banner_top +977music.com,rnews.co.za,seetickets.com,thestranger.com##.banner_top +porttechnology.org##.banner_wrapper gamenet.com##.bannera zeenews.india.com##.bannerarea -sj-r.com##.bannerbottom +sj-r.com,widih.org##.bannerbottom +bloomberg.com##.bannerbox timesofoman.com##.bannerbox1 timesofoman.com##.bannerbox2 fashionotes.com##.bannerclick arcadebomb.com##.bannerext breakfreemovies.com,fifaembed.com,nowwatchtvlive.com,surk.tv,tvbay.org##.bannerfloat -2mfm.org,aps.dz,beginlinux.com,eatdrinkexplore.com,fleetwatch.co.za,gameofthrones.net,i-programmer.info,killerdirectory.com,knowthecause.com,maravipost.com,onislam.net,rhylfc.co.uk,russianireland.com,soccer24.co.zw,vidipedia.org##.bannergroup +2mfm.org,aps.dz,beginlinux.com,eatdrinkexplore.com,fleetwatch.co.za,gameofthrones.net,i-programmer.info,killerdirectory.com,knowthecause.com,maravipost.com,mousesteps.com,onislam.net,rhylfc.co.uk,russianireland.com,soccer24.co.zw,thesentinel.com,vidipedia.org##.bannergroup brecorder.com##.bannergroup_box vidipedia.org##.bannergroup_menu malaysiandigest.com##.bannergroup_sideBanner2 dailynews.co.tz##.bannergroup_text -av-comparatives.org,busiweek.com,caribnewsdesk.com,israel21c.org,planetfashiontv.com##.banneritem +av-comparatives.org,busiweek.com,caribnewsdesk.com,israel21c.org,planetfashiontv.com,uberrock.co.uk##.banneritem elitistjerks.com##.bannerl0aded -racing-games.com##.bannerleft +racing-games.com,widih.org##.bannerleft techspot.com##.bannernav -digitalproductionme.com,racing-games.com##.bannerright -c21media.net,classicsdujour.com,en.trend.az,filezoo.com,general-search.net,igirlsgames.com,jobstreet.com.my,jobstreet.com.sg,kdoctv.net,lolroflmao.com,mysteriousuniverse.org,phuketgazette.net,sheknows.com,telesurtv.net,thinkdigit.com##.banners +digitalproductionme.com,racing-games.com,widih.org##.bannerright +c21media.net,classicsdujour.com,filezoo.com,general-search.net,igirlsgames.com,jobstreet.com.my,jobstreet.com.sg,kdoctv.net,lolroflmao.com,mysteriousuniverse.org,phuketgazette.net,sheknows.com,telesurtv.net,thinkdigit.com##.banners wlrfm.com##.banners-bottom-a codecs.com##.banners-right +ecr.co.za,jacarandafm.com##.banners120 thinkdigit.com##.banners_all dinnersite.co.za##.banners_leaderboard wdna.org##.banners_right cbc.ca##.bannerslot-container -musictory.com##.bannertop +musictory.com,widih.org##.bannertop urlcash.org##.bannertop > center > #leftbox goldengirlfinance.ca##.bannerwrap myhostnews.com##.bannerwrapper_t @@ -86487,6 +90038,7 @@ fakenamegenerator.com##.bcsw iol.co.za##.bd_images publicradio.org##.become-sponsor-link wgbh.org##.becomeSponsor +westernjournalism.com##.before-article mouthshut.com##.beige-border-tr\[style="padding:5px;"] goodgearguide.com.au##.bestprice-footer football365.com##.bet-link @@ -86504,6 +90056,7 @@ flixflux.co.uk##.bgBlue playgroundmag.net##.bg_link bryanreesman.com##.bg_strip_add biblegateway.com##.bga +biblegateway.com##.bga-footer search.yahoo.com##.bgclickable overclock3d.net##.bglink entrepreneur.com##.bgwhiteb @@ -86511,7 +90064,7 @@ siouxcityjournal.com##.bidBuyWrapperLG download.cnet.com##.bidWarContainer cnet.com,techrepublic.com,zdnet.com##.bidwar findarticles.com##.bidwarCont -furiousfanboys.com,regretfulmorning.com##.big-banner +furiousfanboys.com,regretfulmorning.com,viva.co.nz##.big-banner torontolife.com##.big-box family.ca##.big-box-container chipchick.com,megafileupload.com,softarchive.net##.big_banner @@ -86525,9 +90078,11 @@ caller.com,commercialappeal.com,courierpress.com,gosanangelo.com,govolsxtra.com, exclaim.ca##.bigboxhome tri247.com##.biglink wctk.com##.bigpromo -edmunds.com,motherjones.com,pep.ph,todaysbigthing.com##.billboard +about.com,edmunds.com,motherjones.com,pep.ph,todaysbigthing.com##.billboard bre.ad##.billboard-body +eztv.ch##.bitx-button mywesttexas.com,ourmidland.com,theintelligencer.com##.biz-info +yelp.be,yelp.ca,yelp.ch,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.au,yelp.com.sg,yelp.ie##.biz-photos-yloca slate.com##.bizbox_promo scienceworldreport.com##.bk-sidebn arsenalnews.co.uk##.bkmrk_pst_flt @@ -86535,7 +90090,6 @@ uvnc.com##.black + table\[cellspacing="0"]\[cellpadding="5"]\[style="width: 100% nowsci.com##.black_overlay kioskea.net##.bloc_09 jobmail.co.za##.block-AdsByJobMail -cyprus-mail.com##.block-adzerk ap.org##.block-ap-google-adwords bravotv.com##.block-bravo_sponsored_links biosciencetechnology.com,dinnertool.com,ecnmag.com,fastcocreate.com,fastcoexist.com,fastcompany.com,hollywoodreporter.com,lifegoesstrong.com,manufacturing.net,midwestliving.com,nbcsports.com,pddnet.com,petside.com,sfbg.com,theweek.co.uk,todayonline.com##.block-dart @@ -86556,6 +90110,7 @@ philstar.com##.block-philstar-ad praguemonitor.com##.block-praguetvads football-espana.net,football-italia.net##.block-story-footer-simag-banner accesshollywood.com##.block-style_deals +autoexpress.co.uk##.block-taboola laboratoryequipment.com##.block-title ibtimes.com##.block-x90 augusta.com##.block-yca_plugin @@ -86589,6 +90144,7 @@ adlock.in##.bn christianpost.com,parentherald.com##.bn728 ibtimes.co.uk,ibtimes.com##.bn_center_bottom_leaderboard_hd tinydl.link##.bnner +demonoid.pw##.bnnr_top electronicsfeed.com,gatorzone.com,intelligencer.ca##.bnr euroweek.com##.bnr-top carnewschina.com,thetycho.com##.bnr728 @@ -86607,25 +90163,27 @@ bangkokpost.com##.boomboxSize1 overclock3d.net##.border-box-320 thenextweb.com##.border-t.mt-2 share-links.biz##.border1dark +bitcointalk.org##.bordercolor\[width="100%"]\[cellspacing="0"]\[cellpadding="0"]\[border="0"] > tbody > tr\[class^="h"] > td\[class^="i"] extratorrent.cc##.borderdark\[style="padding: 5px;"] helenair.com##.bordered\[align="center"]\[width="728"] afreecodec.com##.bornone +tgun.tv##.bossPlayer dailynews.gov.bw##.bot-banner trueslant.com##.bot_banner gofish.com##.botban1 gofish.com##.botban2 bankrate.com##.botbanner pixdaus.com##.bottom -eplans.com,spanishdict.com##.bottom-banner +eplans.com,liligo.com,reverso.net,spanishdict.com##.bottom-banner livehdq.info##.bottom-bar kaskus.co.id##.bottom-frame usatoday.com##.bottom-google-links +photographyreview.com##.bottom-leaderboard theticketmiami.com##.bottom-super-leaderboard weatheroffice.gc.ca##.bottomBanner softicons.com##.bottom_125_block softicons.com##.bottom_600_250_block themoscowtimes.com##.bottom_banner -en.trend.az##.bottom_banner2 secdigitalnetwork.com##.bottom_banners_outer gamenguide.com##.bottom_bn einthusan.com##.bottom_leaderboard @@ -86635,6 +90193,7 @@ broadcastnewsroom.com,mumbaimirror.com,softonic.com##.bottombanner arcadebomb.com##.bottombox technologizer.com##.bottompromo explainthatstuff.com##.bottomsquare +filediva.com##.bouton jpost.com##.box-banner-wrap oilprice.com##.box-news-sponsor phonedog.com##.box-rail-skyleft @@ -86669,6 +90228,8 @@ hardware.info##.br_top_container brothersoft.com##.brand washingtonpost.com##.brand-connect-module mapquest.com##.brandedBizLocSprite +primedia.co.za##.branding-sponsor +csoonline.com##.brandposts 1310news.com,680news.com,news1130.com##.breaking-news-alerts-sponsorship-block break.com##.breaking_news break.com##.breaking_news_wrap @@ -86686,11 +90247,13 @@ if-not-true-then-false.com##.bsarocks\[style="height:250px;margin-left:20px;"] if-not-true-then-false.com##.bsarocks\[style="height:520px;"] mmorpg.com##.bsgoskin webopedia.com##.bstext +virginradiodubai.com##.bt-btm fenopy.se##.bt.dl milesplit.com##.btf idolator.com##.btf-leader gamepedia.com,minecraftwiki.net##.btflb diply.com##.btfrectangle +dubai92.com,dubaieye1038.com##.btm-banner cricwaves.com##.btm728 helensburghadvertiser.co.uk,the-gazette.co.uk##.btn isohunt.to##.btn-bitlord @@ -86704,11 +90267,11 @@ legendarydevils.com##.btn_dl wrc.com##.btns wrc.com##.btnswf gizmodo.com.au##.btyb_cat -timesofindia.indiatimes.com##.budgetheader whitepages.com##.business_premium_container_top switchboard.com,whitepages.com##.business_premium_results torrentbit.net##.but_down_sponsored 1053kissfm.com##.button-buy +torrentbit.net##.button-long miloyski.com##.button\[target="_blank"] darelease.com,downarchive.com,keygenfree.org,mechodownload.com##.button_dl freedownloadmanager.org,freedownloadscenter.com##.button_free_scan @@ -86816,12 +90379,14 @@ crooksandliars.com##.clam-google crooksandliars.com##.clam-text telegraph.co.uk##.classifiedAds uploading.com##.cleanlab_banner +clgaming.net##.clg-footerSponsors yourepeat.com##.click-left yourepeat.com##.click-right haaretz.com##.clickTrackerGroup infobetting.com##.click_bookmaker thinkbroadband.com##.clickable-skin windowsitpro.com##.close +abconline.xyz##.close9 wftv.com##.cmFeedUtilities ajc.com##.cmSponsored wsbtv.com##.cmSubHeaderWrap @@ -86863,6 +90428,7 @@ googlesightseeing.com##.comm-skyscraper googlesightseeing.com##.comm-square abovethelaw.com##.comments-sponsor tripadvisor.ca,tripadvisor.co.uk,tripadvisor.com,tripadvisor.ie,tripadvisor.in##.commerce +prevention.com##.commerce-block capitalfm.com,capitalxtra.com,heart.co.uk,independent.co.uk,runningserver.com,smoothradio.com,standard.co.uk,thisislondon.co.uk,xfm.co.uk##.commercial sheptonmalletjournal.co.uk##.commercial-promotions independent.co.uk##.commercialpromo @@ -86877,13 +90443,12 @@ msn.com##.condbanner2 theglobeandmail.com##.conductor-links thegameslist.com##.cont spoonyexperiment.com##.cont_adv -filenuke.com,sharesix.com##.cont_block > .f_l_name + center -filenuke.com,sharesix.com##.cont_block > center:first-child torrent-finder.info##.cont_lb babylon.com,searchsafer.com##.contadwltr miniclip.com##.container-300x250 ina.fr##.container-pubcarre jokersupdates.com##.container_contentrightspan +tourofbritain.co.uk##.container_right_mpu bbh.cc##.content + .sidebar adfoc.us##.content > iframe flashgot.net##.content a\[rel="nofollow"]\[target="_blаnk"] @@ -86921,6 +90486,7 @@ netnewscheck.com##.continue-text notcot.org##.conversationalist_outer list25.com##.converter sharaget.com##.coollist +columbian.com##.coupon-widget wnst.net##.coupon_block ftadviser.com##.cpdSponsored politicalwire.com##.cqheadlinebox @@ -86935,6 +90501,7 @@ candystand.com##.cs_square_banner candystand.com##.cs_tall_banner candystand.com##.cs_wide_banner carsales.com.au##.csn-ad-preload +vitorrent.net##.css_btn_class_fast columbian.com##.cta\[style="margin-top: -10px;"] terra.com##.ctn-tgm-bottom-holder funny.com##.ctnAdBanner @@ -86949,12 +90516,13 @@ cocomment.com##.cw_adv glumbouploads.com##.d0_728 rapidok.com##.d_content\[style="background:#FFFFFF url(/img/d1.gif) repeat-x scroll 0 86%;"] thomasnet.com##.da +diply.com##.da-disclaimer arabianindustry.com##.da-leaderboard torrents.to##.da-top +thedailywtf.com##.daBlock tesco.com##.dart allmovie.com##.dart-skyscraper americanphotomag.com,ecnmag.com,manufacturing.net,webuser.co.uk##.dart-tag -movies4men.co.uk,sonymoviechannel.co.uk,sonytv.com##.dart-tag-notice wetv.com##.dart300x250Border orange.co.uk##.dartlabel torrent.cd##.data\[style="margin-bottom: 0px; margin-top: 15px;"] @@ -86963,7 +90531,6 @@ itv.com##.db-mpu foobar2000.org##.db_link herald.co.zw##.dban dbforums.com##.dbfSubscribe\[style^="display: block; z-index: 1002; "] -bexhillobserver.net,blackpoolgazette.co.uk,bognor.co.uk,bostonstandard.co.uk,chichester.co.uk,donegaldemocrat.ie,eastbourneherald.co.uk,halifaxcourier.co.uk,hastingsobserver.co.uk,lep.co.uk,limerickleader.ie,offalyexpress.ie,portsmouth.co.uk,scotsman.com,shieldsgazette.com,spaldingtoday.co.uk,sunderlandecho.com,thescarboroughnews.co.uk,thestar.co.uk,wigantoday.net,wscountytimes.co.uk,yorkshireeveningpost.co.uk,yorkshirepost.co.uk##.dc-half-banner startups.co.uk##.dc-leaderboard kibagames.com##.dc_color_lightgreen.dc_bg_for_adv ohiostatebuckeyes.com##.dcad @@ -86995,6 +90562,7 @@ heroturko.me##.detay onlinerealgames.com##.df3 marinmagazine.com,scpr.org,shop.com,urbandictionary.com##.dfp healthline.com##.dfp-lb-wrapper +techradar.com##.dfp-leaderboard-container greatist.com,neurope.eu##.dfp-tag-wrapper sodahead.com##.dfp300x250 sodahead.com##.dfp300x600 @@ -87018,11 +90586,12 @@ chacha.com##.disclosure 1cookinggames.com,yokogames.com##.displaygamesbannerspot3 hellopeter.com##.div1 hellopeter.com##.div2 -cricinfo.com,espncricinfo.com##.div300Pad +espncricinfo.com##.div300Pad aniweather.com##.divBottomNotice aniweather.com##.divCenterNotice alternativeto.net##.divLeaderboardLove israelnationalnews.com##.divTopInBox +hellobeautiful.com##.diversity-one-widget search.ovguide.com##.dl:first-child mediafire.com##.dlInfo-Apps bitsnoop.com##.dl_adp @@ -87041,8 +90610,8 @@ isup.me##.domain + p + center:last-child > a:first-child i4u.com##.dotted gearlive.com##.double techtipsgeek.com##.double-cont -capitalfm.com,capitalxtra.com,dirtymag.com,kingfiles.net,win7dl.com##.download -torrents.de,torrentz.ch,torrentz.com,torrentz.eu,torrentz.in,torrentz.li,torrentz.me,torrentz.ph##.download > h2 + dl > dd +bigtop40.com,capitalfm.com,capitalxtra.com,dirtymag.com,kingfiles.net,win7dl.com##.download +torrents.de,torrentz.ch,torrentz.com,torrentz.eu,torrentz.in,torrentz.li,torrentz.me,torrentz.ph,torrentz.unblockt.com##.download > h2 + dl > dd turbobit.net##.download-area-top host1free.com##.download-block generalfiles.me##.download-button @@ -87055,7 +90624,9 @@ candystand.com##.download_free_games_ad fileshut.biz,fileshut.com##.download_item2 download-movie-soundtracks.com##.download_link > .direct_link fileserve.com##.download_meagaCloud +primewire.ag##.download_now_mouseover load.to##.download_right +filediva.com##.download_top fileshut.biz,fileshut.com##.download_top2 brothersoft.com##.downloadadv brothersoft.com##.downloadadv1 @@ -87076,6 +90647,8 @@ dressupcraze.com##.duc-728 bloomberg.com##.dvz-widget-sponsor webmd.com##.dynbm_wrap espnwatch.tv##.dzt +watchreport.com##.e3lan300_250-widget +stream2watch.com##.ea search.yahoo.com##.eadlast cnet.com.au##.ebay amateurphotographer.co.uk##.ebay-deals @@ -87088,6 +90661,7 @@ smashingmagazine.com##.ed-us timeoutabudhabi.com##.editoral_banner dailymail.co.uk##.editors-choice.ccox.link-ccox.linkro-darkred experts-exchange.com##.eeAD +bostonmagazine.com##.eewidget notebooks.com##.efbleft facebook.com##.ego_spo priceonomics.com##.eib-banner @@ -87117,11 +90691,9 @@ tucows.com##.f11 india.com##.fBannerAside computerworld.co.nz##.fairfax_nav inturpo.com##.fake_embed_ad_close -infoworld.com##.fakesidebar flixflux.co.uk##.fan commentarymagazine.com##.fancybox-wrap freshwap.net##.fast -beemp3.com##.fast-download might.net##.fat-container smarter.com##.favboxmiddlesearch smarter.com##.favwrapper @@ -87205,6 +90777,7 @@ thecinemasource.com##.footer-marketgid getswiftfox.com##.footer-right livebasketball.tv##.footer-sponsor sharksrugby.co.za,timestalks.com##.footer-sponsors +searchenginejournal.com##.footer-unit btn.com##.footer-widgets hd-trailers.net##.footer-win twentytwowords.com##.footer-zone @@ -87225,6 +90798,7 @@ maxgames.com##.footer_leaderboard morningstar.in##.footer_links_wrapper scotsman.com##.footer_top_holder datamation.com##.footerbanner +eurocupbasketball.com,euroleague.net##.footersponsors-container videojug.com##.forceMPUSize alphacoders.com##.form_info northcoastnow.com##.formy @@ -87232,6 +90806,7 @@ motorhomefacts.com##.forum-promo thewarezscene.org##.forumbg b105.com##.fourSquare_outer bc.vc##.fp-bar-dis +autotrader.co.uk##.fpa-deal-header yahoo.com##.fpad tvguide.com##.franchisewrapper freedom.tm##.frdm-sm-ico @@ -87240,8 +90815,10 @@ watch-series.ag,watch-tv-series.to,watchseries.ph##.freeEpisode empowernetwork.com##.free_video_img megashare.com##.freeblackbox megashare.com##.freewhitebox +wharton.upenn.edu##.friend-module spanishcentral.com##.from_spanish_central executivetravelmagazine.com##.ft-add-banner +portalangop.co.ao,top1walls.com##.full-banner marilyn.ca##.full-width.leaderboard wikinvest.com##.fullArticleInset-NVAdSlotComponent i4u.com##.fullStoryHeader + .SidebarBox @@ -87293,6 +90870,7 @@ canberratimes.com.au,illawarramercury.com.au##.gbl_disclaimer illawarramercury.com.au##.gbl_section viamichelin.co.uk,viamichelin.com##.gdhBlockV2 geekwire.com##.geekwire_sponsor_posts_widget +escapehere.com##.gemini-loaded becclesandbungayjournal.co.uk,burymercury.co.uk,cambstimes.co.uk,derehamtimes.co.uk,dunmowbroadcast.co.uk,eadt.co.uk,edp24.co.uk,elystandard.co.uk,eveningnews24.co.uk,fakenhamtimes.co.uk,greenun24.co.uk,huntspost.co.uk,ipswichstar.co.uk,lowestoftjournal.co.uk,northnorfolknews.co.uk,pinkun.com,royston-crow.co.uk,saffronwaldenreporter.co.uk,sudburymercury.co.uk,thecomet.net,thetfordandbrandontimes.co.uk,wattonandswaffhamtimes.co.uk,wisbechstandard.co.uk,wymondhamandattleboroughmercury.co.uk##.generic_leader greenun24.co.uk,pinkun.com##.generic_sky uefa.com##.geoTargetSponsorHeader @@ -87318,6 +90896,7 @@ neogaf.com##.goodie728 computershopper.com##.goog complaintsboard.com##.goog-border eurodict.com##.googa +thenassauguardian.com##.googlAdd 95mac.net,africanadvice.com,appdl.net,freepopfax.com,pspad.com##.google euronews.com##.google-banner nymag.com##.google-bottom @@ -87350,11 +90929,11 @@ cool-wallpaper.us##.green businessdictionary.com##.grey-small-link backstage.com##.greyFont teamrock.com##.grid-container-300x250 +itproportal.com##.grid-mpu ncaa.com##.grid\[style="height: 150px;"] dawn.com##.grid__item.one-whole.push-half.visuallyhidden--palm couriermail.com.au,dailytelegraph.com.au,news.com.au##.group-network-referral-footer -eztv-proxy.net##.gsfc -eztv.it##.gsfl +eztv-proxy.net,eztv.ch##.gsfc bollywoodtrade.com##.gtable\[height="270"]\[width="320"] 11alive.com,13wmaz.com,9news.com,digtriad.com,firstcoastnews.com,kare11.com,ksdk.com,news10.net,thv11.com,wbir.com,wcsh6.com,wgrz.com,wkyc.com,wlbz2.com,wltx.com,wtsp.com,wusa9.com,wzzm13.com##.gtv_728x90_container waz-warez.org##.guest_adds @@ -87381,15 +90960,15 @@ zeefood.in##.hbanner2 chronicle.co.zw,herald.co.zw##.hbanners screenindia.com##.hd webtoolhub.com##.hdShade -putlocker.is##.hdbutton pbnation.com##.hdrLb pbnation.com##.hdrSq +caymannewsservice.com##.head-banner468 vogue.co.uk##.headFullWidth mariopiperni.com,tmrzoo.com##.headbanner bitcoinreviewer.com##.header > .wrap > .cb-large iaminthestore.com##.header > div > div\[style="text-align:center;margin:0 auto"] ynaija.com##.header-728 -americanfreepress.net,freemalaysiatoday.com,hotfrog.co.uk,islamchannel.tv,ksstradio.com,landandfarm.com,mashable.com,wow247.co.uk##.header-banner +americanfreepress.net,freemalaysiatoday.com,hotfrog.co.uk,islamchannel.tv,ksstradio.com,landandfarm.com,mashable.com,soccer24.co.zw,wow247.co.uk##.header-banner vapingunderground.com##.header-block thedailystar.net##.header-bottom-adds expressandstar.com,guernseypress.com,jerseyeveningpost.com,shropshirestar.com,thebiggestloser.com.au##.header-leaderboard @@ -87399,7 +90978,9 @@ spyka.net##.header-link times.co.zm##.header-pub lyricsbogie.com,queenscourier.com##.header-right bh24.co.zw##.header-right-banner-wrapper -providencejournal.com##.header-top +htxt.co.za##.header-sub +providencejournal.com,southernliving.com##.header-top +astronomynow.com##.header-widget hd-trailers.net##.header-win funnycatpix.com,notsafeforwhat.com,rockdizmusic.com##.header728 onegreenplanet.org##.header728container @@ -87426,6 +91007,7 @@ dailycurrant.com##.highswiss skins.be##.hint serverfault.com,stackoverflow.com##.hireme ghanaweb.com##.hmSkyscraper +hindustantimes.com##.hm_top_right_localnews_contnr_budget 1027dabomb.net##.home-300 broadway.com##.home-leaderboard-728-90 wowhead.com##.home-skin @@ -87433,6 +91015,7 @@ netweather.tv##.home300250 greatdaygames.com##.home_Right_bg wpbt2.org##.home_banners hpe.com##.home_leaderboard +justdubs.tv##.home_leftsidbar_add wdwmagic.com##.home_upper_728x90 securitymattersmag.com##.homeart_marketpl_container news1130.com##.homepage-headlines-sponsorship-block @@ -87460,16 +91043,18 @@ loaded.co.uk##.hot_banner_mpu maps.google.com##.hotel-partner-item-sponsored maps.google.com##.hotel-price zdnet.com##.hotspot -indiatimes.com##.hover2bg europeancarweb.com##.hp-leadertop rte.ie##.hp-mpu huffingtonpost.com##.hp-ss-leaderboard +worldweatheronline.com##.hp_300x250_left +worldweatheronline.com##.hp_300x250_right surfline.com##.hp_camofday-ad itp.net##.hpbanner nairaland.com##.hpl nairaland.com##.hpr v3.co.uk##.hpu nairaland.com##.hrad +blog.recruitifi.com##.hs-cta-wrapper filetram.com##.hsDownload usatodayhss.com##.hss-background-link sfgate.com##.hst-leaderboard @@ -87514,6 +91099,7 @@ gifsoup.com##.imagead globalgrind.com##.imagecache-article_images_540 blessthisstuff.com##.imagem_sponsor laineygossip.com##.img-box +newsbtc.com##.img-responsive weather.msn.com##.imglink1.cf exchangerates.org.uk##.imt4 computerworld.com,infoworld.com##.imu @@ -87544,7 +91130,6 @@ cnet.com##.innerMPUwrap telegraph.co.uk##.innerPlugin bloggerthemes.net##.inner_banner routes-news.com##.insightbar -beemp3.com##.install-toolbar icanhascheezburger.com##.instream ratemyteachers.com##.intelius itweb.co.za##.intelli-box @@ -87555,19 +91140,21 @@ ozy.com##.interstitial komando.com##.interstitial-wrapper 12ozprophet.com##.intro jango.com##.intro_block_module:last-child -hellobeautiful.com,theurbandaily.com##.ione-widget picapp.com##.ipad_300_250 picapp.com##.ipad_728_90 investorplace.com##.ipm-sidebar-ad-text +twitter.com##.is-promoted telegraph.co.uk##.isaSeason veehd.com##.isad drivearcade.com,freegamesinc.com##.isk180 abovethelaw.com,dealbreaker.com,itwire.com##.island +nzgamer.com##.island-holder timesofisrael.com##.item-spotlight classifiedads.com##.itemhispon classifiedads.com##.itemlospon videopremium.tv##.itrack air1.com,juicefm.com,pulse1.co.uk,pulse2.co.uk,signal1.co.uk,signal2.co.uk,swanseasound.co.uk,thecurrent.org,thewave.co.uk,three.fm,wave965.com,wirefm.com,wishfm.net##.itunes +liquidcompass.net##.itunes_btn ixigo.com##.ixi-ads-header liveleak.com##.j_b liveleak.com##.j_t @@ -87583,6 +91170,7 @@ worldofgnome.org##.jumbotron marketingvox.com##.jupitermedia joomlarulez.com##.jwplayer2 joomlarulez.com##.jwplayer4 +rocvideo.tv##.jwpreview sfgate.com##.kaango news24.com##.kalahari_product news24.com##.kalwidgetcontainer @@ -87595,21 +91183,25 @@ herold.at##.kronehit businessinsider.com##.ks-recommended lenteng.com##.ktz-bannerhead lenteng.com##.ktz_banner +anilinkz.tv##.kwarta simplyhired.com##.label_right wallstcheatsheet.com##.landingad8 ustream.tv##.largeRectBanner +search.yahoo.com##.last > div\[class]\[data-bid] > div\[class] > ul\[class] > li > span > a txfm.ie##.last_10Buy afterdawn.com##.last_forum_mainos restaurants.com##.latad espn.co.uk,espncricinfo.com##.latest_sports630 aniscartujo.com##.layer_main iwradio.co.uk##.layerslider_widget +thehits.co.nz##.layout__background pastebin.com##.layout_clear milesplit.com##.lb etonline.com##.lb_bottom door2windows.com##.lbad thehill.com##.lbanner speedtest.net##.lbc +lankabusinessonline.com##.lbo-ad-home-300x250 itp.net##.lboard pcmag.com##.lbwidget politifact.com##.ldrbd @@ -87622,7 +91214,7 @@ online-literature.com##.leader-wrap-bottom online-literature.com##.leader-wrap-middle online-literature.com##.leader-wrap-top garfield.com##.leaderBackground -channeleye.co.uk,expertreviews.co.uk,nymag.com,pcpro.co.uk,vogue.co.uk##.leaderBoard +channeleye.co.uk,expertreviews.co.uk,mtv.com.lb,nymag.com,pcpro.co.uk,vogue.co.uk##.leaderBoard greatergood.com##.leaderBoard-container businessghana.com##.leaderBoardBorder whathifi.com##.leaderBoardWrapper @@ -87630,7 +91222,7 @@ expertreviews.co.uk##.leaderLeft expertreviews.co.uk##.leaderRight bakercityherald.com##.leaderTop freelanceswitch.com,stockvault.net,tutsplus.com##.leader_board -abovethelaw.com,adn.com,advosports.com,androidfirmwares.net,answerology.com,aroundosceola.com,bellinghamherald.com,birdmanstunna.com,blitzcorner.com,bnd.com,bradenton.com,cantbeunseen.com,carynews.com,centredaily.com,chairmanlol.com,citymetric.com,claytonnewsstar.com,clgaming.net,clicktogive.com,cnet.com,cokeandpopcorn.com,commercialappeal.com,cosmopolitan.co.uk,cosmopolitan.com,courierpress.com,cprogramming.com,dailynews.co.zw,designtaxi.com,digitaltrends.com,diply.com,directupload.net,dispatch.com,diyfail.com,docspot.com,donchavez.com,driving.ca,dummies.com,edmunds.com,enquirerherald.com,explainthisimage.com,expressandstar.com,film.com,foodista.com,fortmilltimes.com,forums.thefashionspot.com,fox.com.au,fresnobee.com,funnyexam.com,funnytipjars.com,galatta.com,gamesville.com,geek.com,goal.com,goldenpages.be,gosanangelo.com,guernseypress.com,hardware.info,heraldonline.com,hi-mag.com,hourdetroit.com,hypegames.com,iamdisappoint.com,idahostatesman.com,independentmail.com,intomobile.com,irishexaminer.com,islandpacket.com,japanisweird.com,jdpower.com,jerseyeveningpost.com,kentucky.com,keysnet.com,kidspot.com.au,kitsapsun.com,knoxnews.com,lakewyliepilot.com,ledger-enquirer.com,lgbtqnation.com,lightreading.com,lolhome.com,lonelyplanet.com,lsjournal.com,mac-forums.com,macon.com,mapcarta.com,marinmagazine.com,mcclatchydc.com,mercedsunstar.com,modbee.com,morefailat11.com,myrtlebeachonline.com,nameberry.com,naplesnews.com,nature.com,nbl.com.au,newsobserver.com,nowtoronto.com,objectiface.com,openfile.ca,organizedwisdom.com,overclockers.com,passedoutphotos.com,pehub.com,peoplespharmacy.com,perfectlytimedphotos.com,photographyblog.com,pinknews.co,pinknews.co.uk,pons.com,pons.eu,pressherald.com,radiobroadcaster.org,rebubbled.com,recode.net,redding.com,reporternews.com,roadrunner.com,roulettereactions.com,rr.com,sacarfan.co.za,sanluisobispo.com,scifinow.co.uk,searchenginesuggestions.com,shinyshiny.tv,shitbrix.com,shocktillyoudrop.com,shropshirestar.com,slashdot.org,slideshare.net,spacecast.com,sparesomelol.com,spoiledphotos.com,sportsvite.com,stopdroplol.com,stripes.com,stv.tv,sunherald.com,supersport.com,tattoofailure.com,tbreak.com,tcpalm.com,techdigest.tv,terra.com,theatermania.com,thehollywoodgossip.com,thejewishnews.com,thenewstribune.com,theolympian.com,theskanner.com,thestate.com,timescolonist.com,timesrecordnews.com,titantv.com,treehugger.com,tri-cityherald.com,tvfanatic.com,uswitch.com,v3.co.uk,vcstar.com,vivastreet.co.uk,vr-zone.com,walyou.com,washingtonpost.com,whatsonstage.com,where.ca,yodawgpics.com,yoimaletyoufinish.com##.leaderboard +abovethelaw.com,adn.com,advosports.com,adyou.me,androidfirmwares.net,answerology.com,aroundosceola.com,ballstatedaily.com,bellinghamherald.com,birdmanstunna.com,blitzcorner.com,bnd.com,bradenton.com,cantbeunseen.com,carynews.com,centredaily.com,chairmanlol.com,citymetric.com,claytonnewsstar.com,clgaming.net,clicktogive.com,cnet.com,cokeandpopcorn.com,commercialappeal.com,cosmopolitan.co.uk,cosmopolitan.com,courierpress.com,cprogramming.com,dailynews.co.zw,designtaxi.com,digitaltrends.com,diply.com,directupload.net,dispatch.com,diyfail.com,docspot.com,donchavez.com,driving.ca,dummies.com,edmunds.com,elle.com,enquirerherald.com,esquire.com,explainthisimage.com,expressandstar.com,film.com,foodista.com,fortmilltimes.com,forums.thefashionspot.com,fox.com.au,fresnobee.com,funnyexam.com,funnytipjars.com,galatta.com,gamesville.com,geek.com,goal.com,goldenpages.be,gosanangelo.com,guernseypress.com,hardware.info,heraldonline.com,hi-mag.com,hourdetroit.com,hypegames.com,iamdisappoint.com,idahostatesman.com,imedicalapps.com,independentmail.com,intomobile.com,irishexaminer.com,islandpacket.com,itproportal.com,japanisweird.com,jdpower.com,jerseyeveningpost.com,kentucky.com,keysnet.com,kidspot.com.au,kitsapsun.com,knoxnews.com,lakewyliepilot.com,laweekly.com,ledger-enquirer.com,lgbtqnation.com,lightreading.com,lolhome.com,lonelyplanet.com,lsjournal.com,mac-forums.com,macon.com,mapcarta.com,marieclaire.com,marinmagazine.com,mcclatchydc.com,mercedsunstar.com,meteovista.co.uk,meteovista.com,modbee.com,morefailat11.com,myrtlebeachonline.com,nameberry.com,naplesnews.com,nature.com,nbl.com.au,newsobserver.com,nowtoronto.com,objectiface.com,openfile.ca,organizedwisdom.com,overclockers.com,passedoutphotos.com,pehub.com,peoplespharmacy.com,perfectlytimedphotos.com,photographyblog.com,pinknews.co,pinknews.co.uk,pons.com,pons.eu,popularmechanics.com,pressherald.com,radiobroadcaster.org,rebubbled.com,recode.net,redding.com,reporternews.com,roadandtrack.com,roadrunner.com,roulettereactions.com,rr.com,sacarfan.co.za,sanluisobispo.com,scifinow.co.uk,searchenginesuggestions.com,shinyshiny.tv,shitbrix.com,shocktillyoudrop.com,shropshirestar.com,slashdot.org,slideshare.net,spacecast.com,sparesomelol.com,spoiledphotos.com,sportsvite.com,stopdroplol.com,stripes.com,stv.tv,sunherald.com,supersport.com,tattoofailure.com,tbreak.com,tcpalm.com,techdigest.tv,terra.com,theatermania.com,thehollywoodgossip.com,thejewishnews.com,thenewstribune.com,theolympian.com,theskanner.com,thestate.com,timescolonist.com,timesrecordnews.com,titantv.com,treehugger.com,tri-cityherald.com,tvfanatic.com,uswitch.com,v3.co.uk,vcstar.com,vivastreet.co.uk,vr-zone.com,walyou.com,washingtonpost.com,whatsonstage.com,where.ca,yodawgpics.com,yoimaletyoufinish.com##.leaderboard ameinfo.com##.leaderboard-area autotrader.co.uk,mixcloud.com##.leaderboard-banner bleedingcool.com##.leaderboard-below-header @@ -87655,7 +91247,7 @@ vibevixen.com##.leaderboard_bottom lookbook.nu,todaysbigthing.com##.leaderboard_container tucsoncitizen.com##.leaderboard_container_top directupload.net##.leaderboard_rectangle -realworldtech.com,rottentomatoes.com##.leaderboard_wrapper +porttechnology.org,realworldtech.com,rottentomatoes.com##.leaderboard_wrapper entrepreneur.com.ph##.leaderboardbar ubergizmo.com,wired.co.uk##.leaderboardcontainer fog24.com,free-games.net##.leaderboardholder @@ -87694,7 +91286,6 @@ webpronews.com##.lightgray prepperwebsite.com##.link-col > #text-48 coinurl.com##.link-image anorak.co.uk##.link\[style="height: 250px"] -beemp3.com##.link_s_und huffingtonpost.com##.linked_sponsored_entry technologyreview.com##.linkexperts-hm kyivpost.com##.linklist @@ -87702,13 +91293,15 @@ kproxy.com##.linknew4 scriptcopy.com##.linkroll scriptcopy.com##.linkroll-title babynamegenie.com,forless.com,o2cinemas.com,worldtimeserver.com##.links -abclocal.go.com##.linksWeLike +atđhe.net##.links > thead answers.com##.links_google answers.com##.links_openx ipsnews.net##.linksmoll_black +watchseries.lt##.linktable > .myTable > tbody > tr:first-child youtube.com##.list-view\[style="margin: 7px 0pt;"] maps.yahoo.com##.listing > .ysm cfos.de##.ll_center +pcworld.idg.com.au##.lo-toppromos wefollow.com##.load-featured calgaryherald.com##.local-branding theonion.com##.local_recirc @@ -87721,18 +91314,22 @@ themoscowtimes.com##.logo_popup toblender.com##.longadd vg247.com##.low-leader-container eurogamer.net##.low-leaderboard-container +omegle.com##.lowergaybtn +omegle.com##.lowersexybtn cfos.de##.lr_left yahoo.com##.lrec findlaw.com##.ls_homepage animetake.com##.lsidebar > a\[href^="http://bit.ly/"] -vidto.me##.ltas_backscreen +vidto.me,vidzi.tv##.ltas_backscreen phpbb.com##.lynkorama phpbb.com##.lynkoramaz kovideo.net##.lyricRingtoneLink +readwrite.com##.m-adaptive theverge.com##.m-feature__intro > aside digitaltrends.com##.m-intermission digitaltrends.com##.m-leaderboard theguardian.com##.m-money-deals +digitaltrends.com##.m-review-affiliate-pint tvguide.com##.m-shop share-links.biz##.m10.center share-links.biz##.m20 > div\[id]:first-child:last-child @@ -87740,7 +91337,6 @@ minivannews.com##.m_banner_show downloadatoz.com##.ma movies.msn.com##.magAd christianpost.com##.main-aside-bn -eurocupbasketball.com,euroleague.net##.main-footer-logos thedailystar.net##.mainAddSpage investing.com##.mainLightBoxFilter instantshift.com##.main_banner_single @@ -87751,6 +91347,7 @@ investopedia.com##.mainbodyleftcolumntrade xspyz.com##.mainparagraph showme.co.za##.mainphoto healthzone.pk##.maintablebody +rarlab.com,rarlabs.com##.maintd2\[valign="top"] > .htbar:first-child + .tplain + p + table\[width="100%"]\[border="0"] + table\[width="100%"]\[border="0"] > tbody:first-child:last-child rarlabs.com##.maintd2\[valign="top"] > .htbar:first-child + p.tplain + table\[width="100%"]\[border="0"] + table\[width="100%"]\[border="0"] lifescript.com##.maintopad torrent.cd##.maintopb @@ -87759,6 +91356,8 @@ makeprojects.com##.makeBlocks mangainn.com##.mangareadtopad allmenus.com##.mantle sigalert.com##.map-med-rect +rocvideo.tv##.mar-bot-10 +pcper.com##.mark-overlay-bg briefing.com##.market-place industryweek.com##.market600 nzherald.co.nz##.marketPlace @@ -87784,6 +91383,7 @@ wraltechwire.com##.mbitalic search.twcc.com##.mbs games.yahoo.com,movies.yahoo.com##.md.links wsj.com##.mdcSponsorBadges +hughhewitt.com##.mdh-main-wrap mtv.com##.mdl_noPosition thestar.com.my##.med-rec indianapublicmedia.org##.med-rect @@ -87793,6 +91393,7 @@ etonline.com##.med_rec medcitynews.com##.medcity-paid-inline fontstock.net##.mediaBox tvbay.org##.mediasrojas +tvplus.co.za##.medihelp-section docspot.com##.medium allmusic.com,edmunds.com##.medium-rectangle monhyip.net##.medium_banner @@ -87833,6 +91434,7 @@ pissedconsumer.com,plussports.com##.midBanner investing.com##.midHeader expertreviews.co.uk##.midLeader siteadvisor.com##.midPageSmallOuterDiv +autotrader.co.za##.midSearch.banner mp3.li##.mid_holder\[style="height: 124px;"] einthusan.com##.mid_leaderboard einthusan.com##.mid_medium_leaderboard @@ -87860,6 +91462,7 @@ mmosite.com##.mmo_textsponsor androidcentral.com##.mn-banner mnn.com##.mnn-homepage-adv1-block cultofmac.com##.mob-mpu +techradar.com##.mobile-hawk-widget techspot.com##.mobile-hide rapidvideo.tv##.mobile_hd thenation.com##.modalContainer @@ -87870,6 +91473,8 @@ alivetorrents.com##.mode itworld.com##.module goal.com##.module-bet-signup goal.com##.module-bet-windrawwin +autotrader.co.uk##.module-ecommerceLinks +kiis1065.com.au##.module-mrec nickelodeon.com.au##.module-mrect heraldsun.com.au##.module-promo-image-01 wptv.com##.module.horizontal @@ -87879,6 +91484,7 @@ quote.com##.module_full prevention.com##.modules americantowns.com##.moduletable-banner healthyplace.com##.moduletablefloatRight +uberrock.co.uk##.moduletablepatches codeasily.com##.money theguardian.com##.money-supermarket dailymail.co.uk,mailonsunday.co.uk,thisismoney.co.uk##.money.item > .cmicons.cleared.bogr3.link-box.linkro-darkred.cnr5 @@ -87894,15 +91500,17 @@ radiosport.co.nz##.mos-sponsor anonymouse.org##.mouselayer merdb.com##.movie_version a\[style="font-size:15px;"] movie2k.tl##.moviedescription + br + div > a +putlocker.is##.movsblu seetickets.com##.mp-sidebar-right newscientist.com##.mpMPU bakersfieldnow.com,katu.com,keprtv.com,komonews.com,kpic.com,kval.com,star1015.com##.mpsponsor -98fm.com,accringtonobserver.co.uk,alloaadvertiser.com,ardrossanherald.com,audioreview.com,autotrader.co.za,barrheadnews.com,birminghammail.co.uk,birminghampost.co.uk,bizarremag.com,bobfm.co.uk,bordertelegraph.com,bracknellnews.co.uk,capitalfm.com,capitalxtra.com,carrickherald.com,caughtoffside.com,centralfifetimes.com,chesterchronicle.co.uk,chroniclelive.co.uk,classicfm.com,clydebankpost.co.uk,computerworlduk.com,coventrytelegraph.net,crewechronicle.co.uk,cultofandroid.com,cumnockchronicle.com,dailypost.co.uk,dailyrecord.co.uk,dcsuk.info,directory.im,divamag.co.uk,dumbartonreporter.co.uk,dunfermlinepress.com,durhamtimes.co.uk,eastlothiancourier.com,econsultancy.com,examiner.co.uk,findanyfilm.com,gardensillustrated.com,gazettelive.co.uk,getbucks.co.uk,getreading.co.uk,getsurrey.co.uk,getwestlondon.co.uk,golf365.com,greenocktelegraph.co.uk,heart.co.uk,helensburghadvertiser.co.uk,impartialreporter.com,independent.co.uk,irishexaminer.com,irvinetimes.com,journallive.co.uk,largsandmillportnews.com,liverpoolecho.co.uk,localberkshire.co.uk,loughboroughecho.net,macclesfield-express.co.uk,macuser.co.uk,manchestereveningnews.co.uk,metoffice.gov.uk,mumsnet.com,musicradar.com,musicradio.com,mygoldmusic.co.uk,newburyandthatchamchronicle.co.uk,newstalk.com,northernfarmer.co.uk,osadvertiser.co.uk,peeblesshirenews.com,pinknews.co.uk,propertynews.com,racecar-engineering.com,radiotimes.com,readingchronicle.co.uk,realradioxs.co.uk,recombu.com,redhillandreigatelife.co.uk,rochdaleonline.co.uk,rossendalefreepress.co.uk,runcornandwidnesweeklynews.co.uk,scotsman.com,skysports.com,sloughobserver.co.uk,smallholder.co.uk,smartertravel.com,smoothradio.com,southportvisiter.co.uk,southwestfarmer.co.uk,spin1038.com,spinsouthwest.com,strathallantimes.co.uk,t3.com,tcmuk.tv,the-gazette.co.uk,theadvertiserseries.co.uk,thecitizen.co.tz,thejournal.co.uk,thelancasterandmorecambecitizen.co.uk,thetimes.co.uk,thevillager.co.uk,timeoutabudhabi.com,timeoutbahrain.com,timeoutdoha.com,timeoutdubai.com,todayfm.com,toffeeweb.com,troontimes.com,txfm.ie,walesonline.co.uk,warringtonguardian.co.uk,wiltshirebusinessonline.co.uk,windsorobserver.co.uk,xfm.co.uk##.mpu -greatbritishlife.co.uk##.mpu-banner +98fm.com,accringtonobserver.co.uk,alloaadvertiser.com,ardrossanherald.com,audioreview.com,autotrader.co.za,barrheadnews.com,bigtop40.com,birminghammail.co.uk,birminghampost.co.uk,bizarremag.com,bobfm.co.uk,bordertelegraph.com,bracknellnews.co.uk,capitalfm.com,capitalxtra.com,carrickherald.com,caughtoffside.com,centralfifetimes.com,chesterchronicle.co.uk,chroniclelive.co.uk,classicfm.com,clydebankpost.co.uk,computerworlduk.com,coventrytelegraph.net,crewechronicle.co.uk,cultofandroid.com,cumnockchronicle.com,dailypost.co.uk,dailyrecord.co.uk,dcsuk.info,directory.im,divamag.co.uk,dumbartonreporter.co.uk,dunfermlinepress.com,durhamtimes.co.uk,eastlothiancourier.com,econsultancy.com,examiner.co.uk,findanyfilm.com,gardensillustrated.com,gazettelive.co.uk,getbucks.co.uk,getreading.co.uk,getsurrey.co.uk,getwestlondon.co.uk,golf365.com,greenocktelegraph.co.uk,heart.co.uk,helensburghadvertiser.co.uk,her.ie,herfamily.ie,impartialreporter.com,independent.co.uk,irishexaminer.com,irvinetimes.com,jamieoliver.com,joe.co.uk,joe.ie,journallive.co.uk,largsandmillportnews.com,liverpoolecho.co.uk,localberkshire.co.uk,loughboroughecho.net,macclesfield-express.co.uk,macuser.co.uk,manchestereveningnews.co.uk,metoffice.gov.uk,mtv.com.lb,mumsnet.com,musicradar.com,musicradio.com,mygoldmusic.co.uk,newburyandthatchamchronicle.co.uk,newstalk.com,northernfarmer.co.uk,osadvertiser.co.uk,peeblesshirenews.com,pinknews.co.uk,propertynews.com,racecar-engineering.com,radiotimes.com,readingchronicle.co.uk,realradioxs.co.uk,recombu.com,redhillandreigatelife.co.uk,rochdaleonline.co.uk,rossendalefreepress.co.uk,runcornandwidnesweeklynews.co.uk,scotsman.com,skysports.com,sloughobserver.co.uk,smallholder.co.uk,smartertravel.com,smoothradio.com,southportvisiter.co.uk,southwestfarmer.co.uk,spin1038.com,spinsouthwest.com,sportsjoe.ie,strathallantimes.co.uk,t3.com,tcmuk.tv,the-gazette.co.uk,theadvertiserseries.co.uk,thecitizen.co.tz,thejournal.co.uk,thelancasterandmorecambecitizen.co.uk,thetimes.co.uk,thevillager.co.uk,timeoutabudhabi.com,timeoutbahrain.com,timeoutdoha.com,timeoutdubai.com,todayfm.com,toffeeweb.com,troontimes.com,tv3.ie,txfm.ie,walesonline.co.uk,warringtonguardian.co.uk,wiltshirebusinessonline.co.uk,windsorobserver.co.uk,xfm.co.uk##.mpu +greatbritishlife.co.uk,sport360.com##.mpu-banner 4music.com##.mpu-block rightmove.co.uk##.mpu-slot muzu.tv##.mpu-wrap crash.net##.mpuBack +digitalartsonline.co.uk##.mpuHolder lonelyplanet.com##.mpuWrapper slidetoplay.com##.mpu_content_banner popjustice.com##.mpufloatleft @@ -87931,6 +91539,8 @@ manchesterconfidential.co.uk##.nag bbc.com##.native-promo-button 9gag.com##.naughty-box animenfo.com##.nav2 +btstorrent.so##.nav_bar + p\[style="margin:4px 0 10px 10px;font-size:14px;width:auto;padding:2px 50px 2px 50px;display:inline-block;border:none;border-radius:3px;background:#EBDCAF;color:#BE8714;font-weight:bold;"] + .tor +bloodninja.org##.navbar + .container-fluid > .row:first-child > .col-md-2:first-child typo3.org##.navigationbanners nba.com##.nbaSponsored universalsports.com##.nbc_Adv @@ -87944,6 +91554,7 @@ celebritynetworth.com##.networth_content_advert keepcalm-o-matic.co.uk##.new-banner northjersey.com##.newerheaderbg instructables.com##.newrightbar_div_10 +jpost.com##.news-feed-banner ckom.com,newstalk650.com##.news-sponsor afterdawn.com##.newsArticleGoogle afterdawn.com##.newsGoogleContainer @@ -87958,6 +91569,7 @@ hulkshare.com##.nhsBotBan travel.yahoo.com##.niftyoffst\[style="background-color: #CECECE; padding: 0px 2px 0px;"] 9news.com.au,ninemsn.com.au##.ninemsn-advert cosmopolitan.com.au,dolly.com.au##.ninemsn-mrec +filenuke.com,sharesix.com##.nnrplace smartmoney.com##.no-top-margin thedailycrux.com##.noPrint mtv.co.uk##.node-download @@ -87972,6 +91584,7 @@ cookingforengineers.com##.nothing primeshare.tv##.notification\[style="width:900px; margin-left:-10px;margin-bottom:-1px;"] philly.com##.nouveau financialpost.com##.npBgSponsoredLinks +channel4fm.com##.npDownload financialpost.com##.npSponsor financialpost.com,nationalpost.com##.npSponsorLogo nascar.com##.nscrAd @@ -88012,10 +91625,12 @@ search.yahoo.com##.overture getprice.com.au##.overviewnc2_side_mrec facebook.com##.ownsection\[role="option"] info.co.uk##.p +worldoftanks-wot.com##.p2small local.com##.pB5.mB15 polls.aol.com##.p_divR amazon.com##.pa-sp-container chaptercheats.com,longislandpress.com,tucows.com##.pad10 +demonoid.pw##.pad9px_left > table:nth-child(8) inquirer.net##.padtopbot5 xtremevbtalk.com##.page > #collapseobj_rbit hotfrog.ca,hotfrog.com,hotfrog.com.au,hotfrog.com.my##.page-banner @@ -88024,6 +91639,7 @@ politico.com##.page-skin-graphic channel4.com##.page-top-banner vehix.com##.pageHead krcrtv.com,ktxs.com,nbcmontana.com,wcti12.com,wcyb.com##.pageHeaderRow1 +freebetcodes.info##.page_free-bet-codes_1 nzcity.co.nz##.page_skyscraper nationalreview.com##.pagetools\[align="center"] optimum.net##.paidResult @@ -88034,19 +91650,21 @@ womenshealthmag.com##.pane-block-150 bostonherald.com##.pane-block-20 galtime.com##.pane-block-9 sportfishingmag.com##.pane-channel-sponsors-list -settv.co.za,sonymax.co.za##.pane-dart-dart-tag-300x250-rectangle +animax-asia.com,axn-asia.com,betvasia.com,gemtvasia.com,movies4men.co.uk,onetvasia.com,settv.co.za,sonychannel.co.za,sonychannelasia.com,sonymax.co.za,sonymoviechannel.co.uk,sonytv.com##.pane-dart-dart-tag-300x250-rectangle soundandvisionmag.com##.pane-dart-dart-tag-bottom thedrum.com##.pane-dfp thedrum.com##.pane-dfp-drum-mpu-adsense educationpost.com.hk##.pane-dfp-homepage-728x90 texasmonthly.com##.pane-dfp-sidebar-medium-rectangle-1 texasmonthly.com##.pane-dfp-sidebar-medium-rectangle-2 +pri.org##.pane-node-field-links-sponsors scmp.com##.pane-scmp-advert-doubleclick 2gb.com##.pane-sponsored-links-2 sensis.com.au##.panel tampabay.com##.panels-flexible-row-75-8 panarmenian.net##.panner_2 nst.com.my##.parargt +whatsthescore.com##.parier prolificnotion.co.uk,usatoday.com##.partner investopedia.com##.partner-center mail.com##.partner-container @@ -88054,10 +91672,11 @@ thefrisky.com##.partner-link-boxes-container nationtalk.ca##.partner-slides emporis.com##.partner-small timesofisrael.com##.partner-widget +domainmasters.co.ke##.partner2 kat.ph##.partner2Button kat.ph##.partner3Button newser.com##.partnerBottomBorder -solarmovie.so##.partnerButton +solarmovie.ag,solarmovie.so##.partnerButton bing.com##.partnerLinks newser.com##.partnerLinksText delish.com##.partnerPromoCntr @@ -88068,7 +91687,7 @@ mamaslatinas.com##.partner_links freshnewgames.com##.partnercontent_box money.msn.com##.partnerlogo bhg.com##.partnerpromos -2oceansvibe.com,amny.com,bundesliga.com,computershopper.com,evertonfc.com,freedict.com,independent.co.uk,pcmag.com,tgdaily.com,tweetmeme.com,wbj.pl,wilv.com##.partners +2oceansvibe.com,browardpalmbeach.com,bundesliga.com,citypages.com,computershopper.com,dallasobserver.com,evertonfc.com,freedict.com,houstonpress.com,independent.co.uk,miaminewtimes.com,ocweekly.com,pcmag.com,phoenixnewtimes.com,riverfronttimes.com,tgdaily.com,tweetmeme.com,villagevoice.com,wbj.pl,westword.com,wilv.com##.partners araratadvertiser.com.au,areanews.com.au,armidaleexpress.com.au,avonadvocate.com.au,batemansbaypost.com.au,baysidebulletin.com.au,begadistrictnews.com.au,bellingencourier.com.au,bendigoadvertiser.com.au,blayneychronicle.com.au,bombalatimes.com.au,boorowanewsonline.com.au,bordermail.com.au,braidwoodtimes.com.au,bunburymail.com.au,busseltonmail.com.au,camdencourier.com.au,canowindranews.com.au,centraladvocate.com.au,centralwesterndaily.com.au,cessnockadvertiser.com.au,colliemail.com.au,colypointobserver.com.au,coomaexpress.com.au,cootamundraherald.com.au,cowraguardian.com.au,crookwellgazette.com.au,dailyadvertiser.com.au,dailyliberal.com.au,donnybrookmail.com.au,dungogchronicle.com.au,easternriverinachronicle.com.au,edenmagnet.com.au,esperanceexpress.com.au,forbesadvocate.com.au,gleninnesexaminer.com.au,gloucesteradvocate.com.au,goondiwindiargus.com.au,goulburnpost.com.au,greatlakesadvocate.com.au,grenfellrecord.com.au,guyraargus.com.au,hardenexpress.com.au,hepburnadvocate.com.au,huntervalleynews.net.au,inverelltimes.com.au,irrigator.com.au,juneesoutherncross.com.au,lakesmail.com.au,lithgowmercury.com.au,macleayargus.com.au,mailtimes.com.au,maitlandmercury.com.au,mandurahmail.com.au,manningrivertimes.com.au,margaretrivermail.com.au,merimbulanewsonline.com.au,merredinmercury.com.au,moreechampion.com.au,mudgeeguardian.com.au,muswellbrookchronicle.com.au,myallcoastnota.com.au,nambuccaguardian.com.au,naroomanewsonline.com.au,narrominenewsonline.com.au,newcastlestar.com.au,northerndailyleader.com.au,northweststar.com.au,nvi.com.au,nynganobserver.com.au,oberonreview.com.au,parkeschampionpost.com.au,portnews.com.au,portpirierecorder.com.au,portstephensexaminer.com.au,queanbeyanage.com.au,riverinaleader.com.au,sconeadvocate.com.au,singletonargus.com.au,southcoastregister.com.au,southernhighlandnews.com.au,southernweekly.com.au,standard.net.au,stawelltimes.com.au,summitsun.com.au,tenterfieldstar.com.au,theadvocate.com.au,thecourier.com.au,theherald.com.au,theridgenews.com.au,therural.com.au,townandcountrymagazine.com.au,ulladullatimes.com.au,waginargus.com.au,walchanewsonline.com.au,wauchopegazette.com.au,wellingtontimes.com.au,westernadvocate.com.au,westernmagazine.com.au,winghamchronicle.com.au,yasstribune.com.au,youngwitness.com.au##.partners-container serverwatch.com##.partners_ITs racinguk.com##.partners_carousel_container @@ -88099,7 +91718,7 @@ qikr.co##.placeholder1 qikr.co##.placeholder2 autotrader.co.uk##.placeholderBottomLeaderboard autotrader.co.uk##.placeholderTopLeaderboard -dummies.com##.placement +dummies.com,laweekly.com##.placement world-airport-codes.com##.placement-leaderboard world-airport-codes.com##.placement-mpu world-airport-codes.com##.placement-skyscraper @@ -88145,6 +91764,7 @@ cincinnati.com,wbir.com##.poster-container phonebook.com.pk##.posterplusmiddle phonebook.com.pk##.posterplustop picocool.com##.postgridsingle +1019thewolf.com,923thefox.com,fox1150.com,hot1035radio.com,indie1031.com##.posts-banner firstpost.com##.powBy geekzone.co.nz##.poweredBy infowars.com,prisonplanet.com##.ppani @@ -88183,7 +91803,7 @@ openwith.org##.program-link pbs.org##.program-support gokunming.com##.prom wnd.com##.prom-full-width-expandable -babynamegenie.com,computerandvideogames.com,dailyrecord.co.uk,eclipse.org,film.com,foreignpolicy.com,indiatimes.com,irishmirror.ie,manchestereveningnews.co.uk,nbcbayarea.com,networkworld.com,planetsourcecode.com,sandiego6.com,sciagaj.org,thenextweb.com,theonion.com,totalxbox.com,varsity.com,wsj.com##.promo +babynamegenie.com,computerandvideogames.com,dailyrecord.co.uk,eclipse.org,film.com,foreignpolicy.com,irishmirror.ie,manchestereveningnews.co.uk,nbcbayarea.com,networkworld.com,planetsourcecode.com,sandiego6.com,sciagaj.org,thenextweb.com,theonion.com,totalxbox.com,varsity.com,wsj.com##.promo yfrog.com,yt-festivals.appspot.com##.promo-area bbcgoodfood.com,pri.org##.promo-box lamag.com##.promo-container @@ -88198,9 +91818,10 @@ imageshack.com##.promo-right thepeoplesperson.com##.promo-right-300 miniclip.com##.promo-text miniclip.com##.promo-unit -infoworld.com,itworld.com##.promo.list +cio.com,csoonline.com,infoworld.com,itworld.com,javaworld.com##.promo.list bollywoodhungama.com##.promo266 cnet.com##.promo3000 +semoneycontrol.com##.promoBanner downloadcrew.com##.promoBar zdnet.com##.promoBox fitnessmagazine.com##.promoContainer @@ -88221,12 +91842,15 @@ twitter.com##.promoted-trend twitter.com##.promoted-tweet youtube.com##.promoted-videos search.genieo.com##.promoted_right +bizcommunity.com##.promotedcontent-box reddit.com##.promotedlink +northcountrypublicradio.org##.promotile twitter.com##.promotion yfrog.com##.promotion-side vogue.co.uk##.promotionButtons thenextweb.com##.promotion_frame mademan.com##.promotion_module +951shinefm.com##.promotional-space wired.co.uk##.promotions domainnamewire.com##.promotions_120x240 journallive.co.uk,liverpooldailypost.co.uk,people.co.uk,walesonline.co.uk##.promotop @@ -88273,9 +91897,11 @@ search.icq.com##.r2-1 decoist.com##.r300 periscopepost.com##.r72890 contactmusic.com##.rCol -rt.com##.r_banner +joins.com,rt.com##.r_banner dietsinreview.com##.r_content_300x250 wahm.com##.rad-links +wired.com##.rad-top +dawn.com##.radWrapper kvcr.org##.radio_livesupport about.com##.radlinks mygames4girls.com##.rads07 @@ -88318,6 +91944,7 @@ extrahardware.com##.region-skyscraper freshwap.net##.regular futbol24.com##.rek topclassifieds.info##.reklama_vip +radiosi.eu##.reklame appleinsider.com##.rel-half-r-cnt-ad israbox.com,sedoparking.com,techeblog.com##.related pokerupdate.com##.related-room @@ -88330,13 +91957,14 @@ forums.whirlpool.net.au##.reply\[style="padding: 0;"] search.icq.com##.res_sp techrepublic.com##.resource-centre intelius.com##.resourceBox -informationweek.com,infoworld.com##.resources +cio.com,informationweek.com##.resources website-unavailable.com##.response macmillandictionary.com##.responsive_cell_whole simplefilesearch.com##.result-f wrongdiagnosis.com##.result_adv yellowpages.bw,yellowpages.co.ls,yellowpages.co.zm##.result_item_gold yellowpages.bw,yellowpages.co.ls,yellowpages.co.zm##.result_item_silver +torrents.de,torrentz.ch,torrentz.com,torrentz.eu,torrentz.in,torrentz.li,torrentz.me,torrentz.ph##.results > h3 > div\[style="text-align:center"] hotbot.com##.results-top yellowbook.com##.resultsBanner nickjr.com##.resultsSponsoredBy @@ -88356,6 +91984,7 @@ pv-magazine.com##.ric_rot_banner siteslike.com##.rif marieclaire.co.uk,search.smartaddressbar.com,usnewsuniversitydirectory.com##.right yourepeat.com##.right > .bigbox:first-child +intoday.in##.right-add jrn.com##.right-banner linuxinsider.com,macnewsworld.com##.right-bb greenbiz.com,greenerdesign.com##.right-boom-small @@ -88390,6 +92019,7 @@ findlaw.com##.rightcol_300x250 findlaw.com##.rightcol_sponsored coolest-gadgets.com##.rightcolbox\[style="height: 250px;"] computerworld.co.nz##.rightcontent +khmertimeskh.com##.rightheader bikesportnews.com##.rightmpu press-citizen.com##.rightrail-promo theteachercorner.net##.rightside @@ -88421,6 +92051,7 @@ theatlantic.com##.rotating-article-promo impactwrestling.com,newswireless.net##.rotator leadership.ng##.rotor leadership.ng##.rotor-items\[style="width: 300px; height: 260px; visibility: visible;"] +toolslib.net##.row > .col-md-5 > .rotate-90 lonelyplanet.com##.row--leaderboard bikechatforums.com##.row1\[style="padding: 5px;"] bikechatforums.com##.row2\[style="padding: 5px;"] @@ -88549,7 +92180,7 @@ autos.msn.com##.showcase zillow.com##.showcase-outline crunchyroll.com##.showmedia-tired-of-ads complex.com##.side-300x600 -makeuseof.com##.side-banner +makeuseof.com,viva.co.nz##.side-banner apptism.com##.side-banner-holder metrolyrics.com##.side-box.clearfix desktopreview.com##.side-resouresc @@ -88567,6 +92198,7 @@ electricpig.co.uk##.side_wide_banner blackpenguin.net,newburytoday.co.uk##.sidebar weknowmemes.com##.sidebar > .widgetcontainer linksfu.com##.sidebar > ul > .sidebox +thejointblog.com##.sidebar img\[width="235"]\[height="150"] reelseo.com##.sidebar-125-box reelseo.com##.sidebar-125-events makeuseof.com##.sidebar-banner @@ -88575,6 +92207,7 @@ infdaily.com##.sidebar-box4 ditii.com##.sidebar-left rte.ie##.sidebar-mpu blogtechnical.com##.sidebar-outline +g4chan.com##.sidebar-rectangle techi.com##.sidebar-rectangle-banner timesofisrael.com##.sidebar-spotlight techi.com##.sidebar-square-banner @@ -88610,7 +92243,7 @@ zerohedge.com##.similar-box greatis.com##.sing cryptothrift.com##.single-auction-ad infosecurity-magazine.com##.site-leaderboard -fxstreet.com##.site-sponsor +fxstreet.com,macstories.net##.site-sponsor faithtalk1500.com,kfax.com,wmca.com##.siteWrapLink itproportal.com##.site_header cracked.com##.site_sliver @@ -88624,6 +92257,7 @@ indeed.com##.sjl0 indeed.co.uk,indeed.com##.sjl1t bit.com.au##.skin-btn autocarindia.com##.skin-link +tennisworldusa.org##.skin1 videogamer.com,zdnet.com##.skinClick entrepreneur.com,newstatesman.com##.sky miniclip.com##.sky-wrapper @@ -88659,7 +92293,7 @@ thebeachchannel.tv##.slideshow kcra.com,ketv.com,kmbc.com,wcvb.com,wpbf.com,wtae.com##.slideshowCover bonappetit.com##.slideshow_sidebar_divider thephuketnews.com##.slidesjs-container -burbankleader.com,chicagotribune.com,citypaper.com,dailypilot.com,glendalenewspress.com,hbindependent.com,lacanadaonline.com,redeyechicago.com,vacationstarter.com,vagazette.com##.slidingbillboard +burbankleader.com,citypaper.com,dailypilot.com,glendalenewspress.com,hbindependent.com,lacanadaonline.com,vacationstarter.com,vagazette.com##.slidingbillboard foodfacts.com##.slimBanner ecommercetimes.com##.slink-text ecommercetimes.com##.slink-title @@ -88705,6 +92339,7 @@ nationmultimedia.com##.span-7-1\[style="height:250px; overflow:hidden;"] kcsoftwares.com##.span2.well picosearch.com##.spblock askmen.com##.special +newsweek.com##.special-insight fashionmagazine.com##.special-messages pcmag.com##.special-offers euronews.com##.specialCoveragePub @@ -88736,11 +92371,11 @@ mediagazer.com##.sponrn pho.to,smartwebby.com,workhound.co.uk,yahoo.com##.spons blekko.com##.spons-res njuice.com,wwitv.com##.sponsb -timesofindia.indiatimes.com##.sponserlink -1310news.com,2oceansvibe.com,964eagle.co.uk,abc22now.com,airliners.net,animepaper.net,app.com,ar15.com,austinist.com,b100quadcities.com,bexhillobserver.net,blackpoolfc.co.uk,blackpoolgazette.co.uk,bloomberg.com,bognor.co.uk,bostonstandard.co.uk,brisbanetimes.com.au,brothersoft.com,businessinsider.com,canberratimes.com.au,cbslocal.com,cd1025.com,chicagoist.com,chichester.co.uk,concordmonitor.com,dcist.com,domainincite.com,eastbourneherald.co.uk,electricenergyonline.com,europages.co.uk,gamingcloud.com,gothamist.com,halifaxcourier.co.uk,hastingsobserver.co.uk,hellomagazine.com,homelife.com.au,informationweek.com,isearch.igive.com,khak.com,kkyr.com,kosy790am.com,kpbs.org,ktla.com,kygl.com,laist.com,lcfc.com,lep.co.uk,limerickleader.ie,lmgtfy.com,mg.co.za,mix933fm.com,networkworld.com,newrepublic.com,news1130.com,newsweek.com,nocamels.com,pastie.org,pogo.com,portsmouth.co.uk,power959.com,prestontoday.net,proactiveinvestors.com,proactiveinvestors.com.au,publicradio.org,rock1049.com,rte.ie,scotsman.com,sfist.com,shieldsgazette.com,skysports.com,smh.com.au,spaldingtoday.co.uk,star935fm.com,sunderlandecho.com,techonomy.com,theage.com.au,thescarboroughnews.co.uk,thestar.co.uk,theworld.org,userscripts.org,variety.com,verizon.net,videolan.org,washingtonpost.com,watoday.com.au,wayfm.com,wfnt.com,wigantoday.net,wklh.com,wscountytimes.co.uk,wsj.com,yorkshireeveningpost.co.uk,yorkshirepost.co.uk,zdnet.co.uk,zuula.com##.sponsor +1310news.com,2oceansvibe.com,964eagle.co.uk,abc22now.com,airliners.net,animepaper.net,app.com,ar15.com,austinist.com,b100quadcities.com,bexhillobserver.net,blackpoolfc.co.uk,blackpoolgazette.co.uk,bloomberg.com,bognor.co.uk,bostonstandard.co.uk,brisbanetimes.com.au,brothersoft.com,businessinsider.com,canberratimes.com.au,cbslocal.com,cd1025.com,chicagoist.com,chichester.co.uk,concordmonitor.com,dcist.com,domainincite.com,eastbourneherald.co.uk,electricenergyonline.com,europages.co.uk,gamingcloud.com,gothamist.com,halifaxcourier.co.uk,hastingsobserver.co.uk,hellomagazine.com,homelife.com.au,informationweek.com,isearch.igive.com,khak.com,kkyr.com,kosy790am.com,kpbs.org,ktla.com,kygl.com,laist.com,lcfc.com,lep.co.uk,limerickleader.ie,lmgtfy.com,mg.co.za,mix933fm.com,networkworld.com,newrepublic.com,news1130.com,newsweek.com,nocamels.com,nouse.co.uk,pastie.org,pogo.com,portsmouth.co.uk,power959.com,prestontoday.net,proactiveinvestors.com,proactiveinvestors.com.au,publicradio.org,rock1049.com,rte.ie,scotsman.com,sfist.com,shieldsgazette.com,skysports.com,smh.com.au,spaldingtoday.co.uk,star935fm.com,sunderlandecho.com,techonomy.com,theage.com.au,thescarboroughnews.co.uk,thestar.co.uk,theworld.org,userscripts.org,variety.com,verizon.net,videolan.org,washingtonpost.com,watoday.com.au,wayfm.com,wfnt.com,wigantoday.net,wklh.com,wscountytimes.co.uk,wsj.com,yorkshireeveningpost.co.uk,yorkshirepost.co.uk,zdnet.co.uk,zuula.com##.sponsor search.comcast.net##.sponsor-6 kiswrockgirls.com##.sponsor-banner bbc.com##.sponsor-container +search.yahoo.com##.sponsor-dd pcmag.com##.sponsor-head theweek.co.uk##.sponsor-image diynetwork.com##.sponsor-lead @@ -88753,6 +92388,7 @@ mnn.com##.sponsor-title-image theweek.co.uk##.sponsor-top linux-mag.com##.sponsor-widget tumblr.com##.sponsor-wrap +clgaming.net##.sponsor-wrapper 411.com,whitepages.com,wprugby.com##.sponsor1 msn.com,wprugby.com##.sponsor2 msn.com,wprugby.com##.sponsor3 @@ -88765,15 +92401,15 @@ dlife.com##.sponsorSpecials blbclassic.org##.sponsorZone channel5.com##.sponsor_container bolandrugby.com##.sponsor_holder -103gbfrocks.com,1061evansville.com,1130thetiger.com,580kido.com,790wtsk.com,943loudwire.com,953thebear.com,991wdgm.com,999thepoint.com,am1400espn.com,b1017online.com,i1071.com,i95rock.com,k2radio.com,k99.com,kdat.com,kezj.com,khak.com,kissfm969.com,krna.com,ktemnews.com,kygl.com,mix106radio.com,mix933fm.com,newstalk1280.com,nj1015.com,tide991.com,tri1025.com,wblm.com,wbsm.com,wcyy.com,wfnt.com,wjltevansville.com,wkdq.com,wtug.com,y105music.com##.sponsor_image videolan.org##.sponsor_img +go963mn.com##.sponsor_strip sat-television.com,satfriends.com,satsupreme.com##.sponsor_wrapper freeyourandroid.com##.sponsorarea vancouversun.com##.sponsorcontent buump.me##.sponsord monsterindia.com##.sponsoreRes monsterindia.com##.sponsoreRes_rp -24hrs.ca,92q.com,abovethelaw.com,app.com,argusleader.com,asktofriends.com,azdailysun.com,battlecreekenquirer.com,baxterbulletin.com,break.com,bucyrustelegraphforum.com,burlingtonfreepress.com,centralohio.com,chillicothegazette.com,chronicle.co.zw,cincinnati.com,cio.com,citizen-times.com,clarionledger.com,cnbc.com,cnet.com,coloradoan.com,computerworld.com,coshoctontribune.com,courier-journal.com,courierpostonline.com,dailyrecord.com,dailyworld.com,defensenews.com,delawareonline.com,delmarvanow.com,desmoinesregister.com,divamag.co.uk,dnj.com,examiner.co.uk,express.co.uk,fdlreporter.com,federaltimes.com,findbestvideo.com,floridatoday.com,freep.com,funnyordie.com,geektime.com,govtech.com,greatfallstribune.com,greenbaypressgazette.com,greenvilleonline.com,guampdn.com,hattiesburgamerican.com,hellobeautiful.com,herald.co.zw,hometownlife.com,hotklix.com,htrnews.com,imgur.com,indystar.com,infoworld.com,ithacajournal.com,jacksonsun.com,jconline.com,knoworthy.com,lansingstatejournal.com,lfpress.com,livingstondaily.com,lohud.com,lycos.com,mansfieldnewsjournal.com,marionstar.com,marketingland.com,marshfieldnewsherald.com,montgomeryadvertiser.com,mycentraljersey.com,mydesert.com,mywot.com,networkworld.com,newarkadvocate.com,news-leader.com,news-press.com,newsleader.com,newsone.com,niagarafallsreview.ca,noscript.net,nugget.ca,pal-item.com,pcworld.com,phoenixnewtimes.com,pnj.com,portclintonnewsherald.com,postcrescent.com,poughkeepsiejournal.com,press-citizen.com,pressconnects.com,racinguk.com,rapidlibrary.com,rgj.com,salon.com,scottishdailyexpress.co.uk,sctimes.com,searchengineland.com,seroundtable.com,sheboyganpress.com,shreveporttimes.com,slate.com,stargazette.com,statesmanjournal.com,stevenspointjournal.com,tallahassee.com,tennessean.com,theadvertiser.com,theatlantic.com,thebarrieexaminer.com,thecalifornian.com,thedailyjournal.com,thedailyobserver.ca,theguardian.com,theleafchronicle.com,thenews-messenger.com,thenewsstar.com,thenorthwestern.com,theobserver.ca,thepeterboroughexaminer.com,thespectrum.com,thestarpress.com,thetimesherald.com,thetowntalk.com,torrentz.in,torrentz.me,trovit.co.uk,visaliatimesdelta.com,washingtonpost.com,wausaudailyherald.com,wheels.ca,wisconsinrapidstribune.com,yippy.com,zanesvilletimesrecorder.com##.sponsored +24hrs.ca,92q.com,abovethelaw.com,app.com,argusleader.com,asktofriends.com,azdailysun.com,battlecreekenquirer.com,baxterbulletin.com,break.com,bucyrustelegraphforum.com,burlingtonfreepress.com,centralohio.com,chillicothegazette.com,chronicle.co.zw,cincinnati.com,cio.com,citizen-times.com,clarionledger.com,cnbc.com,cnet.com,coloradoan.com,computerworld.com,coshoctontribune.com,courier-journal.com,courierpostonline.com,dailyrecord.com,dailyworld.com,defensenews.com,delawareonline.com,delmarvanow.com,desmoinesregister.com,divamag.co.uk,dnj.com,examiner.co.uk,express.co.uk,fdlreporter.com,federaltimes.com,findbestvideo.com,floridatoday.com,freep.com,funnyordie.com,geektime.com,govtech.com,greatfallstribune.com,greenbaypressgazette.com,greenvilleonline.com,guampdn.com,hattiesburgamerican.com,hellobeautiful.com,herald.co.zw,hometownlife.com,hotklix.com,htrnews.com,imgur.com,indystar.com,infoworld.com,isohunt.to,ithacajournal.com,ixquick.com,jacksonsun.com,javaworld.com,jconline.com,knoworthy.com,lansingstatejournal.com,lfpress.com,livingstondaily.com,lohud.com,lycos.com,mansfieldnewsjournal.com,marionstar.com,marketingland.com,marshfieldnewsherald.com,montgomeryadvertiser.com,mycentraljersey.com,mydesert.com,mywot.com,networkworld.com,newarkadvocate.com,news-leader.com,news-press.com,newsleader.com,newsone.com,niagarafallsreview.ca,noscript.net,nugget.ca,pal-item.com,pcworld.com,phoenixnewtimes.com,pnj.com,portclintonnewsherald.com,postcrescent.com,poughkeepsiejournal.com,press-citizen.com,pressconnects.com,racinguk.com,rapidlibrary.com,rgj.com,salon.com,scottishdailyexpress.co.uk,sctimes.com,searchengineland.com,seroundtable.com,sheboyganpress.com,shreveporttimes.com,slate.com,stargazette.com,startpage.com,statesmanjournal.com,stevenspointjournal.com,tallahassee.com,tennessean.com,theadvertiser.com,theatlantic.com,thebarrieexaminer.com,thecalifornian.com,thedailyjournal.com,thedailyobserver.ca,theguardian.com,theleafchronicle.com,thenews-messenger.com,thenewsstar.com,thenorthwestern.com,theobserver.ca,thepeterboroughexaminer.com,thespectrum.com,thestarpress.com,thetimesherald.com,thetowntalk.com,torrentz.in,torrentz.me,trovit.co.uk,visaliatimesdelta.com,washingtonpost.com,wausaudailyherald.com,wheels.ca,wisconsinrapidstribune.com,yippy.com,zanesvilletimesrecorder.com##.sponsored gardensillustrated.com##.sponsored-articles citizen.co.za,policeone.com##.sponsored-block general-files.com##.sponsored-btn @@ -88799,6 +92435,7 @@ eluta.ca##.sponsoredJobsTable iol.co.za##.sponsoredLinksList technologyreview.com##.sponsored_bar generalfiles.me##.sponsored_download +news24.com##.sponsored_item jobs.aol.com##.sponsored_listings tumblr.com##.sponsored_post funnyordie.com##.sponsored_videos @@ -88807,7 +92444,7 @@ news-medical.net##.sponsorer-note classifiedads.com##.sponsorhitext dailyglow.com##.sponsorlogo premierleague.com##.sponsorlogos -affiliatesrating.com,allkpop.com,androidfilehost.com,arsenal.com,audiforums.com,blueletterbible.org,canaries.co.uk,capitalfm.co.ke,dolliecrave.com,eaglewavesradio.com.au,foodhub.co.nz,freshwap.me,herold.at,indiatimes.com,keepvid.com,meanjin.com.au,morokaswallows.co.za,nesn.com,quotes.net,thebulls.co.za,thinksteroids.com,wbal.com,yellowpageskenya.com##.sponsors +affiliatesrating.com,allkpop.com,androidfilehost.com,arsenal.com,audiforums.com,blueletterbible.org,canaries.co.uk,capitalfm.co.ke,dolliecrave.com,eaglewavesradio.com.au,foodhub.co.nz,freshwap.me,geckoforums.net,herold.at,keepvid.com,lake-link.com,meanjin.com.au,morokaswallows.co.za,nesn.com,quotes.net,thebulls.co.za,thedailywtf.com,thinksteroids.com,wbal.com,yellowpageskenya.com##.sponsors herold.at##.sponsors + .hdgTeaser herold.at##.sponsors + .hdgTeaser + #karriere pri.org##.sponsors-logo-group @@ -88834,7 +92471,7 @@ superpages.com##.sponsreulst tuvaro.com##.sponsrez wwitv.com##.sponstv dailymail.co.uk,mailonsunday.co.uk##.sport.item > .cmicons.cleared.bogr3.link-box.linkro-darkred.cnr5 -alexandriagazette.com,arlingtonconnection.com,burkeconnection.com,centre-view.com,connection-sports.com,fairfaxconnection.com,fairfaxstationconnection.com,garfield.com,greatfallsconnection.com,herndonconnection.com,kusports.com,mcleanconnection.com,mountvernongazette.com,potomacalmanac.com,reston-connection.com,springfieldconnection.com,union-bulletin.com,viennaconnection.com##.spot +alexandriagazette.com,arlingtonconnection.com,burkeconnection.com,centre-view.com,connection-sports.com,emporis.com,fairfaxconnection.com,fairfaxstationconnection.com,garfield.com,greatfallsconnection.com,herndonconnection.com,kusports.com,mcleanconnection.com,mountvernongazette.com,potomacalmanac.com,reston-connection.com,springfieldconnection.com,union-bulletin.com,viennaconnection.com##.spot thewhir.com##.spot-125x125 thewhir.com##.spot-234x30 thewhir.com##.spot-728x90 @@ -88845,6 +92482,7 @@ jpost.com##.spotlight-long edmunds.com##.spotlight-set jpost.com##.spotlight-single u-file.net##.spottt_tb +drum.co.za,thejuice.co.za##.spreetv--container digitalmemo.net##.spresults walmart.com##.sprite-26_IMG_ADVERTISEMENT_94x7 picosearch.com##.sptitle @@ -88876,6 +92514,7 @@ stardoll.com##.stardollads simplyassist.co.uk##.std_BottomLine pcauthority.com.au##.storeWidget pcauthority.com.au##.storeWidgetBottom +punchng.com##.story-bottom abcnews.go.com##.story-embed-left.box m.facebook.com,touch.facebook.com##.storyStream > ._6t2\[data-sigil="marea"] m.facebook.com,touch.facebook.com##.storyStream > .fullwidth._539p @@ -88899,6 +92538,7 @@ deviantart.com,sta.sh##.subbyCloseX ycuniverse.com##.subheader_container businessinsider.com##.subnav-container viralviralvideos.com##.suf-horizontal-widget +interaksyon.com##.super-leader-board t3.com##.superSky djtunes.com##.superskybanner wamu.org##.supportbanner @@ -88906,11 +92546,14 @@ listio.com##.supporter spyka.net##.swg-spykanet-adlocation-250 eweek.com##.sxs-mod-in eweek.com##.sxs-spon +tourofbritain.co.uk##.sys_googledfp sedoparking.com##.system.links emoneyspace.com##.t_a_c movreel.com##.t_download torrentbit.net##.t_splist dealsofamerica.com##.tab_ext +whatsthescore.com##.table-odds +newsbtc.com##.table-responsive thescore.com##.tablet-big-box thescore.com##.tablet-leaderboard relevantradio.com##.tabs @@ -88924,6 +92567,7 @@ recombu.com##.takeover-left flicks.co.nz##.takeover-link recombu.com##.takeover-right speedtv.com##.takeover_link +tamilyogi.tv##.tamilyogi taste.com.au##.taste-leaderboard-ad fulldls.com##.tb_ind koreaherald.com##.tbanner @@ -88943,6 +92587,7 @@ soccerway.com##.team-widget-wrapper-content-placement 4shared.com,itproportal.com##.teaser mmegi.bw##.template_leaderboard_space dirpy.com##.text-center\[style="margin-top: 20px"] +dirpy.com##.text-center\[style="margin-top: 20px;display: block;"] adelaidenow.com.au##.text-g-an-web-group-news-affiliate couriermail.com.au##.text-g-cm-web-group-news-affiliate perthnow.com.au##.text-g-pn-web-group-news-affiliate @@ -88966,6 +92611,7 @@ seedmagazine.com##.theAd burntorangereport.com##.theFlip thonline.com##.thheaderweathersponsor vogue.com##.thin_banner +hqq.tv##.this_pays thesaturdaypaper.com.au##.thp-wrapper y100.com##.threecolumn_rightcolumn affiliates4u.com##.threehundred @@ -88982,6 +92628,7 @@ pichunter.com##.tiny cincinnati.com##.tinyclasslink aardvark.co.nz##.tinyprint softwaredownloads.org##.title2 +sumotorrent.sx##.title_green\[align="left"]\[style="margin-top:18px;"] + table\[cellspacing="0"]\[cellpadding="0"]\[border="0"] domains.googlesyndication.com##.title_txt02 wambie.com##.titulo_juego1_ad_200x200 myspace.com##.tkn_medrec @@ -88993,18 +92640,19 @@ timeout.com##.to-offers ghanaweb.com##.tonaton-ads mp3lyrics.org##.tonefuse_link newsok.com##.toolbar_sponsor -investopedia.com,thehill.com##.top +investopedia.com,runescape.com,thehill.com##.top warezchick.com##.top > p:last-child searchza.com,webpronews.com##.top-750 -9to5google.com,animetake.com,arabianbusiness.com,brainz.org,dailynews.gov.bw,ebony.com,extremesportman.com,leadership.ng,leedsunited.com,letstalkbitcoin.com,rockthebells.net,spanishdict.com,torrentreactor.net,weeklyworldnews.com##.top-banner +9to5google.com,animetake.com,arabianbusiness.com,brainz.org,dailynews.gov.bw,ebony.com,extremesportman.com,firsttoknow.com,leadership.ng,leedsunited.com,letstalkbitcoin.com,reverso.net,rockthebells.net,spanishdict.com,torrentreactor.com,torrentreactor.net,weeklyworldnews.com##.top-banner manicapost.com##.top-banner-block rumorfix.com##.top-banner-container -imagesfood.com##.top-banner-div citymetric.com##.top-banners +thekit.ca##.top-block golf365.com##.top-con -azdailysun.com,billingsgazette.com,bismarcktribune.com,hanfordsentinel.com,lompocrecord.com,magicvalley.com,missoulian.com,mtstandard.com,napavalleyregister.com,nctimes.com,santamariatimes.com,stltoday.com##.top-leader-wrapper -931dapaina.com,politico.com##.top-leaderboard +azdailysun.com,billingsgazette.com,bismarcktribune.com,hanfordsentinel.com,journalstar.com,lompocrecord.com,magicvalley.com,missoulian.com,mtstandard.com,napavalleyregister.com,nctimes.com,santamariatimes.com,stltoday.com##.top-leader-wrapper +931dapaina.com,politico.com,sciencedaily.com##.top-leaderboard film.com##.top-leaderboard-container +sciencedaily.com##.top-rectangle 1340bigtalker.com##.top-right-banner espnfc.com##.top-row theticketmiami.com##.top-super-leaderboard @@ -89019,13 +92667,14 @@ celebrity.aol.co.uk,christianpost.com,comicsalliance.com,csnews.com,europeantour urgames.com##.topBannerBOX onetime.com##.topBannerPlaceholder ebay.co.uk,ebay.com##.topBnrSc +techadvisor.co.uk##.topLeader kjonline.com,pressherald.com##.topLeaderboard technomag.co.zw##.topLogoBanner yellowbook.com##.topPlacement search.sweetim.com##.topSubHeadLine2 weatherology.com##.top_660x100 channelstv.com##.top_alert -androidcommunity.com,emu-russia.net,freeiconsweb.com,hydrocarbonprocessing.com,kohit.net,novamov.com,praguepost.com,themediaonline.co.za,themoscowtimes.com,voxilla.com##.top_banner +androidcommunity.com,emu-russia.net,freeiconsweb.com,hydrocarbonprocessing.com,kohit.net,novamov.com,praguepost.com,themediaonline.co.za,themoscowtimes.com,voxilla.com,weta.org##.top_banner joebucsfan.com##.top_banner_cont freeridegames.com##.top_banner_container thebatt.com##.top_banner_place @@ -89038,17 +92687,18 @@ postcourier.com.pg##.top_logo_righ_img wallpapersmania.com##.top_pad_10 babylon.com##.top_right finecooking.com##.top_right_lrec -4chan.org,everydayhealth.com,gamingonlinux.com,goodanime.net,intothegloss.com,makezine.com,mirrorcreator.com,rollingout.com,sina.com,thenewstribe.com##.topad +4chan.org,everydayhealth.com,gamingonlinux.com,goodanime.eu,intothegloss.com,makezine.com,mangashare.com,mirrorcreator.com,rollingout.com,sina.com,thenewstribe.com##.topad filezoo.com,nx8.com,search.b1.org##.topadv gofish.com##.topban1 gofish.com##.topban2 -900amwurd.com,bankrate.com,chaptercheats.com,copykat.com,dawn.com,dotmmo.com,downv.com,factmonster.com,harpers.org,mumbaimirror.com,newreviewsite.com,opposingviews.com,softonic.com,thinkdigit.com##.topbanner +900amwurd.com,bankrate.com,chaptercheats.com,copykat.com,dawn.com,dotmmo.com,downv.com,factmonster.com,harpers.org,mumbaimirror.com,newreviewsite.com,opposingviews.com,softonic.com,thinkdigit.com,weta.org##.topbanner softonic.com##.topbanner_program webstatschecker.com##.topcenterbanner channel103.com,islandfm.com##.topheaderbanner bloggingstocks.com,emedtv.com,gadling.com,minnpost.com##.topleader blackpenguin.net,gamesting.com##.topleaderboard search.ch##.toplinks +ndtv.com##.topsponsors_wrap houndmirror.com,torrenthound.com,torrenthoundproxy.com##.topspot yttalk.com##.topv enn.com##.topwrapper @@ -89073,8 +92723,8 @@ dailymail.co.uk##.travel-booking-links dailymail.co.uk##.travel.item.button_style_module dailymail.co.uk##.travel.item.html_snippet_module nj.com##.travidiatd -baltimoresun.com,chicagotribune.com,courant.com,dailypress.com,latimes.com,mcall.com,orlandosentinel.com,sun-sentinel.com##.trb_outfit_sponsorship -baltimoresun.com,chicagotribune.com,courant.com,dailypress.com,latimes.com,mcall.com,orlandosentinel.com,sun-sentinel.com##.trb_taboola +baltimoresun.com,chicagotribune.com,courant.com,dailypress.com,latimes.com,mcall.com,orlandosentinel.com,redeyechicago.com,sun-sentinel.com##.trb_outfit_sponsorship +baltimoresun.com,chicagotribune.com,courant.com,dailypress.com,latimes.com,mcall.com,orlandosentinel.com,redeyechicago.com,sun-sentinel.com##.trb_taboola weather.com##.trc_recs_column + .right-column sitepoint.com##.triggered-cta-box-wrapper-bg thestar.com##.ts-articlesidebar_wrapper @@ -89137,13 +92787,14 @@ praguepost.com##.vertical_banner cnn.com##.vidSponsor thevideo.me##.vid_a8 autoslug.com##.video -dailystoke.com##.video-ad +dailystoke.com,wimp.com##.video-ad drive.com.au##.videoGalLinksSponsored answers.com##.video_1 answers.com##.video_2 thevideo.me##.video_a800 videobam.com##.video_banner fora.tv##.video_plug_space +rapidvideo.org##.video_sta timeoutmumbai.net##.videoad2 soccerclips.net##.videoaddright1 straitstimes.com##.view-2014-qoo10-feature @@ -89160,7 +92811,7 @@ imagebunk.com##.view_banners relink.us##.view_middle_block vidiload.com##.vinfobanner vipleague.co##.vip_006x061 -vipleague.co##.vip_09x827 +vipleague.co,vipleague.me##.vip_09x827 host1free.com##.virus-information greenoptimistic.com##.visiblebox\[style^="position: fixed; z-index: 999999;"] viamichelin.co.uk,viamichelin.com##.vm-pub-home300 @@ -89184,6 +92835,9 @@ weatherbug.com##.wXcds2 ptf.com,software.informer.com##.w_e xe.com##.wa_leaderboard utrend.tv##.wad +sportskrap.com##.wallpaper-link +naij.com##.wallpaper__bg +naij.com##.wallpaper__top torrentdownloads.net##.warez imdb.com##.watch-bar youtube.com##.watch-extra-info-column @@ -89228,11 +92882,13 @@ roms43.com##.widebanner videogamer.com##.widesky networkworld.com##.wideticker torrentfreak.com##.widg-title +soccer24.co.zw##.widget-1 newsbtc.com##.widget-1 > .banner +soccer24.co.zw##.widget-2 smartearningsecrets.com##.widget-area hdtvtest.co.uk##.widget-container wikinvest.com##.widget-content-nvadslotcomponent -bloombergtvafrica.com##.widget-mpu +bloombergtvafrica.com,miniclip.com##.widget-mpu thevine.com.au##.widget-shopstyle shanghaiist.com##.widget-skyscraper abovethelaw.com##.widget-sponsor @@ -89253,18 +92909,18 @@ fxempire.com##.widget_latest_promotions fxempire.com##.widget_latest_promotions_right geek.com##.widget_logicbuy_first_deal modamee.com##.widget_nav_menu -kclu.org,notjustok.com##.widget_openxwpwidget fxempire.com##.widget_recommended_brokers -blackenterprise.com##.widget_sidebarad_300x250 twistedsifter.com##.widget_sifter_ad_bigbox_widget amygrindhouse.com,lostintechnology.com##.widget_text fxempire.com##.widget_top_brokers venturebeat.com##.widget_vb_dfp_ad wired.com##.widget_widget_widgetwiredadtile +indiatvnews.com##.wids educationbusinessuk.net##.width100 > a\[target="_blank"] > img educationbusinessuk.net##.width100 > p > a\[target="_blank"] > img listverse.com##.wiki espn.co.uk##.will_hill +oboom.com##.window_current foxsports.com##.wisfb_sponsor weatherzone.com.au##.wo-widget-wrap-1 planet5d.com##.wp-image-1573 @@ -89305,12 +92961,14 @@ candofinance.com,idealhomegarden.com##.yahooSl newsok.com##.yahoo_cm thetandd.com##.yahoo_content_match reflector.com##.yahooboss +tumblr.com##.yamplus-unit-container yardbarker.com##.yard_leader autos.yahoo.com##.yatAdInsuranceFooter autos.yahoo.com##.yatysm-y yelp.be,yelp.ca,yelp.ch,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.au,yelp.com.sg,yelp.ie##.yelp-add finance.yahoo.com##.yfi_ad_s groups.yahoo.com##.yg-mbad-row +groups.yahoo.com##.yg-mbad-row > * yelp.be,yelp.ca,yelp.ch,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.au,yelp.com.sg,yelp.ie##.yla yelp.be,yelp.ca,yelp.ch,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.au,yelp.com.sg,yelp.ie##.yloca-list yelp.be,yelp.ca,yelp.ch,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.au,yelp.com.sg,yelp.ie##.yloca-search-result @@ -89328,7 +92986,6 @@ maps.yahoo.com##.yui3-widget-stacked zvents.com##.z-spn-featured mail.google.com##.z0DeRc zacks.com##.zacks_header_ad_ignore -urbandictionary.com##.zazzle_links zap2it.com##.zc-station-position cricketcountry.com##.zeeibd downturk.net##.zippo @@ -89389,17 +93046,14 @@ powerbot.org##a > img\[width="729"] facebook.com##a\[ajaxify^="/ajax/emu/end.php?"] bitcointalk.org##a\[class^="td_headerandpost"]\[href^="https://www.privateinternetaccess.com"] pcmag.com##a\[data-section="Ads"] -kizna-blog.com##a\[href$=".clickbank.net"] linksave.in##a\[href$="speed"] +filenuke.com,sharesix.com##a\[href*="&popunder"] isearch.whitesmoke.com##a\[href*="&rt=gp&"] -ndtv.com##a\[href*=".amazonaws.com/r.php"] -ndtv.com##a\[href*=".amazonaws.com/redirect.php"] +filenuke.com,sharesix.com##a\[href*="&zoneid="] huffingtonpost.com##a\[href*=".atwola.com/"] -ch131.so##a\[href*=".clickbank.net"] -usabit.com##a\[href*=".clickbank.net/?tid="] imgah.com##a\[href*=".com/track/"] mangafox.me##a\[href*=".game321.com/"] -politicalears.com,siteworthchecker.com,worthvalue.net##a\[href*=".hop.clickbank.net/"] +in5d.com,jeffbullas.com,siteworthchecker.com##a\[href*=".hop.clickbank.net"] hotbollywoodactress.net##a\[href*=".makdi.com"] sportinglife.com##a\[href*=".skybet.com/"] punjabimob.org##a\[href*=".smaato.net"] @@ -89410,17 +93064,20 @@ business-standard.com##a\[href*="/adclicksTag.php?"] itweb.co.za##a\[href*="/adredir.php?"] bitcoinist.net##a\[href*="/adserv/click.php?id="] f1today.net##a\[href*="/advertorial--"] -filenuke.com,sharesix.com##a\[href*="/apu.php?"] adlock.org##a\[href*="/download/"] +videobull.to##a\[href*="/go-to-watch.php"] rapidok.com##a\[href*="/go/"] devshed.com##a\[href*="/www/delivery/"] ietab.net##a\[href*="/xadnet/"] ultimate-guitar.com##a\[href*="=http://www.jamplay.com/"] encyclopediadramatica.se##a\[href*="http://torguard.net/aff.php"] +inamsoftwares.com##a\[href=" http://60ads.com"] watch-movies-az.com##a\[href="../download_video.php"] unitconversion.org##a\[href="../noads.html"] +encyclopediadramatica.se##a\[href="//encyclopediadramatica.se/sparta.html"] insidefacebook.com##a\[href="/advertise"] fooooo.com##a\[href="/bannerClickCount.php"] +opensubtitles.org##a\[href="/en/aoxwnwylgqtvicv"] gtplanet.net##a\[href="/geo-GT6-preorder.php"] viewdocsonline.com##a\[href="/links/regboost_header.php"] mailinator.com##a\[href="/soget.jsp"] @@ -89435,16 +93092,17 @@ internet-online.org##a\[href="http://bn6us.etvcorp.track.clicksure.com"] delishows.com##a\[href="http://delishows.com/stream.php"] crackdb.cd##a\[href="http://directdl.com"] crackdb.cd##a\[href="http://down.cd/"] +onhax.net##a\[href="http://downloadlink.onhax.net"] encyclopediadramatica.es##a\[href="http://encyclopediadramatica.es/webcamgirls.html"] tny.cz##a\[href="http://followshows.com?tp"] tf2maps.net##a\[href="http://forums.tf2maps.net/payments.php"] generalfiles.me##a\[href="http://gofindmedia.net/"] search.yahoo.com##a\[href="http://help.yahoo.com/l/us/yahoo/search/basics/basics-03.html"] digitallydownloaded.net##a\[href="http://iphone.qualityindex.com/"] > img -jeffbullas.com##a\[href="http://jeffbullas.fbinfl.hop.clickbank.net"] bazoocam.org##a\[href="http://kvideo.org"] datafilehost.com##a\[href="http://liversely.net/datafileban"] maketecheasier.com##a\[href="http://maketecheasier.com/advertise"] +limetorrents.cc##a\[href="http://movie4u.org/"] moviefather.com##a\[href="http://moviefather.com/watchonline.php"] mp3truck.net##a\[href="http://mp3truck.net/get-torrent/"] my.rsscache.com##a\[href="http://nimbb.com"] @@ -89453,6 +93111,7 @@ ultimate-guitar.com##a\[href="http://plus.ultimate-guitar.com/ad-free/"] infowars.com##a\[href="http://prisonplanet.tv/"] forum.ihubhost.net##a\[href="http://proleaks.com"] propakistani.pk##a\[href="http://propakistani.pk/sms/"] +clashbot.org##a\[href="http://rsmalls.com"] > img gooddrama.net##a\[href="http://spendcrazy.net"] adrive.com##a\[href="http://stores.ebay.com/Berkeley-Communications-Corporation"] uniladmag.com##a\[href="http://thetoiletstore.bigcartel.com/"] @@ -89465,6 +93124,8 @@ vidbear.com##a\[href="http://videoworldx.com"] watch-movies-az.com##a\[href="http://watch-movies-az.com/download_video1.php"] bangtidy.net##a\[href="http://www.bangtidy.net/AFF.php"] bangtidy.net##a\[href="http://www.bangtidy.net/mrskin.php"] +betterhostreview.com##a\[href="http://www.betterhostreview.com/arvixe.com"] +betterhostreview.com##a\[href="http://www.betterhostreview.com/hosting-review-bluehost.htm"] activistpost.com##a\[href="http://www.bloggersecret.com/"] thejointblog.com##a\[href="http://www.bombseeds.nl/"] > img hscripts.com##a\[href="http://www.buildmylink.com"] @@ -89483,13 +93144,15 @@ scam.com##a\[href="http://www.ip-adress.com/trace_email/"] wiiuiso.com##a\[href="http://www.jobboy.com"] nichepursuits.com##a\[href="http://www.longtailpro.com"] makeuseof.com##a\[href="http://www.makeuseof.com/advertise/"] +megatorrent.eu##a\[href="http://www.megatorrent.eu/go2.html"] dailymirror.lk##a\[href="http://www.nawaloka.com/"] nichepursuits.com##a\[href="http://www.nichepursuits.com/whp"] nichepursuits.com##a\[href="http://www.nichewebsitetheme.com"] naijaborn.com##a\[href="http://www.njorku.com/nigeria"] > img ps3iso.com##a\[href="http://www.pcgameiso.com"] letmesingthis.com##a\[href="http://www.singorama.me"] -gogoanime.com,goodanime.net##a\[href="http://www.spendcrazy.net/"] +animenova.tv,animetoon.tv,gogoanime.com,goodanime.eu,gooddrama.net,toonget.com##a\[href="http://www.spendcrazy.net"] +gogoanime.com,goodanime.eu##a\[href="http://www.spendcrazy.net/"] dosplash.com##a\[href="http://www.sverve.com/dashboard/DoSplash"] talkarcades.com##a\[href="http://www.talkarcades.com/misc.php?do=page&template=advertise"] telepisodes.net##a\[href="http://www.telepisodes.net/downloadtvseries.php"] @@ -89505,13 +93168,14 @@ watchop.com##a\[href="http://www.watchop.com/download.php"] ziddu.com##a\[href="http://wxdownloadmanager.com/zdd/"] zmea-log.blogspot.com##a\[href="http://zmea-log.blogspot.com/p/rapids-for-sale.html"] wemineall.com,wemineltc.com##a\[href="https://diceliteco.in"] +namepros.com##a\[href="https://uniregistry.com/"] vpsboard.com##a\[href="https://vpsboard.com/advertise.html"] ugotfile.com##a\[href="https://www.astrill.com/"] +cryptocoinsnews.com##a\[href="https://www.genesis-mining.com/pricing"] 300mbmovies4u.com##a\[href^="//1phads.com/"] doubleclick.net##a\[href^="//dp.g.doubleclick.net/apps/domainpark/"] -torrentproject.se##a\[href^="//torrentproject.se/out2/"] -rarbg.com,rarbgmirror.com##a\[href^="/1c_direct.php?"] rapidog.com##a\[href^="/adclick.php"] +sweflix.net,sweflix.to##a\[href^="/adrotate.php?"] shroomery.org##a\[href^="/ads/ck.php?"] metrolyrics.com##a\[href^="/ads/track.php"] shroomery.org##a\[href^="/ads/www/delivery/"] @@ -89525,12 +93189,14 @@ hpcwire.com##a\[href^="/ct/e/"] torrentfunk.com##a\[href^="/dltor3/"] merdb.ru,primewire.ag##a\[href^="/external.php?gd=0&"] yourbittorrent.com##a\[href^="/extra/"] +vitorrent.net##a\[href^="/file.php?name"] tinydl.eu##a\[href^="/go.php?http://sharesuper.info"] yourbittorrent.com##a\[href^="/go/"] bts.ph##a\[href^="/goto_.php?"] downloadhelper.net##a\[href^="/liutilities.php"] houndmirror.com,sharedir.com##a\[href^="/out.php?"] -torrentproject.se##a\[href^="/out2/?"] +torrentproject.se##a\[href^="/out3/"] +torrentproject.org,torrentproject.se##a\[href^="/out4/"] airliners.net##a\[href^="/rad_results.main?"] ahashare.com##a\[href^="/re.php?url"] torrentv.org##a\[href^="/rec/"] @@ -89541,7 +93207,9 @@ torrentfunk.com##a\[href^="/tor3/"] stuff.co.nz##a\[href^="/track/click/"] bitsnoop.com##a\[href^="/usenet_dl/"] bitsnoop.com##a\[href^="/usenet_dl/"] + br + span +rarbg.to,rarbgmirror.com,rarbgproxy.com##a\[href^="/wd_adpub.php?"] torrentz.ch,torrentz.com,torrentz.eu,torrentz.li,torrentz.me,torrentz.ph##a\[href^="/z/ddownload/"] +torrents.de,torrentz.ch,torrentz.com,torrentz.eu,torrentz.in,torrentz.li,torrentz.me,torrentz.ph##a\[href^="/z/webdownload/"] womenspress.com##a\[href^="Redirect.asp?UID="] 474747.net##a\[href^="ad"] xbox-hq.com##a\[href^="banners.php?"] @@ -89559,37 +93227,38 @@ unawave.de##a\[href^="http://ad.zanox.com/"] reading107fm.com,three.fm##a\[href^="http://adclick.g-media.com/"] jdownloader.org##a\[href^="http://adcolo.com/ad/"] extremefile.com##a\[href^="http://adf.ly/"] -hqwallpapers4free.com##a\[href^="http://adf.ly/?id="] highdefjunkies.com##a\[href^="http://adorama.evyy.net/"] depositfiles.com,dfiles.eu##a\[href^="http://ads.depositfiles.com/"] gorillavid.in##a\[href^="http://ads.gorillavid.in/"] howproblemsolution.com##a\[href^="http://ads.howproblemsolution.com/"] -vodly.to,vodly.unblocked2.co##a\[href^="http://ads.integral-marketing.com/"] hardwareheaven.com##a\[href^="http://adserver.heavenmedia.com/"] deviantart.com##a\[href^="http://advertising.deviantart.com/"] thesearchenginelist.com##a\[href^="http://affiliate.buy.com/gateway.aspx?"] smallbusinessbrief.com##a\[href^="http://affiliate.wordtracker.com/"] the-numbers.com##a\[href^="http://affiliates.allposters.com/"] +freebetcodes.info##a\[href^="http://affiliates.galapartners.co.uk/"] justhungry.com##a\[href^="http://affiliates.jlist.com/"] news24.com##a\[href^="http://affiliates.trafficsynergy.com/"] animetake.com##a\[href^="http://anime.jlist.com/click/"] torrent-invites.com##a\[href^="http://anonym.to?http://www.seedmonster.net/clientarea/link.php?id="] speedvideo.net##a\[href^="http://api.adlure.net/"] datafilehost.com,load.to,tusfiles.net##a\[href^="http://applicationgrabb.net/"] +avxhome.se##a\[href^="http://avaxnews.net/tags/"] webmail.co.za##a\[href^="http://b.wm.co.za/click.pwm?"] -filenuke.com##a\[href^="http://b51.filenuke.com/"] +extratorrent.cc,extratorrent.unblocked.pw,extratorrentlive.com##a\[href^="http://bestories.xyz/"] thetvdb.com##a\[href^="http://billing.frugalusenet.com/"] -coinad.com,digitallydownloaded.net,dotmmo.com,fastvideo.eu,majorgeeks.com,ncrypt.in,rapidvideo.org,ultshare.com##a\[href^="http://bit.ly/"] +coinad.com,digitallydownloaded.net,dotmmo.com,ebookw.com,fastvideo.eu,majorgeeks.com,ncrypt.in,rapidvideo.org,sh.st,ultshare.com##a\[href^="http://bit.ly/"] ancient-origins.net##a\[href^="http://bit.ly/"] > img +bitminter.com##a\[href^="http://bitcasino.io?ref="] leasticoulddo.com##a\[href^="http://blindferret.clickmeter.com/"] lowyat.net##a\[href^="http://bs.serving-sys.com"] -demonoid.ph,torrentfreak.com,torrents.de,torrentz.in,torrentz.li,torrentz.me,torrentz.ph##a\[href^="http://btguard.com/"] +demonoid.pw,torrentfreak.com,torrents.de,torrentz.in,torrentz.li,torrentz.me,torrentz.ph##a\[href^="http://btguard.com/"] nexadviser.com##a\[href^="http://budurl.com/"] downforeveryoneorjustme.com,isup.me##a\[href^="http://bweeb.com/"] akeelwap.net,w2c.in##a\[href^="http://c.admob.com/"] zomganime.com##a\[href^="http://caesary.game321.com/"] ebooksx.org##a\[href^="http://castee.com/"] -vipleague.se##a\[href^="http://cdn.vipleague.se/app/"] +spacemov.com##a\[href^="http://cdn.adsrvmedia.net/"] adexprt.com##a\[href^="http://cdn3.adexprts.com"] + span animenewsnetwork.com##a\[href^="http://cf-vanguard.com/"] vidstatsx.com##a\[href^="http://channelpages.com/"] @@ -89603,11 +93272,13 @@ mp3-shared.net##a\[href^="http://click.yottacash.com?PID="] unawave.de##a\[href^="http://clix.superclix.de/"] heraldscotland.com,tmz.com##a\[href^="http://clk.atdmt.com/"] 180upload.com##a\[href^="http://clkmon.com/static/rdr.html?pid="] +stream2watch.com##a\[href^="http://clkrev.com/adServe/"] absoluteradio.co.uk,mkfm.com##a\[href^="http://clkuk.tradedoubler.com/click?"] dot-bit.org##a\[href^="http://coinabul.com/?a="] gas2.org##a\[href^="http://costofsolar.com/?"] powvideo.net##a\[href^="http://creative.ad127m.com/"] armslist.com##a\[href^="http://delivery.tacticalrepublic.com/"] +ebookw.com##a\[href^="http://dlguru.com/"] dllnotfound.com##a\[href^="http://dllnotfound.com/scan.php"] majorgeeks.com##a\[href^="http://download.iobit.com/"] free-tv-video-online.me##a\[href^="http://downloaderfastpro.info/"] @@ -89618,12 +93289,16 @@ ucas.com##a\[href^="http://eva.ucas.com/s/redirect.php?ad="] flashvids.org##a\[href^="http://flashvids.org/click/"] forumpromotion.net##a\[href^="http://freebitco.in/?r="] extratorrent.cc,uploadrocket.net##a\[href^="http://getsecuredfiles.com/"] -kinox.to,speedvideo.net##a\[href^="http://go.ad2up.com/"] +extratorrent.cc##a\[href^="http://getterstory.com/"] +kinox.to,speedvideo.net,thepiratebay.to##a\[href^="http://go.ad2up.com/"] mangahere.com##a\[href^="http://go.game321.com/"] filesoup.com##a\[href^="http://gomediamasteronline.com/"] -armorgames.com,getios.com,ncrypt.in,rapidvideo.tv,theedge.co.nz##a\[href^="http://goo.gl/"] +armorgames.com,getios.com,myrls.se,ncrypt.in,rapidvideo.tv,theedge.co.nz##a\[href^="http://goo.gl/"] ancient-origins.net##a\[href^="http://goo.gl/"] > img +limetorrents.cc,thepiratebay.みんな##a\[href^="http://guide-free.com/"] kinox.to##a\[href^="http://hd-streams.tv/"] +putlocker.is##a\[href^="http://hdmoviesinc.com/"] +kingfiles.net##a\[href^="http://hdplugin.fplayer-updates.com/"] crackdb.cd##a\[href^="http://homeklondike.com"] hotfiletrend.com##a\[href^="http://hotfiletrend.com/c.php?"] free-tv-video-online.me,movdivx.com,quicksilverscreen.com,veehd.com##a\[href^="http://install.secure-softwaremanager.com/"] @@ -89648,7 +93323,7 @@ do2dear.net,mhktricks.net##a\[href^="http://liversely.net/"] uploadrocket.net##a\[href^="http://livesetwebs.org/"] d-h.st##a\[href^="http://lp.sharelive.net/"] psnprofiles.com##a\[href^="http://manage.aff.biz/"] -isohunt.to##a\[href^="http://masteroids.com/"] +isohunt.to,unlimitzone.com##a\[href^="http://masteroids.com/"] megauploadsearch.net##a\[href^="http://megauploadsearch.net/adv.php"] justhungry.com##a\[href^="http://moe.jlist.com/click/"] thejointblog.com##a\[href^="http://movieandmusicnetwork.com/content/cg/"] > img @@ -89662,12 +93337,14 @@ mail.google.com##a\[href^="http://pagead2.googlesyndication.com/"] azcentral.com##a\[href^="http://phoenix.dealchicken.com/"] vr-zone.com##a\[href^="http://pikachu.vr-zone.com.sg/"] kewlshare.com##a\[href^="http://pointcrisp.com/"] +projectfreetv.ch##a\[href^="http://projectfreetv.ch/adblock/"] crackdb.cd##a\[href^="http://promoddl.com"] decadeforum.com,downdlz.com,downeu.org,serials.ws##a\[href^="http://pushtraffic.net/TDS/?wmid="] vodly.to##a\[href^="http://r.lumovies.com/"] boingboing.net##a\[href^="http://r1.fmpub.net/?r="] search.certified-toolbar.com##a\[href^="http://redir.widdit.com/redir/?"] > * toolsvoid.com##a\[href^="http://ref.name.com/"] +nextofwindows.com##a\[href^="http://remotedesktopmanager.com/?utm_source="] hardwareheaven.com##a\[href^="http://resources.heavenmedia.net/click_through.php?"] richkent.com##a\[href^="http://richkent.com/uses/"] thejointblog.com##a\[href^="http://sensiseeds.com/refer.asp?refid="] > img @@ -89677,6 +93354,7 @@ merdb.ru##a\[href^="http://shineads.net/"] thejointblog.com##a\[href^="http://speedweed.com/_clicktracker.php?code="] > img uvnc.com##a\[href^="http://sponsor2.uvnc.com"] uvnc.com##a\[href^="http://sponsor4.uvnc.com/"] +ipdb.at##a\[href^="http://strongvpn.com/aff/"] 5x.to##a\[href^="http://support.suc-team.info/aff.php"] majorgeeks.com##a\[href^="http://systweak.com/"] your-pagerank.com##a\[href^="http://te-jv.com/?r="] @@ -89684,14 +93362,15 @@ strata40.megabyet.net##a\[href^="http://tiny.cc/freescan"] serialbase.us,serialzz.us##a\[href^="http://tinyurl.com"] kinox.to,ncrypt.in,wtso.net##a\[href^="http://tinyurl.com/"] sockshare.com##a\[href^="http://toolkitfreefast.com/"] -encyclopediadramatica.es##a\[href^="http://torguard.net/"] +encyclopediadramatica.es,encyclopediadramatica.se##a\[href^="http://torguard.net/"] fastvideo.eu,rapidvideo.org##a\[href^="http://toroadvertisingmedia.com/"] +catmo.ru##a\[href^="http://torrentindex.org/"] mangafox.me##a\[href^="http://track.games.la/"] lolking.net##a\[href^="http://track.strife.com/?"] iwatchonline.to##a\[href^="http://tracking.aunggo.com/"] +cryptocoinsnews.com##a\[href^="http://tracking.coin.mx/aff_c?offer_id="] lmgtfy.com##a\[href^="http://tracking.livingsocial.com/aff_c?"] hipfile.com##a\[href^="http://tracktrk.net/?"] -go4up.com##a\[href^="http://tracktrk.net/?a="] imageporter.com##a\[href^="http://trw12.com/"] ugotfile.com##a\[href^="http://ugotfile.com/affiliate?"] israbox.com##a\[href^="http://urmusiczone.com/signup?"] @@ -89700,10 +93379,12 @@ videobull.com##a\[href^="http://videobull.com/wp-content/themes/videozoom/go.php videobull.com##a\[href^="http://vtgtrk.com/"] wakingtimes.com##a\[href^="http://wakingtimes.com/ads/"] videomide.com##a\[href^="http://wapdollar.in/"] +bitminter.com##a\[href^="http://wbf.go2cloud.org/aff_c?offer_id="] webdesignshock.com##a\[href^="http://www.123rf.com"] serials.ws,uptobox.com##a\[href^="http://www.1clickmoviedownloader.net/"] 300mbfilms.com##a\[href^="http://www.300mbfilms.com/ads/"] distrowatch.com##a\[href^="http://www.3cx.com/"] +movie4u.org##a\[href^="http://www.4kmoviesclub.com/signup?"] cio-today.com##a\[href^="http://www.accuserveadsystem.com/accuserve-go.php?c="] distrowatch.com##a\[href^="http://www.acunetix.com/"] babelzilla.org##a\[href^="http://www.addonfox.com/"] @@ -89727,6 +93408,7 @@ filesoup.com##a\[href^="http://www.bitlord.com/"] filesoup.com##a\[href^="http://www.bitlordsearch.com/"] bitlordsearch.com##a\[href^="http://www.bitlordsearch.com/bl/fastdibl.php?"] freebitcoins.nx.tc,getbitcoins.nx.tc##a\[href^="http://www.bitonplay.com/create?refCode="] +usenet-crawler.com##a\[href^="http://www.cash-duck.com/"] gsmarena.com##a\[href^="http://www.cellpex.com/affiliates/"] onlinefreetv.net##a\[href^="http://www.chitika.com/publishers/apply?refid="] ciao.co.uk##a\[href^="http://www.ciao.co.uk/ext_ref_call.php"] @@ -89742,11 +93424,13 @@ pdf-giant.com,watchseries.biz,yoddl.com##a\[href^="http://www.downloadprovider.m thesearchenginelist.com##a\[href^="http://www.dpbolvw.net/click-"] bootstrike.com,dreamhosters.com,howtoblogcamp.com##a\[href^="http://www.dreamhost.com/r.cgi?"] sina.com##a\[href^="http://www.echineselearning.com/"] +betterhostreview.com##a\[href^="http://www.elegantthemes.com/affiliates/"] professionalmuscle.com##a\[href^="http://www.elitefitness.com/g.o/"] internetslang.com##a\[href^="http://www.empireattack.com"] linksave.in##a\[href^="http://www.endwelt.com/signups/add/"] lens101.com##a\[href^="http://www.eyetopics.com/"] mercola.com##a\[href^="http://www.fatswitchbook.com/"] > img +rapidvideo.org##a\[href^="http://www.filmsenzalimiti.co/"] omegleconversations.com##a\[href^="http://www.freecamsexposed.com/"] liveleak.com##a\[href^="http://www.freemake.com/"] linksave.in##a\[href^="http://www.gamesaffiliate.de/"] @@ -89761,13 +93445,13 @@ softpedia.com##a\[href^="http://www.iobit.com/"] macdailynews.com,softpedia.com##a\[href^="http://www.jdoqocy.com/click-"] ps3iso.com##a\[href^="http://www.jobboy.com/index.php?inc="] macdailynews.com,thesearchenginelist.com,web-cam-search.com##a\[href^="http://www.kqzyfj.com/click-"] -zxxo.net##a\[href^="http://www.linkbucks.com/referral/"] hotbollywoodactress.net##a\[href^="http://www.liposuctionforall.com/"] mhktricks.net##a\[href^="http://www.liversely.net/"] livescore.cz##a\[href^="http://www.livescore.cz/go/click.php?"] majorgeeks.com##a\[href^="http://www.majorgeeks.com/compatdb"] emaillargefile.com##a\[href^="http://www.mb01.com/lnk.asp?"] sing365.com##a\[href^="http://www.mediataskmaster.com"] +megatorrent.eu##a\[href^="http://www.megatorrent.eu/tk/file.php?q="] htmlgoodies.com##a\[href^="http://www.microsoft.com/click/"] infowars.com##a\[href^="http://www.midasresources.com/store/store.php?ref="] quicksilverscreen.com##a\[href^="http://www.movies-for-free.net"] @@ -89798,11 +93482,13 @@ oss.oetiker.ch##a\[href^="http://www.serverscheck.com/sensors?"] blogengage.com##a\[href^="http://www.shareasale.com/"] wpdailythemes.com##a\[href^="http://www.shareasale.com/r.cfm?b="] > img bestgore.com##a\[href^="http://www.slutroulette.com/"] +findsounds.com##a\[href^="http://www.soundsnap.com/search/"] leecher.to##a\[href^="http://www.stargames.com/bridge.asp"] telegraph.co.uk##a\[href^="http://www.telegraph.co.uk/sponsored/"] egigs.co.uk##a\[href^="http://www.ticketswitch.com/cgi-bin/web_finder.exe"] audiforums.com##a\[href^="http://www.tirerack.com/affiliates/"] mailinator.com##a\[href^="http://www.tkqlhce.com/"] +limetor.net,limetorrents.cc,limetorrents.co,torrentdownloads.cc##a\[href^="http://www.torrentindex.org/"] tri247.com##a\[href^="http://www.tri247ads.com/"] tsbmag.com##a\[href^="http://www.tsbmag.com/wp-content/plugins/max-banner-ads-pro/"] tvduck.com##a\[href^="http://www.tvduck.com/graboid.php"] @@ -89815,6 +93501,7 @@ codecguide.com,downloadhelper.net,dvdshrink.org,thewindowsclub.com##a\[href^="ht distrowatch.com##a\[href^="http://www.unixstickers.com/"] israbox.com##a\[href^="http://www.urmusiczone.com/signup?"] thejointblog.com##a\[href^="http://www.vapornation.com/?="] > img +exashare.com##a\[href^="http://www.video1404.info/"] thejointblog.com##a\[href^="http://www.weedseedshop.com/refer.asp?refid="] > img womenspress.com##a\[href^="http://www.womenspress.com/Redirect.asp?"] wptmag.com##a\[href^="http://www.wptmag.com/promo/"] @@ -89823,28 +93510,37 @@ youtube.com##a\[href^="http://www.youtube.com/cthru?"] free-tv-video-online.me,muchshare.net##a\[href^="http://wxdownloadmanager.com/"] datafilehost.com##a\[href^="http://zilliontoolkitusa.info/"] yahoo.com##a\[href^="https://beap.adss.yahoo.com/"] +landofbitcoin.com##a\[href^="https://bitcasino.io?ref="] bitcoinreviewer.com##a\[href^="https://bitcoin-scratchticket.com/?promo="] blockchain.info##a\[href^="https://blockchain.info/r?url="] > img bitcointalk.org##a\[href^="https://cex.io/"] activistpost.com##a\[href^="https://coinbase.com/?r="] deconf.com##a\[href^="https://deconf.com/out/"] -mindsetforsuccess.net##a\[href^="https://my.leadpages.net/leadbox/"] +landofbitcoin.com##a\[href^="https://localbitcoins.com/?ch="] +conservativetribune.com,mindsetforsuccess.net##a\[href^="https://my.leadpages.net/"] +unblockt.com##a\[href^="https://nordvpn.com/pricing/"] search.yahoo.com##a\[href^="https://search.yahoo.com/search/ads;"] +bitminter.com##a\[href^="https://wbf.go2cloud.org/aff_c?offer_id="] leo.org##a\[href^="https://www.advertising.de/"] -tampermonkey.net##a\[href^="https://www.bitcoin.de/"] +cryptocoinsnews.com##a\[href^="https://www.anonibet.com/"] +bitminter.com##a\[href^="https://www.cloudbet.com/en/?af_token="] escapefromobesity.net##a\[href^="https://www.dietdirect.com/rewardsref/index/refer/"] +avxhome.se##a\[href^="https://www.nitroflare.com/payment?webmaster="] xscores.com##a\[href^="https://www.rivalo1.com/?affiliateId="] youtube.com##a\[href^="https://www.youtube.com/cthru?"] krapps.com##a\[href^="index.php?adclick="] +essayscam.org##a\[id^="banner_"] m.youtube.com##a\[onclick*="\"ping_url\":\"http://www.google.com/aclk?"] software182.com##a\[onclick*="sharesuper.info"] titanmule.to##a\[onclick="emuleInst();"] titanmule.to##a\[onclick="installerEmule();"] platinlyrics.com##a\[onclick^="DownloadFile('lyrics',"] +checkpagerank.net##a\[onclick^="_gaq.push(\['_trackEvent', 'link', 'linkclick'"] zoozle.org##a\[onclick^="downloadFile('download_big', null,"] zoozle.org##a\[onclick^="downloadFile('download_related', null,"] coinurl.com,cur.lv##a\[onclick^="open_ad('"] hugefiles.net##a\[onclick^="popbi('http://go34down.com/"] +hugefiles.net##a\[onclick^="popbi('http://liversely.com/"] kingfiles.net##a\[onclick^="window.open('http://lp.ilividnewtab.com/"] kingfiles.net##a\[onclick^="window.open('http://lp.sharelive.net/"] w3schools.com##a\[rel="nofollow"] @@ -89855,6 +93551,8 @@ torrenticity.com##a\[style="color:#05c200;text-decoration:none;"] urbandictionary.com##a\[style="display: block; width: 300px; height: 500px"] billionuploads.com##a\[style="display: inline-block;width: 728px;margin: 25px auto -17px auto;height: 90px;"] bitcointalk.org##a\[style="text-decoration:none; display:inline-block; "] +lifewithcats.tv##a\[style="width: 318px; height: 41px; padding: 0px; left: 515px; top: 55px; opacity: 1;"] +easyvideo.me,playbb.me,playpanda.net,video66.org,videofun.me,videowing.me,videozoo.me##a\[style^="display: block;"] bitcointalk.org##a\[style^="display: inline-block; text-align:left; height: 40px;"] betfooty.com##a\[target="_blank"] > .wsite-image\[alt="Picture"] thepiratebay.se##a\[target="_blank"] > img:first-child @@ -89877,6 +93575,7 @@ mmobomb.com##a\[target="_blank"]\[href^="http://www.mmobomb.com/link/"] gbatemp.net##a\[target="_blank"]\[href^="http://www.nds-card.com/ProShow.asp?ProID="] > img bitcoinexaminer.org##a\[target="_blank"]\[href^="https://www.itbit.com/?utm_source="] > img noscript.net##a\[target="_blаnk"]\[href$="?MT"] +bodymindsoulspirit.com##a\[target="_new"] > img hookedonads.com##a\[target="_top"]\[href="http://www.demilked.com"] > img baymirror.com,bt.mojoris.in,getpirate.com,kuiken.co,livepirate.com,mypiratebay.cl,noncensuram.info,piraattilahti.org,pirateproxy.net,pirateproxy.se,pirateshit.com,proxicity.info,proxybay.eu,thepiratebay.gg,thepiratebay.lv,thepiratebay.se,thepiratebay.se.coevoet.nl,tpb.ipredator.se,tpb.jorritkleinbramel.nl,tpb.piraten.lu,tpb.pirateparty.ca,tpb.rebootorrents.com,unblock.to##a\[title="Anonymous Download"] lordtorrent3.ru##a\[title="Download"] @@ -89885,6 +93584,7 @@ torfinder.net,vitorrent.org##a\[title="sponsored"] bitcointalk.org##a\[title^="LuckyBit"] herold.at##a\[title^="Werbung: "]\[target="_blank"] irrigator.com.au##advertisement +onlinemoviewatchs.com##b\[style^="z-index: "] creatives.livejasmin.com##body norwsktv.com##body > #total just-dice.com##body > .wrapper > .container:first-child @@ -89893,7 +93593,7 @@ sitevaluecalculator.com##body > center > br + a\[target="_blank"] > img fancystreems.com##body > div > a primewire.ag##body > div > div\[id]\[style^="z-index:"]:first-child movie2k.tl##body > div > div\[style^="height: "] -atdee.net,drakulastream.eu,go4up.com,magnovideo.com,movie2k.tl,sockshare.ws,streamhunter.eu,videolinkz.us,vodly.to,watchfreeinhd.com,zuuk.net##body > div > div\[style^="z-index: "] +atdee.net,drakulastream.eu,magnovideo.com,movie2k.tl,sockshare.ws,streamhunter.eu,videolinkz.us,vodly.to,watchfreeinhd.com,zuuk.net##body > div > div\[style^="z-index: "] ha.ckers.org##body > div:first-child > br:first-child + a + br + span\[style="color:#ffffff"] viooz.co##body > div:first-child > div\[id]\[style]:first-child www.google.com##body > div\[align]:first-child + style + table\[cellpadding="0"]\[width="100%"] > tbody:only-child > tr:only-child > td:only-child @@ -89906,6 +93606,7 @@ domains.googlesyndication.com##body > table:first-child > tbody:first-child > tr domains.googlesyndication.com##body > table:first-child > tbody:first-child > tr:first-child > td:first-child > table:first-child + table + table jguru.com##center nzbindex.com,nzbindex.nl##center > a > img\[style="border: 1px solid #000000;"] +cryptocoinsnews.com##center > a\[href="https://xbt.social"] proxyserver.asia##center > a\[href^="http://goo.gl/"]\[target="_blank"] 4shared.com##center\[dir="ltr"] ehow.com##center\[id^="DartAd_"] @@ -89913,6 +93614,7 @@ forumswindows8.com##center\[style="font-size:15px;font-weight:bold;margin-left:a helenair.com##dd filepuma.com##dd\[style="padding-left:3px; width:153px; height:25px;"] search.mywebsearch.com##div > div\[style="padding-bottom: 12px;"] +filenuke.com,sharesix.com##div > p:first-child + div cdrlabs.com##div\[align="center"] bleachanime.org##div\[align="center"]\[style="font-size:14px;margin:0;padding:3px;background-color:#f6f6f6;border-bottom:1px solid #ababab;"] thelakewoodscoop.com##div\[align="center"]\[style="margin-bottom:10px;"] @@ -89928,12 +93630,13 @@ facebook.com##div\[class="ego_column pagelet _5qrt _1snm"] facebook.com##div\[class="ego_column pagelet _5qrt _y92 _1snm"] facebook.com##div\[class="ego_column pagelet _5qrt _y92"] facebook.com##div\[class="ego_column pagelet _5qrt"] +facebook.com##div\[class="ego_column pagelet _y92 _5qrt _1snm"] facebook.com##div\[class="ego_column pagelet _y92 _5qrt"] facebook.com##div\[class="ego_column pagelet _y92"] facebook.com##div\[class="ego_column pagelet"] facebook.com##div\[class="ego_column"] kinox.to##div\[class^="Mother_"]\[style^="display: block;"] -animefreak.tv##div\[class^="a-filter"] +anime1.com,animefreak.tv##div\[class^="a-filter"] drama.net##div\[class^="ad-filter"] manaflask.com##div\[class^="ad_a"] greatandhra.com##div\[class^="add"] @@ -89944,9 +93647,11 @@ plsn.com##div\[class^="clickZone"] webhostingtalk.com##div\[class^="flashAd_"] ragezone.com##div\[class^="footerBanner"] avforums.com##div\[class^="takeover_box_"] +linuxbsdos.com##div\[class^="topStrip"] yttalk.com##div\[class^="toppedbit"] realmadrid.com##div\[data-ads-block="desktop"] wayn.com##div\[data-commercial-type="MPU"] +monova.org##div\[data-id^="http://centertrust.xyz/"] monova.org##div\[data-id^="http://www.torntv-downloader.com/"] ehow.com##div\[data-module="radlinks"] deviantart.com##div\[gmi-name="ad_zone"] @@ -89969,6 +93674,7 @@ warframe-builder.com##div\[id^="ads"] mahalo.com##div\[id^="ads-section-"] streetmap.co.uk##div\[id^="advert_"] askyourandroid.com##div\[id^="advertisespace"] +stackoverflow.com##div\[id^="adzerk"] blogspot.co.nz,blogspot.com,coolsport.tv,time4tv.com,tv-link.me##div\[id^="bannerfloat"] theteacherscorner.net##div\[id^="catfish"] video44.net##div\[id^="container_ads"] @@ -89988,18 +93694,18 @@ yahoo.com##div\[id^="tile-A"]\[data-beacon-url^="https://beap.gemini.yahoo.com/m yahoo.com##div\[id^="tile-mb-"] footstream.tv,leton.tv##div\[id^="timer"] facebook.com##div\[id^="topnews_main_stream_"] div\[data-ft*="\"ei\":\""] -thessdreview.com##div\[id^="wp_bannerize-"] -search.yahoo.com##div\[id^="yui_"] .res\[data-bk]\[data-bns="API"]\[data-bg-link^="http://r.search.yahoo.com/"] -search.yahoo.com##div\[id^="yui_"] .res\[data-bk]\[data-bns="API"]\[data-bg-link^="http://r.search.yahoo.com/"] + li -search.yahoo.com##div\[id^="yui_"] > ul > .res\[data-bg-link^="http://r.search.yahoo.com/_ylt="] + * div\[class^="pla"] +~images.search.yahoo.com,search.yahoo.com##div\[id^="wp_bannerize-"] +~images.search.yahoo.com,search.yahoo.com##div\[id^="yui_"] > span > ul\[class]:first-child:last-child > li\[class] +~images.search.yahoo.com,search.yahoo.com##div\[id^="yui_"] > ul > .res\[data-bg-link^="http://r.search.yahoo.com/_ylt="] + * div\[class^="pla"] statigr.am##div\[id^="zone"] 4shared.com##div\[onclick="window.location='/premium.jsp?ref=removeads'"] gsprating.com##div\[onclick="window.open('http://www.nationvoice.com')"] +viphackforums.net##div\[onclick^="MyAdvertisements.do_click"] ncrypt.in##div\[onclick^="window.open('http://www.FriendlyDuck.com/AF_"] rapidfiledownload.com##div\[onclick^="window.open('http://www.rapidfiledownload.com/out.php?"] ncrypt.in##div\[onclick^="window.open('http://www2.filedroid.net/AF_"] rs-catalog.com##div\[onmouseout="this.style.backgroundColor='#fff7b6'"] -animenova.tv,animetoon.tv,gogoanime.com,goodanime.net,gooddrama.net,toonget.com##div\[rel^="MBoxAd"] +easyvideo.me,playbb.me,playpanda.net,video66.org,videofun.me,videowing.me,videozoo.me##div\[original^="http://byzoo.org/"] fastvideo.eu##div\[style$="backgroud:black;"] > :first-child highstakesdb.com##div\[style$="margin-top:-6px;text-align:left;"] imagebam.com##div\[style$="padding-top:14px; padding-bottom:14px;"] @@ -90023,6 +93729,7 @@ tennisworldusa.org##div\[style=" position:relative; overflow:hidden; margin:0px; seattlepi.com##div\[style=" width:100%; height:90px; margin-bottom:8px; float:left;"] fmr.co.za##div\[style=" width:1000px; height:660px; margin: 0 auto"] ontopmag.com##div\[style=" width:300px; height:250px; padding:0; margin:5px auto 0 auto;"] +fitbie.com##div\[style=" width:300px; height:450px; padding-bottom: 160px;"] forum.guru3d.com##div\[style="PADDING-RIGHT: 0px; PADDING-LEFT: 0px; PADDING-BOTTOM: 6px; PADDING-TOP: 12px"] cheapostay.com##div\[style="PADDING-TOP: 0px; text-align:center; width:175px;"] nasdaq.com##div\[style="align: center; vertical-align: middle;width:336px;height:250px"] @@ -90031,16 +93738,17 @@ wral.com##div\[style="background-color: #ebebeb; width: 310px; padding: 5px 3px; zeropaid.com##div\[style="background-color: #fff; padding:10px;"] frontlinesoffreedom.com##div\[style="background-color: rgb(255, 255, 255); border-width: 1px; border-color: rgb(0, 0, 0); width: 300px; height: 250px;"] countryfile.com##div\[style="background-color: rgb(255, 255, 255); height: 105px; padding-top: 5px;"] +videoserver.biz##div\[style="background-color: white; position: absolute; border: 1px solid #000000; top: -360px; left: -370px; z-index: 0; display: block; width: 600px; height: 440px; border: 0px solid green; margin: 0px;"] fansshare.com##div\[style="background-color:#999999;width:300px;height:250px;"] deviantart.com##div\[style="background-color:#AAB1AA;width:300px;height:120px"] deviantart.com,sta.sh##div\[style="background-color:#AAB1AA;width:300px;height:250px"] dawn.com##div\[style="background-color:#EEEEE4;width:973px;height:110px;margin:auto;padding-top:15px;"] moneycontrol.com##div\[style="background-color:#efeeee;width:164px;padding:8px"] search.bpath.com,tlbsearch.com##div\[style="background-color:#f2faff;padding:4px"] -thephoenix.com##div\[style="background-color:#ffffff;padding:0px;margin:15px 0px;font-size:10px;color:#999;text-align:center;"] bostonherald.com##div\[style="background-color:black; width:160px; height:600px; margin:0 auto;"] fansshare.com##div\[style="background-image:url(/media/img/advertisement.png);width:335px;height:282px;"] fansshare.com##div\[style="background-image:url(http://img23.fansshare.com/media/img/advertisement.png);width:335px;height:282px;"] +vosizneias.com##div\[style="background: #DADADA; border: 1px solid gray; color: gray; width: 300px; padding: 5px; float: right; font-size: 0.8em; line-height: 1.5em; font-family: arial; margin: 10px 0 10px 20px;"] regmender.com##div\[style="background: #FFFDCA;border: 1px solid #C7C7C7;margin-top:8px;padding: 8px;color:#000;"] singletracks.com##div\[style="background: #fff; height: 250px; width: 300px; margin-top: 0px; margin-bottom: 10px;"] gelbooru.com##div\[style="background: #fff; width: 728px; margin-left: 15px;"] @@ -90054,16 +93762,14 @@ hints.macworld.com##div\[style="border-bottom: 2px solid #7B7B7B; padding-bottom greatgirlsgames.com##div\[style="border-bottom:1px dotted #CCC;margin:3px 0 3px 0;color:#000;padding:0 0 1px 0;font-size:11px;text-align:right;"] nytimes.com##div\[style="border: 0px #000000 solid; width:300px; height:250px; margin: 0 auto"] nytimes.com##div\[style="border: 0px #000000 solid; width:728px; height:90px; margin: 0 auto"] +hugefiles.net##div\[style="border: 0px solid black; width:728px;"] kijiji.ca##div\[style="border: 1px solid #999; background: #fff"] -therapidbay.com##div\[style="border: 2px solid red; margin: 10px; padding: 10px; text-align: left; height: 80px; background-color: rgb(255, 228, 0);"] -petitions24.com##div\[style="border: solid #95bce2 1px; padding: 1em 0; margin: 0; margin-right: 6px; width: 200px; height: 600px; background-color: #fff; text-align: center; margin-bottom: 1em;"] cookingforengineers.com##div\[style="border:0px solid #FFFFA0;width:160px;height:600px;"] videosbar.com##div\[style="border:1px solid #EEEEEE; display:block; height:270px; text-align:center; width:300px; overflow:hidden;"] videosbar.com##div\[style="border:1px solid #EEEEEE; display:block; height:270px; text-align:center; width:300px;"] undsports.com##div\[style="border:1px solid #c3c3c3"] mocpages.com##div\[style="border:1px solid #dcdcdc; width:300px; height:250px"] exchangerates.org.uk##div\[style="border:1px solid #ddd;background:#f0f0f0;padding:10px;margin:10px 0;"] -delcotimes.com,macombdaily.com##div\[style="border:1px solid #e1e1e1; padding: 5px; float: left; width: 620px; margin: 0pt auto 15px;"] whatson.co.za##div\[style="border:solid 10px #ffffff;width:125px;height:125px;"] vietnamnews.vn##div\[style="clear: both;text-align: center;margin-bottom:10px;height:230px;width:300px;"] moviecarpet.com##div\[style="clear:both; width:100%; padding:30px; height:250px"] @@ -90081,7 +93787,6 @@ lolking.net##div\[style="display: inline-block; width: 728px; height: 90px; back listentoyoutube.com##div\[style="display: inline-block; width: 728px; height: 90px; overflow: hidden;"] cheapoair.com,onetravel.com##div\[style="display: table; width: 1px; height:1px; position:relative; margin-left:auto; margin-right:auto; text-align: center; margin-top:10px; padding: 12px; padding-bottom:5px; background-color: #e7e7e7 ! important;"] forum.xda-developers.com##div\[style="display:block; margin-top:20px; margin-left:10px; width:750px; height:100px; float:left;"] -browse.lt##div\[style="display:block; width:125px; min-height:125px; background:#FFFFFF; font-family:Arial, Helvetica, sans-serif"] veervid.com##div\[style="display:block; width:302px; height:275px;"] skyweather.com.au##div\[style="display:block;height:250px;width:300px;margin-bottom:20px;"] chami.com##div\[style="display:inline-block; text-align:left; border-left:1px solid #eee;border-right:1px solid #eee; width:342px;padding:10px;"] @@ -90092,6 +93797,7 @@ moneymakergroup.com##div\[style="float: left; margin: 1px;"] > a\[href^="http:// moneymakergroup.com##div\[style="float: left; margin: 1px;"]:last-child civil.ge##div\[style="float: left; text-align: center; border: solid 1px #efefef; width: 320px; height: 90px;"] usedcars.com##div\[style="float: left; width: 263px; text-align: center; vertical-align: top"] +upi.com##div\[style="float: left; width: 300px; height: 250px; overflow: hidden;"] sgclub.com##div\[style="float: left; width: 310px; height: 260px;"] boarddigger.com##div\[style="float: left; width: 320px; height: 250px; padding: 5px;"] dreammoods.com##div\[style="float: left; width: 350; height: 350"] @@ -90135,7 +93841,6 @@ cinemablend.com##div\[style="float:left;width:160px;height:600px;"] cinemablend.com##div\[style="float:left;width:160px;height:606px;"] visordown.com##div\[style="float:left;width:300px;height:250px;"] thaivisa.com##div\[style="float:left;width:310px;height:275px;"] -whoisology.com##div\[style="float:left;width:412px;vertical-align:top;text-align:center;"] > .section\[style="margin-top: 25px; padding-top: 0px; padding-bottom: 0px;"] videoweed.es##div\[style="float:left;width:728px; height:90px; border:1px solid #CCC; display:block; margin:20px auto; margin-bottom:0px;"] politicususa.com##div\[style="float:none;margin:10px 0 10px 0;text-align:center;"] lifescript.com##div\[style="float:right; margin-bottom: 10px;"] @@ -90168,8 +93873,10 @@ clgaming.net##div\[style="height: 250px; margin-top: 20px;"] techgage.com##div\[style="height: 250px; width: 300px; float: right"] way2sms.com##div\[style="height: 250px; width: 610px; margin-left: -5px;"] pichunter.com,rawstory.com##div\[style="height: 250px;"] +northcountrypublicradio.org##div\[style="height: 260px; max-width: 250px; margin: 0px auto; padding: 0px;"] innocentenglish.com##div\[style="height: 260px;"] babble.com##div\[style="height: 263px; margin-left:0px; margin-top:5px;"] +northcountrypublicradio.org##div\[style="height: 272px; max-width: 250px; margin: 5px auto 10px; padding: 4px 0px 20px;"] bsplayer.com##div\[style="height: 281px; overflow: hidden"] interfacelift.com##div\[style="height: 288px;"] losethebackpain.com##div\[style="height: 290px;"] @@ -90178,6 +93885,7 @@ espn.go.com##div\[style="height: 325px;"] wsj.com##div\[style="height: 375px; width: 390px;"] cheatcc.com##div\[style="height: 50px;"] coolest-gadgets.com,necn.com##div\[style="height: 600px;"] +indiatimes.com##div\[style="height: 60px;width: 1000px;margin: 0 auto;"] hongkongnews.com.hk##div\[style="height: 612px; width: 412px;"] thetechherald.com##div\[style="height: 640px"] haaretz.com##div\[style="height: 7px;width: 300px;"] @@ -90185,10 +93893,10 @@ revision3.com##div\[style="height: 90px"] cpu-world.com##div\[style="height: 90px; padding: 3px; text-align: center"] yardbarker.com##div\[style="height: 90px; width: 728px; margin-bottom: 0px; margin-top: 0px; padding: 0px;z-index: 1;"] thenewage.co.za##div\[style="height: 90px; width: 730px; float: left; margin: 0px;"] +f-picture.net##div\[style="height: 90px; width: 730px; margin: 0 auto; padding: 3px; padding-left: 10px; overflow: hidden;"] snapwidget.com##div\[style="height: 90px; width: 748px; margin: 0 auto 15px;"] snapwidget.com##div\[style="height: 90px; width: 756px; margin: 15px auto -15px; overflow: hidden;"] food.com##div\[style="height: 96px;"] -indiatimes.com##div\[style="height:100px;"] ipchecking.com##div\[style="height:108px"] cosmopolitan.co.za##div\[style="height:112px;width:713px"] northeasttimes.com##div\[style="height:120px; width:600px;"] @@ -90209,10 +93917,12 @@ demogeek.com##div\[style="height:250px; width:250px; margin:10px;"] northeasttimes.com##div\[style="height:250px; width:300px;"] theworldwidewolf.com##div\[style="height:250px; width:310px; text-align:center; vertical-align:middle; display:table-cell; margin:0 auto; padding:0;"] crowdignite.com,gamerevolution.com,sheknows.com,tickld.com##div\[style="height:250px;"] +thenewsnigeria.com.ng##div\[style="height:250px;margin-bottom: 20px"] way2sms.com##div\[style="height:250px;margin:2px 0;"] zeenews.com##div\[style="height:250px;overflow:hidden;"] theawesomer.com,thephoenix.com##div\[style="height:250px;width:300px;"] unexplained-mysteries.com##div\[style="height:250px;width:300px;background-color:#000000"] +mcndirect.com##div\[style="height:250px;width:300px;font:bold 16px 'tahoma'; color:Gray; vertical-align:middle; text-align:center; border:none"] unfinishedman.com##div\[style="height:250px;width:300px;margin-left:15px;"] realgm.com##div\[style="height:250px;width:300px;margin: 0 0 15px 15px;"] tf2wiki.net##div\[style="height:260px; width:730px; border-style:none"] @@ -90254,7 +93964,9 @@ rootzwiki.com##div\[style="margin-bottom:10px;line-height:20px;margin-top:-10px; diamscity.com##div\[style="margin-bottom:15px;width:728px;height:90px;display:block;float:left;overflow:hidden;"] intoday.in##div\[style="margin-bottom:20px; clear:both; float:none; height:250px;width:300px;"] 4sysops.com##div\[style="margin-bottom:20px;"] +merriam-webster.com##div\[style="margin-bottom:20px;margin-top:-5px !important;width:300px;height:250px;"] intoday.in##div\[style="margin-bottom:20px;z-index:0; clear:both; float:none; height:250px;width:300px;"] +pdf-archive.com##div\[style="margin-left: -30px; width: 970px; height: 90px; margin-top: 8px; margin-bottom: 10px;"] jdpower.com##div\[style="margin-left: 20px; background-color: #FFFFFF;"] foxlingo.com##div\[style="margin-left: 3px; width:187px; min-height:187px;"] medicalnewstoday.com##div\[style="margin-left:10px; margin-bottom:15px;"] @@ -90269,8 +93981,6 @@ way2sms.com##div\[style="margin-top: 5px; height: 90px; clear: both;"] funnycrazygames.com##div\[style="margin-top: 8px;"] planetsport.com##div\[style="margin-top:-1px; width: 100%; height: 90px; background-color: #fff; float: left;"] technet.microsoft.com##div\[style="margin-top:0px; margin-bottom:10px"] -imagesfood.com##div\[style="margin-top:10px; margin-left:1px; margin-bottom:10px;"] -imagesfood.com##div\[style="margin-top:10px; margin-left:1px; margin-bottom:3px;"] surfline.com##div\[style="margin-top:10px; width:990px; height:90px"] worstpreviews.com##div\[style="margin-top:15px;width:160;height:600;background-color:#FFFFFF;"] centraloutpost.com##div\[style="margin-top:16px; width:740px; height:88px; background-image:url(/images/style/cnop_fg_main_adsbgd.png); background-repeat:no-repeat; text-align:left;"] @@ -90280,7 +93990,6 @@ fullepisode.info##div\[style="margin: 0 auto 0 auto; text-align:center;"] historyextra.com##div\[style="margin: 0 auto; width: 290px; height: 73px; background-color: #faf7f0;); padding: 5px; margin-bottom: 5px; clear: both; font-family: 'Playfair Display', serif;"] historyextra.com##div\[style="margin: 0 auto; width: 290px; height: 90px; background-color: #faf7f0; padding: 5px; margin-bottom: 5px; clear: both; font-family: 'Playfair Display', serif;"] historyextra.com##div\[style="margin: 0 auto; width: 290px; height: 90px; border-top:1px dotted #3a3a3a; border-bottom:1px dotted #3a3a3a; padding: 5px 0; margin:10px 0 10px 0; clear: both;"] -xda-developers.com##div\[style="margin: 0px auto 15px; height: 250px; position: relative; text-align: center;clear: both;"] ap.org##div\[style="margin: 0px auto 20px; width: 728px; height: 90px"] golflink.com##div\[style="margin: 0px auto; width: 728px; height: 90px;"] keprtv.com##div\[style="margin: 0px; width: 300px; height: 250px"] @@ -90291,21 +94000,22 @@ uproxx.com##div\[style="margin: 15px auto; width: 728px; height: 90px;"] twitpic.com##div\[style="margin: 15px auto;width:730px; height:100px;"] usedcars.com##div\[style="margin: 20px 0"] shouldiremoveit.com##div\[style="margin: 5px 0px 30px 0px;"] -rachaelrayshow.com##div\[style="margin: 5px auto 0 auto; padding: 0px; color: #999999; font-size: 10px; text-align: center;"] comicwebcam.com##div\[style="margin: 6px auto 0;"] businessspectator.com.au##div\[style="margin: auto 10px; width: 300px;"] primeshare.tv##div\[style="margin: auto; width: 728px; margin-bottom: -10px;"] recipepuppy.com##div\[style="margin:0 auto 10px;min-height:250px;"] desivideonetwork.com##div\[style="margin:0 auto; width:300px; height:250px;"] malaysiakini.com##div\[style="margin:0 auto; width:728px; height:90px;"] -gamesfree.ca##div\[style="margin:0 auto; width:990px; background-image:url(http://www.gamesfree.ca/new_shit/add_728x90.gif); height:112px"] mangafox.me##div\[style="margin:0 auto;clear:both;width:930px"] joomla.org##div\[style="margin:0 auto;width:728px;height:100px;"] ontopmag.com##div\[style="margin:0; width:300px; height:250px; padding:0; margin:5px auto 0 auto;"] +noobpreneur.com##div\[style="margin:0px 0px 10px 0px; padding:20px; background:#f9f9f9; border:1px solid #ddd; text-align:center; -webkit-border-radius: 3px; -moz-border-radius: 3px; border-radius: 3px;"] synonym.com##div\[style="margin:0px auto; width: 300px; height: 250px;"] 10minutemail.net##div\[style="margin:10px 0; height:90px; width:728px;"] 22find.com##div\[style="margin:10px auto 0;width:300px;height:320px;"] drakulastream.eu##div\[style="margin:10px"] +businessdictionary.com##div\[style="margin:14px 0 10px 0;padding:0px;min-height:220px;"] +anymaking.com##div\[style="margin:15px auto; border:1px solid #ccc; width:728px; height:90px;"] whattoexpect.com##div\[style="margin:15px auto;width:728px;"] xnotifier.tobwithu.com##div\[style="margin:1em 0;font-weight:bold;"] thespoof.com##div\[style="margin:20px 5px 10px 0;"] @@ -90313,6 +94023,7 @@ ipiccy.com##div\[style="margin:20px auto 10px; width:728px;text-align:center;"] bonjourlife.com##div\[style="margin:20px auto;width:720px;height:90px;"] bikeexchange.com.au##div\[style="margin:2em 0; text-align:center;"] tek-tips.com##div\[style="margin:2px;padding:1px;height:60px;"] +noobpreneur.com##div\[style="margin:30px 0px; padding:20px; background:#f9f9f9; border:1px solid #ddd; text-align:center; -webkit-border-radius: 3px; -moz-border-radius: 3px; border-radius: 3px;"] ipaddress.com##div\[style="margin:32px 0;text-align:center"] bitsnoop.com##div\[style="margin:4px 0 8px 0; padding:0; width:100%; height:90px; text-align:center;"] indiatvnews.com##div\[style="margin:5px 0px 20px 0px"] @@ -90321,6 +94032,7 @@ jpopasia.com##div\[style="margin:auto auto; text-align:center; margin-bottom:10p into-asia.com##div\[style="margin:auto; width:728px; height:105px; margin-top:20px"] codeproject.com##div\[style="margin:auto;width:728px;height:90px;margin-top:10px"] androidpolice.com##div\[style="max-width:160px; height:600px; margin: 0 auto;"] +dawn.com##div\[style="max-width:728px;max-height:90px;text-align:center;margin:0 auto;"] channelstv.com##div\[style="max-width:980px; max-height:94px"] life.time.com##div\[style="min-height: 226px; clear: both"] phonearena.com##div\[style="min-height: 250px"] @@ -90349,14 +94061,12 @@ youtubedoubler.com##div\[style="padding-left:2px; padding-top:9px; padding-botto rlslog.net##div\[style="padding-left:40px;"] beforeitsnews.com##div\[style="padding-right:20px; width: 300px; height: 250px; float:right;"] pt-news.org##div\[style="padding-right:5px; padding-top:18px; float:left; "] -ontopmag.com##div\[style="padding-top: 10px; background-color: #575757; height: 90px;\a width: 728px; margin: auto auto;"] magweb.com##div\[style="padding-top: 15px;"] drweil.com##div\[style="padding-top: 5px; width:728px; padding-bottom:10px;"] ynetnews.com##div\[style="padding-top:10px;padding-bottom:10px;padding-right:10px"] podbean.com##div\[style="padding-top:20px;width:336px;height:280px"] funnycrazygames.com##div\[style="padding-top:2px"] thenews.com.pk##div\[style="padding-top:5px;;height:95px;float:left;width:931px;background:url(images/banner_top_bg.jpg);"] -watchonlinefree.tv##div\[style="padding-top:5px;float:left;width:100%;font-size:13px;line-height:26px;height:31px;top: 12px;z-index:9999;text-align:left"] thenews.com.pk##div\[style="padding-top:5px;height:95px;float:left;width:931px;background:url(images/banner_top_bg.jpg);"] forums.androidcentral.com##div\[style="padding-top:92px !important; "] cardschat.com##div\[style="padding: 0px 0px 0px 0px; margin-top:10px;"] @@ -90372,6 +94082,9 @@ legacy.com##div\[style="padding:0; margin:0 auto; text-align:right; width:738px; condo.com##div\[style="padding:0px 5px 0px 5px; width:300px;"] beforeitsnews.com##div\[style="padding:10px 0 10px 0;height:250px;margin-bottom:5px;"] subtitleseeker.com##div\[style="padding:10px 0px 10px 0px; text-align:center; width:728; height:90px;"] +standardmedia.co.ke##div\[style="padding:10px; width:1200px; height:90px; "] +myanimelist.net##div\[style="padding:12px 0px"] +listentotaxman.com##div\[style="padding:2px 2px 0px 0px;height:90px;overflow:hidden;text-align:right; clear:both;"] ucatholic.com##div\[style="padding:5px 0 5px 0; text-align:center"] avforums.com##div\[style="padding:5px 0px 0px 0px"] usfinancepost.com##div\[style="padding:5px 15px 5px 0px;"] @@ -90379,10 +94092,8 @@ imtranslator.net##div\[style="padding:5px;margin:5px;border:1px solid #21497D;"] championsradio.com##div\[style="position: absolute; left: 0px; top: 259px;"] championsradio.com##div\[style="position: absolute; left: 630px; top: 283px;"] yourvideohost.com##div\[style="position: absolute; width: 300px; height: 250px; margin-left: -150px; left: 50%; margin-top: -125px; top: 50%; background-color: transparent;z-index:98;"] -videofun.me##div\[style="position: absolute; width: 300px; height: 275px; left: 150px; top: 79px; background: url(\"http://byzoo.org/msg.png\") no-repeat scroll center center transparent;"] play44.net,video44.net##div\[style="position: absolute; width: 300px; height: 275px; left: 150px; top: 79px; z-index: 999;"] -indiatimes.com##div\[style="position: fixed; left: 0px; top: 0px; bottom: 0px; cursor: pointer; width: 450px;"] -indiatimes.com##div\[style="position: fixed; right: 0px; top: 0px; bottom: 0px; cursor: pointer; width: 450px;"] +videobam.com##div\[style="position: fixed; width: 100%; text-align: left; height: 38px; padding-bottom: 2px; background: rgb(253, 237, 167) none repeat scroll 0% 0%; top: -0.000756667px; left: 0px; font-family: Arial; font-size: 15px; border-bottom: 1px solid rgb(214, 214, 214); min-width: 700px; z-index: 2147483647;"] roundgames.com##div\[style="position: relative; height: 110px;"] lbcgroup.tv##div\[style="position: relative; height: 250px; width: 300px;"] ampgames.com##div\[style="position: relative; height: 260px;"] @@ -90390,10 +94101,12 @@ educationpost.com.hk##div\[style="position: relative; width: 300px; height: 280p newera.com.na##div\[style="position: relative; width: 620px; height: 80px;"] bestreams.net##div\[style="position: relative; width: 800px; height: 440px;"] kusc.org##div\[style="position: relative; width: 900px; height: 250px; left: -300px;"] -allmyvideos.net,vidspot.net##div\[style="position: relative;"]:first-child > div\[id^="O"]\[style]:first-child -streamin.to##div\[style="position: relative;width: 800px;height: 440px;"] +vidspot.net##div\[style="position: relative;"]:first-child > div\[id^="O"]\[style]:first-child +streamtuner.me##div\[style="position: relative;top: -45px;"] +skyvids.net,streamin.to##div\[style="position: relative;width: 800px;height: 440px;"] topfriv.com##div\[style="position:absolute; background:#201F1D; top:15px; right:60px; width:728px; height:90px;"] sharerepo.com##div\[style="position:absolute; top:10%; left:0%; width:300px; height:100%; z-index:1;"] +dubbedonline.co##div\[style="position:absolute;background:#000000 URL(../image/black.gif);text-align:center;width:728px;height:410px;"] theoffside.com##div\[style="position:absolute;left:10px;top:138px;width:160px;height:600px;border:1px solid #ffffff;"] i6.com##div\[style="position:absolute;top: 240px; left:985px;width: 320px;"] hypable.com##div\[style="position:relative; float:left; width:300px; min-height:250px; background-color:grey;"] @@ -90401,12 +94114,12 @@ hypable.com##div\[style="position:relative; float:left; width:300px; min-height: hypable.com##div\[style="position:relative; margin:0 auto; width:100%; padding:30px 0px; text-align: center; min-height:90px;"] mmorpg.com##div\[style="position:relative; margin:0px; width:100%; height:90px; clear:both; padding-top:12px; text-align:center;"] healthcastle.com##div\[style="position:relative; width: 300px; height: 280px;"] +opiniojuris.org##div\[style="position:relative; width:300px; height:250px; overflow:hidden"] hypixel.net##div\[style="position:relative; width:728px; margin: auto;"] buyselltrade.ca##div\[style="position:relative;overflow:hidden;width:728px;height:90px;"] shalomtv.com##div\[style="position:relative;width:468px;height:60px;overflow:hidden"] fastvideo.eu##div\[style="position:relative;width:896px;height:370px;margin: 0 auto;backgroud:;"] > \[id]:first-child baltimorestyle.com##div\[style="text-align : center ;margin-left : auto ;margin-right : auto ;position : relative ;background-color:#ffffff;height:100px;padding-top:10px;"] -businesstech.co.za##div\[style="text-align: center; border: 1px solid #DFDFE1; margin-bottom: 12px; padding: 6px; text-align: center;"] notalwaysright.com##div\[style="text-align: center; display: block; padding-top: 30px;"] centurylink.net##div\[style="text-align: center; font-size: 11px;"] rofl.to##div\[style="text-align: center; height:60px; width:468px;"] @@ -90428,7 +94141,8 @@ eatingwell.com##div\[style="text-align:center; min-height:90px;"] customize.org##div\[style="text-align:center; padding:0px 0px 20px 0px; width: 100%; height: 90px;"] customize.org##div\[style="text-align:center; padding:20px 0px 0px 0px; width: 100%; height: 90px;"] legacy.com##div\[style="text-align:center; padding:2px 0 3px 0;"] -nowdownload.ag,nowdownload.at,nowdownload.ch,nowdownload.co,nowdownload.sx##div\[style="text-align:center; vertical-align:middle; height:250px;"] +nowdownload.ag,nowdownload.ch,nowdownload.co,nowdownload.ec,nowdownload.sx##div\[style="text-align:center; vertical-align:middle; height:250px;"] +clutchmagonline.com##div\[style="text-align:center; width:300px; margin: 20px auto"] cinemablend.com##div\[style="text-align:center;"] geekzone.co.nz##div\[style="text-align:center;clear:both;height:20px;"] iloubnan.info##div\[style="text-align:center;color:black;font-size:10px;"] @@ -90436,9 +94150,9 @@ techguy.org##div\[style="text-align:center;height:101px;width:100%;"] theawesomer.com##div\[style="text-align:center;padding:20px 0px 0px 0px;height:90px;width:100%;clear:both;"] imcdb.org##div\[style="text-align:center;width:150px;font-family:Arial;"] statscrop.com##div\[style="text-align:left; margin-left:5px; clear:both;"]:first-child +zrtp.org##div\[style="text-align:left;display:block;margin-right:auto;margin-left:auto"] carpoint.com.au##div\[style="text-align:right;font-size:10px;color:#999;padding:4px;border:solid #ccc;border-width:0"] mocpages.com##div\[style="vertical-align:middle; width:728; height:90; max-width:728; max-height:90; border:1px solid #888;"] -griquasrugby.co.za##div\[style="visibility: visible; left: 0px; top: 0px; min-width: 452px; min-height: 120px; position: absolute;"] neowin.net##div\[style="white-space:nowrap;overflow: hidden; min-height:120px; margin-top:0; margin-bottom:0;"] politicususa.com##div\[style="width: 100%; height: 100px; margin: -8px auto 7px auto;"] chron.com##div\[style="width: 100%; height: 90px; margin-bottom: 8px; float: left;"] @@ -90456,10 +94170,11 @@ vr-zone.com##div\[style="width: 160px; height: 600px"] brandeating.com##div\[style="width: 160px; height: 600px; overflow: visible;"] performanceboats.com##div\[style="width: 160px; height: 600px;"] kidzworld.com##div\[style="width: 160px; height: 617px; margin: auto;"] +wrip979.com##div\[style="width: 160px; height: 627px"] disclose.tv##div\[style="width: 160px;"] concrete.tv##div\[style="width: 180px; height: 360px; border: 1px solid white;"] +porttechnology.org##div\[style="width: 192px; height: 70px;"] checkip.org##div\[style="width: 250px; margin-left: 25px;margin-top:10px;"] -griquasrugby.co.za##div\[style="width: 282px; height: 119px; margin: 0px;"] whodoyouthinkyouaremagazine.com##div\[style="width: 290px; height: 100px; padding: 5px; margin-bottom: 5px; clear: both;"] mmoculture.com##div\[style="width: 290px; height: 250px;"] mmoculture.com##div\[style="width: 290px; height: 600px;"] @@ -90493,7 +94208,6 @@ socialblade.com##div\[style="width: 300px; height: 250px; margin: 0px auto 10px pcworld.com##div\[style="width: 300px; height: 250px; margin:0 auto 20px; overflow:hidden;"] looklocal.co.za##div\[style="width: 300px; height: 250px; overflow: auto;"] benzinga.com,newstalk.ie,newswhip.ie##div\[style="width: 300px; height: 250px; overflow: hidden;"] -timesofindia.indiatimes.com##div\[style="width: 300px; height: 250px; overflow:hidden"] mbworld.org##div\[style="width: 300px; height: 250px; overflow:hidden;"] ukfree.tv##div\[style="width: 300px; height: 250px; padding-top: 10px"] washingtonmonthly.com##div\[style="width: 300px; height: 250px; padding: 15px 50px; margin-bottom: 20px; background: #ccc;"] @@ -90502,7 +94216,6 @@ compasscayman.com##div\[style="width: 300px; height: 250px;float: left;"] usedcars.com##div\[style="width: 300px; height: 265px"] ebay.co.uk##div\[style="width: 300px; height: 265px; overflow: hidden; display: block;"] kidzworld.com##div\[style="width: 300px; height: 267px; margin: auto;"] -supersport.com##div\[style="width: 300px; height: 320px; margin: 0 0 0 10px;"] wnd.com##div\[style="width: 300px; height: 600px"] socialblade.com##div\[style="width: 300px; height: 600px; margin: 20px auto 10px auto;"] urbandictionary.com,wraltechwire.com##div\[style="width: 300px; height: 600px;"] @@ -90512,10 +94225,11 @@ digitalphotopro.com##div\[style="width: 300px; text-align: center;"] vitals.com##div\[style="width: 300px; text-align:right"] hollywoodnews.com,wnd.com##div\[style="width: 300px;height: 250px;"] wnd.com##div\[style="width: 300px;height: 600px;"] -askkissy.com,babesandkidsreview.com##div\[style="width: 304px; height: 280px; outline: 1px solid #808080; padding-top: 2px; text-align: center; background-color: #fff;"] +babesandkidsreview.com##div\[style="width: 304px; height: 280px; outline: 1px solid #808080; padding-top: 2px; text-align: center; background-color: #fff;"] cheatcc.com##div\[style="width: 308px; text-align: right; font-size: 11pt;"] phonearena.com##div\[style="width: 320px; height: 250px; border-top: 1px dotted #ddd; padding: 17px 20px 17px 0px;"] -thetruthaboutguns.com##div\[style="width: 320px; height:600px;"] +weaselzippers.us##div\[style="width: 320px; height:600px; margin-top:190px;"] +thetruthaboutguns.com,weaselzippers.us##div\[style="width: 320px; height:600px;"] windows7download.com##div\[style="width: 336px; height:280px;"] wellness.com##div\[style="width: 336px; padding: 0 0 0 15px; height:280px;"] theday.com##div\[style="width: 468px; height: 60px; border: 1px solid #eeeeee; margin: 5px 0; clear: both;"] @@ -90523,8 +94237,6 @@ way2sms.com##div\[style="width: 468px; height: 60px; margin-left: 140px;"] scriptcopy.com##div\[style="width: 468px; height: 60px; text-align: center; display: block; margin: 0pt auto; background-color:#eee;"] mmoculture.com##div\[style="width: 468px; height: 60px;"] win7dl.com##div\[style="width: 570px; margin: 0 auto;"] -zimeye.com##div\[style="width: 575px; height: 232px; padding: 6px 6px 6px 0; float: left; margin-left: 0; margin-right: 1px;"] -whoisology.com##div\[style="width: 66%; float:left;text-align:center;margin-top:30px;vertical-align:top;background:#fff;"] > .container-fluid\[style="padding-right:0;margin-right:0"] redorbit.com##div\[style="width: 700px; height: 250px; overflow: hidden;"] hiphopstan.com##div\[style="width: 700px; height: 270px; margin-left: auto; margin-right: auto; clear: both;"] sharingcentre.net##div\[style="width: 700px; margin: 0 auto;"] @@ -90546,10 +94258,12 @@ itnews.com.au##div\[style="width: 728px; height:90px; margin-left: auto; margin- bravejournal.com##div\[style="width: 728px; margin: 0 auto;"] zoklet.net##div\[style="width: 728px; margin: 3px auto;"] wnd.com##div\[style="width: 728px;height: 90px"] +f-picture.net##div\[style="width: 730px; height: 90px; padding: 0px; padding-left: 10px; margin: 0px; border-style: none; border-width: 0px; overflow: hidden;"] news-panel.com##div\[style="width: 730px; height: 95px;"] elitistjerks.com##div\[style="width: 730px; margin: 0 auto"] quikr.com##div\[style="width: 735px; height: 125px;"] freemake.com##div\[style="width: 735px; height:60px; margin: 0px auto; padding-bottom:40px;"] +radiosurvivor.com##div\[style="width: 750px; height: 90px; border: padding-left:25px; margin-left:auto; margin-right:auto; padding-bottom: 40px; max-width:100%"] shop.com##div\[style="width: 819px; border:1px solid #cccccc; "] shop.com##div\[style="width: 819px; height: 124px; border:1px solid #cccccc; "] betterpropaganda.com##div\[style="width: 848px; height: 91px; margin: 0; position: relative;"] @@ -90570,6 +94284,7 @@ zedomax.com##div\[style="width:100%;height:280px;"] wattpad.com##div\[style="width:100%;height:90px;text-align:center"] techcentral.ie##div\[style="width:1000px; height:90px; margin:auto"] flixist.com##div\[style="width:1000px; padding:0px; margin-left:auto; margin-right:auto; margin-bottom:10px; margin-top:10px; height:90px;"] +newhampshire.com,unionleader.com##div\[style="width:100px;height:38px;float:right;margin-left:10px"] techbrowsing.com##div\[style="width:1045px;height:90px;margin-top: 15px;"] strangecosmos.com##div\[style="width:120px; height:600;"] egyptindependent.com##div\[style="width:120px;height:600px;"] @@ -90589,24 +94304,22 @@ brothersoft.com##div\[style="width:160px; height:600px;margin:0px auto;"] gogetaroomie.com##div\[style="width:160px; height:616px;background: #ffffff; margin-top:10px; margin-bottom:10px;"] forums.eteknix.com##div\[style="width:160px; margin:10px auto; height:600px;"] downloadcrew.com##div\[style="width:160px;height:160px;margin-bottom:10px;"] -belfasttelegraph.co.uk,vipleague.se,wxyz.com##div\[style="width:160px;height:600px;"] +belfasttelegraph.co.uk,wxyz.com##div\[style="width:160px;height:600px;"] downloadcrew.com##div\[style="width:160px;height:600px;margin-bottom:10px;"] -thephoenix.com##div\[style="width:160px;height:602px;border:0;margin:0;padding:0;"] leitesculinaria.com##div\[style="width:162px; height:600px; float:left;"] leitesculinaria.com##div\[style="width:162px; height:600px; float:right;"] undsports.com##div\[style="width:170px;height:625px;overflow:hidden;background-color:#ffffff;border:1px solid #c3c3c3"] -caymannewsservice.com##div\[style="width:175px; height:200px; margin:0px auto;"] wantitall.co.za##div\[style="width:195px; height:600px; text-align:center"] mlmhelpdesk.com##div\[style="width:200px; height:200px;"] -indiatimes.com##div\[style="width:210px;height:70px;float:left;padding:0 0 0 8px"] today.az##div\[style="width:229px; height:120px;"] theadvocate.com##div\[style="width:240px;height:90px;background:#eee; margin-top:5px;float:right;"] -azernews.az##div\[style="width:250px; height:250px;"] +newzimbabwe.com##div\[style="width:250px; height:250px;"] today.az##div\[style="width:255px; height:120px;"] exchangerates.org.uk##div\[style="width:255px;text-align:left;background:#fff;margin:15px 0 15px 0;"] linksrank.com##div\[style="width:260px; align:left"] webstatschecker.com##div\[style="width:260px; text-align:left"] chinadaily.com.cn##div\[style="width:275px;height:250px;border:none;padding:0px;margin:0px;overflow:hidden;"] +101greatgoals.com##div\[style="width:280px;height:440px;"] cinemablend.com##div\[style="width:290px;height:600px;"] cinemablend.com##div\[style="width:290px;height:606px;"] samoaobserver.ws##div\[style="width:297px; height:130px;"] @@ -90620,7 +94333,7 @@ redflagflyinghigh.com,wheninmanila.com##div\[style="width:300px; height: 250px;" shape.com##div\[style="width:300px; height: 255px; overflow:auto;"] itweb.co.za##div\[style="width:300px; height: 266px; overflow: hidden; margin: 0"] jerusalemonline.com##div\[style="width:300px; height: 284px; padding-top: 10px; padding-bottom: 10px; border: 1px solid #ffffff; float:right"] -foxsportsasia.com,windsorite.ca##div\[style="width:300px; height:100px;"] +foxsportsasia.com##div\[style="width:300px; height:100px;"] girlgames.com##div\[style="width:300px; height:118px; margin-bottom:6px;"] midweek.com##div\[style="width:300px; height:135px; float:left;"] encyclopedia.com,thirdage.com##div\[style="width:300px; height:250px"] @@ -90628,6 +94341,7 @@ herplaces.com##div\[style="width:300px; height:250px; background-color:#CCC;"] iskullgames.com##div\[style="width:300px; height:250px; border: 2px solid #3a3524;"] videoweed.es##div\[style="width:300px; height:250px; display:block; border:1px solid #CCC;"] picocent.com##div\[style="width:300px; height:250px; margin-bottom: 35px;"] +earthsky.org##div\[style="width:300px; height:250px; margin-bottom:25px;"] gametracker.com##div\[style="width:300px; height:250px; margin-bottom:8px; overflow:hidden;"] midweek.com##div\[style="width:300px; height:250px; margin: 5px 0px; float:left;"] inrumor.com##div\[style="width:300px; height:250px; margin:0 0 10px 0;"] @@ -90635,19 +94349,19 @@ funny-city.com,techsupportforum.com##div\[style="width:300px; height:250px; marg filesfrog.com##div\[style="width:300px; height:250px; overflow: hidden;"] search.ch##div\[style="width:300px; height:250px; overflow:hidden"] worldtvpc.com##div\[style="width:300px; height:250px; padding:8px; margin:auto"] -adforum.com,alliednews.com,americustimesrecorder.com,andovertownsman.com,athensreview.com,batesvilleheraldtribune.com,bdtonline.com,box10.com,chickashanews.com,claremoreprogress.com,cleburnetimesreview.com,clintonherald.com,commercejournal.com,commercial-news.com,coopercrier.com,cordeledispatch.com,corsicanadailysun.com,crossville-chronicle.com,cullmantimes.com,dailyiowegian.com,dailyitem.com,daltondailycitizen.com,derrynews.com,downloadhelper.net,duncanbanner.com,eagletribune.com,edmondsun.com,effinghamdailynews.com,enewscourier.com,enidnews.com,farmtalknewspaper.com,fayettetribune.com,flasharcade.com,flashgames247.com,flyergroup.com,forzaitalianfootball.com,foxsportsasia.com,futuresmag.com,gainesvilleregister.com,gloucestertimes.com,goshennews.com,greensburgdailynews.com,harpersbazaar.com,heraldbanner.com,heraldbulletin.com,hgazette.com,homemagonline.com,i-dressup.com,itemonline.com,jacksonvilleprogress.com,jerusalemonline.com,joplinglobe.com,journal-times.com,journalexpress.net,kokomotribune.com,lockportjournal.com,mankatofreepress.com,mcalesternews.com,mccrearyrecord.com,mcleansborotimesleader.com,meadvilletribune.com,mediaite.com,meridianstar.com,mineralwellsindex.com,montgomery-herald.com,mooreamerican.com,moultrieobserver.com,muskogeephoenix.com,ncnewsonline.com,newburyportnews.com,newsaegis.com,newsandtribune.com,newverhost.com,niagara-gazette.com,njeffersonnews.com,normantranscript.com,nypress.com,opposingviews.com,orangeleader.com,oskaloosa.com,ottumwacourier.com,palestineherald.com,panews.com,paulsvalleydailydemocrat.com,peekyou.com,pellachronicle.com,pharostribune.com,pressrepublican.com,pryordailytimes.com,psx-scene.com,randolphguide.com,record-eagle.com,register-herald.com,register-news.com,reporter.net,rockwallheraldbanner.com,roysecityheraldbanner.com,rushvillerepublican.com,salemnews.com,sentinel-echo.com,sharonherald.com,shelbyvilledailyunion.com,siteslike.com,soaps.sheknows.com,standardmedia.co.ke,starbeacon.com,stwnewspress.com,suwanneedemocrat.com,tahlequahdailypress.com,theadanews.com,thedailystar.com,thelandonline.com,themoreheadnews.com,thesnaponline.com,tiftongazette.com,times-news.com,timesenterprise.com,timesofindia.indiatimes.com,timessentinel.com,timeswv.com,tonawanda-news.com,tribdem.com,tribstar.com,unionrecorder.com,upi.com,valdostadailytimes.com,washtimesherald.com,waurikademocrat.com,wcoutlook.com,weatherforddemocrat.com,windsorite.ca,woodwardnews.net##div\[style="width:300px; height:250px;"] +adforum.com,alliednews.com,americustimesrecorder.com,andovertownsman.com,athensreview.com,batesvilleheraldtribune.com,bdtonline.com,chickashanews.com,claremoreprogress.com,cleburnetimesreview.com,clintonherald.com,commercejournal.com,commercial-news.com,coopercrier.com,cordeledispatch.com,corsicanadailysun.com,crossville-chronicle.com,cullmantimes.com,dailyiowegian.com,dailyitem.com,daltondailycitizen.com,derrynews.com,duncanbanner.com,eagletribune.com,edmondsun.com,effinghamdailynews.com,enewscourier.com,enidnews.com,farmtalknewspaper.com,fayettetribune.com,flasharcade.com,flashgames247.com,flyergroup.com,foxsportsasia.com,gainesvilleregister.com,gloucestertimes.com,goshennews.com,greensburgdailynews.com,heraldbanner.com,heraldbulletin.com,hgazette.com,homemagonline.com,itemonline.com,jacksonvilleprogress.com,jerusalemonline.com,joplinglobe.com,journal-times.com,journalexpress.net,kexp.org,kokomotribune.com,lockportjournal.com,mankatofreepress.com,mcalesternews.com,mccrearyrecord.com,mcleansborotimesleader.com,meadvilletribune.com,meridianstar.com,mineralwellsindex.com,montgomery-herald.com,mooreamerican.com,moultrieobserver.com,muskogeephoenix.com,ncnewsonline.com,newburyportnews.com,newsaegis.com,newsandtribune.com,niagara-gazette.com,njeffersonnews.com,normantranscript.com,opposingviews.com,orangeleader.com,oskaloosa.com,ottumwacourier.com,palestineherald.com,panews.com,paulsvalleydailydemocrat.com,pellachronicle.com,pharostribune.com,pressrepublican.com,pryordailytimes.com,randolphguide.com,record-eagle.com,register-herald.com,register-news.com,reporter.net,rockwallheraldbanner.com,roysecityheraldbanner.com,rushvillerepublican.com,salemnews.com,sentinel-echo.com,sharonherald.com,shelbyvilledailyunion.com,siteslike.com,standardmedia.co.ke,starbeacon.com,stwnewspress.com,suwanneedemocrat.com,tahlequahdailypress.com,theadanews.com,thedailystar.com,thelandonline.com,themoreheadnews.com,thesnaponline.com,tiftongazette.com,times-news.com,timesenterprise.com,timessentinel.com,timeswv.com,tonawanda-news.com,tribdem.com,tribstar.com,unionrecorder.com,valdostadailytimes.com,washtimesherald.com,waurikademocrat.com,wcoutlook.com,weatherforddemocrat.com,woodwardnews.net##div\[style="width:300px; height:250px;"] snewsnet.com##div\[style="width:300px; height:250px;border:0px;"] cnn.com##div\[style="width:300px; height:250px;overflow:hidden;"] ego4u.com##div\[style="width:300px; height:260px; padding-top:10px"] jerusalemonline.com##div\[style="width:300px; height:265px;"] gogetaroomie.com##div\[style="width:300px; height:266px; background: #ffffff; margin-bottom:10px;"] topgear.com##div\[style="width:300px; height:306px; padding-top: 0px;"] -windsorite.ca##div\[style="width:300px; height:400px;"] -jerusalemonline.com,race-dezert.com,windsorite.ca##div\[style="width:300px; height:600px;"] +jerusalemonline.com,race-dezert.com##div\[style="width:300px; height:600px;"] worldscreen.com##div\[style="width:300px; height:65px; background-color:#ddd;"] standard.co.uk##div\[style="width:300px; margin-bottom:20px; background-color:#f5f5f5;"] uesp.net##div\[style="width:300px; margin-left: 120px;"] miamitodaynews.com##div\[style="width:300px; margin:0 auto;"] +windsorite.ca##div\[style="width:300px; min-height: 600px;"] forzaitalianfootball.com##div\[style="width:300px; min-height:250px; max-height:600px;"] yourmindblown.com##div\[style="width:300px; min-height:250px; padding:10px 0px;"] etfdailynews.com##div\[style="width:300px;border:1px solid black"] @@ -90655,8 +94369,8 @@ egyptindependent.com##div\[style="width:300px;height:100px;"] independent.com##div\[style="width:300px;height:100px;margin-left:10px;margin-top:15px;margin-bottom:15px;"] snewsnet.com##div\[style="width:300px;height:127px;border:0px;"] smh.com.au##div\[style="width:300px;height:163px;"] -1071thez.com,classichits987.com,indiana105.com,kgrt.com,wakeradio.com,xrock1039.com##div\[style="width:300px;height:250px"] -afterdawn.com,egyptindependent.com,flyertalk.com,hairboutique.com,itnews.com.au,leftfootforward.org,news92fm.com,nfl.com,nowtoronto.com,techcareers.com,tuoitrenews.vn,vipleague.se##div\[style="width:300px;height:250px;"] +1071thez.com,classichits987.com,funnyjunk.com,indiana105.com,kgrt.com,pocket-lint.com,wakeradio.com,xrock1039.com##div\[style="width:300px;height:250px"] +afterdawn.com,egyptindependent.com,flyertalk.com,hairboutique.com,itnews.com.au,leftfootforward.org,news92fm.com,nfl.com,nowtoronto.com,techcareers.com,tuoitrenews.vn,wowcrunch.com##div\[style="width:300px;height:250px;"] kohit.net##div\[style="width:300px;height:250px;background-color:#000000;"] winrumors.com##div\[style="width:300px;height:250px;background:#c0c8ce;"] ysr1560.com##div\[style="width:300px;height:250px;border:1pt #444444 solid;position:relative;left:5px;"] @@ -90679,7 +94393,6 @@ weartv.com##div\[style="width:303px;background-color:#336699;font-size:10px;colo newsblaze.com##div\[style="width:305px;height:250px;float:left;"] houserepairtalk.com##div\[style="width:305px;height:251px;"] whois.net##div\[style="width:320px; float:right; text-align:center;"] -gamesfree.ca##div\[style="width:322px;"] tomopop.com##div\[style="width:330px; overflow:hidden;"] worldtvpc.com##div\[style="width:336px; height:280px; padding:8px; margin:auto"] geekzone.co.nz,standardmedia.co.ke##div\[style="width:336px; height:280px;"] @@ -90690,6 +94403,7 @@ zedomax.com##div\[style="width:336px;height:280px;float:center;"] maximumpcguides.com##div\[style="width:336px;height:280px;margin:0 auto"] auto-types.com##div\[style="width:337px;height:280px;float:right;margin-top:5px;"] techsonia.com##div\[style="width:337px;height:298px;border:1px outset blue;"] +worldwideweirdnews.com##div\[style="width:341px; height:285px;float:left; display:inline-block"] mapsofindia.com##div\[style="width:345px;height:284px;float:left;"] keo.co.za##div\[style="width:350px;height:250px;float:left;"] catholicworldreport.com##div\[style="width:350px;height:275px;background:#e1e1e1;padding:25px 0px 0px 0px; margin: 10px 0;"] @@ -90697,7 +94411,6 @@ hostcabi.net##div\[style="width:350px;height:290px;float:left"] internet.com##div\[style="width:350px;margin-bottom:5px;"] internet.com##div\[style="width:350px;text-align:center;margin-bottom:5px"] gamepressure.com##div\[style="width:390px;height:300px;float:right;"] -caymannewsservice.com##div\[style="width:450px; height:100px; margin:0px auto;"] top4download.com##div\[style="width:450px;height:205px;clear:both;"] worldscreen.com##div\[style="width:468px; height:60px; background-color:#ddd;"] bfads.net##div\[style="width:468px; height:60px; margin:0 auto 0 auto;"] @@ -90708,14 +94421,15 @@ independent.com##div\[style="width:468px;height:60px;margin:10px 35px;clear:both jwire.com.au##div\[style="width:468px;height:60px;margin:10px auto;"] kwongwah.com.my##div\[style="width:468px;height:60px;text-align:center;margin-bottom:10px;"] kwongwah.com.my##div\[style="width:468px;height:60px;text-align:center;margin:20px 0 10px;"] +standardmedia.co.ke##div\[style="width:470px; height:100px; margin:20px;"] southcoasttoday.com##div\[style="width:48%; border:1px solid #3A6891; margin-top:20px;"] limelinx.com##div\[style="width:480px; height:60px;"] weatherbug.com##div\[style="width:484px; height:125px; background:#FFFFFF; overflow:hidden;"] reactiongifs.com##div\[style="width:499px; background:#ffffff; margin:00px 0px 35px 180px; padding:20px 0px 20px 20px; "] classiccars.com##div\[style="width:515px;border-style:solid;border-width:thin;border-color:transparent;padding-left:10px;padding-top:10px;padding-right:10px;padding-bottom:10px;background-color:#CFCAC4"] wwitv.com##div\[style="width:520px;height:100px"] -caymannewsservice.com##div\[style="width:550px; height:100px; margin:0px auto;"] toorgle.net##div\[style="width:550px;margin-bottom:15px;font-family:arial,serif;font-size:10pt;"] +lifewithcats.tv##div\[style="width:600px; height:300px;"] techgage.com##div\[style="width:600px; height:74px;"] chrome-hacks.net##div\[style="width:600px;height:250px;"] hiphopwired.com##div\[style="width:639px;height:260px;margin-top:20px;"] @@ -90735,14 +94449,14 @@ bangkokpost.com##div\[style="width:728px; height:90px; margin-left: auto; margin relationshipcolumns.com##div\[style="width:728px; height:90px; margin-top:18px;"] mustangevolution.com##div\[style="width:728px; height:90px; margin: 0 auto;"] canadapost.ca##div\[style="width:728px; height:90px; margin: auto; text-align: center; padding: 10px;"] -gta3.com,gtagarage.com,gtasanandreas.net##div\[style="width:728px; height:90px; margin:0 auto"] +gta3.com,gtagarage.com,gtasanandreas.net,myanimelist.net##div\[style="width:728px; height:90px; margin:0 auto"] fas.org##div\[style="width:728px; height:90px; margin:10px 0 20px 0;"] herplaces.com##div\[style="width:728px; height:90px; margin:12px auto;"] motionempire.me##div\[style="width:728px; height:90px; margin:20px auto 10px; padding:0;"] imgbox.com##div\[style="width:728px; height:90px; margin:auto; margin-bottom:8px;"] dodgeforum.com,hondamarketplace.com##div\[style="width:728px; height:90px; overflow:hidden; margin:0 auto;"] freeforums.org,scottishamateurfootballforum.com##div\[style="width:728px; height:90px; padding-bottom:20px;"] -alliednews.com,americustimesrecorder.com,andovertownsman.com,androidpolice.com,athensreview.com,azernews.az,batesvilleheraldtribune.com,bdtonline.com,boards.ie,chickashanews.com,claremoreprogress.com,cleburnetimesreview.com,clintonherald.com,commercejournal.com,commercial-news.com,cookingforengineers.com,coopercrier.com,cordeledispatch.com,corsicanadailysun.com,crossville-chronicle.com,cullmantimes.com,dailyiowegian.com,dailyitem.com,daltondailycitizen.com,derrynews.com,duncanbanner.com,eagletribune.com,edmondsun.com,effinghamdailynews.com,enewscourier.com,enidnews.com,farmtalknewspaper.com,fayettetribune.com,findthebest.com,flyergroup.com,forzaitalianfootball.com,gainesvilleregister.com,gloucestertimes.com,goshennews.com,greensburgdailynews.com,heraldbanner.com,heraldbulletin.com,hgazette.com,homemagonline.com,itemonline.com,jacksonvilleprogress.com,joplinglobe.com,journal-times.com,journalexpress.net,kokomotribune.com,lockportjournal.com,mankatofreepress.com,mcalesternews.com,mccrearyrecord.com,mcleansborotimesleader.com,meadvilletribune.com,meridianstar.com,mineralwellsindex.com,montgomery-herald.com,mooreamerican.com,moultrieobserver.com,muskogeephoenix.com,ncnewsonline.com,newburyportnews.com,newsaegis.com,newsandtribune.com,niagara-gazette.com,njeffersonnews.com,normantranscript.com,orangeleader.com,oskaloosa.com,ottumwacourier.com,palestineherald.com,panews.com,paulsvalleydailydemocrat.com,pellachronicle.com,pharostribune.com,pressrepublican.com,pryordailytimes.com,randolphguide.com,record-eagle.com,register-herald.com,register-news.com,reporter.net,rockwallheraldbanner.com,roysecityheraldbanner.com,rushvillerepublican.com,salemnews.com,sentinel-echo.com,sharonherald.com,shelbyvilledailyunion.com,starbeacon.com,stwnewspress.com,suwanneedemocrat.com,tahlequahdailypress.com,theadanews.com,thedeadwood.co.uk,thelandonline.com,themoreheadnews.com,thesnaponline.com,tiftongazette.com,times-news.com,timesenterprise.com,timessentinel.com,timeswv.com,tonawanda-news.com,tribdem.com,tribstar.com,ualpilotsforum.org,unionrecorder.com,valdostadailytimes.com,washtimesherald.com,waurikademocrat.com,wcoutlook.com,weatherforddemocrat.com,woodwardnews.net##div\[style="width:728px; height:90px;"] +alliednews.com,americustimesrecorder.com,andovertownsman.com,androidpolice.com,athensreview.com,batesvilleheraldtribune.com,bdtonline.com,boards.ie,chickashanews.com,claremoreprogress.com,cleburnetimesreview.com,clintonherald.com,commercejournal.com,commercial-news.com,cookingforengineers.com,coopercrier.com,cordeledispatch.com,corsicanadailysun.com,crossville-chronicle.com,cullmantimes.com,dailyiowegian.com,dailyitem.com,daltondailycitizen.com,derrynews.com,duncanbanner.com,eagletribune.com,edmondsun.com,effinghamdailynews.com,enewscourier.com,enidnews.com,farmtalknewspaper.com,fayettetribune.com,flyergroup.com,forzaitalianfootball.com,gainesvilleregister.com,gloucestertimes.com,goshennews.com,greensburgdailynews.com,heraldbanner.com,heraldbulletin.com,hgazette.com,homemagonline.com,itemonline.com,jacksonvilleprogress.com,joplinglobe.com,journal-times.com,journalexpress.net,kokomotribune.com,lockportjournal.com,mankatofreepress.com,mcalesternews.com,mccrearyrecord.com,mcleansborotimesleader.com,meadvilletribune.com,meridianstar.com,mineralwellsindex.com,montgomery-herald.com,mooreamerican.com,moultrieobserver.com,muskogeephoenix.com,ncnewsonline.com,newburyportnews.com,newsaegis.com,newsandtribune.com,niagara-gazette.com,njeffersonnews.com,normantranscript.com,orangeleader.com,oskaloosa.com,ottumwacourier.com,palestineherald.com,panews.com,paulsvalleydailydemocrat.com,pellachronicle.com,pharostribune.com,pressrepublican.com,pryordailytimes.com,randolphguide.com,record-eagle.com,register-herald.com,register-news.com,reporter.net,rockwallheraldbanner.com,roysecityheraldbanner.com,rushvillerepublican.com,salemnews.com,sentinel-echo.com,sharonherald.com,shelbyvilledailyunion.com,starbeacon.com,stwnewspress.com,suwanneedemocrat.com,tahlequahdailypress.com,theadanews.com,thedeadwood.co.uk,thelandonline.com,themoreheadnews.com,thesnaponline.com,tiftongazette.com,times-news.com,timesenterprise.com,timessentinel.com,timeswv.com,tonawanda-news.com,tribdem.com,tribstar.com,ualpilotsforum.org,unionrecorder.com,valdostadailytimes.com,washtimesherald.com,waurikademocrat.com,wcoutlook.com,weatherforddemocrat.com,woodwardnews.net##div\[style="width:728px; height:90px;"] theepochtimes.com##div\[style="width:728px; height:90px;margin:10px auto 0 auto;"] thedailystar.com##div\[style="width:728px; height:90px;position: relative; z-index: 1000 !important"] highdefjunkies.com##div\[style="width:728px; margin:0 auto; padding-bottom:1em"] @@ -90752,11 +94466,12 @@ kavkisfile.com##div\[style="width:728px; text-align:center;font-family:verdana;f net-temps.com##div\[style="width:728px;height:100px;margin-left:auto;margin-right:auto"] ipernity.com##div\[style="width:728px;height:100px;margin:0 auto;"] tictacti.com##div\[style="width:728px;height:110px;text-align:center;margin: 10px 0 20px 0; background-color: White;"] -1071thez.com,classichits987.com,indiana105.com,kgrt.com,wakeradio.com,xrock1039.com##div\[style="width:728px;height:90px"] +1071thez.com,classichits987.com,indiana105.com,kgrt.com,pocket-lint.com,wakeradio.com,xrock1039.com##div\[style="width:728px;height:90px"] footballfancast.com##div\[style="width:728px;height:90px; margin: 0 auto 10px;"] wxyz.com##div\[style="width:728px;height:90px;"] roxigames.com##div\[style="width:728px;height:90px;\a border:1px solid blue;"] sualize.us##div\[style="width:728px;height:90px;background:#bbb;margin:0 auto;"] +dubbedonline.co##div\[style="width:728px;height:90px;display:block;margin-top:10px;bottom:-10px;position:relative;"] videohelp.com##div\[style="width:728px;height:90px;margin-left: auto ; margin-right: auto ;"] raaga.com##div\[style="width:728px;height:90px;margin-top:10px;margin-bottom:10px"] delishows.com##div\[style="width:728px;height:90px;margin:0 auto"] @@ -90773,7 +94488,7 @@ putme.org##div\[style="width:728px;margin:0 auto;"] solomid.net##div\[style="width:728px;padding:5px;background:#000;margin:auto"] proxynova.com##div\[style="width:730px; height:90px;"] usfinancepost.com##div\[style="width:730px;height:95px;display:block;margin:0 auto;"] -movie4k.to,movie4k.tv##div\[style="width:742px"] > div\[style="min-height:170px;"] > .moviedescription + br + a +movie.to,movie4k.me,movie4k.to,movie4k.tv##div\[style="width:742px"] > div\[style="min-height:170px;"] > .moviedescription + br + a dawn.com##div\[style="width:745px;height:90px;margin:auto;margin-bottom:20px;"] 1fichier.com##div\[style="width:750px;height:110px;margin:auto"] imagebam.com##div\[style="width:780px; margin:auto; margin-top:10px; margin-bottom:10px; height:250px;"] @@ -90794,28 +94509,32 @@ apphit.com##div\[style="width:980px;height:100px;clear:both;margin:0 auto;"] teleservices.mu##div\[style="width:980px;height:50px;float:left; "] performanceboats.com##div\[style="width:994px; height:238px;"] search.ch##div\[style="width:994px; height:250px"] +happystreams.net##div\[style="z-index: 2000; background-image: url(\"data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7\"); left: 145px; top: 120px; height: 576px; width: 1024px; position: absolute;"] independent.com##div\[style^="background-image:url('http://media.independent.com/img/ads/ads-bg.gif')"] sevenforums.com##div\[style^="border: 1px solid #94D3FE;"] gamebanshee.com##div\[style^="border:1px solid #b98027; width:300px;"] interfacelift.com##div\[style^="clear: both; -moz-border-radius: 6px; -webkit-border-radius: 6px;"] +redbrick.me##div\[style^="cursor:pointer; position: relative;width:1000px; margin: auto; height:150px; background-size:contain; "] iload.to##div\[style^="display: block; width: 950px;"] google.com##div\[style^="height: 16px; font: bold 12px/16px"] drakulastream.eu##div\[style^="height: 35px; z-index: 99999"] rapidvideo.tv##div\[style^="height: 35px;"] -animenova.tv,animetoon.tv,gogoanime.com,goodanime.net,gooddrama.net,toonget.com##div\[style^="left: 14"] -animenova.tv,animetoon.tv,gogoanime.com,goodanime.net,gooddrama.net,toonget.com##div\[style^="left: 15"] +kingfiles.net##div\[style^="height: 36px;"] +animenova.tv,animetoon.tv,gogoanime.com,goodanime.eu,gooddrama.net,toonget.com##div\[style^="left: "] +monova.org##div\[style^="padding-bottom: "] watchonlineseries.eu##div\[style^="padding-top:5px;float:left;"] 300mbmovies4u.com##div\[style^="padding-top:5px;float:left;width:100%;"] technabob.com##div\[style^="padding:0px 0px "] -easyvideo.me,playbb.me,playpanda.net,videowing.me,videozoo.me##div\[style^="position: absolute; width: 300px; height: 275px;"] +easyvideo.me,playbb.me,playpanda.net,videofun.me,videowing.me,videozoo.me##div\[style^="position: absolute;"] mp3juices.com##div\[style^="position: fixed; width: 100%; text-align: left; height: 40px; background: none"] viz.com##div\[style^="position:absolute; width:742px; height:90px;"] +easyvideo.me,playbb.me,playpanda.net,video66.org,videofun.me,videowing.me,videozoo.me##div\[style^="top: "] +video66.org##div\[style^="width: "] eatliver.com##div\[style^="width: 160px; height: 600px;"] -videozoo.me##div\[style^="width: 300px; position:"] -allmyvideos.net##div\[style^="width: 316px;"] -allmyvideos.net##div\[style^="width: 317px;"] +allmyvideos.net##div\[style^="width: 315px; "] someimage.com##div\[style^="width: 728px; height: 90px;"] kino.to##div\[style^="width: 972px;display: inline;top: 130px;"] +easyvideo.me,playbb.me,playpanda.net,videofun.me,videowing.me,videozoo.me##div\[style^="width:"] sockshare.com##div\[style^="width:302px;height:250px;"] way2sms.com##div\[style^="width:728px; height:90px;"] timelinecoverbanner.com##div\[style^="width:728px;"] @@ -90823,11 +94542,13 @@ walmart.com##div\[style^="width:740px;height:101px"] urgrove.com##div\[style^="z-index: "] > div\[style] putlocker.is,thevideos.tv##div\[style^="z-index: 2000; background-image:"] nowwatchtvlive.com##div\[style^="z-index: 99999; position: fixed; width: 100%;"] +easyvideo.me,playbb.me,playpanda.net,videofun.me,videowing.me,videozoo.me##div\[style^="z-index:"] eclipse.org##div\[width="200"] isnare.com##div\[width="905"] blackcatradio.biz##div\[width="969"]\[height="282"] filepuma.com##dt\[style="height:25px; text-indent:3px; padding-top:5px;"] xtremesystems.org##embed\[width="728"] +opensubtitles.org##fieldset > table\[style="width:100%;"] > tbody > .change astatalk.com##fieldset\[style="border: 1px solid #fff; margin-bottom: 15px; height: 60px; background-color: navy;"] bit.com.au,pcauthority.com.au##fieldset\[style="width:98%;border:1px solid #CCC;margin:0px;padding:0px 0px 0px 5px;"] cinemablend.com##font\[color="#737373"] @@ -90877,16 +94598,21 @@ technologyreview.com,tmz.com##img\[alt="Advertisement"] techxav.com##img\[alt="Commercial WordPress themes"] joox.net##img\[alt="Download FLV Direct"] jdownloader.org##img\[alt="Filesonic Premium Download"] +isohunt.to##img\[alt="Free download"] onhax.net##img\[alt="Full Version"] scriptmafia.org##img\[alt="SM AdSpaces"] searchquotes.com##img\[alt="Sponsored"] +awazfm.co.uk##img\[alt="advert"] warezchick.com##img\[border="0"] jozikids.co.za##img\[height="140"]\[width="140"] gametrailers.com##img\[height="15"]\[width="300"] +africandesignmagazine.com##img\[height="226"] mypbrand.com##img\[height="250"] +africandesignmagazine.com##img\[height="300"] 2pass.co.uk##img\[height="470"] warez-home.net##img\[height="60"]\[width="420"] pururin.com##img\[height="600"] +africandesignmagazine.com##img\[height="688"] abundance-and-happiness.com,professionalmuscle.com##img\[height="90"] nmap.org##img\[height="90"]\[width="120"] airplaydirect.com,roadtester.com.au,slayradio.org##img\[height="90"]\[width="728"] @@ -90894,6 +94620,7 @@ prowrestling.com##img\[height="91"] modelhorseblab.com##img\[name="js_ad"] sporcle.com##img\[src^="data:image/png;base64,"] kino.to##img\[src^="http://c.statcounter.com/"] + span +inamsoftwares.com##img\[src^="http://my.60ads.com/"] raysindex.com##img\[style$="text-align: center; cursor: \a \a pointer; width: 728px;"] rejournal.com##img\[style="border-width:0px;"] grabchicago.com##img\[style="border: 0px solid ; width: 728px; height: 90px;"] @@ -90909,22 +94636,28 @@ knco.com##img\[style="max-width:180px;max-height:150px;"] linksave.in##img\[style="max-width:468px; max-height:60px;"] knco.com##img\[style="max-width:650px;max-height:90px;"] islamchannel.tv##img\[style="vertical-align: top; width:468px; padding-left: 1px;padding-top: 5px;"] +cnykiss.com##img\[style="width: 160px; height: 160px;"] cbc-radio.com##img\[style="width: 180px; float: left; height: 170px"] cbc-radio.com##img\[style="width: 180px; float: right; height: 170px"] +cnykiss.com,wutqfm.com##img\[style="width: 180px; height: 180px;"] +wutqfm.com##img\[style="width: 200px; height: 200px;"] wcbm.com##img\[style="width: 258px; height: 237px;"] wcbm.com##img\[style="width: 261px; height: 256px;"] wbap.com##img\[style="width: 299px; height: 85px;"] espncleveland.com##img\[style="width: 300px; height: 100px; float: left;"] -countryfile.com##img\[style="width: 300px; height: 150px;"] +countryfile.com,wmal.com##img\[style="width: 300px; height: 150px;"] dailymirror.lk,radiotoday.com.au##img\[style="width: 300px; height: 200px;"] bulletin.us.com##img\[style="width: 300px; height: 238px;"] dailymirror.lk##img\[style="width: 300px; height: 248px;"] ktul.com##img\[style="width: 300px; height: 24px; border: 0px;"] +indypendent.org##img\[style="width: 300px; height: 250px; "] +flafnr.com,gizmochina.com##img\[style="width: 300px; height: 250px;"] jq99.com##img\[style="width: 300px; height: 75px;"] dailymirror.lk##img\[style="width: 302px; height: 202px;"] ozarkssportszone.com##img\[style="width: 320px; height: 160px;"] pricecheck.co.za##img\[style="width: 460px;"] bulletin.us.com##img\[style="width: 600px; height: 50px;"] +indypendent.org##img\[style="width: 728px; height: 90px;"] espn1420am.com##img\[style="width: 900px; height: 150px;"] unionleader.com##img\[style="width:100px;height:38px;margin-top:-10px"] globalincidentmap.com##img\[style="width:120px; height:600px; border:0;"] @@ -90933,7 +94666,6 @@ newsfirst.lk##img\[style="width:300px; height:200px;"] klfm967.co.uk##img\[style="width:468px;height:60px;border:0px;margin:0px;"] bitcoindifficulty.com##img\[style="width:728px; height:90px;"] cryptoinfinity.com##img\[style="width:728px;height:90px;"] -filenuke.com,sharesix.com##img\[target="_blank"]:first-child tcweeklynews.com##img\[title="AD: Advertising Graphics (11)"] ucreview.com##img\[title="AD: Weekly Press (13)"] ucreview.com##img\[title="AD: Weekly Press (14)"] @@ -90956,23 +94688,26 @@ aerobaticsweb.org##img\[width="150"]\[height="150"] zonalmarking.net##img\[width="150"]\[height="750"] klfm967.co.uk##img\[width="155"]\[height="167"] klfm967.co.uk##img\[width="155"]\[height="192"] +palipost.com##img\[width="160"]\[height="100"] your-pagerank.com##img\[width="160"]\[height="108"] radiocaroline.co.uk,yournews.com##img\[width="160"]\[height="160"] zonalmarking.net##img\[width="160"]\[height="300"] newswireni.com##img\[width="160"]\[height="596"] -airplaydirect.com,candofinance.com,newswireni.com,serialbay.com,temulator.com##img\[width="160"]\[height="600"] +airplaydirect.com,ata.org,candofinance.com,newswireni.com,serialbay.com,temulator.com,windfm.com##img\[width="160"]\[height="600"] your-pagerank.com##img\[width="160"]\[height="80"] your-pagerank.com##img\[width="160"]\[height="89"] your-pagerank.com##img\[width="160"]\[height="90"] newswireni.com##img\[width="161"]\[height="600"] bilingualweekly.com##img\[width="162"]\[height="170"] unionleader.com##img\[width="165"]\[height="40"] -wegoted.com##img\[width="180"]\[height="150"] +sunny106.fm,tompkinsweekly.com,wutqfm.com##img\[width="180"] +wegoted.com,wyep.org##img\[width="180"]\[height="150"] wegoted.com##img\[width="180"]\[height="204"] wrno.com##img\[width="185"]\[height="60"] favicon.co.uk##img\[width="190"]\[height="380"] bayfm.co.za##img\[width="195"]\[height="195"] rejournal.com##img\[width="200"]\[height="100"] +sarasotatalkradio.com##img\[width="200"]\[height="200"] coffeegeek.com##img\[width="200"]\[height="250"] professionalmuscle.com##img\[width="201"] bayfm.co.za##img\[width="208"]\[height="267"] @@ -90994,8 +94729,12 @@ phillyrecord.com##img\[width="250"]\[height="218"] mommymatters.co.za##img\[width="250"]\[height="250"] ukclimbing.com##img\[width="250"]\[height="350"] yournews.com##img\[width="250"]\[height="90"] +tompkinsweekly.com##img\[width="252"] +theannouncer.co.za##img\[width="252"]\[height="100"] +tompkinsweekly.com##img\[width="253"] ozarkssportszone.com##img\[width="267"]\[height="294"] wrko.com##img\[width="269"]\[height="150"] +threatpost.com##img\[width="270"] magicmiami.com##img\[width="273"]\[height="620"] staugustine.com##img\[width="275"]\[height="75"] worldfree4u.com##img\[width="280"]\[height="250"] @@ -91006,19 +94745,23 @@ nufc.com##img\[width="288"]\[height="347"] mypbrand.com##img\[width="295"] wareznova.com##img\[width="298"]\[height="53"] inquirer.net##img\[width="298"]\[style="margin-bottom:5px;margin-top:5px;"] -technomag.co.zw##img\[width="300"] +africandesignmagazine.com,punchng.com,technomag.co.zw##img\[width="300"] momsmiami.com,nehandaradio.com##img\[width="300"]\[height="100"] fancystreems.com##img\[width="300"]\[height="150"] 947wls.com##img\[width="300"]\[height="155"] +businessdayonline.com##img\[width="300"]\[height="200"] redpepper.co.ug##img\[width="300"]\[height="248"] -360nobs.com,airplaydirect.com,cryptomining-blog.com,dotsauce.com,fancystreems.com,mycolumbuspower.com,nehandaradio.com,redpepper.co.ug,rlslog.net,sacobserver.com,samoatimes.co.nz,staugustine.com,three.fm,ynaija.com##img\[width="300"]\[height="250"] +360nobs.com,airplaydirect.com,businessdayonline.com,ciibroadcasting.com,clutchmagonline.com,cryptomining-blog.com,dotsauce.com,fancystreems.com,movin100.com,mycolumbuspower.com,nehandaradio.com,redpepper.co.ug,rlslog.net,sacobserver.com,samoatimes.co.nz,seguintoday.com,staugustine.com,tangatawhenua.com,theannouncer.co.za,three.fm,wolf1051.com,ynaija.com,yomzansi.com##img\[width="300"]\[height="250"] ynaija.com##img\[width="300"]\[height="290"] linkbitty.com,newspapers-online.com##img\[width="300"]\[height="300"] redpepper.co.ug##img\[width="300"]\[height="360"] redpepper.co.ug##img\[width="300"]\[height="420"] redpepper.co.ug##img\[width="300"]\[height="500"] redpepper.co.ug##img\[width="300"]\[height="528"] +clutchmagonline.com##img\[width="300"]\[height="600"] wallstreetsurvivor.com##img\[width="310"]\[height="56"] +wben.com##img\[width="316"]\[height="120"] +ciibroadcasting.com##img\[width="325"]\[height="200"] radioasiafm.com##img\[width="350"]\[height="300"] ipwatchdog.com##img\[width="350px"]\[height="250px"] noordnuus.co.za##img\[width="357"]\[height="96"] @@ -91028,6 +94771,7 @@ transportxtra.com##img\[width="373"]\[height="250"] forum.blackhairmedia.com##img\[width="400"]\[height="82"] gomlab.com##img\[width="410"]\[height="80"] sunnewsonline.com##img\[width="420"]\[height="55"] +drum.co.za##img\[width="422"]\[height="565"] powerbot.org##img\[width="428"] inmr.com##img\[width="450"]\[height="64"] webresourcesdepot.com##img\[width="452px"]\[height="60px"] @@ -91037,22 +94781,27 @@ ch131.so##img\[width="460"]\[height="228"] abpclub.co.uk,allforpeace.org,cpaelites.com,forum.gsmhosting.com,hulkload.com,load.to,rlslog.net,thetobagonews.com,warezhaven.org,waz-warez.org##img\[width="468"]\[height="60"] topprepperwebsites.com##img\[width="468"]\[height="80"] infinitecourses.com##img\[width="468px"]\[height="60px"] +sharktankblog.com##img\[width="485"]\[height="60"] yournews.com##img\[width="540"]\[height="70"] +sunny106.fm##img\[width="560"]\[height="69"] +sunny106.fm##img\[width="570"]\[height="131"] staugustine.com##img\[width="590"]\[height="200"] isportconnect.com##img\[width="590"]\[height="67"] mail.macmillan.com,motortrader.com.my##img\[width="600"] redpepper.co.ug##img\[width="600"]\[height="117"] nufc.com##img\[width="600"]\[height="85"] softpedia.com##img\[width="600"]\[height="90"] +bloombergtvafrica.com##img\[width="628"]\[height="78"] radiotoday.co.uk##img\[width="630"]\[height="120"] shanghaiist.com##img\[width="640"]\[height="444"] motortrader.com.my##img\[width="640"]\[height="80"] cryptothrift.com##img\[width="700"] +1550wdlr.com##img\[width="711"]\[height="98"] crackingforum.com##img\[width="720"] -ch131.so##img\[width="720"]\[height="90"] +businessdayonline.com,ch131.so##img\[width="720"]\[height="90"] wharf.co.uk##img\[width="720px"]\[height="90px"] -lindaikeji.blogspot.com,livemixtapes.com,powerbot.org,rsvlts.com,xtremesystems.org##img\[width="728"] -add-anime.net,bodyboardingmovies.com,creditboards.com,dogepay.com,driverguide.com,ecostream.tv,freeforums.org,hulkload.com,imgbar.net,sameip.org,thecsuite.co.uk,topprepperwebsites.com,wallstreetfool.com,warezlobby.org,worldfree4u.com##img\[width="728"]\[height="90"] +lindaikeji.blogspot.com,livemixtapes.com,naija247news.com,powerbot.org,rsvlts.com,xtremesystems.org##img\[width="728"] +9tools.org,add-anime.net,bodyboardingmovies.com,creditboards.com,dogepay.com,driverguide.com,ecostream.tv,freeforums.org,hulkload.com,imgbar.net,movin100.com,oldiesradio1050.com,radioinsight.com,sameip.org,tangatawhenua.com,thecsuite.co.uk,topprepperwebsites.com,wallstreetfool.com,warezlobby.org,wcfx.com,wolf1051.com,worldfree4u.com,wsoyam.com##img\[width="728"]\[height="90"] mkfm.com##img\[width="75"]\[height="75"] telecomtiger.com##img\[width="768"]\[height="80"] americanisraelite.com##img\[width="778"]\[height="114"] @@ -91065,18 +94814,17 @@ staugustine.com##img\[width="970"]\[height="90"] lockerz.com##img\[width="980"]\[height="60"] moneycontrol.com##img\[width="996"]\[height="169"] vodu.ch##input\[onclick^="parent.location='http://d2.zedo.com/"] +vodu.ch##input\[onclick^="parent.location='http://imads.integral-marketing.com/"] torrentcrazy.com##input\[onclick^="window.open('http://adtransfer.net/"] onhax.net##input\[type="button"]\[value^="Download"] bittorrent.am##input\[value="Anonymous Download"] +ad2links.com##input\[value="Download Now"] wareznova.com##input\[value="Download from DLP"] bittorrent.am##input\[value="Download x10 faster"] lix.in##input\[value="Download"] wareznova.com##input\[value="Start Premium Downloader"] monova.org##input\[value="Usenet"] -hwcompare.com,numberempire.com,pockettactics.com,priceindia.in##ins\[style="display:inline-table;border:none;height:250px;margin:0;padding:0;position:relative;visibility:visible;width:300px"] politics.ie##ins\[style="display:inline-table;border:none;height:250px;margin:0;padding:0;position:relative;visibility:visible;width:300px;background-color:transparent"] -cyanogenmod.com,ngohq.com##ins\[style="display:inline-table;border:none;height:90px;margin:0;padding:0;position:relative;visibility:visible;width:728px"] -ilyrics.eu##ins\[style="display:inline-table;border:none;height:90px;margin:0;padding:0;position:relative;visibility:visible;width:728px;background-color:transparent"] timesofisrael.com##item-spotlight yahoo.com##li\[data-ad-enhanced="card"] yahoo.com##li\[data-ad-enhanced="pencil"] @@ -91087,6 +94835,7 @@ yahoo.com##li\[data-beacon^="https://beap.gemini.yahoo.com/"] thefinancialbrand.com##li\[id^="banner"] search.yahoo.com##li\[id^="yui_"] > div\[data-bns]\[data-bk]\[style="cursor: pointer;"] > div\[class] twitter.com##li\[label="promoted"] +moneylife.in##li\[style=" font-family:tahoma; font-size:11px; margin: 0px; border-bottom: 0px solid #ddd; padding: 5px 5px;"] ebayclassifieds.com##li\[style="padding: 10px 0px; min-height: 90px;"] webmastertalkforums.com##li\[style="width: 100%; height: 100px !important;"] cynagames.com##li\[style="width: 25%; margin: 0; clear: none; padding: 0; float: left; display: block;"] @@ -91111,7 +94860,6 @@ pcsx2.net##p\[style="text-align: center;margin: 0px 160px -10px 0px;"] sorelatable.com##script + a\[target="_blank"] service.mail.com##script + div\[tabindex="1"] div\[style="z-index:99996;position:absolute;cursor:default;background-color:white;opacity:0.95;left:0px;top:0px;width:1600px;height:552px;"] service.mail.com##script + div\[tabindex="1"] div\[style^="z-index:99998;position:absolute;cursor:default;left:0px;top:0px;width:"] -allmyvideos.net##script + style + div\[id]\[style] koreaherald.com##section\[style="border:0px;width:670px;height:200px;"] elitistjerks.com##small rokked.com##span\[style="color: #555; font-size: 10px"] @@ -91211,6 +94959,7 @@ sharedir.com##table\[style="margin:15px 0 0 -8px;width:540px"] bitsnoop.com##table\[style="margin:6px 0 16px 0;padding:0px;"] i3investor.com##table\[style="padding:8px;border:6px solid #dbdbdb;min-width:228px"] aniscartujo.com##table\[style="position:absolute; left:0; top:0; z-index:999; border-collapse:collapse"] +localstore.co.za##table\[style="width: 952px; height: 90px; padding: 10px; border: 0; margin: 0 auto;"] playkidsgames.com##table\[style="width:100%;height:105px;border-style:none;"] tower.com##table\[style="width:160px; height:600px;padding:0px; margin:0px"] playkidsgames.com##table\[style="width:320px;height:219px;border-style:none;background-color:#333333;margin:0 auto;"] @@ -91223,6 +94972,8 @@ nufc.com##table\[title="Ford Direct - Used Cars Backed by Ford"] chiff.com##table\[title="Sponsored Links"] trucknetuk.com##table\[width="100%"]\[bgcolor="#cecbce"] > tbody > tr > #sidebarright\[valign="top"]:last-child linkreferral.com##table\[width="100%"]\[height="1"] + table\[width="750"]\[border="0"]\[bgcolor="ffffff"]\[cellspacing="0"]\[cellpadding="4"] +wvtlfm.com##table\[width="1024"]\[height="100"] +atimes.com##table\[width="120"] tvsite.co.za##table\[width="120"]\[height="600"] thephuketnews.com##table\[width="1215"]\[bgcolor="#DDDDDD"] aquariumfish.net##table\[width="126"]\[height="600"] @@ -91301,14 +95052,16 @@ psl.co.za##table\[width="952"]\[height="64"] psl.co.za##table\[width="952"]\[height="87"] japan-guide.com##table\[width="965"]\[height="90"] scvnews.com##table\[width="978"]\[height="76"] +prowrestling.net##table\[width="979"]\[height="105"] dining-out.co.za##table\[width="980"]\[vspace="0"]\[hspace="0"] westportnow.com##table\[width="981"] kool.fm##table\[width="983"]\[height="100"] gamecopyworld.com##table\[width="984"]\[height="90"] apanews.net##table\[width="990"] -wbkvam.com##table\[width="990"]\[height="100"] +cnykiss.com,wbkvam.com,wutqfm.com##table\[width="990"]\[height="100"] cbc-radio.com##table\[width="990"]\[height="100"]\[align="center"] 965ksom.com##table\[width="990"]\[height="101"] +wbrn.com##table\[width="990"]\[height="98"] v8x.com.au##td\[align="RIGHT"]\[width="50%"]\[valign="BOTTOM"] canmag.com##td\[align="center"]\[height="278"] autosport.com##td\[align="center"]\[valign="top"]\[height="266"]\[bgcolor="#dcdcdc"] @@ -91406,7 +95159,6 @@ imagebam.com##td\[style="padding-right: 1px; text-align: left; font-size:15px;"] imagebam.com##td\[style="padding-right: 2px; text-align: left; font-size:15px;"] newsfactor.com##td\[style="padding-right: 5px; border-right: #BFBFBF solid 1px;"] mg.co.za##td\[style="padding-top:5px; width: 200px"] -tampermonkey.net##td\[style="padding: 0px 30px 10px 0px;"] + td\[style="vertical-align: center; padding-left: 100px;"]:last-child bitcointalk.org##td\[style="padding: 1px 1px 0 1px;"] > .bfl bitcointalk.org##td\[style="padding: 1px 1px 0 1px;"] > .bvc bitcointalk.org##td\[style="padding: 1px 1px 0 1px;"] > .gyft @@ -91428,13 +95180,13 @@ uvnc.com##td\[style="width: 300px; height: 250px;"] mlbtraderumors.com##td\[style="width: 300px;"] maannews.net##td\[style="width: 640px; height: 80px; border: 1px solid #cccccc"] talkgold.com##td\[style="width:150px"] +riverdalepress.com##td\[style="width:728px; height:90px; border:1px solid #000;"] billionuploads.com##td\[valign="baseline"]\[colspan="3"] efytimes.com##td\[valign="middle"]\[height="124"] efytimes.com##td\[valign="middle"]\[height="300"] staticice.com.au##td\[valign="middle"]\[height="80"] johnbridge.com##td\[valign="top"] > .tborder\[width="140"]\[cellspacing="1"]\[cellpadding="6"]\[border="0"] writing.com##td\[valign="top"]\[align="center"]\[style="padding:10px;position:relative;"]\[colspan="2"] + .mainLineBorderLeft\[width="170"]\[rowspan="4"]:last-child -indiatimes.com##td\[valign="top"]\[height="110"]\[align="center"] newhampshire.com##td\[valign="top"]\[height="94"] cruisecritic.com##td\[valign="top"]\[width="180"] cruisecritic.com##td\[valign="top"]\[width="300"] @@ -91451,6 +95203,7 @@ pojo.biz##td\[width="125"] wetcanvas.com##td\[width="125"]\[align="center"]:first-child zambiz.co.zm##td\[width="130"]\[height="667"] manoramaonline.com##td\[width="140"] +songspk.link##td\[width="145"]\[height="21"]\[style="background-color: #EAEF21"] leo.org##td\[width="15%"]\[valign="top"]\[style="font-size:100%;padding-top:2px;"] appleinsider.com##td\[width="150"] aerobaticsweb.org##td\[width="156"]\[height="156"] @@ -91484,7 +95237,7 @@ boxingscene.com##td\[width="200"]\[height="18"] dir.yahoo.com##td\[width="215"] thesonglyrics.com##td\[width="230"]\[align="center"] itweb.co.za##td\[width="232"]\[height="90"] -rubbernews.com##td\[width="250"] +degreeinfo.com,rubbernews.com##td\[width="250"] bigresource.com##td\[width="250"]\[valign="top"]\[align="left"] scriptmafia.org##td\[width="250px"] stumblehere.com##td\[width="270"]\[height="110"] @@ -91538,6 +95291,8 @@ internetslang.com##tr\[style="min-height:28px;height:28px"] internetslang.com##tr\[style="min-height:28px;height:28px;"] opensubtitles.org##tr\[style^="height:115px;text-align:center;margin:0px;padding:0px;background-color:"] search.yahoo.com##ul > .res\[data-bg-link^="http://r.search.yahoo.com/_ylt="] +search.aol.com##ul\[content="SLMP"] +search.aol.com##ul\[content="SLMS"] facebook.com##ul\[id^="typeahead_list_"] > ._20e._6_k._55y_ elizium.nu##ul\[style="padding: 0; width: 100%; margin: 0; list-style: none;"] ! *** easylist:easylist_adult/adult_specific_hide.txt *** @@ -91549,12 +95304,16 @@ starsex.pl###FLOW_frame thestranger.com###PersonalsScroller privatehomeclips.com###Ssnw2ik imagehaven.net###TransparentBlack +namethatporn.com###a_block swfchan.com###aaaa +pornvideoxo.com###abox 4tube.com###accBannerContainer03 4tube.com###accBannerContainer04 pornhub.com,tube8.com,youporn.com###access_container cliphunter.com,isanyoneup.com,seochat.com###ad imagefap.com###ad1 +pornhub.com###adA +pornhub.com###adB ua-teens.com###ad_global_below_navbar dagay.com###add_1 dagay.com###add_2 @@ -91589,12 +95348,11 @@ iafd.com###bantop desktopangels.net###bg_tab_container pornflex53.com###bigbox_adv xxxbunker.com###blackout -villavoyeur.com###block-dctv-ad-banners-wrapper chaturbate.com###botright porntube.com###bottomBanner xxxbunker.com###bottomBanners wankerhut.com###bottom_adv -xhamster.com###bottom_player_adv +mydailytube.com###bottomadd watchindianporn.net###boxban2 pornsharia.com###brazzers1 fastpic.ru###brnd @@ -91641,6 +95399,7 @@ netasdesalim.com###frutuante cantoot.com###googlebox nangaspace.com###header freepornvs.com###header > h1 > .buttons +aan.xxx###header-banner youtubelike.com###header-top cam4.com###headerBanner spankwire.com###headerContainer @@ -91663,7 +95422,7 @@ perfectgirls.net,postyourpuss.com###leaderboard imagetwist.com###left\[align="center"] > center > a\[target="_blank"] collegegrad.com###leftquad suicidegirls.com###livetourbanner -freeimgup.com###lj_livecams +freeimgup.com,imghost.us.to###lj_livecams 5ilthy.com###ltas_overlay_unvalid ynot.com###lw-bannertop728 ynot.com###lw-top @@ -91692,7 +95451,7 @@ videos.com###pToolbar jizzhut.com###pagetitle wide6.com###partner gamcore.com,wide6.com###partners -extremetube.com,redtube.com,youporngay.com###pb_block +extremetube.com,redtube.com,spankwire.com,youporngay.com###pb_block pornhub.com,tube8.com,youporn.com###pb_template youporn.com###personalizedHomePage > div:nth-child(2) pornhub.com###player + div + div\[style] @@ -91702,6 +95461,8 @@ alotporn.com###playeradv depic.me###popup_div imagehaven.net###popwin sextvx.com###porntube_hor_bottom_ads +sextvx.com###porntube_hor_top_ads +xtube.com###postrollContainer kaktuz.com###postroller imagepost.com###potd eroclip.mobi,fuqer.com###premium @@ -91723,6 +95484,7 @@ amateurfarm.net,retrovidz.com###showimage shesocrazy.com###sideBarsMiddle shesocrazy.com###sideBarsTop pornday.org###side_subscribe_extra +mydailytube.com###sideadd spankwire.com###sidebar imageporter.com###six_ban flurl.com###skybanner @@ -91748,18 +95510,25 @@ cam4.com###subfoot adultfyi.com###table18 hostingfailov.com###tablespons xtube.com###tabs +fleshasiadaily.com###text-12 +fleshasiadaily.com###text-13 +fleshasiadaily.com###text-14 +fleshasiadaily.com###text-15 +fleshasiadaily.com###text-8 fapgames.com###the720x90-spot filhadaputa.tv###thumb\[width="959"] hiddencamshots.com,videarn.com###top-banner +nude.hu###topPartners extremetube.com###topRightsquare xhamster.com###top_player_adv -sexmummy.com,sopervinhas.net,teenwantme.com,worldgatas.com,xpg.com.br###topbar +mataporno.com,sexmummy.com,sopervinhas.net,teenwantme.com,worldgatas.com,xpg.com.br###topbar pinkems.com###topfriendsbar namethatpornstar.com###topphotocontainer askjolene.com###tourpage pornhyve.com###towerbanner +pornvideoxo.com###tube-right pervclips.com###tube_ad_category -axatube.com,fullxxxtube.com,gallsin.xxx,xxxxsextube.com,yourdarkdesires.com###ubr +axatube.com,creampietubeporn.com,fullxxxtube.com,gallsin.xxx,xxxxsextube.com,yourdarkdesires.com###ubr usatoday.com###usat_PosterBlog homemoviestube.com###v_right stileproject.com###va1 @@ -91803,7 +95572,7 @@ seductivetease.com##.a-center pornbb.org##.a1 porn.com##.aRight pornvideofile.com##.aWrapper -celebspank.com,chaturbate.com,cliphunter.com,gamcore.com,playboy.com,signbucks.com,tehvids.com,uflash.tv,wankoz.com,yobt.tv##.ad +celebspank.com,chaturbate.com,cliphunter.com,gamcore.com,playboy.com,pornhub.com,signbucks.com,sxx.com,tehvids.com,uflash.tv,wankoz.com,yobt.tv##.ad extremetube.com##.ad-container celebspank.com##.ad1 pornhub.com##.adContainer @@ -91816,9 +95585,9 @@ myfreeblack.com##.ads-player famouspornstarstube.com,hdporntube.xxx,lustypuppy.com,mrstiff.com,pixhub.eu,pornfreebies.com,tubedupe.com,webanddesigners.com,youngartmodels.net##.adv freexcafe.com##.adv1 mygirlfriendvids.net,wastedamateurs.com##.advblock -fakku.net,hardsextube.com,pornmd.com,porntube.com,youporn.com,youporngay.com##.advertisement +porn.hu##.advert +fakku.net,pornmd.com,porntube.com,youporn.com,youporngay.com##.advertisement alphaporno.com,bravotube.net,tubewolf.com##.advertising -mrstiff.com##.adxli fapdu.com##.aff300 askjolene.com##.aj_lbanner_container ah-me.com,befuck.com,pornoid.com,sunporno.com,thenewporn.com,twilightsex.com,updatetube.com,videoshome.com,xxxvogue.net##.allIM @@ -91831,7 +95600,7 @@ devatube.com##.ban-list gayboystube.com##.bancentr fux.com##.baner-column xchimp.com##.bannadd -chaturbate.com,dansmovies.com,fecaltube.com,imageporter.com,playvid.com,private.com,videarn.com,vidxnet.com,wanknews.com,watchhentaivideo.com,xbabe.com,yourdailygirls.com##.banner +chaturbate.com,dansmovies.com,fecaltube.com,imageporter.com,playvid.com,private.com,vid2c.com,videarn.com,vidxnet.com,wanknews.com,watchhentaivideo.com,xbabe.com,yourdailygirls.com##.banner watchindianporn.net##.banner-1 adultpornvideox.com##.banner-box tube8.com##.banner-container @@ -91841,7 +95610,6 @@ definebabe.com##.banner1 celebritymovieblog.com##.banner700 watchhentaivideo.com##.bannerBottom 4tube.com,empflix.com,tnaflix.com##.bannerContainer -vporn.com##.bannerSpace 4tube.com##.banner_btn wunbuck.com##.banner_cell galleries-pornstar.com##.banner_list @@ -91853,6 +95621,7 @@ bustnow.com##.bannerlink chubby-ocean.com,cumlouder.com,grandpaporntube.net,sexu.com,skankhunter.com##.banners isanyoneup.com##.banners-125 porntubevidz.com##.banners-area +vid2c.com##.banners-aside 5ilthy.com##.bannerside sexoncube.com##.bannerspot-index thehun.net##.bannervertical @@ -91875,12 +95644,15 @@ xbabe.com,yumymilf.com##.bottom-banner playvid.com##.bottom-banners youtubelike.com##.bottom-thumbs youtubelike.com##.bottom-top +pornvideoxo.com##.bottom_wide tube8.com##.bottomadblock +tube8.com##.box-thumbnail-friends worldsex.com##.brandreach sublimedirectory.com##.browseAd xaxtube.com##.bthums realgfporn.com##.btn-info 4tube.com,tube8.com##.btnDownload +redtube.com##.bvq redtube.com##.bvq-caption gamesofdesire.com##.c_align empflix.com##.camsBox @@ -91888,6 +95660,7 @@ tnaflix.com##.camsBox2 celebspank.com##.celeb_bikini adultfriendfinder.com##.chatDiv.rcc voyeur.net##.cockholder +xnxx.com##.combo.smallMargin\[style="padding: 0px; width: 100%; text-align: center; height: 244px;"] xnxx.com##.combo\[style="padding: 0px; width: 830px; height: 244px;"] avn.com##.content-right\[style="padding-top: 0px; padding-bottom: 0px; height: auto;"] xbutter.com##.counters @@ -91897,6 +95670,7 @@ alotporn.com##.cube pornalized.com,pornoid.com,pornsharia.com##.discount pornsharia.com##.discounts fapdu.com##.disp-underplayer +keezmovies.com##.double_right cameltoe.com##.downl pinkrod.com,pornsharia.com,wetplace.com##.download realgfporn.com##.downloadbtn @@ -91909,7 +95683,9 @@ grandpaporntube.net##.embed_banners grandpaporntube.net##.exo imagepost.com##.favsites mrstiff.com##.feedadv-wrap +extremetube.com##.float-left\[style="width: 49.9%; height: 534px;"] wankerhut.com##.float-right +extremetube.com##.float-right\[style="width: 49.9%; height: 534px;"] teensexyvirgins.com,xtravids.com##.foot_squares scio.us##.footer babesandstars.com##.footer_banners @@ -91929,6 +95705,7 @@ redtube.com##.header > #as_1 nuvid.com##.holder_banner pornhub.com##.home-ad-container + div alphaporno.com##.home-banner +tube8.com##.home-message + .title-bar + .cont-col-02 julesjordanvideo.com##.horiz_banner orgasm.com##.horizontal-banner-module orgasm.com##.horizontal-banner-module-small @@ -91939,8 +95716,11 @@ pornsis.com##.indexadr pornicom.com##.info_row2 cocoimage.com,hotlinkimage.com,picfoco.com##.inner_right e-hentai.org##.itd\[colspan="4"] +namethatporn.com##.item_a sex2ube.com##.jFlowControl teensanalfactor.com##.job +pornhub.com##.join +redtube.com##.join-button extremetube.com##.join_box pornhub.com,spankwire.com,tube8.com,youporn.com##.join_link overthumbs.com##.joinnow @@ -91954,6 +95734,7 @@ sexyfunpics.com##.listingadblock300 tnaflix.com##.liveJasminHotModels ns4w.org##.livejasmine madthumbs.com##.logo +tube8.com##.main-video-wrapper > .float-right sexdepartementet.com##.marketingcell lic.me##.miniplayer hanksgalleries.com##.mob_vids @@ -91961,6 +95742,7 @@ redtube.com##.ntva finaid.org##.one lustgalore.com,yourasiansex.com##.opac_bg baja-opcionez.com##.opaco2 +vporn.com##.overheaderbanner drtuber.com##.p_adv tube8.com##.partner-link bravotube.net##.paysite @@ -91972,7 +95754,6 @@ yobt.tv##.playpause.visible > div hornywhores.net##.post + script + div\[style="border-top: black 1px dashed"] hornywhores.net##.post + script + div\[style="border-top: black 1px dashed"] + br + center uflash.tv##.pps-banner -gybmovie.com,imagecherry.com,imagepool.in,movies-porn-xxx.com,sexfv.com,videlkon.com,xfile.ws##.pr-widget pornhub.com##.pre-footer porntubevidz.com##.promo-block nakedtube.com,pornmaki.com##.promotionbox @@ -92012,6 +95793,7 @@ tube8.com##.skin4 tube8.com##.skin6 tube8.com##.skin7 candidvoyeurism.com##.skyscraper +gaytube.com##.slider-section movies.askjolene.com##.small_tourlink springbreaktubegirls.com##.span-100 nonktube.com##.span-300 @@ -92019,11 +95801,14 @@ nonktube.com##.span-320 ns4w.org##.splink bgafd.co.uk##.spnsr abc-celebs.com##.spons -definebabe.com,xbabe.com##.sponsor +definebabe.com,pornever.net,xbabe.com##.sponsor definebabe.com##.sponsor-bot +xhamster.com##.sponsorB xxxbunker.com##.sponsorBoxAB +xhamster.com##.sponsorS xhamster.com##.sponsor_top proporn.com,tubecup.com,xhamster.com##.spot +magicaltube.com##.spot-block tubecup.com##.spot_bottom redtube.com##.square-banner sunporno.com,twilightsex.com##.squarespot @@ -92092,10 +95877,10 @@ yuvutu.com##\[width="480px"]\[style="padding-left: 10px;"] exgirlfriendmarket.com##\[width="728"]\[height="150"] 264porn.blogspot.com##\[width="728"]\[height="90"] matureworld.ws##a > img\[height="180"]\[width="250"]\[src*=".imageban.ru/out/"] -asspoint.com,babepedia.com,gaytube.com,pornoxo.com,rogreviews.com##a\[href*=".com/track/"] -starcelebs.com##a\[href*=".com/track/"] > img +asspoint.com,babepedia.com,babesource.com,gaytube.com,girlsnaked.net,pornoxo.com,rogreviews.com,starcelebs.com,the-new-lagoon.com,tube8.com##a\[href*=".com/track/"] +tube8.com##a\[href*="/affiliates/idevaffiliate.php?"] monstercockz.com##a\[href*="/go/"] -small-breasted-teens.com,vporn.com##a\[href*="refer.ccbill.com/cgi-bin/clicks.cgi?"] +tube8.com##a\[href*="?coupon="] porn99.net##a\[href="http://porn99.net/asian/"] xhamster.com##a\[href="http://premium.xhamster.com/join.html?from=no_ads"] pornwikileaks.com##a\[href="http://www.adultdvd.com/?a=pwl"] @@ -92109,26 +95894,23 @@ anyvids.com##a\[href^="http://ad.onyx7.com/"] sex4fun.in##a\[href^="http://adiquity.info/"] tube8.com##a\[href^="http://ads.trafficjunky.net"] tube8.com##a\[href^="http://ads2.contentabc.com"] -the-new-lagoon.com##a\[href^="http://affiliates.lifeselector.com/track/"] pornbb.org##a\[href^="http://ard.ihookup.com/"] pornbb.org##a\[href^="http://ard.sexplaycam.com/"] porn99.net##a\[href^="http://bit.ly/"] sex4fun.in##a\[href^="http://c.mobpartner.mobi/"] sex3dtoons.com##a\[href^="http://click.bdsmartwork.com/"] xxxgames.biz##a\[href^="http://clicks.totemcash.com/?"] +imghit.com##a\[href^="http://crtracklink.com/"] celeb.gate.cc##a\[href^="http://enter."]\[href*="/track/"] -h2porn.com,tube8.com,vid2c.com,xxxymovies.com##a\[href^="http://enter.brazzersnetwork.com/track/"] hollywoodoops.com##a\[href^="http://exclusive.bannedcelebs.com/"] gamcore.com##a\[href^="http://gamcore.com/ads/"] -rs-linkz.info##a\[href^="http://goo.gl/"] +hentai-imperia.org,rs-linkz.info##a\[href^="http://goo.gl/"] celeb.gate.cc##a\[href^="http://join."]\[href*="/track/"] -eskimotube.com##a\[href^="http://join.avidolz.com/track/"] -5ilthy.com##a\[href^="http://join.collegefuckparties.com/track/"] porn99.net##a\[href^="http://lauxanh.us/"] incesttoons.info##a\[href^="http://links.verotel.com/"] xxxfile.net##a\[href^="http://netload.in/index.php?refer_id="] imagepix.org##a\[href^="http://putana.cz/index.php?partner="] -iseekgirls.com,the-new-lagoon.com##a\[href^="http://refer.ccbill.com/cgi-bin/clicks.cgi?"] +iseekgirls.com,small-breasted-teens.com,the-new-lagoon.com,tube8.com##a\[href^="http://refer.ccbill.com/cgi-bin/clicks.cgi?"] olala-porn.com##a\[href^="http://ryushare.com/affiliate."] hentairules.net##a\[href^="http://secure.bondanime.com/track/"] hentairules.net##a\[href^="http://secure.futafan.com/track/"] @@ -92140,6 +95922,7 @@ asianpornmovies.com##a\[href^="http://tour.teenpornopass.com/track/"] asianpornmovies.com##a\[href^="http://webmasters.asiamoviepass.com/track/"] imagetwist.com##a\[href^="http://www.2girlsteachsex.com/"] nifty.org##a\[href^="http://www.adlbooks.com/"] +hentai-imperia.org##a\[href^="http://www.adult-empire.com/rs.php?"] picfoco.com##a\[href^="http://www.adultfriendfinder.com/search/"] bravotube.net##a\[href^="http://www.bravotube.net/cs/"] free-adult-anime.com##a\[href^="http://www.cardsgate-cs.com/redir?"] @@ -92149,6 +95932,8 @@ filthdump.com##a\[href^="http://www.filthdump.com/adtracker.php?"] alotporn.com##a\[href^="http://www.fling.com/"] myfreeblack.com##a\[href^="http://www.fling.com/enter.php"] freeporninhd.com##a\[href^="http://www.freeporninhd.com/download.php?"] +xhamster.com##a\[href^="http://www.linkfame.com/"] +girlsnaked.net##a\[href^="http://www.mrvids.com/out/"] sluttyred.com##a\[href^="http://www.realitykings.com/main.htm?id="] redtube.com##a\[href^="http://www.redtube.com/click.php?id="] motherless.com##a\[href^="http://www.safelinktrk.com/"] @@ -92161,7 +95946,6 @@ avn.com##a\[style="position: absolute; top: -16px; width: 238px; left: -226px; h avn.com##a\[style="position: absolute; top: -16px; width: 238px; right: -226px; height: 1088px;"] oopspicture.com##a\[target="_blank"] > img\[alt="real amateur porn"] imagevenue.com##a\[target="_blank"]\[href*="&utm_campaign="] -vporn.com##a\[target="_blank"]\[href*="/go.php?"]\[href*="&ad="] imagevenue.com##a\[target="_blank"]\[href*="http://trw12.com/"] youporn.com##a\[target="_blank"]\[href^="http://www.youporn.com/"] > img\[src^="http://www.youporn.com/"] picfoco.com##a\[title="Sponsor link"] @@ -92181,7 +95965,10 @@ x3xtube.com##div\[style="border: 1px solid red; margin-bottom: 15px;"] crazyandhot.com##div\[style="border:1px solid #000000; width:300px; height:250px;"] imagecherry.com##div\[style="border:1px solid black; padding:15px; width:550px;"] voyeur.net##div\[style="display:inline-block;vertical-align:middle;margin: 2px;"] -vporn.com##div\[style="float: right; width: 350px; height: 250px; margin-right: -135px; margin-bottom: 5px; padding-top: 1px; clear: right; position: relative;"] +redtube.com##div\[style="float: none; height: 250px; position: static; clear: both; text-align: left; margin: 0px auto;"] +pornhub.com##div\[style="float: none; width: 950px; position: static; clear: none; text-align: center; margin: 0px auto;"] +redtube.com##div\[style="float: right; height: 330px; width: 475px; position: relative; clear: left; text-align: center; margin: 0px auto;"] +redtube.com##div\[style="float: right; height: 528px; width: 300px; position: relative; clear: left; text-align: center; margin: 0px auto;"] xhamster.com##div\[style="font-size: 10px; margin-top: 5px;"] redtube.com##div\[style="height: 250px; position: static; clear: both; float: none; text-align: left; margin: 0px auto;"] redtube.com##div\[style="height: 250px; position: static; float: none; clear: both; text-align: left; margin: 0px auto;"] @@ -92190,8 +95977,6 @@ pichunter.com##div\[style="height: 250px; width: 800px; overflow: hidden;"] xxxstash.com##div\[style="height: 250px; width: 960px;"] redtube.com##div\[style="height: 330px; width: 475px; position: relative; float: right; clear: left; text-align: center; margin: 0px auto;"] empflix.com##div\[style="height: 400px;"] -youporn.com##div\[style="height: 410px; width: 48%; position: relative; float: right; clear: none; text-align: center; margin: 0px auto;"] -redtube.com##div\[style="height: 528px; width: 300px; position: relative; float: right; clear: left; text-align: center; margin: 0px auto;"] redtube.com##div\[style="height: 528px; width: 300px; position: relative; float: right; clear: left; text-align: center;"] querverweis.net##div\[style="height:140px;padding-top:15px;"] fantasti.cc##div\[style="height:300px; width:310px;float:right; line-height:10px;margin-bottom:0px;text-align:center;"] @@ -92211,12 +95996,13 @@ videarn.com##div\[style="text-align: center; margin-bottom: 10px;"] xtube.com##div\[style="text-align:center; width:1000px; height: 150px;"] sluttyred.com##div\[style="width: 300px; height: 250px; background-color: #CCCCCC;"] givemegay.com##div\[style="width: 300px; height: 250px; margin: 0 auto;margin-bottom: 10px;"] +vid2c.com##div\[style="width: 300px; height: 280px; margin-left: 215px; margin-top: 90px; position: absolute; z-index: 999999998; overflow: hidden; border-radius: 10px; transform: scale(1.33); background-color: black; opacity: 0.8; display: block;"] pornhub.com##div\[style="width: 380px; margin: 0 auto;background-color: #101010;text-align: center;"] -youporn.com,youporngay.com##div\[style="width: 48%; height: 410px; position: relative; float: right; clear: none; text-align: center; margin: 0px auto;"] -vporn.com##div\[style="width: 728px; height: 90px; margin-top: 8px;"] +vporn.com##div\[style="width: 720px; height: 90px; text-align: center; overflow: hidden;"] +casanovax.com##div\[style="width: 728px; height: 90px; text-align: center; margin: auto"] crazyandhot.com##div\[style="width: 728px; height: 90px; text-align: left;"] pichunter.com##div\[style="width: 800px; height: 250px; overflow: hidden;"] -vporn.com##div\[style="width: 950px; height: 300px;"] +pornhub.com##div\[style="width: 950px; float: none; position: static; clear: none; text-align: center; margin: 0px auto;"] pornhub.com##div\[style="width: 950px; position: static; clear: none; float: none; text-align: center; margin: 0px auto;"] pornhub.com##div\[style="width: 950px; position: static; float: none; clear: none; text-align: center; margin: 0px auto;"] xogogo.com##div\[style="width:1000px"] @@ -92227,7 +96013,6 @@ cam111.com##div\[style="width:626px; height:60px; margin-top:10px; margin-bottom cam111.com##div\[style="width:627px; height:30px; margin-bottom:10px;"] efukt.com##div\[style="width:630px; height:255px;"] newbigtube.com##div\[style="width:640px; min-height:54px; margin-top:8px; padding:5px;"] -imgflare.com##div\[style="width:728px; height:90px; margin-top:5px; margin-bottom:5px; -moz-border-radius:2px; border-radius:2px; -webkit-border-radius:2px;"] briefmobile.com##div\[style="width:728px;height:90px;margin-left:auto;margin-right:auto;margin-bottom:20px;"] tmz.com##div\[style^="display: block; height: 35px;"] shockingtube.com##div\[style^="display: block; padding: 5px; width:"] @@ -92240,40 +96025,28 @@ imgflare.com##div\[style^="width:604px; height:250px;"] rateherpussy.com##font\[size="1"]\[face="Verdana"] nude.hu##font\[stlye="font: normal 10pt Arial; text-decoration: none; color: black;"] cliphunter.com##h2\[style="color: blue;"] +pornhub.com,redtube.com##iframe luvmilfs.com##iframe + div > div\[style="position: absolute; top: -380px; left: 200px; "] -pornhub.com##iframe\[height="250"] -pornhub.com##iframe\[height="300"] +youporn.com##iframe\[frameborder] javjunkies.com##iframe\[height="670"] -redtube.com##iframe\[id^="as_"]\[style="vertical-align: middle;"] -pornhub.com,redtube.com##iframe\[id^="g"] -redtube.com##iframe\[style="height: 250px; width: 300px; position: static; clear: none; float: none; text-align: center; margin: 0px auto;"] youporn.com##iframe\[style="height: 250px; width: 300px; position: static; float: none; clear: none; text-align: start;"] youporn.com##iframe\[style="height: 250px; width: 950px; float: none; position: static; clear: both; text-align: center; margin: 0px auto;"] -redtube.com##iframe\[style="height: 250px; width: 950px; position: static; clear: none; float: none; text-align: left; margin: 0px auto;"] -youporn.com##iframe\[style="height: 250px; width: 950px; position: static; float: none; clear: both; text-align: center; margin: 0px auto;"] youporn.com##iframe\[style="height: 250px; width: 950px; position: static; float: none; clear: both; text-align: center;"] -youporngay.com##iframe\[style="width: 315px; height: 300px; position: static; float: none; clear: none; text-align: center; margin: 0px auto;"] -youporn.com,youporngay.com##iframe\[style="width: 950px; height: 250px; position: static; float: none; clear: both; text-align: center; margin: 0px auto;"] -pornhub.com##iframe\[style^="height: 250px;"] -pornhub.com##iframe\[width="100%"]\[frameborder="0"]\[scrolling="no"]\[style="width: 100%; position: static; float: none; clear: none; text-align: center; margin: 0px auto;"] youporn.com##iframe\[width="300"]\[height="250"] -pornhub.com##iframe\[width="315"] yourasiansex.com##iframe\[width="660"] imagevenue.com##iframe\[width="728"]\[height="90"] videosgls.com.br##iframe\[width="800"] -pornhub.com##iframe\[width="950"] xxxgames.biz##img\[height="250"]\[width="300"] pornhub.com##img\[src^="http://www.pornhub.com/album/strange/"] imagewaste.com##img\[style="border: 2px solid ; width: 160px; height: 135px;"] imagewaste.com##img\[style="border: 2px solid ; width: 162px; height: 135px;"] -unblockedpiratebay.com##img\[style="border:1px dotted black;"] soniared.org##img\[width="120"] lukeisback.com##img\[width="140"]\[height="525"] loralicious.com##img\[width="250"] 171gifs.com##img\[width="250"]\[height="1000"] loralicious.com##img\[width="300"] 4sex4.com##img\[width="300"]\[height="244"] -171gifs.com,efukt.com##img\[width="300"]\[height="250"] +171gifs.com,efukt.com,pornhub.com##img\[width="300"]\[height="250"] naughty.com##img\[width="450"] adultwork.com,babepicture.co.uk,imagetwist.com,naughty.com,sexmummy.com,tophentai.biz,tvgirlsgallery.co.uk,veronika-fasterova.cz,victoriarose.eu##img\[width="468"] clips4sale.com##img\[width="468px"] @@ -92281,6 +96054,7 @@ anetakeys.net,angelinacrow.org,cherryjul.eu,madisonparker.eu,nikkythorne.com,sex 171gifs.com##img\[width="500"]\[height="150"] 171gifs.com##img\[width="500"]\[height="180"] 171gifs.com##img\[width="640"]\[height="90"] +fleshasiadaily.com##img\[width="700"] 171gifs.com##img\[width="728"]\[height="90"] mofosex.com##li\[style="width: 385px; height: 380px; display: block; float: right;"] picfoco.com##table\[border="0"]\[width="728"] @@ -92292,8 +96066,8 @@ xvideos.com##table\[height="480"] loadsofpics.com##table\[height="750"] imagewaste.com##table\[style="width: 205px; height: 196px;"] starcelebs.com##table\[style="width:218px; border-width:1px; border-style:solid; border-color:black; border-collapse: collapse"] -1-toons.com,3dtale.com,3dteenagers.com,comicstale.com,freehentaimagazine.com##table\[style="width:840px; border 1px solid #C0C0C0; background-color:#0F0F0F; margin:0 auto;"] pornper.com,xxxkinky.com##table\[width="100%"]\[height="260"] +taxidrivermovie.com##table\[width="275"] xvideos.com##table\[width="342"] humoron.com##table\[width="527"] exgfpics.com##table\[width="565"] @@ -92327,7 +96101,7 @@ imagedax.net##td\[width="300"] xhamster.com##td\[width="360"] pornwikileaks.com##td\[width="43"] tube8.com##topadblock -!---------------------------------Whitelists----------------------------------! +!-----------------------Whitelists to fix broken sites------------------------! ! *** easylist:easylist/easylist_whitelist.txt *** @@.com/b/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@.com/banners/$image,domain=catalogfavoritesvip.com|deliverydeals.co.uk|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@ -92335,7 +96109,7 @@ tube8.com##topadblock @@.net/image-*-$image,domain=affrity.com|catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@/advertising-glype/*$image,stylesheet @@/display-ad/*$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@/wordpress/wp-admin/*-ads-manager/$~third-party +@@/wordpress/wp-admin/*-ads-manager/*$~third-party @@/wordpress/wp-admin/*/adrotate/*$~third-party @@/wp-content/plugins/bwp-minify/min/?f=$script,stylesheet,~third-party @@||192.168.$xmlhttprequest @@ -92348,8 +96122,10 @@ tube8.com##topadblock @@||24ur.com/adserver/adall. @@||24ur.com/static/*/banners.js @@||2mdn.net/crossdomain.xml$domain=rte.ie -@@||2mdn.net/instream/*/adsapi_$object-subrequest,domain=3news.co.nz|49ers.com|atlantafalcons.com|azcardinals.com|baltimoreravens.com|buccaneers.com|buffalobills.com|chargers.com|chicagobears.com|clevelandbrowns.com|colts.com|dallascowboys.com|denverbroncos.com|detroitlions.com|egirlgames.net|giants.com|globaltv.com|houstontexans.com|jaguars.com|kcchiefs.com|ktvu.com|miamidolphins.com|neworleanssaints.com|newyorkjets.com|packers.com|panthers.com|patriots.com|philadelphiaeagles.com|raiders.com|redskins.com|rte.ie|seahawks.com|steelers.com|stlouisrams.com|titansonline.com|vikings.com|wpcomwidgets.com +@@||2mdn.net/instream/*/adsapi_$object-subrequest,domain=3news.co.nz|49ers.com|atlantafalcons.com|azcardinals.com|baltimoreravens.com|buccaneers.com|buffalobills.com|chargers.com|chicagobears.com|clevelandbrowns.com|colts.com|dallascowboys.com|denverbroncos.com|detroitlions.com|egirlgames.net|euronews.com|giants.com|globaltv.com|houstontexans.com|jaguars.com|kcchiefs.com|ktvu.com|miamidolphins.com|neworleanssaints.com|newyorkjets.com|packers.com|panthers.com|patriots.com|philadelphiaeagles.com|raiders.com|redskins.com|rte.ie|seahawks.com|steelers.com|stlouisrams.com|thecomedynetwork.ca|titansonline.com|vikings.com|wpcomwidgets.com +@@||2mdn.net/instream/flash/*/adsapi.swf$object-subrequest @@||2mdn.net/instream/html5/ima3.js +@@||2mdn.net/instream/video/client.js$domain=cbc.ca @@||2mdn.net/viewad/*/B*_$image,domain=jabong.com @@||2mdn.net^*/jwplayer.js$domain=doubleclick.net @@||2mdn.net^*/player.swf$domain=doubleclick.net @@ -92359,6 +96135,7 @@ tube8.com##topadblock @@||53.com/resources/images/ad-rotator/ @@||6waves.com/ads/720x300/ @@||6waves.com/js/adshow.js +@@||961bobfm.com/Pics/Ad%20Images/LISTEN_LIVE_BUTTON.png @@||9msn.com.au/Services/Service.axd?callback=ninemsn_ads_contextualTargeting_$script,domain=ninemsn.com.au @@||9msn.com.au/share/com/adtrack/adtrack.js$domain=ninemsn.com.au @@||9msn.com.au^*/ads/ninemsn.ads$script @@ -92368,7 +96145,6 @@ tube8.com##topadblock @@||abc.com/streaming/ads/preroll_$object-subrequest,domain=abc.go.com @@||abcnews.com/assets/static/ads/fwps.js @@||abcnews.go.com/assets/static/ads/fwps.js -@@||aberdeennews.com/hive/images/adv_ @@||activelydisengaged.com/wp-content/uploads/*/ad$image @@||ad.103092804.com/st?ad_type=$subdocument,domain=wizard.mediacoderhq.com @@||ad.71i.de/crossdomain.xml$object-subrequest @@ -92382,6 +96158,7 @@ tube8.com##topadblock @@||ad.doubleclick.net/adj/*/cartalk.audio_player;$script,domain=cartalk.com @@||ad.doubleclick.net/adj/rstone.site/music/photos^$script,domain=rollingstone.com @@||ad.doubleclick.net/adx/nbcu.nbc/rewind$object-subrequest +@@||ad.doubleclick.net/clk;*?https://dm.victoriassecret.com/product/$image,domain=freeshipping.com @@||ad.doubleclick.net/N7175/adj/fdc.forbes/welcome;id=fdc/welcome;pos=thoughtx;$script,domain=forbes.com @@||ad.doubleclick.net/pfadx/nbcu.nbc/rewind$object-subrequest @@||ad.ghfusion.com/constants.js$domain=gamehouse.com @@ -92396,7 +96173,10 @@ tube8.com##topadblock @@||ad4.liverail.com/?LR_PUBLISHER_ID=$object-subrequest,domain=playreplay.net @@||ad4.liverail.com/crossdomain.xml$object-subrequest @@||ad4.liverail.com/|$object-subrequest,domain=bizu.tv|foxsports.com.au|majorleaguegaming.com|pbs.org|wikihow.com +@@||ad4.liverail.com/|$xmlhttprequest,domain=c.brightcove.com @@||ad4.liverail.com^*LR_VIDEO_ID=$object-subrequest,domain=bizu.tv +@@||ad4game.com/ima3_preloader_*.swf$object,domain=escapefan.com +@@||ad4game.com/www/delivery/video.php?zoneid=$script,domain=escapefan.com @@||adap.tv/control?$object-subrequest @@||adap.tv/crossdomain.xml$object-subrequest @@||adap.tv/redir/client/adplayer.swf$object-subrequest @@ -92420,11 +96200,11 @@ tube8.com##topadblock @@||adguard.com^$~third-party @@||adhostingsolutions.com/crossdomain.xml$object-subrequest @@||adimages.go.com/crossdomain.xml$object-subrequest -@@||adm.fwmrm.net/p/abc_live/LinkTag2.js$domain=6abc.com|7online.com|abc11.com|abc13.com|abc30.com|abc7.com|abc7chicago.com|abc7news.com -@@||adm.fwmrm.net^*/AdManager.js$domain=sky.com -@@||adm.fwmrm.net^*/BrightcovePlugin.js$domain=9news.com.au|bigbrother.com.au|ninemsn.com.au +@@||adm.fwmrm.net^*/AdManager.js$domain=msnbc.com|sky.com +@@||adm.fwmrm.net^*/BrightcovePlugin.js$domain=9jumpin.com.au|9news.com.au|bigbrother.com.au|ninemsn.com.au +@@||adm.fwmrm.net^*/LinkTag2.js$domain=6abc.com|7online.com|abc11.com|abc13.com|abc30.com|abc7.com|abc7chicago.com|abc7news.com|ahctv.com|animalplanet.com|destinationamerica.com|discovery.com|discoverylife.com|tlc.com @@||adm.fwmrm.net^*/TremorAdRenderer.$object-subrequest,domain=go.com -@@||adm.fwmrm.net^*/videoadrenderer.$object-subrequest,domain=cnbc.com|go.com|nbc.com +@@||adm.fwmrm.net^*/videoadrenderer.$object-subrequest,domain=cnbc.com|espnfc.co.uk|espnfc.com|espnfc.com.au|espnfc.us|espnfcasia.com|go.com|nbc.com @@||adman.se^$~third-party @@||admedia.wsod.com^$domain=scottrade.com @@||admin.brightcove.com/viewer/*/brightcovebootloader.swf?$object,domain=gamesradar.com @@ -92434,9 +96214,11 @@ tube8.com##topadblock @@||adotube.com/adapters/as3overstream*.swf?$domain=livestream.com @@||adotube.com/crossdomain.xml$object-subrequest @@||adpages.com^$~third-party +@@||adphoto.eu^$~third-party @@||adroll.com/j/roundtrip.js$domain=onehourtranslation.com @@||ads.adap.tv/applist|$object-subrequest,domain=wunderground.com @@||ads.ahds.ac.uk^$~document +@@||ads.awadserver.com^$domain=sellallautos.com @@||ads.badassembly.com^$~third-party @@||ads.belointeractive.com/realmedia/ads/adstream_mjx.ads/www.kgw.com/video/$script @@||ads.bizx.info/www/delivery/spc.php?zones$script,domain=nyctourist.com @@ -92454,19 +96236,24 @@ tube8.com##topadblock @@||ads.fusac.fr^$~third-party @@||ads.globo.com^*/globovideo/player/ @@||ads.golfweek.com^$~third-party +@@||ads.healthline.com/v2/adajax?$subdocument @@||ads.intergi.com/adrawdata/*/ADTECH;$object-subrequest,domain=melting-mindz.com @@||ads.intergi.com/crossdomain.xml$object-subrequest @@||ads.jetpackdigital.com.s3.amazonaws.com^$image,domain=vibe.com @@||ads.jetpackdigital.com/jquery.tools.min.js?$domain=vibe.com @@||ads.jetpackdigital.com^*/_uploads/$image,domain=vibe.com +@@||ads.m1.com.sg^$~third-party @@||ads.mefeedia.com/flash/flowplayer-3.1.2.min.js @@||ads.mefeedia.com/flash/flowplayer.controls-3.0.2.min.js @@||ads.mycricket.com/www/delivery/ajs.php?zoneid=$script,~third-party @@||ads.nyootv.com/crossdomain.xml$object-subrequest @@||ads.nyootv.com:8080/crossdomain.xml$object-subrequest @@||ads.pandora.tv/netinsight/text/pandora_global/channel/icf@ +@@||ads.pinterest.com^$~third-party @@||ads.pointroll.com/PortalServe/?pid=$xmlhttprequest,domain=thestreet.com +@@||ads.reempresa.org^$domain=reempresa.org @@||ads.seriouswheels.com^$~third-party +@@||ads.simplyhired.com^$domain=simply-partner.com|simplyhired.com @@||ads.smartfeedads.com^$~third-party @@||ads.socialtheater.com^$~third-party @@||ads.songs.pk/openx/www/delivery/ @@ -92484,7 +96271,7 @@ tube8.com##topadblock @@||ads.yimg.com^*/any/yahoologo$image @@||ads.yimg.com^*/search/b/syc_logo_2.gif @@||ads.yimg.com^*videoadmodule*.swf -@@||ads1.msads.net/library/dapmsn.js$domain=msn.com +@@||ads1.msads.net^*/dapmsn.js$domain=msn.com @@||ads1.msn.com/ads/pronws/$image @@||ads1.msn.com/library/dap.js$domain=entertainment.msn.co.nz|msn.foxsports.com @@||adsbox.com.sg^$~third-party @@ -92500,6 +96287,7 @@ tube8.com##topadblock @@||adserver.tvcatchup.com^$object-subrequest @@||adserver.vidcoin.com^*/get_campaigns?$xmlhttprequest @@||adserver.yahoo.com/a?*&l=head&$script,domain=yahoo.com +@@||adserver.yahoo.com/a?*&l=VID&$xmlhttprequest,domain=yahoo.com @@||adserver.yahoo.com/a?*=headr$script,domain=mail.yahoo.com @@||adserver.yahoo.com/crossdomain.xml$object-subrequest @@||adserver.yahoo.com^*=weather&$domain=ca.weather.yahoo.com @@ -92508,6 +96296,7 @@ tube8.com##topadblock @@||adsign.republika.pl^$subdocument,domain=a-d-sign.pl @@||adsign.republika.pl^$~third-party @@||adsonar.com/js/adsonar.js$domain=ansingstatejournal.com|app.com|battlecreekenquirer.com|clarionledger.com|coloradoan.com|dailyrecord.com|dailyworld.com|delmarvanow.com|freep.com|greatfallstribune.com|guampdn.com|hattiesburgamerican.com|hometownlife.com|ithacajournal.com|jconline.com|livingstondaily.com|montgomeryadvertiser.com|mycentraljersey.com|news-press.com|pal-item.com|pnj.com|poughkeepsiejournal.com|press-citizen.com|pressconnects.com|rgj.com|shreveporttimes.com|stargazette.com|tallahassee.com|theadvertiser.com|thecalifornian.com|thedailyjournal.com|thenewsstar.com|thestarpress.com|thetimesherald.com|thetowntalk.com|visaliatimesdelta.com +@@||adsonar.com/js/aslJSON.js$domain=engadget.com @@||adspot.lk^$~third-party @@||adsremote.scrippsnetworks.com/crossdomain.xml$object-subrequest @@||adsremote.scrippsnetworks.com/html.ng/adtype=*&playertype=$domain=gactv.com @@ -92523,6 +96312,7 @@ tube8.com##topadblock @@||adtechus.com/crossdomain.xml$object-subrequest @@||adtechus.com/dt/common/DAC.js$domain=wetpaint.com @@||adultvideotorrents.com/assets/blockblock/advertisement.js +@@||adv.*.przedsiebiorca.pl^$~third-party @@||adv.blogupp.com^ @@||adv.erti.se^$~third-party @@||adv.escreverdireito.com^$~third-party @@ -92536,6 +96326,7 @@ tube8.com##topadblock @@||advertiser.trialpay.com^$~third-party @@||advertisers.io^$domain=advertisers.io @@||advertising.acne.se^$~third-party +@@||advertising.autotrader.co.uk^$~third-party @@||advertising.racingpost.com^$image,script,stylesheet,~third-party,xmlhttprequest @@||advertising.scoop.co.nz^ @@||advertising.theigroup.co.uk^$~third-party @@ -92559,8 +96350,8 @@ tube8.com##topadblock @@||affiliates.unpakt.com/widget/$subdocument @@||affiliates.unpakt.com/widget_loader/widget_loader.js @@||africam.com/adimages/ -@@||aimatch.com/gshark/lserver/$domain=html5.grooveshark.com @@||aimsworldrunning.org/images/AD_Box_$image,~third-party +@@||airbaltic.com/banners/$~third-party @@||airguns.net/advertisement_images/ @@||airguns.net/classifieds/ad_images/ @@||airplaydirect.com/openx/www/images/$image @@ -92571,7 +96362,7 @@ tube8.com##topadblock @@||akamai.net^*/ads/preroll_$object-subrequest,domain=bet.com @@||akamai.net^*/i.mallnetworks.com/images/*120x60$domain=ultimaterewardsearn.chase.com @@||akamai.net^*/pics.drugstore.com/prodimg/promo/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||akamai.net^*/www.wellsfargo.com/img/ads/$domain=wellsfargo.com +@@||akamaihd.net/hads-*.mp4? @@||akamaihd.net^*/videoAd.js$domain=zynga.com @@||al.com/static/common/js/ads/ads.js @@||albumartexchange.com/gallery/images/public/ad/$image @@ -92587,6 +96378,7 @@ tube8.com##topadblock @@||amazon.com/widgets/$domain=sotumblry.com @@||amazonaws.com/adplayer/player/newas3player.swf?$object,domain=india.com @@||amazonaws.com/banners/$image,domain=livefromdarylshouse.com|pandasecurity.com +@@||amazonaws.com/bt-dashboard-logos/$domain=signal.co @@||amazonaws.com^*/sponsorbanners/$image,domain=members.portalbuzz.com @@||amctv.com/commons/advertisement/js/AdFrame.js @@||amiblood.com/Images/ad.jpg @@ -92601,7 +96393,7 @@ tube8.com##topadblock @@||aolcdn.com/os_merge/?file=/aol/*.js&$script @@||aolcdn.com^*/adhads.css$domain=aol.com @@||aone-soft.com/style/images/ad*.jpg -@@||api.cirqle.nl^*&advertiserId=$xmlhttprequest +@@||api.cirqle.nl^*&advertiserId=$script,xmlhttprequest @@||api.hexagram.com^$domain=scribol.com @@||api.paymentwall.com^$domain=adguard.com @@||apmebf.com/ad/$domain=betfair.com @@ -92625,6 +96417,7 @@ tube8.com##topadblock @@||as.bankrate.com/RealMedia/ads/adstream_mjx.ads/$script,~third-party @@||as.medscape.com/html.ng/transactionid%$subdocument,domain=medscape.com @@||as.webmd.com/html.ng/transactionid=$object-subrequest,script,subdocument +@@||asiasold.com/assets/home/openx/$image,~third-party @@||asrock.com/images/ad-$~third-party @@||assets.rewardstyle.com^$domain=glamour.com|itsjudytime.com @@||assiniboine.mb.ca/files/intrasite_ads/ @@ -92640,6 +96433,7 @@ tube8.com##topadblock @@||auditude.com^*/auditudebrightcoveplugin.swf$object-subrequest,domain=channel5.com @@||auditude.com^*/auditudeosmfproxyplugin.swf$object-subrequest,domain=dramafever.com|majorleaguegaming.com @@||autogespot.info/upload/ads/$image +@@||autotrader.co.uk/advert/$xmlhttprequest @@||autotrader.co.uk/static/*/images/adv/icons.png @@||autotrader.co.uk^*/advert/$~third-party,xmlhttprequest @@||autotrader.co.uk^*_adverts/$xmlhttprequest @@ -92651,11 +96445,13 @@ tube8.com##topadblock @@||awltovhc.com^$object,domain=affrity.com @@||backpackinglight.com/backpackinglight/ads/banner-$~third-party @@||bafta.org/static/site/javascript/banners.js -@@||baltimoresun.com/hive/images/adv_ +@@||bahtsold.com/assets/home/openx/Thailand/$image,~third-party +@@||bahtsold.com/assets/images/ads/no_img_main.png @@||bankofamerica.com^*?adx=$xmlhttprequest @@||banner.pumpkinpatchkids.com/www/delivery/$domain=pumpkinpatch.co.nz|pumpkinpatch.co.uk|pumpkinpatch.com|pumpkinpatch.com.au @@||banner4five.com/banners/$~third-party @@||bannerfans.com/banners/$image,~third-party +@@||bannerist.com/images/$image,domain=bannerist.com @@||banners.gametracker.rs^$image @@||banners.goldbroker.com/widget/ @@||banners.wunderground.com^$image @@ -92696,7 +96492,6 @@ tube8.com##topadblock @@||box10.com/advertising/*-preroll.swf @@||boxedlynch.com/advertising-gallery.html @@||brainient.com/crossdomain.xml$object-subrequest -@@||brightcove.com/viewer/*/advertisingmodule.swf$domain=aetv.com|al.com|amctv.com|as.com|channel5.com|cleveland.com|fox.com|fxnetworks.com|guardian.co.uk|lehighvalleylive.com|masslive.com|mlive.com|nj.com|nola.com|oregonlive.com|pennlive.com|people.com|silive.com|slate.com|syracuse.com|weather.com @@||brightcove.com^*bannerid$third-party @@||britannica.com/resources/images/shared/ad-loading.gif @@||britishairways.com/cms/global/styles/*/openx.css @@ -92741,6 +96536,7 @@ tube8.com##topadblock @@||cdn.inskinmedia.com/isfe/4.1/swf/unitcontainer2.swf$domain=tvcatchup.com @@||cdn.inskinmedia.com^*/brightcove3.js$domain=virginmedia.com @@||cdn.inskinmedia.com^*/ipcgame.js?$domain=mousebreaker.com +@@||cdn.intentmedia.net^$image,script,domain=travelzoo.com @@||cdn.pch.com/spectrummedia/spectrum/adunit/ @@||cdn.travidia.com/fsi-page/$image @@||cdn.travidia.com/rop-ad/$image @@ -92751,6 +96547,7 @@ tube8.com##topadblock @@||cerebral.s4.bizhat.com/banners/$image,~third-party @@||channel4.com/media/scripts/oasconfig/siteads.js @@||charlieandmekids.com/www/delivery/$script,domain=charlieandmekids.co.nz|charlieandmekids.com.au +@@||chase.com/content/*/ads/$image,~third-party @@||chase.com^*/adserving/ @@||cheapoair.ca/desktopmodules/adsales/adsaleshandle.ashx?$xmlhttprequest @@||cheapoair.com/desktopmodules/adsales/adsaleshandle.ashx?$xmlhttprequest @@ -92767,14 +96564,12 @@ tube8.com##topadblock @@||classifiedads.com/adbox.php$xmlhttprequest @@||classifieds.wsj.com/ad/$~third-party @@||classistatic.com^*/banner-ads/ -@@||clearchannel.com/cc-common/templates/addisplay/DFPheader.js @@||cleveland.com/static/common/js/ads/ads.js @@||clickbd.com^*/ads/$image,~third-party @@||cloudfront.net/_ads/$xmlhttprequest,domain=jobstreet.co.id|jobstreet.co.in|jobstreet.co.th|jobstreet.com|jobstreet.com.my|jobstreet.com.ph|jobstreet.com.sg|jobstreet.vn @@||club777.com/banners/$~third-party @@||clustrmaps.com/images/clustrmaps-back-soon.jpg$third-party @@||cnet.com/ad/ad-cookie/*?_=$xmlhttprequest -@@||cnn.com^*/html5/ad_policy.xml$xmlhttprequest @@||coastlinepilot.com/hive/images/adv_ @@||collective-media.net/crossdomain.xml$object-subrequest @@||collective-media.net/pfadx/wtv.wrc/$object-subrequest,domain=wrc.com @@ -92785,15 +96580,16 @@ tube8.com##topadblock @@||computerworld.com/resources/scripts/lib/doubleclick_ads.js$script @@||comsec.com.au^*/homepage_banner_ad.gif @@||condenast.co.uk/scripts/cn-advert.js$domain=cntraveller.com +@@||connectingdirectories.com/advertisers/$~third-party,xmlhttprequest @@||constructalia.com/banners/$image,~third-party @@||contactmusic.com/advertpro/servlet/view/dynamic/$object-subrequest @@||content.ad/images/$image,domain=wmpoweruser.com +@@||content.datingfactory.com/promotools/$script @@||content.hallmark.com/scripts/ecards/adspot.js @@||copesdistributing.com/images/adds/banner_$~third-party @@||cosmopolitan.com/ams/page-ads.js @@||cosmopolitan.com/cm/shared/scripts/refreshads-$script @@||countryliving.com/ams/page-ads.js -@@||courant.com/hive/images/adv_ @@||cracker.com.au^*/cracker-classifieds-free-ads.$~document @@||cricbuzz.com/includes/ads/images/wct20/$image @@||cricbuzz.com/includes/ads/images/worldcup/more_arrow_$image @@ -92802,17 +96598,22 @@ tube8.com##topadblock @@||csair.com/*/adpic.js @@||csmonitor.com/advertising/sharetools.php$subdocument @@||csoonline.com/js/doubleclick_ads.js? +@@||css.washingtonpost.com/wpost/css/combo?*/ads.css +@@||css.washingtonpost.com/wpost2/css/combo?*/ads.css +@@||css.wpdigital.net/wpost/css/combo?*/ads.css @@||ctv.ca/players/mediaplayer/*/AdManager.js^ @@||cubeecraft.com/openx/$~third-party @@||cvs.com/webcontent/images/weeklyad/adcontent/$~third-party @@||cydiaupdates.net/CydiaUpdates.com_600x80.png @@||d1sp6mwzi1jpx1.cloudfront.net^*/advertisement_min.js$domain=reelkandi.com +@@||d3con.org/data1/$image,~third-party @@||d3pkae9owd2lcf.cloudfront.net/mb102.js$domain=wowhead.com +@@||da-ads.com/truex.html?$domain=deviantart.com @@||dailycaller.com/wp-content/plugins/advertisements/$script @@||dailyhiit.com/sites/*/ad-images/ +@@||dailymail.co.uk^*/googleads--.js @@||dailymotion.com/videowall/*&clickTAG=http @@||dailypilot.com/hive/images/adv_ -@@||dailypress.com/hive/images/adv_ @@||danielechevarria.com^*/advertising-$~third-party @@||dart.clearchannel.com/crossdomain.xml$object-subrequest @@||data.panachetech.com/crossdomain.xml$object-subrequest @@ -92829,6 +96630,7 @@ tube8.com##topadblock @@||delvenetworks.com/player/*_ad_$subdocument @@||demo.inskinmedia.com^$object-subrequest,domain=tvcatchup.com @@||deviantart.net/fs*/20*_by_$image,domain=deviantart.com +@@||deviantart.net/minish/advertising/downloadad_splash_close.png @@||digiads.com.au/images/shared/misc/ad-disclaimer.gif @@||digsby.com/affiliate/banners/$image,~third-party @@||direct.fairfax.com.au/hserver/*/site=vid.*/adtype=embedded/$script @@ -92847,6 +96649,7 @@ tube8.com##topadblock @@||dolphinimaging.com/banners.js @@||dolphinimaging.com/banners/ @@||domandgeri.com/banners/$~third-party +@@||dotomi.com/commonid/match?$script,domain=betfair.com @@||doubleclick.net/ad/*.linkshare/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@||doubleclick.net/ad/can/chow/$object-subrequest @@||doubleclick.net/ad/can/tvcom/$object-subrequest,domain=tv.com @@ -92860,6 +96663,7 @@ tube8.com##topadblock @@||doubleclick.net/adi/sny.tv/media;$subdocument,domain=sny.tv @@||doubleclick.net/adi/sony.oz.opus/*;pos=bottom;$subdocument,domain=doctoroz.com @@||doubleclick.net/adi/yesnetwork.com/media;$subdocument,domain=yesnetwork.com +@@||doubleclick.net/adi/zillow.hdp/$subdocument,domain=zillow.com @@||doubleclick.net/adj/bbccom.live.site.auto/*^sz=1x1^$script,domain=bbc.com @@||doubleclick.net/adj/cm.peo/*;cmpos=$script,domain=people.com @@||doubleclick.net/adj/cm.tim/*;cmpos=$script,domain=time.com @@ -92877,6 +96681,7 @@ tube8.com##topadblock @@||doubleclick.net/ddm/clk/*://www.amazon.jobs/jobs/$subdocument,domain=glassdoor.com @@||doubleclick.net/N2605/adi/MiLB.com/scoreboard;*;sz=728x90;$subdocument @@||doubleclick.net/N6545/adj/*_music/video;$script,domain=virginmedia.com +@@||doubleclick.net/N6619/adj/zillow.hdp/$script,domain=zillow.com @@||doubleclick.net/pfadx/*/cbs/$object-subrequest,domain=latimes.com @@||doubleclick.net/pfadx/nfl.*/html5;$xmlhttprequest,domain=nfl.com @@||doubleclick.net/pfadx/umg.*;sz=10x$script @@ -92889,6 +96694,7 @@ tube8.com##topadblock @@||doubleclick.net^*/ndm.tcm/video;$script,domain=player.video.news.com.au @@||doubleclick.net^*/targeted.optimum/*;sz=968x286;$image,popup,script @@||doubleclick.net^*/videoplayer*=worldnow$subdocument,domain=ktiv.com|wflx.com +@@||dove.saymedia.com^$xmlhttprequest @@||downvids.net/ads.js @@||drf-global.com/servicegateway/globaltrips-shopping-svcs/drfadserver-1.0/pub/adserver.js?$domain=igougo.com|travelocity.com @@||drf-global.com/servicegateway/globaltrips-shopping-svcs/drfadserver-1.0/pub/drfcomms/advertisers?$script,domain=igougo.com|travelocity.com @@ -92898,6 +96704,7 @@ tube8.com##topadblock @@||drunkard.com/banners/drunk-korps-banner.jpg @@||drunkard.com/banners/drunkard-gear.jpg @@||drunkard.com/banners/modern-drunkard-book.jpg +@@||drupal.org^*/revealads.png @@||dstw.adgear.com/crossdomain.xml$object-subrequest @@||dstw.adgear.com/impressions/int/as=*.json?ag_r=$object-subrequest,domain=hot899.com|nj1015.com|streamtheworld.com|tsn.ca @@||dwiextreme.com/banners/dwiextreme$image @@ -92922,19 +96729,23 @@ tube8.com##topadblock @@||eightinc.com/admin/zone.php?zoneid=$xmlhttprequest @@||elephantjournal.com/ad_art/ @@||eluxe.ca^*_doubleclick.js*.pagespeed.$script +@@||emailbidding.com^*/advertiser/$~third-party,xmlhttprequest @@||emergencymedicalparamedic.com/wp-content/themes/AdSense/style.css @@||emjcd.com^$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@||empireonline.com/images/image_index/300x250/ +@@||engine.adzerk.net/ados?$script,domain=stackoverflow.com @@||englishanimes.com/wp-content/themes/englishanimes/js/pop.js @@||engrish.com/wp-content/uploads/*/advertisement-$image,~third-party @@||epicgameads.com/crossdomain.xml$object-subrequest @@||epicgameads.com/games/getSwfPath.php?$object-subrequest,domain=freewebarcade.com @@||epicgameads.com/games/mec_release_*.swf?$object-subrequest,domain=freewebarcade.com +@@||eplayerhtml5.performgroup.com/js/tsEplayerHtml5/js/Eplayer/js/modules/bannerview/bannerview.main.js? @@||equippers.com/abm.aspx?$script @@||equippers.com/absolutebm.aspx?$script @@||espn.co.uk/ads/gamemodule_v0.2.swf$object @@||espn.go.com^*/espn360/banner?$subdocument @@||espncdn.com/combiner/*/admgr.$script,domain=espn.go.com +@@||espncdn.com/combiner/c?*/ads.css$domain=espn.go.com @@||espncdn.com/combiner/c?*/advertising.$stylesheet,domain=espnfc.com @@||espngp.com/ads/*_sprite$domain=espnf1.com @@||esquire.com/ams/page-ads.js?$script @@ -92990,7 +96801,8 @@ tube8.com##topadblock @@||g.doubleclick.net/aclk?$subdocument,domain=nedbank.co.za @@||g.doubleclick.net/crossdomain.xml$object-subrequest,domain=~newgrounds.com @@||g.doubleclick.net/gampad/ads?$object-subrequest,domain=ensonhaber.com|majorleaguegaming.com|nfl.com|player.rogersradio.ca|twitch.tv|viki.com|volarvideo.com|worldstarhiphop.com -@@||g.doubleclick.net/gampad/ads?$script,domain=app.com|argusleader.com|autoguide.com|battlecreekenquirer.com|baxterbulletin.com|beqala.com|boatshop24.com|bodas.com.mx|bodas.net|bucyrustelegraphforum.com|burlingtonfreepress.com|casamentos.com.br|casamentos.pt|casamiento.com.uy|casamientos.com.ar|chillicothegazette.com|cincinnati.com|clarionledger.com|coloradoan.com|coshoctontribune.com|courier-journal.com|courierpostonline.com|dailyrecord.com|dailyworld.com|deadspin.com|defensenews.com|delawareonline.com|democratandchronicle.com|desmoinesregister.com|dnj.com|drupalcommerce.org|escapegames.com|fdlreporter.com|floridatoday.com|freep.com|games.latimes.com|gawker.com|gizmodo.com|greatfallstribune.com|greenbaypressgazette.com|greenvilleonline.com|guampdn.com|hattiesburgamerican.com|hometownlife.com|htrnews.com|indystar.com|io9.com|ithacajournal.com|jacksonsun.com|jalopnik.com|jconline.com|jezebel.com|kotaku.com|lancastereaglegazette.com|lansingstatejournal.com|lifehacker.com|livingstondaily.com|lohud.com|mansfieldnewsjournal.com|mariages.net|marionstar.com|marshfieldnewsherald.com|matrimonio.com|matrimonio.com.co|matrimonio.com.pe|matrimonios.cl|montgomeryadvertiser.com|motorcycle.com|mycentraljersey.com|mydesert.com|mysoju.com|nauticexpo.com|nedbank.co.za|nedbankgreen.co.za|newarkadvocate.com|news-leader.com|news-press.com|newsleader.com|nonags.com|orbitz.com|pal-item.com|pcper.com|podomatic.com|portclintonnewsherald.com|postcrescent.com|poughkeepsiejournal.com|press-citizen.com|pressconnects.com|rgj.com|sctimes.com|sheboyganpress.com|shreveporttimes.com|stargazette.com|statesmanjournal.com|stevenspointjournal.com|tallahassee.com|tennessean.com|theadvertiser.com|thedailyjournal.com|theleafchronicle.com|thenews-messenger.com|thenewsstar.com|thenorthwestern.com|thesimsresource.com|thespectrum.com|thestarpress.com|thetimesherald.com|thetowntalk.com|ticketek.com.ar|urbandictionary.com|virginaustralia.com|visaliatimesdelta.com|volokh.com|wausaudailyherald.com|weddingspot.co.uk|wisconsinrapidstribune.com|wlj.net|zanesvilletimesrecorder.com|zavvi.com|zui.com +@@||g.doubleclick.net/gampad/ads?$script,domain=app.com|argusleader.com|autoguide.com|battlecreekenquirer.com|baxterbulletin.com|beqala.com|boatshop24.com|bodas.com.mx|bodas.net|bucyrustelegraphforum.com|burlingtonfreepress.com|casamentos.com.br|casamentos.pt|casamiento.com.uy|casamientos.com.ar|chillicothegazette.com|cincinnati.com|clarionledger.com|coloradoan.com|coshoctontribune.com|courier-journal.com|courierpostonline.com|dailyrecord.com|dailyworld.com|deadspin.com|defensenews.com|delawareonline.com|democratandchronicle.com|desmoinesregister.com|dnj.com|drupalcommerce.org|escapegames.com|fdlreporter.com|floridatoday.com|freep.com|games.latimes.com|gawker.com|gizmodo.com|greatfallstribune.com|greenbaypressgazette.com|greenvilleonline.com|guampdn.com|hattiesburgamerican.com|hometownlife.com|htrnews.com|indystar.com|io9.com|ithacajournal.com|jacksonsun.com|jalopnik.com|jconline.com|jezebel.com|kotaku.com|lancastereaglegazette.com|lansingstatejournal.com|lifehacker.com|livingstondaily.com|lohud.com|mansfieldnewsjournal.com|mariages.net|marionstar.com|marshfieldnewsherald.com|matrimonio.com|matrimonio.com.co|matrimonio.com.pe|matrimonios.cl|montgomeryadvertiser.com|motorcycle.com|mycentraljersey.com|mydesert.com|mysoju.com|nauticexpo.com|nedbank.co.za|nedbankgreen.co.za|newarkadvocate.com|news-leader.com|news-press.com|newsleader.com|nonags.com|orbitz.com|pal-item.com|podomatic.com|portclintonnewsherald.com|postcrescent.com|poughkeepsiejournal.com|press-citizen.com|pressconnects.com|rgj.com|sctimes.com|sheboyganpress.com|shreveporttimes.com|stargazette.com|statesmanjournal.com|stevenspointjournal.com|tallahassee.com|tennessean.com|theadvertiser.com|thedailyjournal.com|theleafchronicle.com|thenews-messenger.com|thenewsstar.com|thenorthwestern.com|thesimsresource.com|thespectrum.com|thestarpress.com|thetimesherald.com|thetowntalk.com|ticketek.com.ar|urbandictionary.com|virginaustralia.com|visaliatimesdelta.com|volokh.com|wausaudailyherald.com|weddingspot.co.uk|wisconsinrapidstribune.com|wlj.net|zanesvilletimesrecorder.com|zavvi.com|zui.com +@@||g.doubleclick.net/gampad/ads?adk$domain=rte.ie @@||g.doubleclick.net/gampad/google_ads.js$domain=nedbank.co.za|nitrome.com|ticketek.com.ar @@||g.doubleclick.net/pagead/ads?ad_type=image_text^$object-subrequest,domain=ebog.com|gameark.com @@||g.doubleclick.net/pagead/ads?ad_type=text_dynamicimage_flash^$object-subrequest @@ -93035,13 +96847,13 @@ tube8.com##topadblock @@||google.com/adsense/$subdocument,domain=sedo.co.uk|sedo.com|sedo.jp|sedo.kr|sedo.pl @@||google.com/adsense/search/ads.js$domain=armstrongmywire.com|atlanticbb.net|bestbuy.com|bresnan.net|broadstripe.net|buckeyecablesystem.net|cableone.net|centurylink.net|charter.net|cincinnatibell.net|dish.net|forbbbs.org|forbes.com|hargray.net|hawaiiantel.net|hickorytech.net|homeaway.co.uk|knology.net|livestrong.com|mediacomtoday.com|midco.net|mybendbroadband.com|mybrctv.com|mycenturylink.com|myconsolidated.net|myepb.net|mygrande.net|mygvtc.com|myhughesnet.com|myritter.com|northstate.net|nwcable.net|query.nytimes.com|rentals.com|search.rr.com|searchresults.verizon.com|suddenlink.net|surewest.com|synacor.net|tds.net|toshiba.com|trustedreviews.com|truvista.net|windstream.net|windstreambusiness.net|wowway.net|www.google.com|zoover.co.uk|zoover.com @@||google.com/adsense/search/async-ads.js$domain=about.com|ehow.com +@@||google.com/afs/ads?$document,subdocument,domain=ehow.com|livestrong.com @@||google.com/doubleclick/studio/swiffy/$domain=www.google.com @@||google.com/search?q=$xmlhttprequest @@||google.com/uds/?file=ads&$script,domain=guardian.co.uk|landandfarm.com -@@||google.com/uds/afs?$document,subdocument,domain=ehow.com|livestrong.com -@@||google.com/uds/afs?$subdocument,domain=about.com +@@||google.com/uds/afs?$document,subdocument,domain=about.com|ehow.com|livestrong.com @@||google.com/uds/api/ads/$script,domain=guardian.co.uk -@@||google.com/uds/api/ads/*/search.$script,domain=italyinus2013.org|landandfarm.com|query.nytimes.com|trustedreviews.com|www.google.com +@@||google.com/uds/api/ads/*/search.$script,domain=landandfarm.com|query.nytimes.com|trustedreviews.com|www.google.com @@||google.com/uds/modules/elements/newsshow/iframe.html?format=728x90^$document,subdocument @@||google.com^*/show_afs_ads.js$domain=whitepages.com @@||googleapis.com/flash/*adsapi_*.swf$domain=viki.com|wwe.com @@ -93067,6 +96879,8 @@ tube8.com##topadblock @@||healthline.com/resources/base/js/responsive-ads.js? @@||healthline.com/v2/ad-leaderboard-iframe?$subdocument @@||healthline.com/v2/ad-mr2-iframe?useAdsHost=*&dfpAdSite= +@@||hebdenbridge.co.uk/ads/images/smallads.png +@@||hellotv.in/livetv/advertisements.xml$object-subrequest @@||hentai-foundry.com/themes/default/images/buttons/add_comment_icon.png @@||hillvue.com/banners/$image,~third-party @@||hipsterhitler.com/hhcomic/wp-content/uploads/2011/10/20_advertisement.jpg @@ -93114,16 +96928,18 @@ tube8.com##topadblock @@||images.rewardstyle.com/img?$image,domain=glamour.com|itsjudytime.com @@||images.vantage-media.net^$domain=yahoo.net @@||imagesbn.com/resources?*/googlead.$stylesheet,domain=barnesandnoble.com -@@||imasdk.googleapis.com/flash/core/adsapi_3_0_$object-subrequest +@@||imasdk.googleapis.com/flash/core/3.*/adsapi.swf$object-subrequest @@||imasdk.googleapis.com/flash/sdkloader/adsapi_3.swf$object-subrequest -@@||imasdk.googleapis.com/js/core/bridge*.html$subdocument,domain=eboundservices.com|live.geo.tv|news.sky.com|thestreet.com|video.foxnews.com -@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=news.sky.com|theverge.com +@@||imasdk.googleapis.com/js/core/bridge*.html$subdocument,domain=blinkboxmusic.com|cbc.ca|eboundservices.com|gamejolt.com|live.geo.tv|news.sky.com|softgames.de|thestreet.com|video.foxnews.com|waywire.com +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=blinkboxmusic.com|cbc.ca|gamejolt.com|news.sky.com|theverge.com +@@||img-cdn.mediaplex.com^$image,domain=betfair.com @@||img.espngp.com/ads/$image,domain=espnf1.com @@||img.mediaplex.com^*_afl_bettingpage_$domain=afl.com.au @@||img.thedailywtf.com/images/ads/ @@||img.travidia.com^$image @@||img.weather.weatherbug.com^*/stickers/$image,stylesheet @@||imgag.com^*/adaptvadplayer.swf$domain=egreetings.com +@@||imobie.com/js/anytrans-adv.js @@||impgb.tradedoubler.com/imp?type(img)$image,domain=deliverydeals.co.uk @@||imwx.com/js/adstwo/adcontroller.js$domain=weather.com @@||incredibox.fr/advertise/_liste.js @@ -93145,6 +96961,10 @@ tube8.com##topadblock @@||inskinmedia.com^*/js/base/api/$domain=mousebreaker.com @@||inspire.net.nz/adverts/$image @@||intellitext.co^$~third-party +@@||intellitxt.com/ast/js/nbcuni/$script +@@||intentmedia.net/adServer/$script,domain=travelzoo.com +@@||intentmedia.net/javascripts/$script,domain=travelzoo.com +@@||interadcorp.com/script/interad.$script,stylesheet @@||investors.com/Scripts/AdScript.js? @@||inviziads.com/crossdomain.xml$object-subrequest @@||ipcamhost.net/flashads/*.swf$object-subrequest,domain=canadianrockies.org @@ -93165,6 +96985,8 @@ tube8.com##topadblock @@||js.revsci.net/gateway/gw.js?$domain=app.com|argusleader.com|aviationweek.com|battlecreekenquirer.com|baxterbulletin.com|bucyrustelegraphforum.com|burlingtonfreepress.com|centralohio.com|chillicothegazette.com|cincinnati.com|citizen-times.com|clarionledger.com|coloradoan.com|coshoctontribune.com|courier-journal.com|courierpostonline.com|dailyrecord.com|dailyworld.com|delawareonline.com|delmarvanow.com|democratandchronicle.com|desmoinesregister.com|dnj.com|fdlreporter.com|foxsmallbusinesscenter.com|freep.com|greatfallstribune.com|greenbaypressgazette.com|greenvilleonline.com|guampdn.com|hattiesburgamerican.com|hometownlife.com|honoluluadvertiser.com|htrnews.com|indystar.com|jacksonsun.com|jconline.com|lancastereaglegazette.com|lansingstatejournal.com|livingstondaily.com|lohud.com|mansfieldnewsjournal.com|marionstar.com|marshfieldnewsherald.com|montgomeryadvertiser.com|mycentraljersey.com|mydesert.com|newarkadvocate.com|news-leader.com|news-press.com|newsleader.com|pal-item.com|pnj.com|portclintonnewsherald.com|postcrescent.com|poughkeepsiejournal.com|press-citizen.com|pressconnects.com|rgj.com|sctimes.com|sheboyganpress.com|shreveporttimes.com|stargazette.com|statesmanjournal.com|stevenspointjournal.com|tallahassee.com|tennessean.com|theadvertiser.com|thecalifornian.com|thedailyjournal.com|theithacajournal.com|theleafchronicle.com|thenews-messenger.com|thenewsstar.com|thenorthwestern.com|thespectrum.com|thestarpress.com|thetimesherald.com|thetowntalk.com|visaliatimesdelta.com|wausaudailyherald.com|weather.com|wisconsinrapidstribune.com|zanesvilletimesrecorder.com @@||jsstatic.com/_ads/ @@||jtvnw.net/widgets/jtv_player.*&referer=http://talkrtv.com/ad/channel.php?$object,domain=talkrtv.com +@@||justin-klein.com/banners/ +@@||kaltura.com^*/doubleClickPlugin.swf$object-subrequest,domain=tmz.com @@||kamernet.nl/Adverts/$~third-party @@||karolinashumilas.com/img/adv/ @@||kcna.kp/images/ads_arrow_ @@ -93179,20 +97001,18 @@ tube8.com##topadblock @@||kongcdn.com/game_icons/*-300x250_$domain=kongregate.com @@||kotak.com/banners/$image @@||krispykreme.com/content/images/ads/ -@@||krxd.net^$script,domain=nbcnews.com @@||ksl.com/resources/classifieds/graphics/ad_ -@@||ky3.com/hive/images/adv_ @@||l.yimg.com/*/adservice/ @@||l.yimg.com/zz/combo?*/advertising.$stylesheet @@||lacanadaonline.com/hive/images/adv_ @@||lads.myspace.com/videos/msvideoplayer.swf?$object,object-subrequest @@||lanacion.com.ar/*/publicidad/ @@||larazon.es/larazon-theme/js/publicidad.js? -@@||latimes.com/hive/images/adv_ @@||lbdevicons.brainient.com/flash/*/VPAIDWrapper.swf$object,domain=mousebreaker.com @@||lduhtrp.net/image-$domain=uscbookstore.com @@||leadback.advertising.com/adcedge/$domain=careerbuilder.com @@||lehighvalleylive.com/static/common/js/ads/ads.js +@@||lelong.com.my/UserImages/Ads/$image,~third-party @@||lemon-ads.com^$~document,~third-party @@||lesacasino.com/banners/$~third-party @@||libraryjournal.com/wp-content/plugins/wp-intern-ads/$script,stylesheet @@ -93209,13 +97029,16 @@ tube8.com##topadblock @@||linksynergy.com/fs/banners/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@||lipsum.com/images/banners/ @@||listings.brokersweb.com/JsonSearchSb.aspx?*&maxAds=$script +@@||live-support.se^*/Admax/$~third-party @@||live.seenreport.com:82/media/js/ads_controller.js?$domain=live.geo.tv @@||live.seenreport.com:82/media/js/fingerprint.js?$domain=live.geo.tv @@||live365.com/mini/blank300x250.html @@||live365.com/scripts/liveads.js @@||live365.com/web/components/ads/*.html? -@@||liverail.com/js/LiveRail.AdManager*JWPlayer$script +@@||liverail.com/js/LiveRail.AdManager$script,domain=~bluray-disc.de +@@||liverail.com/js/LiveRail.Interstitial-$script,domain=keygames.com @@||liverail.com^*/liverail_preroll.swf$object,domain=newgrounds.com +@@||liverail.com^*/vpaid-player.swf?$object,domain=addictinggames.com|keygames.com|nglmedia.com|shockwave.com @@||llnwd.net^*/js/3rdparty/swfobject$script @@||logmein.com/Serve.aspx?ZoneID=$script,~third-party @@||longtailvideo.com/flowplayer/ova-*.swf$domain=rosemaryconley.tv @@ -93243,6 +97066,7 @@ tube8.com##topadblock @@||mansioncasino.com/banners/$~third-party @@||maps-static.chitika.net^ @@||maps.chitika.net^ +@@||maps.gstatic.com/maps-api-*/adsense.js$domain=ctrlq.org|googlesightseeing.com|marinetraffic.com|satellite-calculations.com|walkscore.com @@||marca.com/deporte/css/*/publicidad.css @@||marciglesias.com/publicidad/ @@||marcokrenn.com/public/images/pages/advertising/$~third-party @@ -93252,7 +97076,6 @@ tube8.com##topadblock @@||marketing.beatport.com.s3.amazonaws.com/html/*/Banner_Ads/header_$image @@||masslive.com/static/common/js/ads/ads.js @@||maxim.com/advert*/countdown/$script,stylesheet -@@||mcall.com/hive/images/adv_ @@||mcfc.co.uk/js/core/adtracking.js @@||mcpn.us/resources/images/adv/$~third-party @@||media-azeroth.cursecdn.com/Assets/*/DOODADS/$object-subrequest @@ -93273,6 +97096,7 @@ tube8.com##topadblock @@||medrx.sensis.com.au/images/sensis/*/util.js$domain=afl.com.au|goal.com @@||medrx.sensis.com.au/images/sensis/generic.js$domain=afl.com.au @@||medscape.com/html.ng/*slideshow +@@||medscapestatic.com/pi/scripts/ads/dfp/profads2.js @@||memecdn.com/advertising_$image,domain=memecenter.com @@||meritline.com/banners/$image,~third-party @@||merkatia.com/adimages/$image @@ -93333,6 +97157,7 @@ tube8.com##topadblock @@||ncregister.com/images/ads/ @@||ncregister.com/images/sized/images/ads/ @@||nedbank.co.za/website/content/home/google_ad_Cut.jpg +@@||neobux.com/v/?a=l&l=$document @@||netupd8.com/webupd8/*/adsense.js$domain=webupd8.org @@||netupd8.com/webupd8/*/advertisement.js$domain=webupd8.org @@||networkworld.com/www/js/ads/gpt_includes.js? @@ -93409,8 +97234,8 @@ tube8.com##topadblock @@||optimatic.com^*/wrapper/shell.swf?$object,domain=pch.com @@||optimatic.com^*/wrapper/shell_standalone.swf?$object,domain=pch.com @@||oregonlive.com/static/common/js/ads/ads.js -@@||orlandosentinel.com/hive/images/adv_ @@||osdir.com/ml/dateindex*&num=$subdocument +@@||otakumode.com/shop/titleArea?*_promo_id=$xmlhttprequest @@||otrkeyfinder.com/otr/frame*.php?ads=*&search=$subdocument,domain=onlinetvrecorder.com @@||overture.london^$~third-party @@||ox-d.motogp.com/v/1.0/av?*auid=$object-subrequest,domain=motogp.com @@ -93419,28 +97244,31 @@ tube8.com##topadblock @@||ox-d.sbnation.com/w/1.0/jstag| @@||ox.eurogamer.net/oa/delivery/ajs.php?$script,domain=vg247.com @@||ox.popcap.com/delivery/afr.php?&zoneid=$subdocument,~third-party +@@||oxfordlearnersdictionaries.com/external/scripts/doubleclick.js @@||ozspeedtest.com/js/pop.js @@||pachanyc.com/_images/advertise_submit.gif @@||pachoumis.com/advertising-$~third-party +@@||pacogames.com/ad/ima3_preloader_$object @@||pagead2.googlesyndication.com/pagead/gadgets/overlay/overlaytemplate.swf$object-subrequest,domain=bn0.com|ebog.com|ensonhaber.com|gameark.com @@||pagead2.googlesyndication.com/pagead/googlevideoadslibrary.swf$object-subrequest,domain=flashgames247.com|freeonlinegames.com|gameitnow.com|play181.com|toongames.com @@||pagead2.googlesyndication.com/pagead/imgad?$image,domain=kingofgames.net|nedbank.co.za|nedbankgreen.co.za|virginaustralia.com @@||pagead2.googlesyndication.com/pagead/imgad?id=$object-subrequest,domain=bn0.com|ebog.com|ensonhaber.com|gameark.com|yepi.com +@@||pagead2.googlesyndication.com/pagead/js/*/show_ads_impl.js$domain=oldapps.com @@||pagead2.googlesyndication.com/pagead/scache/googlevideoads.swf$object-subrequest,domain=flashgames247.com|freeonlinegames.com|gameitnow.com|play181.com|toongames.com @@||pagead2.googlesyndication.com/pagead/scache/googlevideoadslibraryas3.swf$object-subrequest,domain=didigames.com|nitrome.com|nx8.com|oyunlar1.com @@||pagead2.googlesyndication.com/pagead/scache/googlevideoadslibrarylocalconnection.swf?$object-subrequest,domain=didigames.com|nitrome.com|nx8.com|oyunlar1.com +@@||pagead2.googlesyndication.com/pagead/show_ads.js$domain=oldapps.com @@||pagead2.googlesyndication.com/pagead/static?format=in_video_ads&$elemhide,subdocument @@||pagesinventory.com/_data/flags/ad.gif @@||pandasecurity.com/banners/$image,~third-party @@||pantherssl.com/banners/ -@@||partner.googleadservices.com/gampad/google_ads.js$domain=autoguide.com|avclub.com|boatshop24.com|cadenasuper.com|dailygames.com|demotywatory.pl|drivearabia.com|ensonhaber.com|juegosdiarios.com|lbox.me|letio.com|lightinthebox.com|memegenerator.net|mysoju.com|nedbank.co.za|nedbankgreen.co.za|nitrome.com|nx8.com|pcper.com|playedonline.com|sulekha.com|volokh.com|yfrog.com +@@||partner.googleadservices.com/gampad/google_ads.js$domain=autoguide.com|avclub.com|boatshop24.com|cadenasuper.com|dailygames.com|demotywatory.pl|drivearabia.com|ensonhaber.com|juegosdiarios.com|lbox.me|letio.com|lightinthebox.com|memegenerator.net|mysoju.com|nedbank.co.za|nedbankgreen.co.za|nitrome.com|nx8.com|playedonline.com|sulekha.com|volokh.com|yfrog.com @@||partner.googleadservices.com/gampad/google_ads2.js$domain=motorcycle.com|mysoju.com|nedbank.co.za @@||partner.googleadservices.com/gampad/google_ads_gpt.js$domain=amctheatres.com|pitchfork.com|podomatic.com|virginaustralia.com -@@||partner.googleadservices.com/gampad/google_service.js$domain=autoguide.com|avclub.com|boatshop24.com|cadenasuper.com|dailygames.com|demotywatory.pl|drivearabia.com|ensonhaber.com|escapegames.com|juegosdiarios.com|lbox.me|letio.com|lightinthebox.com|memegenerator.net|motorcycle.com|mysoju.com|nedbank.co.za|nedbankgreen.co.za|nx8.com|pcper.com|playedonline.com|playstationlifestyle.net|readersdigest.com.au|sulekha.com|ticketek.com.ar|volokh.com|yfrog.com +@@||partner.googleadservices.com/gampad/google_service.js$domain=autoguide.com|avclub.com|boatshop24.com|cadenasuper.com|dailygames.com|demotywatory.pl|drivearabia.com|ensonhaber.com|escapegames.com|juegosdiarios.com|lbox.me|letio.com|lightinthebox.com|memegenerator.net|motorcycle.com|mysoju.com|nedbank.co.za|nedbankgreen.co.za|nx8.com|playedonline.com|playstationlifestyle.net|readersdigest.com.au|sulekha.com|ticketek.com.ar|volokh.com|yfrog.com @@||partner.googleadservices.com/gpt/pubads_impl_$script,domain=beqala.com|bodas.com.mx|bodas.net|casamentos.com.br|casamentos.pt|casamiento.com.uy|casamientos.com.ar|deadspin.com|drupalcommerce.org|ew.com|gawker.com|gizmodo.com|io9.com|jalopnik.com|jezebel.com|kotaku.com|latimes.com|lifehacker.com|mariages.net|matrimonio.com|matrimonio.com.co|matrimonio.com.pe|matrimonios.cl|nauticexpo.com|orbitz.com|thesimsresource.com|urbandictionary.com|weddingspot.co.uk|wlj.net|zavvi.com @@||partners.thefilter.com/crossdomain.xml$object-subrequest @@||partners.thefilter.com/dailymotionservice/$image,object-subrequest,script,domain=dailymotion.com -@@||pasadenasun.com/hive/images/adv_ @@||paulfredrick.com/csimages/affiliate/banners/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@||payload*.cargocollective.com^$image @@||pbs.org^*/sponsors/flvvideoplayer.swf @@ -93525,7 +97353,6 @@ tube8.com##topadblock @@||rad.msn.com/ADSAdClient31.dll?GetAd=$xmlhttprequest,domain=ninemsn.com.au @@||rad.org.uk/images/adverts/$image,~third-party @@||radioguide.fm/minify/?*/Advertising/webroot/css/advertising.css -@@||radiomichiana.com/hive/images/adv_ @@||radiotimes.com/rt-service/resource/jspack? @@||rainbowdressup.com/ads/adsnewvars.swf @@||rapoo.com/images/ad/$image,~third-party @@ -93539,7 +97366,6 @@ tube8.com##topadblock @@||realmedia.channel4.com/realmedia/ads/adstream_sx.ads/channel4.newcu/$object-subrequest,~third-party @@||realvnc.com/assets/img/ad-bg.jpg @@||redbookmag.com/ams/page-ads.js? -@@||redeyechicago.com/hive/images/adv_ @@||redsharknews.com/components/com_adagency/includes/$script @@||refline.ch^*/advertisement.css @@||remo-xp.com/wp-content/themes/adsense-boqpod/style.css @@ -93561,6 +97387,7 @@ tube8.com##topadblock @@||rover.ebay.com^*&size=120x60&$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@||rovicorp.com/advertising/*&appver=$xmlhttprequest,domain=charter.net @@||rsvlts.com/wp-content/uploads/*-advertisment- +@@||rt.liftdna.com/forbes_welcome.js$domain=forbes.com @@||rt.liftdna.com/fs.js$domain=formspring.me @@||rt.liftdna.com/liftrtb2_2.js$domain=formspring.me @@||rthk.hk/assets/flash/rthk/*/ad_banner$object @@ -93579,6 +97406,7 @@ tube8.com##topadblock @@||scanscout.com/ads/$object-subrequest,domain=livestream.com @@||scanscout.com/crossdomain.xml$object-subrequest @@||scity.tv/js/ads.js$domain=live.scity.tv +@@||screenwavemedia.com/play/SWMAdPlayer/SWMAdPlayer.html?type=ADREQUEST&$xmlhttprequest,domain=cinemassacre.com @@||scribdassets.com/aggregated/javascript/ads.js?$domain=scribd.com @@||scrippsnetworks.com/common/adimages/networkads/video_ad_vendor_list/approved_vendors.xml$object-subrequest @@||scutt.eu/ads/$~third-party @@ -93602,12 +97430,14 @@ tube8.com##topadblock @@||serving-sys.com/SemiCachedScripts/$domain=cricketwireless.com @@||seventeen.com/ams/page-ads.js @@||sfdict.com/app/*/js/ghostwriter_adcall.js$domain=dynamo.dictionary.com +@@||sh.st/bundles/smeadvertisement/img/track.gif?$xmlhttprequest @@||shacknews.com/advertising/preroll/$domain=gamefly.com @@||shackvideo.com/playlist_xml.x? @@||share.pingdom.com/banners/$image @@||shareasale.com/image/$domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@||sharinspireds.co.nf/Images/Ads/$~third-party @@||shawfloors.com/adx/$image,~third-party +@@||shelleytheatre.co.uk/filmimages/banners/160 @@||shopmanhattanite.com/affiliatebanners/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@||siamautologistics.com/ads/$image,~third-party @@||sify.com/news/postcomments.php?*468x60.html @@ -93664,6 +97494,7 @@ tube8.com##topadblock @@||startxchange.com/textad.php?$xmlhttprequest @@||state.co.us/caic/pub_bc_avo.php?zone_id=$subdocument @@||statedesign.com/advertisers/$image,~third-party +@@||static.adzerk.net/ados.js$domain=stackoverflow.com @@||static.ak.fbcdn.net^*/ads/$script @@||static.bored.com/advertising/top10/$image,domain=bored.com @@||stats.g.doubleclick.net/dc.js$domain=native-instruments.com|nest.com|theheldrich.com @@ -93671,9 +97502,10 @@ tube8.com##topadblock @@||stclassifieds.sg/postad/ @@||stickam.com/css/ver1/asset/sharelayout2col_ad300x250.css @@||streaming.gmgradio.com/adverts/*.mp3$object-subrequest -@@||streamlive.to/ads/player_ilive.swf$object +@@||streamlive.to/ads/$object,script @@||style.com/flashxml/*.doubleclick$object @@||style.com/images/*.doubleclick$object +@@||subscribe.newyorker.com/ams/page-ads.js @@||subscribe.teenvogue.com/ams/page-ads.js @@||sulekhalive.com/images/property/bannerads/$domain=sulekha.com @@||summitracing.com/global/images/bannerads/ @@ -93682,6 +97514,7 @@ tube8.com##topadblock @@||supersonicads.com/api/rest/funds/*/advertisers/$~third-party @@||supersonicads.com/api/v1/trackCommission.php*password=$image @@||supersonicads.com/delivery/singleBanner.php?*&bannerId$subdocument +@@||support.dlink.com/Scripts/custom/pop.js @@||svcs.ebay.com/services/search/FindingService/*affiliate.tracking$domain=bkshopper.com|geo-ship.com|testfreaks.co.uk|watchmydeals.com @@||swordfox.co.nz^*/advertising/$~third-party @@||syn.5min.com/handlers/SenseHandler.ashx?*&adUnit=$script @@ -93715,6 +97548,7 @@ tube8.com##topadblock @@||thenewage.co.za/classifieds/images2/postad.gif @@||thenewsroom.com^*/advertisement.xml$object-subrequest @@||theory-test.co.uk/css/ads.css +@@||theplatform.com/current/pdk/js/plugins/doubleclick.js$domain=cbc.ca @@||thestreet-static.com/video/js/companionAdFunc.js$domain=thestreet.com @@||thetvdb.com/banners/ @@||theweathernetwork.com/js/adrefresh.js @@ -93768,8 +97602,7 @@ tube8.com##topadblock @@||tubemogul.com/crossdomain.xml$object-subrequest @@||tudouui.com/bin/player2/*&adsourceid= @@||turner.com/adultswim/big/promos/$media,domain=video.adultswim.com -@@||turner.com^*/ad_head0.js$domain=cnn.com -@@||turner.com^*/adfuel.js$domain=adultswim.com|nba.com +@@||turner.com/xslo/cvp/ads/freewheel/bundles/2/AdManager.swf?$object-subrequest,domain=tbs.com @@||turner.com^*/ads/freewheel/*/AdManager.js$domain=cnn.com @@||turner.com^*/ads/freewheel/bundles/*/renderers.xml$object-subrequest,domain=cartoonnetwork.com|tnt.tv @@||turner.com^*/ads/freewheel/bundles/2/admanager.swf$domain=adultswim.com|cartoonnetwork.com|games.cnn.com|nba.com @@ -93793,6 +97626,7 @@ tube8.com##topadblock @@||uploaded.net/affiliate/$~third-party,xmlhttprequest @@||urbanog.com/banners/$image @@||usairways.com^*/doubleclick.js +@@||usanetwork.com^*/usanetwork_ads.s_code.js? @@||usps.com/adserver/ @@||utarget.co.uk/crossdomain.xml$object-subrequest @@||utdallas.edu/locator/maps/$image @@ -93800,14 +97634,16 @@ tube8.com##topadblock @@||utdallas.edu^*/banner.js @@||uuuploads.com/ads-on-buildings/$image,domain=boredpanda.com @@||v.fwmrm.net/*/AdManager.swf$domain=marthastewart.com -@@||v.fwmrm.net/ad/p/1?$object-subrequest,domain=abc.go.com|abcfamily.go.com|abcnews.go.com|adultswim.com|cartoonnetwork.com|cc.com|channel5.com|cmt.com|colbertnation.com|comedycentral.com|eonline.com|espn.go.com|gametrailers.com|ign.com|logotv.com|mlb.mlb.com|mtv.com|mtvnservices.com|nascar.com|nbc.com|nbcnews.com|nbcsports.com|nick.com|player.theplatform.com|simpsonsworld.com|sky.com|southpark.nl|southparkstudios.com|spike.com|teamcoco.com|teennick.com|thedailyshow.com|thingx.tv|tv3play.se|tvland.com|uverseonline.att.net|vevo.com|vh1.com|video.cnbc.com|vod.fxnetworks.com +@@||v.fwmrm.net/ad/p/1?$object-subrequest,domain=abc.go.com|abcfamily.go.com|abcnews.go.com|adultswim.com|cartoonnetwork.com|cc.com|channel5.com|cmt.com|colbertnation.com|comedycentral.com|eonline.com|espn.go.com|espndeportes.com|espnfc.co.uk|espnfc.com|espnfc.com.au|espnfc.us|espnfcasia.com|gametrailers.com|ign.com|logotv.com|mlb.mlb.com|mtv.com|mtvnservices.com|nascar.com|nbc.com|nbcnews.com|nbcsports.com|nick.com|player.theplatform.com|simpsonsworld.com|sky.com|southpark.nl|southparkstudios.com|spike.com|teamcoco.com|teennick.com|thedailyshow.com|thingx.tv|tv3play.se|tvland.com|uverseonline.att.net|vevo.com|vh1.com|video.cnbc.com|vod.fxnetworks.com @@||v.fwmrm.net/crossdomain.xml$object-subrequest @@||v.fwmrm.net/p/espn_live/$object-subrequest @@||v.fwmrm.net/|$object-subrequest,domain=tv10play.se|tv3play.se|tv6play.se|tv8play.se @@||vacationstarter.com/hive/images/adv_ @@||vad.go.com/dynamicvideoad?$object-subrequest +@@||vagazette.com/hive/images/adv_ @@||valueram.com/banners/ads/ @@||vancouversun.com/js/adsync/adsynclibrary.js +@@||vanityfair.com/ads/js/cn.dart.bun.min.js @@||veetle.com/images/common/ads/ @@||ventunotech.akamai-http.edgesuite.net/VtnGoogleVpaid.swf?*&ad_type=$object-subrequest,domain=cricketcountry.com @@||vhobbies.com/admgr/*.aspx?ZoneID=$script,domain=vcoins.com @@ -93834,7 +97670,7 @@ tube8.com##topadblock @@||vizanime.com/ad/get_ads? @@||vk.com/ads?act=$~third-party @@||vk.com/ads_rotate.php$domain=vk.com -@@||voip-info.org/www/delivery/ai.php?filename=$image +@@||vmagazine.com/web/css/ads.css @@||vombasavers.com^*.swf?clickTAG=$object,~third-party @@||vswebapp.com^$~third-party @@||vtstage.cbsinteractive.com/plugins/*_adplugin.swf @@ -93876,6 +97712,7 @@ tube8.com##topadblock @@||wortech.ac.uk/publishingimages/adverts/ @@||wp.com/_static/*/criteo.js @@||wp.com/ads-pd.universalsports.com/media/$image +@@||wp.com/www.noobpreneur.com/wp-content/uploads/*-ad.jpg?resize=$domain=noobpreneur.com @@||wpthemedetector.com/ad/$~third-party @@||wrapper.teamxbox.com/a?size=headermainad @@||wsj.net^*/images/adv-$image,domain=marketwatch.com @@ -93884,6 +97721,7 @@ tube8.com##topadblock @@||www.google.*/search?$subdocument @@||www.google.*/settings/u/0/ads/preferences/$~third-party,xmlhttprequest @@||www.google.com/ads/preferences/$image,script,subdocument +@@||www.networkadvertising.org/choices/|$document @@||www8-hp.com^*/styles/ads/$domain=hp.com @@||yadayadayada.nl/banner/banner.php$image,domain=murf.nl|workhardclimbharder.nl @@||yahoo.com/combo?$stylesheet @@ -93895,7 +97733,7 @@ tube8.com##topadblock @@||yellupload.com/yell/videoads/yellvideoplayer.swf? @@||yimg.com/ks/plugin/adplugin.swf?$domain=yahoo.com @@||yimg.com/p/combo?$stylesheet,domain=yahoo.com -@@||yimg.com/rq/darla/*/g-r-min.js$domain=answers.yahoo.com|fantasysports.yahoo.com +@@||yimg.com/rq/darla/*/g-r-min.js$domain=yahoo.com @@||yimg.com/zz/combo?*&*.js @@||yimg.com^*&yat/js/ads_ @@||yimg.com^*/adplugin_*.swf$object,domain=games.yahoo.com @@ -93924,27 +97762,34 @@ tube8.com##topadblock @@||zedo.com/swf/$domain=startv.in @@||zeenews.india.com/ads/jw/player.swf$object @@||ziehl-abegg.com/images/img_adverts/$~third-party +@@||zillow.com/ads/FlexAd.htm?did=$subdocument +@@||zillow.com/widgets/search/ZillowListingsWidget.htm?*&adsize=$subdocument,domain=patch.com +! Bug #1865: ABP for Chrome messes up the page on high DPI (https://issues.adblockplus.org/ticket/1865) +@@||ads.tw.adsonar.com/adserving/getAdsAPI.jsp?callback=aslHandleAds*&c=aslHandleAds*&key=$script,domain=techcrunch.com ! Anti-Adblock +@@.audio/$script,domain=cbs.com @@.bmp^$image,domain=cbs.com @@.click/$script,third-party,domain=cbs.com -@@.com/$object-subrequest,domain=cbs.com -@@.gif#$domain=9tutorials.com|aseanlegacy.net|cbox.ws|eventosppv.me|funniermoments.com|ibmmainframeforum.com|onlinemoviesfreee.com|remo-xp.com|superplatyna.com|tv-porinternet.com.mx|ver-flv.com +@@.gif#$domain=9tutorials.com|aseanlegacy.net|budget101.com|cbox.ws|eventosppv.me|funniermoments.com|ibmmainframeforum.com|onlinemoviesfreee.com|premiumleecher.com|remo-xp.com|showsport-tv.com|superplatyna.com|turktorrent.cc|tv-porinternet.com.mx|ver-flv.com|xup.in @@.gif#$image,domain=360haven.com|needrom.com @@.gif?ad_banner=$domain=majorleaguegaming.com @@.gif|$object-subrequest,domain=cbs.com @@.info^$image,script,third-party,domain=cbs.com +@@.javascript|$domain=cbsnews.com @@.jpeg|$object-subrequest,domain=cbs.com -@@.jpg#$domain=desionlinetheater.com|firsttube.co|lag10.net|livrosdoexilado.org|mac2sell.net|movie1k.net|play-old-pc-games.com|rtube.de|uploadlw.com +@@.jpg#$domain=desionlinetheater.com|firsttube.co|lag10.net|livrosdoexilado.org|mac2sell.net|masfuertequeelhierro.com|movie1k.net|play-old-pc-games.com|rtube.de|uploadlw.com @@.jpg|$object-subrequest,domain=cbs.com +@@.jscript|$script,third-party,domain=cbs.com @@.link/$script,domain=cbs.com @@.min.js$domain=ftlauderdalewebcam.com|nyharborwebcam.com|portcanaveralwebcam.com|portevergladeswebcam.com|portmiamiwebcam.com @@.mobi/$script,domain=cbs.com -@@.png#$domain=300mblink.com|amigosdelamili.com|android-zone.org|anime2enjoy.com|anizm.com|anonytext.tk|backin.net|better-explorer.com|bitcofree.com|chrissmoove.com|cleodesktop.com|debridit.com|hogarutil.com|hostyd.com|ilive.to|lordpyrak.net|marketmilitia.org|mastertoons.com|minecraft-forum.net|myksn.net|pes-patch.com|portalzuca.net|premium4.us|puromarketing.com|realidadscans.org|secureupload.eu|stream2watch.me|streamlive.to|superplatyna.com|turkdown.com|url4u.org|vencko.net|wowhq.eu +@@.png#$domain=300mblink.com|amigosdelamili.com|android-zone.org|anime2enjoy.com|anizm.com|anonytext.tk|backin.net|better-explorer.com|bitcofree.com|chrissmoove.com|cleodesktop.com|debrastagi.com|debridit.com|debridx.com|fcportables.com|go4up.com|hackintosh.zone|hogarutil.com|hostyd.com|ilive.to|lordpyrak.net|marketmilitia.org|mastertoons.com|mediaplaybox.com|minecraft-forum.net|myksn.net|pes-patch.com|portalzuca.net|premium4.us|puromarketing.com|realidadscans.org|secureupload.eu|stream2watch.me|stream4free.eu|streamlive.to|superplatyna.com|trizone91.com|turkdown.com|url4u.org|vencko.net|wowhq.eu @@.png?*#$domain=mypapercraft.net|xlocker.net @@.png?ad_banner=$domain=majorleaguegaming.com @@.png?advertisement_$domain=majorleaguegaming.com @@.png^$image,domain=cbs.com @@.streamads.js$third-party,domain=cbs.com +@@.xzn.ir/$script,third-party,domain=psarips.com @@/adFunctionsD-cbs.js$domain=cbs.com @@/adlogger_tracker.php$subdocument,domain=chrissmoove.com @@/ads/popudner/banner.jpg?$domain=spinandw.in @@ -93959,6 +97804,8 @@ tube8.com##topadblock @@/pubads.jpeg$object-subrequest,domain=cbs.com @@/pubads.png$object-subrequest,domain=cbs.com @@/searchad.$object-subrequest,domain=cbs.com +@@/wp-content/plugins/adblock-notify-by-bweb/js/advertisement.js +@@/wp-content/plugins/anti-block/js/advertisement.js @@/wp-content/plugins/wordpress-adblock-blocker/adframe.js @@/wp-prevent-adblocker/*$script @@|http://$image,subdocument,third-party,domain=filmovizija.com @@ -93968,6 +97815,7 @@ tube8.com##topadblock @@|http://*.co^$script,third-party,domain=cbs.com @@|http://*.com^*.js|$third-party,domain=cbs.com @@|http://*.jpg?$image,domain=cbs.com +@@|http://*.js|$script,third-party,domain=cbs.com @@|http://*.net^*.bmp|$object-subrequest,domain=cbs.com @@|http://*.net^*.js|$third-party,domain=cbs.com @@|http://*.pw^$script,third-party,domain=cbs.com @@ -93975,17 +97823,20 @@ tube8.com##topadblock @@|http://*.xyz^$script,third-party,domain=cbs.com @@|http://*/pubads.$object-subrequest,domain=cbs.com @@|http://*?_$image,domain=cbs.com +@@|http://l.$script,third-party,domain=cbs.com @@|http://popsads.com^$script,domain=filmovizija.com @@|https://$script,domain=kissanime.com @@|https://$script,third-party,domain=cbs.com|eventhubs.com +@@||247realmedia.com/RealMedia/ads/Creatives/default/empty.gif$image,domain=surfline.com @@||2mdn.net/instream/flash/v3/adsapi_$object-subrequest,domain=cbs.com @@||2mdn.net/instream/video/client.js$domain=antena3.com|atresmedia.com|atresplayer.com|lasexta.com|majorleaguegaming.com @@||300mblink.com^$elemhide @@||360haven.com/adframe.js @@||360haven.com^$elemhide @@||4fuckr.com^*/adframe.js -@@||4shared.com/js/blockDetect/adServer.js +@@||4shared.com^$script @@||4sysops.com^*/adframe.js +@@||94.23.147.101^$script,domain=filmovizija.com @@||95.211.184.210/js/advertisement.js @@||95.211.194.229^$script,domain=slickvid.com @@||9msn.com.au/Services/Service.axd?*=AdExpert&$script,domain=9news.com.au @@ -93993,6 +97844,7 @@ tube8.com##topadblock @@||9xbuddy.com/js/ads.js @@||ad-emea.doubleclick.net/ad/*.CHANNEL41/*;sz=1x1;$object-subrequest,domain=channel4.com @@||ad-emea.doubleclick.net/crossdomain.xml$object-subrequest,domain=channel4.com +@@||ad.doubleclick.net/|$image,domain=cwtv.com @@||ad.filmweb.pl^$script @@||ad.leadbolt.net/show_cu.js @@||ad.uptobox.com/www/delivery/ajs.php?$script @@ -94005,6 +97857,7 @@ tube8.com##topadblock @@||admin.brightcove.com^$object-subrequest,domain=tvn.pl|tvn24.pl @@||adnxs.com^$script,domain=kissanime.com @@||adocean.pl^*/ad.js?id=$script,domain=tvn24.pl +@@||ads.adk2.com/|$subdocument,domain=vivo.sx @@||ads.avazu.net^$subdocument,domain=casadossegredos.tv|xuuby.com @@||ads.clubedohardware.com.br/www/delivery/$script @@||ads.intergi.com^$script,domain=spoilertv.com @@ -94016,32 +97869,37 @@ tube8.com##topadblock @@||ads.uptobox.com/www/images/*.png @@||adscale.de/getads.js$domain=filmovizija.com @@||adscendmedia.com/gwjs.php?$script,domain=civilization5cheats.com|kzupload.com +@@||adserver.adtech.de/?adrawdata/3.0/$object-subrequest,domain=groovefm.fi|hs.fi|istv.fi|jimtv.fi|livtv.fi|loop.fi|metrohelsinki.fi|nelonen.fi|nyt.fi|radioaalto.fi|radiorock.fi|radiosuomipop.fi|ruutu.fi @@||adserver.adtech.de/?adrawdata/3.0/$script,domain=entertainment.ie -@@||adserver.adtech.de/multiad/$script,domain=hardware.no +@@||adserver.adtech.de/multiad/$script,domain=hardware.no|vg.no @@||adserver.liverc.com/getBannerVerify.js @@||adshost2.com/js/show_ads.js$domain=bitcoinker.com +@@||adtechus.com/dt/common/postscribe.js$domain=vg.no @@||adv.wp.pl/RM/Box/*.mp4$object-subrequest,domain=wp.tv @@||advertisegame.com^$image,domain=kissanime.com @@||adverts.eclypsia.com/www/images/*.jpg|$domain=eclypsia.com @@||adzerk.net/ados.js$domain=majorleaguegaming.com @@||afdah.com^$script -@@||afreesms.com/js/adblock.js -@@||afreesms.com/js/adframe.js +@@||afreesms.com/ad*.js @@||afterburnerleech.com/js/show_ads.js +@@||ahctv.com^$elemhide @@||aidinge.com^$image,domain=cbs.com @@||ailde.net^$object-subrequest,domain=cbs.com @@||aildu.net^$object-subrequest,domain=cbs.com +@@||airpush.com/wp-content/plugins/m-wp-popup/js/wpp-popup-frontend.js$domain=filmovizija.com @@||aka-cdn-ns.adtech.de/images/*.gif$image,domain=akam.no|amobil.no|gamer.no|hardware.no|teknofil.no @@||alcohoin-faucet.tk/advertisement.js @@||alidv.net^$object-subrequest,domain=cbs.com @@||alidw.net^$object-subrequest,domain=cbs.com @@||allkpop.com/ads.js +@@||amazonaws.com/*.js$domain=cwtv.com @@||amazonaws.com/atzuma/ajs.php?adserver=$script @@||amazonaws.com/ssbss.ss/$script @@||amigosdelamili.com^$elemhide @@||amk.to/js/adcode.js? @@||ancensored.com/sites/all/modules/player/images/ad.jpg @@||android-zone.org^$elemhide +@@||animalplanet.com^$elemhide @@||anime2enjoy.com^$elemhide @@||animecrave.com/_content/$script @@||anisearch.com^*/ads.js? @@ -94051,12 +97909,17 @@ tube8.com##topadblock @@||anti-adblock-scripts.googlecode.com/files/adscript.js @@||apkmirror.com/wp-content/themes/APKMirror/js/ads.js @@||appfull.net^$elemhide +@@||ar51.eu/ad/advertisement.js @@||arto.com/includes/js/adtech.de/script.axd/adframe.js? +@@||aseanlegacy.net/ad*.js +@@||aseanlegacy.net/assets/advertisement.js +@@||aseanlegacy.net/images/ads.png @@||aseanlegacy.net^$elemhide @@||atresmedia.com/adsxml/$object-subrequest @@||atresplayer.com/adsxml/$object-subrequest @@||atresplayer.com/static/js/advertisement.js @@||auditude.com/player/js/lib/aud.html5player.js +@@||autolikergroup.com/advertisement.js @@||avforums.com/*ad$script @@||ax-d.pixfuture.net/w/$script,domain=fileover.net @@||backin.net^$elemhide @@ -94069,34 +97932,42 @@ tube8.com##topadblock @@||bitcoiner.net/advertisement.js @@||biz.tm^$script,domain=ilix.in|priva.us|urlink.at @@||blinkboxmusic.com^*/advertisement.js -@@||blogspot.com^*#-$image,domain=pirlotv.tv +@@||blogspot.com^*#-$image,domain=cricket-365.pw|cricpower.com|pirlotv.tv @@||boincstats.com/js/adframe.js @@||boxxod.net/advertisement.js -@@||brightcove.com^*/AdvertisingModule.swf$object-subrequest,domain=channel5.com|dave.uktv.co.uk|player.stv.tv +@@||brightcove.com^*/AdvertisingModule.swf$object-subrequest,domain=channel5.com|dave.uktv.co.uk|player.stv.tv|wwe.com @@||btspread.com/eroex.js +@@||budget101.com^$elemhide @@||buysellads.com/ac/bsa.js$domain=jc-mp.com @@||bywarrior.com^$elemhide +@@||c1.popads.net/pop.js$domain=go4up.com +@@||captchme.net/js/advertisement-min.js @@||captchme.net/js/advertisement.js @@||casadossegredos.tv/ads/ads_$subdocument @@||caspion.com/cas.js$domain=clubedohardware.com.br @@||catchvideo.net/adframe.js @@||cbs.com^$elemhide @@||cbsistatic.com^*/advertisement.js$domain=cnet.com +@@||cdn-surfline.com/ads/VolcomSurflinePlayerHo13.jpg$domain=surfline.com @@||cdnco.us^$script @@||celogeek.com/stylesheets/blogads.css +@@||chango.com^*/adexchanger.png?$domain=kissanime.com @@||channel4.com/ad/l/1?|$object-subrequest @@||channel4.com/p/c4_live/ExternalHTMLAdRenderer.swf$object-subrequest @@||channel4.com/p/c4_live/PauseAdExtension.swf$object-subrequest @@||channel4.com/p/c4_live/UberlayAdRenderer.swf$object-subrequest @@||channel4.com/p/c4_live/Video2AdRenderer.swf$object-subrequest @@||channel4.com/p/c4_live/VPAIDAdRenderer.swf$object-subrequest +@@||chitika.net/getads.js$domain=anisearch.com @@||chrissmoove.com^$elemhide +@@||cleodesktop.com^$elemhide @@||clicksor.net/images/$domain=kissanime.com @@||clickxchange.com^$image,domain=kissanime.com @@||clkrev.com/adServe/banners?tid=$script,domain=filmovizija.com @@||clkrev.com/banners/script/$script,domain=filmovizija.com @@||cloudvidz.net^$elemhide @@||clubedohardware.com.br^$elemhide +@@||codingcrazy.com/demo/adframe.js @@||coincheckin.com/js/adframe.js @@||coinracket.com^$elemhide @@||coinurl.com/get.php?id=18045 @@ -94109,22 +97980,32 @@ tube8.com##topadblock @@||cpmstar.com^$script,domain=kissanime.com @@||cpmtree.com^$script,domain=kissanime.com @@||cpxinteractive.com^$script,domain=kissanime.com +@@||cricket-365.tv^$elemhide @@||criteo.com/content/$image,domain=kissanime.com @@||criteo.com/delivery/ajs.php?zoneid=$script,domain=clubedohardware.com.br @@||cyberdevilz.net^$elemhide @@||d2anfhdgjxf8s1.cloudfront.net/ajs.php?adserver=$script +@@||d3tlss08qwqpkt.cloudfront.net/assets/api/advertisement-$script,domain=games.softgames.de @@||dailymotion.com/embed/video/$subdocument,domain=team-vitality.fr +@@||debrastagi.com^$elemhide @@||debridit.com^$elemhide +@@||debridx.com^$elemhide @@||decomaniacos.es^*/advertisement.js +@@||demonoid.ph^$script,domain=demonoid.ph +@@||demonoid.pw^$script,domain=demonoid.pw @@||desionlinetheater.com^$elemhide +@@||destinationamerica.com^$elemhide @@||destinypublicevents.com/src/advertisement.js @@||dialde.com^$domain=cbs.com @@||dinglydangly.com^$script,domain=eventhubs.com @@||dinozap.tv/adimages/ @@||directrev.com/js/gp.min.js$domain=filmovizija.com +@@||discovery.com^$elemhide +@@||discoverylife.com^$elemhide @@||dizi-mag.com/ads/$subdocument @@||dizicdn.com/i/ads/groupon.png$domain=dizi-mag.com -@@||dnswatch.info/js/advertisement.js +@@||dlh.net^*/advertisement.js. +@@||dnswatch.info^$script,domain=dnswatch.info @@||doge-faucet.tk/advertisement.js @@||dogefaucet.com^*/advertisement.js @@||dollarade.com/overlay_gateway.php?oid=$script,domain=dubs.me|filestore123.info|myfilestore.com|portable77download.blogspot.com|pspmaniaonline.com @@ -94149,10 +98030,12 @@ tube8.com##topadblock @@||eskago.pl/html/js/advertisement.js @@||eu5.org^*/advert.js @@||eventhubs.com^*.$script +@@||exoclick.com/wp-content/themes/exoclick/images/loader.gif?$domain=xmovies8.co @@||exponential.com/tags/ClubeDoHardwarecombr/ROS/tags.js$domain=clubedohardware.com.br @@||exponential.com^*/tags.js$domain=yellowbridge.com @@||exrapidleech.info/templates/$image @@||exrapidleech.info^$elemhide,script +@@||exsite.pl^*/advert.js @@||ezcast.tv/static/scripts/adscript.js @@||fastclick.net/w/get.media?sid=58322&tp=5&$script,domain=flv2mp3.com @@||fastcocreate.com/js/advertisement.js @@ -94161,6 +98044,7 @@ tube8.com##topadblock @@||fastcolabs.com/js/advertisement.js @@||fastcompany.com/js/advertisement.js @@||fasts.tv^$script,domain=ilive.to +@@||fcportables.com^$elemhide @@||ffiles.com/images/mmfiles_ @@||fhscheck.zapto.org^$script,~third-party @@||fhsload.hopto.org^$script,~third-party @@ -94169,6 +98053,7 @@ tube8.com##topadblock @@||files.bannersnack.com/iframe/embed.html?$subdocument,domain=thegayuk.com @@||filmovisaprevodom.net/advertisement.js @@||filmovizija.com^$elemhide +@@||filmovizija.com^$script @@||filmovizija.com^$subdocument @@||filmovizija.com^*&$image @@||filmovizija.com^*?$image @@ -94176,14 +98061,13 @@ tube8.com##topadblock @@||filmovizija.net^$elemhide @@||filmovizija.net^*#$image @@||filmux.net/ads/banner.jpg? +@@||filmux.org^$elemhide @@||filmweb.pl/adbanner/$script -@@||firstrowau.eu^$script -@@||firstrowca.eu^$script -@@||firstrowge.eu^$script -@@||firstrowit.eu^$script -@@||firstrowus.eu^$script +@@||firstonetv.com/ads_advertisement.js +@@||firstrow*.eu^$script @@||firsttube.co^$elemhide @@||fitshr.net^$script,stylesheet +@@||fm.tuba.pl/tuba3/_js/advert.js @@||fragflix.com^*.png?*=$image,domain=majorleaguegaming.com @@||free.smsmarkaz.urdupoint.com^$elemhide @@||free.smsmarkaz.urdupoint.com^*#-$image @@ -94191,17 +98075,20 @@ tube8.com##topadblock @@||freebitcoin.wmat.pl^*/advertisement.js @@||freegamehosting.nl/advertisement.js @@||freegamehosting.nl/js/advertisement.js +@@||freeprosurfer.com^$elemhide @@||freesportsbet.com/js/advertisement.js @@||freshdown.net/templates/Blaster/img/*/ads/$image @@||freshdown.net^$elemhide @@||funniermoments.com/adframe.js @@||funniermoments.com^$elemhide +@@||funniermoments.com^$stylesheet @@||fwcdn.pl^$script,domain=filmweb.pl @@||fwmrm.net/ad/g/1?$xmlhttprequest,domain=vevo.com @@||fwmrm.net/ad/g/1?prof=$script,domain=testtube.com @@||fwmrm.net/p/*/admanager.js$domain=adultswim.com|animalist.com|revision3.com|testtube.com @@||g.doubleclick.net/gampad/ad?iu=*/Leaderboard&sz=728x90$image,domain=magicseaweed.com @@||g.doubleclick.net/gampad/ads?*^slotname=NormalLeaderboard^$script,domain=drivearabia.com +@@||g.doubleclick.net/gampad/ads?ad_rule=1&adk=*&ciu_szs=300x250&*&gdfp_req=1&*&output=xml_vast2&$object-subrequest,domain=rte.ie @@||g.doubleclick.net/gampad/adx?$object-subrequest,domain=player.muzu.tv @@||g.doubleclick.net/|$object-subrequest,domain=cbs.com @@||gallery.aethereality.net/advertisement.js @@ -94216,20 +98103,24 @@ tube8.com##topadblock @@||gdataonline.com/exp/textad.js @@||genvideos.com/js/show_ads.js$domain=genvideos.com @@||go4up.com/advertisement.js +@@||go4up.com^$elemhide @@||gofirstrow.eu/advertisement.js @@||gofirstrow.eu^*/advertisement.js @@||google-it.info^$script,domain=hqq.tv +@@||google.com/ads/popudner/banner.jpg?$domain=magesy.be @@||googlecode.com/files/google_ads.js$domain=turkdown.com @@||googlesyndication.com/favicon.ico$domain=multiup.org @@||gscontxt.net/main/channels-jsonp.cgi?$domain=9news.com.au @@||hackers.co.id/adframe/adframe.js @@||hackintosh.zone/adblock/advertisement.js +@@||hackintosh.zone^$elemhide @@||hardware.no/ads/$image @@||hardware.no/artikler/$image,~third-party @@||hardware.no^$script @@||hcpc.co.uk/*ad$script,domain=avforums.com @@||hentai-foundry.com^*/ads.js @@||hexawebhosting.com/adcode.js +@@||hitcric.info^$elemhide @@||hogarutil.com^$elemhide @@||hornyspots.com^$image,domain=kissanime.com @@||hostyd.com^$elemhide @@ -94239,6 +98130,7 @@ tube8.com##topadblock @@||i-stream.pl^*/advertisement.js @@||i.imgur.com^*#.$image,domain=newmusicforpeople.org @@||ibmmainframeforum.com^$elemhide +@@||ifirstrow.eu^$script @@||iguide.to/js/advertisement.js @@||ilive.to/js/advert*.js @@||ilive.to^$elemhide @@ -94247,6 +98139,7 @@ tube8.com##topadblock @@||ima3vpaid.appspot.com/crossdomain.xml$object-subrequest,domain=antena3.com|atresmedia.com|atresplayer.com|lasexta.com @@||imageontime.com/ads/banner.jpg? @@||images.bangtidy.net^$elemhide +@@||imasdk.googleapis.com/js/core/bridge*.html$subdocument,domain=mobinozer.com @@||imgleech.com/ads/banner.jpg? @@||imgsure.com/ads/banner.jpg? @@||in.popsads.com^$script,domain=filmovizija.com @@ -94258,8 +98151,10 @@ tube8.com##topadblock @@||innovid.com/iroll/config/*.xml?cb=\[$object-subrequest,domain=channel4.com @@||innovid.com^*/VPAIDIRollPackage.swf$object-subrequest,domain=channel4.com @@||inskinmedia.com/crossdomain.xml$object-subrequest +@@||install.wtf/advertisement/advertisement.js @@||intellitxt.com/intellitxt/front.asp?ipid=$script,domain=forums.tweaktown.com -@@||iphone-tv.eu/adframe.js +@@||investigationdiscovery.com/shared/ad-enablers/ +@@||investigationdiscovery.com^$elemhide @@||iriptv.com/player/ads.js @@||jjcast.com^$elemhide @@||jkanime.net/assets/js/advertisement.js @@ -94268,7 +98163,8 @@ tube8.com##topadblock @@||juba-get.com^*/advertisement.js @@||junksport.com/watch/advertisement.js @@||juzupload.com/advert*.js -@@||keezmovies.com^$elemhide +@@||katsomo.fi^*/advert.js +@@||katsomo.fi^*/advertisement.js @@||kissanime.com/ads/$image,subdocument @@||kissanime.com^$elemhide @@||lag10.net^$elemhide @@ -94294,10 +98190,21 @@ tube8.com##topadblock @@||majorleaguegaming.com^$elemhide @@||majorleaguegaming.com^*.png?*=$image @@||makemehost.com/js/ads.js +@@||manga2u.co/css/advertiser.js +@@||mangabird.com/sites/all/themes/zen/js/advertiser.js +@@||mangabird.com^$elemhide +@@||mangabird.me/sites/default/files/manga/*/advertise-$image +@@||mangahost.com/ads.js? +@@||mangakaka.com/ad/$subdocument +@@||mangakaka.com^*/advertiser.js +@@||marketmilitia.org/advertisement.js @@||marketmilitia.org^$elemhide +@@||masfuertequeelhierro.com^$elemhide @@||mastertoons.com^$elemhide @@||maxcheaters.com/public/js/jsLoader.js +@@||maxedtech.com^$elemhide @@||media.eventhubs.com/images/*#$image +@@||mediaplaybox.com^$elemhide @@||megadown.us/advertisement.js @@||megahd.me^*/advertisement.js @@||megavideodownloader.com/adframe.js @@ -94343,6 +98250,7 @@ tube8.com##topadblock @@||nonags.com^$elemhide @@||nonags.com^*/ad$image @@||nosteam.ro/advertisement.js +@@||nosteam.ro^*/advertisement.js @@||nzbstars.com*/advertisement.js @@||nzd.co.nz^*/ads/webads$script,domain=nzdating.com @@||olcdn.net/ads1.js$domain=olweb.tv @@ -94350,6 +98258,7 @@ tube8.com##topadblock @@||onlinevideoconverter.com^*ad*.js @@||onvasortir.com/advert$script @@||openrunner.com/js/advertisement.js +@@||openspeedtest.com/advertisement.js @@||openx.gamereactor.dk/multi.php?$script @@||openx.net/w/$script,domain=fileover.net @@||openx.net/w/1.0/acj?$script,domain=clubedohardware.com.br @@ -94360,20 +98269,25 @@ tube8.com##topadblock @@||own3d.tv/templates/*adsense$object-subrequest @@||own3d.tv^*_adsense.$object-subrequest @@||pagead2.googlesyndication.com/pagead/expansion_embed.js$domain=ffiles.com|full-ngage-games.blogspot.com|kingofgames.net|megaallday.com|ninjaraider.com|nonags.com|upfordown.com|wtf-teen.com -@@||pagead2.googlesyndication.com/pagead/js/*/show_ads_impl.js$domain=360haven.com|9bis.net|9tutorials.com|afreesms.com|aseanlegacy.net|atlanticcitywebcam.com|bitcofree.com|bitcoiner.net|bitcoinker.com|borfast.com|chrissmoove.com|clubedohardware.com.br|darkreloaded.com|debridit.com|dev-metal.com|dreamscene.org|drivearabia.com|dsero.com|ezoden.com|file4go.com|free.smsmarkaz.urdupoint.com|freecoins4.me|ftlauderdalebeachcam.com|ftlauderdalewebcam.com|full-ngage-games.blogspot.com|gamespowerita.com|gnomio.com|hostyd.com|ibmmainframeforum.com|ilix.in|incredibox.com|keywestharborwebcam.com|kingofgames.net|korean-candy.com|leecher.us|litecoiner.net|livenewschat.eu|lordpyrak.net|mailbait.info|misheel.net|morganhillwebcam.com|moviemistakes.com|mypapercraft.net|needrom.com|niresh.co|niresh12495.com|nonags.com|numberempire.com|nyharborwebcam.com|omegadrivers.net|play-old-pc-games.com|portarubawebcam.com|portbermudawebcam.com|portcanaveralwebcam.com|portevergladeswebcam.com|portmiamiwebcam.com|portnywebcam.com|preemlinks.com|priva.us|puromarketing.com|radioaficion.com|rapid8.com|settlersonlinemaps.com|smashgamez.com|spoilertv.com|tech-blog.net|techydoor.com|thememypc.com|themes.themaxdavis.com|tipstank.com|trutower.com|unlocktheinbox.com|upfordown.com|uploadlw.com|urlink.at|washington.edu|whatismyip.com|winterrowd.com|yellowbridge.com -@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=activistpost.com|afreesms.com|aseanlegacy.net|bitcofree.com|bitcoinker.com|chrissmoove.com|clubedohardware.com.br|debridit.com|demo-uhd3d.com|dev-metal.com|ezoden.com|gnomio.com|i-stats.net|incredibox.com|leecher.us|mypapercraft.net|niresh.co|niresh12495.com|nonags.com|play-old-pc-games.com|settlersonlinemaps.com|unlocktheinbox.com +@@||pagead2.googlesyndication.com/pagead/js/*/show_ads_impl.js$domain=360haven.com|9bis.net|9tutorials.com|afreesms.com|apkmirror.com|aseanlegacy.net|atlanticcitywebcam.com|bitcofree.com|bitcoiner.net|bitcoinker.com|borfast.com|budget101.com|bullywiihacks.com|chrissmoove.com|clubedohardware.com.br|darkreloaded.com|debridit.com|dev-metal.com|dreamscene.org|drivearabia.com|dsero.com|ezoden.com|fcportables.com|file4go.com|free.smsmarkaz.urdupoint.com|freecoins4.me|ftlauderdalebeachcam.com|ftlauderdalewebcam.com|full-ngage-games.blogspot.com|gamespowerita.com|gnomio.com|hackintosh.zone|hostyd.com|ibmmainframeforum.com|ilix.in|incredibox.com|keywestharborwebcam.com|kingofgames.net|korean-candy.com|leecher.us|litecoiner.net|livenewschat.eu|lordpyrak.net|mailbait.info|mangacap.com|masfuertequeelhierro.com|misheel.net|morganhillwebcam.com|moviemistakes.com|mypapercraft.net|needrom.com|niresh.co|niresh12495.com|nonags.com|numberempire.com|nyharborwebcam.com|omegadrivers.net|play-old-pc-games.com|portarubawebcam.com|portbermudawebcam.com|portcanaveralwebcam.com|portevergladeswebcam.com|portmiamiwebcam.com|portnywebcam.com|preemlinks.com|priva.us|puromarketing.com|radioaficion.com|rapid8.com|settlersonlinemaps.com|smashgamez.com|spoilertv.com|tech-blog.net|techydoor.com|thememypc.com|themes.themaxdavis.com|tipstank.com|trutower.com|unlocktheinbox.com|upfordown.com|uploadlw.com|urlink.at|washington.edu|whatismyip.com|winterrowd.com|yellowbridge.com|zeperfs.com +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=activistpost.com|afreesms.com|apkmirror.com|appraisersforum.com|aseanlegacy.net|bitcofree.com|bitcoinker.com|chrissmoove.com|clubedohardware.com.br|debridit.com|demo-uhd3d.com|dev-metal.com|ezoden.com|firstonetv.com|freeprosurfer.com|gnomio.com|hackintosh.zone|i-stats.net|incredibox.com|leecher.us|mangacap.com|masfuertequeelhierro.com|mypapercraft.net|niresh.co|niresh12495.com|nonags.com|play-old-pc-games.com|settlersonlinemaps.com|unlocktheinbox.com|zeperfs.com +@@||pagead2.googlesyndication.com/pagead/js/google_top_exp.js$domain=cleodesktop.com @@||pagead2.googlesyndication.com/pagead/js/lidar.js$domain=majorleaguegaming.com -@@||pagead2.googlesyndication.com/pagead/show_ads.js$domain=360haven.com|9bis.net|9tutorials.com|afreesms.com|atlanticcitywebcam.com|bbc.com|bitcoiner.net|carsfromitaly.info|codeasily.com|darkreloaded.com|dreamscene.org|drivearabia.com|dsero.com|everythingon.tv|ffiles.com|file4go.com|filmovizija.com|filmovizija.net|free.smsmarkaz.urdupoint.com|freecoins4.me|freewaregenius.com|ftlauderdalebeachcam.com|ftlauderdalewebcam.com|full-ngage-games.blogspot.com|gamespowerita.com|gifmagic.com|hostyd.com|ibmmainframeforum.com|ilix.in|keywestharborwebcam.com|kingofgames.net|korean-candy.com|litecoiner.net|livenewschat.eu|lordpyrak.net|megaallday.com|misheel.net|morganhillwebcam.com|moviemistakes.com|needrom.com|newsok.com|ninjaraider.com|nonags.com|numberempire.com|nx8.com|nyharborwebcam.com|omegadrivers.net|photos.essence.com|portarubawebcam.com|portbermudawebcam.com|portcanaveralwebcam.com|portevergladeswebcam.com|portmiamiwebcam.com|portnywebcam.com|preemlinks.com|priva.us|puromarketing.com|radioaficion.com|rapid8.com|readersdigest.com.au|seeingwithsound.com|smashgamez.com|spoilertv.com|tech-blog.net|techydoor.com|thememypc.com|themes.themaxdavis.com|tipstank.com|top100clans.com|trutower.com|tv-kino.net|upfordown.com|uploadlw.com|urlink.at|virginmedia.com|warp2search.net|washington.edu|winterrowd.com|wtf-teen.com|yellowbridge.com +@@||pagead2.googlesyndication.com/pagead/show_ads.js$domain=360haven.com|9bis.net|9tutorials.com|afreesms.com|atlanticcitywebcam.com|bbc.com|bitcoiner.net|budget101.com|bullywiihacks.com|carsfromitaly.info|codeasily.com|darkreloaded.com|dreamscene.org|drivearabia.com|dsero.com|everythingon.tv|fcportables.com|ffiles.com|file4go.com|filmovizija.com|filmovizija.net|free.smsmarkaz.urdupoint.com|freecoins4.me|freewaregenius.com|ftlauderdalebeachcam.com|ftlauderdalewebcam.com|full-ngage-games.blogspot.com|gamespowerita.com|gifmagic.com|hackintosh.zone|hostyd.com|ibmmainframeforum.com|ilix.in|keywestharborwebcam.com|kingofgames.net|korean-candy.com|litecoiner.net|livenewschat.eu|lordpyrak.net|mangakaka.com|megaallday.com|misheel.net|morganhillwebcam.com|moviemistakes.com|needrom.com|newsok.com|ninjaraider.com|nonags.com|numberempire.com|nx8.com|nyharborwebcam.com|omegadrivers.net|photos.essence.com|portarubawebcam.com|portbermudawebcam.com|portcanaveralwebcam.com|portevergladeswebcam.com|portmiamiwebcam.com|portnywebcam.com|preemlinks.com|priva.us|puromarketing.com|radioaficion.com|rapid8.com|readersdigest.com.au|seeingwithsound.com|smashgamez.com|spoilertv.com|tech-blog.net|techydoor.com|thememypc.com|themes.themaxdavis.com|tipstank.com|top100clans.com|trutower.com|tv-kino.net|upfordown.com|uploadlw.com|urlink.at|virginmedia.com|warp2search.net|washington.edu|winterrowd.com|wtf-teen.com|yellowbridge.com +@@||pagead2.googlesyndication.com/pub-config/ca-pub-$script,domain=firstonetv.com @@||pagead2.googlesyndication.com/simgad/573912609820809|$image,domain=hardocp.com @@||pandora.com/static/ads/ @@||partner.googleadservices.com/gpt/pubads_impl_$script,domain=baseball-reference.com|basketball-reference.com|hockey-reference.com|pro-football-reference.com|sports-reference.com +@@||pastes.binbox.io/ad/banner?$subdocument +@@||pastes.binbox.io^$elemhide @@||perkuinternete.lt/modules/mod_jpayday/js/advertisement.js @@||pes-patch.com^$elemhide -@@||phncdn.com/v2/js/adblockdetect.js$domain=keezmovies.com +@@||picu.pk^$elemhide @@||pipocas.tv/js/advertisement.js @@||pirlotv.tv^$elemhide @@||play-old-pc-games.com^$elemhide @@||playhd.eu/advertisement.js +@@||playindiafilms.com/advertisement.js @@||popads.net/pop.js$domain=filmovizija.com|hqq.tv @@||popsads.com/adhandler/$script,domain=filmovizija.com @@||poreil.com^$domain=cbs.com @@ -94381,11 +98295,14 @@ tube8.com##topadblock @@||premium4.us^$elemhide @@||premiumleecher.com/inc/adframe.js @@||premiumleecher.com/inc/adsense.js +@@||premiumleecher.com^$elemhide @@||primeshare.tv^*/adframe.js @@||primeshare.tv^*/advertisement.js +@@||primewire.ag/js/advertisement.js @@||priva.us^$script,domain=ilix.in|priva.us @@||propellerads.com^$image,domain=kissanime.com @@||protect-url.net^$script,~third-party +@@||psarips.com^$script @@||puromarketing.com/js/advertisement.js @@||puromarketing.com^$elemhide @@||qrrro.com^*/adhandler/ @@ -94412,16 +98329,20 @@ tube8.com##topadblock @@||rsense-ad.realclick.co.kr/favicon.ico?id=$image,domain=mangaumaru.com @@||rtube.de^$elemhide @@||rubiconproject.com^$image,script,domain=kissanime.com +@@||runners.es^*/advertisement.js @@||s.stooq.$script,domain=stooq.com|stooq.com.br|stooq.pl|stooq.sk @@||saavn.com/ads/search_config_ad.php?$subdocument +@@||saikoanimes.net^*/advertisement.js @@||sankakucomplex.com^$script @@||sankakustatic.com^$script +@@||sascdn.com/diff/js/smart.js$domain=onvasortir.com @@||sascdn.com/diff/video/$script,domain=eskago.pl @@||sascdn.com/video/$script,domain=eskago.pl @@||savevideo.me/images/banner_ads.gif @@||sawlive.tv/adscript.js @@||scan-manga.com/ads.html @@||scan-manga.com/ads/banner.jpg$image +@@||sciencechannel.com^$elemhide @@||scoutingbook.com/js/adsense.js @@||search.spotxchange.com/vast/$object-subrequest,domain=maniatv.com @@||secureupload.eu^$elemhide @@ -94431,10 +98352,13 @@ tube8.com##topadblock @@||series-cravings.info/wp-content/plugins/wordpress-adblock-blocker/$script @@||sheepskinproxy.com/js/advertisement.js @@||shimory.com/js/show_ads.js +@@||showsport-tv.com^$elemhide @@||siamfishing.com^*/advert.js @@||sixpool.me^$image,domain=majorleaguegaming.com +@@||skidrowcrack.com/advertisement.js @@||smartadserver.com/call/pubj/*/M/*/?$domain=antena3.com|atresmedia.com|atresplayer.com|lasexta.com @@||smartadserver.com/call/pubj/*/S/*/?$domain=antena3.com|atresmedia.com|atresplayer.com|lasexta.com +@@||smartadserver.com/config.js?nwid=$domain=onvasortir.com @@||sms-mmm.com/pads.js$domain=hqq.tv @@||sms-mmm.com/script.php|$script,domain=hqq.tv @@||sockshare.com/js/$script @@ -94442,6 +98366,7 @@ tube8.com##topadblock @@||sominaltvfilms.com^$elemhide @@||sonobi.com/welcome/$image,domain=kissanime.com @@||sounddrain.net^*/advertisement.js +@@||spaste.com^$script @@||springstreetads.com/scripts/advertising.js @@||stackexchange.com/affiliate/ @@||static-avforums.com/*ad$script,domain=avforums.com @@ -94452,9 +98377,9 @@ tube8.com##topadblock @@||stooq.pl^$elemhide,script,xmlhttprequest @@||stooq.sk^$elemhide,script,xmlhttprequest @@||stream2watch.me^$elemhide +@@||stream4free.eu^$elemhide @@||streamcloud.eu^$xmlhttprequest @@||streamin.to/adblock/advert.js -@@||streamlive.to/ads/player_ilive_2.swf$object @@||streamlive.to/js/ads.js @@||streamlive.to^$elemhide @@||streamlive.to^*/ad/$image @@ -94469,18 +98394,25 @@ tube8.com##topadblock @@||thelordofstreaming.it^$elemhide @@||thememypc.com/wp-content/*/ads/$image @@||thememypc.com^$elemhide +@@||thesilverforum.com/public/js/jsLoader.js?adType=$script +@@||thesimsresource.com/downloads/download/itemId/$elemhide +@@||thesimsresource.com/js/ads.js @@||thesominaltv.com/advertisement.js +@@||thevideos.tv/js/ads.js @@||theweatherspace.com^*/advertisement.js @@||tidaltv.com/ILogger.aspx?*&adId=\[$object-subrequest,domain=channel4.com @@||tidaltv.com/tpas*.aspx?*&rand=\[$object-subrequest,domain=channel4.com @@||tklist.net/tklist/*ad$image @@||tklist.net^$elemhide +@@||tlc.com^$elemhide @@||tpmrpg.net/adframe.js @@||tradedoubler.com/anet?type(iframe)loc($subdocument,domain=topzone.lt @@||tribalfusion.com/displayAd.js?$domain=clubedohardware.com.br @@||tribalfusion.com/j.ad?$script,domain=clubedohardware.com.br +@@||trizone91.com^$elemhide @@||turkdown.com^$elemhide @@||turkdown.com^$script +@@||turktorrent.cc^$elemhide @@||tv-porinternet.com.mx^$elemhide @@||tv3.co.nz/Portals/*/advertisement.js @@||tvdez.com/ads/ads_$subdocument @@ -94504,29 +98436,40 @@ tube8.com##topadblock @@||v.fwmrm.net/ad/p/1$xmlhttprequest,domain=uktv.co.uk @@||v.fwmrm.net/ad/p/1?$object-subrequest,domain=dave.uktv.co.uk @@||vcnt3rd.com/Scripts/adscript.js$domain=mma-core.com +@@||velocity.com^$elemhide @@||vencko.net^$elemhide @@||veohb.net/js/advertisement.js$domain=veohb.net @@||ver-flv.com^$elemhide +@@||verticalscope.com/js/advert.js @@||vgunetwork.com/public/js/*/advertisement.js @@||video.unrulymedia.com^$script,subdocument,domain=springstreetads.com @@||videocelebrities.eu^*/adframe/ @@||videomega.tv/pub/interstitial.css @@||videomega.tv^$elemhide @@||videomega.tv^$script +@@||videomega.tv^$stylesheet +@@||videomega.tv^*/ad.php?id=$subdocument @@||videoplaza.tv/contrib/*/advertisement.js$domain=tv4play.se @@||vidup.me^*/adlayer.js @@||vietvbb.vn/up/clientscript/google_ads.js @@||viki.com/*.js$script +@@||vipbox.tv/js/ads.js +@@||vipleague.se/js/ads.js @@||vodu.ch^$script @@||wallpapermania.eu/assets/js/advertisement.js @@||wanamlite.com/images/ad/$image +@@||weather.com^*/advertisement.js +@@||webfirstrow.eu/advertisement.js +@@||webfirstrow.eu^*/advertisement.js @@||webtv.rs/media/blic/advertisement.jpg @@||winwords.adhood.com^$script,domain=dizi-mag.com @@||world-of-hentai.to/advertisement.js @@||worldofapk.tk^$elemhide @@||wowhq.eu^$elemhide @@||writing.com^$script +@@||www.vg.no^$elemhide @@||xlocker.net^$elemhide +@@||xup.in^$elemhide @@||yasni.*/adframe.js @@||yellowbridge.com/ad/show_ads.js @@||yellowbridge.com^*/advertisement.js @@ -94539,6 +98482,8 @@ tube8.com##topadblock @@||zman.com/adv/ova/overlay.xml @@||zoomin.tv/adhandler/amalia.adm?$object-subrequest ! Non-English +@@||2mdn.net/viewad/*.jpg|$domain=dafiti.cl|dafiti.com.ar|dafiti.com.br|dafiti.com.co +@@||ad.doubleclick.net^*.jpg|$domain=dafiti.cl|dafiti.com.ar|dafiti.com.br|dafiti.com.co @@||ad.e-kolay.net/ad.js @@||ad.e-kolay.net/jquery-*-Medyanet.min.js @@||ad.e-kolay.net/Medyanet.js @@ -94574,6 +98519,7 @@ tube8.com##topadblock @@||adv.adview.pl/ads/*.mp4$object-subrequest,domain=polskieradio.pl|radiozet.pl|spryciarze.pl|tvp.info @@||adv.pt^$~third-party @@||advert.ee^$~third-party +@@||advert.mgimg.com/servlet/view/$xmlhttprequest,domain=uzmantv.com @@||advert.uzmantv.com/advertpro/servlet/view/dynamic/url/zone?zid=$script,domain=uzmantv.com @@||advertising.mercadolivre.com.br^$xmlhttprequest,domain=mercadolivre.com.br @@||advertising.sun-sentinel.com/el-sentinel/elsentinel-landing-page.gif @@ -94584,7 +98530,10 @@ tube8.com##topadblock @@||am10.ru/letitbit.net_in.php$subdocument,domain=moevideos.net @@||amarillas.cl/advertise.do?$xmlhttprequest @@||amarillas.cl/js/advertise/$script +@@||amazon-adsystem.com/e/ir?$image,domain=kasi-time.com +@@||amazon-adsystem.com/widgets/q?$image,domain=kasi-time.com @@||americateve.com/mediaplayer_ads/new_config_openx.xml$xmlhttprequest +@@||analytics.disneyinternational.com/ads/tagsv2/video/$xmlhttprequest,domain=disney.no @@||annonser.dagbladet.no/eas?$script,domain=se.no @@||annonser.dagbladet.no/EAS_tag.1.0.js$domain=se.no @@||app.medyanetads.com/ad.js$domain=fanatik.com.tr @@ -94609,9 +98558,11 @@ tube8.com##topadblock @@||custojusto.pt/user/myads/ @@||doladowania.pl/pp/$script @@||doubleclick.net/adx/es.esmas.videonot_embed/$script,domain=esmas.com +@@||doubleclick.net^*;sz=*;ord=$image,script,domain=dafiti.cl|dafiti.com.ar|dafiti.com.br|dafiti.com.co @@||doublerecall.com/core.js.php?$script,domain=delo.si @@||ehow.com.br/frames/ad.html?$subdocument @@||ehowenespanol.com/frames/ad.html?$subdocument +@@||emag.hu/site_ajax_ads?id=$xmlhttprequest @@||emagst.net/openx/$image,domain=emag.hu|emag.ro @@||emediate.eu/crossdomain.xml$object-subrequest @@||emediate.eu/eas?cu_key=*;ty=playlist;$object-subrequest,domain=bandit.se|lugnafavoriter.com|nrj.se|playradio.se|radio1.se|rixfm.com|tv3play.ee|tv3play.se|tv6play.se|tv8play.se @@ -94625,6 +98576,7 @@ tube8.com##topadblock @@||feed.theplatform.com^*=adtech_$object-subrequest,domain=tv2.dk @@||filmon.com/ad/affiliateimages/banner-250x350.png @@||flashgames247.com/advertising/preroll/google-fg247-preloader.swf$object +@@||forads.pl^$~third-party @@||fotojorgen.no/images/*/webadverts/ @@||fotosioon.com/wp-content/*/images/advert.gif @@||freeride.se/img/admarket/$~third-party @@ -94639,6 +98591,7 @@ tube8.com##topadblock @@||hub.com.pl/reklama_video/instream_ebmed/vStitial_inttv_$object,domain=interia.tv @@||impact-ad.jp/combo?$subdocument,domain=jalan.net @@||iplsc.com^*/inpl.box.ad.js$domain=rmf24.pl +@@||isanook.com/vi/0/js/ads-$script @@||islafenice.net^*/adsense.js @@||izigo.pt/AdPictures/ @@||izigo.pt^*/adsearch? @@ -94674,6 +98627,7 @@ tube8.com##topadblock @@||openimage.interpark.com/_nip_ui/category_shopping/shopping_morningcoffee/leftbanner/null.jpg @@||openx.zomoto.nl/live/www/delivery/fl.js @@||openx.zomoto.nl/live/www/delivery/spcjs.php?id= +@@||peoplegreece.com/assets/js/adtech_res.js @@||player.terra.com^*&adunit=$script @@||player.theplatform.com^$subdocument,domain=nbc.com @@||polovniautomobili.com/images/ad-$~third-party @@ -94693,17 +98647,20 @@ tube8.com##topadblock @@||run.admost.com/adx/get.ashx?z=*&accptck=true&nojs=1 @@||run.admost.com/adx/js/admost.js? @@||s-nk.pl/img/ads/icons_pack +@@||s1emagst.akamaized.net/openx/*.jpg$domain=emag.hu +@@||sanook.com/php/get_ads.php?vast_linear=$xmlhttprequest @@||sigmalive.com/assets/js/jquery.openxtag.js @@||skai.gr/advert/*.flv$object-subrequest @@||smart.allocine.fr/crossdomain.xml$object-subrequest @@||smart.allocine.fr/def/def/xshowdef.asp$object-subrequest,domain=beyazperde.com -@@||smartadserver.com/call/pubj/$object-subrequest,domain=antena3.com|europafm.com|vertele.com +@@||smartadserver.com/call/pubj/$object-subrequest,domain=antena3.com|europafm.com|ondacero.es|vertele.com @@||smartadserver.com/call/pubx/*/M/$object-subrequest,domain=get.x-link.pl @@||smartadserver.com/call/pubx/*blq$object-subrequest,domain=antena3.com|atresmedia.com|atresplayer.com|lasexta.com @@||smartadserver.com/crossdomain.xml$object-subrequest -@@||smartadserver.com/diff/*/show*.asp?*blq$object-subrequest,domain=antena3.com|atresplayer.com|lasexta.com +@@||smartadserver.com/diff/*/show*.asp?*blq$object-subrequest,domain=antena3.com|atresplayer.com|lasexta.com|ondacero.es @@||sms.cz/bannery/$object-subrequest,~third-party @@||soov.ee/js/newad.js +@@||staircase.pl/wp-content/*/adwords.jpg$domain=staircase.pl @@||start.no/advertpro/servlet/view/text/html/zone?zid=$script @@||start.no/includes/js/adCode.js @@||stat24.com/*/ad.xml?id=$object-subrequest,domain=ipla.tv @@ -94723,9 +98680,11 @@ tube8.com##topadblock @@||tvn.adocean.pl^$object-subrequest @@||uol.com.br/html.ng/*&affiliate=$object-subrequest @@||varno-zavarovanje.com/system/modules/cp_pagepeel/html/peel.js +@@||velasridaura.com/modules/*/advertising_custom.$image,~third-party @@||video.appledaily.com.hk/admedia/$object-subrequest,domain=nextmedia.com @@||videonuz.ensonhaber.com/player/hdflvplayer/xml/ads.xml?$object-subrequest @@||videoplaza.tv/proxy/distributor?$object-subrequest,domain=aftenposten.no|bt.no|ekstrabladet.dk|kuriren.nu|qbrick.com|svd.se +@@||vinden.se/ads/$~third-party @@||xe.gr/property/recent_ads?$xmlhttprequest @@||yapo.cl/js/viewad.js? @@||yimg.jp/images/listing/tool/yads/yjaxc-stream-ex.js$domain=yahoo.co.jp @@ -94800,13 +98759,15 @@ accounts.google.com#@#.adwords @@||advertise.bingads.microsoft.com/wwimages/search/global/$image @@||advertising.microsoft.com^$~third-party @@||bingads.microsoft.com/ApexContentHandler.ashx?$script,domain=bingads.microsoft.com -! VK.ru +! VK.ru/.com @@||paymentgate.ru/payment/*_Advert/ @@||vk.com/ads$elemhide @@||vk.com/ads.php?$subdocument,domain=vk.com @@||vk.com/ads?act=payments&type$script,stylesheet +@@||vk.com/css/al/ads.css$domain=vk.com @@||vk.com/images/ads_$domain=vk.com @@||vk.com/js/al/ads.js?$domain=vk.com +@@||vk.me/css/al/ads.css$domain=vk.com @@||vk.me/images/ads_$domain=vk.com ! Mxit @@||advertise.mxit.com^$~third-party @@ -94840,25 +98801,36 @@ accounts.google.com#@#.adwords ! StumbleUpon @@||ads.stumbleupon.com^$popup @@||ads.stumbleupon.com^$~third-party +! advertise.ru +@@||advertise.ru^$~third-party +! acesse.com +@@||ads.acesse.com^$elemhide +@@||ads.acesse.com^$~third-party +! integralads.com +@@||integralplatform.com/static/js/Advertiser/$~third-party +! Revealads.com +@@||revealads.com^$~third-party ! *** easylist:easylist/easylist_whitelist_dimensions.txt *** @@-120x60-$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@-120x60.$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@_120_60.$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@_120x60.$image,domain=catalogfavoritesvip.com|deliverydeals.co.uk|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|theperfectsaver.com|travelplus.com +@@_120x60.$image,domain=2dayshippingbymastercard.com|catalogfavoritesvip.com|chase.com|deliverydeals.co.uk|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|theperfectsaver.com|travelplus.com @@_120x60_$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|theperfectsaver.com|travelplus.com -@@_300x250.$image,domain=affrity.com +@@_300x250.$image,domain=affrity.com|lockd.co.uk @@||ajax.googleapis.com/ajax/services/search/news?*-728x90&$script @@||amazonaws.com/content-images/article/*_120x60$domain=vice.com @@||amazonaws.com^*-300x250_$image,domain=snapapp.com @@||amazonaws.com^*/300x250_$image,domain=snapapp.com @@||anitasrecipes.com/Content/Images/*160x500$image @@||arnhemland-safaris.com/images/*_480_80_ +@@||artserieshotels.com.au/images/*_460_60. @@||assets.vice.com^*_120x60.jpg @@||assets1.plinxmedia.net^*_300x250. @@||assets2.plinxmedia.net^*_300x250. @@||bettermarks.com/media$~third-party @@||bizquest.com^*_img/_franchise/*_120x60.$image @@||canada.com/news/*-300-250.gif +@@||cdn.vidible.tv/prod/*_300x250_*.mp4| @@||cinemanow.com/images/banners/300x250/ @@||consumerist-com.wpengine.netdna-cdn.com/assets/*300x250 @@||crowdignite.com/img/upload/*300x250 @@ -94924,15 +98896,22 @@ accounts.google.com#@#.adwords @@||wixstatic.com/media/*_300_250_$image,domain=lenislens.com @@||zorza-polarna.pl/environment/cache/images/300_250_ ! *** easylist:easylist/easylist_whitelist_popup.txt *** +@@/redirect.aspx?pid=*&bid=$popup,domain=betbeaver.com +@@||adfarm.mediaplex.com/ad/ck/$popup,domain=betwonga.com +@@||ads.betfair.com/redirect.aspx?pid=$popup,domain=betwonga.com @@||ads.flipkart.com/delivery/ck.php?$popup,domain=flipkart.com +@@||ads.pinterest.com^$popup,~third-party +@@||ads.reempresa.org^$popup,domain=reempresa.org @@||ads.sudpresse.be^$popup,domain=sudinfo.be @@||ads.twitter.com^$popup,~third-party @@||ads.williamhillcasino.com/redirect.aspx?*=internal&$popup,domain=williamhillcasino.com +@@||adserving.unibet.com/redirect.aspx?pid=$popup,domain=betwonga.com @@||adv.blogupp.com^$popup +@@||bet365.com/home/?affiliate=$popup,domain=betbeaver.com|betwonga.com @@||doubleclick.net/click%$popup,domain=people.com|time.com @@||doubleclick.net/clk;$popup,domain=hotukdeals.com|jobamatic.com|play.google.com|santander.co.uk|techrepublic.com @@||doubleclick.net/ddm/clk/$popup,domain=couponcodeswap.com -@@||g.doubleclick.net/aclk?$popup,domain=bodas.com.mx|bodas.net|casamentos.com.br|casamentos.pt|casamiento.com.uy|casamientos.com.ar|mariages.net|matrimonio.com|matrimonio.com.co|matrimonio.com.pe|matrimonios.cl|weddingspot.co.uk +@@||g.doubleclick.net/aclk?$popup,domain=bodas.com.mx|bodas.net|casamentos.com.br|casamentos.pt|casamiento.com.uy|casamientos.com.ar|mariages.net|matrimonio.com|matrimonio.com.co|matrimonio.com.pe|matrimonios.cl|weddingspot.co.uk|zillow.com @@||gsmarena.com/adclick.php?bannerid=$popup @@||serving-sys.com/BurstingPipe/adServer.bs?$popup,domain=jobamatic.com @@||viroll.com^$popup,domain=imagebam.com|imgbox.com @@ -94958,12 +98937,7 @@ accounts.google.com#@#.adwords @@||nonktube.com/img/adyea.jpg @@||panicporn.com/Bannerads/player/player_flv_multi.swf$object @@||pop6.com/banners/$domain=horny.net|xmatch.com -@@||pornhub.com/cdn_files/js/$script -@@||pornhub.com/infographic/$subdocument -@@||pornhub.com/insights/wp-includes/js/$script @@||promo.cdn.homepornbay.com/key=*.mp4$object-subrequest,domain=hiddencamsvideo.com -@@||redtube.com/htmllogin|$subdocument -@@||redtube.com/profile/$subdocument @@||sextoyfun.com/admin/aff_files/BannerManager/$~third-party @@||sextoyfun.com/control/aff_banners/$~third-party @@||skimtube.com/advertisements.php? @@ -94976,15 +98950,35 @@ accounts.google.com#@#.adwords @@||tracking.hornymatches.com/track?type=unsubscribe&enid=$subdocument,third-party @@||widget.plugrush.com^$subdocument,domain=amateursexy.net @@||xxxporntalk.com/images/xxxpt-chrome.jpg +! Pornhub network +@@||pornhub.com/channel/ +@@||pornhub.com/comment/ +@@||pornhub.com/front/ +@@||pornhub.com/pornstar/ +@@||pornhub.com/svvt/add? +@@||pornhub.com/video/ +@@||redtube.com/message/ +@@||redtube.com/rate +@@||redtube.com/starsuggestion/ +@@||tube8.com/ajax/ +@@||youporn.com/change/rate/ +@@||youporn.com/change/user/ +@@||youporn.com/change/videos/ +@@||youporn.com/esi_home/subscriptions/ +@@||youporn.com/mycollections.json +@@||youporn.com/notifications/ +@@||youporn.com/subscriptions/ ! Anti-Adblock @@.png#$domain=indiangilma.com|lfporn.com @@||adultadworld.com/adhandler/$subdocument @@||fapxl.com^$elemhide @@||fuqer.com^*/advertisement.js +@@||gaybeeg.info/wp-content/plugins/blockalyzer-adblock-counter/$image,domain=gaybeeg.info @@||google.com/ads/$domain=hinduladies.com @@||hentaimoe.com/js/advertisement.js @@||imgadult.com/js/advertisement.js @@||indiangilma.com^$elemhide +@@||jamo.tv^$script,domain=jamo.tv @@||javpee.com/eroex.js @@||lfporn.com^$elemhide @@||mongoporn.com^*/adframe/$subdocument @@ -94992,9 +98986,13 @@ accounts.google.com#@#.adwords @@||n4mo.org^$elemhide @@||nightchan.com/advertisement.js @@||phncdn.com/js/advertisement.js +@@||phncdn.com/v2/js/adblockdetect.js$domain=keezmovies.com @@||phncdn.com^*/ads.js +@@||phncdn.com^*/fuckadblock.js @@||pornomovies.com/js/1/ads-1.js$domain=submityourflicks.com +@@||pornve.com^$elemhide @@||submityourflicks.com/player/player-ads.swf$object +@@||syndication.exoclick.com/ads.php?type=728x90&$script,domain=dirtstyle.tv @@||tmoncdn.com/scripts/advertisement.js$domain=tubemonsoon.com @@||trafficjunky.net/js/ad*.js @@||tube8.com/js/advertisement.js @@ -95011,19 +99009,19 @@ url=https://easylist-downloads.adblockplus.org/easylistgermany+easylist.txt title=EasyList Germany+EasyList fixedTitle=true homepage=https://easylist.adblockplus.org/ -lastDownload=1421244166 +lastDownload=1431347196 downloadStatus=synchronize_ok -lastModified=Wed, 14 Jan 2015 13:51:11 GMT -lastSuccess=1421244166 +lastModified=Mon, 11 May 2015 12:21:17 GMT +lastSuccess=1431347196 lastCheck=1324811431 -expires=1421416966 -softExpiration=1421314199 +expires=1431519996 +softExpiration=1431424616 requiredVersion=2.0 [Subscription filters] -! Version: 201501141351 +! Version: 201505111221 ! EasyList Germany and EasyList combination subscription -! Last modified: 14 Jan 2015 13:51 UTC +! Last modified: 11 May 2015 12:21 UTC ! Expires: 1 days (update frequency) ! ! *** easylistgermany.txt *** @@ -95031,8 +99029,8 @@ requiredVersion=2.0 ! Licence: https://easylist-downloads.adblockplus.org/COPYING ! ! Bitte melde ungeblockte Werbung und fälschlicherweise geblockte Dinge: -! Forum: http://forums.lanik.us/viewforum.php?f=90 -! E-Mail: easylist.germany@googlemail.com +! Forum: https://forums.lanik.us/viewforum.php?f=90 +! E-Mail: easylist.germany@gmail.com ! !----------------Allgemeine Regeln zum Blockieren von Werbung-----------------! ! *** easylistgermany:easylistgermany/easylistgermany_general_block.txt *** @@ -95343,6 +99341,7 @@ _woz_banner_vote. ##.keyword_werbung ##.lokalwerbung ##.newswerbung +##.plistaList > .plista_widget_underArticle_item\[data-type="pet"] ##.popup_werbung_oben_tom ##.popup_werbung_rechts_tom ##.rahmen_ad @@ -95408,6 +99407,7 @@ _woz_banner_vote. ##.werbung_sidebar ##.werbung_text ##.werbungamazon +##.werbungimthread ##.werbungrechtstitel ##a\[href^="http://click.plista.com/pets"] ##a\[href^="http://farm.plista.com/pets"] @@ -95486,6 +99486,7 @@ kijiji.at,kijiji.ch#@#.adImg delamar.de#@#.adModule o2online.de#@#.adSpace stadtlist.de#@#.adTitle +sueddeutsche.de#@#.ad_Right dewezet.de#@#.ad_block wg-gesucht.de#@#.ad_click dewezet.de#@#.ad_content @@ -95494,6 +99495,7 @@ dewezet.de#@#.ad_header willhaben.at#@#.ad_image rcanzeigen.de#@#.ad_links willhaben.at#@#.ad_space +heise.de#@#.adbottom willhaben.at#@#.adbutton yanini.de#@#.adcol1 yanini.de#@#.adcol2 @@ -95524,7 +99526,10 @@ openlimit.com#@#.content_ad lustiges-taschenbuch.de#@#.contentad delamar.de#@#.custom_ads autoscout24.de#@#.detail-ads +di.fm#@#.firstload +esvkticker.sports-stream.de#@#.google_adsense immobilienscout24.de#@#.has-ad +guterhut.de#@#.img_ad frankenlist.de#@#.item-ad frankenlist.de#@#.list-ad styleranking.de#@#.medrect-ad @@ -95540,7 +99545,8 @@ berlin.de#@#a\[href^="http://adfarm.mediaplex.com/"] schnittberichte.com#@#a\[href^="http://bs.serving-sys.com/"] cnet.de#@#a\[href^="http://pubads.g.doubleclick.net/"] onvista.de#@#a\[href^="http://track.adform.net/"] -hardwareluxx.de,hbf-info.de,rakuten.at,rakuten.de#@#div\[id^="div-gpt-ad-"] +guterhut.de,hardwareluxx.de,hbf-info.de,rakuten.at,rakuten.de#@#div\[id^="div-gpt-ad-"] +guterhut.de#@#iframe\[id^="google_ads_iframe"] ! Anti-Adblock vol.at#@##ad-medrec vol.at#@##adPopover @@ -95551,13 +99557,17 @@ board.world-of-hentai.to#@##ad_thread_last_post_content vol.at#@##ad_two vol.at#@##adsense vol.at#@##adsense_top +iphone-tricks.de#@##adswidget1-quick-adsense +iphone-tricks.de#@##adswidget2-quick-adsense vol.at#@##bigadspot t-online.de#@#.ad_mitte magistrix.de#@#.ads-content -mufa.de#@#.adsbygoogle +iphone-tricks.de,mufa.de#@#.adsbygoogle netzkino.de#@#.advertising-top +smsgott.de#@#.adword1 netzkino.de#@#.contentAdBox transfermarkt.de#@#.werbung +iphone-tricks.de#@#.widget_adsensewidget mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] !---------------------------Third-party Werbeserver---------------------------! ! *** easylistgermany:easylistgermany/easylistgermany_adservers.txt *** @@ -95575,6 +99585,7 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||ad-serving.de^$third-party ||ad-sun.de^$third-party ||ad-traffic.de^$third-party +||ad.de.doubleclick.net^$~object-subrequest,third-party ||ad.netzquadrat.de^$third-party ||ad2net.de^$third-party ||ad2web.net^$third-party @@ -95726,7 +99737,7 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||doubleclick.net/pfadx/telewest.de/$third-party ||doubleclick.net/pfadx/toggo.de/$third-party ||doubleclick.net/pfadx/www.teleboerse.de/$third-party -||doubleclick.net^$third-party,domain=augsburger-allgemeine.de|autobild.de|bigbrother.de|bild.de|buffed.de|bunch.tv|bundesliga.de|cnet.de|comedycentral.de|computerbild.de|dashausanubis.de|de.msn.com|dooloop.tv|eyep.tv|filmjunkies.de|flashgames.de|focus.de|frauenzimmer.de|gameone.de|gamepro.de|gamesaktuell.de|gamestar.de|gameswelt.at|gameswelt.ch|gameswelt.de|gameswelt.tv|gamezone.de|gzsz.rtl.de|hatenight.com|homerj.de|icarly.de|kino.de|kochbar.de|laola1.tv|lustich.de|motorvision.de|myvideo.at|myvideo.ch|myvideo.de|n-tv.de|onlinewelten.com|pcaction.de|pcgames.de|pcgameshardware.de|pcwelt.de|radio.de|ran.de|rtlregional.de|southpark.de|spiegel.tv|spiele-zone.de|spongebob.de|sport.de|spox.com|spreeradio.de|t-online.de|tape.tv|teleboerse.de|the-hills.tv|trailerseite.de|tvmovie.de|video.de|videogameszone.de|vip.de|vodafonelive.de|vox.de|welt.de|wetter.de|wetterschnecken.de|wikifit.de|www.rtl2.de|zdnet.de +||doubleclick.net^$third-party,domain=augsburger-allgemeine.de|autobild.de|bigbrother.de|bild.de|buffed.de|bunch.tv|bundesliga.de|cnet.de|comedycentral.de|computerbild.de|dashausanubis.de|de.msn.com|dooloop.tv|eyep.tv|filmjunkies.de|flashgames.de|focus.de|frauenzimmer.de|gameone.de|gamepro.de|gamesaktuell.de|gamestar.de|gameswelt.at|gameswelt.ch|gameswelt.de|gameswelt.tv|gamezone.de|gzsz.rtl.de|hatenight.com|homerj.de|icarly.de|kino.de|kochbar.de|laola1.tv|lustich.de|motorvision.de|myvideo.at|myvideo.ch|myvideo.de|n-tv.de|onlinewelten.com|pcgames.de|pcgameshardware.de|pcwelt.de|radio.de|ran.de|rtlregional.de|southpark.de|spiegel.tv|spiele-zone.de|spongebob.de|sport.de|spox.com|spreeradio.de|t-online.de|tape.tv|teleboerse.de|the-hills.tv|trailerseite.de|tvmovie.de|video.de|videogameszone.de|vip.de|vodafonelive.de|vox.de|welt.de|wetter.de|wetterschnecken.de|wikifit.de|www.rtl2.de|zdnet.de ||doubleclick.net^*/DE_PUTPATTV/$third-party ||doubleclick.net^*/pfadx/DE_N24.*.video/*;vpos=*;zz=*;fs=$third-party ||doubleclick.net^*/pfadx/tele5.de/$third-party @@ -95790,6 +99801,7 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||inlinks.de^$third-party ||intensifier.de^$third-party ||interwebads.de^$third-party +||iqcontentplatform.de^$third-party ||itrack.it^$third-party ||jink.de^$third-party ||jokers-banner.de^$third-party @@ -95799,11 +99811,9 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||klick4u.de^$third-party ||klicktausch.com^$third-party ||komplads.net^$third-party -||kontextr.eu^$third-party ||layer-schueri.de^$third-party ||layerad.net^$third-party ||layerpark.com^$third-party -||lead-alliance.net^$third-party ||levelads.de^$third-party ||liferd.de^$third-party ||ligatus.de^$third-party @@ -95867,7 +99877,6 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||popupprofi.de^$third-party ||pornoprinzen.com^$third-party ||ppac.de^$third-party -||ppro.de^$third-party ||premiumbesucher.de^$third-party ||premiumdownloaden.de^$third-party ||primussponsor.de^$third-party @@ -95903,7 +99912,6 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||shorkads.de^$third-party ||siyl.net^$third-party ||siylvi.de^$third-party -||slimspots.com^$third-party ||smartaffiliate.de^$third-party ||smartclip.net^$~object-subrequest,third-party ||smartredirect.de^$third-party @@ -95987,7 +99995,6 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||insta-cash.net^$popup,third-party ||jinkads.com^$popup,third-party ||sevenads.net^$popup,third-party -||slimspots.com^$popup,third-party ||websc.org^$popup,third-party ||xx00.info^$popup,third-party !-----------------------------Third-party Werbung-----------------------------! @@ -96024,6 +100031,7 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||amateurpin.com^*/b.php?zone=$third-party ||anitoplist.de^$third-party ||anleger-fernsehen.de/movadplugin.swf +||app.kontextr.eu^$third-party ||apps.bergzeit.de/seo/bdyn?pid= ||appscene.de/time/$third-party ||arktis24.de/tradedoubler/ @@ -96094,6 +100102,7 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||ddl-moviez.org/promo/ ||ddl-search.biz/bilder/banner/ ||ddl-search.biz/bilder/banner_$third-party +||dealdog.net/dealdog.php ||dealdoktor.de/m/$third-party ||dealdoktor.de/misc/$third-party ||deinplan.de/pharus-shop.gif @@ -96162,6 +100171,7 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||free-toplisten.at^$third-party ||freenet.de^*&affiliate=$script ||freepremium.de/?ref=$third-party +||fritzdyn.de/banner.gif ||fs-location.de/img/partner/ ||fuckmetube.org^$subdocument,third-party ||fuckshow.org^$subdocument,third-party @@ -96246,6 +100256,7 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||kunden-bonus.de/?sh=*&tr=*&s=$third-party ||kundwerk.de^*/kv_banner_$third-party ||lavire.de/layer.php +||lead-alliance.net/tb.php$third-party ||lechuck.otogami.de/assets/*/OtogamiWidget.js$third-party ||lieferando.de/widgets/$subdocument,third-party ||ligaportal.at/images/promo/$third-party @@ -96275,6 +100286,7 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||mobile360.de/feedbox/inline$third-party ||mobilefun.de^*/cpgf4m.gif$third-party ||modellplan.de/banner/$third-party +||momentblick.de/promotion/ ||mondrian.twyn.com^$third-party ||moneyspecial.de^*/banner/ ||monsterdealz.de/images/$third-party @@ -96379,6 +100391,8 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||power-affiliate.6x.to^$third-party ||power-affliate.blogspot.com^$third-party ||powerdownload.info/pd/ +||ppro.de/creatives/$third-party +||ppro.de/image/$third-party ||preis-vergleich.tv^$subdocument,third-party ||premium-zone.us/banner.png ||premiumpromotions.at/indexservlet?$subdocument,third-party @@ -96482,6 +100496,7 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||startparadies.de/banner/$third-party ||static.plista.com/jsmodule/flash|$third-party ||static.plista.com/tiny/$third-party +||static.plista.com/upload/videos/$third-party ||static.plista.com^*/resized/$third-party ||stealth.to^$subdocument,third-party ||strato.de/banner/$third-party @@ -96522,6 +100537,7 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||trackfox2.com^ ||travoya.de^*/banner/$third-party ||tripadvisor.ru/WidgetEmbed-tcphoto?$domain=russland-heute.de +||tui-connect.com/a?$third-party ||tuifly.com/partner/$third-party ||tuneup.de^*/affiliate/ ||tuneyourscoot.com/images/banner @@ -96614,6 +100630,7 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||handy-toplist.de/vote/$popup ||ilove.de^*/landing_pages/$popup ||landing.sexkiste.com^$popup +||lp.amateurcommunity.com/index.php?cp=$popup,third-party ||lustagenten.de/?w=$popup,third-party ||mannagor.de/?track=ad:$popup,third-party ||mediadealr.com^$popup,third-party @@ -96643,10 +100660,10 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] |http://byte.to^$script |http://lustich.de/bilder/*_*- ||0815sms.com/doku/$script -||0nk.de/banner/ ||1000hp.net/banner/ ||149.13.77.20^$domain=ww3.cad.de ||193.107.16.142/f.php +||193.23.181.140^$domain=filecrypt.cc ||1jux.net/js/1l.js ||1jux.net/js/4p.js ||1jux.net/js/4p2.js @@ -96657,16 +100674,12 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||2download.de/js/jquery.simplemodal.*.min.js ||2mdn.net/videoplayback/$object-subrequest,domain=kabeleins.at|kabeleins.ch|kabeleins.de|prosieben.at|prosieben.ch|prosieben.de|sat1.ch|sat1.de|sixx.at|sixx.ch|sixx.de|the-voice-of-germany.at|the-voice-of-germany.ch|the-voice-of-germany.de ||320k.in/jscript/layer.js -||360hacks.de^*/partner/ -||3d-area.in/out.js -||3dl.bz/Layer.js ||3min.de/media/featured_sites/featured_bg_$image ||4-seasons.tv^*/FsProducts.swf ||4memes.net/rec$subdocument ||4pcdn.de/premium/GameAccessories/*/310x120mifcom_battlebox.jpg$domain=4players.de ||4players.de/4pl/wallpaper/ ||4players.de/javascript/4players/billiger.de.js -||4players.de/javascript/libs/swfobject_*.js ||4players.de/sourcen/portal/4players/utraforce/ ||4players.de^*/vast.js ||4taktershop.de^$subdocument,domain=rollertuningpage.de @@ -96676,15 +100689,12 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||5-jahres-wertung.de/el/online/el-dateien/image*.jpg ||5-jahres-wertung.de/forum/images/other/*.jpg ||5-jahres-wertung.de/grafiken/logos/banner1und1shop2.jpg -||5.199.170.67/modal.php$domain=boerse.bz -||6dl.to/images/girl_x7.png ||800gs.de/images/tpa/duonix/ ||87.237.123.50/jcorner.php$domain=mydia.de ||90elf.de^*/buderus_banner_ ||a.nyx.at^ ||aachener-zeitung.de/zva/container/kalaydo/ ||abakus-internet-marketing.de/img/forum-800_120_ -||abc-sms.de/frame1.php ||abg-net.de/uploads/tx_macinabanners/ ||abload.de/deals/teaser.php ||abnehmen.com^*/ebay_logo.gif @@ -96702,7 +100712,6 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||addicted-sports.com/fileadmin/banner/ ||adhs-zentrum.de^*.php$subdocument ||adn.meinsol.de^ -||adsm.gameforge.de^ ||aerger.tv/images/03-1.gif ||aerger.tv/images/a.gif ||aerger.tv/images/b.gif @@ -96720,6 +100729,8 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||ak-kurier.de/akkurier/www/images/headerhoehn.gif ||ak-kurier.de/akkurier/www/images/headerhoehn.jpg ||ak-kurier.de/akkurier/www/images/iphonerepa.gif +||ak-kurier.de/akkurier/www/images/telehot +||ak-kurier.de/akkurier/www/pic/$object ||ak-kurier.de/akkurier/www/pic/dbeyer_250_200.swf ||ak-kurier.de/akkurier/www/pic/indupamitte.png ||ak-kurier.de/akkurier/www/pic/tbechera13.png @@ -96728,7 +100739,6 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||alatest.de/banner/ ||alatest.de/banners.php? ||alkoblog.de/wp-content/uploads/*/banner_weisshaus_ -||allesueberfilme.de/img/nextbase_banner.gif ||alpine-auskunft.de/images/banners/ ||altesrad.net/phpBB3/images/banner/ ||amadeal.de/pics/240.gif @@ -96738,14 +100748,9 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||amazonaws.com/cloud-s.ndimg.de/$domain=netdoktor.de ||amerika-forum.de^*/ebay_logo.gif ||amerikanisch-kochen.de/bilder/GlamFood_ -||androidnext.de/ajax/products.php?page_type=detail&type=bestdevices&$xmlhttprequest ||androidpit.de/swf/app-seller.swf?xmlpath=$object -||androidpit.info/js/video/videoTakeOver.js ||anime-loads.org/images/c3on9.jpg ||anisearch.de/affi.php? -||anonstream.com/pokerboni.html -||anonstream.com^*/popup.js -||anonstream.com^*/popup1.js ||antag.at/js/ov.js.php? ||antag.de/js/ov.js.php? ||antenne-frankfurt.de/tl_files/img/partner/ @@ -96773,20 +100778,6 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||asv-hamm-westfalen.de/images/stories/marketing/*-hauptsponsoren.jpg ||ate.spritmonitor.de^ ||atelco.de/ai/swf/banner200_ -||ati-forum.de/files/atinews/ais/ -||atomload.at/231554.js -||atomload.at/bolle.js -||atomload.at/google.js -||atomload.at/js/. -||atomload.at/js/alanal.php -||atomload.at/js/atom.js -||atomload.at/js/holz.js -||atomload.at/js/jspop. -||atomload.at/js/llll.js -||atomload.at/js/volume.js -||atomload.at/net.js -||atomload.at/ULpop. -||atomload.at/yahoo.js ||atv.at/adonly? ||au-ja.de/banner/ ||audiovision.de/assets/templates/av-template/cocoon/dateien/*.swf @@ -96838,7 +100829,9 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||bbszene.de/ane/bbszene/iframe.php ||bbszene.de/images/banner/ ||beamten-informationen.de/media/banner/ +||beichthaus.com.s3.amazonaws.com/bp/50be.jpg ||beichthaus.com.s3.amazonaws.com/images/meineticksbanner.jpg$domain=beichthaus.com +||beichthaus.com.s3.amazonaws.com/meineticks.jpg ||beihilferecht.de/media/banner/ ||beisammen.de^*/banner/ ||benm.at^*/iphoneohnevertrag_banner_ @@ -96850,6 +100843,7 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||bgstatic.de/images/was/campagnes/*/wallpaper/$domain=browsergames.de ||bhc06.de/images/brosedkb.jpg ||bhc06.de/images/sponsorenleiste.jpg +||biathlon-online.de/wp-content/banners/ ||bielefelderblatt.de/images/banners/ ||bielertagblatt.ch/wallpaper_ ||bild.de/fotos/cb-autohaus24- @@ -96871,22 +100865,8 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||blogprojekt.de/Bilder/Profi/bloggerjobs.gif ||blogtotal.de^*/foxload_125x125.jpg ||bltrainer.de/banner/ +||bluray-disc.de/files/_backgrounds/ ||boerse-express.com/images/kapsch_claim.png -||boerse.bz/clientscript/msgbox/jquery.msgbox.js -||boerse.bz/images/bitly.png -||boerse.bz/images/comeonguys.png -||boerse.bz/images/empfehlung.png -||boerse.bz/images/flat-deutsch-1.png -||boerse.bz/images/forumlist.png -||boerse.bz/images/hidebanner.png -||boerse.bz/images/maindisplay.png -||boerse.bz/images/maindisplay3-nb.png -||boerse.bz/images/maindisplay3-noborder.png -||boerse.bz/images/maindisplay3.png -||boerse.bz/images/md3.png -||boerse.bz/images/newimg.png -||boerse.bz/images/share.png -||boerse.bz/images/shareoffer.png ||boris-becker.tv^*/presenting/ ||borussia.de/fileadmin/templates/main/swf/banner_ ||botfrei.de/kmp/ @@ -96936,6 +100916,7 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||center.tv/cms/fileadmin/site/flash/anzeigen/ ||center.tv^*_pimpmyleasing.jpg ||centertv.de/upload/anzeigen/ +||chillmo.com/wp-content/plugins/background-manager/ ||chillmo.com/wp-content/uploads/*/acunitywp.jpg ||chillmo.com/wp-content/uploads/*/fc4ks.jpg ||chillmo.com/wp-content/uploads/*/gtavchillmo.jpg @@ -96994,7 +100975,7 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||cnetde.edgesuite.net/zdnetde/ads/$domain=zdnet.de ||cobuich.de/avislogo.jpg ||computer-bild.de^*/idealo/banner_ -||computerbase.de/clientscripts/jwplayer/ova-$object-subrequest +||computerbase.de/js/jwplayer/ova-$object-subrequest ||computerbetrug.de/uploads/pics/a2.jpg ||computerhilfen.de^*/gt-banner- ||connect.quoka.de^ @@ -97038,13 +101019,6 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||ddl-base.ws/partners/ ||ddl-board.com^*/usenet_banner.png ||ddl-music.org/images/och_logos/ -||ddl-porn.in/out.js -||ddl-porn.us/ad.js -||ddl-porn.us/ads.js -||ddl-porn.us/frontpics/ -||ddl-porn.us/layer/ -||ddl-porn.us/pop.php -||ddl-porn.us/trade.js ||ddl-scene.com/usenext.php ||ddl-search.biz/banner/ ||ddl-search.biz^$image,popup,domain=w3-warez.cc @@ -97056,6 +101030,7 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||ddl-warez.in/images/och_buttons/ ||ddl-warez.in/images/och_infobuttons/ ||ddl-warez.in/images/och_logos/ +||ddl-warez.in/smoozed/ ||ddl-warez.in^*.php|$script ||ddl-warez.in^*_js.js ||ddl-warez.in^*_popup.js @@ -97074,6 +101049,7 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||derkleinegarten.de/images/banners/ ||derlacher.de/static/lib/dialog/jquery.reveal.js ||deukom.co.za/banner/ +||deutsche-startups.de/wp-content/uploads/*/Tarifcheck24-Affiliate.jpg ||deutsche-versicherungsboerse.de/imgdisp/*Banner% ||deutscher-hip-hop.com/bilder/werbepartnerlogos/ ||deutschland.fm/i/ducksunited120x60deutsch.gif @@ -97274,6 +101250,8 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||fhz-forum.de/banner_$image ||file-upload.net^*/popup.js ||filecrypt.cc/a/ +||filecrypt.cc/images/uli.png +||filecrypt.cc^$subdocument,domain=filecrypt.cc ||filecrypt.cc^*.php?$script ||files.putpat.tv/misc/*.xml|$object-subrequest ||files.putpat.tv/putpat_player/*/top_banner/ @@ -97298,6 +101276,8 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||fm-arena.de/images/fm10/*x128.gif ||forendienst.de/ad/ ||forenhoster.net/index.php?wbu=$subdocument +||formel1.de/image/$subdocument,domain=formel1.de +||formel1.de^*/image/$subdocument,domain=formel1.de ||forum-speditionen.de/k-grafik/ ||forumprofi.de/fritz/$subdocument ||fr-online.de^*/teaserbox_300x160.jpg @@ -97309,7 +101289,9 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||freeload.to^*/lovedate160.gif ||freenet.de/www/export/$script ||freizeitparks.de/fileadmin/user_upload/banner/ +||fremdwort.de/image/$subdocument ||fremdwort.de/images/banner_ +||fremdwort.de^*/image/$subdocument ||frischauf-gp.de/fileadmin/images/banner-extern/ ||fscklog.typepad.com/heise_mac.gif ||fscklog.typepad.com/ms_imovie.jpg @@ -97436,8 +101418,11 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||getgaming.de/sites/all/themes/getgamingtheme/img/bg_*.jpg ||gewinnspiel-gewinner.de/images/zu-verschenken.gif ||giessener-allgemeine.de/cms_media/module_wb/$object +||giga.de^*-sponsoring- ||gigagfx.de^*/blocker_alternative/$domain=giga.de ||glarus24.ch/typo3conf/ext/juhuiinserate/scripts/inserate_ajax.php +||gload.cc/images/freeh.png +||gload.cc/images/freehosterb.gif ||gmx.net/banner? ||goastro.de/popup_chat/ ||goettgen.de/g-a-s/www/images/ @@ -97535,6 +101520,10 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||highspeed.duckcrypt.info^ ||hiking-blog.de/wp-content/uploads/*/Campz.de-300x177.jpg ||hildesheimer-allgemeine.de/uploads/tx_macinabanners/ +||hintergrundfakten.de/hint_data/check24_x.jpg +||hintergrundfakten.de/hint_data/smav_a_b.gif +||hintergrundfakten.de/hint_data/t24.jpg +||hintergrundfakten.de/hint_data/weg_de_last_min.jpg ||hirnfick.to/hf.php ||hirnfick.to/random.php ||hitradio-rtl.de/uploads/pics/*_banner_ @@ -97543,11 +101532,7 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||hochzeitsplaner.de^*_200x600. ||hochzeitstage.de^*/200x600_ ||hochzeitstage.de^*/728x90hochzeitsdrucksachen.gif -||hoerbuch.in/newlay/ -||hoerbuch.in/pop.php -||hoerbuch.in/rssmd.php -||hoerbuch.in/trackit.html -||hoerbuch.in/zn.html +||hoerbuch.us/pop.php ||hoerbuchfm.de^*/banner/ ||hollywood-streams.com/partner.js ||holstein-kiel.de/tl_files/banner/rectangle_ @@ -97662,16 +101647,19 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||kielz.de/uploads/partner/rotbanner- ||kilu.de^*/remote_changes. ||kingsize-crew.cc/banners/ +||kino-zeit.de/proxy|$xmlhttprequest ||kino.de/js/mvf2.js ||kino.de/landingpages/ ||kinokiste.com/assets/img/leaderboard_s.gif ||kinokiste.com^*/sofadeals_sky. ||kinoprogramm.bild.de^ ||klamm.de^*/wms_show_frame.php +||kleiner-kalender.de/static/aablock/ ||kleinreport.ch/uploads/banner/ ||koelner-wochenspiegel.de/images/banner/ ||koelschwasser.eu/images/banners/ ||kondomgroesse.com^*/layer1.js +||konsolenschnaeppchen.de/content/plugins/background-manager/ ||kopp-medien.websale.net^$domain=buergerstimme.com ||krankenkassentarife.de/images/anzeige_ ||kress.de/typo3conf/ext/tmplkress/res/*-banner.js? @@ -97707,6 +101695,7 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||lesen.to/inslay.php ||lesen.to/lay.php ||lesen.to/layer/ +||lesen.to/layerv2/ ||lesen.to/pop.php ||lesen.to/trackit.html ||lesen.to/trackitenter.html @@ -97835,9 +101824,12 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||morgenweb.de^*/banner/ ||morgfx.de/banner/ ||motorsport-total.com/i/dunlop_flash.gif +||motorsport-total.com/image/ +||motorsport-total.com^*/image/ ||motorsport-xl.de^*/werbung/ ||mototreff.ch/Banner/ ||mov-world.net^*/fidel.js +||movie-blog.org/smoozed/ ||movie-blog.org^*.php|$script ||movie-blog.org^*/stargames.js ||movie-blog.org^*/starlay.js @@ -97980,6 +101972,7 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||orschlurch.net/player2.js ||orschlurch.net^*/amzn/ ||orschlurch.net^*/poster/ +||orthografietrainer.net/bilder/banner/ ||oshelpdesk.org/zwodreifuenf.png ||osthessen-news.de/booklet/top_banner.js ||osthessen-news.de/Osthessenbanner_ @@ -98021,7 +102014,6 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||picdumps.com/thumbs/rotkaeppchen.jpg ||picload.org/image/ocgcor/5efrzui567.gif$domain=xxx-blog.to ||picload.org/image/opddlw/banner1.jpg$domain=drop-games.org -||picspy.info/images/8zog1xyxxa4ue7lynjig.gif$domain=6dl.to ||picture-dream.com^$domain=fakedaten.tk ||ping-timeout.de/b_$subdocument ||pirate-loads.to/fl.php @@ -98051,7 +102043,14 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||pornflash.net/out.js ||pornit.org/l.js ||pornit.org^*/trade.js +||pornkino.to/insmess.js +||pornkino.to/instantrotator/ +||pornkino.to/lassdescheissman.js +||pornkino.to/lassdescheissman2.js ||pornkino.to/pk_out.js +||pornkino.to/pkino.js +||pornkino.to/theme.js +||pornkino.to/theme2.js ||pornkino.to^$popup,domain=xxx-blog.to ||pornkino.to^*.php|$script ||pornkino.to^*/rotator.php @@ -98181,6 +102180,7 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||rtl.de/rtlde/media/schliessen.swf ||ruhrbarone.de^*/msbannerl_ ||rummeldumm.de^*/werbefrei.gif +||runnersworld.de/sixcms/detail.php?id= ||russland.ru/images/banneroben750x100.jpg ||russland.ru/images/bannerrechts200x600.jpg ||russland.ru/images/buechervielfrassban300.jpg @@ -98193,15 +102193,12 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||safeyourlink.com/partner/ ||salve-tv.net/datenbank/image/motive_startseite/flug7.jpg ||salve-tv.net^*/salve-anzeigen.jpg +||sapi.edelight.biz/api/$domain=gala.de ||sat-erotik.de/banner/ ||sat-ulc.eu/images/misc/ebay_logo.gif ||sat1.de^*/adbridgeplugin.swf$object-subrequest ||satindex.de/banner/ ||saugking.net^*/layer.js -||saugzone.info/images/*.gif| -||saugzone.info/test.js -||saugzone.info/vote/ -||saved.im/mtg2ntuxbwzx/okryohr2.jpg$domain=6dl.to ||saz-aktuell.com/img/com.png ||sb.sbsb.cc/images/first/ ||sb.sbsb.cc/random.html @@ -98231,6 +102228,7 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||schnittberichte.com^*.swf$object ||schnittberichte.com^*_459x1200_ ||schnittberichte.com^*_takeover_ +||schoener-fernsehen.com/images/gotootr.jpg ||schoener-onanieren.de/grifftechniken/maenner/autogas.jpg ||schule-studium.de/Studienkreis/Studienkreis160-600- ||schule-studium.de/Studienkreis/StudienkreisSkyscraper.jpg @@ -98322,6 +102320,7 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||spielautomatenforum.de/allslots.gif ||spielautomatenforum.de/stake7_merkur.jpg ||spielbox.de/gifs/sky/ +||spielen.de^*_2.js ||spielesite.com^*/sponsoren_search.php ||spielesnacks.de/wp-content/uploads/*-wallpaperx.jpg ||spinnes-board.de/banner/mail.gif @@ -98361,8 +102360,7 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||staedte-info.net/bilder/banner_$image ||static-fra.de/nitronow/css/ad.css ||static-fra.de/rtlnow/css/ad.css -||static.atomload.at^ -||static.filmpalast.to^ +||static-fra.de/wetterv3/css/images/map/icons/knorr.png$domain=wetter.de ||static.top-hitz.com^ ||stb-web.de/new/grafiken/banner/ ||stealth.to/usenext @@ -98375,6 +102373,7 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||stepstone.de/home_bottombanner. ||stepstone.de^*/skyscraper/ ||stern.de/bilder/stern_5/allgemein/extras_vermarktet/ +||stilmagazin.com/banner/ ||stol.it/var/ezflow_site/storage/images/beilagen-archiv/ ||stol.it/var/ezflow_site/storage/images/werbung_intern/look4you/ ||store51.de/banner.js @@ -98432,19 +102431,19 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||taketv.net/bilder/backdell.jpg ||tape.tv/tape2fs-new/images/campaign/$object-subrequest ||tape.tv/tape2fs/images/campaign/$object-subrequest -||taschenlampen-forum.de/images/fenix/fenix-taschenlampen-2014.swf +||taschenlampen-forum.de/images/fenix/ +||taschenlampen-forum.de/images/imalent/ ||taschenlampen-forum.de/images/jetbeam/ -||taschenlampen-forum.de/images/ktl-store/CR6HC50_728X9001.gif -||taschenlampen-forum.de/images/myled.com/MyLED-Taschenlampe.jpg -||taschenlampen-forum.de/images/myled.com/Taschenlampen-Forum.jpg -||taschenlampen-forum.de/images/neonlaserchina.com/TLF.jpg -||taschenlampen-forum.de/images/thrunite/TN35-45.jpg -||taschenlampen-forum.de/images/thrunite/TN35-90.jpg -||taschenlampen-forum.de/images/tmart.com/t-mart-01-2013.jpg +||taschenlampen-forum.de/images/ktl-store/ +||taschenlampen-forum.de/images/myled.com/ +||taschenlampen-forum.de/images/neonlaserchina.com/ +||taschenlampen-forum.de/images/thrunite/ +||taschenlampen-forum.de/images/tmart.com/ ||taschenlampen-forum.de/images/vtlershop.de/ ||tattoo-spirit.de/subsystems/adv_manager/ ||taucher.net/tnadsy/ ||team-alternate.de/docs/banner/ +||technic3d.biz^$domain=technic3d.com ||technobase.eu^*/banner/ ||technobase.fm/banner/ ||teen-blog.us/popup.js @@ -98457,7 +102456,7 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||teltarif.de/ad/ ||testreich.com/layer*.html ||ticket-leistung.de^*/banner/ -||tinyurl.com^$domain=g-stream.in|hardcoremetal.biz|hd-world.org|hoerbuch.in|kino24.to|kinox.tv|lesen.to|linkfarm.in|movie-blog.org|playporn.to|pornkino.to|rapidvideo.com|relink.us|saugzone.info|smsit.me|xxx-blog.to +||tinyurl.com^$domain=g-stream.in|hardcoremetal.biz|hd-world.org|hoerbuch.us|kino24.to|kinox.tv|lesen.to|linkfarm.in|movie-blog.org|playporn.to|pornkino.to|rapidvideo.com|relink.us|smsit.me|xxx-blog.to ||titanic-magazin.de/fileadmin/content/anzeigen/ ||tobitech.de/images/*.swf ||tollesthueringen.de/img_proximus/anzeigen/ @@ -98573,7 +102572,6 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||vinschgerwind.it/images/banners/ ||vipbilder.net^*/layer.js ||visions.de/assets/visions_300x150_ -||vitax.abc-sms.de^ ||viviano.de/teaser ||viviano.de^*/ad_anzeige_ ||vol.at/flash/gewinnabfrage-120-90.swf @@ -98622,6 +102620,7 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||wer-weiss-was.de/cb/ARCHIVEARTICLE/AFTER_QUESTION ||wer-weiss-was.de/cb/ARCHIVEARTICLE/PRE_HEADLINE ||wer-weiss-was.de/img.r/logo_n24.png +||werstreamt.es/themes/wse/images/partner/ ||wetter.com/cooperation/$~third-party ||wetter.com/js/sda.js?1 ||wetter.com^*/adbridgeplugin.swf$object-subrequest @@ -98649,6 +102648,7 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||windowspro.de^*?*=$xmlhttprequest ||winrar.de/images/emsi.jpg ||winrar.de/images/emsi2.jpg +||winrar.de/images/mxi.gif ||wintergarten-ratgeber.de/uploads/tx_macinabanners/ ||wirsiegen.de/wp-content/plugins/wordpress-popup/popoverincludes/ ||wirtschaftsblatt.at^*=adsense @@ -98688,6 +102688,7 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||ww4.cad.de^*/axjs.php ||ww4.cad.de^*/view.php?what=zone: ||wz-newsline.de/polopoly_fs/*-900x120. +||x.technic3d.biz^ ||xbox-newz.de/portal/images/brandings/ ||xbox360freaks.de/images/baner.swf ||xdate.ch/banners/ @@ -98699,6 +102700,7 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||xup.in/com/pop. ||xxx-4-free.net/gfx/layer/ ||xxx-blog.to/img/wbm/ +||xxx-blog.to/pkino.js ||xxx-blog.to^*.php|$script ||xxx-blog.to^*/pstreams.js ||xxx-blog.to^*/rotator.php @@ -98730,12 +102732,6 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||zweinullig.de/wp-content/uploads/125.png ||zweinullig.de/wp-content/uploads/chaershop.jpg ! Anti-Adblock -/\bwww\.audio\.de\/+\b(?!img\/|abo\/)/$image,domain=audio.de -/\bwww\.colorfoto\.de\/+\b(?!img\/|abo\/)/$image,domain=colorfoto.de -/\bwww\.connect\.de\/+\b(?!img\/|abo\/)/$image,domain=connect.de -/\bwww\.connected-home\.de\/+\b(?!img\/|abo\/)/$image,domain=connected-home.de -/\bwww\.pc-magazin\.de\/+\b(?!img\/|abo\/)/$image,domain=pc-magazin.de -/\bwww\.video-magazin\.de\/+\b(?!img\/|abo\/)/$image,domain=video-magazin.de ||2mdn.net/videoplayback/$object-subrequest,domain=n-tvnow.de|rtl-now.rtl.de|rtl2now.rtl2.de|rtlnitronow.de|superrtlnow.de|voxnow.de ||astronews.com^*_6.js ||csgo.99damage.de/wp-content/$image @@ -98743,11 +102739,12 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||d1.stern.de^*20.gif| ||d1.stern.de^*A0.gif| ||d1.stern.de^*A40.gif| +||donnerwetter.de^*.html|$subdocument,domain=donnerwetter.de ||doubleclick.net^$domain=n-tvnow.de|rtl-now.rtl.de|rtl2now.rtl2.de|rtlnitronow.de|superrtlnow.de|voxnow.de|www.rtl.de|www.vox.de ||epochtimes.de/js/chkba.js -||finanzen.net/mediacenter/*/img/*LB*.png -||finanzen.net/mediacenter/*/img/*SKY*.png +||focus.de/fol.state.js ||focus.de/fol/fol.min024.js? +||focus.de/fol/pool.forjx.js ||focus.de/js_ng/js_ng_fol_gpt.js ||gamona.de/assets/*.swf ||gamona.de/assets/*_1000x140. @@ -98764,29 +102761,18 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||ip-ads.de^$domain=rtl-now.rtl.de|rtl2now.rtl2.de ||kabeleins.de/secure-static/videoplayer/config/adXML.xml?$object-subrequest ||media.epochtimes.de/img/ -||mv-spion.de/ajax/lc?content=qwert -||mv-spion.de/ajax/lc| ||prosieben.de/secure-static/videoplayer/config/adXML.xml?$object-subrequest ||sat1.de/secure-static/videoplayer/config/adXML.xml?$object-subrequest ||sixx.de/secure-static/videoplayer/config/adXML.xml?$object-subrequest -||st.wetteronline.de^$stylesheet +||spielen.de^$script,domain=spielen.de ||video.spiegel.de/flash/*.mp4$object-subrequest,domain=spiegel.tv -||videoplaza.tv/creatives/assets/$object-subrequest,domain=clipfish.de|gmx.net|n-tvnow.de|rtl-now.rtl.de|rtl2now.rtl2.de|rtlnitronow.de|superrtlnow.de|voxnow.de|web.de|www.rtl.de +||videoplaza.tv/creatives/assets/$object-subrequest,domain=clipfish.de|gmx.net|n-tv.de|n-tvnow.de|rtl-now.rtl.de|rtl2now.rtl2.de|rtlnitronow.de|superrtlnow.de|voxnow.de|web.de|www.rtl.de ||wettercomassets.com/img/cms/chameleon/mediapool/thumbs/d/98/article_landingpage_keyvisual_$image ! *** easylistgermany:easylistgermany/easylistgermany_specific_block_popup.txt *** -&t202kw=$popup,domain=lustich.de|pcaction.de -&utm_medium=$popup,domain=lustich.de|pcaction.de .png|$popup,domain=audio.de|colorfoto.de|connect.de|connected-home.de|epochtimes.de|pc-magazin.de|video-magazin.de -?redirectUrl=*&var=$popup,domain=lustich.de|pcaction.de ^utm_medium=popunder^$popup,domain=hilfreich.de -^utm_source=superclixx^$popup,domain=ascii-bilder.net +|http://*.filecrypt.cc/|$popup |http://ow.ly^$popup,domain=byte.to -||3dl.tv/popup.php$popup -||3dl.tv^*.phtml?*=$popup -||3dl.tv^*?*=*%20$popup -||3dl.tv^*?*=*-$popup -||3dl.tv^*?*=*_$popup -||4dl.bz/load.php$popup ||5vor12.de/cgi-perl/adP?nr=$popup ||ad.netzquadrat.de^$popup,domain=sms.de ||adclick.g.doubleclick.net^$popup,domain=4players.de @@ -98800,10 +102786,10 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||amazon.de/s/?*&tag=$popup,domain=chillmo.com ||amazon.de^*&tag=$popup,domain=gamona.de ||amazon.de^*&tag=bluray18-21&$popup,domain=bluray-disc.de +||amazon.de^*/ref=*&tag=$popup,domain=bluray-disc.de ||amazon.de^*^tag=$popup,domain=wetteronline.de -||atomload.at/out.php$popup -||bestofsingles.net^$popup,domain=ascii-bilder.net -||bit.ly^$popup,domain=byte.to|movie-blog.org +||atomload.to/load.php$popup +||bit.ly^$popup,domain=byte.to|filecrypt.cc|movie-blog.org ||byte.to/out.php$popup ||byte.to^*/out.php$popup ||campartner.com^$popup,domain=g-stream.in @@ -98811,9 +102797,9 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||count.shopping.t-online.de/RE?ID=$popup,domain=t-online.de ||damoh.spiegel.tv^$popup ||damoh.sueddeutsche.de^$popup -||ddl-porn.us/popt/$popup -||ddl-porn.us/popup.php$popup +||ddl-warez.in/smoozed/$popup ||ddl.me^$popup,domain=c1neon.com +||def.filecrypt.cc^$popup ||doubleclick.net^$popup,domain=gamestar.de|gamona.de ||ebook-hell.to/?$popup,domain=byte.to ||ebook-hell.to/ad/$popup @@ -98826,18 +102812,14 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||g-stream.in/lla2/$popup ||g-stream.in/mirror/$popup ||g-stream.in/out.php|$popup -||goo.gl^$popup,domain=atomload.at|byte.to|fail.to|omfg.to|warezking.in +||goo.gl^$popup,domain=byte.to|fail.to|omfg.to|warezking.in ||googleadservices.com^$popup,domain=wetteronline.de ||green.ingame.de/www/delivery/inck.php?oaparams=*__bannerid=*__zoneid=*__oadest=$popup ||greres.com^$popup,domain=gamestar.de ||hamster.cc^$popup,domain=movie-blog.org ||hd-load.org/out.php$popup -||hd-load.org^$popup,domain=ddl-porn.us ||hd-movies.cx^$popup,domain=drop-games.org -||hide.me/v3/index4-$popup,domain=boerse.bz -||hide.me^*/promo/$popup,domain=boerse.bz ||hifi-forum.de/forum/banner/$popup -||hoerbuch.in/enterpopup.php$popup ||jokermovie.org/out.php$popup ||ligatus.com^$popup,domain=gamona.de|n-tv.de ||lovoo.net^$popup,domain=smsform.de @@ -98850,19 +102832,18 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||movie-blog.org/2007/$popup ||neckermann.de^$popup,domain=5vor12.de ||partners.webmasterplan.com^$popup,domain=tele5.de -||pcaction.de/screenshots/$popup ||pf-control.de^$popup,domain=movie-blog.org ||playporn.to/out.php$popup +||pornkino.to/milfs/$popup +||pornkino.to^*/popUp/$popup ||porno-streams.com/rand/$popup -||pornstream.cc^$popup,domain=ddl-porn.us ||private-blog.org/out.php$popup ||putenbrust.net/cgi-bin/atc/out.cgi?l=popup&$popup ||rapidvideo.com/popup.php$popup -||saugzone.info/vote/out.php$popup -||sexfilmchen.com^$popup,domain=ddl-porn.us +||sexpartnersite.net^$popup,domain=pornkino.to ||share-online.biz/affiliate/$popup,domain=linxcrypt.com -||simple-files.com^$popup,domain=3dl.tv -||slimtrade.com/out.php?$popup,domain=byte.to|ddl-porn.us|hd-load.org|porno-streams.com +||slimtrade.com/out.php?$popup,domain=byte.to|hd-load.org|porno-streams.com +||slimtrade.com/out.php?s=$popup,domain=gload.cc ||sms2me.at^$popup,domain=superchat.at ||smsgott.de/click.php?url=$popup ||sptopf.de/tshp/RE?ID=$popup,domain=t-online.de @@ -98872,6 +102853,7 @@ mov-world.net#@#a\[href^="http://www.FriendlyDuck.com/AF_"] ||teen-blog.us/out_to_trade.php$popup ||teltarif.de/click/*:*.a=$popup ||thepornlist.net^$popup,domain=sexuria.com +||tiny.cc^$popup,domain=filecrypt.cc ||tinyurl.com^$popup,domain=gamersglobal.de ||tipico.com^$popup,domain=yabeat.com ||tradedoubler.com/click?$popup,domain=smsform.de @@ -98919,6 +102901,7 @@ goettgen.de###GAS_MRS goettgen.de###GAS_SKSC goettgen.de###GAS_SUBA grenzwissenschaft-aktuell.blogspot.com###HTML3 + #HTML1 > .widget-content:first-child +namsu.de###Info express.de###JSAnzeigen onvista.de###LAYER_AD_CONTAINER branchen-info.net,brd-info.net,staedte-info.net,top-dsl.com###Layer1 @@ -98932,7 +102915,6 @@ torrent.to###Mainframe > div > a > img werkzeug-news.de###MitteRechts > .infoblock abacho.de###MomondoWidgetSidebar boulevard-baden.de###OMSrectangle -allmyvids.de###OnPlayerBanner onmeda.de###PARTNERANGEBOTE pocketpc.ch###PPCAdLeaderBoard_Filler wetter.com###PX3_BOX_PARENT @@ -98946,10 +102928,6 @@ rclineforum.de###RotBanner express.de###RotatingPartner onvista.de###SKYSCRAPER_HOME onvista.de###SKY_LEFT -msn.de###Sales1 -msn.de###Sales2 -msn.de###Sales3 -msn.de###Sales4 dfb.de###SkyscraperContainer bayer04.de###Sponsoren_Logo send4free.de###Step1 @@ -98973,15 +102951,15 @@ namibia-forum.ch###abakus 1jux.net###abp handballworld.com###absolute > .bannergroup 20min.ch,anime-loads.org,doku.to,fanfiktion.de,german-foreign-policy.com,hardwarelabs.de,otrkey.com,otrking.com,radiolisten.de,webos-blog.de,xboxaktuell.de###ad -anime-stream24.com###ad1 radiolisten.de###ad3 -allinklwith.us,carpassion.com,high-minded.us,messerforum.net,mmorpg-core.com,schachburg.de,thinkpad-forum.de,unixboard.de,world-of-hentai.to###ad_global_below_navbar +carpassion.com,high-minded.us,messerforum.net,mmorpg-core.com,schachburg.de,thinkpad-forum.de,unixboard.de,world-of-hentai.to###ad_global_below_navbar musicelster.net###ad_global_below_navbar > center > div\[style="float:right; width:50%;"] motorsport-xl.de###adala motorsport-xl.de###adala_bgholder fem.com###add_square verkehrsmittelvergleich.de###adhs erf.de,fiverdeal.de,gepostet.com,haustierstall.de,musotalk.de,radiof.de,seniorkom.at,suedostschweiz.ch,unite.ws,web.de,welt.de,wer-kennt-wen.de###ads +tvspielfilm.de###adsd_cad 1und1.de,gmx.net,web.de###adv gmx.net,web.de###advSpecialMain web.de###advTop @@ -98990,7 +102968,6 @@ rimparerhandballer.de###adv_partner spielaffe.de###adv_skyscraper_pos pennercity.de###advert gloria.tv###advertisement -anonstream.com###advertisiment loipenpark.de,traumpalast.de###advertising gofeminin.de###af_columnPubLabel computerbase.de###afc-box @@ -99002,7 +102979,6 @@ excitingcommerce.de###alpha-inner > .module-typelist:first-child + .module-typel excitingcommerce.de###alpha-inner > .module-typelist:first-child + .module-typelist + .module-typelist downloadstube.net###alternative_download + a\[onclick] eeepc.de###amazon1 -androidnext.de###amazon_headline crackajack.de###amazon_list chip.de###anchorSuperBanner tagesspiegel.de###anzeige_schnippsel @@ -99023,9 +102999,10 @@ like-fun.eu###background falk.de###bahn hd-vidz.net###ball kress.de###banderole -abendzeitung.de,anderes-wort.de,apotheke-adhoc.de,bos-fahrzeuge.info,chaoz.ws,cine4home.de,ehrensenf.de,eisenbahn-kurier.de,elektrischer-reporter.de,fettspielen.de,ff-online.com,finanzen.net,forum.worldofplayers.de,frischauf-gp.de,gamekeyfinder.de,gamingjunkies.de,handballworld.com,holidaycheck.at,holidaycheck.ch,holidaycheck.de,horseweb.de,isarszene.de,it-sa.de,kath.ch,koelschwasser.eu,meproxsoft.de,neuigkeitendienst.com,rollingplanet.net,see-online.info,sodbrennen-welt.de,softguide.de,suxedoo.ch,vhs-ol.de,we-mod-it.com,xp-antispy.org###banner +anderes-wort.de,apotheke-adhoc.de,bos-fahrzeuge.info,chaoz.ws,cine4home.de,ehrensenf.de,eisenbahn-kurier.de,elektrischer-reporter.de,fettspielen.de,ff-online.com,finanzen.net,forum.worldofplayers.de,frischauf-gp.de,gamekeyfinder.de,gamingjunkies.de,handballworld.com,holidaycheck.at,holidaycheck.ch,holidaycheck.de,horseweb.de,isarszene.de,it-sa.de,kath.ch,koelschwasser.eu,meproxsoft.de,neuigkeitendienst.com,rollingplanet.net,see-online.info,sodbrennen-welt.de,softguide.de,suxedoo.ch,vhs-ol.de,we-mod-it.com,xp-antispy.org###banner macgadget.de###banner-floater sportnews.bz###banner-leaderboard +fremdwort.de###banner-rectangle autozeitung.de###banner-region deutsche-wirtschafts-nachrichten.de,doppelpunkt.de###banner-right swz.it###banner-side @@ -99069,6 +103046,7 @@ hallescherfc.de,linguee.de,versicherungsjournal.de,wahretabelle.de,webfail.at### rtl-west.de,rtlnord.de###banner_wrapper haustechnikdialog.de###bannerdiv radiohamburg.de###bannerleiste +fremdwort.de###bannerright breakpoint.untergrund.net,eiskaltmacher.de###banners handball-world.com###bannersky maerkischeallgemeine.de,saz-aktuell.com,webfail.at###bannertop @@ -99081,10 +103059,10 @@ gizmodo.de###big-mega ichspiele.cc###big-sky heinertown.de###bigSliderFrame0 benm.at,berliner-rundfunk.de,buchmarkt.de###bigbanner -tikonline.de###bigsize +fremdwort.de,tikonline.de###bigsize magistrix.de###bigsize-top pcpraxis.de,rund-magazin.de###bigsizebanner -prad.de,volksfreund.de###billboard +computerbild.de,prad.de,volksfreund.de###billboard prad.de###billboardbig 4players.de###billiger-charts geizkragen.de###bl_top @@ -99165,14 +103143,14 @@ wgvdl.com###content > #seitenblock > #seitenblockinhalt > #seitenblockzeilen oxygen-scene.com###content > .board_message netzwelt.de###content > .two-thirds > div\[style="margin: 10px; margin-left: 0px;"] netzwelt.de###content > .two-thirds > div\[style="margin: 10px;"] -hoerbuch.in###content > center > .box2:first-child:last-child movie-blog.org###content > div\[class] > div\[class] > div > div > a\[href^="http://movie-blog.org/"] -hoerbuch.in,lesen.to###content > font\[color="red"] > h2 +hoerbuch.us,lesen.to###content > font\[color="red"] > h2 onlinereports.ch###content-banner1 onlinereports.ch###content-banner3 trendhure.com###content-left > a\[target] > img sprachnudel.de###content-wrapper > #content > span\[id^="viewcontent"]:first-child sprachnudel.de###content-wrapper > #content:last-child > #viewcontent:first-child > ul:first-child:last-child +matheboard.de###content2_rect2_div frimon.de###content:last-child > #sky_right:first-child + .padding_down + .padding_down sprachnudel.de###content:last-child > ul\[class]:first-child 1001spiele.de###contentBanner @@ -99219,8 +103197,8 @@ drehscheibe-foren.de,drehscheibe-online.de###dsBanner 800gs.de###duonix onlinewebservice4.de###dwindow billiger.de###ebay_footer_widget_ajax +netzwelt.de###eccontainer focus.de###ecs-snippet -boerse.bz###edit10093682 + div\[id^="edit"]\[style="padding:0px 0px 6px 0px"] report-k.de###empf kueche1.com###empfbox hot-warez.org###error @@ -99252,7 +103230,9 @@ gmx.net,web.de###footer-icons crescendo.de###footer-partners-wrapper wohintipp.at###footerBanner maniac.de###footeradd_xbox_frame +forum.stilmagazin.com###footerleader fc-suedtirol.com###footersponsor +golem.de###forum-main > div\[style="min-height:103px; margin:20px 0;"] dforum.net###forumbanner vitaminanalyse.de###fragsbar vitaminanalyse.de###fragsbar_dim @@ -99345,7 +103325,6 @@ sueddeutsche.de###iqd_medrecAd mein-schoener-garten.de###ivw_img + noscript + script + script + div\[style="height:132px;"] boerse-online.de###ivwimg sein.de###ja-col1 a\[target="_blank"] > img\[alt=""] -3dl.tv###jdframe + * + * + table\[style] redhocks.de###jsn-promo general-anzeiger-bonn.de###kala express.de,fr-online.de,general-anzeiger-bonn.de,ksta.de,mz-web.de,rhein-zeitung.de,wz-newsline.de###kalaydo @@ -99357,8 +103336,9 @@ internetcologne.de###kopfbanner immonet.de###kuechenlink bigbrother11hd.in,bigbrother11live.info###l93b850 nibelungenkurier.de###large_banner_top +deutsche-startups.de###latestDivider.highlighted laut.de###laut-box-ad -anime-stream24.com,beamtentalk.de,byte.to,dug-portal.com,gesichtskirmes.net,movie-blog.org,pornofilme24.info,sdx.cc,wichsfleck.com###layer +beamtentalk.de,byte.to,dug-portal.com,gesichtskirmes.net,movie-blog.org,pornofilme24.info,sdx.cc,wichsfleck.com###layer ingame.de###layer-overlay tv-stream.to###layer_1 simpsons.to###layerbg @@ -99404,6 +103384,7 @@ hornoxe.com###lside > center > a\[target="_blank"] > img chili-warez.net,mov-world.net,xxx-4-free.net###lyr filmz.de###m > div\[style="left:16px;width:468px;overflow:hidden"] + .p\[style="left:4px;width:492px;height:262px"]:last-child crackajack.de###madcowdesease_premium +gmx.net,web.de###mail-list .new.iba gmx.net,web.de###mail-list .new.nma mov-world.net###main > #lblock + \[style*="width: 180px"] emergency-forum.de###main > .border > .container-1\[style="text-align: center"]:first-child:last-child @@ -99437,6 +103418,7 @@ cosmiq.de###medium_rectangle_container pollenflug.de###mega-banner wlz-fz.de###meinprospekt_header dnblog.in###meteor-slideshow +golem.de###microcity-clip handball-neuhausen.de###middleWrapper > #cols3Right\[style="height: 1062px;"] immonet.de###mietkautionslink 20min.ch###min_billboard @@ -99451,6 +103433,7 @@ jobrapido.de###modalBackground\[style="width: 1903px; height: 1059px; opacity: 0 jobrapido.de###modalDialog\[style="display: block; top: 355.5px; left: 686.5px;"] orf.at###monsterdiv berlin-nutten.com,deutsche-erotikfilme.com###more-sex +stadtradio-goettingen.de###mp3ads radio-teddy.de###mpl gamigo.de###mrbox visions.de###mrect @@ -99464,48 +103447,6 @@ funnybilder.net,lachfails.net,vipbilder.net###mt_right mov-world.net###mw_layer lexas.biz###mypop2_b send4free.de###n8f880e -boerse.bz###navbar_notice_1055 -boerse.bz###navbar_notice_1057 -boerse.bz###navbar_notice_1064 -boerse.bz###navbar_notice_1066 -boerse.bz###navbar_notice_1067 -boerse.bz###navbar_notice_1069 -boerse.bz###navbar_notice_1070 -boerse.bz###navbar_notice_1072 -boerse.bz###navbar_notice_1073 -boerse.bz###navbar_notice_1075 -boerse.bz###navbar_notice_1076 -boerse.bz###navbar_notice_1078 -boerse.bz###navbar_notice_1094 -boerse.bz###navbar_notice_1096 -boerse.bz###navbar_notice_1097 -boerse.bz###navbar_notice_1099 -boerse.bz###navbar_notice_1100 -boerse.bz###navbar_notice_1102 -boerse.bz###navbar_notice_1103 -boerse.bz###navbar_notice_1105 -boerse.bz###navbar_notice_1106 -boerse.bz###navbar_notice_1108 -boerse.bz###navbar_notice_1124 -boerse.bz###navbar_notice_1126 -boerse.bz###navbar_notice_1127 -boerse.bz###navbar_notice_1129 -boerse.bz###navbar_notice_1133 -boerse.bz###navbar_notice_1135 -boerse.bz###navbar_notice_1136 -boerse.bz###navbar_notice_1138 -boerse.bz###navbar_notice_1142 -boerse.bz###navbar_notice_1144 -boerse.bz###navbar_notice_1145 -boerse.bz###navbar_notice_1147 -boerse.bz###navbar_notice_1151 -boerse.bz###navbar_notice_1153 -boerse.bz###navbar_notice_1154 -boerse.bz###navbar_notice_1156 -boerse.bz###navbar_notice_1157 -boerse.bz###navbar_notice_1159 -boerse.bz###navbar_notice_1160 -boerse.bz###navbar_notice_1162 hifitest.de###navigation + div\[style="margin-top:10px;"] gmx.net###navigation > #navSpecial\[style="height: 233px;"] web.de###navigation > #navSpecial\[style="height: 235px;"] @@ -99539,7 +103480,7 @@ climbing.de###pane-werbung byte.to,nh24.de###partner borussia.de###partnerBottom wirtschaftslexikon.gabler.de###partnerContainer -360magazin.de,cheats.de,spielechat.de,spieleportal.de###partner_box +cheats.de,spielechat.de,spieleportal.de###partner_box byte.to###partnerbar schoener-fernsehen.com###partnerbottom schoener-fernsehen.com###partnerright @@ -99550,8 +103491,6 @@ os-informer.de,pcgameshardware.de###plakathomecontentmetaboli1 os-informer.de,pcgameshardware.de###plakathomecontentmetaboli1bottom os-informer.de,pcgameshardware.de###plakathomecontentmetaboli2 os-informer.de,pcgameshardware.de###plakathomecontentmetaboli2bottom -pcaction.de###plakatinhalttag_2bottom -pcaction.de###plakatinhalttagbottom pcgameshardware.de###plakatskyscraper businessxp.at,gamingxp.com,mobilexp.com###platform_skyscraper myspass.de###playerData > div\[style="height: 250px; overflow: hidden;"] @@ -99566,13 +103505,8 @@ pcpraxis.de###popup1 radio7.de###popupContact daskochrezept.de,freeware.de,shareware.de###popup_layer was-verdient-ein.de###popupb -hoerbuch.in###post-12447 -hoerbuch.in###post-13049 -hoerbuch.in###post-15796 macnews.de###post-162871 lesen.to###post-17047 -hoerbuch.in###post-17929 -hoerbuch.in###post-19319 hd-world.org###post-196712 hd-world.org###post-196712 + * + * hd-world.org###post-196712 + :nth-child(n) @@ -99589,11 +103523,7 @@ hd-world.org###post-208271 + :nth-child(n) hd-world.org###post-213230 hd-world.org###post-213230 + * + * hd-world.org###post-213230 + :nth-child(n) -ddl-porn.us###post-2302 -androidnext.de###post-24850 -hoerbuch.in###post-27677 lesen.to###post-27843 -hoerbuch.in###post-28316 xxx-blog.to###post-31656 wintotal.de###post-3547 lesen.to###post-39154 @@ -99601,18 +103531,18 @@ sound-blog.org###post-3968 lesen.to###post-39688 hd-world.org###post-43541 hd-world.org###post-43541 + .date + .entry -hoerbuch.in###post-49907 -hoerbuch.in###post-54902 +hoerbuch.us###post-49907 +hoerbuch.us###post-54902 hd-world.org###post-55122 hd-world.org###post-55122 + .date + .entry hd-world.org###post-55122 + .date + .entry + .info_m wintotal.de###post-5519 xxx-blog.to###post-6155 lesen.to###post-62885 +hoerbuch.us###post-68852 lesen.to###post-73957 xxx-blog.to###post-75123 xxx-blog.to###post-75283 -boerse.bz###post10093686 bodybuilding-forum.at###post99999999999 mobilfunk-talk.de###postXXXXX supernature-forum.de###post_ @@ -99632,7 +103562,6 @@ laola1.at###presenting_horizontal_container laola1.at###presenting_left laola1.at###presenting_right schoener-fernsehen.com###previewtxt + div\[id]\[style="display: block;"] -androidnext.de###productliste okitalk.com###promo_foot okitalk.com###promo_left okitalk.com###promo_page @@ -99656,7 +103585,7 @@ chefkoch.de###recipe-com-user-banner chefkoch.de###recipe_com_user_banner clipfish.de###rect kicker.de,kidszone.de,os-informer.de,pcgames.de,pcgameshardware.de,smartphone-daily.de,videogameszone.de,widescreen-online.de###rect_anz -cineman.de,macprime.ch,moonwalk.ch,neue-braunschweiger.de,prad.de,xboxone-forum.net###rectangle +cineman.de,macprime.ch,moonwalk.ch,neue-braunschweiger.de,prad.de,winboard.org,xboxone-forum.net###rectangle laut.de###rectangleSpace autobild.de###rectanglemodul abacho.de###reisemarkt-sidebar @@ -99670,7 +103599,6 @@ books.google.at,books.google.ch,books.google.de###rhswrapper 20min.ch###ricardolino-wrapper das-inserat.de###right > .erfcms_advimgtext schachbund.de###right > .inside > .mod_form + .mod_banner -3dl.tv###right > center > p > a winfuture.de###rightWrap > .win7_special_teaser + .rightBx sosuanachrichten.com###right_banner psoriasis-netz.de###rightbanner @@ -99742,7 +103670,6 @@ pinksugar-kessy.de###sidebar_right > #HTML9 navisys.de###sidebox108 horseweb.de###sidelist > ul:last-child motorline.cc###sideteaser -derstandard.at###silverlightControlHost playporn.to###simplemodal-login-form + * + * + div\[id]\[style] browsergames.de###site-banner-middle fck.de###site_overlay_wrapper @@ -99813,7 +103740,7 @@ sims-3.net###subheader xolopo.de###subnav_partner nanu.de###superBanner t-online.de###superBannerContainer -allesueberfilme.de,apotheke-adhoc.de,boulevard-baden.de,braunschweiger-zeitung.de,deutsche-wirtschafts-nachrichten.de,donaukurier.de,internetworld.de,itwissen.info,lecker.de,lpgforum.de,morgenpost.de,morgenweb.de,netdoktor.at,neue-braunschweiger.de,pkw-forum.de,rtl.de,stimme.de,tvh1.de,vogue.de,wer-kennt-wen.de###superbanner +apotheke-adhoc.de,boulevard-baden.de,braunschweiger-zeitung.de,deutsche-wirtschafts-nachrichten.de,donaukurier.de,golem.de,internetworld.de,itwissen.info,lecker.de,lpgforum.de,morgenpost.de,morgenweb.de,netdoktor.at,neue-braunschweiger.de,pkw-forum.de,rtl.de,stimme.de,tvh1.de,vogue.de,wer-kennt-wen.de,winboard.org###superbanner juve.de###superbanner_side juve.de###superbanner_top tri-mag.de###superbanner_wide @@ -99897,6 +103824,7 @@ serialbase.us###warning 3druck.com###wb-links hifitest.de###wb-right hifitest.de###wb-top +webfail.com###webfail_de_300_250_rt linguee.de###wide_banner_right eliteanimes.com###wleft ruhrbarone.de###wpTopBox @@ -99904,14 +103832,13 @@ stb-web.de###wpbg wikio.de###wpub manager-magazin.de###wrapBoard > #wrapMain:first-child > .pbox schwaebische.de###wrapper > #titelkopf +xxx-blog.to###wrapper > div#header:first-child + center leave.to###wrapper > header + .wrapping leave.to###wrapper > header + .wrapping + .wrapping:last-child micky-maus.de###wrapper-1 > #extra1\[style="padding-left: 108px;"] scdhfk-handball.de###wrapper_SWL n-tv.de###wrapper_content > div\[style="height: 120px;"]:first-child goolive.de###wrapper_margins > .wallpaper -derstandard.at###wsj-feed -derstandard.at###wsj-teaser firstload.us###x36d pocketpc.ch###xxParentDivForWerbPostbit euronics.de###xxl_master_top_banner_container @@ -99959,7 +103886,6 @@ onvista.de##.SKYSCRAPER aol.de##.SLL fcbayern.telekom.de##.SectionPresenting charivari.de##.Skyscraper_Slot -derstandard.at##.SponsorCFrame buerschgens.de##.SponsorFuss t-online.de##.TFlashPlayer\[style="height:200px; width:300px;"] rtl.de##.T_partner @@ -99985,7 +103911,7 @@ diaware.de##.abcde_text tutorials.de##.above_body > #header + #navbar + table:last-child rc-network.de##.above_body:first-child + table\[cellspacing="0"]\[cellpadding="0"]\[border="0"]\[align="center"] die-schnelle-kuh.de##.abp -abendblatt.de,alle-immobilien.ch,azonline.de,bazonline.ch,bernerzeitung.ch,billig-flieger-vergleich.de,bos-fahrzeuge.info,crn.de,derbund.ch,derlacher.de,epochtimes.de,fail.to,fettspielen.de,funnypizza.de,glamour.de,gmx.net,hamburg.de,hardwareclips.com,inside-handy.de,ircgalerie.net,kalenderwoche.net,kino24.to,kronehit.at,macwelt.de,netzpolitik.org,newscomm.de,phonostar.de,playporn.to,podcast.de,prisma.de,radiokoeln.de,raidrush.org,rhein-neckar-loewen.de,sachsen-fernsehen.de,shopbetreiber-blog.de,sueddeutsche.de,suite101.de,tagesanzeiger.ch,wallstreet-online.de,web.de,welt.de,wn.de,zeit.de##.ad +abendblatt.de,alle-immobilien.ch,azonline.de,bazonline.ch,bernerzeitung.ch,billig-flieger-vergleich.de,bos-fahrzeuge.info,computerbase.de,crn.de,derbund.ch,derlacher.de,epochtimes.de,fail.to,fettspielen.de,funnypizza.de,glamour.de,gmx.net,hamburg.de,hardwareclips.com,inside-handy.de,ircgalerie.net,kalenderwoche.net,kino24.to,kronehit.at,macwelt.de,netzpolitik.org,newscomm.de,phonostar.de,playporn.to,podcast.de,prisma.de,radiokoeln.de,raidrush.org,rhein-neckar-loewen.de,sachsen-fernsehen.de,shopbetreiber-blog.de,sueddeutsche.de,suite101.de,tagesanzeiger.ch,wallstreet-online.de,web.de,welt.de,wn.de,zeit.de##.ad med1.de,stayfriends.de##.adContainer wz-newsline.de##.adDisclaimerLight games.ch,webfail.at##.adMR @@ -100009,10 +103935,11 @@ aero.de##.add_balken tes-5-skyrim.de##.addleft oxygen-scene.com##.adoxygen baronbuff.de##.adp_pls -20min.ch,250kb.de,app-kostenlos.de,arbeitszeugnisgenerator.de,bild.de,channelpartner.de,eintracht.de,erdbeerlounge.de,fischkopf.de,focus.de,giga.de,helpster.de,israelnetz.com,mtv.de,playmassive.de,tageblatt.lu,tecchannel.de,tus-n-luebbecke.de,worldofminecraft.eu,zdnet.de##.ads +20min.ch,250kb.de,app-kostenlos.de,arbeitszeugnisgenerator.de,bild.de,channelpartner.de,dhb.de,eintracht.de,erdbeerlounge.de,fischkopf.de,focus.de,giga.de,helpster.de,israelnetz.com,mtv.de,playmassive.de,tageblatt.lu,tecchannel.de,tus-n-luebbecke.de,worldofminecraft.eu,zdnet.de##.ads psychic.de##.ads5 +wetter.com##.adsTitle sdf.bz.it##.ads_content -gamestar.de##.adsense +duden.de,gamestar.de##.adsense skodacommunity.de##.adsenseContainer + div\[align="center"] preisvergleich.de##.adswsk tech-blog.net##.adsxtrm @@ -100026,7 +103953,7 @@ webstandard.kulando.de##.advBlockTop arcor.de##.advTop pc-magazin.de##.adv_inside_galerie detektor.fm##.advarea -3d-area.in,animania.de,erdbeerlounge.de,eurogamer.de,finanzen.net,hcelb.de,mrn-news.de,n-tv.de,teleboerse.de,tvtv.at,tvtv.ch,tvtv.de,weser-kurier.de##.advert +animania.de,erdbeerlounge.de,eurogamer.de,finanzen.net,hcelb.de,mrn-news.de,n-tv.de,teleboerse.de,tvtv.at,tvtv.ch,tvtv.de,weser-kurier.de##.advert filsh.net##.advert + .notification abendzeitung-muenchen.de,morgenpost.de,thueringer-allgemeine.de,welt.de##.advertising au-ja.de##.advframe @@ -100041,7 +103968,7 @@ bild.de##.affiliate.pm140 bild.de##.affiliate.pm172 rsa-sachsen.de##.affiliates tweakpc.de##.aflink -ati-forum.de##.aktionsflaeche +tarnkappe.info##.after-entry > .wrap > #text-17 oxygen-scene.com##.alert_green modernboard.de##.alt1\[style="padding-top:0px"] > div\[style="clear:both"] + ul\[style="list-style-type:none; margin:0px; padding:0px"] dforum.net##.alt2\[colspan="2"]\[style="background: #eaeab4"] > font\[color="#000"]:first-child:last-child > table\[width="100%"]\[cellspacing="0"]\[cellpadding="0"]:first-child:last-child @@ -100054,7 +103981,8 @@ ratgeber-hausmittel.info##.amazon-product-table buffed.de,gamesaktuell.de,gamezone.de,pcgames.de,pcgameshardware.de,videogameszone.de##.amazonTopList winfuture.de##.amazon_deal winfuture.de##.amazon_top_deal_box -pcaction.de,pcgameshardware.de##.amazonorder +pcgameshardware.de##.amazonorder +pcwelt.de##.amazonteaser gamepro.de,gamestar.de##.amz andreziegler.de##.amz_main winfuture.de##.amzwgt @@ -100079,6 +104007,7 @@ unitymedia.de##.anzeigetag digitale-schule-bayern.de##.app > #t_container zdnet.de##.apraxazz_sidebar teltarif.de##.arial2\[style="clear: both; color: #CCCCCC; margin: 9px 13px; border-bottom: #CCCCCC 1px solid;"] +tvspielfilm.de##.article-body > div\[style="margin:0 0 20px;text-align:center"] sosuanachrichten.com##.article\[style="width: 440px; background-color: #000066; margin: 6px; margin-top: 6px;"] gamersglobal.de##.artikel-cad tagblatt.ch##.artikel-detail-einspaltig-spalte-2 > .tbrprehtml @@ -100090,7 +104019,7 @@ sachsen-fernsehen.de##.asidebar alternative-zu.de##.azuitem_googleAdSense alatest.de##.b_top_leaderboard walliserbote.ch##.ban-img -1000ps.at,1001spiele.de,anixehd.tv,antenne.de,apotheke-adhoc.de,bsdforen.de,buchmarkt.de,emfis.de,filmeforum.com,games.ch,goolive.de,hamm.biz,hammstars.de,hc-erlangen-ev.de,jetztspielen.de,kle-point.de,komoedie-steinstrasse.de,kronehit.at,liita.ch,macerkopf.de,moneyspecial.de,naturundtherapie.at,radio.li,sgbbm.de,softonic.de,sonntagszeitung.ch,spielkarussell.de,suedostschweiz.ch,sunshine-live.de,talkteria.de,tu-berlin.de,voltigierzirkel.de,wein-plus.de,winrar.de,zmk-aktuell.de##.banner +1000ps.at,1001spiele.de,anixehd.tv,antenne.de,apotheke-adhoc.de,bsdforen.de,buchmarkt.de,emfis.de,filmeforum.com,games.ch,goolive.de,hamm.biz,hammstars.de,hc-erlangen-ev.de,jetztspielen.de,kle-point.de,komoedie-steinstrasse.de,kronehit.at,liita.ch,macerkopf.de,moneyspecial.de,naturundtherapie.at,radio.li,sgbbm.de,softonic.de,sonntagszeitung.ch,spielkarussell.de,suedostschweiz.ch,sunshine-live.de,talkteria.de,tu-berlin.de,tvspielfilm.de,voltigierzirkel.de,wein-plus.de,zmk-aktuell.de##.banner ebay.de##.banner-billboard hsvhandball.com##.banner-container bos-fahrzeuge.info,com-magazin.de,macnews.de##.banner-content @@ -100148,7 +104077,6 @@ preussenspiegel-online.de##.bannerright itopnews.de,pinfy.de##.banners rockantenne.de##.bannertop pcgames.de,pcgameshardware.de##.bargain -brokencomedy.de##.bc-medium-rectangle heise.de##.bcadv bildderfrau.de##.bdf_megabannerBack saarbruecker-zeitung.de##.beilagen @@ -100169,6 +104097,8 @@ readmore.de##.block\[href^="http://www.amazon.de/"]\[href*="tag=readmore-21"] moviez.to##.bonus echo-online.de##.bottom-buttons aerzteblatt.de##.bottomBanner +pcwelt.de##.box .holder\[target="_blank"]\[href^="http://rover.ebay.com/rover/"] +pcwelt.de##.box .holder\[target="_blank"]\[href^="http://www.amzn.to/"] porn2you.org##.box-content + .box-info sportnews.bz##.box-fullbanner porn2you.org##.box-note + .box-content + .box-line @@ -100216,8 +104146,8 @@ typo3blogger.de##.chemical_sitelogo_r putenbrust.net##.children:last-child > table\[width="500"]\[align="center"] c1neon.com##.cineadd lesen.to##.clicky_log_outbound\[style="color: rgb(255, 51, 0); title="] -hoerbuch.in##.clicky_log_outbound\[style="text-size:10px;font-weight:0; color: #FF3300;"] chip.de##.cloudsider-widget +golem.de##.cluster-header + div\[style="margin:15px 0; min-height:103px;"] pooltrax.com##.cmc2 cosmiq.de##.cmsbox_iq_qa_show_content_below_question finanzen.net##.coW\[style="background-color: #009DE0;"] @@ -100245,12 +104175,7 @@ bleckede.de##.content > #rightcontainer:last-child sprachnudel.de##.content > #toplinks sprachnudel.de##.content > #toplinks2 fscklog.com##.content > .posted:first-child img -3dl.tv##.content > \[align="center"] > a\[target="_blank"]\[href^="/"]:first-child -3dl.tv##.content > \[class]\[target="_blank"]\[style]\[href]:first-child -3dl.tv##.content > a\[style="display:none"] + a\[target="_blank"] -3dl.tv##.content > a\[target="_blank"]:first-child speedlounge.in##.content > center > hr\[width="100%"] + a -3dl.tv##.content > div\[align="center"]:first-child > a:first-child hammstars.de##.content > div\[style="margin-top:-18px; float:right; width:237px; text-align:right;"] hamm.biz,hammonline.de##.content > div\[style="position:relative; top:-13px; float:right; margin-left:15px; font-size:10px; text-align:right;"] notebookjournal.de##.content > div\[style="width:50%;height:260px;float:left;"] @@ -100278,18 +104203,21 @@ sportal.ch##.content_right_side_wetten augsburger-allgemeine.de,heise.de##.contentbanner bild.de##.contentbar dastelefonbuch.de##.context_banners +chip.de##.cs-widget\[data-cloudsider="vod"] klassikradio.de##.cssmedia\[height="125"]\[width="288"] rimparerhandballer.de##.custom > .adv_slideshowTable lounge.fm##.custom-sponsor mobile.de##.d-05-opromo_de winload.de##.darklayer -3dl.tv##.ddl-mirror-box.button\[title] +3dl.tv##.ddl-mirnor-box.button\[href*="="] +3dl.tv##.ddl-mirnor-box.button\[target="_blank"]\[href*=".3dl.tv/"]\[href*="="] fail.to##.dealheader gesichtskirmes.net##.deals filmpalast.to##.detail > li > span > a muenchen.de##.dienste_anzeige muensterschezeitung.de,ruhrnachrichten.de##.digitaleAnzeigen morgensex.com##.dim_b945_h100 +bluewin.ch##.directto > .logos volksblatt.li##.divAnzeige volksblatt.li##.divBanner volksblatt.li##.divPdfAnzeigen @@ -100312,9 +104240,8 @@ abacho.de##.econa_editorial_tips abacho.de##.econa_editorial_tips_header movie-blog.org##.eintrag2 a\[target="_blank"] > b movie-blog.org##.eintrag2 b > a\[target="_blank"] -hoerbuch.in,lesen.to##.eintrag_dowload0_link -hoerbuch.in,lesen.to##.eintrag_download0 -hoerbuch.in##.eintrag_download0_link +hoerbuch.us,lesen.to##.eintrag_dowload0_link +lesen.to##.eintrag_download0 hildesheimer-allgemeine.de##.einzelbanner pnp.de##.em_cnt_ad_hinweis pnp.de##.em_cnt_ad_hinweis + div @@ -100363,7 +104290,6 @@ hoerzu.de##.footer-banner-program scene-gamers.g-portal.de##.footer-widget antenne-frankfurt.de##.footer_textbox2 bild.de##.footerbar -boerse.bz##.forumdisplay-topborder\[width="100%"]\[colspan="3"] > div\[align="center"] > a\[target="_blank"] > img fundanalyzer.de,fundresearch.de##.fragSeitenKopf downloadstube.net##.frame_side downloadstube.net##.frame_top @@ -100403,12 +104329,13 @@ pkv-private-krankenversicherung.net##.google2 tecchannel.de##.google_block musicloud.fm##.green porn2you.org##.grid-h\[style="width: 735px;"] -pcaction.de,pcgames.de##.gul300 +pcgames.de##.gul300 myvideo.de##.hAdHead wetter.de##.halfsizerect + .pageItem map24.com##.hand\[onclick="showbahn();"] tvemsdetten.com##.hauptsponsor baunataler.de##.hauptsponsoren +goldesel.to##.hdls au-ja.de##.headADB au-ja.de##.headADV fernsehlounge.de,staedte-info.net##.headbanner @@ -100422,7 +104349,14 @@ datensammler.org##.header_right_d kabel-blog.de##.header_top_banner livingathome.de##.heftBox\[style="padding-left:0px;margin-left:0px;padding-bottom:8px;margin-top:1px;"] transfermarkt.de##.hide-for-small\[style="height: 273px; text-align: center; overflow: hidden;"] +deutsche-startups.de##.highlighted.squares moviebb.to##.highspeed_button +heise.de##.hinweis_anzeige +technic3d.com##.home > footer\[style="bottom: -105px;"]:last-child > div:first-child +tarnkappe.info##.home-bottom > #text-36 +tarnkappe.info##.home-middle > #text-10 +tarnkappe.info##.home-middle > #text-18 +tarnkappe.info##.home-top > #text-29 gamestar.de##.homeContHlCol3\[style="width:289px;"] > div\[style="padding:20px 0 0 0;"]:last-child gamestar.de##.homeContReg > .homeContRegCol1 > .elemCont > a > img gamestar.de##.homeContReg > .homeContRegCol1 > div\[style] > a > img @@ -100444,6 +104378,7 @@ autoline-eu.at,autoline-eu.ch,autoline.de##.index-main-banners hornoxe.com##.infobox + .navigation + \[align="center"] + .box-grey netzwelt.de##.informative\[style="padding-left:5px; padding-right:5px; height: 438px;"] netzwelt.de##.informative\[style="padding-left:5px; padding-right:5px;"] +technic3d.com##.infscroll > .rcolumn2\[style="text-align: center; height: 250px;"] quoka.de##.inner > #RelatedAdsList + .yui3-g blur.ws##.inner > .pefb ultras.ws##.inner:first-child:last-child > .corners-top:first-child + .topiclist + div\[style="padding: 5px 5px 2px 5px; font-size: 1.1em; background-color: #ECF1F3; margin: 0px auto; text-align: center;"] @@ -100462,6 +104397,7 @@ schulterglatze.de##.item_adverts_dienst bild.de##.jetzt_aufnehmen kulturmanagement.net##.joboffer_banner_wrapper heise.de##.jobtv24 +de.yahoo.com##.js-applet-view-container-main > style + .NavLinks + .Bd-t + .NavLinks collabxt.de##.karowerb wortfilter.de##.kuriosbox 1jux.net##.l-jux-post + .black @@ -100472,20 +104408,20 @@ indeed.ch##.lastRow + div + div\[class] > div\[class]:first-child + .row indeed.ch##.lastRow + div + div\[class] > div\[class]:first-child + .row + .row chemnitzerfc.de##.lay_banner_teaser2 games.ch##.layer -1a-order.de,hoh.de##.lb_skyscraper +hoh.de##.lb_skyscraper ichspiele.cc##.leader -airgamer.de,auto-motor-und-sport.de,billig-flieger-vergleich.de,buffed.de,de.de,gamesaktuell.de,gamezone.de,pcaction.de,pcgames.de,pcgameshardware.de,spielefilmetechnik.de,trailerzone.info,videogameszone.de##.leaderboard +airgamer.de,auto-motor-und-sport.de,billig-flieger-vergleich.de,buffed.de,de.de,gamesaktuell.de,gamezone.de,meteovista.de,pcgames.de,pcgameshardware.de,spielefilmetechnik.de,spielen.de,technic3d.com,trailerzone.info,videogameszone.de##.leaderboard istream.ws##.leaderboard2 lkz.de##.left > .content\[style="min-height:100px"] au-ja.de##.leftADB au-ja.de##.leftADV taketv.net##.leftbanner -wetteronline.de##.leftflow + style + div\[class] + div\[class] bunte.de##.li_imageteaser_row_typ3 mov-world.net##.link .archive.online\[target="_blank"] handballecke.de##.linkEmpfehlungen kissfm.de##.links kicker.de##.linksebay +giga.de##.listing + div > div\[style] myvideo.de##.liveHeaderSponsor l-iz.de##.liz_Ad_468_60 l-iz.de##.liz_Ad_sky @@ -100512,6 +104448,7 @@ svs-seligenporten.de##.main_sponsor eeepc.de##.mainpage > .tableinborder\[cellspacing="1"]\[cellpadding="1"]\[border="0"]\[style="width: 96%"] welt.de##.marginalTeaser gamepro.de,gamestar.de##.marketbox_brace +pcwelt.de##.marketplace mobilfunk-talk.de##.md1 t-online.de##.med_anz myvideo.de##.med_reg_box @@ -100523,7 +104460,6 @@ heise.de##.meldung_preisvergleich netdoktor.at##.menu-sponsor sinn-frei.com##.menu_feat eliteanimes.com##.menu_rechts_sonstiges > a\[target="_blank"] -pcaction.de##.metaboli franken-tv.de,kanal8.de,radio-trausnitz.de##.metrieanzeigen radio7.de##.microbanner fettspielen.de##.middle-leaderboard @@ -100535,7 +104471,6 @@ aol.de##.mnid-qnav-quick-nav-amazon_quick-nav-global aol.de##.mnid-qnav-quick-nav-ebay_quick-nav-global myvideo.de##.mobLiveHeaderLogo blaue-blume.tv,goldstar-tv.de,kremser-sc.at,romance-tv.de##.mod_banner -3dl.tv##.mod_banner_td braunschweiger-zeitung.de##.mod_deal sportal.de##.moduleArticleAnzeigeTnt stern.de##.moduleLPartners @@ -100549,15 +104484,6 @@ motor-talk.de##.mtbwrapper express.de##.nah_box_horizonal express.de##.nah_box_vertical hsgnordhorn-lingen.de##.navbar-fixed-bottom -boerse.bz##.navbar_notice > b:first-child + p:last-child -boerse.bz##.navbar_notice > p + p -boerse.bz##.navbar_notice > p > a\[href^="/"] -boerse.bz##.navbar_notice > p:first-child -boerse.bz##.navbar_notice > p\[style] > a\[href="http://www.boerse.bz/register.php?do=requestemail"] -boerse.bz##.navbar_notice a\[href="http://www.boerse.bz/register.php?do=requestemail"]\[rel="nofollow"]:first-child -boerse.bz##.navbar_notice a\[href^="/boerse/software-"] -boerse.bz##.navbar_notice a\[href^="http://www.boerse.bz/talk/"] -boerse.bz##.navbar_notice a\[target="_blank"]\[rel="nofollow"] alle-autos-in.de##.naviP wetter.at##.nearestLocations ~ div gamers.at##.networkbanner + script + a @@ -100569,6 +104495,7 @@ urlauburlaub.at##.newsitem pc-magazin.de##.newsletterTeaser dslteam.de##.newstxt > table\[cellspacing="0"]\[cellpadding="0"]\[border="0"]\[align="right"]\[width="308"] onlinekosten.de##.newstxt > table\[width="308"]\[cellspacing="0"]\[cellpadding="0"]\[border="0"]\[align="right"] +beichthaus.com##.no > a\[href^="http://bit.ly/"] mikrocontroller.net##.noprint > div\[style] + div\[style] > script:first-child + div\[style]:last-child mikrocontroller.net##.noprint > div\[style] > div\[id]:last-child > div\[style] versicherungsjournal.at,versicherungsjournal.de##.norm-lsp-wbox @@ -100591,6 +104518,7 @@ linux-forum.de##.page\[width="100%"]\[cellspacing="0"]\[cellpadding="0"]\[align= diaet.abnehmen-forum.com##.page\[width="150"]\[valign="top"]\[style="padding: 6px;"]:first-child clap-club.de##.page_caption > #menu_border_wrapper + br + br + br + p archiv.raid-rush.ws##.pagebody:first-child > div\[style="margin-bottom:80px;height:250px;"] +golem.de##.paged-cluster-header + div\[style="margin:15px 0; min-height:103px;"] freiburger-nachrichten.ch##.pane-frn-content-inserate-slider oekoportal.de##.panel-display > .panel-col-side > #block-views-website-block-1 spiegelfechter.com##.parship @@ -100627,6 +104555,7 @@ blogprojekt.de##.post > div\[style="margin-left: 10px;"] > div\[style="clear:bot movie-blog.org##.post a\[href^="http://movie-blog.org/"] movie-blog.org##.post a\[target="_blank"]\[href$=".movie-blog.org"] movie-blog.org##.post p > a\[target="_blank"]\[href*=".movie-blog.org/"] +ak-kurier.de,nr-kurier.de,ww-kurier.de##.post td\[valign="top"] > table\[width="100%"]\[cellspacing="0"]\[cellpadding="0"]\[border="0"] > tbody > tr > td > a\[target="_blank"] > img radio1.ch##.post-box-middle-anzeige wallstreet-online.de##.posting + div\[style="width:860px;"] dokus.to##.prc @@ -100643,6 +104572,7 @@ blick.ch##.promo kabeldeutschland.de##.promo_teaser_2c wegwerfemailadresse.com##.promobox 20min.ch,lakeparty.de##.promotion +access.de##.promotionbox focus.de##.ps-redAnzeige psvita-forum.de##.psads lingostudy.de##.psw_banner @@ -100663,8 +104593,6 @@ mz-web.de##.rectangle_anzeige rhein-zeitung.de##.rectangle_head perun.net##.rekl-links frag-mutti.de##.relcookiepopup -finanznachrichten.de##.relct > tbody > tr:first-child + .graue-zeile.hoverable -finanznachrichten.de##.relct > tbody > tr:first-child + .zeile-grau.hoverable quoka.de##.result a\[href^="http://connect.quoka.de/qpa/click.php?url="] quoka.de##.result-sml a\[href^="http://connect.quoka.de/qpa/click.php?url="] gronkh.de##.revbig @@ -100686,7 +104614,6 @@ playnation.de##.rl > .ca oberpfalznetz.de##.rotating-banner excitingcommerce.de##.row > .fourcol > #text-2 magistrix.de##.row > div\[style="text-align: right; padding: 0;"] -3dl.tv##.row_content_warning\[align="center"] > a\[href^="/derefer.php?url="] boerse-online.de##.rsmodulanzeige ebay.de##.rtmad com-magazin.de##.s2teaserboxes-typ-4 @@ -100705,13 +104632,16 @@ bild.de##.servicelinks hoerzu.de##.shades-of-grey-banner kleinezeitung.at##.si_adv_win2day kleinezeitung.at##.si_topli +curved.de##.side-products--deals informelles.de##.side2 allround-pc.com##.side_banner downloadstube.net##.side_frame fernsehlounge.de##.sidebanner +tarnkappe.info##.sidebar > #text-28 tarnkappe.info##.sidebar > #text-6 ploetzblog.de##.sidebar > .imglinks hc-empor.de##.sidebar > ul > #text-6 + #text-13 + #text-9 +giga.de##.sidebar-box > div\[style="height: 316px; margin: 15px 0 20px;"] berriesandpassion.com,kreativfieber.de##.sidebar-right > #text-11 kreativfieber.de##.sidebar-right > #text-6 berriesandpassion.com##.sidebar-right > #text-9 @@ -100719,6 +104649,7 @@ stern.de##.sidebarTeaserKastenAnzeige rpc-germany.de##.sidebar_banner_bg n-tv.de##.sidebar_block\[style="width:300px;height:163px"] n-tv.de##.sidebar_block_dark\[style="padding-left: 40px; height: 200px;"] +netzpolitik.org##.sidebar_list > #text-406427732 downloadstube.net##.sidebox_details > div\[class]:first-child fettspielen.de##.similar-games > .unblock fck.de##.site_ovlerlay @@ -100731,7 +104662,7 @@ lokalisten.de##.skyScraper t-online.de##.skybannerWrapper internet-sms.com##.skybg spiele-kostenlos-online.de##.skycraper -auto-motor-und-sport.de,buffed.de,bvb.de,chat4free.de,dmax.de,dynamo-dresden.de,erotikchat4free.de,freechat.de,gamesaktuell.de,genderblog.de,gentleman-blog.de,kanu.de,magistrix.de,nonstopnews.de,pcaction.de,pcgames.de,spielefilmetechnik.de,swoodoo.com,techno4ever.fm,tsv1860.de,videogameszone.de##.skyscraper +ak-kurier.de,auto-motor-und-sport.de,buffed.de,bvb.de,chat4free.de,dmax.de,dynamo-dresden.de,erotikchat4free.de,freechat.de,gamesaktuell.de,genderblog.de,gentleman-blog.de,kanu.de,magistrix.de,nonstopnews.de,nr-kurier.de,pcgames.de,spielefilmetechnik.de,spielen.de,swoodoo.com,techno4ever.fm,tsv1860.de,videogameszone.de,ww-kurier.de##.skyscraper fettspielen.de##.skyscraper-container b2run.de##.skyscraperContainer kidszone.de##.skyscraper_background @@ -100777,6 +104708,7 @@ fcbayern.de##.sponsors-wrapper euractiv.de##.sponzor auto-motor-und-sport.de##.spritpreisvergleich_sideteaser collabxt.de,schnellangeld.de##.squarebanner +wetter.com##.standardContainer > .lokalinfolist woerterbuch.info##.standard\[valign="top"]\[bgcolor="#e5e5e5"]\[align="right"]\[colspan="2"] spielaffe.de##.start_overview_adv_container biallo.de##.stdanzeige @@ -100785,19 +104717,16 @@ biallo.de##.stdspezialteaseranzeige spieletipps.de##.stiYsmLink serienjunkies.org##.streams + #content > .post:first-child > .post-title:first-child + p\[align="center"] fernsehserien.de##.stroeer-container +stadtradio-goettingen.de##.subfoot fuw.ch##.suche_sponsor sdx.cc##.suggestionList > a\[href^="http://www.sdx.cc/file="] -frankenpost.de,freies-wort.de,gentleman-blog.de,horizont.net,itopnews.de,neon.de,np-coburg.de,radiopsr.de,schlagerhoelle.de,stz-online.de,volksfreund.de##.superbanner +frankenpost.de,freies-wort.de,gentleman-blog.de,horizont.net,itopnews.de,mediabiz.de,neon.de,np-coburg.de,radiopsr.de,schlagerhoelle.de,stz-online.de,tvspielfilm.de,volksfreund.de##.superbanner gamestar.de##.sushibar kochbar.de##.tTraffic berlin.de##.t_a_vert berlinonline.de##.t_special n-tv.de##.table-cellwidth-220 > .table-row > .table-cell > .teaser-220 verivox.de##.tarif-tipp -3dl.tv##.tbl_warn -3dl.tv##.tbl_warning -boerse.bz##.tborder\[width="100%"]\[cellspacing="1"]\[cellpadding="6"]\[border="0"]\[align="center"] > tbody > tr > .alt1 > div > div\[align="center"]\[style="width:770px;margin:auto;"] -boerse.bz##.tborder\[width="100%"]\[cellspacing="1"]\[cellpadding="6"]\[border="0"]\[align="center"] > tbody > tr > .alt1 div\[align="center"]\[style="width:700px;margin:auto;"] rheintaler.ch##.tbrposthtml rheintaler.ch##.tbrprehtml hifi-forum.de##.td1\[valign="top"] > div\[style="float:left; width: 300px; height: 250px; margin-right: 10px; margin-bottom: 10px; padding:0;"]:first-child @@ -100820,6 +104749,8 @@ saz-aktuell.com##.textadul et-tutorials.de##.textwidget > div\[style="background-color: #FFFFFF; color:#000000; "] teltarif.de##.tgtLink\[style="color:#CCCCCC;margin:10px 0 2px 0"] teltarif.de##.tgtLink\[style="width:100%;text-align:left;border-spacing:0;margin-bottom:5px"] +giga.de##.three-boxes + div > div\[style] +dhb.de##.three.columns > #c22 + .pslider t-online.de##.tl_anz-pos1 sunshine-live.de##.top kleiderkreisel.de##.top-banner @@ -100868,7 +104799,7 @@ tvmovie.de##.videoload technorocker.info##.vim vip.de##.vip-medium-rectangle vip.de##.vip-teaser -ddl-porn.us,teen-blog.us##.voteLayer +teen-blog.us##.voteLayer viviano.de##.vtext9 bruder-schwester-fick.com##.w_b300x250 xvideo-deutsch.com##.w_under_video @@ -100899,7 +104830,9 @@ wn.de##.wn_sp_banner azonline.de,mv-online.de,wn.de##.wn_spo_banner goyax.de##.wpad linkbase.in##.wrap > div\[style="padding: 10px; margin: 10px; -moz-border-radius: 5px 5px 5px 5px; -moz-box-shadow: 0px 0px 10px rgb(0, 0, 0); text-align: center; font-size: 18px; background-color: rgb(102, 160, 0); opacity: 0.45; border: 1px solid rgb(68, 187, 68);"] +technic3d.com##.wrap > footer\[style="bottom: -260px;"]:last-child > div:first-child mobile.de##.wrapper-d-06-rect_de +wetter.de##.wrapper-halfpage wetter.de##.wrapper-rectangle muenchen.de##.wrapper_dienste_anzeigen evo-cars.de##.xaded @@ -100913,11 +104846,10 @@ yelp.at,yelp.ch,yelp.de##.yloca-list yelp.at,yelp.ch,yelp.de##.yloca-search-result magistrix.de##.zeezee german-bash.org##.zitat > div\[style="width:300px;"] -3dl.tv##:not(td) > a\[target="_blank"]\[href*=".3dl.tv/"]\[href*=".php?"]\[href*="="]:first-child -androidnext.de##A\[onclick^="_gaq.push(\['_trackEvent', 'Sidebar', 'Amazon App Store',"] npage.at,npage.ch,npage.de,~www.npage.at,~www.npage.ch,~www.npage.de##\[class] > a\[target="_blank"]\[href*=".npage.de/"]\[href$=".html"] npage.at,npage.ch,npage.de,~www.npage.at,~www.npage.ch,~www.npage.de##\[class] > a\[target="_blank"]\[href^="/"]\[href$=".html"] npage.at,npage.ch,npage.de,~www.npage.at,~www.npage.ch,~www.npage.de##\[id] > a\[target="_blank"]\[href^="/"]\[href$=".html"] +filecrypt.cc##\[onmouseup$="', this);"]\[href^="javascript:"] forum-sachsen.com##\[width="425"]\[height="600"]\[style="position: absolute; top: 100px; left: 550px; empty-cells: hide;"] ebook-hell.to##\[width="620"]\[bordercolor="#808080"] td\[height="60"]\[align="CENTER"] > a > img sat-erotik.de##\[width="800"]\[cellspacing="0"]\[cellpadding="4"]\[border="0"] @@ -100927,19 +104859,16 @@ cine24.tv##a\[href$=".gu.ma"] g4u.me##a\[href$="/download/nzb.html"] pi-news.net##a\[href$="/werbung.pdf"] 94.199.241.194##a\[href$="_zalando"] -3dl.tv##a\[href*="&wmid="] metager.de##a\[href*=".overture.com/"]\[href$="?plmg=1"] -3dl.tv##a\[href*=".php?q="] bild.de##a\[href*=".smartadserver.com/"] htwk-leipzig.de##a\[href*="/adclick.php?"] satindex.de##a\[href*="/extern.php?"] -3dl.tv##a\[href*="/folder/"] + a\[href*=" "] serienjunkies.org##a\[href*="/mirror."] bild.de##a\[href*="/partner/"] 20min.ch##a\[href*="/sponsored/story/"] emfis.de##a\[href*="/uebersicht.html?tx_ricrotation_"] -3dl.tv##a\[href*="MonztA"] xp-antispy.org##a\[href*="com_partner&link="] +3dl.tv##a\[href*="downloadboutique.com"] hd-vidz.net##a\[href*="filesonthe.net"] movie-blog.org##a\[href*="http://ul.to/ref/"] absenden.net##a\[href="../weiter/3-4"] @@ -100955,10 +104884,11 @@ bild.de##a\[href="/infos/entertainment/bild-aktionen/bild-entertainment-aktionen bild.de##a\[href="/lifestyle/horoskop/horoskop/home-21648048.bild.html"] bild.de##a\[href="/spiele/gamesload/computerspiele/pc-spiele-shop-33596804.bild.html"] bild.de##a\[href="/video/clip/livestrip-sexy-clips/live-strip-24602168.bild.html"] +strippokerregeln.com##a\[href="/www/888casino"] sb.sbsb.cc##a\[href="download.php"] dsl-speedtest.org##a\[href="ex/thome1.php"] fm-arena.de##a\[href="fm-10-bestellen.html"] -hoerbuch.in,lesen.to##a\[href="http://aktiv-abnehmen.com"] +lesen.to##a\[href="http://aktiv-abnehmen.com"] bild.de##a\[href="http://ampya.bild.de"] nik-o-mat.de##a\[href="http://australienblog.com/kostenlose-kreditkarte"] bild.de##a\[href="http://automarkt.bild.de/"] @@ -100990,7 +104920,6 @@ bild.de##a\[href="http://tickets.bild.de"] outleter.org##a\[href="http://topne.ws/onlineoutlet"] sexuria.com##a\[href="http://wixtube.com/frame.htm"] 12free-sms.de##a\[href="http://www.12free-sms.de/free-sms.php"] -leave.to##a\[href="http://www.boerse.bz/boerse/software-angebote/free-vpn-signup/"] byte.to##a\[href="http://www.byte.to/first/"] cinebee.org##a\[href="http://www.cinebee.org/tipp/"] eliteanimes.com##a\[href="http://www.eliteanimes.com/els/"] @@ -101002,6 +104931,7 @@ flp.to##a\[href="http://www.flp.to/download.php"] fm-arena.de##a\[href="http://www.fm-arena.de/go_to.php?ID=103"] gamefront.de##a\[href="http://www.gamedealer.de"] board.gulli.com##a\[href="http://www.getdigital.de/index/gulli"] +giga.de##a\[href="http://www.giga.de/go/jinw"] gulli.com##a\[href="http://www.gulli.com/internet/chrome"] gulli.com##a\[href="http://www.gulli.com/internet/chrome"] + h2 + p gulli.com##a\[href="http://www.gulli.com/internet/chrome"] + p @@ -101010,6 +104940,7 @@ querverweis.net##a\[href="http://www.intimvideos.com"] 5-jahres-wertung.de##a\[href="http://www.kostenloses-konto24.de/girokonto-vergleich.html"] movie-blog.org##a\[href="http://www.movie-blog.org/2007/FD"] movie-blog.org##a\[href="http://www.movie-blog.org/2011/FD"] +n-tv.de##a\[href="http://www.n-tv.de/marktplatz/lotto/"] mysummit.wordpress.com##a\[href="http://www.prontocafe.eu/de/"] > img soft-ware.net##a\[href="http://www.soft-ware.net/pics/gewinnspiel.jpg"] 5-jahres-wertung.de##a\[href="http://www.tagesgeld-direktbank.de/tagesgeld-vergleich.html"] @@ -101021,11 +104952,9 @@ xxx-blog.to##a\[href="http://xxx-blog.to/poppen"] i-have-a-dreambox.com##a\[href="https://www.satplace.de"] yourporn.ws##a\[href="out.php"] speedlounge.in##a\[href="usenet"] -boerse.bz##a\[href="www.boerse.bz/boerse/software-angebote/free-vpn-signup/"] landwirtschaftssimulator-mods.de##a\[href^="./adclick.php?"] gameserveradmin.de##a\[href^="./adclick.php?id="] playit.ch##a\[href^="/ad/admanager.php?"] -boerse.bz##a\[href^="/boerse/software-angebote/free-vpn-"] herthabsc.de##a\[href^="/de/hertha/sponsoren/exklusiv-partner/uebersicht/page/"] downloadstube.net##a\[href^="/download-file.php?type="] titanic-magazin.de##a\[href^="/fileadmin/core/scripts/link_external.php?url="]\[target="_blank"] > img @@ -101097,9 +105026,7 @@ beichthaus.com,gamefront.de##a\[href^="http://amzn.to/"] > img hornoxe.com##a\[href^="http://amzn.to/"] > img\[width="480"]\[height="400"] trendhure.com##a\[href^="http://amzn.trendhure.com"] byte.to,pdfs.us##a\[href^="http://anonym.to/?http://ul.to/ref/"] -atomload.at##a\[href^="http://anonymizeit.com/?http://ul.to/ref/"] smsform.de##a\[href^="http://api.tapstream.com/lovoo/"] -atomload.at##a\[href^="http://atomload.at/google/"] byte.to,ebook-hell.to##a\[href^="http://b1t.it/"] movie-blog.org##a\[href^="http://b23.ru/"] movie-blog.org##a\[href^="http://bi.ai/"] @@ -101109,7 +105036,6 @@ movie-blog.org##a\[href^="http://bim.im/"] drop-games.org##a\[href^="http://bit.ly"] byte.to,cine-dream.com,derlacher.de,ebook-hell.to,g-stream.in,gamepro.de,housebeats.cc,livestreamfussball.org,movie-blog.org,moviekk.net,musicstream.cc,torrent.to,xxx-blog.to##a\[href^="http://bit.ly/"] feiertage.net##a\[href^="http://bit.ly/"] > img -bitreactor.to##a\[href^="http://bitreactor.to/fdownload/"] magazin-ddl.info,sceneload.to,warez-load.com##a\[href^="http://bitshare.com/?referral="] movie-blog.org##a\[href^="http://blue.gg/"] movie-blog.org##a\[href^="http://brk.to/"] @@ -101128,7 +105054,7 @@ bluewin.ch,toppreise.ch##a\[href^="http://clk.tradedoubler.com/click?"] phpforum.de##a\[href^="http://clkde.tradedoubler.com"] giga.de##a\[href^="http://clkde.tradedoubler.com/"] rtl.de,sms-box.de,t-online.de##a\[href^="http://clkde.tradedoubler.com/click?"] -atomload.at,dbase.ws,dokujunkies.org##a\[href^="http://cloudzer.net/ref/"] +dbase.ws,dokujunkies.org##a\[href^="http://cloudzer.net/ref/"] t-online.de,trax.de##a\[href^="http://count.shopping.t-online.de/RE?ID="] g-stream.in,xxx-blog.to##a\[href^="http://cpm.amateurcommunity."] xxx-art.biz##a\[href^="http://cpm.amateurcommunity.de/"] @@ -101140,7 +105066,6 @@ mygully.com##a\[href^="http://dl1.mygully.com"] duckcrypt.info##a\[href^="http://download.duckcrypt.info"] movie-stream.to##a\[href^="http://download.movie-stream.to"] serienjunkies.org##a\[href^="http://download.serienjunkies.org/md-"] -3dl.tv##a\[href^="http://downloadcdn.betterinstaller.com/"] sdx.cc##a\[href^="http://eads.to"] movie-blog.org##a\[href^="http://ebrix.me/"] wetter.com##a\[href^="http://exlog.wetter.com/v2/exlog/adclick.php?bannerid="] @@ -101158,13 +105083,13 @@ omega-music.com##a\[href^="http://freakshare.net/?ref="] byte.to,movie-blog.org##a\[href^="http://fur.ly/"] g-stream.in##a\[href^="http://g-stream.in/mirror/"] movie-blog.org##a\[href^="http://gg.gg/"] +gload.cc##a\[href^="http://gload.cc/images/freeuser"] movie-blog.org##a\[href^="http://goo.by/"] drop-games.org##a\[href^="http://goo.gl"] -atomload.at,boerse.bz,cinebee.org,ebook-hell.to,goldesel.to,leave.to,movie-blog.org,porn2you.org,saugzone.info,torrent.to,trendhure.com,warezking.in,zensiert.to##a\[href^="http://goo.gl/"] +cinebee.org,ebook-hell.to,goldesel.to,leave.to,movie-blog.org,porn2you.org,prad.de,torrent.to,trendhure.com,warezking.in,zensiert.to##a\[href^="http://goo.gl/"] ingame.de##a\[href^="http://green.ingame.de/www/delivery/inck.php?"] duckcrypt.info##a\[href^="http://highspeed.duckcrypt.info"] moviebox.to##a\[href^="http://highspeed.moviebox.to"] -hoerbuch.in##a\[href^="http://hoerbuch.in/wp/goto/Hier_klicken_"] hd-world.org,movie-blog.org##a\[href^="http://href.hu/"] movie-blog.org##a\[href^="http://ilnk.me/"] fussball.de,knuddels.de,t-online.de,trax.de##a\[href^="http://im.banner.t-online.de/?adlink|"] @@ -101180,13 +105105,15 @@ linuxundich.de##a\[href^="http://linuxundich.de/wp-content/plugins/adrotate/"] lix.in##a\[href^="http://lix.in/ad.php?"] movie-blog.org##a\[href^="http://lnk.co/"] t-online.de##a\[href^="http://logc206.xiti.com/go.click?"] +xxx-blog.to##a\[href^="http://lp.amateurcommunity.com/"] +pornkino.to##a\[href^="http://lp.amateurcommunity.de/"] mafia-linkz.to##a\[href^="http://mafia-linkz.to/dirty/"] web.de##a\[href^="http://magazine.web.de/de/themen/digitale-welt/usenext/"] gegenmuedigkeit.de##a\[href^="http://marketingnow.de/go/"] g-stream.in,playporn.to,pornkino.to,xxx-blog.to##a\[href^="http://media.campartner.com/"] freenet.de##a\[href^="http://media.mybet.com/redirect.aspx?pid="] +hoerbuch.us##a\[href^="http://megacache.net/free"] eierkraulen.net,serienjunkies.org##a\[href^="http://mein-deal.com/"] -3dl.bz##a\[href^="http://meinsextagebuch.net/"] dokujunkies.org##a\[href^="http://mirror."] moviebox.to##a\[href^="http://mirror.moviebox.to"] sdx.cc##a\[href^="http://mirror.sdx.cc/"] @@ -101197,7 +105124,7 @@ musicelster.net##a\[href^="http://musicelster.net/premium"] movie-blog.org##a\[href^="http://myln.de/"] gamingxp.com##a\[href^="http://nemexia.de/?"] hd-world.org##a\[href^="http://netload.in/"]\[href*="&refer_id="] -3d-area.in,paradise-load.us,sdx.cc##a\[href^="http://netload.in/index.php?refer_id="] +paradise-load.us,sdx.cc##a\[href^="http://netload.in/index.php?refer_id="] gofeminin.de##a\[href^="http://network.gofeminin.de/call/"] mov-world.net##a\[href^="http://nvpn.net/"] byte.to,ebook-hell.to,movie-blog.org##a\[href^="http://ow.ly/"] @@ -101211,6 +105138,9 @@ metacrawler.de##a\[href^="http://performance-netzwerk.de"] mobilfunk-talk.de,usp-forum.de##a\[href^="http://performance-netzwerk.de/"] movie-blog.org##a\[href^="http://ph.ly/"] movie-blog.org##a\[href^="http://pir.at/"] +funcloud.com##a\[href^="http://pn.innogames.com/go.cgi?pid="] > img +pornkino.to##a\[href^="http://pornkino.to/milfs/"] +pornkino.to##a\[href^="http://pornkino.to/poppen/popUp/"] pornkino.to##a\[href^="http://pornkino.to/usenet."] putenbrust.net##a\[href^="http://putenbrust.99k.org"] spieletipps.de##a\[href^="http://rc23.overture.com"] @@ -101219,7 +105149,6 @@ movie-blog.org##a\[href^="http://redir.ec/"] ebook-hell.to##a\[href^="http://rod.gs/"] hubbahotel.cc##a\[href^="http://rover.ebay.com/rover/"] gesichtskirmes.net##a\[href^="http://sau-billig.net/"] -ddl-porn.us##a\[href^="http://secure.safetrade.biz/"] myvideo.de##a\[href^="http://server.nitrado.net/deu/gameserver-mieten?"] blasemaul.com,gratiswix.com,klubsex.com,morgensex.com,pornoflitsche.com##a\[href^="http://sexplicy.net/anmelden/"] drop-games.org,moviez.to##a\[href^="http://share.cx/partner"] @@ -101235,7 +105164,7 @@ movie-blog.org##a\[href^="http://tini.cc/"] movie-blog.org##a\[href^="http://tiny.cc/"] movie-blog.org##a\[href^="http://tiny.tw/"] dokujunkies.org,drop-games.org,flp.to,istream.ws,oxygen-scene.com##a\[href^="http://tinyurl.com"] -atomload.at,byte.to,chatroulette-deutsch.com,cine-dream.com,dbase.ws,fakedaten.tk,fantasiedaten.1x.biz,flower-blog.org,hd-world.org,hopto.org,livestreamfussball.org,movie-blog.org,moviekk.net,querverweis.net,saugzone.info,torrent.to,trendhure.com,xvidload.com,xxx-dream.com##a\[href^="http://tinyurl.com/"] +byte.to,chatroulette-deutsch.com,cine-dream.com,dbase.ws,fakedaten.tk,fantasiedaten.1x.biz,flower-blog.org,hd-world.org,hopto.org,livestreamfussball.org,movie-blog.org,moviekk.net,querverweis.net,torrent.to,trendhure.com,xvidload.com,xxx-dream.com##a\[href^="http://tinyurl.com/"] g-stream.in##a\[href^="http://tinyurl.com/"] > img movie-blog.org##a\[href^="http://to.ly/"] byte.to##a\[href^="http://torrent.byte.to/first/"] @@ -101257,7 +105186,7 @@ t-online.de##a\[href^="http://wirtschaft.t-online.de/tagesgeldkonto-der-bank-of- t-online.de##a\[href^="http://wirtschaft.t-online.de/testen-sie-den-devisen-handel-mit-dem-kostenlosen-demokonto-der-fxdirekt-bank/id_"] t-online.de##a\[href^="http://wirtschaft.t-online.de/top-girokonto-der-norisbank/id_"] 5-jahres-wertung.de##a\[href^="http://ws.amazon.de/widgets/q?"] -otrkey.com,otrportal.com##a\[href^="http://www.TwinPlan.com/AF_"] +computerbild.de##a\[href^="http://ww251.smartadserver.com/call/cliccommand/"] tvtv.de##a\[href^="http://www.TwinPlan.de/AF_"] mobilfunk-talk.de##a\[href^="http://www.active-tracking.de/"] smsform.de##a\[href^="http://www.adscads.de/sites/"] @@ -101276,7 +105205,6 @@ das-sternzeichen.de##a\[href^="http://www.amazon.de/gp/product/"]\[href*="&tag=s songtexte.bz##a\[href^="http://www.amazon.de/gp/search?"] beichthaus.com##a\[href^="http://www.amzn.to/"] mysqldumper.de##a\[href^="http://www.artfiles.de/?affiliate="] -asia-load.org##a\[href^="http://www.asia-load.org/out.php?p=75&url=http://www.firstload.de/affiliate/"] zeit.de##a\[href^="http://www.avocadostore.de"] zeit.de##a\[href^="http://www.avocadostore.de"] + * + p bankkaufmann.com##a\[href^="http://www.bankkaufmann.com/banners.php?"] @@ -101284,12 +105212,11 @@ gamepro.de,gamestar.de##a\[href^="http://www.betvictor-emtippspiel.de/index.cfm? bildschirmarbeiter.com##a\[href^="http://www.bildschirmarbeiter.com/alink_"] blick.ch##a\[href^="http://www.blick.ch/marktplatz/"] blur.ws##a\[href^="http://www.blur.ws/out.php"] > img -hoerbuch.in,lesen.to##a\[href^="http://www.bluray-deals.com"] +lesen.to##a\[href^="http://www.bluray-deals.com"] tvspielfilm.de##a\[href^="http://www.bluvistaclub.tv/?pid="] linkvz.net##a\[href^="http://www.cashdorado.de/"] fail.to##a\[href^="http://www.china-deals.net"] omfg.to##a\[href^="http://www.china-deals.net/"] -ddl-porn.us##a\[href^="http://www.crowdGravity.com/AF_"] digital-eliteboard.com##a\[href^="http://www.digital-eliteboard.com/rbs_banner.php?id="] cine24.tv##a\[href^="http://www.digizigi.de/"] safeyourlink.com##a\[href^="http://www.eads.to/home.php?ref="] @@ -101308,10 +105235,10 @@ gamestar.de##a\[href^="http://www.gamestar.de/_misc/linkforward/"]\[target="_bla board.gulli.com##a\[href^="http://www.getdigital.de/"]\[href$="?her=GULLI"] board.gulli.com##a\[href^="http://www.getdigital.de/"]\[href$="?her=GULLI"] + h4 + p funpic.de##a\[href^="http://www.gigacash.de/?refid="] -atomload.at,ddl-music.org,sdx.cc,serialbase.us,serialzz.us,steelwarez.com##a\[href^="http://www.gigaflat.com/affiliate/"] +ddl-music.org,sdx.cc,serialbase.us,serialzz.us,steelwarez.com##a\[href^="http://www.gigaflat.com/affiliate/"] computerhilfen.de##a\[href^="http://www.girls-time.com/"] byte.to##a\[href^="http://www.globalvpn.net"] -178.237.37.68,canna.to##a\[href^="http://www.globalvpn.net/?glvref="] +anna.to##a\[href^="http://www.globalvpn.net/?glvref="] emok.tv##a\[href^="http://www.goo.gl/"] eierkraulen.net##a\[href^="http://www.handytaxi.de"] picdumps.com##a\[href^="http://www.handyz.de"] @@ -101332,12 +105259,15 @@ erogeschichten.com##a\[href^="http://www.momo-net.ch/?moid="] yourporn.ws##a\[href^="http://www.mydirtyhobby.com/?sub="] porn-reactor.net##a\[href^="http://www.mydownloader.net/pr/"] 12free-sms.de##a\[href^="http://www.mymobileworld.de/"] +n-tv.de##a\[href^="http://www.n-tv.de/marktplatz/elitepartner/?emnad_id="] +n-tv.de##a\[href^="http://www.n-tv.de/marktplatz/experteer/Experteer-Stellensuche-article9804796.html?affiliate="] neumarkt-tv.de##a\[href^="http://www.neumarkt-tv.de/loadBanner.aspx?"] ebase.to##a\[href^="http://www.online-downloaden.de?"] online-moviez.com##a\[href^="http://www.online-moviez.com/cgateway/"] orschlurch.net##a\[href^="http://www.orschlurch.net/am/"] private-blog.org##a\[href^="http://www.parkplatzkartei.com"] pornkino.to,xxx-blog.to##a\[href^="http://www.parkplatzkartei.com/"] +prad.de##a\[href^="http://www.prad.de/mpb"] adhs-zentrum.de##a\[href^="http://www.profiseller.de/shop1/index.php3?ps_id="] startseite.to##a\[href^="http://www.putlocker.com/?affid="] ddlporn.org##a\[href^="http://www.raenox.com/vote/"] @@ -101371,19 +105301,20 @@ jenatv.de##a\[href^="http://www1.belboon.de/adtracking/"] goldesel.to,mega-stream.to,moviebox.to,woom.ws##a\[href^="http://www2.filedroid.net/AF_"] readmore.de##a\[href^="http://www4.smartadserver.com/"] byte.to,movie-blog.org##a\[href^="http://x.co/"] +xxx-blog.to##a\[href^="http://xxx-blog.to/poppen/"] movie-blog.org##a\[href^="http://y.ahoo.it/"] movie-blog.org##a\[href^="http://yi.tl/"] hd-world.org,movie-blog.org##a\[href^="http://zip5.de/"] livestreamfussball.org##a\[href^="http://zolanis.com/landingpage"] movie-blog.org##a\[href^="http://zzb.bz/"] +freenet.de##a\[href^="https://ad1.adfarm1.adition.com/redi?sid="] gamepro.de,gamestar.de##a\[href^="https://itunes.apple.com/"]\[href*="&affId="] ddl-warez.in##a\[href^="https://share-online.biz/affiliate/"] ddl-warez.in##a\[href^="https://uploaded.net/ref/"] gamiano.de##a\[href^="https://www.amazon.de/"]\[href*="?tag=gamiano-21&"] livestreamfussball.org##a\[href^="https://www.bwin.com/de/registration?wm="] ebook-hell.to##a\[href^="https://www.filemonkey.in/ref/"] -boerse.bz##a\[href^="https://www.hide.io/?"] > img -atomload.at,atomload.to##a\[href^="https://www.oboom.com/ref/"] +atomload.to##a\[href^="https://www.oboom.com/ref/"] g-stream.in##a\[href^="mirror/?"] angesagter.de##a\[href^="out.php?bid="] sinn-frei.com##a\[href^="out2_"] @@ -101396,7 +105327,7 @@ gaming-insight.de##a\[id^="takeoverlink"] npage.at,npage.ch,npage.de,~www.npage.at,~www.npage.ch,~www.npage.de##a\[onclick$=")"] > img\[src^="/"] npage.at,npage.ch,npage.de,~www.npage.at,~www.npage.ch,~www.npage.de##a\[onclick$=");"] > img\[src^="/"] npage.at,npage.ch,npage.de,~www.npage.at,~www.npage.ch,~www.npage.de##a\[onclick]\[href$="#"] > img\[src^="/"] -kochbar.de,rtl.de,sport.de,vip.de,vox.de##a\[onclick^="$('<img></img>').attr(\7b src: '/tools/count/xdot/count.php?id="] +kochbar.de,rtl.de,sport.de,vip.de,vox.de,wetter.de##a\[onclick^="$('<img></img>').attr(\7b src: '/tools/count/xdot/count.php?id="] rtl.de##a\[onclick^="$('<img></img>').attr(\7b src: '/xdot/count?id="] downloadstube.net##a\[onclick^="DownloadFile('details'"] downloadstube.net##a\[onclick^="DownloadFile('result_details'"] @@ -101410,6 +105341,7 @@ zoozle.net##a\[onclick^="downloadFile('download_related', null,"] wetter.com##a\[onclick^="exlogmask('"]\[href="javascript:void(0);"] php.de##a\[onclick^="pageTracker._trackPageview('/outbound/ads/"] suchen.de##a\[onclick^="sl(PID.PpcClick);window.open('http://www.suchen.de/ad?"] +prad.de##a\[onclick^="trackOutboundLink(this, 'HP'"] rtl.de##a\[onclick^="verivox_go("] rtl.de##a\[onclick^="verivox_go_"] downloadstube.net##a\[onclick^="window.open('/download-file.php?type=premium&"] @@ -101426,8 +105358,6 @@ stream4.org##a\[style="color:yellow;font-size:15px;"] magistrix.de##a\[style="display:block; position: fixed; left:0; top:0; outline: 0; width:100%; height:100%"] handy-faq.de##a\[style="text-decoration:underline; color:red; font-size:18px;"] fragster.de##a\[style^="background: url(http://media.fragster.de/avw.php?zoneid="] -3dl.tv##a\[style^="display:"] + a\[href*=" "] -3dl.tv##a\[style^="display:"] + a\[href*="_"] g-stream.in##a\[target="_blank"] > img\[width="468"]\[height="60"] g-stream.in##a\[target="_blank"] > img\[width="720"]\[height="90"] t-online.de##a\[target="_blank"]\[href*=".sptopf.de/tshp/RE?ID="] @@ -101451,7 +105381,8 @@ rtl.de##a\[target="_blank"]\[href^="http://fashion24.vip.de/suche/"] gamestar.de##a\[target="_blank"]\[href^="http://goo.gl/"] > img t-online.de##a\[target="_blank"]\[href^="http://im.banner.t-online.de/?adlink"] > img apfeleimer.de##a\[target="_blank"]\[href^="http://j.mp/"] -hoerbuch.in,lesen.to##a\[target="_blank"]\[href^="http://megacache.net/free"] +prad.de##a\[target="_blank"]\[href^="http://links.prad.de/"] +lesen.to##a\[target="_blank"]\[href^="http://megacache.net/free"] gamereactor.de##a\[target="_blank"]\[href^="http://openx.gamereactor.dk/adclick.php?"] oyox.de##a\[target="_blank"]\[href^="http://partners.webmasterplan.com/click.asp?ref="] > img rtl-now.rtl.de##a\[target="_blank"]\[href^="http://rtl-now.rtl.de/tools/count/xdot/count.php?id="] @@ -101463,9 +105394,9 @@ prad.de##a\[target="_blank"]\[href^="http://www.mobilerproduktberater.de/"] sachsen-fernsehen.de##a\[target="_blank"]\[href^="http://www.sachsen-fernsehen.de/loadBanner.aspx?id="] schwaebische.de##a\[target="_blank"]\[href^="http://www.schwaebische.de/click.php?id="] lintorfer.eu##a\[target="_blank"]\[href^="https://bankingportal.sparkasse-hrv.de"] > img -boerse.bz##a\[target="_blank"]\[href^="https://hide.io/?"]\[href*="&utm_medium=banner&"] mov-world.net##a\[target="_blank"]\[href^="https://www.oboom.com/#"] schachbund.de##a\[target="_blank"]\[href^="system/modules/banner/public/conban_clicks.php?bid="] > img +ak-kurier.de##a\[target="_new"] > img\[src^="http://www.ak-kurier.de/akkurier/www/pic/"] ak-kurier.de##a\[target="_new"]\[href^="inc/inc_link.php?id="] rtl.de##a\[target="_self"]\[href="http://partnersuche.rtl.de/"] rtl.de##a\[target="_self"]\[href="http://rechtsberatung.rtl.de"] @@ -101479,13 +105410,7 @@ rtl.de##a\[target="_self"]\[href^="http://www.rtl.de/street-one/"] magistrix.de##a\[target="blank"]\[href*="/assets/"] magistrix.de##a\[target="blank"]\[href^="/"] > img\[src^="/"] magistrix.de##a\[target="blank"]\[href^="/deblock/"] -3dl.tv##a\[target="blank_"]\[style="display:none"] + a -3dl.tv##a\[title*="installiert"] -3dl.tv##a\[title*="lugin"] -3dl.tv##a\[title*="nachfolgend"] fc-hansa.de##a\[title="DKB-Familienblock"] -saugzone.info##a\[title="Usenet gratis"] -3dl.tv##a\[title]\[target="_blank"]\[rel="nofollow"]\[href^="/"] chip.de##a\[title^="Anzeige:"] schulzeux.de##article > .vi_a_79 maxwireless.de##aside a\[target="_blank"]\[onclick^="javascript:_gaq.push(\['_trackEvent','outbound-widget',"] @@ -101494,16 +105419,12 @@ trackfox.com,trackfox2.com##body eye-games.com##body > #header:first-child + #wrapper leave.to##body > #wrapper > header + aside leave.to##body > #wrapper > header + aside + #content:last-child -boerse.bz##body > #wrapper:first-child:last-child > header:first-child + aside -boerse.bz##body > #wrapper:first-child:last-child > header:first-child + aside + #content spieletipps.de##body > .jqmOverlay weihnachtsbaeckerei.com##body > .noprint\[style="position: absolute; left: 50%; margin-left: 355px; top: 123px;"] solinger-bote.de##body > .xWrap > .xWrapLeft solinger-bote.de##body > .xWrap > .xWrapLeft + .xWrapRight langes-forum.de##body > :nth-child(75) + .tablec\[align="center"]\[style="width:98%"] > tbody > tr > td\[width="100%"] > .tableb\[cellspacing="1"]\[cellpadding="4"]\[border="0"]\[style="width:100%"] tv-stream.to##body > :nth-child(9) + div\[id]\[style] -boerse.bz##body > :nth-child(n+12) + div\[class]\[style] -boerse.bz##body > :nth-child(n+12) + div\[id]\[style] areadvd.de##body > center elternforen.com##body > div\[align="center"] > table\[align="left"]\[cellspacing="0"]\[cellpadding="0"]\[style="width: 99%"] www.google.de##body > div\[align="left"]:first-child + style + table\[cellpadding="0"]\[width="100%"]\[style^="border: 1px solid "] @@ -101516,20 +105437,18 @@ astronews.com##body > table\[style="width: 750px"] ww3.cad.de##body > table\[width="100%"]\[border="0"]:first-child acer-userforum.de##body > table\[width="100%"]\[cellspacing="0"]\[cellpadding="0"]\[border="0"]:first-child > tbody:first-child:last-child > tr:first-child:last-child > td\[width="195px"]\[valign="top"]:first-child schoener-fernsehen.com##body\[allowfullscreen="true"]\[style="-moz-box-sizing: border-box; width: 100%; height: 100%; overflow: hidden;"] > iframe\[id]\[class]\[scrolling="auto"]\[frameborder="0"]\[allowtransparency="true"]\[src^="http://schoener-fernsehen.com/"] + \[id]\[class] -schoener-fernsehen.com##body\[msallowfullscreen="true"]\[webkitallowfullscreen="true"]\[mozallowfullscreen="true"]\[allowfullscreen="true"]\[data-twttr-rendered="true"]\[style="box-sizing: border-box; width: 100%; height: 100%; overflow: hidden;"]:last-child > div\[id]\[class] + iframe\[id]\[class]\[frameborder="0"]\[allowtransparency="true"]\[scrolling="auto"]\[src^="http://schoener-fernsehen.com/"] + div\[id]\[class] + iframe\[id]\[class]\[frameborder="0"]\[allowtransparency="true"]\[scrolling="auto"]\[src^="http://schoener-fernsehen.com/"] + div\[id]\[class] schoener-fernsehen.com##body\[msallowfullscreen="true"]\[webkitallowfullscreen="true"]\[mozallowfullscreen="true"]\[allowfullscreen="true"]\[data-twttr-rendered="true"]\[style] > iframe\[id]\[class]\[frameborder="0"]\[allowtransparency="true"]\[scrolling="auto"]\[src^="http://schoener-fernsehen.com/"] + div\[id]\[class] rtl.de##button\[onclick^="verivox_go("] rsd-store.com##button\[onclick^="visitPartner("] -filecrypt.cc##button\[onclick^="window.open('http://abc.filecrypt.cc"] g-stream.in##button\[onclick^="window.open('http://g-stream.in/mirror/"] g-stream.in##button\[onclick^="window.open('http://www.g-stream.in/mirror"] +filecrypt.cc##button\[onmouseup$="', this);"] hornoxe.com##center > a\[target="_blank"]\[href^="http://amzn.to/"] > img repage.de##center > br + table\[style="background-color:FFFFCC;border:1px solid;border-color:;table-layout:visible;width:468px;height:60px;padding-top:0px;padding-left:5px;padding-right:5px;padding-bottom:0px;"] englische-briefe.de##center > table\[width="574"]\[cellspacing="0"]\[cellpadding="0"]\[border="0"] wuerzburger-kickers.de##div > h3 + #ais_129_wrapper rundumkoeln.de##div\[align="center"] > #top\[name="top"]:first-child + table\[border="0"]:last-child torrent.byte.to##div\[align="center"] > .BUTTON\[type="SUBMIT"]\[onclick]\[value] -3dl.tv##div\[align="center"] > iframe\[id] + * + * + table\[style] handy-faq.de##div\[align="center"] > span\[style="text-decoration:none; color:red;font-size:18px;"]:first-child handy-faq.de##div\[align="center"] > span\[style="text-decoration:none; color:red;font-size:18px;"]:first-child + a flirttown.net##div\[align="center"]\[style="height:90px; z-index:99;"] @@ -101538,8 +105457,8 @@ dslteam.de##div\[align="center"]\[style="width: 850px; margin: 0px auto 15px aut onlinekosten.de##div\[align="left"]\[style="padding:0px 25px 0px 25px"] > div\[align="center"]\[style="margin: 10px 0px 20px 0px;"] dslr-forum.de##div\[align="left"]\[style="padding:0px 25px 0px 25px"] > div\[style="padding:0px 0px 6px 0px"] > .tborder\[cellspacing="1"]\[cellpadding="6"]\[border="0"]\[align="center"]\[width="100%"] forum.jswelt.de##div\[class="postbit"] -boerse.bz##div\[class]\[style^="display:"]\[style*="position:"]\[style*="top:"]\[style*="left:"]\[style*="width:"]\[style*="height:"]\[style*="z-index:"]\[style*="word-wrap:"]\[style*="box-shadow:"]\[style*="border-radius:"]\[style*="background-color:"] t-online.de##div\[class^="Tsshopst"] +technic3d.com##div\[class^="ad-"] oxygen-scene.com##div\[class^="adoxygen"] bild.de##div\[class^="adspecial"] erbrecht-ratgeber.de##div\[class^="b_336x280_"] @@ -101548,9 +105467,11 @@ movie-blog.org##div\[class^="post"] a\[href^="http://movie-blog.org/"] 1fcm.de,fc-magdeburg.de##div\[class^="reklame_"] bildderfrau.de,gofeminin.de##div\[class^="sas_FormatID_"] car.de##div\[class^="wrb-"] +chip.de##div\[data-adzone="contentad-afc-main"] +chip.de##div\[data-adzone="contentad-storyad-afc"] +giga.de##div\[data-click-url="http://www.giga.de/go/jimr"] amazon.de##div\[id$="_adcontent"] 0o2.de##div\[id$="spbox"] -boerse.bz##div\[id]\[class]\[style^="z-index:"]\[style*="background-color:"]\[style*="opacity:"]\[style*="height:"]\[style*="width:"]\[style*="display:"] vol.at##div\[id^="AdContainer_"] www.blick.ch##div\[id^="CT299"] t-online.de##div\[id^="T-"].Tmm.Tltb.Tts.Tmc1.Tww1.Thh3\[onfocus^="A('zid="] > .Ttsc.Ttsv169 @@ -101571,34 +105492,15 @@ gamers.de##div\[id^="click"] insidegames.ch##div\[id^="click"]\[onclick^="_gaq.push(\['_trackEvent',"] gamers.at##div\[id^="clickTagDIVElement_"] > a consol.at##div\[id^="clickTagDIVElement_"] > a\[target="_blank"] > img\[src="/clear.gif"] +prad.de##div\[id^="content-"] > a\[target="_blank"] > img bild.de##div\[id^="content_stoerer_"] -3dl.tv,mafia.to##div\[id^="cpa_rotator_"] -3dl.bz##div\[id^="cpa_rotator_block_"] +mafia.to##div\[id^="cpa_rotator_"] downloadstube.net##div\[id^="ddl_"] + div\[id] + a\[onclick] + br + a\[onclick] pnp.de##div\[id^="diganz"] abnehmen-forum.com##div\[id^="edit"] > .vbseo_like_postbit + table\[width="100%"]\[bgcolor="#FFFFFF"] -boerse.bz##div\[id^="edit"] > table\[id^="post"] + br + .tborder\[width="100%"]\[cellspacing="0"]\[cellpadding="6"]\[border="0"]\[align="center"] jswelt.de##div\[id^="edit"]:first-child:last-child > .spacer:last-child gamestar.de##div\[id^="idAd"] freitag.de##div\[id^="mf"] -boerse.bz##div\[id^="navbar_notice_"] > div\[style="text-align:center;width:770px;margin:auto;"] -boerse.bz##div\[id^="navbar_notice_"] a\[target="_blank"]\[href^="https://www.hide.io/"] -boerse.bz##div\[id^="navbar_notice_1016"] -boerse.bz##div\[id^="navbar_notice_11"] -boerse.bz##div\[id^="navbar_notice_12"] -boerse.bz##div\[id^="navbar_notice_13"] -boerse.bz##div\[id^="navbar_notice_14"] -boerse.bz##div\[id^="navbar_notice_15"] -boerse.bz##div\[id^="navbar_notice_16"] -boerse.bz##div\[id^="navbar_notice_17"] -boerse.bz##div\[id^="navbar_notice_18"] -boerse.bz##div\[id^="navbar_notice_19"] -boerse.bz##div\[id^="navbar_notice_2"] -boerse.bz##div\[id^="navbar_notice_3"] -boerse.bz##div\[id^="navbar_notice_6"] -boerse.bz##div\[id^="navbar_notice_7"] -boerse.bz##div\[id^="navbar_notice_8"] -boerse.bz##div\[id^="navbar_notice_9"] pcgames.de##div\[id^="plakatinhalttag_"] ruppiner-medien.de##div\[id^="promotion"] handballecke.de##div\[id^="promotionHeader"] @@ -101611,6 +105513,7 @@ ebay.de##div\[id^="rtm_html_"]\[style="width: 300px; height: 265px; overflow: hi ebay.de##div\[id^="rtm_html_"]\[style="width: 640px; height: 495px; overflow: hidden; display: block;"] ebay.de##div\[id^="rtm_html_"]\[style="width: 728px; height: 105px; text-align: left; display: block;"] ebay.de##div\[id^="rtm_html_"]\[style="width: 970px; height: 90px; overflow: hidden; display: block;"] +formel1.de,motorsport-total.com##div\[id^="sas_"] unser-star-fuer-baku.tv##div\[id^="sponsor_overlay_"] oberpfalznetz.de##div\[id^="teaser_spbanner_"] t-online.de##div\[id^="tsc_google_adsense_1"] @@ -101618,14 +105521,12 @@ ragecomic.com##div\[id^="vecoll"] ragecomic.com##div\[id^="vertcol"] welt.de##div\[id^="w_articlecoop_"] schnelle-online.info##div\[onclick*="'familienurlaub'"] -androidnext.de##div\[onclick^="_gaq.push(\['_trackEvent', 'Sidebar', 'Amazon App Store',"] gamestar.de##div\[onclick^="location.href='http://www.gamestar.de/_misc/linkforward/linkforward.cfm?linkid="] suchen.de##div\[onclick^="sl(PID.PpcClick);window.open('http://www.suchen.de/ad?"] rtl-now.rtl.de,voxnow.de##div\[onclick^="window.open('/tools/count/xdot/count.php?id="] scifi-forum.de##div\[onclick^="window.open('http://ads.jinkads.com/click.php"] myfreefarm.de##div\[onclick^="window.open('http://media.gan-online.com/www/delivery/ck.php?"] gameswelt.at,gameswelt.ch,gameswelt.de##div\[onclick^="window.open('http://www.amazon.de/"] -boerse.bz##div\[onclick^="window.open('http://www.boerse.bz/go/?register=new&m=guest'"] 5-sms.com##div\[onclick^="window.open('http://www.maxxfone.de/"] suchen.de##div\[onclick^="window.open('http://www.suchen.de/ad?"] wetter.info##div\[onfocus*=";mp=gelbeseiten;"] @@ -101679,6 +105580,9 @@ pcgameshardware.de##div\[style="clear:both; margin:5px 0px 0px 0px; border: 1px e-recht24.de##div\[style="clear:both;height:300px;min-width:760px;"]:last-child titanic-magazin.de##div\[style="clear:left; font-family: Verdana,Tahoma,Geneva,Verdana,sans-serif; font-size:11px;width:285px;"] ibash.de##div\[style="clear:left; font-family: Verdana,Tahoma,Geneva,Verdana,sans-serif; font-size:11px;width:380px;"] +formel1.de##div\[style="cursor: pointer; height: 90px; width: 940px; text-align: center; margin-left: 10px;"] +formel1.de##div\[style="cursor: pointer; width: 160px; height: 600px; position: absolute; left: 960px; margin-top: 10px;"] +formel1.de##div\[style="cursor: pointer; width: 300px; height: 250px; text-align: center;"] satempfang-magazin.de##div\[style="display: block; position: absolute; overflow: hidden; z-index: 1001; outline: 0px none; height: auto; width: 800px; top: 216px; left: 551.5px;"] suedtirolnews.it##div\[style="display: table; position: static;background: none repeat scroll 0px 0px rgb(252, 252, 251); border: 1px solid rgb(239, 238, 236); padding:5px; float: right; width: 418px; text-align: center; margin: 0px 10px 10px 0px; height:356px;"] magistrix.de##div\[style="display:inline-block; width:728px; height:90px"] @@ -101747,6 +105651,7 @@ rclineforum.de##div\[style="position: absolute; right:0px; top:0px; background-i jobboerse.de##div\[style="position: absolute; top: 130; left: 800; border: 1px solid black; background-color: white; padding: 0; width: 120; height: 600;"] wettforum.info##div\[style="position: absolute; width: 300px; height: 250px; right: 5px; top: 1px; text-align: left;"] wettforum.info##div\[style="position: fixed; width: 748px; height: 93px; left: 200px; top: 0px; text-align: left; z-index: 2; background-image: url(http://www.wettforum.info/styles/frame.png); background-position: center; background-repeat: no-repeat;"] +netzwelt.de##div\[style="position: relative; top: 60px; right: -173px; font-size: 11px; text-align: right; color: #444;"] hitradio.com.na##div\[style="position: relative; z-index: 1; width: 240px; height: 220px;"] kochbar.de##div\[style="position: relative;margin: 0;padding: 0;border: 0;width: 300px;height: 238px;background-color:#FFF;"] astronews.com##div\[style="position:absolute; top:115px; left:925px; width:300px"] @@ -101840,9 +105745,10 @@ serienjunkies.org##form\[action="http://mirror.serienjunkies.org"] t-online.de##form\[action="http://stromvergleich.t-online.de/strom.php"] xxx-blog.to##form\[action="http://xxx-blog.to/mirror.php?download=highspeed"] rtl.de##form\[action^="http://altfarm.mediaplex.com/"] +hoerbuch.us##form\[action^="http://www.FriendlyDuck.com/AF_"] > #mirror ddl-search.biz##form\[action^="http://www.affaire.com/"] serienjunkies.org,wiiu-reloaded.com##form\[action^="http://www.firstload.com/affiliate/"] -ddl-porn.us,hoerbuch.in,lesen.to,private-blog.org##form\[action^="http://www.firstload.de/affiliate/"] +lesen.to,private-blog.org##form\[action^="http://www.firstload.de/affiliate/"] braunschweiger-zeitung.de##form\[action^="http://www.flirt38.de/"] private-blog.org##form\[action^="http://www.friendlyduck.com/AF_"] n-tv.de##form\[action^="http://www.n-tv.de/ratgeber/vergleichsrechner/"] @@ -101866,13 +105772,11 @@ heise.de##heisetext > .img\[width="100%"] anime-loads.org##iframe\[allowtransparency="true"]\[src^="http://www.anime-loads.org/"] spiegelfechter.com##iframe\[height="600"]\[width="160"] schoener-fernsehen.com##iframe\[id]\[class]\[scrolling="auto"]\[frameborder="0"]\[allowtransparency="true"]\[src^="http://schoener-fernsehen.com/"] + iframe\[id]\[class]\[scrolling="auto"]\[frameborder="0"]\[allowtransparency="true"]\[src^="http://schoener-fernsehen.com/"] + div\[id]\[class] -3dl.tv##iframe\[id]\[style] + * + * + table\[class] computerbild.de##iframe\[id^="adSlot_"] anime-loads.org##iframe\[scrolling="auto"]\[frameborder="0"]\[style="width:100%; height:100%"] spiegelfechter.com##iframe\[src="http://spiegelfechter.com/wordpress/gads.html"] reitforum.de##iframe\[width="160"]\[height="610"] reitforum.de##iframe\[width="728"]\[height="100"] -filecrypt.cc##iframe\[width="728"]\[height="90"] t-online.de##img\[alt*="Mary & Paul"] t-online.de##img\[alt*="Rabatt"] t-online.de##img\[alt="Bequeme Slipper & Mokassins von hoher Qualität bei Vamos"] @@ -101889,9 +105793,12 @@ hallespektrum.de##img\[alt^="Werbung"] playporn.to##img\[height="110"]\[width="720"] raidrush.ws##img\[height="250"]\[width="300"] t-online.de##img\[height="365"]\[width="178"]\[style="margin-left:-10px;margin-bottom:10px"] -hoerbuch.in,lesen.to,liplop.de,teen-blog.us##img\[height="60"]\[width="468"] +lesen.to,liplop.de,teen-blog.us##img\[height="60"]\[width="468"] blogtotal.de##img\[height="600"]\[width="120"] arthouse.ch##img\[height="72"]\[alt="banner"] +schoener-fernsehen.com##img\[id$="closer"] + h2 +schoener-fernsehen.com##img\[id$="icon"] +schoener-fernsehen.com##img\[id$="icon"] + p ak-kurier.de,nr-kurier.de,ww-kurier.de##img\[name="banner"] seatforum.de##img\[src="http://www.seatforum.de/forum/images/anzeige.gif"] + a\[target="_blank"] > img tsv1860ro-fussball.de##img\[style="left: 0px; top: 1100px; width: 400px; height: 200px;"] @@ -101905,6 +105812,7 @@ quadclub-harz.de##img\[width="1"]\[height="120"] + table\[width="100%"]\[cellspa suedtirolnews.it##img\[width="120"]\[height="125"] topmodels.de,xxx-blog.to##img\[width="120"]\[height="600"] e-bol.net##img\[width="121"]\[height="601"] +usa-kulinarisch.de##img\[width="125"]\[height="125"] t-online.de##img\[width="145"]\[height="225"] iphoneblog.de##img\[width="150"]\[height="125"] gamefront.de##img\[width="150"]\[height="350"] @@ -101942,7 +105850,6 @@ t-online.de##img\[width="797"]\[usemap^="#immap"] t-online.de##img\[width="920"]\[usemap^="#imgmap"] t-online.de##img\[width="920"]\[usemap^="#immap"] prad.de##img\[width="940"]\[height="174"] -atomload.at##input\[onclick^="http://www.FriendlyDuck.com/AF_"] ddl-music.org,ddl-warez.in,pornlounge.org##input\[onclick^="javascript:window.open('http://www.FriendlyDuck.com/AF_"] file-lounge.com##input\[onclick^="location.href='http://tiny.cc/"] file-lounge.com##input\[onclick^="location.href='http://ul.to/ref/"] @@ -101952,7 +105859,7 @@ ebook-hell.to##input\[onclick^="location='http://"] byte.to##input\[onclick^="location='http://3wl.li/"] byte.to##input\[onclick^="location='http://6f.ro/"] byte.to##input\[onclick^="location='http://bit.ly/"] -byte.to,saugzone.info##input\[onclick^="location='http://goo.gl/"] +byte.to##input\[onclick^="location='http://goo.gl/"] byte.to##input\[onclick^="location='http://www.FriendlyDuck.com/AF_"] byte.to##input\[onclick^="location='http://www.firstload.com/?uniq="] byte.to##input\[onclick^="parent.location.href='/toplist/"] @@ -101960,36 +105867,33 @@ byte.to##input\[onclick^="parent.location.href='http://"] byte.to##input\[onclick^="parent.location='"] ebook-hell.to##input\[onclick^="parent.location='http://"] wiiu-reloaded.com##input\[onclick^="window.location='http://www.firstload.com/affiliate/"] -atomload.at##input\[onclick^="window.open('/adblock.php"] byte.to##input\[onclick^="window.open('http://bit.ly/"] fettrap.com##input\[onclick^="window.open('http://fettrap.com/highspeed/"] -atomload.at,saugzone.info##input\[onclick^="window.open('http://goo.gl/"] porn-traffic.net##input\[onclick^="window.open('http://porn-traffic.net/mirror.php"] -byte.to,saugzone.info##input\[onclick^="window.open('http://tinyurl.com/"] +byte.to##input\[onclick^="window.open('http://tinyurl.com/"] byte.to##input\[onclick^="window.open('http://torrent.byte.to/first/"] -atomload.at##input\[onclick^="window.open('http://ul.to/ref/"] byte.to##input\[onclick^="window.open('http://www.byte.to/first/"] byte.to##input\[onclick^="window.open('http://www.byte.to/firstload/"] byte.to##input\[onclick^="window.open('http://www.firstload.com/affiliate/"] -atomload.at##input\[onclick^="window.open('http://www.gigaflat.com/affiliate/"] -saugzone.info##input\[onclick^="window.open('http://www2.filedroid.net/AF_"] byte.to##input\[type="BUTTON"]\[onclick^="location='http://"]\[value] sceneload.to##input\[value="Fullspeed Mirror"] ddlporn.org##input\[value="Highspeed Mirror"] stealth.to##input\[value="Mirror"] warez-load.com##input\[value="Schneller Downloaden!"] -ddl-porn.us##input\[value="Zu den Highspeed Downloads"] tagesanzeiger.ch##li\[id^="msgId_"] > .rightCol > p > a\[target="_blank"] > img goldesel.to##li\[url^="bit.ly/"] goldesel.to##li\[url^="http://bit.ly/"] +goldesel.to##li\[url^="http://dereferer.org/?http%3A%2F%2Fbit.ly"] goldesel.to##li\[url^="http://goo.gl/"] playnation.de##noscript + script + script + #al teltarif.de##p + .tetable + .tetable\[width="100%"]\[cellspacing="0"]\[cellpadding="0"]\[border="0"]\[bgcolor="#E3D470"] prad.de##p > a > img\[width="614"]\[height="249"] englische-briefe.de##p > table\[width="769"]\[cellpadding="4"] +schoener-fernsehen.com##p\[id$="link"] byte.to##p\[style="color: #FFFFFF;"] > a > big titanic-magazin.de##p\[style="font-size: 7pt; color: grey; text-align: left; margin: 0; padding: 0;"] titanic-magazin.de##p\[style="font-size: 7pt; color: grey; text-align: left; margin: 0; padding: 0;"] + .teaser_row\[style="height: 181px;"] +prad.de##p\[style="margin-top: 0px; margin-bottom: 0px; margin-right: auto; margin-left: auto; text-align: center;"] lateinwiki.org##p\[style="width:100%;border:solid 1px #00ff00;background-color:#98FB98;text-align:left;font-size:12px;color:#000000;"] kfz-steuer.de##p\[style="width:575px; height:85px; background: #F6F6F6"] doku.me##script + table\[width="700"]\[height="600"] @@ -101997,13 +105901,13 @@ tv-stream.to##script\[src^="/"] + div > div\[id]\[style] g-stream.in##script\[type="text/javascript"] + div\[class] + script\[type="text/javascript"] + * g-stream.in##script\[type="text/javascript"] + div\[class] + script\[type="text/javascript"] + * + * schwartau-handball.de##span\[style="font-size: 14px; color: #000000; background-color: #ccffcc;"] +finanznachrichten.de##span\[title="BOTSWANA METALS Aktie jetzt ab 2,99 Euro handeln! (LYNX)"] schwartau-handball.de##table\[align="left"]\[style="border: 0px solid #87ceeb; height: 300px; width: 300px;"] spielefilmetechnik.de##table\[background="/_cinc/img/download.gif"] spielefilmetechnik.de##table\[background="/_cinc/img/flatrate.gif"] pcgameshardware.de##table\[background^="/common/gfx/metaboli/"] widescreen-online.de##table\[bgcolor="#FFC990"]\[align="center"]\[width="158"]\[style="border:1px solid #D25802;"] adhs-zentrum.de##table\[bgcolor="#FFCC00"] -hoerbuch.in##table\[cellpadding="0"]\[bgcolor="#FFFFFF"]\[style="width: 699px;"] > tbody > tr > td > center:first-child > a\[target="_blank"] > img lesen.to##table\[cellpadding="0"]\[bgcolor="#FFFFFF"]\[style="width: 750px;"] > tbody > tr > td > center:first-child > a\[target="_blank"] > img ksta.de##table\[cellspacing="0"]\[cellpadding="0"]\[border="0"]\[style="background-color: #76003d; width: 300px; height: 100px;"] cine24.tv##table\[cellspacing="0"]\[cellpadding="0"]\[border="0"]\[width] > tbody > tr > td\[style^="text-align:center"] @@ -102072,6 +105976,7 @@ gamefront.de##table\[width="950"]\[bgcolor]\[align="center"] gamefront.de##table\[width="950"]\[cellspacing="1"]\[cellpadding="0"]\[border="0"]\[bgcolor="#ffffff"]\[align="left"] dforum.net##table\[width="983"]\[cellspacing="5"]\[style="border:1px solid #505A53;border-top:none;background:#ADB088;"] cine24.tv##tbody > tr > td\[style=" width:140px; padding:1px; vertical-align:top; "]:first-child +filecrypt.cc##td > \[onmousedown$="', this);"] baden-online.de##td > div\[align="right"]\[style="width:330; float:left; padding-right:10px;"] chat4free.de,erotikchat4free.de,freechat.de##td > font\[style="font-size:9;"] loadsieben.org##td\[align="CENTER"]\[width="644"] > p:first-child + center @@ -102082,6 +105987,7 @@ heise.de##td\[align="left"]\[valign="top"]\[rowspan="5"] ak-kurier.de,ww-kurier.de##td\[background="images/abstand1.gif"]\[width="1"] + td\[width="180"]\[valign="top"]:last-child ixquick.de##td\[bgcolor="#f7f9ff"] englische-briefe.de##td\[colspan="3"] > table\[width="769"]\[cellpadding="4"] +filecrypt.cc##td\[colspan="4"] > \[onclick$="', this);"] dxtv.de,dxtv.eu,satbook.de##td\[height="100%"]\[width="60%"]\[bgcolor="#FFFFFF"]\[align="right"] marcus-klein.de##td\[height="148"] > table\[width="800"]\[border="0"]\[align="center"]\[cellspacing="0"]\[cellpadding="0"] weltuntergang-2012.de##td\[height="160"]\[width="297"]\[valign="top"]:first-child + td\[width="263"]:last-child @@ -102100,7 +106006,6 @@ nr-kurier.de##td\[valign="top"]:first-child + td\[width="1"]\[background="images sk-austriakaernten.at##td\[valign="top"]\[height="38"]\[bgcolor="#231f20"]\[align="center"]:first-child:last-child > table\[width="100%"]\[cellspacing="0"]\[cellpadding="0"]\[border="0"]:first-child:last-child plz-postleitzahl.de##td\[valign="top"]\[style="padding-left: 15px;"] > table\[width="250"]\[cellspacing="0"]\[cellpadding="0"]:first-child ultras.ws##td\[valign="top"]\[style="width: 85%"]:last-child > br:first-child + center > h2:first-child -ak-kurier.de##td\[width="100%"]\[align="center"] > a\[target="_new"] > img\[src^="http://www.ak-kurier.de/akkurier/www/pic/"] ak-kurier.de,nr-kurier.de,ww-kurier.de##td\[width="100%"]\[align="center"] > a\[target="_new"] > img\[src^="http://www.ak-kurier.de/akkurier/www/upload/"] astrotreff.de##td\[width="100%"]\[align="center"] > hr\[size="1"]\[color="#8482A5"] + table\[cellspacing="0"]\[cellpadding="10"]\[border="0"]\[bgcolor="#000040"] kidsweb.de##td\[width="115"]\[valign="top"]\[bgcolor="#FFFFCC"]:last-child > div\[align="left"] > div\[align="center"] @@ -102119,7 +106024,6 @@ feiertage.net##td\[width="25%"]\[valign="top"] > table\[width="271"]\[cellspacin tvmatrix.at,tvmatrix.de,tvmatrix.eu,tvmatrix.net##td\[width="300"]\[height="250"] teltarif.de##td\[width="300"]\[valign="top"] > .tetable + .tetable\[width="100%"]\[cellspacing="0"]\[cellpadding="0"]\[border="0"]\[bgcolor="#E3D470"] astrotreff.de##td\[width="33%"]\[valign="middle"]\[align="center"] > a\[target="_blank"]\[href^="/links/wechlink.asp?ID="] > img -ak-kurier.de##td\[width="55%"]\[align="center"] > a\[target="_new"] > img\[src^="http://www.ak-kurier.de/akkurier/www/pic/"] leo.de##td\[width="55%"]\[valign="middle"]\[style="background-color:#ffffee;text-align:center;"] tvmatrix.at,tvmatrix.de,tvmatrix.eu,tvmatrix.net##td\[width="728"]\[height="90"] land-der-traeume.de##td\[width="730"] + td\[align="center"] @@ -102169,36 +106073,34 @@ vibe.cd##tr\[height="180px"]:first-child + tr:last-child > td\[style="background gmd-music.com##tr\[onclick^="window.open(\"http://gmd-music.com/mirror/"] ddl-warez.in##tr\[style="background:#D0F5A9"] radforum.de##ul\[class^="ebayitems"] -androidnext.de##ul\[style="list-style-image: url(http://dl.androidnext.de/flame.png);"] r-b-a.de##ul\[style="padding: 0px; margin: 0px; border: 0px none;"] ! Anti-Adblock -kabeleins.de,prosieben.de,prosiebenmaxx.de,sat1.de,sixx.de,the-voice-of-germany.de###ad-fullbanner-outer + div:not(\[id]) -www.prosieben.de,www.sat1.de,www.sixx.de,www.the-voice-of-germany.de###ad-fullbanner-outer + div\[class]\[id] > div + img -wetter.com###ad-skyscraper1 + * + \[class] -focus.de###article div\[align="center"] + \[class] -wetter.com###content div\[align="center"] + \[class] -www.prosieben.de,www.sat1.de,www.sixx.de,www.the-voice-of-germany.de###main > div:nth-child(1) -stern.de###page > div\[align="center"] + \[class] -focus.de###page-container > div\[class] > div\[align="center"] + \[class] -focus.de###sidebar > div\[align="center"] + \[class] -stern.de##.ad_div_banner + * -gala.de##.container div\[align="center"] + \[class] -stern.de##.gridColRight > div\[align="center"] + \[class] -stern.de##.gridTeaserRow1 > div\[align="center"] + \[class] -kabeleins.de,prosieben.de,prosiebenmaxx.de,sat1.de,sixx.de,the-voice-of-germany.de##.grid_300 ~ div:not(\[id]) -gala.de##.header + div\[align="center"] + \[class] -auto-motor-und-sport.de##.header_topbar + \[class] > \[class] > \[class] -kabeleins.de,sat1.de##.simad + \[class] + \[class] -prosieben.de,prosiebenmaxx.de,sat1.de,sixx.de,the-voice-of-germany.de##.simad + div:not(\[id]) -www.auto-motor-und-sport.de##.wrapper > div\[class] > div\[class] > :not(div)\[class]\[id] -gamestar.de##a\[style="display:block;width:160px;height:600px;padding:0;margin:0;text-decoration:none;"] -shoplenaro.com##body > #hoch > form\[method="post"]\[action="http://shoplenaro.com/go"] -shoplenaro.com##body > #quer > form\[target="_blank"]\[method="post"]\[action="http://shoplenaro.com/go"] -www.focus.de,www.gala.de,www.wetter.com##div > div\[align="center"] + div + :not(div)\[class]\[id] -www.stern.de##div > div\[align="center"] + div + div\[class]\[id] -www.wetter.com##div#ad-skyscraper1-outer > :nth-child(1):not(div)\[class]\[id] -www.stern.de##div\[class]\[id] > div + img -focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] +pcwelt.de##aside#sidebar > :not(.box) +pcwelt.de##aside#sidebar > :not(div) +prosieben.de##body > div:not(#container):not(#fb-root) +stern.de##div#MenuEvent > div:not(#main_navigation):not(#top_navigation):not(#top_navigation2) +prosieben.de##div#aside-zone > div:not(\[id^="container_aside_"]) +prosieben.de##div#container > div:not(#main):not(#site_footer) +focus.de##div#footerv2-head > div:not(.frame) +gamestar.de##div#header ~ div:not(#lbSpacer):not(.centeredDiv):not(#foot):not(#footBtm) +prosieben.de##div#left-zone > div:not(#mobile_rectangle):not(.grid_620):not(\[id^="container_left_"]) +pcwelt.de##div#main > :not(#outer) +stern.de##div#main > div:not(#mainResidue):not(#mainTopteaser):not(#primary):not(#secondary):not(#videoCenter):not(#wrapper):not(.boxArchiveHeadline):not(.boxArchiveRow1):not(.contentXL):not(.gridColLeft):not(.gridColRight):not(.gridContentArticle):not(.gridContentRubric) +prosieben.de##div#main > div:not(#top-zone):not(#left-zone):not(#aside-zone):not(#bottom-zone) +stern.de##div#page > div:not(#MenuEvent):not(#main):not(#main-wrapper):not(#footer) +focus.de##div#page-container > div:not(#main):not(#mediaBar):not(#ressortTeaser):not(#footerTicker) +focus.de##div#page-container ~ div:not(#footerv2-head):not(#footerv2-frame) +focus.de##div#sidebar > div:not(.block) +pcwelt.de##div#wrapper > div:not(.w1) +focus.de##div.articleContent > div:not(.center):not(.clearfix):not(.leadIn):not(.mediaBlock):not(.navigation):not(.textBlock) +gamestar.de##div.columnTeaser > div:not(.teaserRight) +pcwelt.de##div.comments-block ~ * +stern.de##div.moduleM ~ div:not(.moduleM) +gamestar.de##div.navi > div:not(.home):not(.main):not(\[style="clear:both;"]) +focus.de##div.tft_ads +stern.de##div\[id^="snippet_politik_col1_"] ~ div +pcwelt.de##header#header ~ :not(#footer):not(#main):not(.vbcontent) +prosieben.de##header#site_header > :not(#main_nav) !------------------Ausnahmeregeln zum Beheben von Problemen-------------------! ! *** easylistgermany:easylistgermany/easylistgermany_whitelist.txt *** @@/adverts.js$domain=tape.tv @@ -102218,11 +106120,9 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] @@||ad-emea.doubleclick.net/ad/tonline.app.smartclip/$object-subrequest,domain=iam.t-online.de @@||ad-emea.doubleclick.net/crossdomain.xml$domain=iam.t-online.de @@||ad-tuning.de^*/ad-tuning-footer.png -@@||ad.71i.de/global_js/globalv6.js$domain=autoplenum.de|brokencomedy.de|bundesliga.de|gamepro.de|gamestar.de|myvideo.de|n24.de|prosieben.de|sport1.fm -@@||ad.71i.de/global_js/Sites/gameprode.js$domain=gamepro.de -@@||ad.71i.de/global_js/sites/n24de.js$domain=n24.de -@@||ad.71i.de/global_js/sites/pro7de.js$domain=brokencomedy.de -@@||ad.71i.de/global_js/Sites/sport1fm.js$domain=sport1.fm +@@||ad.71i.de/global_js/globalv6.js$domain=autoplenum.de|bundesliga.de|gamepro.de|gamestar.de|myvideo.de|n24.de|netzwelt.de|prosieben.de|sport1.fm +@@||ad.71i.de/global_js/Sites/$script,domain=gamepro.de|n24.de|netzwelt.de|sport1.fm +@@||ad.71i.de/images/fallback/video/1_sek.mp4$domain=netzwelt.de @@||ad.adworx.at/crossdomain.xml$object-subrequest @@||ad.amgdgt.com/ads/?$subdocument,domain=payback.de @@||ad.netzquadrat.de/viewbanner.php3?bannerid=$image,domain=sms.de @@ -102231,9 +106131,10 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] @@||adap.tv/redir/client/swfloader.swf?id=swfloader$object,domain=lycos.de @@||adback.de^$~third-party @@||adcell.de/click.php?bid=$subdocument,domain=gutscheindoktor.de|mein-rabatt.com -@@||adcounter.darmstaedter-echo.de^$~third-party +@@||adclient.uimserv.net/banner?$script,domain=millionenklick.web.de @@||adfarm1.adition.com/banner?sid=$script,domain=jam.fm @@||adfarm1.adition.com/js?wp_id=$script,domain=jam.fm +@@||adimg.uimserv.net^$image,domain=millionenklick.web.de @@||adindex.de^*^gutschein_$subdocument,domain=gutscheindoktor.de @@||adition.com/banners/$image,domain=dsl.freenet.de @@||adition.com/banners/$image,object,domain=payback.de @@ -102333,6 +106234,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] @@||commundia.de^*/affilinet/$~third-party @@||cookex.amp.yahoo.com/v2/cexposer/SIG=*//ad.yieldmanager.com/imp?$script,domain=girlsgogames.de|jetztspielen.de @@||coolespiele.com/game.php?url=http://richmedia.coolespiele.com/$subdocument +@@||d3con.de/data1/$image,~third-party @@||dawanda.com/ads?$xmlhttprequest @@||de.ebayobjects.com/1ai/mobile.homepage/superteaser;$subdocument,domain=mobile.de @@||dein-werbebanner.de^$~third-party @@ -102378,6 +106280,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] @@||feuerwehr-marchtrenk.at/homepage/banner.php$subdocument @@||fewo-direkt.de^*/advertiser.css @@||fh-muenster.de/leitbild/banner.php +@@||filecrypt.cc/index.php?Action=Go&id=$subdocument,domain=filecrypt.cc @@||fn-neon.de/javascript/adserver_banner.js @@||forum-duewupp.de/images/ad-gallery/$~third-party @@||forum.froxlor.org^*/adsense.css @@ -102385,7 +106288,8 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] @@||fotostudio-katikrueger.de/werbung/$~third-party @@||fussball.sv-kehlen.de/werbepartner.htm @@||g-stream.in/lla2/smoothscroll.js -@@||g.doubleclick.net/gampad/ads?$script,domain=cnet.de|hardwareluxx.de|hbf-info.de|rakuten.at|rakuten.de +@@||g.doubleclick.net/gampad/ads?$script,domain=cnet.de|guterhut.de|hardwareluxx.de|hbf-info.de|rakuten.at|rakuten.de +@@||galileo.tv/js/my_ad_integration.js @@||gamepro.de/js/gamepro/my_ad_integration.js @@||gamers.at/images/branding/*/gamers_at.jpg @@||gamers.at/images/branding/*/header. @@ -102408,6 +106312,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] @@||google.com/uds/api/ads/*/search.in.js$domain=marktplatz.nordclick.de @@||google.de/ads/css/ads-base.$stylesheet @@||google.de/search?q=$xmlhttprequest +@@||googlesyndication.com/simgad/14155692645477451130$image,domain=guterhut.de @@||googlewatchblog.de^*/adsense.png @@||gotv.at/adimg/$image,~third-party @@||greuther-fuerth.de/fileadmin/templates/js/plugins/pagepeel/$object,object-subrequest,script @@ -102434,6 +106339,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] @@||kurier.at^*/ac_oetags_clone.js @@||kyosho.de^*_produktkategorien.swf?link1=$object @@||landwirt.com/commercials/$object-subrequest +@@||lead-alliance.net^*/advertiser/$~third-party @@||lemmi-lebensmittel.de/werbung/$~third-party @@||liberale-hochschulgruppen.de/images/stories/werbemittel/$~third-party @@||liverail.com/js/LiveRail.AdManager-*.js$domain=jam.fm @@ -102442,6 +106348,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] @@||liverail.com^*/liverail_preroll.swf$object,domain=jam.fm|paradiso.de @@||lovefilm.de/ajax/widgets/advertising/competitions_data.html?$xmlhttprequest @@||magenschmerzen.net/wp-content/themes/zeemagazine_adtech/$~third-party +@@||maps.gstatic.com/maps-api-*/adsense.js$domain=wg-gesucht.de @@||markt.de^*/advert_search_results.gif @@||marktplatzservice.de/ads/$image,domain=local24.de @@||master.captchaad.com/www/delivery/$script,domain=winload.de @@ -102474,7 +106381,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] @@||nuggad.net/bk?nuggn=$object-subrequest,domain=clipfish.de|edge.download.newmedia.nacamar.net @@||nuggad.net/bk?nuggn=$script,domain=podcast.de @@||nuggad.net/crossdomain.xml$object-subrequest,domain=gameone.de -@@||nuggad.net/rc?nuggn=$script,domain=areagames.de|brokencomedy.de|dshini.net|frustfrei-lernen.de|juice.de|n-tv.de|schwaebische.de|sky.de|studis-online.de|teleboerse.de|vox.de +@@||nuggad.net/rc?nuggn=$script,domain=areagames.de|dshini.net|frustfrei-lernen.de|juice.de|n-tv.de|news.de|schwaebische.de|sky.de|studis-online.de|teleboerse.de|vox.de @@||oeko-komp.de/evoAds2/ @@||openx.musotalk.de/crossdomain.xml @@||openx.musotalk.de/www/delivery/fc.php?script=bannertypehtml:vastinlinebannertypehtml:vastinlinehtml&$object-subrequest @@ -102487,13 +106394,14 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] @@||pagead2.googlesyndication.com/pagead/show_ads.js$domain=jetztspielen.de|spielen.com @@||pagead2.googlesyndication.com/simgad/$image,domain=rakuten.at|rakuten.de @@||partner.googleadservices.com/gampad/google_ads_gpt.js$domain=cnet.de -@@||partner.googleadservices.com/gpt/pubads_impl_$script,domain=hardwareluxx.de|hbf-info.de|rakuten.at|rakuten.de +@@||partner.googleadservices.com/gpt/pubads_impl_$script,domain=guterhut.de|hardwareluxx.de|hbf-info.de|rakuten.at|rakuten.de @@||partners.webmasterplan.com/click*.asp$subdocument,domain=eule.de|gutscheindoktor.de @@||peitsche.de/adserver/www/delivery/ck.php?$subdocument,~third-party @@||peitsche.de/adserver/www/images/*.jpg|$~third-party @@||photo.knuddels.de/kde/ad2/$image @@||pixel.adsafeprotected.com/jspix?$script,domain=girlsgogames.de|jetztspielen.de|spielen.com @@||playboy.de/files/html/Advertorials/$~third-party +@@||player.newsnetz.tv/player/iframe.php?vid=*&adurl=$subdocument @@||pleasure.gamersplus.de/www/delivery/ajs.php?campaignid=$script,domain=gamers.at|gamersplus.de @@||promo.douglas.de^$subdocument,domain=facebook.com @@||prosieben.de^*/ad-managment/$script @@ -102514,6 +106422,8 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] @@||rubiconproject.com/partner/scripts/rubicon/dorothy.js?$domain=kleinanzeigen.ebay.de @@||rurweb.de/kleinanzeigen/adverts_image.php?$image @@||sagrotan.de/swf/*.swf?clickTag=$object,~third-party +@@||sascdn.com/diff/video/$script,domain=kleinezeitung.at +@@||sascdn.com/video/$script,domain=kleinezeitung.at @@||saugking.net/css/ads.css @@||save.tv/stv/img/global/trailer20sec.swf? @@||schluetersche.de/adwords/$~third-party @@ -102530,6 +106440,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] @@||smart.allocine.fr/a/diff/*/show*.asp?$object-subrequest,domain=ufa-dresden.de @@||smart.allocine.fr/call/pubx/*&video=$object-subrequest @@||smartadserver.com/a/diff/*/show*.asp?$script,domain=edge.download.newmedia.nacamar.net|freestream.nmdn.net +@@||smartadserver.com/call/pubi/*/(bild/*/?format=.mp4$media,domain=bild.de @@||smartadserver.com/call/pubj/*/s/$script,domain=edge.download.newmedia.nacamar.net|freestream.nmdn.net @@||smartadserver.com/diff/*/show*.asp?$script,domain=edge.download.newmedia.nacamar.net|freestream.nmdn.net @@||smartadserver.com/diff/*/smartad.js$domain=sky.de @@ -102542,6 +106453,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] @@||smartredirect.de/redir/clickGate.php?u=$subdocument,domain=gutscheindoktor.de @@||softwareload.kpcustomer.de/voting/public/flash/300x250_widget_$object @@||sparfoto.de/article_designer/ad.php?$object +@@||spielen.de/bundles/mediatrustfrontend/js/javascript.js? @@||spielkarussell.de^*/ads_loader_new.js @@||sport.de/autoimg/*/300x250/$image,~third-party @@||sport1.fm/ad/my_ad_iframe.html?ad_id=performance*&start=$subdocument @@ -102556,6 +106468,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] @@||static.freenet.de/adserver/introductio.js$domain=vid.buffed.de|videos.gamesaktuell.de|videos.pcgames.de|videos.videogameszone.de @@||static.liverail.com/libas3/$object-subrequest,domain=autoplenum.de @@||storm-chasing.de^*/ad-gallery/$image,~third-party +@@||styria-digital.com/diff/js/smartads.js$domain=kleinezeitung.at @@||talentiert.at^*/index_ads.php?$subdocument,third-party @@||tape.tv/tape2fs/images/campaign/teaser-redaktion.swf? @@||teaser.neckermann.de/addyn/3.0/*/adtech;loc=100;target=_blank;grp=*;misc=$script,domain=neckermann.de @@ -102610,28 +106523,20 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] ! Anti-Adblock @@.com^*.js$script,domain=ul-load.com|uploaded-premium.ru @@.gif#$domain=java-forum.org|loads7.com|schweizer-abgeltungssteuer.ch|startup-connection.de -@@.jpg#$domain=brasilienfreunde.net|green-24.de|juristische-suche.de|peugeot-metropolis.de|proverbia-iuris.de|rene-neuweiler.ch|streamit.ws|umweltlupe.de +@@.jpg#$domain=brasilienfreunde.net|dastandard.at|derstandard.at|diestandard.at|gamestar.de|green-24.de|juristische-suche.de|peugeot-metropolis.de|proverbia-iuris.de|rene-neuweiler.ch|streamit.ws|umweltlupe.de +@@.jpg/$~third-party,domain=pcwelt.de @@.net^*.js$script,domain=ul-load.com|uploaded-premium.ru @@.org^$script,domain=ul-load.com|uploaded-premium.ru -@@.png#$domain=aktuelles-handelsrecht.info|aussenwirtschaftslupe.de|energielupe.de|europalupe.eu|finanzmarkttransaktionssteuer.de|gerichtsboulevard.de|grundrechteschutz.de|hartzbote.de|jagdlupe.de|kirchensteuerinfo.de|live-stream.tv|mediationslupe.de|medienrechtsnews.de|mutterschutz-rechner.de|rappers.in|rechtslupe.de|rechtslupe.net|rechtsschutzversicherunginfo.de|rentenbote.de|schuetzenrecht.de|sozialrechtsnews.de|steuerschmiede-aktuell.de|teamspeak-ts.com|tobinsteuer.de|twixzo.de|ul-load.com|uploaded-premium.ru|vereinslupe.de|vorsorgebote.de|wintotal-forum.de|wirtschaft-recht-aktuell.de +@@.png#$domain=aktuelles-handelsrecht.info|aussenwirtschaftslupe.de|dastandard.at|derstandard.at|diestandard.at|energielupe.de|europalupe.eu|finanzmarkttransaktionssteuer.de|gamestar.de|gerichtsboulevard.de|grundrechteschutz.de|hartzbote.de|jagdlupe.de|kirchensteuerinfo.de|live-stream.tv|mediationslupe.de|medienrechtsnews.de|mutterschutz-rechner.de|rappers.in|rechtslupe.de|rechtslupe.net|rechtsschutzversicherunginfo.de|rentenbote.de|schuetzenrecht.de|sozialrechtsnews.de|steuerschmiede-aktuell.de|teamspeak-ts.com|tobinsteuer.de|twixzo.de|ul-load.com|uploaded-premium.ru|vereinslupe.de|vorsorgebote.de|wintotal-forum.de|wirtschaft-recht-aktuell.de +@@.png/$image,~third-party,domain=pcwelt.de @@.png?$domain=mobilfunk-geschichte.de @@/^https?\:\/\/(?!(ad\.de\.doubleclick\.net)\/)/$object-subrequest,third-party,domain=golem.de -@@/^https?\:\/\/(?!(ad\.de\.doubleclick\.net|ad\.yieldlab\.net|c\.t4ft\.de|cdn\.krxd\.net|audio\.de\.intellitxt\.com|audio\.digidip\.net|gwp\.nuggad\.net|juggler\.services\.disqus\.com|pagead2\.googlesyndication\.com|partner\.googleadservices\.com|de\.ioam\.de|pix04\.revsci\.net|platform\.twitter\.com|qs\.ioam\.de|referrer\.disqus\.com|static\.chartbeat\.com|wms\.assoc-amazon\.com|www\.google-analytics\.com|www\.xing-share\.com|audiode\.ivwbox\.de|weka\.met\.vgwort\.de|cdn\.syndication\.twimg\.com)\/)/$image,script,third-party,domain=audio.de -@@/^https?\:\/\/(?!(ad\.de\.doubleclick\.net|ad\.yieldlab\.net|c\.t4ft\.de|cdn\.krxd\.net|colorfoto\.de\.intellitxt\.com|colorfoto\.digidip\.net|gwp\.nuggad\.net|juggler\.services\.disqus\.com|pagead2\.googlesyndication\.com|partner\.googleadservices\.com|de\.ioam\.de|pix04\.revsci\.net|platform\.twitter\.com|qs\.ioam\.de|referrer\.disqus\.com|static\.chartbeat\.com|wms\.assoc-amazon\.com|www\.google-analytics\.com|www\.xing-share\.com|colorfot\.ivwbox\.de|weka\.met\.vgwort\.de|cdn\.syndication\.twimg\.com)\/)/$image,script,third-party,domain=colorfoto.de -@@/^https?\:\/\/(?!(ad\.de\.doubleclick\.net|ad\.yieldlab\.net|c\.t4ft\.de|cdn\.krxd\.net|connect\.de\.intellitxt\.com|connect\.digidip\.net|gwp\.nuggad\.net|juggler\.services\.disqus\.com|pagead2\.googlesyndication\.com|partner\.googleadservices\.com|de\.ioam\.de|pix04\.revsci\.net|platform\.twitter\.com|qs\.ioam\.de|referrer\.disqus\.com|static\.chartbeat\.com|wms\.assoc-amazon\.com|www\.google-analytics\.com|www\.xing-share\.com|connect\.ivwbox\.de|weka\.met\.vgwort\.de|cdn\.syndication\.twimg\.com)\/)/$image,script,third-party,domain=connect.de -@@/^https?\:\/\/(?!(ad\.de\.doubleclick\.net|ad\.yieldlab\.net|c\.t4ft\.de|cdn\.krxd\.net|connected-home\.de\.intellitxt\.com|connectedhome\.digidip\.net|gwp\.nuggad\.net|juggler\.services\.disqus\.com|pagead2\.googlesyndication\.com|partner\.googleadservices\.com|de\.ioam\.de|pix04\.revsci\.net|platform\.twitter\.com|qs\.ioam\.de|referrer\.disqus\.com|static\.chartbeat\.com|wms\.assoc-amazon\.com|www\.google-analytics\.com|www\.xing-share\.com|connecth\.ivwbox\.de||weka\.met\.vgwort\.de|cdn\.syndication\.twimg\.com)\/)/$image,script,third-party,domain=connected-home.de -@@/^https?\:\/\/(?!(ad\.de\.doubleclick\.net|ad\.yieldlab\.net|c\.t4ft\.de|cdn\.krxd\.net|pc-magazin\.de\.intellitxt\.com|pcmagazin\.digidip\.net|gwp\.nuggad\.net|juggler\.services\.disqus\.com|pagead2\.googlesyndication\.com|partner\.googleadservices\.com|de\.ioam\.de|pix04\.revsci\.net|platform\.twitter\.com|qs\.ioam\.de|referrer\.disqus\.com|static\.chartbeat\.com|wms\.assoc-amazon\.com|www\.google-analytics\.com|www\.xing-share\.com|pcmagzin\.ivwbox\.de|weka\.met\.vgwort\.de|cdn\.syndication\.twimg\.com)\/)/$image,script,third-party,domain=pc-magazin.de -@@/^https?\:\/\/(?!(ad\.de\.doubleclick\.net|ad\.yieldlab\.net|c\.t4ft\.de|cdn\.krxd\.net|video-magazin\.de\.intellitxt\.com|video\.digidip\.net|gwp\.nuggad\.net|juggler\.services\.disqus\.com|pagead2\.googlesyndication\.com|partner\.googleadservices\.com|de\.ioam\.de|pix04\.revsci\.net|platform\.twitter\.com|qs\.ioam\.de|referrer\.disqus\.com|static\.chartbeat\.com|wms\.assoc-amazon\.com|www\.google-analytics\.com|www\.xing-share\.com|videomag\.ivwbox\.de|weka\.met\.vgwort\.de|cdn\.syndication\.twimg\.com)\/)/$image,script,third-party,domain=video-magazin.de @@/^https?\:\/\/(?!(cdn\.krxd\.net|ad\.yieldlab\.net|ad\.de\.doubleclick\.net|de\.ioam\.de|dis\.eu\.criteo\.com|ip\.nuggad\.net|pagead2\.googlesyndication\.com|pq-direct\.revsci\.net|qs\.ioam\.de|static\.plista\.com|tracking\.netzathleten-media\.de|www\.google-analytics\.com|www\.googleadservices\.com|apis\.google\.com|connect\.facebook\.net|script\.ioam\.de)\/)/$image,script,third-party,domain=lustich.de -@@/^https?\:\/\/(?!(de-uim\.videoplaza\.tv|adclient\.uimserv\.net)\/)/$object-subrequest,third-party,domain=gmx.net|web.de -@@/^https?\:\/\/(?!(ds\.serving-sys\.com|cdn\.flashtalking\.com|pubads\.g\.doubleclick\.net|redirector\.gvt1\.com|adscale\.nuggad\.net|ad\.doubleclick\.net|www\.google-analytics\.com)\/)/$object-subrequest,third-party,domain=pcgames.de -@@/^https?\:\/\/(?!(im\.banner\.t-online\.de|de-ipd\.videoplaza\.tv)\/)/$object-subrequest,third-party,domain=t-online.de @@/^https?\:\/\/(?!(qs\.ivwbox\.de|qs\.ioam.de|platform\.twitter\.com|connect\.facebook\.net|de\.ioam\.de|pubads\.g\.doubleclick\.net|stats\.wordpress\.com|www\.google-analytics\.com|www\.googletagservices\.com|apis\.google\.com|script\.ioam\.de)\/)/$script,third-party,domain=gamona.de -@@/^https?\:\/\/(?!(spiegel\.ivwbox\.de|c\.spiegel\.de|adserv\.quality-channel\.de|video\.spiegel\.de)\/)/$object-subrequest,third-party,domain=spiegel.tv +@@/adcode.js$domain=prad.de @@/qos.phtml?$object-subrequest,domain=gmx.net|golem.de|homerj.de|spiegel.tv|sueddeutsche.de|t-online.de|web.de -@@|http://*.com^$image,third-party,domain=gamona.de -@@|http://*.de^$image,third-party,domain=gamona.de -@@|http://*.net^$image,third-party,domain=gamona.de +@@|http://*.de/$script,third-party,domain=prad.de +@@|http://*.net^$image,third-party,domain=gamona.de|pcwelt.de @@|http://*.php*?*&$object-subrequest,third-party,domain=gmx.net|homerj.de|spiegel.tv|sueddeutsche.de|web.de @@|http://*.php?*&$object-subrequest,domain=gmx.net|homerj.de|spiegel.tv|sueddeutsche.de|web.de @@|http://*@$object-subrequest,domain=gmx.net|homerj.de|spiegel.tv|sueddeutsche.de|web.de @@ -102648,11 +106553,11 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] @@||ad.71i.de/global_js/*/adplayer.min.js$domain=gamestar.de @@||ad.71i.de/global_js/AdScripts/standard.js$domain=gamestar.de @@||ad.71i.de/global_js/globalV6.js$domain=kabeleins.at|kabeleins.ch|kabeleins.de|prosieben.at|prosieben.ch|prosieben.de|sat1.ch|sat1.de|sixx.at|sixx.ch|sixx.de|the-voice-of-germany.at|the-voice-of-germany.ch|the-voice-of-germany.de -@@||ad.71i.de/global_js/Sites/$domain=kabeleins.at|kabeleins.ch|kabeleins.de|prosieben.at|prosieben.ch|prosieben.de|sat1.ch|sat1.de|sixx.at|sixx.ch|sixx.de|the-voice-of-germany.at|the-voice-of-germany.ch|the-voice-of-germany.de -@@||ad.71i.de/global_js/Sites/pro7.js$domain=kabeleins.at|kabeleins.ch|kabeleins.de|prosieben.at|prosieben.ch|prosieben.de|sat1.ch|sat1.de|sixx.at|sixx.ch|sixx.de|the-voice-of-germany.at|the-voice-of-germany.ch|the-voice-of-germany.de +@@||ad.71i.de/global_js/Sites/$script,domain=kabeleins.at|kabeleins.ch|kabeleins.de|prosieben.at|prosieben.ch|prosieben.de|sat1.ch|sat1.de|sixx.at|sixx.ch|sixx.de|the-voice-of-germany.at|the-voice-of-germany.ch|the-voice-of-germany.de @@||ad.71i.de/images/*Opener$object-subrequest,domain=kabeleins.at|kabeleins.ch|kabeleins.de|prosieben.at|prosieben.ch|prosieben.de|sat1.ch|sat1.de|sixx.at|sixx.ch|sixx.de|the-voice-of-germany.at|the-voice-of-germany.ch|the-voice-of-germany.de @@||ad.adnet.de/adj.php?$script,domain=schoener-fernsehen.com @@||ad.smartclip.net/delivery/tag?$object-subrequest,domain=homerj.de +@@||ad4.liverail.com/?LR_PUBLISHER_ID=*&LR_SCHEMA=vast2-vpaid&$object-subrequest,domain=schoener-fernsehen.com @@||ad4mat.de/ads/js/adtrust-min.php?*&w=468&h=60&$script,domain=mufa.de @@||adclient.uimserv.net/crossdomain.xml$object-subrequest,domain=gmx.net|web.de @@||adclient.uimserv.net/js.ng/|$object-subrequest,domain=gmx.net|web.de @@ -102676,19 +106581,22 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] @@||aktuelles-handelsrecht.info^$elemhide @@||alle-news.com^$image,script,domain=news.feed-reader.net @@||altfarm.mediaplex.com/ad/js/*?mpt=*&mpvc=http://ad.de.doubleclick.net/click%$script,domain=n-tv.de +@@||alysson.de^$document,subdocument,domain=gamona.de +@@||amazonaws.com/bucket-ad/ad-image.png$domain=formel1.de|fremdwort.de|inside-handy.de|motorsport-total.com @@||amazonaws.com^$object-subrequest,domain=gmx.net|homerj.de|spiegel.tv|sueddeutsche.de|web.de @@||amgdgt.com/ads?$object-subrequest,domain=clipfish.de @@||apmebf.com/ad/js/*&mpvc=http://ad.de.doubleclick.net/click%$script,domain=n-tv.de -@@||atonato.de^$document,subdocument,domain=audio.de|colorfoto.de|connect.de|connected-home.de|gamona.de|lustich.de|pc-magazin.de|video-magazin.de +@@||atonato.de^$document,subdocument,domain=gamona.de|lustich.de @@||atonato.de^$script,domain=lustich.de -@@||audio.de^$elemhide @@||aussenwirtschaftslupe.de^$elemhide +@@||benelph.de^$document,subdocument,domain=gamona.de @@||betreut-wohnen.de/adserver/ad.js @@||blick.ch^*/advertisement.js +@@||blubroid.de^$document,subdocument,domain=gamona.de +@@||bluray-disc.de/sites/all/js/fuckadblock.js? @@||boardking.de^*/adframe.js @@||bobodise.com^$object-subrequest,domain=rtlnitronow.de @@||brasilienfreunde.net^$elemhide -@@||buffed.de^$image @@||bullhost.de^$elemhide @@||bullhost.de^*#-$image @@||cad.de/adview.js @@ -102697,28 +106605,33 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] @@||cdn.flashtalking.com/xre/*/js/j-*.js$domain=teleboerse.de @@||chat.lycos.de/adimages/$subdocument @@||cloudfront.net^$object-subrequest,domain=gmx.net|homerj.de|spiegel.tv|sueddeutsche.de|web.de -@@||colorfoto.de^$elemhide @@||combatarms-game.de/adframe.js -@@||connect.de^$elemhide -@@||connected-home.de^$elemhide @@||coordur.de^$document,subdocument @@||crackajack.de^*/advertising.js -@@||cuiron.de^$document,subdocument,domain=audio.de|colorfoto.de|connect.de|connected-home.de|gamona.de|lustich.de|pc-magazin.de|video-magazin.de -@@||cuiron.de^$image,domain=gamona.de|lustich.de +@@||cuiron.de^$document,subdocument,domain=gamona.de|lustich.de @@||cuiron.de^$script,domain=gamona.de|lustich.de +@@||cussixia.de^$document,subdocument,domain=gamona.de +@@||dastandard.at/AdServer/AdServerM.aspx|$subdocument +@@||dastandard.at/MetaAdServer/MAS.aspx?cp=$subdocument @@||dastandard.at^$elemhide -@@||dastandard.at^$image +@@||dastandard.at^$stylesheet @@||data-ero-advertising.com/impopup/layer.js$domain=berlin-nutten.com @@||david-forum.de/advertisement.css @@||ddl-search.biz/js/advertisement.js @@||ddl-search.biz/js/advertisements.js @@||derlacher.de/static/lib/advertisement.js +@@||derstandard.at/AdServer/AdServerM.aspx?Position=*&type=12&Random|$subdocument +@@||derstandard.at/AdServer/AdServerM.aspx?Position=*&type=3&Width=303&Height=260&Random=$subdocument +@@||derstandard.at/AdServer/AdServerM.aspx|$subdocument +@@||derstandard.at/MetaAdServer/MAS.aspx?cp=$subdocument @@||derstandard.at^$elemhide -@@||derstandard.at^$image +@@||derstandard.at^$stylesheet @@||dhads.net/kamp/rot.php?art=leaderboardview&uid=*&sid=$script,domain=uploaded-premium.ru +@@||diestandard.at/AdServer/AdServerM.aspx|$subdocument +@@||diestandard.at/MetaAdServer/MAS.aspx?cp=$subdocument @@||diestandard.at^$elemhide -@@||diestandard.at^$image -@@||digentu.de^$document,subdocument,domain=audio.de|colorfoto.de|connect.de|connected-home.de|gamona.de|lustich.de|pc-magazin.de|video-magazin.de +@@||diestandard.at^$stylesheet +@@||digentu.de^$document,subdocument,domain=gamona.de|lustich.de @@||digentu.de^$script,domain=gamona.de|lustich.de @@||dokumente-online.com^*/adframe.js @@||doubleclick.net/ad/clipfish.smartclip/$object-subrequest,domain=clipfish.de @@ -102753,8 +106666,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] @@||einrichtungsbeispiele.de^*/click.js @@||eltelmis.de^$document,subdocument,domain=gamona.de|lustich.de @@||energielupe.de^$elemhide -@@||ethnarc.de^$document,subdocument,domain=audio.de|colorfoto.de|connect.de|connected-home.de|gamona.de|lustich.de|pc-magazin.de|video-magazin.de -@@||ethnarc.de^$image,domain=gamona.de +@@||ethnarc.de^$document,subdocument,domain=gamona.de|lustich.de @@||ethnarc.de^$script,domain=gamona.de|lustich.de @@||europalupe.eu^$elemhide @@||exoclick.com/ads-iframe-display.php?*&type=300x250&$subdocument,domain=board.world-of-hentai.to @@ -102762,18 +106674,19 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] @@||fastshare.org/advertisement.js @@||feed-reader.net^$elemhide,image,script @@||fernsehen.to/advertisement.js -@@||feropt.de^$document,subdocument,domain=audio.de|colorfoto.de|connect.de|connected-home.de|gamona.de|lustich.de|pc-magazin.de|video-magazin.de +@@||feropt.de^$document,subdocument,domain=gamona.de|lustich.de @@||feropt.de^$image,script,domain=gamona.de|lustich.de @@||finanzmarkttransaktionssteuer.de^$elemhide @@||flashtalking.com/imp/*;BMWTVTeaser220x180/?click=$script,domain=teleboerse.de +@@||formel1.de^$elemhide @@||forum-fuer-senioren.de^*/ad.js @@||frantro.de^$document,subdocument,domain=lustich.de @@||free-klingeltoene-handy.de/adframe.js -@@||fribre.de^$document,subdocument,domain=audio.de|colorfoto.de|connect.de|connected-home.de|gamona.de|lustich.de|pc-magazin.de|video-magazin.de -@@||fribre.de^$image,domain=audio.de|colorfoto.de|connected-home.de|lustich.de|pc-magazin.de|video-magazin.de +@@||fremdwort.de^$elemhide +@@||fribre.de^$document,subdocument,domain=gamona.de|lustich.de @@||fribre.de^$image,script,domain=gamona.de @@||fribre.de^$script,domain=lustich.de -@@||fruited.de^$document,subdocument,domain=audio.de|colorfoto.de|connect.de|connected-home.de|gamona.de|lustich.de|pc-magazin.de|video-magazin.de +@@||fruited.de^$document,subdocument,domain=gamona.de|lustich.de @@||fruited.de^$script,domain=gamona.de|lustich.de @@||g.doubleclick.net/gampad/ads?$script,domain=wetteronline.de @@||g.doubleclick.net/gampad/ads?*&callback=googletag.impl.pubads.setAdContentsBySlotForSync&$script,domain=gamona.de @@ -102781,12 +106694,12 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] @@||g.doubleclick.net/pagead/adview?ai=$object-subrequest,domain=clipfish.de @@||game-advertising-online.com/images/s-l.gif$domain=anime-loads.org @@||game-advertising-online.com/index.php?section=serve&id=$subdocument,domain=anime-loads.org -@@||gamesaktuell.de^$image +@@||gamestar.de/videos/$elemhide @@||gamona.de^$elemhide @@||gamona.de^$script @@||gamona.de^*/up/*.png @@||gassi-tv.de^*/adframe.js -@@||gearwom.de^$document,subdocument,domain=audio.de|colorfoto.de|connect.de|connected-home.de|gamona.de|lustich.de|pc-magazin.de|video-magazin.de +@@||gearwom.de^$document,subdocument,domain=gamona.de|lustich.de @@||gearwom.de^$script,domain=gamona.de|lustich.de @@||gerichtsboulevard.de^$elemhide @@||gesehen.es^$object-subrequest,domain=gmx.net|homerj.de|spiegel.tv|sueddeutsche.de|web.de @@ -102796,22 +106709,25 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] @@||green-24.de^$elemhide @@||grundrechteschutz.de^$elemhide @@||hartzbote.de^$elemhide +@@||hobodoka.de^$document,subdocument,domain=gamona.de @@||hubbahotel.cc^*/advertisement.js -@@||idlity.de^$document,subdocument,domain=audio.de|colorfoto.de|connect.de|connected-home.de|gamona.de|lustich.de|pc-magazin.de|video-magazin.de +@@||idlity.de^$document,subdocument,domain=gamona.de|lustich.de @@||idlity.de^$script,domain=gamona.de|lustich.de @@||imagesrv.adition.com/js/adition.js$domain=n-tv.de @@||img.lokalisten.de/img/giftshop/$image @@||img.lokalisten.de/lokiimg/lokalisten/picturefeed/$image -@@||inciteb.de^$document,subdocument,domain=audio.de|colorfoto.de|connect.de|connected-home.de|gamona.de|lustich.de|pc-magazin.de|video-magazin.de +@@||inciteb.de^$document,subdocument,domain=gamona.de|lustich.de @@||inciteb.de^$script,domain=gamona.de|lustich.de @@||incown.de^$document,subdocument,domain=gamona.de|lustich.de -@@||indalam.de^$document,subdocument,domain=audio.de|colorfoto.de|connect.de|connected-home.de|gamona.de|lustich.de|pc-magazin.de|video-magazin.de +@@||indalam.de^$document,subdocument,domain=gamona.de|lustich.de @@||indalam.de^$script,domain=gamona.de|lustich.de +@@||inside-handy.de^$elemhide @@||intectwo.de^$document,subdocument,domain=gamona.de|lustich.de +@@||itectale.de^$document,subdocument,domain=gamona.de @@||ivwbox.de^*#$image,domain=lustich.de @@||jagdlupe.de^$elemhide @@||java-forum.org^$elemhide -@@||jubbie.de^$document,subdocument,domain=audio.de|colorfoto.de|connect.de|connected-home.de|gamona.de|lustich.de|pc-magazin.de|video-magazin.de +@@||jubbie.de^$document,subdocument,domain=gamona.de|lustich.de @@||jubbie.de^$script,domain=gamona.de|lustich.de @@||juristische-suche.de^$elemhide @@||kaufn.com/banner/ads/adserver/click/ad.js @@ -102819,9 +106735,9 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] @@||lablue.at^$elemhide,script @@||lablue.ch^$elemhide,script @@||lablue.de^$elemhide,script -@@||letiva.de^$document,subdocument,domain=audio.de|colorfoto.de|connect.de|connected-home.de|gamona.de|lustich.de|pc-magazin.de|video-magazin.de +@@||letiva.de^$document,subdocument,domain=gamona.de|lustich.de @@||letiva.de^$script,domain=gamona.de|lustich.de -@@||liferd.de^$document,subdocument,domain=audio.de|colorfoto.de|connect.de|connected-home.de|gamona.de|lustich.de|pc-magazin.de|video-magazin.de +@@||liferd.de^$document,subdocument,domain=gamona.de|lustich.de @@||liferd.de^$script,domain=gamona.de|lustich.de @@||live-stream.tv^$elemhide @@||loads7.com^$elemhide @@ -102829,16 +106745,16 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] @@||lustich.de^$image @@||magistrix.de/ads/iframe.html?*#content$subdocument @@||magistrix.de^*/advertisement-$script -@@||magnus.de/public/scripts/afc/$script,domain=audio.de|colorfoto.de|connect.de|connected-home.de|pc-magazin.de|video-magazin.de @@||mannfuermann.com/mfm/static/adcode.js -@@||manughl.de^$document,subdocument,domain=audio.de|colorfoto.de|connect.de|connected-home.de|gamona.de|lustich.de|pc-magazin.de|video-magazin.de +@@||manughl.de^$document,subdocument,domain=gamona.de|lustich.de @@||manughl.de^$script,domain=gamona.de|lustich.de @@||mediationslupe.de^$elemhide @@||medienrechtsnews.de^$elemhide -@@||mename.de^$document,subdocument,domain=audio.de|colorfoto.de|connect.de|connected-home.de|gamona.de|lustich.de|pc-magazin.de|video-magazin.de +@@||mename.de^$document,subdocument,domain=gamona.de|lustich.de @@||mename.de^$script,domain=gamona.de|lustich.de @@||mirror-archiv.com/banner/ads/adserver/click/ad.js @@||mobilfunk-geschichte.de^$elemhide +@@||motorsport-total.com^$elemhide @@||mufa.de/js/advertisement.js @@||mutterschutz-rechner.de^$elemhide @@||mypolonia.de^*/adframe.js @@ -102851,23 +106767,23 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] @@||nuggad.net/bk?nuggn=$object-subrequest,domain=homerj.de @@||nuggad.net/crossdomain.xml$object-subrequest,domain=putpat.tv|tape.tv @@||nuggad.net/rc?nuggn=$script,domain=4players.de +@@||odillees.de^$document,subdocument,domain=gamona.de @@||onlinetvrecorder.com/adcodes/?$subdocument @@||onlinetvrecorder.com/buyclicks/*.php?r=$subdocument @@||onlinetvrecorder.com/buyclicks/weasel.php$document @@||onlinetvrecorder.com/v2/banner.php$document @@||otrworld.at^$script -@@||pagead2.googlesyndication.com/pagead/*/show_ads_impl.js$domain=brasilienfreunde.net|bullhost.de|green-24.de|java-forum.org|lablue.at|lablue.ch|lablue.de|mufa.de|peugeot-metropolis.de|rappers.in|rene-neuweiler.ch|risiko-gesundheit.de|teamspeak-ts.com|vol.at|wintotal-forum.de -@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=java-forum.org|mufa.de|peugeot-metropolis.de|teamspeak-ts.com -@@||pagead2.googlesyndication.com/pagead/show_ads.js$domain=brasilienfreunde.net|bullhost.de|green-24.de|java-forum.org|lablue.at|lablue.ch|lablue.de|mufa.de|rappers.in|rene-neuweiler.ch|risiko-gesundheit.de|vol.at|wintotal-forum.de +@@||pagead2.googlesyndication.com/pagead/*/show_ads_impl.js$domain=brasilienfreunde.net|bullhost.de|dastandard.at|derstandard.at|diestandard.at|green-24.de|iphone-tricks.de|java-forum.org|lablue.at|lablue.ch|lablue.de|mufa.de|peugeot-metropolis.de|rappers.in|rene-neuweiler.ch|risiko-gesundheit.de|smsgott.de|teamspeak-ts.com|vol.at|wintotal-forum.de +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=iphone-tricks.de|java-forum.org|mufa.de|peugeot-metropolis.de|teamspeak-ts.com +@@||pagead2.googlesyndication.com/pagead/show_ads.js$domain=brasilienfreunde.net|bullhost.de|dastandard.at|derstandard.at|diestandard.at|green-24.de|java-forum.org|lablue.at|lablue.ch|lablue.de|mufa.de|rappers.in|rene-neuweiler.ch|risiko-gesundheit.de|smsgott.de|vol.at|wintotal-forum.de @@||partner.googleadservices.com/gampad/google_ads.js$domain=abfrager.de @@||partner.googleadservices.com/gampad/google_service.js$domain=abfrager.de @@||partner.googleadservices.com/gpt/pubads_impl_$script,domain=gamona.de|wetteronline.de -@@||pc-magazin.de^$elemhide -@@||pcaction.de^$image -@@||pcgameshardware.de^$image @@||peugeot-metropolis.de^$elemhide @@||picload.org/ads-1.js @@||ping-timeout.de/banner/ads/adserver/click/ad.js +@@||prad.de^$subdocument,domain=prad.de +@@||prad.de^*.js| @@||proverbia-iuris.de^$elemhide @@||quoka.de^*/adframe.js @@||rappers.in^$elemhide @@ -102891,24 +106807,12 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] @@||slimspots.com/view/$script,domain=arschfick-pornos.net|badjojo-porno.com|berlin-nutten.com|bruder-schwester-fick.com|deutsche-erotikfilme.com|deviantclip-porno.com|empflix-porno.net|geile-tube.com|inzest-tube.com|knallerpornos.com|lieblingspornos.com|mehrsprachige-pornos.com|sunporno-german.com|tini-porn.com|vagosex-pornos.com|vater-fickt-tochter.net|xtube-porno.com|xvideo-deutsch.com|xxnxpornos.net @@||slimtrade.com/in.php?s=*&t=*&b=*&c=*&tm=*&r=$script,domain=arschfick-pornos.net|badjojo-porno.com|berlin-nutten.com|bruder-schwester-fick.com|deutsche-erotikfilme.com|deviantclip-porno.com|empflix-porno.net|geile-tube.com|inzest-tube.com|knallerpornos.com|lieblingspornos.com|mehrsprachige-pornos.com|sunporno-german.com|tini-porn.com|vagosex-pornos.com|vater-fickt-tochter.net|xtube-porno.com|xvideo-deutsch.com|xxnxpornos.net @@||slimtrade.com/s*.js$domain=arschfick-pornos.net|badjojo-porno.com|berlin-nutten.com|bruder-schwester-fick.com|deutsche-erotikfilme.com|deviantclip-porno.com|empflix-porno.net|geile-tube.com|inzest-tube.com|knallerpornos.com|lieblingspornos.com|mehrsprachige-pornos.com|sunporno-german.com|tini-porn.com|vagosex-pornos.com|vater-fickt-tochter.net|xtube-porno.com|xvideo-deutsch.com|xxnxpornos.net -@@||smartadserver.com/diff/*/smartad.js$domain=transfermarkt.tv +@@||smartadserver.com/diff/*/smartad.js$domain=transfermarkt.de|transfermarkt.tv @@||smartclip.net/delivery/tag?sid=$object-subrequest,domain=clipfish.de @@||smartclip.nuggad.net/crossdomain.xml$object-subrequest,domain=clipfish.de @@||sozialrechtsnews.de^$elemhide @@||spiegel.tv^$elemhide -@@||st.wetteronline.de/css/datepicker.css? -@@||st.wetteronline.de/css/ipad.css? -@@||st.wetteronline.de/css/nonpaid.css? -@@||st.wetteronline.de/css/p_*.css? -@@||st.wetteronline.de/css/p_wxsearch.css? -@@||st.wetteronline.de/css/pc_*.css? -@@||st.wetteronline.de/css/print.css? -@@||st.wetteronline.de/css/reset.css? -@@||st.wetteronline.de/css/wetteronline.css? -@@||st.wetteronline.de/css/wetterradar.css? -@@||st.wetteronline.de/css/www.css? @@||startup-connection.de^$elemhide -@@||starwars.gamona.de^$image,domain=gamona.de @@||starwars.gamona.de^*_*/*.png @@||steuerschmiede-aktuell.de^$elemhide @@||streamit.ws^$elemhide @@ -102919,6 +106823,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] @@||teleskipp.de/jump/www/delivery/ajs.php?zoneid=$script,domain=mv-spion.de @@||tiervermittlung.de/adblock.js @@||tiervermittlung.de/advertisement.js +@@||tisoomitech.com/images/ad-image.png$domain=formel1.de|fremdwort.de|inside-handy.de|motorsport-total.com @@||tobinsteuer.de^$elemhide @@||tower-defense-spiele.de/wp-content/themes/Denver/js/ads.js @@||ttads.de/www/delivery/banner/ads/click.js @@ -102934,10 +106839,8 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] @@||uploaded-premium.ru^$elemhide @@||uploaded-premium.ru^$script @@||vereinslupe.de^$elemhide -@@||video-magazin.de^$elemhide @@||video.spiegel.de/flash/*_iphone.mp4$domain=spiegel.tv -@@||videogameszone.de^$image -@@||videoplaza.tv/proxy/distributor^$object-subrequest,domain=clipfish.de|gmx.net|n-tvnow.de|rtl-now.rtl.de|rtl2now.rtl2.de|rtlnitronow.de|superrtlnow.de|voxnow.de|web.de|www.rtl.de|www.vox.de +@@||videoplaza.tv/proxy/distributor^$object-subrequest,domain=clipfish.de|gmx.net|n-tv.de|n-tvnow.de|rtl-now.rtl.de|rtl2now.rtl2.de|rtlnitronow.de|superrtlnow.de|voxnow.de|web.de|www.rtl.de|www.vox.de @@||vorsorgebote.de^$elemhide @@||werbeblocker-erkennen.webconrad.com/adframe.js @@||wetteronline.de^$elemhide @@ -102974,7 +106877,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] ! Licence: https://easylist-downloads.adblockplus.org/COPYING ! ! Please report any unblocked adverts or problems -! in the forums (http://forums.lanik.us/) +! in the forums (https://forums.lanik.us/) ! or via e-mail (easylist.subscription@gmail.com). ! !-----------------------General advert blocking filters-----------------------! @@ -102984,6 +106887,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] &ad_classid= &ad_height= &ad_keyword= +&ad_network_ &ad_number= &ad_type= &ad_type_ @@ -103035,6 +106939,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] &smallad= &strategy=adsense& &type=ad& +&UrlAdParam= &video_ads_ &videoadid= &view=ad& @@ -103061,6 +106966,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] -ad-data/ -ad-ero- -ad-exo- +-ad-gif1- -ad-home. -ad-hrule- -ad-hrule. @@ -103085,9 +106991,11 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] -ad-util. -ad-vertical- -ad-zone. +-ad.jpg.pagespeed. -ad.jpg? -ad.jsp| -ad.php? +-ad/main. -ad/right_ -ad1. -ad2. @@ -103107,6 +107015,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] -adhelper. -adhere2. -adimage- +-admarvel/ -adrotation. -ads-180x -ads-728x @@ -103126,6 +107035,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] -ads.swf -ads/728x -ads/oas/ +-Ads_728x902. -ads_9_3. -Ads_Billboard_ -adscript. @@ -103163,7 +107073,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] -affiliates/img_ -article-ads- -article-advert- --Banner-Ad)- +-banner-ad. -banner-ads- -banner.swf? -banner468x60. @@ -103212,6 +107122,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] -news-ad- -newsletter-ad- -NewStockAd- +-online-advert. -page-ad. -page-ad? -page-peel/ @@ -103224,10 +107135,12 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] -popunder. -popup-ad. -popup-ads- +-printhousead- -publicidad. -rectangle/ad- -Results-Sponsored. -right-ad. +-rightrailad- -rollout-ad- -scrollads. -seasonal-ad. @@ -103235,6 +107148,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] -side-ad- -Skyscraper-Ad. -skyscrapper160x600. +-small-ad. -source/ads/ -sponsor-ad. -sponsored-links- @@ -103267,18 +107181,22 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] .ad1.nspace .adbanner. .adbutler- +.adcenter. .adforge. .adframesrc. +.adlabs.$domain=~adlabs.ru .admarvel. .adnetwork. .adpartner. .adplacement= -.adresult. +.adresult.$domain=~adresult.ch .adriver.$~object-subrequest .adru. .ads-and-tracking. .ads-lazy. +.ads-min. .ads-tool. +.ads.core. .ads.css .ads.darla. .ads.loader- @@ -103295,6 +107213,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] .adsremote. .adtech_ .adtooltip& +.adv.cdn. .advert.$domain=~advert.ly .AdvertismentBottom. .advertmarket. @@ -103325,6 +107244,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] .ch/adv/ .clkads. .co/ads/ +.co/ads? .com/?ad= .com/?wid= .com/a?network @@ -103335,6 +107255,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] .com/ad2/ .com/ad6/ .com/ad? +.com/adclk? .com/adds/ .com/adgallery .com/adinf/ @@ -103395,10 +107316,13 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] .info/ads/ .initdoubleclickadselementcontent? .internads. +.is/ads/ .jp/ads/ +.jsp?adcode= .ke/ads/ .lazyload-ad- .lazyload-ad. +.link/ads/ .lk/ads/ .me/ads- .me/ads/ @@ -103491,9 +107415,11 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] .textads. .th/ads/ .to/ads/ +.topad. .tv/adl. .tv/ads. .tv/ads/ +.twoads. .tz/ads/ .uk/ads/ .uk/adv/ @@ -103522,8 +107448,11 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /2010main/ad/* /2011/ads/* /2013/ads/* +/2014/ads/* +/2015/ads/* /24-7ads. /24adscript. +/250x250_advert_ /300-ad- /300250_ad- /300by250ad. @@ -103573,6 +107502,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /ad%20images/* /ad-125. /ad-300topleft. +/ad-300x250. /ad-300x254. /ad-350x350- /ad-468- @@ -103580,6 +107510,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /ad-amz. /ad-audit. /ad-banner- +/ad-banner. /ad-bckg. /ad-bin/* /ad-bottom. @@ -103638,6 +107569,9 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /ad-manager/* /ad-managment/* /ad-methods. +/ad-minister- +/ad-minister. +/ad-minister/* /ad-modules/* /ad-nytimes. /ad-offer1. @@ -103655,6 +107589,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /ad-serve? /ad-server. /ad-server/* +/ad-side/* /ad-sidebar- /ad-skyscraper. /ad-source/* @@ -103671,8 +107606,10 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /ad-title. /ad-top- /ad-top. +/ad-top/* /ad-topbanner- /ad-unit- +/ad-updated- /ad-utilities. /ad-vert. /ad-vertical- @@ -103793,6 +107730,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /ad/timing. /ad/top. /ad/top/* +/ad/top1. /ad/top2. /ad/top3. /ad/top_ @@ -103800,12 +107738,17 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /ad0. /ad000/* /ad02/background_ +/ad1-728- /ad1. /ad1/index. +/ad12. /ad120x60. /ad125. /ad125b. /ad125x125. +/ad132m. +/ad132m/* +/ad134m/* /ad136/* /ad15. /ad16. @@ -103814,7 +107757,9 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /ad160x600. /ad1_ /ad1place. +/ad1r. /ad1x1home. +/ad2-728- /ad2. /ad2/index. /ad2/res/* @@ -103897,10 +107842,12 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /ad_banner1. /ad_banner2. /ad_banner_ +/ad_bannerPool- /ad_banners/* /ad_bar_ /ad_base. /ad_big_ +/ad_blog. /ad_bomb/* /ad_bot. /ad_bottom. @@ -103936,6 +107883,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /ad_display. /ad_display_ /ad_drivers/* +/ad_ebound. /ad_editorials_ /ad_engine? /ad_entry_ @@ -103948,6 +107896,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /ad_flash/* /ad_flat_ /ad_floater. +/ad_folder/* /ad_footer. /ad_footer_ /ad_forum_ @@ -103963,7 +107912,6 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /ad_h.css? /ad_hcl_ /ad_hcr_ -/ad_head0. /ad_header. /ad_header_ /ad_height/* @@ -104032,7 +107980,6 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /ad_parts. /ad_peel/* /ad_pics/* -/ad_policy. /ad_pop. /ad_pop1. /ad_pos= @@ -104040,6 +107987,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /ad_position_ /ad_premium. /ad_premium_ +/ad_preroll- /ad_print. /ad_rectangle_ /ad_refresh. @@ -104081,6 +108029,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /ad_square_ /ad_squares. /ad_srv. +/ad_stem/* /ad_styling_ /ad_supertile/* /ad_sys/* @@ -104185,6 +108134,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /adbutler/* /adbytes. /adcache. +/adcall. /adcalloverride. /adcampaigns/* /adcash- @@ -104280,6 +108230,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /adengine/* /adengine_ /adentry. +/aderlee_ads. /adError/* /adevent. /adevents. @@ -104311,6 +108262,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /adfolder/* /adfootcenter. /adfooter. +/adFooterBG. /adfootleft. /adfootright. /adforgame160x600. @@ -104341,7 +108293,6 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /adfrequencycapping. /adfrm. /adfshow? -/adfuel. /adfuncs. /adfunction. /adfunctions. @@ -104453,10 +108404,11 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /adleft. /adleft/* /adleftsidebar. +/adlens- /adlesse. /adlift4. /adlift4_ -/adline. +/adline.$domain=~adline.co.il /adlink- /adlink. /adlink/* @@ -104490,13 +108442,14 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /admarker. /admarker_ /admarket/* +/admarvel. /admaster. /admaster? /admatch- /admatcher.$~object-subrequest,~xmlhttprequest /admatcherclient. /admatik. -/admax. +/admax.$domain=~admax.cn|~admax.co|~admax.eu|~admax.info|~admax.net|~admax.nu|~admax.org|~admax.se|~admax.us /admax/* /admaxads. /admeasure. @@ -104508,6 +108461,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /admeld_ /admeldscript. /admentor/* +/admentor302/* /admentorasp/* /admentorserve. /admeta. @@ -104542,6 +108496,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /adnext. /adnexus- /adng.html +/adnl. /adnotice. /adobject. /adocean. @@ -104549,6 +108504,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /adometry. /adometry? /adonline. +/adonly468. /adops. /adops/* /adoptionicon. @@ -104579,7 +108535,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /adpeeps/* /adperf_ /adperfdemo. -/adphoto. +/adphoto.$domain=~adphoto.fr /adpic. /adpic/* /adpicture. @@ -104700,6 +108656,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /ads.asp? /ads.aspx /ads.cfm? +/ads.css /ads.dll/* /ads.gif /ads.htm @@ -104741,6 +108698,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /ads/ads. /ads/ads/* /ads/ads_ +/ads/adv/* /ads/afc/* /ads/aff- /ads/as_header. @@ -104839,6 +108797,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /ads/load. /ads/main. /ads/marketing/* +/ads/masthead_ /ads/menu_ /ads/motherless. /ads/mpu/* @@ -104859,6 +108818,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /ads/p/* /ads/page. /ads/panel. +/ads/payload/* /ads/pencil/* /ads/player- /ads/plugs/* @@ -104917,6 +108877,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /ads/triggers/* /ads/vertical/* /ads/vg/* +/ads/video/* /ads/video_ /ads/view. /ads/views/* @@ -104965,7 +108926,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /ads300X2502. /ads300x250_ /ads300x250px. -/ads4. +/ads4.$domain=~ads4.city /ads4/* /ads468. /ads468x60. @@ -105011,6 +108972,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /ads_code_ /ads_codes/* /ads_config. +/ads_controller. /ads_display. /ads_event. /ads_files/* @@ -105178,6 +109140,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /adsframe. /adsfuse- /adsgame. +/adsGooglePP3. /adshandler. /adshare. /adshare/* @@ -105304,6 +109267,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /adstream_ /adstreamjscontroller. /adStrip. +/adstrk. /adstrm/* /adstub. /adstube/* @@ -105463,6 +109427,8 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /adv4. /Adv468. /adv5. +/adv6. +/adv8. /adv_2. /adv_468. /adv_background/* @@ -105473,6 +109439,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /adv_frame/* /adv_horiz. /adv_image/* +/adv_left_ /adv_library3. /adv_link. /adv_manager_ @@ -105565,6 +109532,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /advertising_ /advertisingbanner. /advertisingbanner/* +/advertisingbanner1. /advertisingbanner_ /advertisingcontent/* /AdvertisingIsPresent6? @@ -105623,6 +109591,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /advpreload. /advris/* /advrotator. +/advs.ads. /advs/* /advscript. /advscripts/* @@ -105630,6 +109599,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /advt. /advt/* /advt2. +/advweb. /advzones/* /adw.shtml /adw2.shtml @@ -105643,7 +109613,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /adwizard. /adwizard_ /adwolf. -/adwords. +/adwords.$domain=~ppc.ee /adwords/* /adwordstracking.js /adWorking/* @@ -105737,7 +109707,6 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /affimg/* /affliate-banners/* /affpic/* -/afimages. /afr.php? /afr?auid= /ahmestatic/ads/* @@ -105775,6 +109744,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /app.ads. /app/ads. /app/ads/* +/aptads/* /Article-Ad- /article_ad. /articleSponsorDeriv_ @@ -105830,6 +109800,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /banmanpro/* /Banner-300x250. /banner-ad- +/banner-ad. /banner-ad/* /banner-ad_ /banner-ads/* @@ -105845,6 +109816,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /banner/ad. /banner/ad/* /banner/ad_ +/banner/adv/* /banner/adv_ /banner/affiliate/* /banner/rtads/* @@ -105905,7 +109877,6 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /bannerinc. /bannerjs.php? /bannermaker/* -/bannerman/* /bannermanager/* /bannermvt. /bannerpump. @@ -105950,6 +109921,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /bannery/*?banner= /bansrc/* /bar-ad. +/baseAd. /baselinead. /basic/ad/* /bbad. @@ -106139,6 +110111,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /compban.html? /components/ads/* /conad. +/conad_ /configspace/ads/* /cont-adv. /contads. @@ -106201,6 +110174,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /ctamlive160x160. /cube_ads/* /cubead. +/cubeads/* /cubeads_ /curlad. /curveball/ads/* @@ -106222,6 +110196,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /daily/ads/* /dart_ads. /dart_ads/* +/dart_enhancements/* /dartad/* /dartadengine. /dartadengine2. @@ -106297,6 +110272,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /display-ad/* /display-ads- /display-ads/* +/display.ad. /display?ad_ /display_ad /displayad. @@ -106341,7 +110317,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /downads. /download/ad. /download/ad/* -/download/ads/* +/download/ads /drawad. /driveragentad1. /driveragentad2. @@ -106468,6 +110444,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /filter.php?pro$script /fimserve. /finads. +/first-ad_ /flag_ads. /flash-ads. /flash-ads/* @@ -106535,6 +110512,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /friendfinder_ /frnads. /frontend/ads/* +/frontpagead/* /ftp/adv/* /full/ads/* /fullad. @@ -106593,6 +110571,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /getad? /getadcontent. /getadds. +/GetAdForCallBack? /getadframe. /getads- /getads. @@ -106614,6 +110593,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /getfeaturedadsforshow. /gethalfpagead. /getinlineads/* +/getJsonAds? /getmarketplaceads. /getmdhlayer. /getmdhlink. @@ -106650,6 +110630,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /google-ads/* /google-adsense- /google-adsense. +/google-adverts- /google-adwords /google-afc- /google-afc. @@ -106695,6 +110676,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /googleads_ /googleadsafc_ /googleadsafs_ +/googleAdScripts. /googleadsense. /googleAdTaggingSubSec. /googleadunit? @@ -106713,6 +110695,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /groupon/ads/* /gt6skyadtop. /guardianleader. +/guardrailad_ /gujAd. /hads- /Handlers/Ads. @@ -106724,9 +110707,11 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /headerad. /headeradd2. /headerads. +/headerads1. /headerAdvertismentTab. /headermktgpromoads. /headvert. +/hiadone_ /hikaku/banner/* /hitbar_ad_ /holl_ad. @@ -106774,6 +110759,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /html/sponsors/* /htmlads/* /httpads/* +/hubxt.*/js/eht.js? /hubxt.*/js/ht.js /i/ads/* /i_ads. @@ -106783,6 +110769,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /icon_ad. /icon_ads_ /icon_advertising_ +/idevaffiliate/* /ifolder-ads. /iframe-ad. /iframe-ads/* @@ -106809,11 +110796,14 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /iframedartad. /iframes/ad/* /ifrm_ads/* +/ignite.partnerembed.js +/ignitecampaigns.com/* /ilivid-ad- /im-ad/im-rotator. /im-ad/im-rotator2. /im-popup/* /im.cams. +/ima/ads_ /imaads. /imads.js /image/ad/* @@ -106862,6 +110852,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /img/_ad. /img/ad- /img/ad. +/img/ad/* /img/ad_ /img/ads/* /img/adv. @@ -106875,6 +110866,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /imgad. /imgad? /imgad_ +/imgAdITN. /imgads/* /imgaffl/* /imgs/ad/* @@ -106886,6 +110878,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /impop. /impopup/* /inad. +/inc/ad- /inc/ad. /inc/ads/* /inc_ad. @@ -106929,6 +110922,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /internetad/* /interstitial-ad. /interstitial-ad/* +/interstitial_ad. /intextadd/* /intextads. /introduction_ad. @@ -106940,6 +110934,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /ip-advertising/* /ipadad. /iprom-ad/* +/iqadcontroller. /irc_ad_ /ireel/ad*.jpg /is.php?ipua_id=*&search_id= @@ -107034,7 +111029,9 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /leadads/* /leader_ad. /leaderad. +/leaderboard-advert. /leaderboard_ad/* +/leaderboard_adv/* /leaderboardad. /leaderboardadblock. /leaderboardads. @@ -107048,6 +111045,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /leftbanner/* /leftsidebarads. /lib/ad.js +/library/ads/* /lifeshowad/* /lightad. /lightboxad^ @@ -107134,6 +111132,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /metsbanner. /mgid-ad- /mgid-header. +/mgid.html /microad. /microads/* /microsofttag/* @@ -107172,6 +111171,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /modules/ad/* /modules/ad_ /modules/ads/* +/modules/adv/* /modules/doubleclick/* /modules_ads. /momsads. @@ -107203,8 +111203,10 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /mylayer-ad/* /mysimpleads/* /n/adv_ +/n4403ad. /n_ads/* /namediaad. +/nativeads- /nativeads/* /navad/* /navads/* @@ -107310,9 +111312,11 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /openx_ /openxtag. /optonlineadcode. +/opxads. /orbitads. /origin-ad- /other/ads/* +/outbrain-min. /overlay-ad. /overlay_ad_ /overlayad. @@ -107331,6 +111335,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /page/ad/* /pagead/ads? /pagead/gen_ +/pagead2. /pagead46. /pagead? /pageadimg/* @@ -107402,7 +111407,9 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /phpadsnew/* /phpbanner/banner_ /pic/ads/* +/pic_adv/* /pickle-adsystem/* +/pics/ads/* /picture/ad/* /pictureads/* /pictures/ads/* @@ -107532,8 +111539,9 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /pub/ad/* /pub/ads/* /pub_images/*$third-party -/pubad.$domain=~cbs.com -/pubads.$domain=~cbs.com +/pubad. +/pubads. +/pubads_ /public/ad/* /public/ad? /public/ads/* @@ -107559,6 +111567,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /r_ads/* /radioAdEmbed. /radioadembedgenre. +/radioAdEmbedGPT. /radopenx? /rail_ad_ /railad. @@ -107610,6 +111619,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /remove-ads. /remove_ads. /render-ad/* +/repeat_adv. /report_ad. /report_ad_ /requestadvertisement. @@ -107746,6 +111756,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /show_ads_ /showad. /showad/* +/showAd300- /showAd300. /showad_ /showadcode. @@ -107843,6 +111854,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /small_ad. /small_ads/* /smallad- +/smalladblockbg- /smalltopl. /smart-ad-server. /smartad- @@ -107852,6 +111864,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /smartadserver. /smartlinks.epl? /smb/ads/* +/smeadvertisement/* /smedia/ad/* /SmpAds. /socialads. @@ -107880,6 +111893,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /spons_links_ /sponser. /sponseredlinksros. +/sponsers.cgi /sponsimages/* /sponslink_ /sponsor%20banners/* @@ -107912,6 +111926,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /sponsored_title. /sponsored_top. /sponsoredads/* +/sponsoredbanner/* /sponsoredcontent. /sponsoredheadline. /sponsoredlinks. @@ -107991,6 +112006,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /switchadbanner. /SWMAdPlayer. /synad2. +/synad3. /syndication/ad. /sys/ad/* /system/ad/* @@ -108020,6 +112036,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /templateadvimages/* /templates/ad. /templates/ads/* +/templates/adv_ /testads/* /testingad. /text_ad. @@ -108051,11 +112068,13 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /tii_ads. /tikilink? /tileads/* +/tinlads. /tinyad. /tit-ads. /title-ad/* /title_ad. /tizers.php? +/tl.ads- /tmnadsense- /tmnadsense. /tmo/ads/* @@ -108091,6 +112110,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /topads3. /topads_ /topads| +/topadv. /topadvert. /topleftads. /topperad. @@ -108139,6 +112159,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /ucstat. /ugoads. /ugoads_inner. +/ui/ads/* /ui/adv. /ui/adv_ /uk.ads. @@ -108167,6 +112188,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /utep_ad.js /v5/ads/* /v9/adv/* +/vads/* /valueclick-ad. /valueclick. /valueclickbanner. @@ -108234,6 +112256,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /wallpaper_ads/* /wallpaperads/* /watchit_ad. +/wave-ad- /wbadvert/* /weather-sponsor/* /weather/ads/* @@ -108256,7 +112279,6 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /webadverts/* /webmailad. /webmaster_ads/* -/webservices/jsparselinks.aspx?$script /weeklyAdsLabel. /welcome_ad. /welcomead. @@ -108294,6 +112316,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /wp_ad_250_ /wpads/iframe. /wpbanners_show.php +/wpproads. /wrapper/ads/* /writelayerad. /wwe_ads. @@ -108315,14 +112338,17 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] /xmladparser. /xnxx-ads. /xpiads. -/xtendmedia. +/xtendmedia.$domain=~xtendmedia.dk /xxxmatch_ /yads- /yads. /yads/* /yads_ +/yahoo-ad- /yahoo-ads/* +/yahoo/ads. /yahoo_overture. +/YahooAd_ /yahooads. /yahooads/* /yahooadsapi. @@ -108391,6 +112417,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] =adcenter& =adcode& =adexpert& +=adlabs& =admeld& =adMenu& =admodeliframe& @@ -108423,6 +112450,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] =showsearchgoogleads& =simpleads/ =tickerReportAdCallback_ +=web&ads= =webad2& ?*=x55g%3add4vv4fy. ?action=ads& @@ -108461,6 +112489,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] ?advertiserid=$domain=~outbrain.com ?advertising= ?advideo_ +?advsystem= ?advtile= ?advurl= ?adx= @@ -108468,6 +112497,7 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] ?banner.id= ?banner_id= ?bannerid= +?bannerXGroupId= ?dfpadname= ?file=ads& ?g1t2h=*&t1m2k3= @@ -108485,10 +112515,12 @@ focus.de##div\[id^="adsdf_"] + div\[class] > div\[align="center"] + \[class] ?type=oas_pop& ?view=ad& ?wm=*&prm=rev& +?wpproadszoneid= ?ZoneID=*&PageID=*&SiteID= ?ZoneID=*&Task=*&SiteID= ^fp=*&prvtof= ^mod=wms&do=view_*&zone= +^pid=Ads^ _125ad. _160_ad_ _160x550. @@ -108521,9 +112553,11 @@ _ad6. _ad728x90. _ad9. _ad?darttag= +_ad?size= _ad_125x125. _ad_2012. _ad_300. +_ad_350x250. _ad_actron. _ad_background. _ad_banner. @@ -108544,6 +112578,7 @@ _ad_controller. _ad_count. _ad_count= _ad_courier. +_ad_div= _ad_domain_ _ad_end_ _ad_engine/ @@ -108623,6 +112658,7 @@ _adcall_ _adchoice. _adchoices. _adcom. +_adcontent/ _adcount= _adengage. _adengage_ @@ -108668,6 +112704,7 @@ _ads/js/ _ads/square/ _ads1. _ads2. +_ads3. _ads? _ads_cached. _ads_contextualtargeting_ @@ -108722,11 +112759,14 @@ _adtop. _adtxt. _adunit. _adv/300. +_adv/leaderboard_ _adv/overlay/ _Adv_Banner_ _advert. _advert/ _advert1. +_advert_1. +_advert_2. _advert_label. _advert_overview. _advert_vert @@ -108801,6 +112841,7 @@ _custom_ad_ _dart_ads. _dart_interstitial. _dashad_ +_dfp.php? _displayad_ _displaytopads. _doubleclick. @@ -108813,6 +112854,7 @@ _engine_ads_ _english/adv/ _externalad. _fach_ad. +_fbadbookingsystem& _feast_ad. _files/ad. _fixed_ad. @@ -108821,6 +112863,7 @@ _floatingad_ _footer_ad_ _framed_ad/ _friendlyduck. +_fullscreen_ad. _gads_bottom. _gads_footer. _gads_top. @@ -108852,12 +112895,14 @@ _index_ad. _inlineads. _js/ads.js _jtads/ +_juiceadv. _juicyads. _layerad. _leaderboard_ad_ _left_ad. _link_ads- _live/ad/ +_load_ad? _logadslot& _longad_ _mailLoginAd. @@ -108874,6 +112919,7 @@ _openx. _openx/ _org_ad. _overlay_ad. +_paid_ads/ _paidadvert_ _panel_ads. _partner_ad. @@ -108889,6 +112935,7 @@ _popunder_ _popupunder. _post_ads. _preorderad. +_prime_ad. _promo_ad/ _psu_ad. _radio_ad_ @@ -108949,6 +112996,7 @@ _videoad. _vodaaffi_ _web-advert. _Web_ad. +_web_ad_ _webad. _webad_ _WebBannerAd_ @@ -108964,15 +113012,22 @@ takeover_banner_ ||online.*/promoredirect?key= ||ox-d.*^auid= ||serve.*/promoload? +! linkbucks.com script +/webservices/jsparselinks.aspx?$script +! Common adserver string +/mediahosting.engine$script,third-party +/Tag.engine$script,third-party ! White papers insert /sl/assetlisting/? ! Peel script /jquery.peelback.js ! Anti-Adblock +/ad-blocker.js /adb_detector. /adblock-blocker/* /adblock_detector. /adblock_detector2. +/adblock_logger. /adblockdetect. /adblockdetection. /adbuddy. @@ -109567,13 +113622,17 @@ _a468x60. .com/ads?$popup .engine?PlacementId=$popup /?placement=*&redirect$popup +/ad.php?tag=$popup /ad.php|$popup /ad/window.php?$popup +/ad132m/*$popup /ad_pop.php?$popup /adclick.$popup /AdHandler.aspx?$popup /ads.htm$popup +/adServe/sa?cid=$popup /adserver.$popup +/adstream_sx.ads/*$popup /advlink.$popup /afu.php?$popup /bani/index.php?id=$popup @@ -109585,6 +113644,7 @@ _a468x60. /promoredirect?*&campaign=*&zone=$popup /punder.php$popup /realmedia/ads/*$popup +/Redirect.eng?$popup /Redirect.engine$popup /servlet/ajrotator/*$popup /spopunder^$popup @@ -109807,7 +113867,9 @@ _popunder+$popup ###Ads_BA_BUT_box ###Ads_BA_CAD ###Ads_BA_CAD2 +###Ads_BA_CAD2_Text ###Ads_BA_CAD_box +###Ads_BA_FLB ###Ads_BA_SKY ###Ads_CAD ###Ads_OV_BS @@ -110037,6 +114099,8 @@ _popunder+$popup ###Meebo\:AdElement\.Root ###MidPageAds ###Module-From_Advertisers +###MyAdHeader +###MyAdSky ###NavAD ###Nightly_adContainer ###NormalAdModule @@ -110177,27 +114241,40 @@ _popunder+$popup ###ad-0 ###ad-1 ###ad-1000x90-1 +###ad-109 +###ad-118 ###ad-120-left ###ad-120x600-1 ###ad-120x600-other ###ad-120x600-sidebar ###ad-120x60Div ###ad-125x125 +###ad-13 +###ad-133 +###ad-143 ###ad-160 ###ad-160-long ###ad-160x600 ###ad-160x600-sidebar ###ad-160x600-wrapper +###ad-162 +###ad-17 ###ad-170 ###ad-180x150-1 +###ad-19 +###ad-197 ###ad-2 ###ad-2-160x600 +###ad-21 +###ad-213 ###ad-220x90-1 ###ad-230x100-1 ###ad-240x400-1 ###ad-240x400-2 ###ad-250 ###ad-250x300 +###ad-28 +###ad-29 ###ad-3 ###ad-3-300x250 ###ad-300 @@ -110222,13 +114299,17 @@ _popunder+$popup ###ad-300x40-2 ###ad-300x40-5 ###ad-300x60-1 +###ad-32 ###ad-320 ###ad-336 ###ad-350 +###ad-37 ###ad-376x280 ###ad-4 ###ad-4-300x90 ###ad-5-images +###ad-55 +###ad-63 ###ad-635x40-1 ###ad-655 ###ad-7 @@ -110239,9 +114320,11 @@ _popunder+$popup ###ad-728x90-leaderboard-top ###ad-728x90-top ###ad-728x90-top0 +###ad-74 ###ad-88 ###ad-88-wrap ###ad-970 +###ad-98 ###ad-a ###ad-a1 ###ad-abs-b-0 @@ -110340,12 +114423,14 @@ _popunder+$popup ###ad-double-spotlight-container ###ad-e-container ###ad-ear +###ad-extra-flat ###ad-f-container ###ad-featured-right ###ad-first-post ###ad-five ###ad-five-75x50s ###ad-flex-first +###ad-flex-top ###ad-footer ###ad-footer-728x90 ###ad-footprint-160x600 @@ -110375,6 +114460,7 @@ _popunder+$popup ###ad-homepage-content-well ###ad-homepage-top-wrapper ###ad-horizontal-header +###ad-horizontal-top ###ad-img ###ad-in-post ###ad-index @@ -110413,6 +114499,7 @@ _popunder+$popup ###ad-main-bottom ###ad-main-top ###ad-makeup +###ad-manager ###ad-manager-ad-bottom-0 ###ad-manager-ad-top-0 ###ad-medium @@ -110462,6 +114549,7 @@ _popunder+$popup ###ad-rectangle ###ad-rectangle-flag ###ad-rectangle1 +###ad-rectangle1-outer ###ad-rectangle2 ###ad-rectangle3 ###ad-region-1 @@ -110505,6 +114593,7 @@ _popunder+$popup ###ad-sla-sidebar300x250 ###ad-slot-1 ###ad-slot-2 +###ad-slot-4 ###ad-slot-right ###ad-slot1 ###ad-slug-wrapper @@ -110604,6 +114693,7 @@ _popunder+$popup ###ad1_top-left ###ad2-home ###ad2-label +###ad2-original-placeholder ###ad250 ###ad260x60 ###ad2CONT @@ -110766,6 +114856,7 @@ _popunder+$popup ###adFixFooter ###adFlashDiv ###adFooter +###adFooterTitel ###adFot ###adFoxBanner ###adFps @@ -110789,6 +114880,7 @@ _popunder+$popup ###adHolder6 ###adIframe ###adInBetweenPosts +###adInCopy ###adInstoryOneWrap ###adInstoryTwoWrap ###adInteractive1 @@ -110983,6 +115075,9 @@ _popunder+$popup ###adTower1 ###adTower2 ###adTwo +###adUn_1 +###adUn_2 +###adUn_3 ###adUnit ###adValue ###adVcss @@ -111269,6 +115364,7 @@ _popunder+$popup ###ad_horseshoe_top ###ad_hotpots ###ad_houseslot1_desktop +###ad_iframe_160_by_600_middle ###ad_iframe_300 ###ad_img ###ad_img_banner @@ -111339,9 +115435,11 @@ _popunder+$popup ###ad_mpu ###ad_mpu2 ###ad_mpu300x250 +###ad_mpu_1 ###ad_mpuav ###ad_mrcontent ###ad_mrec +###ad_myFrame ###ad_netpromo ###ad_new ###ad_newsletter @@ -111396,6 +115494,8 @@ _popunder+$popup ###ad_rightSidebarSecondBanner ###ad_right_1 ###ad_right_box +###ad_right_column1_1 +###ad_right_column2_1 ###ad_right_content_article_page ###ad_right_content_home ###ad_right_main @@ -111432,6 +115532,7 @@ _popunder+$popup ###ad_sidebar_top ###ad_silo ###ad_sitebar +###ad_skin ###ad_sky ###ad_sky1 ###ad_sky2 @@ -111541,6 +115642,12 @@ _popunder+$popup ###adbannerright ###adbannerwidget ###adbar +###adbar_ad_1_div +###adbar_ad_2_div +###adbar_ad_3_div +###adbar_ad_4_div +###adbar_ads_container_div +###adbar_main_div ###adbarbox ###adbard ###adbg_ad_0 @@ -111591,6 +115698,7 @@ _popunder+$popup ###adbritebottom ###adbutton ###adbuttons +###adcarousel ###adcatfish ###adcell ###adcenter @@ -111706,6 +115814,15 @@ _popunder+$popup ###adleaderboardb ###adleaderboardb_flex ###adleft +###adlink-13 +###adlink-133 +###adlink-19 +###adlink-197 +###adlink-213 +###adlink-28 +###adlink-55 +###adlink-74 +###adlink-98 ###adlinks ###adlinkws ###adlove @@ -111784,6 +115901,8 @@ _popunder+$popup ###adrotate_widgets-5 ###adrotate_widgets-6 ###adrotate_widgets-7 +###adrow +###adrow-house ###adrow1 ###adrow3 ###ads-1 @@ -111846,6 +115965,8 @@ _popunder+$popup ###ads-middle ###ads-mn ###ads-mpu +###ads-outer +###ads-panel ###ads-prices ###ads-rhs ###ads-right @@ -111874,6 +115995,8 @@ _popunder+$popup ###ads120_600-widget-2 ###ads125 ###ads160_600-widget-3 +###ads160_600-widget-5 +###ads160_600-widget-7 ###ads160left ###ads2 ###ads250_250-widget-2 @@ -111881,8 +116004,12 @@ _popunder+$popup ###ads300-250 ###ads300Bottom ###ads300Top +###ads300_250-widget-10 +###ads300_250-widget-11 ###ads300_250-widget-2 ###ads300_250-widget-3 +###ads300_250-widget-4 +###ads300_250-widget-6 ###ads300hp ###ads300k ###ads300x200 @@ -112009,6 +116136,7 @@ _popunder+$popup ###ads_mads_r2 ###ads_medrect ###ads_notice +###ads_pave ###ads_place ###ads_player ###ads_player_audio @@ -112023,6 +116151,7 @@ _popunder+$popup ###ads_side ###ads_sidebar_bgnd ###ads_sidebar_roadblock +###ads_sky ###ads_slide_div ###ads_space ###ads_space_header @@ -112117,6 +116246,7 @@ _popunder+$popup ###adsense_300x250 ###adsense_article_bottom ###adsense_article_left +###adsense_banner_top ###adsense_block ###adsense_block_238x200 ###adsense_block_350x320 @@ -112131,6 +116261,7 @@ _popunder+$popup ###adsense_leaderboard ###adsense_overlay ###adsense_placeholder_2 +###adsense_sidebar ###adsense_testa ###adsense_top ###adsense_unit5 @@ -112144,6 +116275,7 @@ _popunder+$popup ###adsensequadr ###adsenseskyscraper ###adsensetext +###adsensetopmobile ###adsensetopplay ###adsensewide ###adsensewidget-3 @@ -112183,6 +116315,10 @@ _popunder+$popup ###adslot1202 ###adslot2 ###adslot3 +###adslot_c2 +###adslot_m1 +###adslot_m2 +###adslot_m3 ###adsmiddle ###adsonar ###adsonarBlock @@ -112228,6 +116364,8 @@ _popunder+$popup ###adspot-300x125 ###adspot-300x250-pos-1 ###adspot-300x250-pos-2 +###adspot-300x250-pos1 +###adspot-300x600-pos1 ###adspot-468x60-pos-2 ###adspot-620x270-pos-1 ###adspot-620x45-pos-1 @@ -112294,10 +116432,12 @@ _popunder+$popup ###adtopbanner ###adtopbox ###adtophp +###adtrafficright ###adtxt ###adunderpicture ###adunit ###adunit300x500 +###adunit_video ###adunitl ###adv-01 ###adv-300 @@ -112332,10 +116472,12 @@ _popunder+$popup ###adv130x195 ###adv160x600 ###adv170 +###adv2_ban ###adv300bottom ###adv300top ###adv300x250 ###adv300x250container +###adv3_ban ###adv468x90 ###adv728 ###adv728x90 @@ -112355,6 +116497,7 @@ _popunder+$popup ###adv_300x250_2 ###adv_300x250_3 ###adv_468x60_content +###adv_5 ###adv_52 ###adv_6 ###adv_62 @@ -112363,10 +116506,12 @@ _popunder+$popup ###adv_70 ###adv_71 ###adv_728 +###adv_728x90 ###adv_73 ###adv_94 ###adv_96 ###adv_97 +###adv_98 ###adv_Reload ###adv_Skin ###adv_banner_featured @@ -112403,6 +116548,7 @@ _popunder+$popup ###adv_videobox ###adv_wallpaper ###adv_wallpaper2 +###adv_wideleaderboard ###adver ###adver-top ###adver1 @@ -112564,7 +116710,9 @@ _popunder+$popup ###advertisementblock1 ###advertisementblock2 ###advertisementblock3 +###advertisements_bottom ###advertisements_sidebar +###advertisements_top ###advertisementsarticle ###advertisementsxml ###advertiser-container @@ -112632,6 +116780,7 @@ _popunder+$popup ###advertsingle ###advertspace ###advertssection +###adverttop ###advetisement_300x250 ###advframe ###advgeoul @@ -112648,6 +116797,8 @@ _popunder+$popup ###advx3_banner ###adwhitepaperwidget ###adwidget +###adwidget-5 +###adwidget-6 ###adwidget1 ###adwidget2 ###adwidget2_hidden @@ -112715,6 +116866,7 @@ _popunder+$popup ###alert_ads ###amazon-ads ###amazon_bsa_block +###ami_ad_cntnr ###amsSparkleAdFeedback ###analytics_ad ###analytics_banner @@ -112758,6 +116910,8 @@ _popunder+$popup ###article_LeftAdWords ###article_SponsoredLinks ###article_ad +###article_ad_1 +###article_ad_3 ###article_ad_bottom ###article_ad_bottom_cont ###article_ad_container @@ -112854,6 +117008,7 @@ _popunder+$popup ###bannerAdLInk ###bannerAdRight3 ###bannerAdTop +###bannerAdWrap ###bannerAdWrapper ###bannerAd_ctr ###bannerAd_rdr @@ -112889,6 +117044,7 @@ _popunder+$popup ###banneradrow ###bannerads ###banneradspace +###banneradvert3 ###barAdWrapper ###baseAdvertising ###baseboard-ad @@ -112905,6 +117061,7 @@ _popunder+$popup ###belowAd ###belowContactBoxAd ###belowNodeAds +###below_comments_ad_holder ###below_content_ad_container ###belowad ###belowheaderad @@ -112956,6 +117113,7 @@ _popunder+$popup ###block-advertisement ###block-dart-dart-tag-ad_top_728x90 ###block-dart-dart-tag-gfc-ad-top-2 +###block-dctv-ad-banners-wrapper ###block-dfp-skyscraper_left_1 ###block-dfp-skyscraper_left_2 ###block-display-ads-leaderboard @@ -112965,6 +117123,7 @@ _popunder+$popup ###block-fan-ad-fan-ad-front-leaderboard-bottom ###block-fan-ad-fan-ad-front-medrec-top ###block-google-ads +###block-ibtimestv-player-companion-ad ###block-localcom-localcom-ads ###block-openads-0 ###block-openads-1 @@ -113062,6 +117221,7 @@ _popunder+$popup ###bottom-ad-wrapper ###bottom-add ###bottom-ads +###bottom-ads-container ###bottom-adspot ###bottom-advertising ###bottom-article-ad-336x280 @@ -113105,8 +117265,10 @@ _popunder+$popup ###bottom_advert_container ###bottom_adwrapper ###bottom_banner_ad +###bottom_ex_ad_holder ###bottom_leader_ad ###bottom_overture +###bottom_player_adv ###bottom_sponsor_ads ###bottom_sponsored_links ###bottom_text_ad @@ -113136,6 +117298,7 @@ _popunder+$popup ###box-googleadsense-r ###box1ad ###box2ad +###boxAD ###boxAd ###boxAd300 ###boxAdContainer @@ -113174,6 +117337,7 @@ _popunder+$popup ###browsead ###bsaadvert ###bsap_aplink +###btm_ads ###btmad ###btmsponsoredcontent ###btnAds @@ -113215,6 +117379,7 @@ _popunder+$popup ###cb-ad ###cb_medrect1_div ###cbs-video-ad-overlay +###cbz-ads-text-link ###cbz-comm-advert-1 ###cellAd ###center-ad @@ -113227,6 +117392,8 @@ _popunder+$popup ###central-ads ###cgp-bigbox-ad ###ch-ads +###channel-ads-300-box +###channel-ads-300x600-box ###channel_ad ###channel_ads ###chartAdWrap @@ -113334,6 +117501,7 @@ _popunder+$popup ###content-right-ad ###contentAd ###contentAdSense +###contentAdTwo ###contentAds ###contentAds300x200 ###contentAds300x250 @@ -113376,6 +117544,7 @@ _popunder+$popup ###content_box_adright300_google ###content_lower_center_right_ad ###content_mpu +###content_right_ad ###content_right_area_ads ###content_right_side_advertisement_on_top_wrapper ###contentad @@ -113504,6 +117673,7 @@ _popunder+$popup ###ctl00_topAd ###ctl00_ucAffiliateAdvertDisplay_pnlAffiliateAdvert ###ctl00_ucFooter_ucFooterBanner_divAdvertisement +###ctl08_ad1 ###ctl_bottom_ad ###ctl_bottom_ad1 ###ctr-ad @@ -113537,6 +117707,7 @@ _popunder+$popup ###dart_160x600 ###dart_300x250 ###dart_ad_block +###dart_ad_island ###dartad11 ###dartad13 ###dartad16 @@ -113563,6 +117734,7 @@ _popunder+$popup ###ddAd ###ddAdZone2 ###defer-adright +###desktop-aside-ad-container ###detail_page_vid_topads ###devil-ad ###dfp-ad-1 @@ -113635,6 +117807,7 @@ _popunder+$popup ###dfp-ad-stamp_3-wrapper ###dfp-ad-stamp_4 ###dfp-ad-stamp_4-wrapper +###dfp-ad-top ###dfp-ad-tower_1 ###dfp-ad-tower_1-wrapper ###dfp-ad-tower_2 @@ -113698,6 +117871,7 @@ _popunder+$popup ###div-ad-leaderboard ###div-ad-r ###div-ad-r1 +###div-ad-top ###div-adid-4000 ###div-vip-ad-banner ###divAd @@ -113717,6 +117891,7 @@ _popunder+$popup ###divAdvertisement ###divAdvertisingSection ###divArticleInnerAd +###divBannerTopAds ###divBottomad1 ###divBottomad2 ###divDoubleAd @@ -113749,6 +117924,7 @@ _popunder+$popup ###divuppercenterad ###divupperrightad ###dlads +###dmRosAdWrapper-MainNorth ###dmRosAdWrapper-east ###dni-advertising-skyscraper-wrapper ###dni-header-ad @@ -113773,6 +117949,8 @@ _popunder+$popup ###doubleClickAds_bottom_skyscraper ###doubleClickAds_top_banner ###doubleclick-island +###download-leaderboard-ad-bottom +###download-leaderboard-ad-top ###downloadAd ###download_ad ###download_ads @@ -113819,6 +117997,8 @@ _popunder+$popup ###feature_ad ###feature_adlinks ###featuread +###featured-ad-left +###featured-ad-right ###featured-ads ###featured-advertisements ###featuredAdContainer2 @@ -113972,6 +118152,7 @@ _popunder+$popup ###g_ad ###g_adsense ###ga_300x250 +###gad300x250 ###gads300x250 ###gads_middle ###galleries-tower-ad @@ -114035,6 +118216,7 @@ _popunder+$popup ###google-ads-bottom ###google-ads-bottom-container ###google-ads-container +###google-ads-container1 ###google-ads-header ###google-ads-left-side ###google-adsense @@ -114070,10 +118252,14 @@ _popunder+$popup ###googleSubAds ###googleTxtAD ###google_ad +###google_ad_468x60_contnr ###google_ad_EIRU_newsblock +###google_ad_below_stry ###google_ad_container +###google_ad_container_right_side_bar ###google_ad_inline ###google_ad_test +###google_ad_top ###google_ads ###google_ads_1 ###google_ads_aCol @@ -114110,6 +118296,7 @@ _popunder+$popup ###googlead01 ###googlead2 ###googlead_outside +###googleadbig ###googleadleft ###googleads ###googleads1 @@ -114147,6 +118334,7 @@ _popunder+$popup ###gwt-debug-ad ###h-ads ###hAd +###hAdv ###h_ads0 ###h_ads1 ###half-page-ad @@ -114329,6 +118517,7 @@ _popunder+$popup ###homepage-adbar ###homepage-footer-ad ###homepage-header-ad +###homepage-right-rail-ad ###homepage-sidebar-ads ###homepageAd ###homepageAdsTop @@ -114374,6 +118563,7 @@ _popunder+$popup ###hp_ad300x250 ###hp_right_ad_300 ###i_ads_table +###iaa_ad ###ibt_local_ad728 ###icePage_SearchLinks_AdRightDiv ###icePage_SearchLinks_DownloadToolbarAdRightDiv @@ -114406,6 +118596,9 @@ _popunder+$popup ###im_box ###im_popupDiv ###im_popupFixed +###ima_ads-2 +###ima_ads-3 +###ima_ads-4 ###image_selector_ad ###imageadsbox ###imgCollContentAdIFrame @@ -114427,6 +118620,7 @@ _popunder+$popup ###indiv_adsense ###influads_block ###infoBottomAd +###injectableTopAd ###inline-ad ###inline-advert ###inline-story-ad @@ -114479,6 +118673,8 @@ _popunder+$popup ###iqadoverlay ###iqadtile1 ###iqadtile11 +###iqadtile14 +###iqadtile15 ###iqadtile2 ###iqadtile3 ###iqadtile4 @@ -114511,6 +118707,7 @@ _popunder+$popup ###joead ###joead2 ###js-ad-leaderboard +###js-image-ad-mpu ###js_adsense ###jt-advert ###jupiter-ads @@ -114733,6 +118930,7 @@ _popunder+$popup ###main_AD ###main_ad ###main_ads +###main_content_ad ###main_left_side_ads ###main_rec_ad ###main_top_ad @@ -114817,6 +119015,7 @@ _popunder+$popup ###midbnrad ###midcolumn_ad ###middle-ad +###middle-ad-destin ###middle-story-ad-container ###middleRightColumnAdvert ###middle_ad @@ -114835,6 +119034,7 @@ _popunder+$popup ###mini-ad ###mini-panel-dart_stamp_ads ###mini-panel-dfp_stamp_ads +###mini-panel-two_column_ads ###miniAdsAd ###mini_ads_inset ###mn_ads @@ -114866,6 +119066,9 @@ _popunder+$popup ###movieads ###mozo-ad ###mph-rightad +###mpr-ad-leader +###mpr-ad-wrapper-1 +###mpr-ad-wrapper-2 ###mpu-ad ###mpu-advert ###mpu-cont @@ -114921,6 +119124,7 @@ _popunder+$popup ###my-adsFPL ###my-adsFPT ###my-adsLREC +###my-adsMAST ###my-medium-rectangle-ad-1-container ###my-medium-rectangle-ad-2-container ###myAd @@ -115103,6 +119307,7 @@ _popunder+$popup ###plAds ###player-advert ###player-below-advert +###player-midrollAd ###playerAd ###playerAdsRight ###player_ad @@ -115174,6 +119379,11 @@ _popunder+$popup ###printads ###privateadbox ###privateads +###pro_ads_custom_widgets-2 +###pro_ads_custom_widgets-3 +###pro_ads_custom_widgets-5 +###pro_ads_custom_widgets-7 +###pro_ads_custom_widgets-8 ###product-adsense ###profileAdHeader ###proj-bottom-ad @@ -115181,6 +119391,7 @@ _popunder+$popup ###promoAds ###promoFloatAd ###promo_ads +###ps-ad-iframe ###ps-top-ads-sponsored ###ps-vertical-ads ###psmpopup @@ -115198,6 +119409,7 @@ _popunder+$popup ###pusher-ad ###pvadscontainer ###qaSideAd +###qadserve_728x90_StayOn_div ###qm-ad-big-box ###qm-ad-sky ###qm-dvdad @@ -115224,6 +119436,7 @@ _popunder+$popup ###rail_ad2 ###rbAdWrapperRt ###rbAdWrapperTop +###rc_edu_span5AdDiv ###rd_banner_ad ###reader-ad-container ###realEstateAds @@ -115240,6 +119453,8 @@ _popunder+$popup ###rectangle_ad_smallgame ###redirect-ad ###redirect-ad-modal +###redirect_ad_1_div +###redirect_ad_2_div ###reference-ad ###refine-300-ad ###refine-ad @@ -115357,6 +119572,7 @@ _popunder+$popup ###right_mini_ad ###right_panel_ads ###right_rail_ad_header +###right_side_bar_ami_ad ###right_sidebar_ads ###right_top_gad ###rightad @@ -115415,6 +119631,7 @@ _popunder+$popup ###rt-ad468 ###rtAdvertisement ###rtMod_ad +###rt_side_top_google_ad ###rtcol_advert_1 ###rtcol_advert_2 ###rtm_div_562 @@ -115460,6 +119677,7 @@ _popunder+$popup ###search_ad ###search_ads ###search_result_ad +###searchresult_advert_right ###searchsponsor ###sec_adspace ###second-adframe @@ -115484,6 +119702,7 @@ _popunder+$popup ###section-blog-ad ###section-container-ddc_ads ###section-pagetop-ad +###section-sub-ad ###section_ad ###section_advertisements ###section_advertorial_feature @@ -115503,6 +119722,7 @@ _popunder+$popup ###sew_advertbody ###sgAdHeader ###sgAdScGp160x600 +###shellnavAd ###shoppingads ###shortads ###shortnews_advert @@ -115583,6 +119803,7 @@ _popunder+$popup ###sidebar-ads-content ###sidebar-ads-narrow ###sidebar-ads-wide +###sidebar-ads-wrapper ###sidebar-adspace ###sidebar-adv ###sidebar-advertise-text @@ -115590,6 +119811,7 @@ _popunder+$popup ###sidebar-banner300 ###sidebar-left-ad ###sidebar-long-advertise +###sidebar-main-ad ###sidebar-post-120x120-banner ###sidebar-post-300x250-banner ###sidebar-scroll-ad-container @@ -115612,6 +119834,7 @@ _popunder+$popup ###sidebarTowerAds ###sidebar_ad ###sidebar_ad_1 +###sidebar_ad_adam ###sidebar_ad_container ###sidebar_ad_top ###sidebar_ad_widget @@ -115625,6 +119848,8 @@ _popunder+$popup ###sidebar_topad ###sidebar_txt_ad_links ###sidebarad +###sidebarad_300x600-33 +###sidebarad_300x600-4 ###sidebaradpane ###sidebaradsense ###sidebaradver_advertistxt @@ -115653,6 +119878,8 @@ _popunder+$popup ###site-sponsors ###siteAdHeader ###site_body_header_banner_ad +###site_bottom_ad_div +###site_content_ad_div ###site_top_ad ###sitead ###sitemap_ad_left @@ -115816,6 +120043,7 @@ _popunder+$popup ###sponsored_link ###sponsored_link_bottom ###sponsored_links +###sponsored_native_ad ###sponsored_v12 ###sponsoredads ###sponsoredlinks @@ -115868,6 +120096,7 @@ _popunder+$popup ###squareAdWrap ###squareAds ###square_ad +###square_lat_adv ###squaread ###squareadAdvertiseHere ###squared_ad @@ -115945,6 +120174,7 @@ _popunder+$popup ###td-GblHdrAds ###td-applet-ads_2_container ###td-applet-ads_container +###tdBannerTopAds ###tdGoogleAds ###td_adunit1 ###td_adunit1_wrapper @@ -116012,9 +120242,11 @@ _popunder+$popup ###top-ad-banner ###top-ad-container ###top-ad-content +###top-ad-left-spot ###top-ad-menu ###top-ad-position-inner ###top-ad-rect +###top-ad-right-spot ###top-ad-unit ###top-ad-wrapper ###top-adblock @@ -116071,6 +120303,7 @@ _popunder+$popup ###topBannerAdContainer ###topContentAdTeaser ###topImgAd +###topLBAd ###topLeaderAdAreaPageSkin ###topLeaderboardAd ###topMPU @@ -116114,7 +120347,9 @@ _popunder+$popup ###top_advertising ###top_container_ad ###top_content_ad_inner_container +###top_google_ad_container ###top_google_ads +###top_header_ad_wrapper ###top_mpu ###top_mpu_ad ###top_rectangle_ad @@ -116258,6 +120493,7 @@ _popunder+$popup ###videoPlayerAdLayer ###video_ads_background ###video_ads_overdiv +###video_adv ###video_advert ###video_advert2 ###video_advert3 @@ -116352,6 +120588,7 @@ _popunder+$popup ###wp-topAds ###wp125adwrap_2c ###wp_ad_marker +###wp_pro_ad_system_ad_zone ###wrapAd ###wrapAdRight ###wrapAdTop @@ -116368,6 +120605,7 @@ _popunder+$popup ###x300_ad ###xColAds ###xlAd +###xybrad ###y-ad-units ###y708-ad-expedia ###y708-ad-lrec @@ -116380,6 +120618,8 @@ _popunder+$popup ###yahoo-sponsors ###yahooAdsBottom ###yahooSponsored +###yahoo_ad +###yahoo_ad_contanr ###yahoo_ads ###yahoo_sponsor_links ###yahoo_sponsor_links_title @@ -116459,6 +120699,7 @@ _popunder+$popup ##.Ad-Container ##.Ad-Container-976x166 ##.Ad-Header +##.Ad-IframeWrap ##.Ad-MPU ##.Ad-Wrapper-300x100 ##.Ad-label @@ -116515,6 +120756,7 @@ _popunder+$popup ##.AdSenseLeft ##.AdSidebar ##.AdSlot +##.AdSlotHeader ##.AdSpace ##.AdTextSmallFont ##.AdTitle @@ -116544,6 +120786,8 @@ _popunder+$popup ##.Ad_Right ##.Ad_Tit ##.Ad_container +##.Adbuttons +##.Adbuttons-sidebar ##.AdnetBox ##.Ads-768x90 ##.AdsBottom @@ -116593,6 +120837,7 @@ _popunder+$popup ##.Banner468X60 ##.BannerAD728 ##.BannerAd +##.Banner_Group ##.Banner_Group_Ad_Label ##.BigBoxAd ##.BigBoxAdLabel @@ -116703,11 +120948,13 @@ _popunder+$popup ##.Main_right_Adv_incl ##.MarketGid_container ##.MasterLeftContentColumnThreeColumnAdLeft +##.MbanAd ##.MediumRectangleAdPanel ##.MiddleAd ##.MiddleAdContainer ##.MiddleAdvert ##.MspAd +##.NAPmarketAdvert ##.NewsAds ##.OAS_position_TopLeft ##.OSOasAdModule @@ -116742,6 +120989,7 @@ _popunder+$popup ##.RightAdvertiseArea ##.RightAdvertisement ##.RightGoogleAFC +##.RightGoogleAd ##.RightRailAd ##.RightRailAdbg ##.RightRailAdtext @@ -116829,11 +121077,14 @@ _popunder+$popup ##.YEN_Ads_125 ##.ZventsSponsoredLabel ##.ZventsSponsoredList +##.__xX20sponsored20banners ##._bannerAds ##._bottom_ad_wrapper ##._top_ad_wrapper ##.a-d-container ##.a160x600 +##.a300x250 +##.a468x60 ##.a728x90 ##.aa_AdAnnouncement ##.aa_ad-160x600 @@ -116855,11 +121106,15 @@ _popunder+$popup ##.acm_ad_zones ##.ad--300 ##.ad--468 +##.ad--article-top ##.ad--dart +##.ad--footer +##.ad--google ##.ad--inner ##.ad--large ##.ad--leaderboard ##.ad--mpu +##.ad--top-label ##.ad-1 ##.ad-120-60 ##.ad-120-600-inner @@ -116885,6 +121140,7 @@ _popunder+$popup ##.ad-200-big ##.ad-200-small ##.ad-200x200 +##.ad-228x94 ##.ad-234 ##.ad-246x90 ##.ad-250 @@ -116948,6 +121204,7 @@ _popunder+$popup ##.ad-CUSTOM ##.ad-E ##.ad-LREC +##.ad-MPU ##.ad-MediumRectangle ##.ad-RR ##.ad-S @@ -116969,6 +121226,7 @@ _popunder+$popup ##.ad-b ##.ad-background ##.ad-banner +##.ad-banner-300 ##.ad-banner-bkgd ##.ad-banner-container ##.ad-banner-label @@ -116978,6 +121236,7 @@ _popunder+$popup ##.ad-banner-top ##.ad-banner-top-wrapper ##.ad-banner728-top +##.ad-banr ##.ad-bar ##.ad-below-player ##.ad-belowarticle @@ -117039,6 +121298,7 @@ _popunder+$popup ##.ad-choices ##.ad-circ ##.ad-click +##.ad-cluster ##.ad-codes ##.ad-col ##.ad-col-02 @@ -117057,6 +121317,7 @@ _popunder+$popup ##.ad-container-LEADER ##.ad-container-bot ##.ad-container-dk +##.ad-container-embedded ##.ad-container-leaderboard ##.ad-container-responsive ##.ad-container-right @@ -117071,6 +121332,8 @@ _popunder+$popup ##.ad-context ##.ad-d ##.ad-desktop +##.ad-dfp-column +##.ad-dfp-row ##.ad-disclaimer ##.ad-display ##.ad-div @@ -117125,8 +121388,10 @@ _popunder+$popup ##.ad-homepage-1 ##.ad-homepage-2 ##.ad-hor +##.ad-horizontal-top ##.ad-iab-txt ##.ad-icon +##.ad-identifier ##.ad-iframe ##.ad-imagehold ##.ad-img @@ -117138,6 +121403,8 @@ _popunder+$popup ##.ad-inline ##.ad-inner ##.ad-innr +##.ad-insert +##.ad-inserter ##.ad-internal ##.ad-interruptor ##.ad-island @@ -117180,6 +121447,7 @@ _popunder+$popup ##.ad-manager-ad ##.ad-marker ##.ad-marketplace +##.ad-marketplace-horizontal ##.ad-marketswidget ##.ad-med ##.ad-med-rec @@ -117202,6 +121470,7 @@ _popunder+$popup ##.ad-mpu ##.ad-mpu-bottom ##.ad-mpu-middle +##.ad-mpu-middle2 ##.ad-mpu-placeholder ##.ad-mpu-plus-top ##.ad-mpu-top @@ -117229,6 +121498,9 @@ _popunder+$popup ##.ad-pagehead ##.ad-panel ##.ad-panorama +##.ad-parallax-wrap +##.ad-parent-hockey +##.ad-passback-o-rama ##.ad-pb ##.ad-peg ##.ad-permalink @@ -117253,6 +121525,7 @@ _popunder+$popup ##.ad-r ##.ad-rail ##.ad-rect +##.ad-rect-atf-01 ##.ad-rect-top-right ##.ad-rectangle ##.ad-rectangle-banner @@ -117260,6 +121533,7 @@ _popunder+$popup ##.ad-rectangle-long-sky ##.ad-rectangle-text ##.ad-rectangle-wide +##.ad-rectangle-xs ##.ad-region-delay-load ##.ad-related ##.ad-relatedbottom @@ -117331,6 +121605,7 @@ _popunder+$popup ##.ad-sponsor-text ##.ad-sponsored-links ##.ad-sponsored-post +##.ad-sponsors ##.ad-spot ##.ad-spotlight ##.ad-square @@ -117388,6 +121663,7 @@ _popunder+$popup ##.ad-unit-anchor ##.ad-unit-container ##.ad-unit-inline-center +##.ad-unit-medium-retangle ##.ad-unit-mpu ##.ad-unit-top ##.ad-update @@ -117399,12 +121675,15 @@ _popunder+$popup ##.ad-vertical-stack-ad ##.ad-vtu ##.ad-w300 +##.ad-wallpaper-panorama-container ##.ad-warning ##.ad-wgt ##.ad-wide ##.ad-widget +##.ad-widget-area ##.ad-widget-list ##.ad-windowshade-full +##.ad-wings__link ##.ad-with-background ##.ad-with-us ##.ad-wrap @@ -117489,6 +121768,7 @@ _popunder+$popup ##.ad300_ver2 ##.ad300b ##.ad300banner +##.ad300mrec1 ##.ad300shows ##.ad300top ##.ad300w @@ -117550,14 +121830,18 @@ _popunder+$popup ##.ad620x70 ##.ad626X35 ##.ad640x480 +##.ad640x60 ##.ad644 ##.ad650x140 +##.ad652 ##.ad670x83 ##.ad728 ##.ad72890 ##.ad728By90 ##.ad728_90 ##.ad728_blk +##.ad728_cont +##.ad728_wrap ##.ad728cont ##.ad728h ##.ad728x90 @@ -117575,6 +121859,8 @@ _popunder+$popup ##.ad940x30 ##.ad954x60 ##.ad960 +##.ad960x185 +##.ad960x90 ##.ad970x30 ##.ad970x90 ##.ad980 @@ -117583,6 +121869,7 @@ _popunder+$popup ##.ad987 ##.adAgate ##.adAlert +##.adAlone300 ##.adArea ##.adArea674x60 ##.adAreaLC @@ -117696,6 +121983,7 @@ _popunder+$popup ##.adCs ##.adCube ##.adDialog +##.adDingT ##.adDiv ##.adDivSmall ##.adElement @@ -117743,6 +122031,7 @@ _popunder+$popup ##.adIsland ##.adItem ##.adLabel +##.adLabel160x600 ##.adLabel300x250 ##.adLabelLine ##.adLabels @@ -117825,6 +122114,7 @@ _popunder+$popup ##.adSection ##.adSection_rt ##.adSelfServiceAdvertiseLink +##.adSenceImagePush ##.adSense ##.adSepDiv ##.adServer @@ -117963,6 +122253,7 @@ _popunder+$popup ##.ad_300x600 ##.ad_320x250_async ##.ad_320x360 +##.ad_326x260 ##.ad_330x110 ##.ad_336 ##.ad_336_gr_white @@ -118002,12 +122293,15 @@ _popunder+$popup ##.ad_954-60 ##.ad_960 ##.ad_970x90_prog +##.ad_980x260 ##.ad_CustomAd ##.ad_Flex ##.ad_Left ##.ad_Right +##.ad__label ##.ad__rectangle ##.ad__wrapper +##.ad_a ##.ad_adInfo ##.ad_ad_160 ##.ad_ad_300 @@ -118100,7 +122394,12 @@ _popunder+$popup ##.ad_contain ##.ad_container ##.ad_container_300x250 +##.ad_container_5 +##.ad_container_6 +##.ad_container_7 ##.ad_container_728x90 +##.ad_container_8 +##.ad_container_9 ##.ad_container__sidebar ##.ad_container__top ##.ad_container_body @@ -118116,6 +122415,7 @@ _popunder+$popup ##.ad_desktop ##.ad_disclaimer ##.ad_div_banner +##.ad_embed ##.ad_eniro ##.ad_entry_title_under ##.ad_entrylists_end @@ -118190,6 +122490,7 @@ _popunder+$popup ##.ad_leader_plus_top ##.ad_leaderboard ##.ad_leaderboard_top +##.ad_left_cell ##.ad_left_column ##.ad_lft ##.ad_line @@ -118278,6 +122579,7 @@ _popunder+$popup ##.ad_reminder ##.ad_report_btn ##.ad_rightSky +##.ad_right_cell ##.ad_right_col ##.ad_right_column ##.ad_right_column160 @@ -118302,6 +122604,7 @@ _popunder+$popup ##.ad_skyscraper ##.ad_skyscrapper ##.ad_slot +##.ad_slot_right ##.ad_slug ##.ad_slug_font ##.ad_slug_healthgrades @@ -118317,6 +122620,7 @@ _popunder+$popup ##.ad_space_w300_h250 ##.ad_spacer ##.ad_special_badge +##.ad_spons_box ##.ad_sponsor ##.ad_sponsor_fp ##.ad_sponsoredlinks @@ -118371,6 +122675,7 @@ _popunder+$popup ##.ad_url ##.ad_v2 ##.ad_v3 +##.ad_v300 ##.ad_vertisement ##.ad_w300i ##.ad_w_us_a300 @@ -118397,6 +122702,7 @@ _popunder+$popup ##.adbadge ##.adban-hold-narrow ##.adbanner +##.adbanner-300-250 ##.adbanner1 ##.adbanner2nd ##.adbannerbox @@ -118411,6 +122717,7 @@ _popunder+$popup ##.adblade ##.adblade-container ##.adbladeimg +##.adblk ##.adblock-240-400 ##.adblock-300-300 ##.adblock-600-120 @@ -118440,6 +122747,7 @@ _popunder+$popup ##.adbox-box ##.adbox-outer ##.adbox-rectangle +##.adbox-slider ##.adbox-title ##.adbox-topbanner ##.adbox-wrapper @@ -118542,6 +122850,7 @@ _popunder+$popup ##.adframe_banner ##.adframe_rectangle ##.adfree +##.adgear ##.adgear-bb ##.adgear_header ##.adgeletti-ad-div @@ -118601,12 +122910,14 @@ _popunder+$popup ##.adlsot ##.admain ##.adman +##.admaster ##.admediumred ##.admedrec ##.admeldBoxAd ##.admessage ##.admiddle ##.admiddlesidebar +##.administer-ad ##.admods ##.admodule ##.admoduleB @@ -118616,6 +122927,7 @@ _popunder+$popup ##.adnation-banner ##.adnet120 ##.adnet_area +##.adnotecenter ##.adnotice ##.adocean728x90 ##.adonmedianama @@ -118677,6 +122989,7 @@ _popunder+$popup ##.ads-3 ##.ads-300 ##.ads-300-250 +##.ads-300-box ##.ads-300x250 ##.ads-300x300 ##.ads-300x80 @@ -118684,6 +122997,7 @@ _popunder+$popup ##.ads-468 ##.ads-468x60-bordered ##.ads-560-65 +##.ads-600-box ##.ads-728-90 ##.ads-728by90 ##.ads-728x90 @@ -118704,9 +123018,11 @@ _popunder+$popup ##.ads-bg ##.ads-bigbox ##.ads-block +##.ads-block-bottom-wrap ##.ads-block-link-000 ##.ads-block-link-text ##.ads-block-marketplace-container +##.ads-border ##.ads-bottom ##.ads-bottom-block ##.ads-box @@ -118756,6 +123072,7 @@ _popunder+$popup ##.ads-medium-rect ##.ads-middle ##.ads-middle-top +##.ads-mini ##.ads-module ##.ads-movie ##.ads-mpu @@ -118774,6 +123091,7 @@ _popunder+$popup ##.ads-rotate ##.ads-scroller-box ##.ads-section +##.ads-side ##.ads-sidebar ##.ads-sidebar-boxad ##.ads-single @@ -118822,6 +123140,8 @@ _popunder+$popup ##.ads14 ##.ads15 ##.ads160 +##.ads160-600 +##.ads160_600-widget ##.ads160x600 ##.ads180x150 ##.ads1_250 @@ -118847,6 +123167,8 @@ _popunder+$popup ##.ads300x250-thumb ##.ads315 ##.ads320x100 +##.ads324-wrapper +##.ads324-wrapper2ads ##.ads336_280 ##.ads336x280 ##.ads4 @@ -118911,11 +123233,14 @@ _popunder+$popup ##.adsWidget ##.adsWithUs ##.adsYN +##.ads_1 ##.ads_120x60 ##.ads_120x60_index ##.ads_125_square ##.ads_160 ##.ads_180 +##.ads_2 +##.ads_3 ##.ads_300 ##.ads_300250_wrapper ##.ads_300x100 @@ -118928,6 +123253,7 @@ _popunder+$popup ##.ads_330 ##.ads_337x280 ##.ads_3col +##.ads_4 ##.ads_460up ##.ads_468 ##.ads_468x60 @@ -118977,10 +123303,12 @@ _popunder+$popup ##.ads_folat_left ##.ads_foot ##.ads_footer +##.ads_footerad ##.ads_frame_wrapper ##.ads_google ##.ads_h ##.ads_header +##.ads_header_bottom ##.ads_holder ##.ads_horizontal ##.ads_infoBtns @@ -118998,6 +123326,8 @@ _popunder+$popup ##.ads_main ##.ads_main_hp ##.ads_medrect +##.ads_middle +##.ads_middle_container ##.ads_mpu ##.ads_mpu_small ##.ads_obrazek @@ -119010,6 +123340,7 @@ _popunder+$popup ##.ads_post_start_code ##.ads_r ##.ads_rectangle +##.ads_rem ##.ads_remove ##.ads_right ##.ads_rightbar_top @@ -119028,6 +123359,7 @@ _popunder+$popup ##.ads_singlepost ##.ads_slice ##.ads_small_rectangle +##.ads_space_long ##.ads_spacer ##.ads_square ##.ads_takeover @@ -119060,8 +123392,10 @@ _popunder+$popup ##.adsbantop ##.adsbar ##.adsbg300 +##.adsblock ##.adsblockvert ##.adsbnr +##.adsbody ##.adsborder ##.adsbottom ##.adsbottombox @@ -119136,10 +123470,12 @@ _popunder+$popup ##.adsense-widget ##.adsense-widget-horizontal ##.adsense1 +##.adsense160x600 ##.adsense250 ##.adsense3 ##.adsense300 ##.adsense728 +##.adsense728x90 ##.adsenseAds ##.adsenseBlock ##.adsenseContainer @@ -119181,6 +123517,7 @@ _popunder+$popup ##.adsensebig ##.adsenseblock_bottom ##.adsenseblock_top +##.adsenseformat ##.adsenseframe ##.adsenseleaderboard ##.adsenselr @@ -119224,11 +123561,13 @@ _popunder+$popup ##.adslist ##.adslogan ##.adslot +##.adslot-mpu ##.adslot-widget ##.adslot_1 ##.adslot_300 ##.adslot_728 ##.adslot_blurred +##.adslot_bot_300x250 ##.adslothead ##.adslotleft ##.adslotright @@ -119241,6 +123580,7 @@ _popunder+$popup ##.adsmedrectright ##.adsmessage ##.adsnippet_widget +##.adsns ##.adsonar-after ##.adspace ##.adspace-300x600 @@ -119319,6 +123659,7 @@ _popunder+$popup ##.adtops ##.adtower ##.adtravel +##.adtv_300_250 ##.adtxt ##.adtxtlinks ##.adult-adv @@ -119357,7 +123698,10 @@ _popunder+$popup ##.adv-banner ##.adv-block ##.adv-border +##.adv-bottom +##.adv-box ##.adv-box-wrapper +##.adv-click ##.adv-cont ##.adv-container ##.adv-dvb @@ -119382,6 +123726,7 @@ _popunder+$popup ##.adv-squarebox-banner ##.adv-teaser-divider ##.adv-top +##.adv-top-container ##.adv-x61 ##.adv200 ##.adv250 @@ -119431,6 +123776,7 @@ _popunder+$popup ##.adv_aff ##.adv_banner ##.adv_banner_hor +##.adv_bg ##.adv_box_narrow ##.adv_cnt ##.adv_code @@ -119470,6 +123816,7 @@ _popunder+$popup ##.advbptxt ##.adver ##.adver-left +##.adver-text ##.adverTag ##.adverTxt ##.adver_bot @@ -119516,6 +123863,7 @@ _popunder+$popup ##.advert-detail ##.advert-featured ##.advert-footer +##.advert-full-raw ##.advert-group ##.advert-head ##.advert-home-380x120 @@ -119534,10 +123882,12 @@ _popunder+$popup ##.advert-overlay ##.advert-pane ##.advert-right +##.advert-section ##.advert-sky ##.advert-skyscraper ##.advert-stub ##.advert-text +##.advert-three ##.advert-tile ##.advert-title ##.advert-top @@ -119617,6 +123967,7 @@ _popunder+$popup ##.advert_main ##.advert_main_bottom ##.advert_mpu_body_hdr +##.advert_nav ##.advert_note ##.advert_small ##.advert_societe_general @@ -119685,6 +124036,7 @@ _popunder+$popup ##.advertisement-bottom ##.advertisement-caption ##.advertisement-content +##.advertisement-copy ##.advertisement-dashed ##.advertisement-header ##.advertisement-label @@ -119809,6 +124161,7 @@ _popunder+$popup ##.advertisment_two ##.advertize ##.advertize_here +##.advertlabel ##.advertleft ##.advertnotice ##.advertorial @@ -119860,20 +124213,30 @@ _popunder+$popup ##.adword-structure ##.adword-text ##.adword-title +##.adword1 ##.adwordListings ##.adwords ##.adwords-container ##.adwordsHeader ##.adwords_in_content ##.adwrap +##.adwrap-widget ##.adwrapper-lrec ##.adwrapper1 ##.adwrapper948 +##.adxli ##.adz728x90 ##.adzone ##.adzone-footer ##.adzone-sidebar +##.adzone_ad_5 +##.adzone_ad_6 +##.adzone_ad_7 +##.adzone_ad_8 +##.adzone_ad_9 +##.afc-box ##.afffix-custom-ad +##.affiliate-ad ##.affiliate-footer ##.affiliate-link ##.affiliate-mrec-iframe @@ -119890,6 +124253,7 @@ _popunder+$popup ##.afsAdvertising ##.afsAdvertisingBottom ##.afs_ads +##.aftContentAdLeft ##.aftContentAdRight ##.after-post-ad ##.after_ad @@ -119911,6 +124275,8 @@ _popunder+$popup ##.alternatives_ad ##.amAdvert ##.am_ads +##.amsSparkleAdWrapper +##.anchor-ad-wrapper ##.anchorAd ##.annonce_textads ##.annons_themeBlock @@ -119925,6 +124291,7 @@ _popunder+$popup ##.apiAdMarkerAbove ##.apiAds ##.apiButtonAd +##.app-advertisements ##.app_advertising_skyscraper ##.apxContentAd ##.archive-ad @@ -119948,17 +124315,21 @@ _popunder+$popup ##.article-aside-ad ##.article-content-adwrap ##.article-header-ad -##.article-share-top ##.articleAd ##.articleAd300x250 ##.articleAdBlade +##.articleAdSlot2 +##.articleAdTop ##.articleAdTopRight ##.articleAds ##.articleAdsL ##.articleAdvert ##.articleEmbeddedAdBox ##.articleFooterAd +##.articleHeadAdRow +##.articleTopAd ##.article_ad +##.article_ad250 ##.article_ad_container2 ##.article_adbox ##.article_ads_banner @@ -119966,6 +124337,7 @@ _popunder+$popup ##.article_google_ads ##.article_inline_ad ##.article_inner_ad +##.article_middle_ad ##.article_mpu_box ##.article_page_ads_bottom ##.article_sponsored_links @@ -119987,10 +124359,14 @@ _popunder+$popup ##.aside_AD09 ##.aside_banner_ads ##.aside_google_ads +##.associated-ads ##.atf-ad-medRect ##.atf-ad-medrec ##.atf_ad_box +##.attachment-sidebar-ad +##.attachment-sidebarAd ##.attachment-sidebar_ad +##.attachment-squareAd ##.attachment-weather-header-ad ##.auction-nudge ##.autoshow-top-ad @@ -120036,6 +124412,7 @@ _popunder+$popup ##.banner-125 ##.banner-300 ##.banner-300x250 +##.banner-300x600 ##.banner-468 ##.banner-468-60 ##.banner-468x60 @@ -120043,6 +124420,7 @@ _popunder+$popup ##.banner-728x90 ##.banner-ad ##.banner-ad-300x250 +##.banner-ad-footer ##.banner-ad-row ##.banner-ad-space ##.banner-ad-wrapper @@ -120132,6 +124510,7 @@ _popunder+$popup ##.bannergroup-ads ##.banneritem-ads ##.banneritem_ad +##.bar_ad ##.barkerAd ##.base-ad-mpu ##.base_ad @@ -120171,6 +124550,7 @@ _popunder+$popup ##.big_ad ##.big_ads ##.big_center_ad +##.big_rectangle_page_ad ##.bigad ##.bigad1 ##.bigad2 @@ -120198,6 +124578,7 @@ _popunder+$popup ##.blocAdInfo ##.bloc_adsense_acc ##.block--ad-superleaderboard +##.block--ads ##.block--simpleads ##.block--views-premium-ad-slideshow-block ##.block-ad @@ -120208,6 +124589,7 @@ _popunder+$popup ##.block-admanager ##.block-ads ##.block-ads-bottom +##.block-ads-home ##.block-ads-top ##.block-ads1 ##.block-ads2 @@ -120219,7 +124601,9 @@ _popunder+$popup ##.block-adspace-full ##.block-advertisement ##.block-advertising +##.block-adzerk ##.block-altads +##.block-ami-ads ##.block-bf_ads ##.block-bg-advertisement ##.block-bg-advertisement-region-1 @@ -120253,6 +124637,7 @@ _popunder+$popup ##.block-openx ##.block-reklama ##.block-simpleads +##.block-skyscraper-ad ##.block-sn-ad-blog-wrapper ##.block-sponsor ##.block-sponsored-links @@ -120260,6 +124645,7 @@ _popunder+$popup ##.block-vh-adjuggler ##.block-wtg_adtech ##.block-zagat_ads +##.block1--ads ##.blockAd ##.blockAds ##.blockAdvertise @@ -120272,7 +124658,9 @@ _popunder+$popup ##.block_ad_sponsored_links_localized ##.block_ad_sponsored_links_localized-wrapper ##.block_ads +##.block_adslot ##.block_adv +##.block_advert ##.blockad ##.blocked-ads ##.blockrightsmallads @@ -120350,6 +124738,7 @@ _popunder+$popup ##.bottomAdBlock ##.bottomAds ##.bottomAdvTxt +##.bottomAdvert ##.bottomAdvertisement ##.bottomAdvt ##.bottomArticleAds @@ -120363,8 +124752,10 @@ _popunder+$popup ##.bottom_ad_placeholder ##.bottom_adbreak ##.bottom_ads +##.bottom_ads_wrapper_inner ##.bottom_adsense ##.bottom_advert_728x90 +##.bottom_advertise ##.bottom_banner_ad ##.bottom_banner_advert_text ##.bottom_bar_ads @@ -120374,9 +124765,11 @@ _popunder+$popup ##.bottom_sponsor ##.bottomad ##.bottomad-bg +##.bottomadarea ##.bottomads ##.bottomadtop ##.bottomadvert +##.bottomadwords ##.bottombarad ##.bottomleader ##.bottomleader-ad-wrapper @@ -120391,6 +124784,7 @@ _popunder+$popup ##.box-ads ##.box-ads-small ##.box-adsense +##.box-adv-300-home ##.box-adv-social ##.box-advert ##.box-advert-sponsored @@ -120422,6 +124816,8 @@ _popunder+$popup ##.box_ads ##.box_ads728x90_holder ##.box_adv +##.box_adv1 +##.box_adv2 ##.box_adv_728 ##.box_adv_new ##.box_advertising @@ -120480,10 +124876,15 @@ _popunder+$popup ##.btn-ad ##.btn-newad ##.btn_ad +##.budget_ads_1 +##.budget_ads_2 +##.budget_ads_3 +##.budget_ads_bg ##.bullet-sponsored-links ##.bullet-sponsored-links-gray ##.bunyad-ad ##.burstContentAdIndex +##.businessads ##.busrep_poll_and_ad_container ##.button-ad ##.button-ads @@ -120535,6 +124936,8 @@ _popunder+$popup ##.category-advertorial ##.categorySponsorAd ##.category__big_game_container_body_games_advertising +##.categoryfirstad +##.categoryfirstadwrap ##.categorypage_ad1 ##.categorypage_ad2 ##.catfish_ad @@ -120589,8 +124992,10 @@ _popunder+$popup ##.classifiedAdThree ##.clearerad ##.client-ad +##.close-ad-wrapper ##.close2play-ads ##.cm-ad +##.cm-ad-row ##.cm-hero-ad ##.cm-rp01-ad ##.cm-rp02-ad @@ -120606,6 +125011,7 @@ _popunder+$popup ##.cmTeaseAdSponsoredLinks ##.cm_ads ##.cmam_responsive_ad_widget_class +##.cmg-ads ##.cms-Advert ##.cnAdContainer ##.cn_ad_placement @@ -120670,6 +125076,7 @@ _popunder+$popup ##.companionAd ##.companion_ad ##.compareBrokersAds +##.component-sponsored-links ##.conTSponsored ##.con_widget_advertising ##.conductor_ad @@ -120716,6 +125123,7 @@ _popunder+$popup ##.contentTopAd ##.contentTopAdSmall ##.contentTopAds +##.content_468_ad ##.content_ad ##.content_ad_728 ##.content_ad_head @@ -120733,16 +125141,19 @@ _popunder+$popup ##.contentad-home ##.contentad300x250 ##.contentad_right_col +##.contentadarticle ##.contentadfloatl ##.contentadleft ##.contentads1 ##.contentads2 ##.contentadstartpage +##.contentadstop1 ##.contentleftad ##.contentpage_searchad ##.contents-ads-bottom-left ##.contenttextad ##.contentwellad +##.contentwidgetads ##.contest_ad ##.context-ads ##.contextualAds @@ -120789,6 +125200,7 @@ _popunder+$popup ##.custom-ad ##.custom-ad-container ##.custom-ads +##.custom-advert-banner ##.customAd ##.custom_ads ##.custom_banner_ad @@ -120806,6 +125218,7 @@ _popunder+$popup ##.dart-ad-grid ##.dart-ad-taboola ##.dart-ad-title +##.dart-advertisement ##.dart-leaderboard ##.dart-leaderboard-top ##.dart-medsquare @@ -120818,12 +125231,19 @@ _popunder+$popup ##.dartadbanner ##.dartadvert ##.dartiframe +##.datafile-ad ##.dc-ad +##.dc-banner +##.dc-half-banner +##.dc-widget-adv-125 ##.dcAdvertHeader ##.deckAd ##.deckads ##.desktop-ad +##.desktop-aside-ad ##.desktop-aside-ad-hide +##.desktop-postcontentad-wrapper +##.desktop_ad ##.detail-ads ##.detailMpu ##.detailSidebar-adPanel @@ -120831,11 +125251,22 @@ _popunder+$popup ##.detail_article_ad ##.detail_top_advert ##.devil-ad-spot +##.dfad +##.dfad_first +##.dfad_last +##.dfad_pos_1 +##.dfad_pos_2 +##.dfad_pos_3 +##.dfad_pos_4 +##.dfad_pos_5 +##.dfad_pos_6 +##.dfads-javascript-load ##.dfp-ad ##.dfp-ad-advert_mpu_body_1 ##.dfp-ad-unit ##.dfp-ad-widget ##.dfp-banner +##.dfp-leaderboard ##.dfp-plugin-advert ##.dfp_ad ##.dfp_ad_caption @@ -120847,6 +125278,7 @@ _popunder+$popup ##.diggable-ad-sponsored ##.display-ad ##.display-ads-block +##.display-advertisement ##.displayAd ##.displayAd728x90Js ##.displayAdCode @@ -120884,9 +125316,11 @@ _popunder+$popup ##.dlSponsoredLinks ##.dm-ads-125 ##.dm-ads-350 +##.dmRosMBAdBox ##.dmco_advert_iabrighttitle ##.dod_ad ##.double-ad +##.double-click-ad ##.double-square-ad ##.doubleGoogleTextAd ##.double_adsense @@ -120973,15 +125407,18 @@ _popunder+$popup ##.fbPhotoSnowboxAds ##.fblockad ##.fc_splash_ad +##.fd-display-ad ##.feat_ads ##.featureAd ##.feature_ad ##.featured-ad +##.featured-ads ##.featured-sponsors ##.featuredAdBox ##.featuredAds ##.featuredBoxAD ##.featured_ad +##.featured_ad_item ##.featured_advertisers_box ##.featuredadvertising ##.feedBottomAd @@ -120991,6 +125428,7 @@ _popunder+$popup ##.fireplaceadleft ##.fireplaceadright ##.fireplaceadtop +##.first-ad ##.first_ad ##.firstad ##.firstpost_advert @@ -121035,6 +125473,7 @@ _popunder+$popup ##.footer-ad-section ##.footer-ad-squares ##.footer-ads +##.footer-ads-wrapper ##.footer-adsbar ##.footer-adsense ##.footer-advert @@ -121084,6 +125523,7 @@ _popunder+$popup ##.four_percent_ad ##.fp_ad_text ##.frame_adv +##.framead ##.freedownload_ads ##.freegame_bottomad ##.frn_adbox @@ -121095,6 +125535,7 @@ _popunder+$popup ##.frontpage_ads ##.fs-ad-block ##.fs1-advertising +##.fs_ad_300x250 ##.ft-ad ##.ftdAdBar ##.ftdContentAd @@ -121112,7 +125553,10 @@ _popunder+$popup ##.fw-mod-ad ##.fwAdTags ##.g-ad +##.g-ad-slot +##.g-ad-slot-toptop ##.g-adblock3 +##.g-advertisement-block ##.g2-adsense ##.g3-adsense ##.g3rtn-ad-site @@ -121135,6 +125579,7 @@ _popunder+$popup ##.ga-textads-top ##.gaTeaserAds ##.gaTeaserAdsBox +##.gad_container ##.gads300x250 ##.gads_cb ##.gads_container @@ -121143,11 +125588,14 @@ _popunder+$popup ##.galleria-AdOverlay ##.gallery-ad ##.gallery-ad-holder +##.gallery-ad-wrapper ##.gallery-sidebar-ad ##.galleryAdvertPanel ##.galleryLeftAd ##.galleryRightAd ##.gallery_300x100_ad +##.gallery__aside-ad +##.gallery__footer-ad ##.gallery_ad ##.gallery_ads_box ##.galleryads @@ -121171,6 +125619,8 @@ _popunder+$popup ##.gamezebo_ad_info ##.gbl_adstruct ##.gbl_advertisement +##.gdgt-header-advertisement +##.gdgt-postb-advertisement ##.geeky_ad ##.gels-inlinead ##.gen_side_ad @@ -121186,6 +125636,7 @@ _popunder+$popup ##.ggadunit ##.ggadwrp ##.gglAds +##.gglads300 ##.gl_ad ##.glamsquaread ##.glance_banner_ad @@ -121195,6 +125646,7 @@ _popunder+$popup ##.global_banner_ad ##.gm-ad-lrec ##.gn_ads +##.go-ad ##.go-ads-widget-ads-wrap ##.goog_ad ##.googad @@ -121211,8 +125663,10 @@ _popunder+$popup ##.google-ads ##.google-ads-boxout ##.google-ads-group +##.google-ads-leaderboard ##.google-ads-long ##.google-ads-obj +##.google-ads-responsive ##.google-ads-right ##.google-ads-rodape ##.google-ads-sidebar @@ -121317,6 +125771,7 @@ _popunder+$popup ##.googlead_idx_h_97090 ##.googlead_iframe ##.googlead_outside +##.googleadbottom ##.googleadcontainer ##.googleaddiv ##.googleaddiv2 @@ -121341,6 +125796,8 @@ _popunder+$popup ##.gpAdBox ##.gpAdFooter ##.gpAds +##.gp_adbanner--bottom +##.gp_adbanner--top ##.gpadvert ##.gpt-ad ##.gpt-ads @@ -121467,22 +125924,29 @@ _popunder+$popup ##.headerad-placeholder ##.headeradarea ##.headeradhome +##.headeradinfo ##.headeradright ##.headerads ##.heading-ad-space +##.heatmapthemead_ad_widget ##.hero-ad ##.hi5-ad ##.hidden-ad ##.hideAdMessage +##.hidePauseAdZone ##.hide_ad ##.highlights-ad ##.highlightsAd ##.hl-post-center-ad ##.hm_advertisment +##.hm_top_right_google_ads +##.hm_top_right_google_ads_budget ##.hn-ads +##.home-300x250-ad ##.home-ad ##.home-ad-container ##.home-ad-links +##.home-ad728 ##.home-ads ##.home-ads-container ##.home-ads-container1 @@ -121492,6 +125956,7 @@ _popunder+$popup ##.home-features-ad ##.home-sidebar-ad-300 ##.home-sticky-ad +##.home-top-of-page__top-box-ad ##.home-top-right-ads ##.homeAd ##.homeAd1 @@ -121518,6 +125983,7 @@ _popunder+$popup ##.home_advert ##.home_advertisement ##.home_advertorial +##.home_box_latest_ads ##.home_mrec_ad ##.home_offer_adv ##.home_sidebar_ads @@ -121527,17 +125993,23 @@ _popunder+$popup ##.homead ##.homeadnews ##.homefront468Ad +##.homepage-300-250-ad ##.homepage-ad ##.homepage-ad-block-padding ##.homepage-ad-buzz-col ##.homepage-advertisement ##.homepage-footer-ad ##.homepage-footer-ads +##.homepage-right-rail-ad ##.homepage-sponsoredlinks-container ##.homepage300ad ##.homepageAd ##.homepageFlexAdOuter ##.homepageMPU +##.homepage__ad +##.homepage__ad--middle-leader-board +##.homepage__ad--top-leader-board +##.homepage__ad--top-mrec ##.homepage_ads ##.homepage_block_ad ##.homepage_middle_right_ad @@ -121549,6 +126021,7 @@ _popunder+$popup ##.horiz_adspace ##.horizontal-ad-holder ##.horizontalAd +##.horizontalAdText ##.horizontalAdvert ##.horizontal_ad ##.horizontal_adblock @@ -121621,6 +126094,8 @@ _popunder+$popup ##.im-topAds ##.image-ad-336 ##.image-advertisement +##.image-viewer-ad +##.image-viewer-mpu ##.imageAd ##.imageAdBoxTitle ##.imageads @@ -121640,6 +126115,7 @@ _popunder+$popup ##.inPageAd ##.inStoryAd-news2 ##.in_article_ad +##.in_content_ad_container ##.in_up_ad_game ##.indEntrySquareAd ##.indent-advertisement @@ -121662,6 +126138,7 @@ _popunder+$popup ##.ingridAd ##.inhouseAdUnit ##.inhousead +##.injectedAd ##.inline-ad ##.inline-ad-wrap ##.inline-ad-wrapper @@ -121701,6 +126178,7 @@ _popunder+$popup ##.innerpostadspace ##.inpostad ##.insert-advert-ver01 +##.insert-post-ads ##.insertAd_AdSlice ##.insertAd_Rectangle ##.insertAd_TextAdBreak @@ -121729,6 +126207,7 @@ _popunder+$popup ##.iprom-ad ##.ipsAd ##.iqadlinebottom +##.is-sponsored ##.is24-adplace ##.isAd ##.is_trackable_ad @@ -121749,6 +126228,8 @@ _popunder+$popup ##.itemAdvertise ##.item_ads ##.ja-ads +##.jalbum-ad-container +##.jam-ad ##.jimdoAdDisclaimer ##.jobkeywordads ##.jobs-ad-box @@ -121774,6 +126255,7 @@ _popunder+$popup ##.kw_advert_pair ##.l-ad-300 ##.l-ad-728 +##.l-adsense ##.l-bottom-ads ##.l-header-advertising ##.l300x250ad @@ -121860,6 +126342,7 @@ _popunder+$popup ##.leftAd_bottom_fmt ##.leftAd_top_fmt ##.leftAds +##.leftAdvert ##.leftCol_advert ##.leftColumnAd ##.left_300_ad @@ -121885,6 +126368,7 @@ _popunder+$popup ##.leftrighttopad ##.leftsidebar_ad ##.lefttopad1 +##.legacy-ads ##.legal-ad-choice-icon ##.lgRecAd ##.lg_ad @@ -121915,6 +126399,7 @@ _popunder+$popup ##.livingsocial-ad ##.ljad ##.llsAdContainer +##.lnad ##.loadadlater ##.local-ads ##.localad @@ -121956,6 +126441,7 @@ _popunder+$popup ##.m-advertisement ##.m-advertisement--container ##.m-layout-advertisement +##.m-mem--ad ##.m-sponsored ##.m4-adsbygoogle ##.mTopAd @@ -121982,8 +126468,17 @@ _popunder+$popup ##.mainLinkAd ##.mainRightAd ##.main_ad +##.main_ad_adzone_5_ad_0 +##.main_ad_adzone_6_ad_0 +##.main_ad_adzone_7_ad_0 +##.main_ad_adzone_7_ad_1 +##.main_ad_adzone_8_ad_0 +##.main_ad_adzone_8_ad_1 +##.main_ad_adzone_9_ad_0 +##.main_ad_adzone_9_ad_1 ##.main_ad_bg ##.main_ad_bg_div +##.main_ad_container ##.main_adbox ##.main_ads ##.main_adv @@ -122010,6 +126505,7 @@ _popunder+$popup ##.master_post_advert ##.masthead-ad ##.masthead-ad-control +##.masthead-ads ##.mastheadAds ##.masthead_ad_banner ##.masthead_ads_new @@ -122141,6 +126637,7 @@ _popunder+$popup ##.mod-vertical-ad ##.mod_ad ##.mod_ad_imu +##.mod_ad_top ##.mod_admodule ##.mod_ads ##.mod_openads @@ -122190,6 +126687,7 @@ _popunder+$popup ##.mp-ad ##.mpu-ad ##.mpu-ad-con +##.mpu-ad-top ##.mpu-advert ##.mpu-c ##.mpu-container-blank @@ -122243,6 +126741,7 @@ _popunder+$popup ##.mt-ad-container ##.mt-header-ads ##.mtv-adChoicesLogo +##.mtv-adv ##.multiadwrapper ##.mvAd ##.mvAdHdr @@ -122360,7 +126859,6 @@ _popunder+$popup ##.oasad ##.oasads ##.ob_ads_header -##.ob_ads_header + ul ##.ob_container .item-container-obpd ##.ob_dual_right > .ob_ads_header ~ .odb_div ##.oba_message @@ -122404,6 +126902,7 @@ _popunder+$popup ##.outbrain_ad_li ##.outbrain_dual_ad_whats_class ##.outbrain_ul_ad_top +##.outer-ad-container ##.outerAd_300x250_1 ##.outermainadtd1 ##.outgameadbox @@ -122426,6 +126925,7 @@ _popunder+$popup ##.p_topad ##.pa_ads_label ##.paddingBotAd +##.pads2 ##.padvertlabel ##.page-ad ##.page-ad-container @@ -122448,11 +126948,14 @@ _popunder+$popup ##.pagenavindexcontentad ##.pair_ads ##.pane-ad-block +##.pane-ad-manager-bottom-right-rail-circ ##.pane-ad-manager-middle ##.pane-ad-manager-middle1 +##.pane-ad-manager-right ##.pane-ad-manager-right1 ##.pane-ad-manager-right2 ##.pane-ad-manager-right3 +##.pane-ad-manager-shot-business-circ ##.pane-ad-manager-subscribe-now ##.pane-ads ##.pane-frontpage-ad-banner @@ -122464,6 +126967,7 @@ _popunder+$popup ##.pane-tw-ad-master-ad-300x250a ##.pane-tw-ad-master-ad-300x600 ##.pane-tw-adjuggler-tw-adjuggler-half-page-ad +##.pane-two-column-ads ##.pane_ad_wide ##.panel-ad ##.panel-advert @@ -122476,6 +126980,7 @@ _popunder+$popup ##.partner-ad ##.partner-ads-container ##.partnerAd +##.partnerAdTable ##.partner_ads ##.partnerad_container ##.partnersTextLinks @@ -122483,6 +126988,7 @@ _popunder+$popup ##.pb-f-ad-flex ##.pb-mod-ad-flex ##.pb-mod-ad-leaderboard +##.pc-ad ##.pd-ads-mpu ##.peg_ad ##.pencil-ad @@ -122512,6 +127018,7 @@ _popunder+$popup ##.player-under-ad ##.playerAd ##.player_ad +##.player_ad2 ##.player_ad_box ##.player_hover_ad ##.player_page_ad_box @@ -122571,16 +127078,19 @@ _popunder+$popup ##.postbit_adcode ##.postbody_ads ##.poster_ad +##.postfooterad ##.postgroup-ads ##.postgroup-ads-middle ##.power_by_sponsor ##.ppp_interior_ad ##.pq-ad ##.pr-ad-tower +##.pr-widget ##.pre-title-ad ##.prebodyads ##.premium-ad ##.premium-ads +##.premium-adv ##.premiumAdOverlay ##.premiumAdOverlayClose ##.premiumInHouseAd @@ -122592,6 +127102,7 @@ _popunder+$popup ##.primary-advertisment ##.primary_sidebar_ad ##.printAds +##.pro_ad_adzone ##.pro_ad_system_ad_container ##.pro_ad_zone ##.prod_grid_ad @@ -122611,6 +127122,7 @@ _popunder+$popup ##.promoboxAd ##.promotionTextAd ##.proof_ad +##.ps-ad ##.ps-ligatus_placeholder ##.pub_300x250 ##.pub_300x250m @@ -122656,6 +127168,7 @@ _popunder+$popup ##.r_ads ##.r_col_add ##.rad_container +##.raff_ad ##.rail-ad ##.rail-article-sponsored ##.rail_ad @@ -122668,6 +127181,7 @@ _popunder+$popup ##.rd_header_ads ##.rdio-homepage-widget ##.readerads +##.readermodeAd ##.realtor-ad ##.recentAds ##.recent_ad_holder @@ -122721,15 +127235,19 @@ _popunder+$popup ##.rel_ad_box ##.related-ad ##.related-ads +##.related-al-ads +##.related-al-content-w150-ads ##.related-guide-adsense ##.relatedAds ##.relatedContentAd ##.related_post_google_ad ##.relatesearchad ##.remads +##.remnant_ad ##.remove-ads ##.removeAdsLink ##.reportAdLink +##.residentialads ##.resourceImagetAd ##.respAds ##.responsive-ad @@ -122942,6 +127460,7 @@ _popunder+$popup ##.sb_adsW ##.sb_adsWv2 ##.sc-ad +##.sc_ad ##.sc_iframe_ad ##.scad ##.scanAd @@ -122962,7 +127481,11 @@ _popunder+$popup ##.searchAd ##.searchAdTop ##.searchAds +##.searchCenterBottomAds +##.searchCenterTopAds ##.searchResultAd +##.searchRightBottomAds +##.searchRightMiddleAds ##.searchSponsorItem ##.searchSponsoredResultsBox ##.searchSponsoredResultsList @@ -123007,6 +127530,7 @@ _popunder+$popup ##.shift-ad ##.shoppingGoogleAdSense ##.shortads +##.shortadvertisement ##.showAd ##.showAdContainer ##.showAd_No @@ -123014,6 +127538,7 @@ _popunder+$popup ##.showad_box ##.showcaseAd ##.showcasead +##.si-adRgt ##.sidbaread ##.side-ad ##.side-ad-120-bottom @@ -123028,6 +127553,7 @@ _popunder+$popup ##.side-ad-300-top ##.side-ad-big ##.side-ad-blocks +##.side-ad-container ##.side-ads ##.side-ads-block ##.side-ads-wide @@ -123042,12 +127568,14 @@ _popunder+$popup ##.sideBannerAdsLarge ##.sideBannerAdsSmall ##.sideBannerAdsXLarge +##.sideBarAd ##.sideBarCubeAd ##.sideBlockAd ##.sideBoxAd ##.sideBoxM1ad ##.sideBoxMiddleAd ##.sideBySideAds +##.sideToSideAd ##.side_300_ad ##.side_ad ##.side_ad2 @@ -123074,6 +127602,10 @@ _popunder+$popup ##.sidebar-ad ##.sidebar-ad-300 ##.sidebar-ad-300x250-cont +##.sidebar-ad-a +##.sidebar-ad-b +##.sidebar-ad-c +##.sidebar-ad-cont ##.sidebar-ad-container ##.sidebar-ad-container-1 ##.sidebar-ad-container-2 @@ -123098,6 +127630,7 @@ _popunder+$popup ##.sidebar-top-ad ##.sidebar300adblock ##.sidebarAd +##.sidebarAdBlock ##.sidebarAdNotice ##.sidebarAdUnit ##.sidebarAds300px @@ -123244,6 +127777,7 @@ _popunder+$popup ##.sml-item-ad ##.sn-ad-300x250 ##.snarcy-ad +##.snoadnetwork ##.social-ad ##.softronics-ad ##.southad @@ -123299,6 +127833,7 @@ _popunder+$popup ##.sponsor-left ##.sponsor-link ##.sponsor-links +##.sponsor-module-target ##.sponsor-post ##.sponsor-promo ##.sponsor-right @@ -123327,6 +127862,9 @@ _popunder+$popup ##.sponsorTitle ##.sponsorTxt ##.sponsor_ad +##.sponsor_ad1 +##.sponsor_ad2 +##.sponsor_ad3 ##.sponsor_ad_area ##.sponsor_advert_link ##.sponsor_area @@ -123337,6 +127875,7 @@ _popunder+$popup ##.sponsor_div ##.sponsor_div_title ##.sponsor_footer +##.sponsor_image ##.sponsor_label ##.sponsor_line ##.sponsor_links @@ -123371,6 +127910,7 @@ _popunder+$popup ##.sponsored-post ##.sponsored-post_ad ##.sponsored-result +##.sponsored-result-row-2 ##.sponsored-results ##.sponsored-right ##.sponsored-right-border @@ -123491,6 +128031,7 @@ _popunder+$popup ##.squareads ##.squared_ad ##.sr-adsense +##.sr-in-feed-ads ##.sr-side-ad-block ##.sr_google_ad ##.src_parts_gen_ad @@ -123527,6 +128068,8 @@ _popunder+$popup ##.storyInlineAdBlock ##.story_AD ##.story_ad_div +##.story_ads_right_spl +##.story_ads_right_spl_budget ##.story_body_advert ##.story_right_adv ##.storyad @@ -123566,6 +128109,7 @@ _popunder+$popup ##.supp-ads ##.support-adv ##.supportAdItem +##.support_ad ##.surveyad ##.syAd ##.syHdrBnrAd @@ -123595,6 +128139,7 @@ _popunder+$popup ##.tckr_adbrace ##.td-Adholder ##.td-TrafficWeatherWidgetAdGreyBrd +##.td-a-rec-id-custom_ad_1 ##.td-header-ad-wrap ##.td-header-sp-ads ##.tdAdHeader @@ -123618,6 +128163,7 @@ _popunder+$popup ##.text-ad-300 ##.text-ad-links ##.text-ad-links2 +##.text-ad-top ##.text-ads ##.text-advertisement ##.text-g-advertisement @@ -123681,6 +128227,7 @@ _popunder+$popup ##.thisisad ##.thread-ad ##.thread-ad-holder +##.threadAdsHeadlineData ##.three-ads ##.tibu_ad ##.ticket-ad @@ -123695,6 +128242,10 @@ _popunder+$popup ##.title_adbig ##.tj_ad_box ##.tj_ad_box_top +##.tl-ad +##.tl-ad-dfp +##.tl-ad-display-3 +##.tl-ad-render ##.tm_ad200_widget ##.tm_topads_468 ##.tm_widget_ad200px @@ -123722,8 +128273,10 @@ _popunder+$popup ##.top-ad-space ##.top-ad-unit ##.top-ad-wrapper +##.top-adbox ##.top-ads ##.top-ads-wrapper +##.top-adsense ##.top-adsense-banner ##.top-adspace ##.top-adv @@ -123784,6 +128337,7 @@ _popunder+$popup ##.top_ad_336x280 ##.top_ad_728 ##.top_ad_728_90 +##.top_ad_banner ##.top_ad_big ##.top_ad_disclaimer ##.top_ad_div @@ -123888,6 +128442,7 @@ _popunder+$popup ##.txt_ads ##.txtad_area ##.txtadvertise +##.tynt-ad-container ##.type_ads_default ##.type_adscontainer ##.type_miniad @@ -123931,6 +128486,7 @@ _popunder+$popup ##.vertad ##.vertical-adsense ##.verticalAd +##.verticalAdText ##.vertical_ad ##.vertical_ads ##.verticalad @@ -123948,7 +128504,9 @@ _popunder+$popup ##.video_ads_overdiv ##.video_ads_overdiv2 ##.video_advertisement_box +##.video_detail_box_ads ##.video_top_ad +##.view-adverts ##.view-image-ads ##.view-promo-mpu-right ##.view-site-ads @@ -124057,12 +128615,14 @@ _popunder+$popup ##.widget_adsensem ##.widget_adsensewidget ##.widget_adsingle +##.widget_adv_location ##.widget_advert_content ##.widget_advert_widget ##.widget_advertisement ##.widget_advertisements ##.widget_advertisment ##.widget_advwidget +##.widget_adwidget ##.widget_bestgoogleadsense ##.widget_boss_banner_ad ##.widget_catchbox_adwidget @@ -124073,11 +128633,14 @@ _popunder+$popup ##.widget_emads ##.widget_fearless_responsive_image_ad ##.widget_googleads +##.widget_ima_ads ##.widget_internationaladserverwidget ##.widget_ione-dart-ad ##.widget_island_ad ##.widget_maxbannerads +##.widget_nb-ads ##.widget_new_sponsored_content +##.widget_openxwpwidget ##.widget_plugrush_widget ##.widget_sdac_bottom_ad_widget ##.widget_sdac_companion_video_ad_widget @@ -124085,6 +128648,8 @@ _popunder+$popup ##.widget_sdac_skyscraper_ad_widget ##.widget_sdac_top_ad_widget ##.widget_sej_sidebar_ad +##.widget_sidebarad_300x250 +##.widget_sidebarad_300x600 ##.widget_sidebaradwidget ##.widget_sponsored_content ##.widget_uds-ads @@ -124117,7 +128682,9 @@ _popunder+$popup ##.wpfp_custom_ad ##.wpi_ads ##.wpn_ad_content +##.wpproadszone ##.wptouch-ad +##.wpx-bannerize ##.wrap-ads ##.wrap_boxad ##.wrapad @@ -124174,6 +128741,7 @@ _popunder+$popup ##.yahooad-urlline ##.yahooads ##.yahootextads_content_bottom +##.yam-plus-ad-container ##.yan-sponsored ##.yat-ad ##.yellow_ad @@ -124206,11 +128774,13 @@ _popunder+$popup ##.zc-grid-position-ad ##.zem_rp_promoted ##.zeti-ads -##A\[href^="//adbit.co/?a=Advertise&"] ##\[onclick^="window.open('http://adultfriendfinder.com/search/"] ##a\[data-redirect^="this.href='http://paid.outbrain.com/network/redir?"] ##a\[href$="/vghd.shtml"] ##a\[href*="/adrotate-out.php?"] +##a\[href^=" http://ads.ad-center.com/"] +##a\[href^="//adbit.co/?a=Advertise&"] +##a\[href^="//ads.ad-center.com/"] ##a\[href^="http://1phads.com/"] ##a\[href^="http://360ads.go2cloud.org/"] ##a\[href^="http://NowDownloadAll.com"] @@ -124220,12 +128790,14 @@ _popunder+$popup ##a\[href^="http://ad.doubleclick.net/"] ##a\[href^="http://ad.yieldmanager.com/"] ##a\[href^="http://adexprt.me/"] +##a\[href^="http://adf.ly/?id="] ##a\[href^="http://adfarm.mediaplex.com/"] ##a\[href^="http://adlev.neodatagroup.com/"] ##a\[href^="http://ads.activtrades.com/"] ##a\[href^="http://ads.ad-center.com/"] ##a\[href^="http://ads.affbuzzads.com/"] ##a\[href^="http://ads.betfair.com/redirect.aspx?"] +##a\[href^="http://ads.integral-marketing.com/"] ##a\[href^="http://ads.pheedo.com/"] ##a\[href^="http://ads2.williamhill.com/redirect.aspx?"] ##a\[href^="http://adserver.adtech.de/"] @@ -124246,15 +128818,20 @@ _popunder+$popup ##a\[href^="http://api.taboola.com/"]\[href*="/recommendations.notify-click?app.type="] ##a\[href^="http://at.atwola.com/"] ##a\[href^="http://banners.victor.com/processing/"] +##a\[href^="http://bc.vc/?r="] ##a\[href^="http://bcp.crwdcntrl.net/"] +##a\[href^="http://bestorican.com/"] ##a\[href^="http://bluehost.com/track/"] ##a\[href^="http://bonusfapturbo.nmvsite.com/"] ##a\[href^="http://bs.serving-sys.com/"] ##a\[href^="http://buysellads.com/"] ##a\[href^="http://c.actiondesk.com/"] +##a\[href^="http://campaign.bharatmatrimony.com/track/"] ##a\[href^="http://cdn3.adexprts.com/"] ##a\[href^="http://chaturbate.com/affiliates/"] ##a\[href^="http://cinema.friendscout24.de?"] +##a\[href^="http://clickandjoinyourgirl.com/"] +##a\[href^="http://clickserv.sitescout.com/"] ##a\[href^="http://clk.directrev.com/"] ##a\[href^="http://clkmon.com/adServe/"] ##a\[href^="http://codec.codecm.com/"] @@ -124262,16 +128839,21 @@ _popunder+$popup ##a\[href^="http://cpaway.afftrack.com/"] ##a\[href^="http://d2.zedo.com/"] ##a\[href^="http://data.ad.yieldmanager.net/"] +##a\[href^="http://databass.info/"] ##a\[href^="http://down1oads.com/"] +##a\[href^="http://dwn.pushtraffic.net/"] ##a\[href^="http://easydownload4you.com/"] ##a\[href^="http://elitefuckbook.com/"] ##a\[href^="http://feedads.g.doubleclick.net/"] ##a\[href^="http://fileloadr.com/"] +##a\[href^="http://finaljuyu.com/"] +##a\[href^="http://freesoftwarelive.com/"] ##a\[href^="http://fsoft4down.com/"] ##a\[href^="http://fusionads.net"] ##a\[href^="http://galleries.pinballpublishernetwork.com/"] ##a\[href^="http://galleries.securewebsiteaccess.com/"] ##a\[href^="http://games.ucoz.ru/"]\[target="_blank"] +##a\[href^="http://gca.sh/user/register?ref="] ##a\[href^="http://getlinksinaseconds.com/"] ##a\[href^="http://go.seomojo.com/tracking202/"] ##a\[href^="http://greensmoke.com/"] @@ -124279,6 +128861,7 @@ _popunder+$popup ##a\[href^="http://hdplugin.flashplayer-updates.com/"] ##a\[href^="http://hyperlinksecure.com/go/"] ##a\[href^="http://install.securewebsiteaccess.com/"] +##a\[href^="http://k2s.cc/pr/"] ##a\[href^="http://keep2share.cc/pr/"] ##a\[href^="http://landingpagegenius.com/"] ##a\[href^="http://latestdownloads.net/download.php?"] @@ -124290,6 +128873,7 @@ _popunder+$popup ##a\[href^="http://n.admagnet.net/"] ##a\[href^="http://online.ladbrokes.com/promoRedirect?"] ##a\[href^="http://paid.outbrain.com/network/redir?"]\[target="_blank"] +##a\[href^="http://partner.sbaffiliates.com/"] ##a\[href^="http://pokershibes.com/index.php?ref="] ##a\[href^="http://pubads.g.doubleclick.net/"] ##a\[href^="http://refer.webhostingbuzz.com/"] @@ -124311,12 +128895,16 @@ _popunder+$popup ##a\[href^="http://us.marketgid.com"] ##a\[href^="http://www.123-reg.co.uk/affiliate2.cgi"] ##a\[href^="http://www.1clickdownloader.com/"] +##a\[href^="http://www.1clickmoviedownloader.info/"] ##a\[href^="http://www.FriendlyDuck.com/AF_"] +##a\[href^="http://www.TwinPlan.com/AF_"] ##a\[href^="http://www.adbrite.com/mb/commerce/purchase_form.php?"] +##a\[href^="http://www.adshost2.com/"] ##a\[href^="http://www.adxpansion.com"] ##a\[href^="http://www.affbuzzads.com/affiliate/"] ##a\[href^="http://www.amazon.co.uk/exec/obidos/external-search?"] ##a\[href^="http://www.babylon.com/welcome/index?affID"] +##a\[href^="http://www.badoink.com/go.php?"] ##a\[href^="http://www.bet365.com/home/?affiliate"] ##a\[href^="http://www.clickansave.net/"] ##a\[href^="http://www.clkads.com/adServe/"] @@ -124335,6 +128923,7 @@ _popunder+$popup ##a\[href^="http://www.firstload.de/affiliate/"] ##a\[href^="http://www.fleshlight.com/"] ##a\[href^="http://www.fonts.com/BannerScript/"] +##a\[href^="http://www.fpcTraffic2.com/blind/in.cgi?"] ##a\[href^="http://www.freefilesdownloader.com/"] ##a\[href^="http://www.friendlyduck.com/AF_"] ##a\[href^="http://www.google.com/aclk?"] @@ -124342,6 +128931,7 @@ _popunder+$popup ##a\[href^="http://www.idownloadplay.com/"] ##a\[href^="http://www.incredimail.com/?id="] ##a\[href^="http://www.ireel.com/signup?ref"] +##a\[href^="http://www.linkbucks.com/referral/"] ##a\[href^="http://www.liutilities.com/"] ##a\[href^="http://www.menaon.com/installs/"] ##a\[href^="http://www.mobileandinternetadvertising.com/"] @@ -124353,6 +128943,7 @@ _popunder+$popup ##a\[href^="http://www.on2url.com/app/adtrack.asp"] ##a\[href^="http://www.paddypower.com/?AFF_ID="] ##a\[href^="http://www.pheedo.com/"] +##a\[href^="http://www.pinkvisualgames.com/?revid="] ##a\[href^="http://www.plus500.com/?id="] ##a\[href^="http://www.quick-torrent.com/download.html?aff"] ##a\[href^="http://www.revenuehits.com/"] @@ -124363,6 +128954,7 @@ _popunder+$popup ##a\[href^="http://www.sfippa.com/"] ##a\[href^="http://www.socialsex.com/"] ##a\[href^="http://www.streamate.com/exports/"] +##a\[href^="http://www.streamtunerhd.com/signup?"] ##a\[href^="http://www.text-link-ads.com/"] ##a\[href^="http://www.torntv-downloader.com/"] ##a\[href^="http://www.torntvdl.com/"] @@ -124375,10 +128967,12 @@ _popunder+$popup ##a\[href^="http://www1.clickdownloader.com/"] ##a\[href^="http://wxdownloadmanager.com/dl/"] ##a\[href^="http://xads.zedo.com/"] +##a\[href^="http://yads.zedo.com/"] ##a\[href^="http://z1.zedo.com/"] ##a\[href^="http://zevera.com/afi.html"] ##a\[href^="https://ad.doubleclick.net/"] ##a\[href^="https://bs.serving-sys.com"] +##a\[href^="https://dltags.com/"] ##a\[href^="https://secure.eveonline.com/ft/?aid="] ##a\[href^="https://www.FriendlyDuck.com/AF_"] ##a\[href^="https://www.dsct1.com/"] @@ -124391,6 +128985,7 @@ _popunder+$popup ##a\[onmousedown^="this.href='http://staffpicks.outbrain.com/network/redir?"]\[target="_blank"] + .ob_source ##a\[onmousedown^="this.href='https://paid.outbrain.com/network/redir?"]\[target="_blank"] ##a\[onmousedown^="this.href='https://paid.outbrain.com/network/redir?"]\[target="_blank"] + .ob_source +##a\[style="display:block;width:300px;min-height:250px"]\[href^="http://li.cnet.com/click?"] ##div\[id^="MarketGid"] ##div\[id^="YFBMSN"] ##div\[id^="acm-ad-tag-"] @@ -124405,6 +129000,11 @@ _popunder+$popup ##input\[onclick^="window.open('http://www.friendlyduck.com/AF_"] ##p\[id^="div-gpt-ad-"] ##script\[src^="http://free-shoutbox.net/app/webroot/shoutbox/sb.php?shoutbox="] + #freeshoutbox_content +! In advert promo +##.brandpost_inarticle +! Forumotion.com related sites +###main-content > \[style="padding:10px 0 0 0 !important;"] +##td\[valign="top"] > .mainmenu\[style="padding:10px 0 0 0 !important;"] ! Whistleout widget ###rhs_whistleout_widget ###wo-widget-wrap @@ -124414,6 +129014,7 @@ _popunder+$popup ###magnify_widget_playlist_item_companion ! Playbb.me / easyvideo.me / videozoo.me / paypanda.net ###flowplayer > div\[style="position: absolute; width: 300px; height: 275px; left: 222.5px; top: 85px; z-index: 999;"] +###flowplayer > div\[style="z-index: 208; position: absolute; width: 300px; height: 275px; left: 222.5px; top: 85px;"] ##.Mpopup + #Mad > #MadZone ! https://adblockplus.org/forum/viewtopic.php?f=2&t=17016 ##.l-container > #fishtank @@ -124434,6 +129035,7 @@ _popunder+$popup ###resultspanel > #topads ###rhs_block > #mbEnd ###rhs_block > .ts\[cellspacing="0"]\[cellpadding="0"]\[style="padding:0"] +###rhs_block > ol > .rhsvw > .kp-blk > .xpdopen > ._OKe > ol > ._DJe > .luhb-div ###rhswrapper > #rhssection\[border="0"]\[bgcolor="#ffffff"] ###ssmiwdiv\[jsdisplay] ###tads + div + .c @@ -124471,7 +129073,8 @@ _popunder+$popup ##.trc_rbox_border_elm .syndicatedItem ##.trc_rbox_div .syndicatedItem ##.trc_rbox_div .syndicatedItemUB -##.trc_rbox_div a\[href^="http://tb1-793459514.us-east-1.elb.amazonaws.com/redirect.php?app.type=desktop&"] +##.trc_rbox_div a\[target="_blank"]\[href^="http://tab"] +##.trc_related_container div\[data-item-syndicated="true"] ! Tripadvisor ###MAIN.ShowTopic > .ad ! uCoz @@ -124488,6 +129091,19 @@ _popunder+$popup ##.icons-rss-feed + .icons-rss-feed div\[class$="_item"] ##.inlineNewsletterSubscription + .inlineNewsletterSubscription div\[class$="_item"] ##.jobs-information-call-to-action + .jobs-information-call-to-action div\[class$="_item"] +! zergnet +###boxes-box-zergnet_module +###zergnet +###zergnet-widget +###zergnet-wrapper +##.module-zerg +##.widget-ami-zergnet +##.widget_ok_zergnet_widget +##.zergnet +##.zergnet-widget-container +##.zergnetBLock +##.zergnetpower +##div\[id^="zergnet-widget-"] ! *** easylist:easylist/easylist_whitelist_general_hide.txt *** thedailygreen.com#@##AD_banner webmail.verizon.net#@##AdColumn @@ -124496,7 +129112,7 @@ jobs.wa.gov.au,ksl.com#@##AdHeader sprouts.com,tbns.com.au#@##AdImage games.com#@##Adcode designspotter.com#@##AdvertiseFrame -wikipedia.org#@##Advertisements +wikimedia.org,wikipedia.org#@##Advertisements newser.com#@##BottomAdContainer freeshipping.com,freeshippingrewards.com#@##BottomAds orientaldaily.on.cc#@##ContentAd @@ -124681,7 +129297,7 @@ neowin.net#@##topBannerAd morningstar.se,zootoo.com#@##top_ad hbwm.com#@##top_ads 72tips.com,bumpshack.com,isource.com,millionairelottery.com,pdrhealth.com,psx-scene.com,stickydillybuns.com#@##topad -foxsports540.com,soundandvision.com#@##topbannerad +audiostream.com,foxsports540.com,soundandvision.com#@##topbannerad theblaze.com#@##under_story_ad my-magazine.me,nbc.com,theglobeandmail.com#@##videoAd sudoku.com.au#@#.ADBAR @@ -124691,6 +129307,7 @@ backpage.com#@#.AdInfo buy.com,superbikeplanet.com#@#.AdTitle home-search.org.uk#@#.AdvertContainer homeads.co.nz#@#.HomeAds +travelzoo.com#@#.IM_ad_unit ehow.com#@#.RelatedAds everydayhealth.com#@#.SponsoredContent apartments.com#@#.ad-300x250 @@ -124699,6 +129316,7 @@ bash.fm,tbns.com.au#@#.ad-block auctionstealer.com#@#.ad-border members.portalbuzz.com#@#.ad-btn assetbar.com,jazzradio.com,o2.pl#@#.ad-button +asiasold.com,bahtsold.com,propertysold.asia#@#.ad-cat small-universe.com#@#.ad-cell jobmail.co.za,odysseyware.com#@#.ad-display foxnews.com,yahoo.com#@#.ad-enabled @@ -124706,10 +129324,12 @@ bigfishaudio.com,dublinairport.com,yahoo.com#@#.ad-holder freebitco.in,recycler.com#@#.ad-img kijiji.ca#@#.ad-inner daanauctions.com,queer.pl#@#.ad-item +cnet.com#@#.ad-leader-top businessinsider.com#@#.ad-leaderboard daanauctions.com,jerseyinsight.com#@#.ad-left reformgovernmentsurveillance.com#@#.ad-link guloggratis.dk#@#.ad-links +gumtree.com#@#.ad-panel forums.soompi.com#@#.ad-placement jerseyinsight.com#@#.ad-right signatus.eu#@#.ad-section @@ -124724,8 +129344,7 @@ billboard.com#@#.ad-unit-300-wrapper speedtest.net#@#.ad-vertical-container tvlistings.aol.com#@#.ad-wide howtopriest.com,nydailynews.com#@#.ad-wrap -dealsonwheels.com,happypancake.com,lifeinvader.com,makers.com#@#.ad-wrapper -pcper.com#@#.ad160 +citylab.com,dealsonwheels.com,happypancake.com,lifeinvader.com,makers.com#@#.ad-wrapper harpers.org#@#.ad300 parade.com#@#.ad728 interviewmagazine.com#@#.ad90 @@ -124751,11 +129370,12 @@ cheaptickets.com,orbitz.com#@#.adMod outspark.com#@#.adModule hotels.mapov.com#@#.adOverlay advertiser.ie#@#.adPanel +shockwave.com#@#.adPod aggeliestanea.gr#@#.adResult pogo.com#@#.adRight is.co.za,smc.edu,ticketsnow.com#@#.adRotator microsoft.com,northjersey.com#@#.adSpace -takealot.com#@#.adSpot +1520wbzw.com,760kgu.biz,880thebiz.com,ap.org,biz1190.com,business1110ktek.com,kdow.biz,kkol.com,money1055.com,takealot.com#@#.adSpot autotrader.co.za,thebulletinboard.com#@#.adText autotrader.co.za,ksl.com,superbikeplanet.com#@#.adTitle empowher.com#@#.adTopHome @@ -124776,7 +129396,7 @@ bebusiness.eu,environmentjob.co.uk,lowcarbonjobs.com,myhouseabroad.com#@#.ad_des 318racing.org,linuxforums.org,modelhorseblab.com#@#.ad_global_header gizmodo.jp,kotaku.jp,lifehacker.jp#@#.ad_head_rectangle horsemart.co.uk,merkatia.com,mysportsclubs.com,news.yahoo.com#@#.ad_header -olx.pt#@#.ad_img +olx.pt,whatuni.com#@#.ad_img bebusiness.eu,myhouseabroad.com,njuskalo.hr,starbuy.sk.data10.websupport.sk#@#.ad_item timesofmalta.com#@#.ad_leaderboard tvrage.com#@#.ad_line @@ -124785,6 +129405,7 @@ rediff.com#@#.ad_outer tvland.com#@#.ad_promo weather.yahoo.com#@#.ad_slug_table chinapost.com.tw#@#.ad_space +huffingtonpost.co.uk#@#.ad_spot bbs.newhua.com,starbuy.sk.data10.websupport.sk#@#.ad_text fastseeksite.com,njuskalo.hr#@#.ad_title oxforddictionaries.com#@#.ad_trick_header @@ -124813,14 +129434,18 @@ smilelocal.com#@#.admiddle tomwans.com#@#.adright skatteverket.se#@#.adrow1 skatteverket.se#@#.adrow2 +community.pictavo.com#@#.ads-1 +community.pictavo.com#@#.ads-2 +community.pictavo.com#@#.ads-3 pch.com#@#.ads-area queer.pl#@#.ads-col burzahrane.hr#@#.ads-header members.portalbuzz.com#@#.ads-holder t3.com#@#.ads-inline celogeek.com,checkrom.com#@#.ads-item +bannerist.com#@#.ads-right apple.com#@#.ads-section -juicesky.com#@#.ads-title +community.pictavo.com,juicesky.com#@#.ads-title queer.pl#@#.ads-top uploadbaz.com#@#.ads1 jw.org#@#.adsBlock @@ -124835,8 +129460,10 @@ live365.com#@#.adshome chupelupe.com#@#.adside wg-gesucht.de#@#.adslot_blurred 4kidstv.com,banknbt.com,kwik-fit.com,mac-sports.com#@#.adspace +cutepdf-editor.com#@#.adtable absolute.com#@#.adtile smilelocal.com#@#.adtop +promodj.com#@#.adv300 goal.com#@#.adv_300 pistonheads.com#@#.advert-block eatsy.co.uk#@#.advert-box @@ -124861,9 +129488,10 @@ anobii.com#@#.advertisment grist.org#@#.advertorial ransquawk.com,trh.sk#@#.adverts stjornartidindi.is#@#.adverttext -dirtstyle.tv#@#.afs_ads +staircase.pl#@#.adwords consumerist.com#@#.after-post-ad deluxemusic.tv#@#.article_ad +jiji.ng#@#.b-advert annfammed.org#@#.banner-ads plus.net,putlocker.com#@#.banner300 mlb.com#@#.bannerAd @@ -124887,10 +129515,13 @@ gegenstroemung.org#@#.change_AdContainer findicons.com,tattoodonkey.com#@#.container_ad insidefights.com#@#.container_row_ad theology.edu#@#.contentAd +verizonwireless.com#@#.contentAds freevoipdeal.com,voipstunt.com#@#.content_ads glo.msn.com#@#.cp-adsInited gottabemobile.com#@#.custom-ad +theweek.com#@#.desktop-ad dn.se#@#.displayAd +deviantart.com#@#.download_ad boattrader.com#@#.featured-ad racingjunk.com#@#.featuredAdBox webphunu.net#@#.flash-advertisement @@ -124901,7 +129532,8 @@ ebayclassifieds.com,guloggratis.dk#@#.gallery-ad time.com#@#.google-sponsored gumtree.co.za#@#.googleAdSense nicovideo.jp#@#.googleAds -assetbar.com,burningangel.com,donthatethegeek.com,intomobile.com,wccftech.com#@#.header-ad +waer.org#@#.has-ad +assetbar.com,burningangel.com,donthatethegeek.com,intomobile.com,thenationonlineng.net,wccftech.com#@#.header-ad greenbayphoenix.com,photobucket.com#@#.headerAd dailytimes.com.pk,swns.com#@#.header_ad associatedcontent.com#@#.header_ad_center @@ -124915,6 +129547,7 @@ worldsnooker.com#@#.homead gq.com#@#.homepage-ad straighttalk.com#@#.homepage_ads radaronline.com#@#.horizontal_ad +bodas.com.mx,bodas.net,mariages.net,matrimonio.com,weddingspot.co.uk#@#.img_ad a-k.tel,baldai.tel,boracay.tel,covarrubias.tel#@#.imgad lespac.com#@#.inner_ad classifiedads.com#@#.innerad @@ -124927,15 +129560,18 @@ ajcn.org,annfammed.org#@#.leaderboard-ads lolhit.com#@#.leftAd lolhit.com#@#.leftad ebayclassifieds.com#@#.list-ad +asiasold.com,bahtsold.com,comodoroenventa.com,propertysold.asia#@#.list-ads +euspert.com#@#.listad ap.org,atea.com,ateadirect.com,knowyourmobile.com#@#.logo-ad eagleboys.com.au#@#.marketing-ad driverscollection.com#@#.mid_ad donga.com#@#.middle_AD +latimes.com#@#.mod-adopenx thenewamerican.com#@#.module-ad ziehl-abegg.com#@#.newsAd dn.se#@#.oasad antronio.com,frogueros.com#@#.openx -adn.com#@#.page-ad +adn.com,wiktionary.org#@#.page-ad rottentomatoes.com#@#.page_ad bachofen.ch#@#.pfAd iitv.info#@#.player_ad @@ -124950,6 +129586,8 @@ wesh.com#@#.premiumAdOverlay wesh.com#@#.premiumAdOverlayClose timeoutbengaluru.net,timeoutdelhi.net,timeoutmumbai.net#@#.promoAd 4-72.com.co,bancainternet.com.ar,frogueros.com,northwestfm.co.za,tushop.com.ar,vukanifm.org,wrlr.fm,zibonelefm.co.za#@#.publicidad +ebay.co.uk,theweek.com#@#.pushdown-ad +engadget.com#@#.rail-ad interpals.net#@#.rbRectAd collegecandy.com#@#.rectangle_ad salon.com#@#.refreshAds @@ -124978,11 +129616,12 @@ comicbookmovie.com#@#.skyscraperAd reuters.com#@#.slide-ad caarewards.ca#@#.smallAd boylesports.com#@#.small_ad -store.gameshark.com#@#.smallads +hebdenbridge.co.uk,store.gameshark.com#@#.smallads theforecaster.net#@#.sponsor-box +xhamster.com#@#.sponsorBottom getprice.com.au#@#.sponsoredLinks golfmanagerlive.com#@#.sponsorlink -hellobeautiful.com#@#.sticky-ad +giantlife.com,hellobeautiful.com,newsone.com,theurbandaily.com#@#.sticky-ad kanui.com.br,nytimes.com#@#.text-ad kingsofchaos.com#@#.textad antronio.com,cdf.cl,frogueros.com#@#.textads @@ -124996,6 +129635,7 @@ imagepicsa.com,sun.mv,trailvoy.com#@#.top_ads earlyamerica.com,infojobs.net#@#.topads nfl.com#@#.tower-ad yahoo.com#@#.type_ads_default +vinden.se#@#.view_ad nytimes.com#@#.wideAd britannica.com,cam4.com#@#.withAds theuspatriot.com#@#.wpInsertInPostAd @@ -125004,11 +129644,17 @@ bitrebels.com#@#a\[href*="/adrotate-out.php?"] santander.co.uk#@#a\[href^="http://ad-emea.doubleclick.net/"] jabong.com,people.com,techrepublic.com,time.com#@#a\[href^="http://ad.doubleclick.net/"] watchever.de#@#a\[href^="http://adfarm.mediaplex.com/"] +betbeaver.com,betwonga.com#@#a\[href^="http://ads.betfair.com/redirect.aspx?"] +betwonga.com#@#a\[href^="http://ads2.williamhill.com/redirect.aspx?"] +betwonga.com#@#a\[href^="http://adserving.unibet.com/"] adultfriendfinder.com#@#a\[href^="http://adultfriendfinder.com/p/register.cgi?pid="] +betwonga.com#@#a\[href^="http://affiliate.coral.co.uk/processing/"] marketgid.com,mgid.com#@#a\[href^="http://marketgid.com"] marketgid.com,mgid.com#@#a\[href^="http://mgid.com/"] +betwonga.com#@#a\[href^="http://online.ladbrokes.com/promoRedirect?"] linkedin.com,tasteofhome.com#@#a\[href^="http://pubads.g.doubleclick.net/"] marketgid.com,mgid.com#@#a\[href^="http://us.marketgid.com"] +betbeaver.com,betwonga.com#@#a\[href^="http://www.bet365.com/home/?affiliate"] fbooksluts.com#@#a\[href^="http://www.fbooksluts.com/"] fleshjack.com,fleshlight.com#@#a\[href^="http://www.fleshlight.com/"] www.google.com#@#a\[href^="http://www.google.com/aclk?"] @@ -125017,7 +129663,9 @@ socialsex.com#@#a\[href^="http://www.socialsex.com/"] fuckbookhookups.com#@#a\[href^="http://www.yourfuckbook.com/?"] marketgid.com,mgid.com#@#a\[id^="mg_add"] marketgid.com,mgid.com#@#div\[id^="MarketGid"] -beqala.com,drupalcommerce.org,ensonhaber.com,eurweb.com,faceyourmanga.com,isc2.org,mit.edu,peekyou.com,podomatic.com,virginaustralia.com,wlj.net,zavvi.com#@#div\[id^="div-gpt-ad-"] +beqala.com,drupalcommerce.org,ensonhaber.com,eurweb.com,faceyourmanga.com,isc2.org,liverc.com,mit.edu,peekyou.com,podomatic.com,virginaustralia.com,wlj.net,zavvi.com#@#div\[id^="div-gpt-ad-"] +bodas.com.mx,bodas.net,mariages.net,matrimonio.com,weddingspot.co.uk#@#iframe\[id^="google_ads_frame"] +bodas.com.mx,bodas.net,mariages.net,matrimonio.com,weddingspot.co.uk#@#iframe\[id^="google_ads_iframe"] weather.yahoo.com#@#iframe\[src^="http://ad.yieldmanager.com/"] ! Anti-Adblock incredibox.com,litecoiner.net#@##ad-bottom @@ -125028,34 +129676,45 @@ zeez.tv#@##ad_overlay cnet.com#@##adboard olweb.tv#@##ads1 gooprize.com,jsnetwork.fr#@##ads_bottom +unixmen.com#@##adsense spoilertv.com#@##adsensewide 8muses.com#@##adtop anisearch.com,lilfile.com#@##advertise +yafud.pl#@##bottomAd dizi-mag.com#@##header_ad thesimsresource.com#@##leaderboardad linkshrink.net#@##overlay_ad exashare.com#@##player_ads +iphone-tv.eu#@##sidebar_ad freebitcoins.nx.tc,getbitcoins.nx.tc#@##sponsorText -maxedtech.com#@#.ad-div dailybitcoins.org#@#.ad-img uptobox.com#@#.ad-leader uptobox.com#@#.ad-square -mangabird.com#@#.ad468 afreesms.com#@#.adbanner apkmirror.com#@#.adsWidget afreesms.com#@#.adsbox -afreesms.com,anonymousemail.me,anonymousemail.us,bitcoin-faucet.eu,btcinfame.com,classic-retro-games.com,coingamez.com,doulci.net,eveskunk.com,filecore.co.nz,freebitco.in,get-bitcoin-free.eu,gnomio.com,incredibox.com,niresh.co,nzb.su,r1db.com,unlocktheinbox.com,zeperfs.com#@#.adsbygoogle +afreesms.com,anonymousemail.me,anonymousemail.us,bitcoin-faucet.eu,btcinfame.com,classic-retro-games.com,coingamez.com,doulci.net,eveskunk.com,filecore.co.nz,freebitco.in,get-bitcoin-free.eu,gnomio.com,incredibox.com,mangacap.com,mangakaka.com,niresh.co,nzb.su,r1db.com,spoilertv.com,unlocktheinbox.com,zeperfs.com#@#.adsbygoogle afreesms.com#@#.adspace -maxedtech.com#@#.adtag browsershots.org#@#.advert_area -guitarforum.co.za#@#.adverts -directwonen.nl,dramacafe.in,eveskunk.com,exashare.com,farsondigitalwatercams.com,file4go.com,freeccnaworkbook.com,mangasky.co,minecraftskins.com,moneyinpjs.com,online.dramacafe.tv,ps3news.com#@#.afs_ads +velasridaura.com#@#.advertising_block +guitarforum.co.za,tf2r.com#@#.adverts +cheatpain.com,directwonen.nl,dramacafe.in,eveskunk.com,exashare.com,farsondigitalwatercams.com,file4go.com,freeccnaworkbook.com,gaybeeg.info,hack-sat.com,keygames.com,latesthackingnews.com,localeyes.dk,manga2u.co,mangasky.co,minecraftskins.com,moneyinpjs.com,online.dramacafe.tv,ps3news.com,psarips.com,thenewboston.com,tubitv.com#@#.afs_ads coindigger.biz#@#.banner160x600 +anisearch.com#@#.chitikaAdBlock theladbible.com#@#.content_tagsAdTech topzone.lt#@#.forumAd linkshrink.net#@#.overlay_ad -incredibox.com#@#.text_ads -coingamez.com,mangaumaru.com,milfzr.com#@#div\[id^="div-gpt-ad-"] +localeyes.dk#@#.pub_300x250 +localeyes.dk#@#.pub_300x250m +localeyes.dk#@#.pub_728x90 +localeyes.dk#@#.text-ad +localeyes.dk#@#.text-ad-links +localeyes.dk#@#.text-ads +localeyes.dk#@#.textAd +localeyes.dk#@#.text_ad +incredibox.com,localeyes.dk,turkanime.tv,videopremium.tv#@#.text_ads +menstennisforums.com#@#.top_ads +coingamez.com,mangaumaru.com,milfzr.com,pencurimovie.cc#@#div\[id^="div-gpt-ad-"] afreesms.com#@#iframe\[id^="google_ads_frame"] !---------------------------Third-party advertisers---------------------------! ! *** easylist:easylist/easylist_adservers.txt *** @@ -125093,7 +129752,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||2d4c3872.info^$third-party ||2dpt.com^$third-party ||2mdn.net/dot.gif$object-subrequest,third-party -||2mdn.net^$object-subrequest,third-party,domain=101cargames.com|1025thebull.com|1031iheartaustin.com|1037theq.com|1041beat.com|1053kissfm.com|1057ezrock.com|1067litefm.com|10news.com|1310news.com|247comedy.com|3news.co.nz|49ers.com|610cktb.com|680news.com|700wlw.com|850koa.com|923jackfm.com|92q.com|940winz.com|94hjy.com|970espn.com|99kisscountry.com|abc15.com|abc2news.com|abcactionnews.com|am1300thezone.com|am570radio.com|am760.net|ap.org|atlantafalcons.com|automobilemag.com|automotive.com|azcardinals.com|baltimoreravens.com|baynews9.com|bbc.co.uk|bbc.com|belfasttelegraph.co.uk|bengals.com|bet.com|big1059.com|bigdog1009.ca|bloomberg.com|bnn.ca|boom92houston.com|boom945.com|boom973.com|boom997.com|boomphilly.com|box10.com|brisbanetimes.com.au|buccaneers.com|buffalobills.com|bullz-eye.com|businessweek.com|calgaryherald.com|caller.com|canada.com|capitalfm.ca|cbsnews.com|cbssports.com|channel955.com|chargers.com|chez106.com|chfi.com|chicagobears.com|chicagotribune.com|cj104.com|cjad.com|cjbk.com|clevelandbrowns.com|cnettv.cnet.com|coast933.com|colts.com|commercialappeal.com|country1011.com|country1043.com|country1067.com|country600.com|courierpress.com|cp24.com|cricketcountry.com|csmonitor.com|ctvnews.ca|dallascowboys.com|denverbroncos.com|detroitlions.com|drive.com.au|earthcam.com|edmontonjournal.com|egirlgames.net|elvisduran.com|enjoydressup.com|entrepreneur.com|eonline.com|escapegames.com|euronews.com|evolution935.com|fansportslive.com|fm98wjlb.com|foodnetwork.ca|four.co.nz|foxradio.ca|foxsportsradio.com|fresh100.com|gamingbolt.com|ghananation.com|giantbomb.com|giants.com|globalpost.com|globaltoronto.com|globaltv.com|globaltvbc.com|globaltvcalgary.com|go.com|gorillanation.com|gosanangelo.com|hallelujah1051.com|hellobeautiful.com|heraldsun.com.au|hgtv.ca|hiphopnc.com|hot1041stl.com|hothiphopdetroit.com|hotspotatl.com|houstontexans.com|ibtimes.co.uk|iheart.com|independent.ie|independentmail.com|indyhiphop.com|ipowerrichmond.com|jackfm.ca|jaguars.com|kase101.com|kcchiefs.com|kcci.com|kcra.com|kdvr.com|kfiam640.com|kgbx.com|khow.com|kiisfm.com|kiss925.com|kissnorthbay.com|kisssoo.com|kisstimmins.com|kitsapsun.com|kitv.com|kjrh.com|kmov.com|knoxnews.com|kogo.com|komonews.com|kshb.com|kwgn.com|kwnr.com|kxan.com|kysdc.com|latinchat.com|leaderpost.com|livestream.com|local8now.com|magic96.com|majorleaguegaming.com|metacafe.com|miamidolphins.com|mix923fm.com|mojointhemorning.com|moneycontrol.com|montrealgazette.com|motorcyclistonline.com|mtv.ca|myboom1029.com|mycolumbusmagic.com|mycolumbuspower.com|myezrock.com|mymagic97.com|naplesnews.com|nationalpost.com|nba.com|nba.tv|ndtv.com|neworleanssaints.com|news1130.com|newsinc.com|newsmax.com|newsmaxhealth.com|newsnet5.com|newsone.com|newstalk1010.com|newstalk1130.com|newyorkjets.com|nydailynews.com|nymag.com|oktvusa.com|oldschoolcincy.com|ottawacitizen.com|packers.com|panthers.com|patriots.com|pcworld.com|philadelphiaeagles.com|player.screenwavemedia.com|prowrestling.com|q92timmins.com|raaga.com|radio.com|radionowindy.com|raiders.com|rapbasement.com|redding.com|redskins.com|reporternews.com|reuters.com|rollingstone.com|rootsports.com|rottentomatoes.com|seahawks.com|sherdog.com|skynews.com.au|slice.ca|smh.com.au|sploder.com|sportsnet590.ca|sportsnet960.ca|steelers.com|stlouisrams.com|streetfire.net|stuff.co.nz|tcpalm.com|telegraph.co.uk|theage.com.au|theaustralian.com.au|thebeatdfw.com|theboxhouston.com|thedenverchannel.com|thedrocks.com|theindychannel.com|theprovince.com|thestarphoenix.com|theteam1260.com|tide.com|timescolonist.com|timeslive.co.za|timesrecordnews.com|titansonline.com|totaljerkface.com|tripadvisor.ca|tripadvisor.co.id|tripadvisor.co.uk|tripadvisor.com|tripadvisor.com.au|tripadvisor.com.my|tripadvisor.com.sg|tripadvisor.ie|tripadvisor.in|turnto23.com|tvone.tv|tvoneonline.com|twitch.tv|usmagazine.com|vancouversun.com|vcstar.com|veetle.com|vice.com|videojug.com|vikings.com|virginradio.ca|wapt.com|washingtonpost.com|washingtontimes.com|wcpo.com|wdfn.com|weather.com|wescfm.com|wgci.com|wibw.com|wikihow.com|windsorstar.com|wiod.com|wiznation.com|wjdx.com|wkyt.com|wmyi.com|wor710.com|wptv.com|wsj.com|wxyz.com|wyff4.com|yahoo.com|youtube.com|z100.com|zhiphopcleveland.com +||2mdn.net^$object-subrequest,third-party,domain=101cargames.com|1025thebull.com|1031iheartaustin.com|1037theq.com|1041beat.com|1053kissfm.com|1057ezrock.com|1067litefm.com|10news.com|1310news.com|247comedy.com|3news.co.nz|49ers.com|610cktb.com|680news.com|700wlw.com|850koa.com|923jackfm.com|92q.com|940winz.com|94hjy.com|970espn.com|99kisscountry.com|abc15.com|abc2news.com|abcactionnews.com|am1300thezone.com|am570radio.com|am760.net|ap.org|atlantafalcons.com|automobilemag.com|automotive.com|azcardinals.com|baltimoreravens.com|baynews9.com|bbc.co.uk|bbc.com|belfasttelegraph.co.uk|bengals.com|bet.com|big1059.com|bigdog1009.ca|bloomberg.com|bnn.ca|boom92houston.com|boom945.com|boom973.com|boom997.com|boomphilly.com|box10.com|brisbanetimes.com.au|buccaneers.com|buffalobills.com|bullz-eye.com|businessweek.com|calgaryherald.com|caller.com|canada.com|capitalfm.ca|cbsnews.com|cbssports.com|channel955.com|chargers.com|chez106.com|chfi.com|chicagobears.com|chicagotribune.com|cj104.com|cjad.com|cjbk.com|clevelandbrowns.com|cnettv.cnet.com|coast933.com|colts.com|commercialappeal.com|country1011.com|country1043.com|country1067.com|country600.com|courierpress.com|cp24.com|cricketcountry.com|csmonitor.com|ctvnews.ca|dallascowboys.com|denverbroncos.com|detroitlions.com|drive.com.au|earthcam.com|edmontonjournal.com|egirlgames.net|elvisduran.com|enjoydressup.com|entrepreneur.com|eonline.com|escapegames.com|euronews.com|evolution935.com|fansportslive.com|fm98wjlb.com|foodnetwork.ca|four.co.nz|foxradio.ca|foxsportsradio.com|fresh100.com|gamingbolt.com|ghananation.com|giantbomb.com|giants.com|globalpost.com|globaltoronto.com|globaltv.com|globaltvbc.com|globaltvcalgary.com|go.com|gorillanation.com|gosanangelo.com|hallelujah1051.com|hellobeautiful.com|heraldsun.com.au|hgtv.ca|hiphopnc.com|hot1041stl.com|hotair.com|hothiphopdetroit.com|hotspotatl.com|houstontexans.com|ibtimes.co.uk|iheart.com|independent.ie|independentmail.com|indyhiphop.com|ipowerrichmond.com|jackfm.ca|jaguars.com|kase101.com|kcchiefs.com|kcci.com|kcra.com|kdvr.com|kfiam640.com|kgbx.com|khow.com|kiisfm.com|kiss925.com|kissnorthbay.com|kisssoo.com|kisstimmins.com|kitsapsun.com|kitv.com|kjrh.com|kmov.com|knoxnews.com|kogo.com|komonews.com|kshb.com|kwgn.com|kwnr.com|kxan.com|kysdc.com|latinchat.com|leaderpost.com|livestream.com|local8now.com|magic96.com|majorleaguegaming.com|metacafe.com|miamidolphins.com|mix923fm.com|mojointhemorning.com|moneycontrol.com|montrealgazette.com|motorcyclistonline.com|mtv.ca|myboom1029.com|mycolumbusmagic.com|mycolumbuspower.com|myezrock.com|mymagic97.com|naplesnews.com|nationalpost.com|nba.com|nba.tv|ndtv.com|neworleanssaints.com|news1130.com|newsinc.com|newsmax.com|newsmaxhealth.com|newsnet5.com|newsone.com|newstalk1010.com|newstalk1130.com|newyorkjets.com|nydailynews.com|nymag.com|oktvusa.com|oldschoolcincy.com|ottawacitizen.com|packers.com|panthers.com|patriots.com|pcworld.com|philadelphiaeagles.com|player.screenwavemedia.com|prowrestling.com|q92timmins.com|raaga.com|radio.com|radionowindy.com|raiders.com|rapbasement.com|redding.com|redskins.com|reporternews.com|reuters.com|rollingstone.com|rootsports.com|rottentomatoes.com|seahawks.com|sherdog.com|skynews.com.au|slice.ca|smh.com.au|sploder.com|sportsnet590.ca|sportsnet960.ca|steelers.com|stlouisrams.com|streetfire.net|stuff.co.nz|tcpalm.com|telegraph.co.uk|theage.com.au|theaustralian.com.au|thebeatdfw.com|theboxhouston.com|thedenverchannel.com|thedrocks.com|theindychannel.com|theprovince.com|thestarphoenix.com|theteam1260.com|tide.com|timescolonist.com|timeslive.co.za|timesrecordnews.com|titansonline.com|totaljerkface.com|townhall.com|tripadvisor.ca|tripadvisor.co.id|tripadvisor.co.uk|tripadvisor.com|tripadvisor.com.au|tripadvisor.com.my|tripadvisor.com.sg|tripadvisor.ie|tripadvisor.in|turnto23.com|tvone.tv|tvoneonline.com|twitch.tv|twitchy.com|usmagazine.com|vancouversun.com|vcstar.com|veetle.com|vice.com|videojug.com|vikings.com|virginradio.ca|vzaar.com|wapt.com|washingtonpost.com|washingtontimes.com|wcpo.com|wdfn.com|weather.com|wescfm.com|wgci.com|wibw.com|wikihow.com|windsorstar.com|wiod.com|wiznation.com|wjdx.com|wkyt.com|wmyi.com|wor710.com|wptv.com|wsj.com|wxyz.com|wyff4.com|yahoo.com|youtube.com|z100.com|zhiphopcleveland.com ||2mdn.net^$~object-subrequest,third-party ||2xbpub.com^$third-party ||32b4oilo.com^$third-party @@ -125174,12 +129833,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ad-flow.com^$third-party ||ad-gbn.com^$third-party ||ad-indicator.com^$third-party +||ad-m.asia^$third-party ||ad-maven.com^$third-party ||ad-media.org^$third-party ||ad-server.co.za^$third-party ||ad-serverparc.nl^$third-party ||ad-sponsor.com^$third-party ||ad-srv.net^$third-party +||ad-stir.com^$third-party ||ad-vice.biz^$third-party ||ad.atdmt.com/i/a.html$third-party ||ad.atdmt.com/i/a.js$third-party @@ -125192,8 +129853,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ad123m.com^$third-party ||ad125m.com^$third-party ||ad127m.com^$third-party +||ad128m.com^$third-party ||ad129m.com^$third-party ||ad131m.com^$third-party +||ad132m.com^$third-party +||ad134m.com^$third-party ||ad20.net^$third-party ||ad2387.com^$third-party ||ad2adnetwork.biz^$third-party @@ -125213,6 +129877,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adblade.com^$third-party ||adboost.com^$third-party ||adbooth.net^$third-party +||adbrau.com^$third-party ||adbrite.com^$third-party ||adbroo.com^$third-party ||adbull.com^$third-party @@ -125264,6 +129929,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adforgeinc.com^$third-party ||adform.net^$third-party ||adframesrc.com^$third-party +||adfrika.com^$third-party ||adfrog.info^$third-party ||adfrontiers.com^$third-party ||adfunkyserver.com^$third-party @@ -125272,6 +129938,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adgardener.com^$third-party ||adgatemedia.com^$third-party ||adgear.com^$third-party +||adgebra.co.in^$third-party ||adgent007.com^$third-party ||adgila.com^$third-party ||adgine.net^$third-party @@ -125294,6 +129961,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adimperia.com^$third-party ||adimpression.net^$third-party ||adinch.com^$third-party +||adincon.com^$third-party ||adindigo.com^$third-party ||adinfinity.com.au^$third-party ||adinterax.com^$third-party @@ -125385,6 +130053,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adpinion.com^$third-party ||adpionier.de^$third-party ||adplans.info^$third-party +||adplxmd.com^$third-party ||adppv.com^$third-party ||adpremo.com^$third-party ||adprofit2share.com^$third-party @@ -125489,6 +130158,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adtaily.com^$third-party ||adtaily.eu^$third-party ||adtaily.pl^$third-party +||adtdp.com^$third-party ||adtecc.com^$third-party ||adtech.de^$third-party ||adtechus.com^$third-party @@ -125555,6 +130225,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||advertserve.com^$third-party ||advertstatic.com^$third-party ||advertstream.com^$third-party +||advertur.ru^$third-party ||advertxi.com^$third-party ||advg.jp^$third-party ||advgoogle.com^$third-party @@ -125564,6 +130235,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||advombat.ru^$third-party ||advpoints.com^$third-party ||advrtice.com^$third-party +||advsnx.net^$third-party ||adwires.com^$third-party ||adwordsservicapi.com^$third-party ||adworkmedia.com^$third-party @@ -125575,6 +130247,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adxpower.com^$third-party ||adyoulike.com^$third-party ||adyoz.com^$third-party +||adz.co.zw^$third-party ||adzerk.net^$third-party ||adzhub.com^$third-party ||adzonk.com^$third-party @@ -125589,6 +130262,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||affbot8.com^$third-party ||affbuzzads.com^$third-party ||affec.tv^$third-party +||affiliate-b.com^$third-party ||affiliate-gate.com^$third-party ||affiliate-robot.com^$third-party ||affiliate.com^$third-party @@ -125616,6 +130290,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||affiz.net^$third-party ||affplanet.com^$third-party ||afftrack.com^$third-party +||aflrm.com^$third-party ||africawin.com^$third-party ||afterdownload.com^$third-party ||afterdownloads.com^$third-party @@ -125627,6 +130302,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||agmtrk.com^$third-party ||agvzvwof.com^$third-party ||aim4media.com^$third-party +||aimatch.com^$third-party ||ajansreklam.net^$third-party ||alchemysocial.com^$third-party ||alfynetwork.com^$third-party @@ -125640,6 +130316,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||alphabirdnetwork.com^$third-party ||alphagodaddy.com^$third-party ||alternads.info^$third-party +||alternativeadverts.com^$third-party ||altitude-arena.com^$third-party ||am-display.com^$third-party ||am10.ru^$third-party @@ -125669,8 +130346,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||appendad.com^$third-party ||applebarq.com^$third-party ||apptap.com^$third-party +||april29-disp-download.com^$third-party ||apsmediaagency.com^$third-party ||apxlv.com^$third-party +||arab4eg.com^$third-party ||arabweb.biz^$third-party ||arcadebannerexchange.net^$third-party ||arcadebannerexchange.org^$third-party @@ -125725,11 +130404,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||awsmer.com^$third-party ||awsurveys.com^$third-party ||axill.com^$third-party +||ayboll.com^$third-party ||azads.com^$third-party ||azjmp.com^$third-party ||azoogleads.com^$third-party ||azorbe.com^$third-party ||b117f8da23446a91387efea0e428392a.pl^$third-party +||b6508157d.website^$third-party ||babbnrs.com^$third-party ||backbeatmedia.com^$third-party ||backlinks.com^$third-party @@ -125806,6 +130487,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||bitcoinadvertisers.com^$third-party ||bitfalcon.tv^$third-party ||bittads.com^$third-party +||bitx.tv^$third-party ||bizographics.com^$third-party ||bizrotator.com^$third-party ||bizzclick.com^$third-party @@ -125818,6 +130500,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||blogclans.com^$third-party ||bloggerex.com^$third-party ||blogherads.com^$third-party +||blogohertz.com^$third-party ||blueadvertise.com^$third-party ||bluestreak.com^$third-party ||blumi.to^$third-party @@ -125863,6 +130546,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||bunchofads.com^$third-party ||bunny-net.com^$third-party ||burbanked.info^$third-party +||burjam.com^$third-party ||burnsoftware.info^$third-party ||burstnet.com^$third-party ||businesscare.com^$third-party @@ -125877,6 +130561,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||buzzparadise.com^$third-party ||bwinpartypartners.com^$third-party ||byspot.com^$third-party +||byzoo.org^$third-party ||c-on-text.com^$third-party ||c-planet.net^$third-party ||c8.net.ua^$third-party @@ -125921,12 +130606,15 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||cerotop.com^$third-party ||cgecwm.org^$third-party ||chango.com^$third-party +||chanished.net^$third-party ||charltonmedia.com^$third-party ||checkm8.com^$third-party ||checkmystats.com.au^$third-party ||checkoutfree.com^$third-party ||cherytso.com^$third-party ||chicbuy.info^$third-party +||china-netwave.com^$third-party +||chinagrad.ru^$third-party ||chipleader.com^$third-party ||chitika.com^$third-party ||chitika.net^$third-party @@ -125995,6 +130683,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||coinadvert.net^$third-party ||collection-day.com^$third-party ||collective-media.net^$third-party +||colliersads.com^$third-party ||comclick.com^$third-party ||commission-junction.com^$third-party ||commission.bz^$third-party @@ -126088,6 +130777,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||d2ship.com^$third-party ||da-ads.com^$third-party ||dadegid.ru^$third-party +||danitabedtick.net^$third-party ||dapper.net^$third-party ||darwarvid.com^$third-party ||dashboardad.net^$third-party @@ -126115,6 +130805,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||destinationurl.com^$third-party ||detroposal.com^$third-party ||developermedia.com^$third-party +||deximedia.com^$third-party ||dexplatform.com^$third-party ||dgmatix.com^$third-party ||dgmaustralia.com^$third-party @@ -126127,6 +130818,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||dinclinx.com^$third-party ||dipads.net^$~image,third-party ||directaclick.com^$third-party +||directile.info^$third-party +||directile.net^$third-party ||directleads.com^$third-party ||directoral.info^$third-party ||directorym.com^$third-party @@ -126136,6 +130829,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||districtm.ca^$third-party ||dl-rms.com^$third-party ||dmu20vut.com^$third-party +||dntrck.com^$third-party ||dollarade.com^$third-party ||dollarsponsor.com^$third-party ||domainadvertising.com^$third-party @@ -126232,7 +130926,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||doubleclick.net/pfadx/video.marketwatch.com/$third-party ||doubleclick.net/pfadx/video.wsj.com/$third-party ||doubleclick.net/pfadx/www.tv3.co.nz$third-party -||doubleclick.net^$third-party,domain=3news.co.nz|92q.com|abc-7.com|addictinggames.com|allbusiness.com|allthingsd.com|bizjournals.com|bloomberg.com|bnn.ca|boom92houston.com|boom945.com|boomphilly.com|break.com|cbc.ca|cbs19.tv|cbs3springfield.com|cbsatlanta.com|cbslocal.com|complex.com|dailymail.co.uk|darkhorizons.com|doubleviking.com|euronews.com|extratv.com|fandango.com|fox19.com|fox5vegas.com|gorillanation.com|grooveshark.com|hawaiinewsnow.com|hellobeautiful.com|hiphopnc.com|hot1041stl.com|hothiphopdetroit.com|hotspotatl.com|hulu.com|imdb.com|indiatimes.com|indyhiphop.com|ipowerrichmond.com|joblo.com|kcra.com|kctv5.com|ketv.com|koat.com|koco.com|kolotv.com|kpho.com|kptv.com|ksat.com|ksbw.com|ksfy.com|ksl.com|kypost.com|kysdc.com|live5news.com|livestation.com|livestream.com|metro.us|metronews.ca|miamiherald.com|my9nj.com|myboom1029.com|mycolumbusmagic.com|mycolumbuspower.com|myfoxdetroit.com|myfoxorlando.com|myfoxphilly.com|myfoxphoenix.com|myfoxtampabay.com|nbcrightnow.com|neatorama.com|necn.com|neopets.com|news.com.au|news4jax.com|newsone.com|nintendoeverything.com|oldschoolcincy.com|own3d.tv|pagesuite-professional.co.uk|pandora.com|player.theplatform.com|ps3news.com|radio.com|radionowindy.com|rottentomatoes.com|sbsun.com|shacknews.com|sk-gaming.com|ted.com|thebeatdfw.com|theboxhouston.com|theglobeandmail.com|timesnow.tv|tv2.no|twitch.tv|universalsports.com|ustream.tv|wapt.com|washingtonpost.com|wate.com|wbaltv.com|wcvb.com|wdrb.com|wdsu.com|wflx.com|wfmz.com|wfsb.com|wgal.com|whdh.com|wired.com|wisn.com|wiznation.com|wlky.com|wlns.com|wlwt.com|wmur.com|wnem.com|wowt.com|wral.com|wsj.com|wsmv.com|wsvn.com|wtae.com|wthr.com|wxii12.com|wyff4.com|yahoo.com|youtube.com|zhiphopcleveland.com +||doubleclick.net^$third-party,domain=3news.co.nz|92q.com|abc-7.com|addictinggames.com|allbusiness.com|allthingsd.com|bizjournals.com|bloomberg.com|bnn.ca|boom92houston.com|boom945.com|boomphilly.com|break.com|cbc.ca|cbs19.tv|cbs3springfield.com|cbsatlanta.com|cbslocal.com|complex.com|dailymail.co.uk|darkhorizons.com|doubleviking.com|euronews.com|extratv.com|fandango.com|fox19.com|fox5vegas.com|gorillanation.com|hawaiinewsnow.com|hellobeautiful.com|hiphopnc.com|hot1041stl.com|hothiphopdetroit.com|hotspotatl.com|hulu.com|imdb.com|indiatimes.com|indyhiphop.com|ipowerrichmond.com|joblo.com|kcra.com|kctv5.com|ketv.com|koat.com|koco.com|kolotv.com|kpho.com|kptv.com|ksat.com|ksbw.com|ksfy.com|ksl.com|kypost.com|kysdc.com|live5news.com|livestation.com|livestream.com|metro.us|metronews.ca|miamiherald.com|my9nj.com|myboom1029.com|mycolumbusmagic.com|mycolumbuspower.com|myfoxdetroit.com|myfoxorlando.com|myfoxphilly.com|myfoxphoenix.com|myfoxtampabay.com|nbcrightnow.com|neatorama.com|necn.com|neopets.com|news.com.au|news4jax.com|newsone.com|nintendoeverything.com|oldschoolcincy.com|own3d.tv|pagesuite-professional.co.uk|pandora.com|player.theplatform.com|ps3news.com|radio.com|radionowindy.com|rottentomatoes.com|sbsun.com|shacknews.com|sk-gaming.com|ted.com|thebeatdfw.com|theboxhouston.com|theglobeandmail.com|timesnow.tv|tv2.no|twitch.tv|universalsports.com|ustream.tv|wapt.com|washingtonpost.com|wate.com|wbaltv.com|wcvb.com|wdrb.com|wdsu.com|wflx.com|wfmz.com|wfsb.com|wgal.com|whdh.com|wired.com|wisn.com|wiznation.com|wlky.com|wlns.com|wlwt.com|wmur.com|wnem.com|wowt.com|wral.com|wsj.com|wsmv.com|wsvn.com|wtae.com|wthr.com|wxii12.com|wyff4.com|yahoo.com|youtube.com|zhiphopcleveland.com ||doubleclick.net^*/ad/$~object-subrequest,third-party ||doubleclick.net^*/adi/$~object-subrequest,third-party ||doubleclick.net^*/adj/$~object-subrequest,third-party @@ -126255,6 +130949,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||dp25.kr^$third-party ||dpbolvw.net^$third-party ||dpmsrv.com^$third-party +||dpsrexor.com^$third-party ||dpstack.com^$third-party ||dreamaquarium.com^$third-party ||dreamsearch.or.kr^$third-party @@ -126270,9 +130965,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||dualmarket.info^$third-party ||dudelsa.com^$third-party ||duetads.com^$third-party +||dumedia.ru^$third-party ||durnowar.com^$third-party ||durtz.com^$third-party ||dvaminusodin.net^$third-party +||dyino.com^$third-party ||dynamicoxygen.com^$third-party ||dynamitedata.com^$third-party ||e-find.co^$third-party @@ -126347,6 +131044,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||evolvenation.com^$third-party ||exactdrive.com^$third-party ||excellenceads.com^$third-party +||exchange4media.com^$third-party ||exitexplosion.com^$third-party ||exitjunction.com^$third-party ||exoclick.com^$third-party @@ -126365,6 +131063,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||falkag.net^$third-party ||fast2earn.com^$third-party ||fastapi.net^$third-party +||fastates.net^$third-party ||fastclick.net^$third-party ||fasttracktech.biz^$third-party ||fb-plus.com^$third-party @@ -126373,6 +131072,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||featuredusers.com^$third-party ||featurelink.com^$third-party ||feed-ads.com^$third-party +||feljack.com^$third-party ||fenixm.com^$third-party ||fidel.to^$third-party ||filetarget.com^$third-party @@ -126388,6 +131088,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||firmharborlinked.com^$third-party ||first-rate.com^$third-party ||firstadsolution.com^$third-party +||firstimpression.io^$third-party ||firstlightera.com^$third-party ||fixionmedia.com^$third-party ||fl-ads.com^$third-party @@ -126425,6 +131126,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||freepaidsurveyz.com^$third-party ||freerotator.com^$third-party ||freeskreen.com^$third-party +||freesoftwarelive.com^$third-party ||friendlyduck.com^$third-party ||fruitkings.com^$third-party ||ftjcfx.com^$third-party @@ -126462,11 +131164,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gatikus.com^$third-party ||gayadnetwork.com^$third-party ||geek2us.net^$third-party +||gefhasio.com^$third-party ||geld-internet-verdienen.net^$third-party ||gemineering.com^$third-party ||genericlink.com^$third-party ||genericsteps.com^$third-party ||genesismedia.com^$third-party +||genovesetacet.com^$third-party ||geo-idm.fr^$third-party ||geoipads.com^$third-party ||geopromos.com^$third-party @@ -126479,6 +131183,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gettipsz.info^$third-party ||ggncpm.com^$third-party ||giantaffiliates.com^$third-party +||gigamega.su^$third-party ||gimiclub.com^$third-party ||gklmedia.com^$third-party ||glical.com^$third-party @@ -126499,6 +131204,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||goodadvert.ru^$third-party ||goodadvertising.info^$third-party ||googleadservicepixel.com^$third-party +||googlesyndicatiion.com^$third-party ||googletagservices.com/tag/js/gpt_$third-party ||googletagservices.com/tag/static/$third-party ||gopjn.com^$third-party @@ -126515,6 +131221,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gratisnetwork.com^$third-party ||greenads.org^$third-party ||greenlabelppc.com^$third-party +||grenstia.com^$third-party ||gretzalz.com^$third-party ||gripdownload.co^$third-party ||grllopa.com^$third-party @@ -126529,6 +131236,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gururevenue.com^$third-party ||gwallet.com^$third-party ||gx101.com^$third-party +||h-images.net^$third-party ||h12-media.com^$third-party ||halfpriceozarks.com^$third-party ||halogennetwork.com^$third-party @@ -126537,6 +131245,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||havamedia.net^$third-party ||havetohave.com^$third-party ||hb-247.com^$third-party +||hd-plugin.com^$third-party ||hdplayer-download.com^$third-party ||hdvid-codecs-dl.net^$third-party ||hdvidcodecs.com^$third-party @@ -126546,6 +131255,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||hebiichigo.com^$third-party ||helloreverb.com^$third-party ||hexagram.com^$third-party +||hiadone.com^$third-party ||hijacksystem.com^$third-party ||hilltopads.net^$third-party ||himediads.com^$third-party @@ -126583,7 +131293,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||hyperwebads.com^$third-party ||i-media.co.nz^$third-party ||i.skimresources.com^$third-party -||i2i.jp^$third-party ||iamediaserve.com^$third-party ||iasbetaffiliates.com^$third-party ||iasrv.com^$third-party @@ -126603,6 +131312,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||imedia.co.il^$third-party ||imediaaudiences.com^$third-party ||imediarevenue.com^$third-party +||img-giganto.net^$third-party ||imgfeedget.com^$third-party ||imglt.com^$third-party ||imgwebfeed.com^$third-party @@ -126660,6 +131370,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||intellibanners.com^$third-party ||intellitxt.com^$third-party ||intenthq.com^$third-party +||intentmedia.net^$third-party ||interactivespot.net^$third-party ||interclick.com^$third-party ||interestably.com^$third-party @@ -126679,15 +131390,18 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||inuxu.co.in^$third-party ||investingchannel.com^$third-party ||inviziads.com^$third-party +||ip-adress.com^$third-party ||ipredictive.com^$third-party ||ipromote.com^$third-party ||isohits.com^$third-party ||isparkmedia.com^$third-party +||itrengia.com^$third-party ||iu16wmye.com^$third-party ||iv.doubleclick.net^$third-party ||iwantmoar.net^$third-party ||ixnp.com^$third-party ||izeads.com^$third-party +||j2ef76da3.website^$third-party ||jadcenter.com^$third-party ||jango.com^$third-party ||jangonetwork.com^$third-party @@ -126734,6 +131448,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||keywordblocks.com^$third-party ||kikuzip.com^$third-party ||kinley.com^$third-party +||kintokup.com^$third-party ||kiosked.com^$third-party ||kitnmedia.com^$third-party ||klikadvertising.com^$third-party @@ -126741,6 +131456,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||klikvip.com^$third-party ||klipmart.com^$third-party ||klixfeed.com^$third-party +||kloapers.com^$third-party +||klonedaset.org^$third-party ||knorex.asia^$third-party ||knowd.com^$third-party ||kolition.com^$third-party @@ -126750,11 +131467,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||korrelate.net^$third-party ||kqzyfj.com^$third-party ||kr3vinsx.com^$third-party -||krxd.net^$third-party +||kromeleta.ru^$third-party ||kumpulblogger.com^$third-party +||l3op.info^$third-party ||ladbrokesaffiliates.com.au^$third-party ||lakequincy.com^$third-party +||lakidar.net^$third-party ||lanistaconcepts.com^$third-party +||largestable.com^$third-party ||laserhairremovalstore.com^$third-party ||launchbit.com^$third-party ||layer-ad.org^$third-party @@ -126773,12 +131493,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||leaderpub.fr^$third-party ||leadmediapartners.com^$third-party ||leetmedia.com^$third-party +||legisland.net^$third-party ||letsgoshopping.tk^$third-party ||lfstmedia.com^$third-party ||lgse.com^$third-party ||liftdna.com^$third-party ||ligational.com^$third-party -||ligatus.com^$third-party,domain=~bfmtv.com +||ligatus.com^$third-party ||lightad.co.kr^$third-party ||lightningcast.net^$~object-subrequest,third-party ||linicom.co.il^$third-party @@ -126803,6 +131524,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||linkz.net^$third-party ||liqwid.net^$third-party ||listingcafe.com^$third-party +||liveadoptimizer.com^$third-party ||liveadserver.net^$third-party ||liverail.com^$~object-subrequest,third-party ||liveuniversenetwork.com^$third-party @@ -126831,6 +131553,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||lucidmedia.com^$third-party ||luminate.com^$third-party ||lushcrush.com^$third-party +||luxadv.com^$third-party ||luxbetaffiliates.com.au^$third-party ||luxup.ru^$third-party ||lx2rv.com^$third-party @@ -126843,6 +131566,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||madadsmedia.com^$third-party ||madserving.com^$third-party ||madsone.com^$third-party +||magicalled.info^$third-party ||magnetisemedia.com^$third-party ||mainadv.com^$third-party ||mainroll.com^$third-party @@ -126861,6 +131585,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||marketoring.com^$third-party ||marsads.com^$third-party ||martiniadnetwork.com^$third-party +||masternal.com^$third-party ||mastertraffic.cn^$third-party ||matiro.com^$third-party ||maudau.com^$third-party @@ -126873,6 +131598,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||mbn.com.ua^$third-party ||mdadvertising.net^$third-party ||mdialog.com^$third-party +||mdn2015x1.com^$third-party ||meadigital.com^$third-party ||media-general.com^$third-party ||media-ks.net^$third-party @@ -126894,6 +131620,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||medialand.ru^$third-party ||medialation.net^$third-party ||mediaonenetwork.net^$third-party +||mediaonpro.com^$third-party ||mediapeo.com^$third-party ||mediaplex.com^$third-party,domain=~watchever.de ||mediatarget.com^$third-party @@ -126960,6 +131687,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||mobiyield.com^$third-party ||moborobot.com^$third-party ||mobstrks.com^$third-party +||mobtrks.com^$third-party +||mobytrks.com^$third-party ||modelegating.com^$third-party ||moffsets.com^$third-party ||mogointeractive.com^$third-party @@ -126976,17 +131705,20 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||mooxar.com^$third-party ||moregamers.com^$third-party ||moreplayerz.com^$third-party +||morgdm.ru^$third-party ||moselats.com^$third-party ||movad.net^$third-party ||mpnrs.com^$third-party ||mpression.net^$third-party ||mprezchc.com^$third-party ||msads.net^$third-party +||mtrcss.com^$third-party ||mujap.com^$third-party ||multiadserv.com^$third-party ||munically.com^$third-party ||music-desktop.com^$third-party ||mutary.com^$third-party +||mxtads.com^$third-party ||my-layer.net^$third-party ||myaffiliates.com^$third-party ||myclickbankads.com^$third-party @@ -126996,6 +131728,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||myinfotopia.com^$third-party ||mylinkbox.com^$third-party ||mynewcarquote.us^$third-party +||myplayerhd.net^$third-party ||mythings.com^$third-party ||myuniques.ru^$third-party ||myvads.com^$third-party @@ -127005,6 +131738,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||nabbr.com^$third-party ||nagrande.com^$third-party ||nanigans.com^$third-party +||nativead.co^$third-party +||nativeads.com^$third-party ||nbjmp.com^$third-party ||nbstatic.com^$third-party ||ncrjsserver.com^$third-party @@ -127029,6 +131764,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||networld.hk^$third-party ||networldmedia.net^$third-party ||neudesicmediagroup.com^$third-party +||newdosug.eu^$third-party ||newgentraffic.com^$third-party ||newideasdaily.com^$third-party ||newsadstream.com^$third-party @@ -127041,6 +131777,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ngecity.com^$third-party ||nicheadgenerator.com^$third-party ||nicheads.com^$third-party +||nighter.club^$third-party ||nkredir.com^$third-party ||nmcdn.us^$third-party ||nmwrdr.net^$third-party @@ -127054,6 +131791,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||nowspots.com^$third-party ||nplexmedia.com^$third-party ||npvos.com^$third-party +||nquchhfyex.com^$third-party ||nrnma.com^$third-party ||nscontext.com^$third-party ||nsdsvc.com^$third-party @@ -127061,7 +131799,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||nspmotion.com^$third-party ||nster.net^$third-party,domain=~nster.com ||ntent.com^$third-party -||nuggad.net^$third-party ||numberium.com^$third-party ||nuseek.com^$third-party ||nvadn.com^$third-party @@ -127099,6 +131836,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||onad.eu^$third-party ||onads.com^$third-party ||onclickads.net^$third-party +||onedmp.com^$third-party ||onenetworkdirect.com^$third-party ||onenetworkdirect.net^$third-party ||onespot.com^$third-party @@ -127110,12 +131848,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||onrampadvertising.com^$third-party ||onscroll.com^$third-party ||onsitemarketplace.net^$third-party -||ontoplist.com^$third-party ||onvertise.com^$third-party ||oodode.com^$third-party +||ooecyaauiz.com^$third-party ||oofte.com^$third-party ||oos4l.com^$third-party ||opap.co.kr^$third-party +||openbook.net^$third-party ||openetray.com^$third-party ||opensourceadvertisementnetwork.info^$third-party ||openxadexchange.com^$third-party @@ -127208,6 +131947,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||picsti.com^$third-party ||pictela.net^$third-party ||pinballpublishernetwork.com^$third-party +||pioneeringad.com^$third-party ||pivotalmedialabs.com^$third-party ||pivotrunner.com^$third-party ||pixazza.com^$third-party @@ -127243,12 +131983,15 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||popcash.net^$third-party ||popcpm.com^$third-party ||popcpv.com^$third-party +||popearn.com^$third-party ||popmarker.com^$third-party ||popmyad.com^$third-party ||popmyads.com^$third-party ||poponclick.com^$third-party ||popsads.com^$third-party ||popshow.info^$third-party +||poptarts.me^$third-party +||popularitish.com^$third-party ||popularmedia.net^$third-party ||populis.com^$third-party ||populisengage.com^$third-party @@ -127282,6 +132025,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||prod.untd.com^$third-party ||proffigurufast.com^$third-party ||profitpeelers.com^$third-party +||programresolver.net^$third-party ||projectwonderful.com^$third-party ||promo-reklama.ru^$third-party ||promobenef.com^$third-party @@ -127302,7 +132046,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ptp24.com^$third-party ||pub-fit.com^$third-party ||pubdirecte.com^$third-party,domain=~debrideurstream.fr -||pubexchange.com^$third-party ||pubgears.com^$third-party ||publicidad.net^$third-party ||publicidees.com^$third-party @@ -127311,11 +132054,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||publisheradnetwork.com^$third-party ||pubmatic.com^$third-party ||pubserve.net^$third-party +||pubted.com^$third-party ||pulse360.com^$third-party ||pulsemgr.com^$third-party ||purpleflag.net^$third-party +||push2check.com^$third-party ||pxlad.io^$third-party ||pzaasocba.com^$third-party +||pzuwqncdai.com^$third-party ||q1media.com^$third-party ||q1mediahydraplatform.com^$third-party ||q1xyxm89.com^$third-party @@ -127323,9 +132069,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||qdmil.com^$third-party ||qksrv.net^$third-party ||qksz.net^$third-party +||qnrzmapdcc.com^$third-party ||qnsr.com^$third-party ||qservz.com^$third-party ||quantumads.com^$third-party +||quensillo.com^$third-party ||questionmarket.com^$third-party ||questus.com^$third-party ||quickcash500.com^$third-party @@ -127333,6 +132081,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||qwobl.net^$third-party ||qwzmje9w.com^$third-party ||rabilitan.com^$third-party +||radeant.com^$third-party ||radicalwealthformula.com^$third-party ||radiusmarketing.com^$third-party ||raiggy.com^$third-party @@ -127340,6 +132089,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||rainwealth.com^$third-party ||rampanel.com^$third-party ||rapt.com^$third-party +||rawasy.com^$third-party +||rbnt.org^$third-party ||rcads.net^$third-party ||rcurn.com^$third-party ||rddywd.com^$third-party @@ -127357,6 +132108,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||redintelligence.net^$third-party ||reduxmediagroup.com^$third-party ||reelcentric.com^$third-party +||refban.com^$third-party ||referback.com^$third-party ||regdfh.info^$third-party ||registry.cw.cm^$third-party @@ -127368,6 +132120,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||relytec.com^$third-party ||remiroyal.ro^$third-party ||resideral.com^$third-party +||respecific.net^$third-party ||respond-adserver.cloudapp.net^$third-party ||respondhq.com^$third-party ||resultlinks.com^$third-party @@ -127376,12 +132129,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||reussissonsensemble.fr^$third-party ||rev2pub.com^$third-party ||revcontent.com^$third-party +||revenue.com^$third-party ||revenuegiants.com^$third-party ||revenuehits.com^$third-party ||revenuemantra.com^$third-party ||revenuemax.de^$third-party ||revfusion.net^$third-party ||revmob.com^$third-party +||revokinets.com^$third-party ||revresda.com^$third-party ||revresponse.com^$third-party ||revsci.net^$third-party @@ -127398,6 +132153,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ringtonepartner.com^$third-party ||ripplead.com^$third-party ||riverbanksand.com^$third-party +||rixaka.com^$third-party ||rmxads.com^$third-party ||rnmd.net^$third-party ||robocat.me^$third-party @@ -127415,7 +132171,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||rtbmedia.org^$third-party ||rtbpop.com^$third-party ||rtbpops.com^$third-party -||ru4.com^$third-party ||rubiconproject.com^$third-party ||rummyaffiliates.com^$third-party ||runadtag.com^$third-party @@ -127462,6 +132217,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||servali.net^$third-party ||serve-sys.com^$third-party ||servebom.com^$third-party +||servedbyadbutler.com^$third-party ||servedbyopenx.com^$third-party ||servemeads.com^$third-party ||serving-sys.com^$third-party @@ -127477,6 +132233,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||shareresults.com^$third-party ||sharethrough.com^$third-party ||shoogloonetwork.com^$third-party +||shopalyst.com^$third-party ||shoppingads.com^$third-party ||showyoursite.com^$third-party ||siamzone.com^$third-party @@ -127498,6 +132255,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||skoovyads.com^$third-party ||skyactivate.com^$third-party ||skyscrpr.com^$third-party +||slimspots.com^$third-party ||slimtrade.com^$third-party ||slinse.com^$third-party ||smart-feed-online.com^$third-party @@ -127510,6 +132268,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||smarttargetting.co.uk^$third-party ||smarttargetting.com^$third-party ||smarttargetting.net^$third-party +||smarttds.ru^$third-party ||smileycentral.com^$third-party ||smilyes4u.com^$third-party ||smowtion.com^$third-party @@ -127570,6 +132329,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||sproose.com^$third-party ||sq2trk2.com^$third-party ||srtk.net^$third-party +||srx.com.sg^$third-party ||sta-ads.com^$third-party ||stackadapt.com^$third-party ||stackattacka.com^$third-party @@ -127637,6 +132397,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||tattomedia.com^$third-party ||tbaffiliate.com^$third-party ||tcadops.ca^$third-party +||td553.com^$third-party ||teads.tv^$third-party ||teambetaffiliates.com^$third-party ||teasernet.com^$third-party @@ -127656,8 +132417,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||theads.me^$third-party ||thebannerexchange.com^$third-party ||thebflix.info^$third-party +||theequalground.info^$third-party ||thelistassassin.com^$third-party ||theloungenet.com^$third-party +||themidnightmatulas.com^$third-party ||thepiratereactor.net^$third-party ||thewebgemnetwork.com^$third-party ||thewheelof.com^$third-party @@ -127668,12 +132431,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||tinbuadserv.com^$third-party ||tisadama.com^$third-party ||tiser.com^$third-party +||tissage-extension.com^$third-party ||tkqlhce.com^$third-party ||tldadserv.com^$third-party ||tlvmedia.com^$third-party ||tnyzin.ru^$third-party ||toboads.com^$third-party ||tokenads.com^$third-party +||tollfreeforwarding.com^$third-party ||tomekas.com^$third-party ||tonefuse.com^$third-party ||tool-site.com^$third-party @@ -127731,6 +132496,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||trafficsway.com^$third-party ||trafficsynergy.com^$third-party ||traffictrader.net^$third-party +||trafficular.com^$third-party ||trafficvance.com^$third-party ||trafficwave.net^$third-party ||trafficz.com^$third-party @@ -127742,6 +132508,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||travelscream.com^$third-party ||travidia.com^$third-party ||tredirect.com^$third-party +||trenpyle.com^$third-party ||triadmedianetwork.com^$third-party ||tribalfusion.com^$third-party ||trigami.com^$third-party @@ -127770,6 +132537,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||twittad.com^$third-party ||twtad.com^$third-party ||tyroo.com^$third-party +||u-ad.info^$third-party ||u1hw38x0.com^$third-party ||ubudigital.com^$third-party ||udmserve.net^$third-party @@ -127777,6 +132545,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ughus.com^$third-party ||uglyst.com^$third-party ||uiadserver.com^$third-party +||uiqatnpooq.com^$third-party ||ukbanners.com^$third-party ||unanimis.co.uk^$third-party ||underclick.ru^$third-party @@ -127800,6 +132569,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||usercash.com^$third-party ||usurv.com^$third-party ||utarget.co.uk^$third-party +||utarget.ru^$third-party ||utokapa.com^$third-party ||utubeconverter.com^$third-party ||v.fwmrm.net^$object-subrequest,third-party @@ -127834,6 +132604,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||vibrant.co^$third-party ||vibrantmedia.com^$third-party ||video-loader.com^$third-party +||video1404.info^$third-party ||videoadex.com^$third-party ||videoclick.ru^$third-party ||videodeals.com^$third-party @@ -127849,11 +132620,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||vidpay.com^$third-party ||viedeo2k.tv^$third-party ||view-ads.de^$third-party +||view.atdmt.com^*/iview/$third-party ||viewablemedia.net^$third-party ||viewclc.com^$third-party ||viewex.co.uk^$third-party ||viewivo.com^$third-party ||vindicosuite.com^$third-party +||vipcpms.com^$third-party ||vipquesting.com^$third-party ||visiads.com^$third-party ||visiblegains.com^$third-party @@ -127878,12 +132651,16 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||w00tmedia.net^$third-party ||w3exit.com^$third-party ||w4.com^$third-party +||w5statistics.info^$third-party +||w9statistics.info^$third-party ||wagershare.com^$third-party ||wahoha.com^$third-party ||wamnetwork.com^$third-party +||wangfenxi.com^$third-party ||warezlayer.to^$third-party ||warfacco.com^$third-party ||watchfree.flv.in^$third-party +||wateristian.com^$third-party ||waymp.com^$third-party ||wbptqzmv.com^$third-party ||wcmcs.net^$third-party @@ -127968,6 +132745,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||yceml.net^$third-party ||yeabble.com^$third-party ||yes-messenger.com^$third-party +||yesadsrv.com^$third-party ||yesnexus.com^$third-party ||yieldads.com^$third-party ||yieldadvert.com^$third-party @@ -127988,6 +132766,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||youcandoitwithroi.com^$third-party ||youlamedia.com^$third-party ||youlouk.com^$third-party +||your-tornado-file.com^$third-party +||your-tornado-file.org^$third-party ||youradexchange.com^$third-party ||yourfastpaydayloans.com^$third-party ||yourquickads.com^$third-party @@ -128032,7 +132812,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adbuddiz.com^$third-party ||adcolony.com^$third-party ||adiquity.com^$third-party -||admarvel.com^$third-party ||admob.com^$third-party ||adwhirl.com^$third-party ||adwired.mobi^$third-party @@ -128066,59 +132845,122 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||yieldmo.com^$third-party ! Non-English (instead of whitelisting ads) ||adhood.com^$third-party +||atresadvertising.com^$third-party ! Yavli.com +||accmndtion.org^$third-party +||addo-mnton.com^$third-party +||allianrd.net^$third-party +||anomiely.com^$third-party +||appr8.net^$third-party ||artbr.net^$third-party +||baordrid.com^$third-party +||batarsur.com^$third-party +||baungarnr.com^$third-party +||biankord.net^$third-party +||blazwuatr.com^$third-party +||blipi.net^$third-party +||bluazard.net^$third-party +||buhafr.net^$third-party +||casiours.com^$third-party +||chansiar.net^$third-party +||chiuawa.net^$third-party +||chualangry.com^$third-party ||compoter.net^$third-party +||contentolyze.net^$third-party +||contentr.net^$third-party ||crhikay.me^$third-party +||d3lens.com^$third-party +||dilpy.org^$third-party +||domri.net^$third-party ||draugonda.net^$third-party ||drfflt.info^$third-party +||dutolats.net^$third-party ||edabl.net^$third-party +||elepheny.com^$third-party ||entru.co^$third-party ||ergers.net^$third-party ||ershgrst.com^$third-party +||esults.net^$third-party +||exciliburn.com^$third-party +||excolobar.com^$third-party ||exernala.com^$third-party +||extonsuan.com^$third-party ||faunsts.me^$third-party ||flaudnrs.me^$third-party ||flaurse.net^$third-party +||foulsomty.com^$third-party ||fowar.net^$third-party ||frxle.com^$third-party ||frxrydv.com^$third-party +||fuandarst.com^$third-party ||gghfncd.net^$third-party ||gusufrs.me^$third-party ||hapnr.net^$third-party +||havnr.com^$third-party +||heizuanubr.net^$third-party ||hobri.net^$third-party +||hoppr.co^$third-party ||ignup.com^$third-party +||iunbrudy.net^$third-party ||ivism.org^$third-party +||jaspensar.com^$third-party ||jdrm4.com^$third-party +||jellr.net^$third-party +||juruasikr.net^$third-party +||jusukrs.com^$third-party +||kioshow.com^$third-party +||kuangard.net^$third-party +||lesuard.com^$third-party +||lia-ndr.com^$third-party +||lirte.org^$third-party ||loopr.co^$third-party +||oplo.org^$third-party ||opner.co^$third-party ||pikkr.net^$third-party +||polawrg.com^$third-party ||prfffc.info^$third-party ||q3sift.com^$third-party ||qewa33a.com^$third-party +||qzsccm.com^$third-party ||r3seek.com^$third-party ||rdige.com^$third-party ||regersd.net^$third-party ||rhgersf.com^$third-party ||rlex.org^$third-party ||rterdf.me^$third-party +||rugistoto.net^$third-party ||selectr.net^$third-party +||simusangr.com^$third-party ||splazards.com^$third-party +||spoa-soard.com^$third-party ||sxrrxa.net^$third-party ||t3sort.com^$third-party ||th4wwe.net^$third-party ||thrilamd.net^$third-party +||topdi.net^$third-party ||trllxv.co^$third-party ||trndi.net^$third-party ||uppo.co^$third-party ||viewscout.com^$third-party +||vopdi.com^$third-party ||waddr.com^$third-party +||wensdteuy.com^$third-party +||wopdi.com^$third-party +||wuarnurf.net^$third-party +||wuatriser.net^$third-party +||wudr.net^$third-party ||xcrsqg.com^$third-party +||xplrer.co^$third-party +||xylopologyn.com^$third-party +||yardr.net^$third-party +||yobr.net^$third-party ||yodr.net^$third-party +||yomri.net^$third-party ||yopdi.com^$third-party ||ypprr.com^$third-party ||yrrrbn.me^$third-party ||z4pick.com^$third-party +||zomri.net^$third-party ||zrfrornn.net^$third-party ! *** easylist:easylist/easylist_adservers_popup.txt *** ||123vidz.com^$popup,third-party @@ -128126,7 +132968,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||32d1d3b9c.se^$popup,third-party ||4dsply.com^$popup,third-party ||5dimes.com^$popup,third-party -||888.com^$popup,third-party +||83nsdjqqo1cau183xz.com^$popup,third-party ||888casino.com^$popup,third-party ||888games.com^$popup,third-party ||888media.net^$popup,third-party @@ -128139,6 +132981,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ad-feeds.com^$popup,third-party ||ad.doubleclick.net^$popup,third-party ||ad.zanox.com/ppv/$popup,third-party +||ad131m.com^$popup,third-party ||ad2387.com^$popup,third-party ||ad2games.com^$popup,third-party ||ad4game.com^$popup,third-party @@ -128147,7 +132990,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adfarm.mediaplex.com^$popup,third-party ||adform.net^$popup,third-party ||adimps.com^$popup,third-party +||aditor.com^$popup,third-party ||adjuggler.net^$popup,third-party +||adk2.co^$popup,third-party +||adk2.com^$popup,third-party +||adk2.net^$popup,third-party ||adlure.net^$popup,third-party ||adnxs.com^$popup,third-party ||adonweb.ru^$popup,third-party @@ -128174,19 +133021,24 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ar.voicefive.com^$popup,third-party ||awempire.com^$popup,third-party ||awsclic.com^$popup,third-party +||bannerflow.com^$popup,third-party ||baypops.com^$popup,third-party ||becoquin.com^$popup,third-party ||becoquins.net^$popup,third-party +||bentdownload.com^$popup,third-party ||bestproducttesters.com^$popup,third-party ||bidsystem.com^$popup,third-party ||bidvertiser.com^$popup,third-party +||bighot.ru^$popup,third-party ||binaryoptionsgame.com^$popup,third-party ||blinko.es^$popup,third-party ||blinkogold.es^$popup,third-party +||blockthis.es^$popup,third-party ||blogscash.info^$popup,third-party ||bongacams.com^$popup,third-party ||bonzuna.com^$popup,third-party ||brandreachsys.com^$popup,third-party +||bzrvwbsh5o.com^$popup,third-party ||careerjournalonline.com^$popup ||casino.betsson.com^$popup,third-party ||clickmngr.com^$popup,third-party @@ -128203,6 +133055,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||cpmstar.com^$popup,third-party ||cpmterra.com^$popup,third-party ||cpvadvertise.com^$popup,third-party +||crazyad.net^$popup,third-party ||directrev.com^$popup,third-party ||distantnews.com^$popup,third-party ||distantstat.com^$popup,third-party @@ -128212,6 +133065,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||downloadthesefile.com^$popup,third-party ||easydownloadnow.com^$popup,third-party ||easykits.org^$popup,third-party +||ebzkswbs78.com^$popup,third-party ||epicgameads.com^$popup,third-party ||euromillionairesystem.me^$popup,third-party ||ewebse.com^$popup,third-party @@ -128221,10 +133075,12 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||f-questionnaire.com^$popup,third-party ||fhserve.com^$popup,third-party ||fidel.to^$popup,third-party +||filestube.com^$popup,third-party ||finance-reporting.org^$popup,third-party ||findonlinesurveysforcash.com^$popup,third-party ||firstclass-download.com^$popup,third-party ||firstmediahub.com^$popup,third-party +||fmdwbsfxf0.com^$popup,third-party ||friendlyduck.com^$popup,third-party ||g05.info^$popup,third-party ||ganja.com^$popup,third-party @@ -128233,6 +133089,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gotoplaymillion.com^$popup,third-party ||greatbranddeals.com^$popup,third-party ||gsniper2.com^$popup,third-party +||hd-plugin.com^$popup,third-party ||highcpms.com^$popup,third-party ||homecareerforyou1.info^$popup,third-party ||hornygirlsexposed.com^$popup,third-party @@ -128243,17 +133100,22 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||inbinaryoption.com^$popup,third-party ||indianmasala.com^$popup,third-party,domain=masalaboard.com ||indianweeklynews.com^$popup,third-party +||insta-cash.net^$popup,third-party ||instantpaydaynetwork.com^$popup,third-party ||jdtracker.com^$popup,third-party ||jujzh9va.com^$popup,third-party ||junbi-tracker.com^$popup,third-party ||kanoodle.com^$popup,third-party +||landsraad.cc^$popup,third-party +||legisland.net^$popup,third-party ||ligatus.com^$popup,third-party ||livechatflirt.com^$popup,third-party ||livepromotools.com^$popup,third-party +||liversely.net^$popup,third-party ||lmebxwbsno.com^$popup,third-party ||lnkgt.com^$popup,third-party ||m57ku6sm.com^$popup,third-party +||marketresearchglobal.com^$popup,third-party ||media-app.com^$popup,third-party ||media-servers.net^$popup,third-party ||mediaseeding.com^$popup,third-party @@ -128287,6 +133149,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||pointroll.com^$popup,third-party ||popads.net^$popup,third-party ||popmyads.com^$popup,third-party +||print3.info^$popup,third-party ||prizegiveaway.org^$popup,third-party ||promotions-paradise.org^$popup,third-party ||promotions.sportsbet.com.au^$popup,third-party @@ -128298,8 +133161,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||pulse360.com^$popup,third-party ||raoplenort.biz^$popup,third-party ||ratari.ru^$popup,third-party +||rdsrv.com^$popup,third-party ||rehok.km.ua^$popup,third-party ||rgadvert.com^$popup,third-party +||rikhov.ru^$popup,third-party ||ringtonepartner.com^$popup,third-party ||ronetu.ru^$popup,third-party ||roulettebotplus.com^$popup,third-party @@ -128309,7 +133174,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||serving-sys.com^$popup,third-party ||sexitnow.com^$popup,third-party ||silstavo.com^$popup,third-party +||simpleinternetupdate.com^$popup,third-party ||singlesexdates.com^$popup,third-party +||slimspots.com^$popup,third-party ||smartwebads.com^$popup,third-party ||sms-mmm.com^$popup,third-party ||smutty.com^$popup,third-party @@ -128338,14 +133205,21 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||trw12.com^$popup,third-party ||tutvp.com^$popup,third-party ||updater-checker.net^$popup,third-party +||vgsgaming-ads.com^$popup,third-party +||vipcpms.com^$popup,third-party ||vprmnwbskk.com^$popup,third-party +||w4statistics.info^$popup,third-party ||wahoha.com^$popup,third-party ||wbsadsdel.com^$popup,third-party ||wbsadsdel2.com^$popup,third-party +||weareheard.org^$popup,third-party +||websearchers.net^$popup,third-party ||webtrackerplus.com^$popup,third-party ||weliketofuckstrangers.com^$popup,third-party ||wigetmedia.com^$popup,third-party +||wonderlandads.com^$popup,third-party ||worldrewardcenter.net^$popup,third-party +||wwwpromoter.com^$popup,third-party ||wzus1.ask.com^$popup,third-party ||xclicks.net^$popup,third-party ||xtendmedia.com^$popup,third-party @@ -128361,6 +133235,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||123advertising.nl^$third-party ||15yomodels.com^$third-party ||173.245.86.115^$domain=~yobt.com.ip +||18naked.com^$third-party ||195.228.74.26^$third-party ||1loop.com^$third-party ||1tizer.com^$third-party @@ -128423,10 +133298,12 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adultcommercial.net^$third-party ||adultdatingtraffic.com^$third-party ||adultlinkexchange.com^$third-party +||adultmediabuying.com^$third-party ||adultmoviegroup.com^$third-party ||adultoafiliados.com.br^$third-party ||adultpopunders.com^$third-party ||adultsense.com^$third-party +||adultsense.org^$third-party ||adulttiz.com^$third-party ||adulttubetraffic.com^$third-party ||adv-plus.com^$third-party @@ -128438,6 +133315,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||advmaker.ru^$third-party ||advmania.com^$third-party ||advprotraffic.com^$third-party +||advredir.com^$third-party ||advsense.info^$third-party ||adxite.com^$third-party ||adxmarket.com^$third-party @@ -128451,28 +133329,35 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||aipbannerx.com^$third-party ||aipmedia.com^$third-party ||alfatraffic.com^$third-party +||all-about-tech.com^$third-party ||alladultcash.com^$third-party ||allosponsor.com^$third-party ||allotraffic.com^$third-party ||amtracking01.com^$third-party +||amvotes.ru^$third-party ||anastasia-international.com^$third-party ||angelpastel.com^$third-party ||antaraimedia.com^$third-party ||antoball.com^$third-party ||apromoweb.com^$third-party ||asiafriendfinder.com^$third-party +||augrenso.com^$third-party ||awmcenter.eu^$third-party ||awmpartners.com^$third-party ||ax47mp-xp-21.com^$third-party +||azerbazer.com^$third-party ||aztecash.com^$third-party ||basesclick.ru^$third-party +||baskodenta.com^$third-party ||bcash4you.com^$third-party ||belamicash.com^$third-party ||belasninfetas.org^$third-party ||bestholly.com^$third-party ||bestssn.com^$third-party +||betweendigital.com^$third-party ||bgmtracker.com^$third-party ||biksibo.ru^$third-party +||black-ghettos.info^$third-party ||blossoms.com^$third-party ||board-books.com^$third-party ||boinkcash.com^$third-party @@ -128504,6 +133389,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||cdn.nsimg.net^$third-party ||ceepq.com^$third-party ||celeb-ads.com^$third-party +||celogera.com^$third-party ||cennter.com^$third-party ||certified-apps.com^$third-party ||cervicalknowledge.info^$third-party @@ -128513,6 +133399,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||chopstick16.com^$third-party ||citysex.com^$third-party ||clearac.com^$third-party +||clickganic.com^$third-party ||clickpapa.com^$third-party ||clicksvenue.com^$third-party ||clickthruserver.com^$third-party @@ -128524,6 +133411,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||colpory.com^$third-party ||comunicazio.com^$third-party ||cpacoreg.com^$third-party +||cpl1.ru^$third-party ||crakbanner.com^$third-party ||crakcash.com^$third-party ||creoads.com^$third-party @@ -128538,6 +133426,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||dallavel.com^$third-party ||dana123.com^$third-party ||danzabucks.com^$third-party +||darangi.ru^$third-party ||data-ero-advertising.com^$third-party ||datefunclub.com^$third-party ||datetraders.com^$third-party @@ -128545,11 +133434,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||dating-adv.com^$third-party ||datingadnetwork.com^$third-party ||datingamateurs.com^$third-party -||datingfactory.com^$third-party ||datingidol.com^$third-party ||dblpmp.com^$third-party ||deecash.com^$third-party ||demanier.com^$third-party +||denotyro.com^$third-party ||depilflash.tv^$third-party ||depravedwhores.com^$third-party ||desiad.net^$third-party @@ -128560,6 +133449,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||discreetlocalgirls.com^$third-party ||divascam.com^$third-party ||divertura.com^$third-party +||dofolo.ru^$third-party ||dosugcz.biz^$third-party ||double-check.com^$third-party ||doublegear.com^$third-party @@ -128572,6 +133462,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||easyflirt.com^$third-party ||ebdr2.com^$third-party ||elekted.com^$third-party +||eltepo.ru^$third-party ||emediawebs.com^$third-party ||enoratraffic.com^$third-party ||eragi.ru^$third-party @@ -128585,6 +133476,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||exchangecash.de^$third-party ||exclusivepussy.com^$third-party ||exoclickz.com^$third-party +||exogripper.com^$third-party ||eyemedias.com^$third-party ||facebookofsex.com^$third-party ||faceporn.com^$third-party @@ -128621,11 +133513,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||funnypickuplinesforgirls.com^$third-party ||g6ni40i7.com^$third-party ||g726n8cy.com^$third-party +||gamblespot.ru^$third-party ||ganardineroreal.com^$third-party ||gayadpros.com^$third-party ||gayxperience.com^$third-party +||gefnaro.com^$third-party ||genialradio.com^$third-party ||geoaddicted.net^$third-party +||geofamily.ru^$third-party ||geoinventory.com^$third-party ||getiton.com^$third-party ||gfhdkse.com^$third-party @@ -128643,6 +133538,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gunzblazingpromo.com^$third-party ||helltraffic.com^$third-party ||hentaibiz.com^$third-party +||herezera.com^$third-party ||hiddenbucks.com^$third-party ||highnets.com^$third-party ||hipals.com^$third-party @@ -128696,6 +133592,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||kingpinmedia.net^$third-party ||kinopokaz.org^$third-party ||kliklink.ru^$third-party +||kolestence.com^$third-party ||kolitat.com^$third-party ||kolort.ru^$third-party ||kuhnivsemisrazu.ru^$third-party @@ -128723,6 +133620,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||lucidcommerce.com^$third-party ||luvcash.com^$third-party ||luvcom.com^$third-party +||madbanner.com^$third-party ||magical-sky.com^$third-party ||mahnatka.ru^$third-party ||mallcom.com^$third-party @@ -128777,9 +133675,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||newsexbook.com^$third-party ||ngbn.net^$third-party ||nikkiscash.com^$third-party +||ningme.ru^$third-party ||njmaq.com^$third-party ||nkk31jjp.com^$third-party ||nscash.com^$third-party +||nsfwads.com^$third-party ||nummobile.com^$third-party ||nvp2auf5.com^$third-party ||oddads.net^$third-party @@ -128788,11 +133688,16 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||onhercam.com^$third-party ||onyarysh.ru^$third-party ||ordermc.com^$third-party +||orodi.ru^$third-party ||otaserve.net^$third-party ||otherprofit.com^$third-party ||outster.com^$third-party ||owlopadjet.info^$third-party +||owpawuk.ru^$third-party ||ozelmedikal.com^$third-party +||ozon.ru^$third-party +||ozone.ru^$third-party,domain=~ozon.ru|~ozonru.co.il|~ozonru.com|~ozonru.eu|~ozonru.kz +||ozonru.eu^$third-party ||paid-to-promote.net^$third-party ||parkingpremium.com^$third-party ||partnercash.com^$third-party @@ -128827,7 +133732,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||pornleep.com^$third-party ||porno-file.ru^$third-party ||pornoow.com^$third-party -||pornprosnetwork.com^$third-party ||porntrack.com^$third-party ||portable-basketball.com^$third-party ||pourmajeurs.com^$third-party @@ -128848,6 +133752,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||promowebstar.com^$third-party ||protect-x.com^$third-party ||protizer.ru^$third-party +||prscripts.com^$third-party ||ptclassic.com^$third-party ||ptrfc.com^$third-party ||ptwebcams.com^$third-party @@ -128857,7 +133762,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||putags.com^$third-party ||putanapartners.com^$third-party ||pyiel2bz.com^$third-party +||quagodex.com^$third-party ||queronamoro.com^$third-party +||quexotac.com^$third-party ||r7e0zhv8.com^$third-party ||rack-media.com^$third-party ||ragazzeinvendita.com^$third-party @@ -128875,6 +133782,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||reliablebanners.com^$third-party ||reprak.com^$third-party ||retargetpro.net^$third-party +||retoxo.com^$third-party ||rexbucks.com^$third-party ||rivcash.com^$third-party ||rmbn.net^$third-party @@ -128899,7 +133807,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||searchx.eu^$third-party ||secretbehindporn.com^$third-party ||seekbang.com^$third-party +||seemybucks.com^$third-party ||seitentipp.com^$third-party +||senkinar.com^$third-party ||sesxc.com^$third-party ||sexad.net^$third-party ||sexdatecash.com^$third-party @@ -128917,6 +133827,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||siccash.com^$third-party ||sixsigmatraffic.com^$third-party ||sjosteras.com^$third-party +||skeettools.com^$third-party ||slendastic.com^$third-party ||smartbn.ru^$third-party ||sms-xxx.com^$third-party @@ -128940,15 +133851,18 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||talk-blog.com^$third-party ||targetingnow.com^$third-party ||targettrafficmarketing.net^$third-party +||tarkita.ru^$third-party ||teasernet.ru^$third-party ||teaservizio.com^$third-party ||tech-board.com^$third-party ||teendestruction.com^$third-party ||the-adult-company.com^$third-party +||thebunsenburner.com^$third-party ||thepayporn.com^$third-party ||thesocialsexnetwork.com^$third-party ||thumbnail-galleries.net^$third-party ||timteen.com^$third-party +||tingrinter.com^$third-party ||tinyweene.com^$third-party ||titsbro.net^$third-party ||titsbro.org^$third-party @@ -128966,6 +133880,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||tracelive.ru^$third-party ||tracker2kss.eu^$third-party ||trackerodss.eu^$third-party +||traffbiz.ru^$third-party ||traffic-in.com^$third-party ||traffic.ru^$third-party ||trafficholder.com^$third-party @@ -128973,6 +133888,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||trafficlearn.com^$third-party ||trafficpimps.com^$third-party ||trafficshop.com^$third-party +||trafficstars.com^$third-party ||trafficundercontrol.com^$third-party ||traficmax.fr^$third-party ||trafogon.net^$third-party @@ -128984,15 +133900,19 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||tubeadnetwork.com^$third-party ||tubedspots.com^$third-party ||tufosex.com.br^$third-party +||tvzavr.ru^$third-party ||twistyscash.com^$third-party +||ukreggae.ru^$third-party ||unaspajas.com^$third-party ||unlimedia.net^$third-party +||uxernab.com^$third-party ||ver-pelis.net^$third-party ||verticalaffiliation.com^$third-party ||video-people.com^$third-party ||virtuagirlhd.com^$third-party ||vividcash.com^$third-party ||vktr073.net^$third-party +||vlexokrako.com^$third-party ||vlogexpert.com^$third-party ||vod-cash.com^$third-party ||vogopita.com^$third-party @@ -129003,6 +133923,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||wamcash.com^$third-party ||warsomnet.com^$third-party ||webcambait.com^$third-party +||webcampromotions.com^$third-party ||webclickengine.com^$third-party ||webclickmanager.com^$third-party ||websitepromoserver.com^$third-party @@ -129050,6 +133971,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||yourdatelink.com^$third-party ||yourfuckbook.com^$third-party,domain=~fuckbookhookups.com ||ypmadserver.com^$third-party +||yu0123456.com^$third-party ||yuppads.com^$third-party ||yx0banners.com^$third-party ||zinzimo.info^$third-party @@ -129074,7 +133996,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||chokertraffic.com^$popup,third-party ||chtic.net^$popup,third-party ||doublegear.com^$popup,third-party +||dverser.ru^$popup,third-party ||easysexdate.com^$popup +||ebocornac.com^$popup,third-party ||ekod.info^$popup,third-party ||ero-advertising.com^$popup,third-party ||everyporn.net^$popup,third-party @@ -129084,6 +134008,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||filthads.com^$popup,third-party ||flagads.net^$popup ||foaks.com^$popup,third-party +||fox-forden.ru^$popup,third-party ||fpctraffic2.com^$popup,third-party ||freecamsexposed.com^$popup ||freewebcams.com^$popup,third-party @@ -129099,6 +134024,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ipvertising.com^$popup ||juicyads.com^$popup,third-party ||kaizentraffic.com^$popup,third-party +||legacyminerals.net^$popup,third-party ||loltrk.com^$popup,third-party ||naughtyplayful.com^$popup,third-party ||needlive.com^$popup @@ -129110,17 +134036,21 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||popcash.net^$popup,third-party ||pornbus.org^$popup ||prexista.com^$popup,third-party +||prpops.com^$popup,third-party ||reviewdollars.com^$popup,third-party ||sascentral.com^$popup,third-party ||setravieso.com^$popup,third-party ||sex-journey.com^$popup,third-party ||sexad.net^$popup,third-party +||sexflirtbook.com^$popup,third-party ||sexintheuk.com^$popup,third-party ||socialsex.biz^$popup,third-party ||socialsex.com^$popup,third-party ||targetingnow.com^$popup,third-party ||trafficbroker.com^$popup ||trafficholder.com^$popup,third-party +||trafficstars.com^$popup +||vlexokrako.com^$popup ||voyeurbase.com^$popup,third-party ||watchmygf.com^$popup ||xdtraffic.com^$popup,third-party @@ -129149,6 +134079,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||1stag.com/main/img/banners/ ||1whois.org/static/popup.js ||208.43.84.120/trueswordsa3.gif$third-party,domain=~trueswords.com.ip +||209.15.224.6^$third-party,domain=~liverail-mlgtv.ip ||216.41.211.36/widget/$third-party,domain=~bpaww.com.ip ||217.115.147.241/media/$third-party,domain=~elb-kind.de.ip ||24.com//flashplayer/ova-jw.swf$object-subrequest @@ -129160,6 +134091,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||2yu.in/banner/$third-party ||360pal.com/ads/$third-party ||3dots.co.il/pop/ +||4getlikes.com/promo/ ||69.50.226.158^$third-party,domain=~worth1000.com.ip ||6angebot.ch^$third-party,domain=netload.in ||6theory.com/pub/ @@ -129170,6 +134102,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||a.livesportmedia.eu^ ||a.ucoz.net^ ||a.watershed-publishing.com^ +||a04296f070c0146f314d-0dcad72565cb350972beb3666a86f246.r50.cf5.rackcdn.com^ ||a1channel.net/img/downloadbtn2.png ||a1channel.net/img/watch_now.gif ||abacast.com/banner/ @@ -129177,7 +134110,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ad.23blogs.com^$third-party ||ad.about.co.kr^ ||ad.accessmediaproductions.com^ -||ad.adriver.ru^$domain=firstrownow.eu|kyivpost.com|uatoday.tv +||ad.adriver.ru^$domain=firstrownow.eu|kyivpost.com|uatoday.tv|unian.info ||ad.aquamediadirect.com^$third-party ||ad.e-kolay.net^$third-party ||ad.flux.com^ @@ -129209,12 +134142,12 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ad.smartclip.net^ ||ad.spielothek.so^ ||ad.sponsoreo.com^$third-party -||ad.theequalground.info^ ||ad.valuecalling.com^$third-party ||ad.vidaroo.com^ ||ad.winningpartner.com^ ||ad.wsod.com^$third-party ||ad.zaman.com.tr^$third-party +||ad2links.com/js/$third-party ||adap.tv/redir/client/static/as3adplayer.swf ||adap.tv/redir/plugins/$object-subrequest ||adap.tv/redir/plugins3/$object-subrequest @@ -129226,12 +134159,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adfoc.us/js/$third-party ||adingo.jp.eimg.jp^ ||adlandpro.com^$third-party -||adm.shinobi.jp^ +||adm.shinobi.jp^$third-party ||adn.ebay.com^ ||adplus.goo.mx^ ||adr-*.vindicosuite.com^ ||ads.dynamicyield.com^$third-party ||ads.mp.mydas.mobi^ +||adscaspion.appspot.com^ ||adserv.legitreviews.com^$third-party ||adsrv.eacdn.com^$third-party ||adss.dotdo.net^ @@ -129244,7 +134178,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||aff.eteachergroup.com^ ||aff.marathonbet.com^ ||aff.svjump.com^ -||affddl.automotive.com^ ||affil.mupromo.com^ ||affiliate.juno.co.uk^$third-party ||affiliate.mediatemple.net^$third-party @@ -129257,12 +134190,15 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||affiliates.homestead.com^$third-party ||affiliates.lynda.com^$third-party ||affiliates.picaboocorp.com^$third-party +||affiliatesmedia.sbobet.com^ +||affiliation.filestube.com^$third-party ||affiliation.fotovista.com^ ||affutdmedia.com^$third-party ||afimg.liveperson.com^$third-party ||agenda.complex.com^ ||agoda.net/banners/ ||ahlanlive.com/newsletters/banners/$third-party +||airvpn.org/images/promotional/ ||ais.abacast.com^ ||ak.imgaft.com^$third-party ||ak1.imgaft.com^$third-party @@ -129276,6 +134212,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||algart.net*_banner_$third-party ||allposters.com^*/banners/ ||allsend.com/public/assets/images/ +||alluremedia.com.au^*/campaigns/ ||alpsat.com/banner/ ||altushost.com/docs/$third-party ||amazon.com/?_encoding*&linkcode$third-party @@ -129296,6 +134233,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||amazonaws.com/skyscrpr.js ||amazonaws.com/streetpulse/ads/ ||amazonaws.com/widgets.youcompare.com.au/ +||amazonaws.com/youpop/ ||analytics.disneyinternational.com^ ||angelbc.com/clients/*/banners/$third-party ||anime.jlist.com^$third-party @@ -129362,6 +134300,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||banners.videosz.com^$third-party ||banners.webmasterplan.com^$third-party ||bbcchannels.com/workspace/uploads/ +||bc.coupons.com^$third-party ||bc.vc/js/link-converter.js$third-party ||beachcamera.com/assets/banners/ ||bee4.biz/banners/ @@ -129385,6 +134324,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||bigpond.com/specials/$subdocument,third-party ||bigrock.in/affiliate/ ||bijk.com^*/banners/ +||binbox.io/public/img/promo/$third-party ||binopt.net/banners/ ||bit.ly^$subdocument,domain=adf.ly ||bitcoindice.com/img/bitcoindice_$third-party @@ -129396,6 +134336,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||blindferret.com/images/*_skin_ ||blinkx.com/?i=*&adc_pub_id=$script,third-party ||blinkx.com/f2/overlays/ +||bliss-systems-api.co.uk^$third-party ||blissful-sin.com/affiliates/ ||blocks.ginotrack.com^$third-party ||bloodstock.uk.com/affiliates/ @@ -129455,6 +134396,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||cdn.assets.gorillanation.com^$third-party ||cdn.cdncomputer.com/js/main.js ||cdn.ndparking.com/js/init.min.js +||cdn.offcloud.com^$third-party +||cdn.pubexchange.com/modules/display/$script ||cdn.sweeva.com/images/$third-party ||cdnpark.com/scripts/js3.js ||cdnprk.com/scripts/js3.js @@ -129464,6 +134407,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||cerebral.typn.com^ ||cex.io/img/b/ ||cex.io/informer/$third-party +||cfcdn.com/showcase_sample/search_widget/ ||cgmlab.com/tools/geotarget/custombanner.js ||chacsystems.com/gk_add.html$third-party ||challies.com^*/wtsbooks5.png$third-party @@ -129475,7 +134419,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||citygridmedia.com/ads/ ||cjmooter.xcache.kinxcdn.com^ ||clarity.abacast.com^ -||clearchannel.com/cc-common/templates/addisplay/ ||click.eyk.net^ ||clickstrip.6wav.es^ ||clicksure.com/img/resources/banner_ @@ -129484,6 +134427,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||cloudfront.net/scripts/js3caf.js ||cloudzer.net/ref/ ||cloudzer.net^*/banner/$third-party +||cngroup.co.uk/service/creative/ ||cnhionline.com^*/rtj_ad.jpg ||cnnewmedia.co.uk/locker/ ||code.popup2m.com^$third-party @@ -129560,6 +134504,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||d2ipklohrie3lo.cloudfront.net^ ||d2mic0r0bo3i6z.cloudfront.net^ ||d2mq0uzafv8ytp.cloudfront.net^ +||d2nlytvx51ywh9.cloudfront.net^ ||d2o307dm5mqftz.cloudfront.net^ ||d2oallm7wrqvmi.cloudfront.net^ ||d2omcicc3a4zlg.cloudfront.net^ @@ -129592,6 +134537,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||d3lvr7yuk4uaui.cloudfront.net^ ||d3lzezfa753mqu.cloudfront.net^ ||d3m41swuqq4sv5.cloudfront.net^ +||d3nvrqlo8rj1kw.cloudfront.net^ ||d3p9ql8flgemg7.cloudfront.net^ ||d3pkae9owd2lcf.cloudfront.net^ ||d3q2dpprdsteo.cloudfront.net^ @@ -129662,6 +134608,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||downloadandsave-a.akamaihd.net^$third-party ||downloadprovider.me/en/search/*?aff.id=*&iframe=$third-party ||dp51h10v6ggpa.cloudfront.net^ +||dpsq2uzakdgqz.cloudfront.net^ ||dq2tgxnc2knif.cloudfront.net^ ||dramafever.com/widget/$third-party ||dramafeverw2.appspot.com/widget/$third-party @@ -129747,6 +134694,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||filefactory.com^*/refer.php?hash= ||filejungle.com/images/banner/ ||fileloadr.com^$third-party +||fileparadox.com/images/banner/ ||filepost.com/static/images/bn/ ||fileserve.com/images/banner_$third-party ||fileserver1.net/download @@ -129787,6 +134735,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||furiousteam.com^*/external_banner/ ||futuboxhd.com/js/bc.js ||futuresite.register.com/us?$third-party +||fxcc.com/promo/ ||fxultima.com/banner/ ||fyicentralmi.com/remote_widget?$third-party ||fyiwashtenaw.com/remote_widget? @@ -129809,8 +134758,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||geobanner.passion.com^ ||get.2leep.com^$third-party ||get.box24casino.com^$third-party +||get.davincisgold.com^$third-party +||get.paradise8.com^$third-party ||get.rubyroyal.com^$third-party ||get.slotocash.com^$third-party +||get.thisisvegas.com^$third-party ||getadblock.com/images/adblock_banners/$third-party ||gethopper.com/tp/$third-party ||getnzb.com/img/partner/banners/$third-party @@ -129835,6 +134787,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||google.com/pagead/ ||google.com/uds/afs?*adsense$subdocument ||googlesyndication.com/pagead/$third-party +||googlesyndication.com/safeframe/$third-party ||googlesyndication.com/simgad/$third-party ||googlesyndication.com^*/click_to_buy/$object-subrequest,third-party ||googlesyndication.com^*/domainpark.cgi? @@ -129850,6 +134803,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gsniper.com/images/$third-party ||guim.co.uk/guardian/thirdparty/tv-site/side.html ||guzzle.co.za/media/banners/ +||halllakeland.com/banner/ ||handango.com/marketing/affiliate/ ||haymarket-whistleout.s3.amazonaws.com/*_ad.html ||haymarket.net.au/Skins/ @@ -129858,6 +134812,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||hexero.com/images/banner.gif ||hide-my-ip.com/promo/ ||highepcoffer.com/images/banners/ +||hitleap.com/assets/banner- ||hitleap.com/assets/banner.png ||hm-sat.de/b.php ||hostdime.com/images/affiliate/$third-party @@ -129880,6 +134835,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||i.lsimg.net^*/takeover/ ||ibsrv.net/sidetiles/125x125/ ||ibsrv.net/sponsor_images/ +||ibsys.com/sh/sponsors/ ||ibvpn.com/img/banners/ ||icastcenter.com^*/amazon-buyfrom.gif ||icastcenter.com^*/itunes.jpg @@ -129957,6 +134913,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||kaango.com/fecustomwidgetdisplay? ||kallout.com^*.php?id= ||kaltura.com^*/vastPlugin.swf$third-party +||keep2share.cc/images/i/00468x0060- ||keyword-winner.com/demo/images/ ||king.com^*/banners/ ||knorex.asia/static-firefly/ @@ -130177,6 +135134,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||partner.e-conomic.com^$third-party ||partner.premiumdomains.com^ ||partnerads.ysm.yahoo.com^ +||partnerads1.ysm.yahoo.com^ ||partners.betus.com^$third-party ||partners.dogtime.com/network/ ||partners.fshealth.com^ @@ -130212,6 +135170,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||pokersavvy.com^*/banners/ ||pokerstars.com/?source=$subdocument,third-party ||pokerstars.com/euro_bnrs/ +||popeoftheplayers.eu/ad +||popmog.com^$third-party ||pops.freeze.com^$third-party ||pornturbo.com/tmarket.php ||post.rmbn.ru^$third-party @@ -130253,6 +135213,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||racebets.com/media.php? ||rack.bauermedia.co.uk^ ||rackcdn.com/brokers/$third-party,domain=fxempire.com|fxempire.de|fxempire.it|fxempire.nl +||rackcdn.com^$script,domain=search.aol.com ||rackspacecloud.com/Broker%20Buttons/$domain=investing.com ||radiocentre.ca/randomimages/$third-party ||radioreference.com/sm/300x75_v3.jpg @@ -130292,7 +135253,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ruralpressevents.com/agquip/logos/$domain=farmonline.com.au ||russian-dreams.net/static/js/$third-party ||rya.rockyou.com^$third-party -||s-assets.tp-cdn.com^ +||s-assets.tp-cdn.com/widgets/*/vwid/*.html? ||s-yoolk-banner-assets.yoolk.com^ ||s-yoolk-billboard-assets.yoolk.com^ ||s.cxt.ms^$third-party @@ -130315,6 +135276,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||secondspin.com/twcontent/ ||securep2p.com^$subdocument,third-party ||secureupload.eu/banners/ +||seedboxco.net/*.swf$third-party ||seedsman.com/affiliate/$third-party ||selectperformers.com/images/a/ ||selectperformers.com/images/elements/bannercolours/ @@ -130357,9 +135319,12 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||slickdeals.meritline.com^$third-party ||slot.union.ucweb.com^ ||slysoft.com/img/banner/$third-party +||smart.styria-digital.com^ ||smartdestinations.com/ai/$third-party ||smartlinks.dianomi.com^$third-party ||smilepk.com/bnrsbtns/ +||snacktools.net/bannersnack/ +||snapapp.com^$third-party,domain=bostonmagazine.com ||snapdeal.com^*.php$third-party ||sndkorea.nowcdn.co.kr^$third-party ||socialmonkee.com/images/$third-party @@ -130427,6 +135392,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||tap.more-results.net^ ||techbargains.com/inc_iframe_deals_feed.cfm?$third-party ||techbargains.com/scripts/banner.js$third-party +||tedswoodworking.com/images/banners/ ||textlinks.com/images/banners/ ||thaiforlove.com/userfiles/affb- ||thatfreething.com/images/banners/ @@ -130436,6 +135402,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||themify.me/banners/$third-party ||themis-media.com^*/sponsorships/ ||thereadystore.com/affiliate/ +||theseblogs.com/visitScript/ +||theseforums.com/visitScript/ ||theselfdefenseco.com/?affid=$third-party ||thetechnologyblog.net^*/bp_internet/ ||thirdpartycdn.lumovies.com^$third-party @@ -130463,8 +135431,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||tosol.co.uk/international.php?$third-party ||townnews.com^*/dealwidget.css? ||townnews.com^*/upickem-deals.js? +||townsquareblogs.com^*=sponsor& ||toysrus.com/graphics/promo/ ||traceybell.co.uk^$subdocument,third-party +||track.bcvcmedia.com^ ||tradeboss.com/1/banners/ ||travelmail.traveltek.net^$third-party ||travelplus.tv^$third-party,domain=kissanime.com @@ -130475,13 +135445,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||trialpay.com^*&dw-ptid=$third-party ||tribktla.files.wordpress.com/*-639x125-sponsorship.jpg? ||tribwgnam.files.wordpress.com^*reskin2. -||tripadvisor.ru/WidgetEmbed-tcphoto?$domain=rbth.co.uk|rbth.com +||tripadvisor.com/WidgetEmbed-*&partnerId=$domain=rbth.co.uk|rbth.com ||tritondigital.com/lt?sid*&hasads= ||tritondigital.com/ltflash.php? ||trivago.co.uk/uk/srv/$third-party ||tshirthell.com/img/affiliate_section/$third-party ||ttt.co.uk/TMConverter/$third-party ||turbobit.net/ref/$third-party +||turbobit.net/refers/$third-party ||turbotrafficsystem.com^*/banners/ ||turner.com^*/promos/ ||twinplan.com^ @@ -130519,7 +135490,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||videoweed.es/js/aff.js ||videozr.com^$third-party ||vidible.tv/placement/vast/ -||vidible.tv/prod/tags/ +||vidible.tv/prod/tags/$third-party ||vidyoda.com/fambaa/chnls/ADSgmts.ashx? ||viglink.com/api/batch^$third-party ||viglink.com/api/insert^$third-party @@ -130553,8 +135524,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||web-jp.ad-v.jp^ ||web2feel.com/images/$third-party ||webdev.co.zw/images/banners/$third-party -||weberotic.net/banners/$third-party -||webhostingpad.com/idevaffiliate/banners/ ||webmasterrock.com/cpxt_pab ||website.ws^*/banners/ ||whistleout.s3.amazonaws.com^ @@ -130566,11 +135535,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||widget.kelkoo.com^ ||widget.raaze.com^ ||widget.scoutpa.com^$third-party +||widget.searchschoolsnetwork.com^ ||widget.shopstyle.com.au^ ||widget.shopstyle.com/widget?pid=$subdocument,third-party ||widget.solarquotes.com.au^ ||widgetcf.adviceiq.com^$third-party ||widgets.adviceiq.com^$third-party +||widgets.fie.futurecdn.net^$script ||widgets.itunes.apple.com^*&affiliate_id=$third-party ||widgets.mobilelocalnews.com^$third-party ||widgets.mozo.com.au^$third-party @@ -130579,6 +135550,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||widgets.realestate.com.au^ ||wildamaginations.com/mdm/banner/ ||winpalace.com/?affid= +||winsms.co.za/banner/ ||wishlistproducts.com/affiliatetools/$third-party ||wm.co.za/24com.php? ||wm.co.za/wmjs.php? @@ -130600,6 +135572,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||x3cms.com/ads/ ||xcams.com/livecams/pub_collante/script.php?$third-party ||xgaming.com/rotate*.php?$third-party +||xigen.co.uk^*/Affiliate/ ||xingcloud.com^*/uid_ ||xml.exactseek.com/cgi-bin/js-feed.cgi?$third-party ||xproxyhost.com/images/banners/ @@ -130609,6 +135582,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||yeas.yahoo.co.jp^ ||yieldmanager.edgesuite.net^$third-party ||yimg.com/gs/apex/mediastore/ +||yimg.com^*/dianominewwidget2.html$domain=yahoo.com ||yimg.com^*/quickplay_maxwellhouse.png ||yimg.com^*/sponsored.js ||yimg.com^*_skin_$domain=yahoo.com @@ -130619,9 +135593,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||zapads.zapak.com^ ||zazzle.com/utl/getpanel$third-party ||zazzle.com^*?rf$third-party +||zergnet.com/zerg.js$third-party ||zeus.qj.net^ ||zeusfiles.com/promo/ ||ziffdavisenterprise.com/contextclicks/ +||ziffprod.com/CSE/BestPrice? ||zip2save.com/widget.php? ||zmh.zope.net^$third-party ||zoomin.tv/video/*.flv$third-party,domain=twitch.tv @@ -130642,15 +135618,15 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||babylon.com/redirects/$popup,third-party ||babylon.com/welcome/index.html?affID=$popup,third-party ||banner.galabingo.com^$popup,third-party -||bet365.com/home/?affiliate=$popup +||bet365.com^*affiliate=$popup ||binaryoptions24h.com^$popup,third-party ||bovada.lv^$popup,third-party +||casino.com^*?*=$popup,third-party ||casinoadviser.net^$popup ||cdn.optmd.com^$popup,third-party ||chatlivejasmin.net^$popup ||chatulfetelor.net/$popup ||chaturbate.com/affiliates/$popup,third-party -||click.aliexpress.com/e/$popup,third-party ||click.scour.com^$popup,third-party ||clickansave.net^$popup,third-party ||ctcautobody.com^$popup,third-party @@ -130685,6 +135661,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||itunes.apple.com^$popup,domain=fillinn.com ||liutilities.com^*/affiliate/$popup ||lovefilm.com/partners/$popup,third-party +||lovepoker.de^*/?pid=$popup ||lp.ilivid.com/?$popup,third-party ||lp.imesh.com/?$popup,third-party ||lp.titanpoker.com^$popup,third-party @@ -130703,8 +135680,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||opendownloadmanager.com^$popup,third-party ||otvetus.com^$popup,third-party ||paid.outbrain.com/network/redir?$popup,third-party -||partycasino.com^$popup,third-party -||partypoker.com^$popup,third-party ||planet49.com/cgi-bin/wingame.pl?$popup ||platinumdown.com^$popup ||pokerstars.eu^*/?source=$popup,third-party @@ -130720,6 +135695,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||secure.komli.com^$popup,third-party ||serve.prestigecasino.com^$popup,third-party ||serve.williamhillcasino.com^$popup,third-party +||settlecruise.org^$popup ||sharecash.org^$popup,third-party ||softingo.com/clp/$popup ||stake7.com^*?a_aid=$popup,third-party @@ -130727,6 +135703,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||stargames.com/web/*&cid=*&pid=$popup,third-party ||sunmaker.com^*^a_aid^$popup,third-party ||thebestbookies.com^$popup,domain=firstrow1us.eu +||theseforums.com^*/?ref=$popup ||thetraderinpajamas.com^$popup,third-party ||tipico.com^*?affiliateid=$popup,third-party ||torntv-tvv.org^$popup,third-party @@ -130793,6 +135770,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||affiliates.easydate.biz^$third-party ||affiliates.franchisegator.com^$third-party ||affiliates.thrixxx.com^ +||allanalpass.com/visitScript/ ||alt.com/go/$third-party ||amarotic.com/Banner/$third-party ||amarotic.com/rotation/layer/chatpage/$third-party @@ -130877,6 +135855,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||dailyvideo.securejoin.com^ ||daredorm.com^$subdocument,third-party ||datefree.com^$third-party +||ddfcash.com/iframes/$third-party ||ddfcash.com/promo/banners/ ||ddstatic.com^*/banners/ ||desk.cmix.org^ @@ -130888,6 +135867,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||dvdbox.com/promo/$third-party ||eliterotica.com/images/banners/ ||erotikdeal.com/?ref=$third-party +||escortforum.net/images/banners/$third-party ||eurolive.com/?module=public_eurolive_onlinehostess& ||eurolive.com/index.php?module=public_eurolive_onlinetool& ||evilangel.com/static/$third-party @@ -130929,7 +135909,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gfrevenge.com/vbanners/ ||girls-home-alone.com/dating/ ||go2cdn.org/brand/$third-party -||graphics.cams.com^$third-party ||graphics.pop6.com/javascript/$script,third-party,domain=~adultfriendfinder.co.uk|~adultfriendfinder.com ||graphics.streamray.com^*/cams_live.swf$third-party ||hardbritlads.com/banner/ @@ -131013,6 +135992,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||nudemix.com/widget/ ||nuvidp.com^$third-party ||odnidoma.com/ban/$third-party +||openadultdirectory.com/banner-$third-party ||orgasmtube.com/js/superP/ ||otcash.com/images/$third-party ||outils.f5biz.com^$third-party @@ -131031,6 +136011,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||pop6.com/banners/$third-party ||pop6.com/javascript/im_box-*.js ||porn2blog.com/wp-content/banners/ +||porndeals.com^$subdocument,third-party ||pornhubpremium.com/relatedpremium/$subdocument,third-party ||pornoh.info^$image,third-party ||pornravage.com/notification/$third-party @@ -131050,6 +136031,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||promo1.webcams.nl^$third-party ||promos.gpniches.com^$third-party ||promos.meetlocals.com^$third-party +||promos.wealthymen.com^$third-party +||ptcdn.mbicash.nl^$third-party +||punterlink.co.uk/images/storage/siteban$third-party ||pussycash.com/content/banners/$third-party ||rabbitporno.com/friends/ ||rabbitporno.com/iframes/$third-party @@ -131102,6 +136086,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||swurve.com/affiliates/ ||target.vivid.com^$third-party ||teendaporn.com/rk.js +||thrixxx.com/affiliates/$image ||thrixxx.com/scripts/show_banner.php? ||thumbs.sunporno.com^$third-party ||thumbs.vstreamcdn.com^*/slider.html @@ -131113,6 +136098,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||trader.erosdlz.com^$third-party ||ts.videosz.com/iframes/ ||tubefck.com^*/adawe.swf +||tumblr.com^*/tumblr_mht2lq0XUC1rmg71eo1_500.gif$domain=stocporn.com ||turbolovervidz.com/fling/ ||twiant.com/img/banners/ ||twilightsex.com^$subdocument,third-party @@ -131166,6 +136152,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||chaturbate.com/*/?join_overlay=$popup ||chaturbate.com/sitestats/openwindow/$popup ||cpm.amateurcommunity.*?cp=$popup,third-party +||devilsfilm.com/track/go.php?$popup,third-party ||epornerlive.com/index.php?*=punder$popup ||exposedwebcams.com/?token=$popup,third-party ||ext.affaire.com^$popup @@ -131188,8 +136175,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||join.teamskeet.com/track/$popup,third-party ||join.whitegfs.com^$popup ||judgeporn.com/video_pop.php?$popup +||linkfame.com^*/go.php?$popup,third-party ||livecams.com^$popup -||livejasmin.com^$popup +||livejasmin.com^$popup,third-party ||media.campartner.com/index.php?cpID=*&cpMID=$popup,third-party ||media.campartner.com^*?cp=$popup,third-party ||meetlocals.com^*popunder$popup @@ -131232,42 +136220,45 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||yuvutu.com^$popup,third-party !----------------------Specific advert blocking filters-----------------------! ! *** easylist:easylist/easylist_specific_block.txt *** -.com/b?z=$domain=couchtuner.eu +.com/b?z=$domain=couchtuner.eu|zzstream.li .com/jquery/*.js?_t=$script,third-party .info/*.js?guid=$script,third-party .info^$script,domain=allmyvideos.net|mediafire.com|mooshare.biz|muchshare.net|royalvids.eu|tvmuse.com|tvmuse.eu|vidspot.net|vidtomp3.com /*;sz=*;ord=$domain=webhostingtalk.com /3market.php?$domain=adf.ly|j.gs|q.gs|u.bb /?placement=$script,domain=sockshare.com -/^https?\:\/\/(?!(connect\.facebook\.net|ajax\.cloudflare\.com|www\.google-analytics\.com|ajax\.googleapis\.com|fbstatic-a\.akamaihd\.net)\/)/$script,third-party,xmlhttprequest,domain=firedrive.com -/^https?\:\/\/(?!(connect\.facebook\.net|ajax\.cloudflare\.com|www\.google-analytics\.com|ajax\.googleapis\.com|fbstatic-a\.akamaihd\.net|stats\.g\.doubleclick\.net|api-secure\.solvemedia\.com|api\.solvemedia\.com|sb\.scorecardresearch\.com|www\.google\.com)\/)/$script,third-party,xmlhttprequest,domain=mediafire.com -/^https?\:\/\/(?!(connect\.facebook\.net|www\.google-analytics\.com|ajax\.googleapis\.com|netdna\.bootstrapcdn\.com|\[\w\-]+\.addthis\.com|bp\.yahooapis\.com|b\.scorecardresearch\.com|platform\.twitter\.com)\/)/$script,third-party,xmlhttprequest,domain=promptfile.com -/^https?\:\/\/(?!(ct1\.addthis\.com|s7\.addthis\.com|b\.scorecardresearch\.com|www\.google-analytics\.com|ajax\.googleapis\.com|static\.sockshare\.com)\/)/$script,third-party,xmlhttprequest,domain=sockshare.com -/^https?\:\/\/(?!(feather\.aviary\.com|api\.aviary\.com|wd-edge\.sharethis\.com|w\.sharethis\.com|edge\.quantserve\.com|tags\.crwdcntrl\.net|static2\.pbsrc\.com|az412349\.vo\.msecnd\.net|printio-geo\.appspot\.com|www\.google-analytics\.com|loadus\.exelator\.com|b\.scorecardresearch\.com)\/)/$script,third-party,xmlhttprequest,domain=photobucket.com|~secure.photobucket.com +/af.php?$subdocument /assets/_takeover/*$domain=deadspin.com|gawker.com|gizmodo.com|io9.com|jalopnik.com|jezebel.com|kotaku.com|lifehacker.com /clickpop.js$domain=miliblog.co.uk /com.js$domain=kinox.to /get/path/.banners.$image,third-party +/http://\[a-zA-Z0-9]+\.\[a-z]+\/.*\[a-zA-Z0-9]+/$script,third-party,domain=affluentinvestor.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthumbsgaming.com|barbwire.com|bighealthreport.com|bulletsfirst.net|clashdaily.com|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|cowboybyte.com|creationrevolution.com|dailysurge.com|dccrimestories.com|drginaloudon.com|drhotze.com|eaglerising.com|freedomoutpost.com|godfatherpolitics.com|instigatornews.com|joeforamerica.com|libertyalliance.com|libertymafia.com|libertyunyielding.com|mediafire.com|menrec.com|nickadamsinamerica.com|patriot.tv|patriotoutdoornews.com|patriotupdate.com|photobucket.com|pitgrit.com|politicaloutcast.com|primewire.ag|promptfile.com|quinhillyer.com|shark-tank.com|stevedeace.com|themattwalshblog.com|therealside.com|tinypic.com|victoriajackson.com|zionica.com /market.php?$domain=adf.ly|u.bb /nexp/dok2v=*/cloudflare/rocket.js$script,domain=ubuntugeek.com /static/js/pop*.js$script,domain=baymirror.com|getpirate.com|livepirate.com|mypiratebay.cl|noncensuram.info|pirateproxy.net|pirateproxy.se|proxicity.info|thepiratebay.se.coevoet.nl|tpb.chezber.org|tpb.ipredator.se|tpb.piraten.lu|tpb.pirateparty.ca|tpb.pirates.ie ?random=$script,domain=allmyvideos.net|mediafire.com|mooshare.biz|muchshare.net|tvmuse.com|tvmuse.eu|vidspot.net ^guid=$script,domain=allmyvideos.net|mediafire.com|mooshare.biz|muchshare.net|tvmuse.com|tvmuse.eu|vidspot.net -|http:$subdocument,third-party,domain=2ad.in|adf.ly|adfoc.us|adv.li|allmyvideos.net|ay.gy|imgmega.com|j.gs|linkbucksmedia.com|q.gs|shr77.com|thevideo.me|u.bb|vidspot.net +|http:$subdocument,third-party,domain=2ad.in|ad2links.com|adf.ly|adfoc.us|adv.li|adyou.me|allmyvideos.net|ay.gy|imgmega.com|j.gs|linkbucksmedia.com|q.gs|shr77.com|thevideo.me|u.bb|vidspot.net |http://*.com^*|*$script,third-party,domain=sporcle.com +|http://creative.*/smart.js$script,third-party |http://j.gs/omnigy*.swf |http://p.pw^$subdocument |https:$subdocument,third-party,domain=2ad.in|adf.ly|adfoc.us|adjet.biz|adv.li|ay.gy|j.gs|q.gs|u.bb ||0-60mag.com/js/takeover-2.0/ ||04stream.com/NEWAD11.php? +||04stream.com/podddpo.js ||10-fast-fingers.com/quotebattle-ad.png ||100best-free-web-space.com/images/ipage.gif ||1023xlc.com/upload/*_background_ ||1043thefan.com^*_Sponsors/ +||1071radio.com//wp-content/banners/ ||1077thebone.com^*/banners/ ||109.236.82.94^$domain=fileforever.net ||11points.com/images/slack100.jpg +||1320wils.com/assets/images/promo%20banner/ ||1340wcmi.com/images/banners/ +||1430wnav.com/images/300- +||1430wnav.com/images/468- ||1590wcgo.com/images/banners/ ||174.143.241.129^$domain=astalavista.com ||1776coalition.com/wp-content/plugins/sam-images/ @@ -131287,6 +136278,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||24hourwristbands.com/*.googleadservices.com/ ||2flashgames.com/img/nfs.gif ||2mfm.org/images/banners/ +||2oceansvibe.com/?custom=takeover ||2pass.co.uk/img/avanquest2013.gif ||360haven.com/forums/*.advertising.com/ ||3dsemulator.org/img/download.png @@ -131319,13 +136311,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||911tabs.com/img/takeover_app_ ||911tabs.com^*/ringtones_overlay.js ||977music.com/index.php?p=get_loading_banner +||977rocks.com/images/300- ||980wcap.com/sponsorlogos/ ||9news.com/promo/ ||a.cdngeek.net^ ||a.giantrealm.com^ ||a.i-sgcm.com^ ||a.kat.ph^ -||a.kickass.so^ +||a.kickass. ||a.kickasstorrent.me^ ||a.kickassunblock.info^ ||a.kickassunblock.net^ @@ -131350,7 +136343,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||absolutewrite.com^*/Scrivener-11-thumbnail-cover_160x136.gif ||absolutewrite.com^*_468x60banner. ||absolutewrite.com^*_ad.jpg -||ac.vpsboard.com^ ||ac2.msn.com^ ||access.njherald.com^ ||accesshollywood.com/aife?$subdocument @@ -131372,6 +136364,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ad.pandora.tv^ ||ad.reachlocal.com^ ||ad.search.ch^ +||ad.services.distractify.com^ ||adamvstheman.com/wp-content/uploads/*/AVTM_banner.jpg ||adcitrus.com^ ||addirector.vindicosuite.com^ @@ -131389,7 +136382,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||adpost.com/skyserver.g. ||adpost.com^*.g.html ||ads-*.hulu.com^ -||ads-grooveshark.com^ ||ads-rolandgarros.com^ ||ads.pof.com^ ||ads.zynga.com^ @@ -131453,6 +136445,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||amazonaws.com/cdn/campaign/$domain=caclubindia.com ||amazonaws.com/cdn/ipfc/$object,domain=caclubindia.com ||amazonaws.com/files.bannersnack.com/ +||amazonaws.com/videos/$domain=technewstoday.com ||amazonaws.com^*-ad.jpg$domain=ewn.co.za ||amazonaws.com^*-Banner.jpg$domain=ewn.co.za ||amazonaws.com^*/site-takeover/$domain=songza.com @@ -131474,15 +136467,18 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||anhits.com/files/banners/ ||anilinkz.com/img/leftsponsors. ||anilinkz.com/img/rightsponsors +||anilinkz.tv/kwarta- ||animationxpress.com/anex/crosspromotions/ ||animationxpress.com/anex/solutions/ ||anime-source.com/banzai/banner.$subdocument +||anime1.com/service/joyfun/ ||anime44.com/anime44box.jpg ||anime44.com/images/videobb2.png ||animea.net/do/ ||animeflavor.com/animeflavor-gao-gamebox.swf ||animeflv.net/cpm.html ||animefushigi.com/boxes/ +||animehaven.org/wp-content/banners/ ||animenewsnetwork.com/stylesheets/*skin$image ||animenewsnetwork.com^*.aframe? ||animeshippuuden.com/adcpm.js @@ -131539,9 +136535,12 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||astalavista.com/avtng/ ||astalavista.com^*/sponsor- ||astronomy.com/sitefiles/overlays/overlaygenerator.aspx? +||astronomynow.com/wp-content/promos/ ||atdhe.ws/pp.js +||atimes.com/banner/ ||atimes.com^*/ahm728x90.swf ||attitude.co.uk/images/Music_Ticket_Button_ +||atđhe.net/pu/ ||augusta.com/sites/*/yca_plugin/yahoo.js$domain=augusta.com ||auto123.com/sasserve.spy ||autoline-eu.co.uk/atlads/ @@ -131576,6 +136575,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||backin.net/s/promo/ ||backpagelead.com.au/images/banners/ ||badongo.com^*_banner_ +||bahamaslocal.com/img/banners/ ||baixartv.com/img/bonsdescontos. ||bakercountypress.com/images/banners/ ||ballerarcade.com/ispark/ @@ -131636,6 +136636,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||bitcoinist.net/wp-content/*/630x80-bitcoinist.gif ||bitcoinist.net/wp-content/uploads/*_250x250_ ||bitcoinreviewer.com/wp-content/uploads/*/banner-luckybit.jpg +||bitminter.com/images/info/spondoolies ||bitreactor.to/sponsor/ ||bitreactor.to/static/subpage$subdocument ||bittorrent.am/banners/ @@ -131658,6 +136659,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||blip.fm/ad/ ||blitzdownloads.com/promo/ ||blog.co.uk/script/blogs/afc.js +||blogevaluation.com/templates/userfiles/banners/ ||blogorama.com/images/banners/ ||blogsdna.com/wp-content/themes/blogsdna2011/images/advertisments.png ||blogsmithmedia.com^*_skin. @@ -131668,6 +136670,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||bn0.com/4v4.js ||bnrs.ilm.ee^ ||bolandrugby.com/images/sponsors. +||bom.gov.au/includes/marketing2.php? ||bookingbuddy.com/js/bookingbuddy.strings.php?$domain=smartertravel.com ||botswanaguardian.co.bw/images/banners/ ||boulderjewishnews.org^*/JFSatHome-3.gif @@ -131711,9 +136714,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||btkitty.com/static/images/880X60.gif ||btkitty.org/static/images/880X60.gif ||btmon.com/da/$subdocument -||budapesttimes.hu/images/banners/ ||bundesliga.com^*/_partner/ -||businesstimes.com.sg^*/ad ||busiweek.com^*/banners/ ||buy-n-shoot.com/images/banners/banner- ||buy.com/*/textlinks.aspx @@ -131725,7 +136726,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||bypassoxy.com/vectrotunnel-banner.gif ||c-sharpcorner.com^*/banners/ ||c-ville.com/image/pool/ -||c21media.net/uploads/flash/*.swf ||c21media.net/wp-content/plugins/sam-images/ ||c9tk.com/images/banner/ ||cadplace.co.uk/banner/ @@ -131733,14 +136733,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||cadvv.koreaherald.com^ ||cafemomstatic.com/images/background/$image ||cafimg.com/images/other/ +||cafonline.com^*/sponsors/ ||caladvocate.com/images/banner- ||caledonianrecord.com/iFrame_ ||caledonianrecord.com/SiteImages/HomePageTiles/ ||caledonianrecord.com/SiteImages/Tile/ ||calgaryherald.com/images/sponsor/ ||calgaryherald.com/images/storysponsor/ -||canadianfamily.ca^*/cf_wallpaper_ -||canadianfamily.ca^*_ad_ ||canalboat.co.uk^*/bannerImage. ||canalboat.co.uk^*/Banners/ ||cananewsonline.com/files/banners/ @@ -131751,6 +136750,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||capitalfm.co.ke^*/830x460-iv.jpg ||capitolfax.com/wp-content/*ad. ||capitolfax.com/wp-content/*Ad_ +||captchaad.com/captchaad.js$domain=gca.sh ||card-sharing.net/cccamcorner.gif ||card-sharing.net/topsharingserver.jpg ||card-sharing.net/umbrella.png @@ -131799,20 +136799,15 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||channel4fm.com/images/background/ ||channel4fm.com/promotion/ ||channel5.com/assets/takeovers/ -||channel5belize.com^*/bmobile2.jpg ||channelonline.tv/channelonline_advantage/ -||channelstv.com^*-ad.jpg -||channelstv.com^*-leader-board-600-x-86-pixels.jpg -||channelstv.com^*/MTN_VTU.jpg -||channelstv.com^*/mtn_wp.png -||chapagain.com.np^*_125x125_ ||chapala.com/wwwboard/webboardtop.htm ||checkpagerank.net/banners/ ||checkwebsiteprice.com/images/bitcoin.jpg ||chelsey.co.nz/uploads/Takeovers/ ||chicagodefender.com/images/banners/ -||china.com^*/googlehead.js ||chinanews.com/gg/ +||chronicle.lu/images/banners/ +||chronicle.lu/images/Sponsor_ ||churchnewssite.com^*-banner1. ||churchnewssite.com^*/banner- ||churchnewssite.com^*/bannercard- @@ -131834,7 +136829,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||classical897.org/common/sponsors/ ||classicfeel.co.za^*/banners/ ||classicsdujour.com/artistbanners/ -||clgaming.net/interface/img/background-bigfoot.jpg +||clgaming.net/interface/img/sponsor/ ||click.livedoor.com^ ||clicks.superpages.com^ ||cloudfront.net/*/takeover/$domain=offers.com @@ -131842,8 +136837,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||cloudfront.net/hot/ars.dart/$domain=arstechnica.com ||clubhyper.com/images/hannantsbanner_ ||clubplanet.com^*/wallpaper/ -||clydeandforthpress.co.uk/images/car_buttons/ -||clydeandforthpress.co.uk/images/cheaper_insurance_direct.jpg ||cmodmedia*.live.streamtheworld.com/media/cm-audio/cm:*.mp3$domain=rdio.com ||cmpnet.com/ads/ ||cms.myspacecdn.com^*/splash_assets/ @@ -131852,6 +136845,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||cnetwidget.creativemark.co.uk^ ||cnn.com/ad- ||cnn.com/cnn_adspaces/ +||cnn.com^*/ad_policy.xml$object-subrequest,domain=cnn.com ||cnn.com^*/banner.html?&csiid= ||cnn.net^*/lawyers.com/ ||cntv.cn/Library/js/js_ad_gb.js @@ -131883,7 +136877,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||compassnewspaper.com/images/banners/ ||complaintsboard.com/img/202x202.gif ||complaintsboard.com/img/banner- -||completesportsnigeria.com/img/cc_logo_80x80.gif ||complexmedianetwork.com^*/takeovers/ ||complexmedianetwork.com^*/toolbarlogo.png ||computerandvideogames.com^*/promos/ @@ -131891,9 +136884,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||computerworld.com^*/jobroll/ ||con-telegraph.ie/images/banners/ ||concrete.tv/images/banners/ -||concrete.tv/images/logos/ ||connectionstrings.com/csas/public/a.ashx? ||conscioustalk.net/images/sponsors/ +||conservativetribune.com/cdn-cgi/pe/bag2?r\[]=*revcontent.com ||console-spot.com^*.swf ||constructionreviewonline.com^*730x90 ||constructionreviewonline.com^*banner @@ -131926,6 +136919,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||crunchyroll.*/vast? ||crushorflush.com/html/promoframe.html ||cruzine.com^*/banners/ +||cryptocoinsnews.com/wp-content/uploads/*/ccn.png +||cryptocoinsnews.com/wp-content/uploads/*/cloudbet_ +||cryptocoinsnews.com/wp-content/uploads/*/xbt-social.png +||cryptocoinsnews.com/wp-content/uploads/*/xbt.jpg ||cryptocoinsnews.com/wp-content/uploads/*takeover ||crystalmedianetworks.com^*-180x150.jpg ||cship.org/w/skins/monobook/uns.gif @@ -131945,6 +136942,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||d.thelocal.com^ ||d5e.info/1.gif ||d5e.info/2.png +||d6vwe9xdz9i45.cloudfront.net/psa.js$domain=sporcle.com ||da.feedsportal.com^$~subdocument ||dabs.com/images/page-backgrounds/ ||dads.new.digg.com^ @@ -131977,7 +136975,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||dailymotion.com/skin/data/default/partner/$~stylesheet ||dailymotion.com^*masscast/ ||dailynews.co.tz/images/banners/ -||dailynews.co.zw/banners/ +||dailynews.co.zw^*-takeover. ||dailynews.gov.bw^*/banner_ ||dailynews.lk^*/webadz/ ||dailypioneer.com/images/banners/ @@ -132011,8 +137009,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||defensereview.com^*_banner_ ||delvenetworks.com^*/acudeo.swf$object-subrequest,~third-party ||demerarawaves.com/images/banners/ -||demonoid.ph/cached/va_right.html -||demonoid.ph/cached/va_top.html +||demonoid.unblockt.com/cached/$subdocument ||depic.me/bann/ ||depositphotos.com^$subdocument,third-party ||deseretnews.com/img/sponsors/ @@ -132034,7 +137031,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||diamondworld.net/admin/getresource.aspx? ||dictionary.cambridge.org/info/frame.html?zone= ||dictionary.com^*/serp_to/ -||dig.abclocal.go.com/preroll/ ||digdug.divxnetworks.com^ ||digitaljournal.com/promo/ ||digitalreality.co.nz^*/360_hacks_banner.gif @@ -132099,6 +137095,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||dump8.com/tiz/ ||dump8.com/wget.php ||dump8.com/wget_2leep_bottom.php +||durbannews.co.za^*_new728x60.gif ||dustcoin.com^*/image/ad- ||dvdvideosoft.com^*/banners/ ||dwarfgames.com/pub/728_top. @@ -132109,6 +137106,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||eastonline.eu/images/banners/ ||eastonline.eu/images/eng_banner_ ||easybytez.com/pop3.js +||eatsleepsport.com/images/manorgaming1.jpg ||ebayrtm.com/rtm?RtmCmd*&enc= ||ebayrtm.com/rtm?RtmIt ||ebaystatic.com/aw/pics/signin/*_signInSkin_ @@ -132139,8 +137137,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ejpress.org/images/banners/ ||ejpress.org/img/banners/ ||ekantipur.com/uploads/banner/ -||el33tonline.com/images/*skin$image -||el33tonline.com^*-skin2.jpg ||electricenergyonline.com^*/bannieres/ ||electronicsfeed.com/bximg/ ||elevenmyanmar.com/images/banners/ @@ -132149,6 +137145,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||elocallink.tv^*/showgif.php? ||emergencymedicalparamedic.com/wp-content/uploads/2011/12/anatomy.gif ||emoneyspace.com/b.php +||empirestatenews.net/Banners/ ||emsservice.de.s3.amazonaws.com/videos/$domain=zattoo.com ||emsservice.de/videos/$domain=zattoo.com ||emule-top50.com/extras/$subdocument @@ -132156,7 +137153,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||encyclopediadramatica.es/edf/$domain=~forum.encyclopediadramatica.es ||encyclopediadramatica.es/lanhell.js ||encyclopediadramatica.es/spon/ -||encyclopediadramatica.se/edf/ +||encyclopediadramatica.se/edf/$domain=~forum.encyclopediadramatica.se ||energytribune.com/res/banner/ ||england.fm/i/ducksunited120x60english.gif ||englishtips.org/b/ @@ -132175,21 +137172,18 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||espn.vad.go.com^$domain=youtube.com ||espn1320.net/get_preroll.php? ||essayinfo.com/img/125x125_ +||essayscam.org^*/ads.js ||esus.com/images/regiochat_logo.png -||eteknix.com/wp-content/*-skin +||eteknix.com/wp-content/uploads/*skin ||eteknix.com/wp-content/uploads/*Takeover ||etidbits.com/300x250news.php ||euphonik.dj/img/sponsors- -||eurocupbasketball.com/eurocup/tools/footer-logos +||eurochannel.com/images/banners/ +||eurocupbasketball.com^*/sponsors- ||eurodict.com/images/banner_ ||eurogamer.net/quad.php ||eurogamer.net^*/takeovers/ -||euroleague.net/euroleague/footer-logos -||euroleague.net^*-300x100- -||euroleague.net^*-5sponsors1314.png -||euroleague.net^*/banner_bwin.jpg -||euroleague.net^*/eclogosup.png -||euroleague.net^*_title_bwin.gif +||euroleague.net^*/sponsors- ||euronews.com/media/farnborough/farnborough_wp.jpg ||european-rubber-journal.com/160x600px_ ||europeonline-magazine.eu/banner/ @@ -132206,7 +137200,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||eweek.com/images/stories/marketing/ ||eweek.com/widgets/ibmtco/ ||eweek.com^*/sponsored- +||ewrc-results.com/images/horni_ewrc_result_banner3.jpg ||ex1.gamecopyworld.com^$subdocument +||exashare.com/player_file.jpg ||exceluser.com^*/pub/rotate_ ||exchangerates.org.uk/images-NEW/tor.gif ||exchangerates.org.uk/images/150_60_ @@ -132262,8 +137258,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||filedino.com/imagesn/downloadgif.gif ||fileflyer.com/img/dap_banner_ ||filegaga.com/ot/fast.php? -||filenuke.com/a/img/dl-this.gif -||filenuke.com/pop.min.js ||fileom.com/img/downloadnow.png ||fileom.com/img/instadownload2.png ||fileplanet.com/fileblog/sub-no-ad.shtml @@ -132279,8 +137273,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||filmovizija.com/Images/photo4sell.jpg ||filmsite.org/dart-zones.js ||fimserve.ign.com^ -||financialgazette.co.zw^*/banners/ ||financialnewsandtalk.com/scripts/slideshow-sponsors.js +||financialsamurai.com/wp-content/uploads/*/sliced-alternative-10000.jpg ||findfiles.com/images/icatchallfree.png ||findfiles.com/images/knife-dancing-1.gif ||findfreegraphics.com/underp.js @@ -132288,6 +137282,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||findit.com.mt/dynimage/boxbanner/ ||findit.com.mt/viewer/ ||findnsave.idahostatesman.com^ +||findthebest-sw.com/sponsor_event? ||finextra.com^*/leaderboards/ ||finextra.com^*/pantiles/ ||firedrive.com/appdata/ @@ -132298,16 +137293,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||firstpost.com^*/sponsered- ||firstpost.com^*_skin_ ||firstpost.com^*_sponsored. -||firstpost.in^*-60-29. ||firstpost.in^*/promo/ -||firstpost.in^*/sponsered- -||firstpost.in^*/sponsered_ -||firstpost.in^*_skin_ ||firstrows.biz/js/bn.js ||firstrows.biz/js/pu.js ||firstrowsports.li/frame/ ||firstrowusa.eu/js/bn.js ||firstrowusa.eu/js/pu.js +||firsttoknow.com^*/page-criteo- ||fishchannel.com/images/sponsors/ ||fiverr.com/javascripts/conversion.js ||flameload.com/onvertise. @@ -132399,7 +137391,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||funpic.org/layer.php? ||fuse.tv/images/sponsor/ ||futbol24.com/f24/rek/$~xmlhttprequest -||g-ecx.images-amazon.com/images/*/traffic/$image +||fuzface.com/dcrtv/ad$domain=dcrtv.com +||fırstrowsports.eu/pu/ ||g.brothersoft.com^ ||gabzfm.com/images/banners/ ||gaccmidwest.org/uploads/tx_bannermanagement/ @@ -132448,6 +137441,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gbrej.com/c/ ||gcnlive.com/assets/sponsors/ ||gcnlive.com/assets/sponsorsPlayer/ +||geckoforums.net/banners/ ||geeklab.info^*/billy.png ||gelbooru.com/lk.php$subdocument ||gelbooru.com/poll.php$subdocument @@ -132466,8 +137460,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||getfoxyproxy.org/images/abine/ ||getprice.com.au/searchwidget.aspx?$subdocument ||getreading.co.uk/static/img/bg_takeover_ +||getresponse.com^$domain=wigflip.com ||getrichslowly.org/blog/img/banner/ ||getsurrey.co.uk^*/bg_takeover_ +||gfi.com/blog/wp-content/uploads/*-BlogBanner ||gfx.infomine.com^ ||ghacks.net/skin- ||ghafla.co.ke/images/banners/ @@ -132477,6 +137473,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gigaom2.files.wordpress.com^*-center-top$image ||girlguides.co.za/images/banners/ ||girlsgames.biz/games/partner*.php +||gizmochina.com/images/blackview.jpg +||gizmochina.com^*/100002648432985.gif +||gizmochina.com^*/kingsing-t8-advert.jpg +||gizmochina.com^*/landvo-l600-pro-feature.jpg ||glam.com^*/affiliate/ ||glamourviews.com/home/zones? ||glassdoor.com/getAdSlotContentsAjax.htm? @@ -132484,9 +137484,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||globalsecurity.org/_inc/frames/ ||globaltimes.cn/desktopmodules/bannerdisplay/ ||glocktalk.com/forums/images/banners/ -||go4up.com/assets/img/Download-button- -||go4up.com/images/fanstash.jpg -||go4up.com/images/hipfile.png +||go4up.com/assets/img/d0.png +||go4up.com/assets/img/download-button.png ||goal.com^*/betting/$~stylesheet ||goal.com^*/branding/ ||goauto.com.au/mellor/mellor.nsf/toy$subdocument @@ -132527,7 +137526,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||greenoptimistic.com/images/electrician2.png ||greyorgray.com/images/Fast%20Business%20Loans%20Ad.jpg ||greyorgray.com/images/hdtv-genie-gog.jpg -||grocotts.co.za/files/birch27aug.jpg ||gruntig2008.opendrive.com^$domain=gruntig.net ||gsprating.com/gap/image.php? ||gtop100.com/a_images/show-a.php? @@ -132543,6 +137541,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gurgle.com/modules/mod_m10banners/ ||guru99.com/images/adblocker/ ||gwinnettdailypost.com/1.iframe.asp? +||h33t.to/images/button_direct.png ||ha.ckers.org/images/fallingrock-bot.png ||ha.ckers.org/images/nto_top.png ||ha.ckers.org/images/sectheory-bot.png @@ -132564,6 +137563,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||hd-bb.org^*/dl4fbanner.gif ||hdtvtest.co.uk/image/partner/$image ||hdtvtest.co.uk^*/pricerunner.php +||headlineplanet.com/home/box.html +||headlineplanet.com/home/burstbox.html ||healthfreedoms.org/assets/swf/320x320_ ||heatworld.com/images/*_83x76_ ||heatworld.com/upload/takeovers/ @@ -132580,7 +137581,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||herold.at^*.swf?*&linktarget=_blank ||herzeleid.com/files/images/banners/ ||hexupload.com^*.gif$domain=uploadbaz.com -||hhg.sharesix.com^ ||hickoryrecord.com/app/deal/ ||highdefjunkies.com/images/misc/kindlejoin.jpg ||highdefjunkies.com^*/cp.gif @@ -132595,7 +137595,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||holyfamilyradio.org/banners/ ||holyfragger.com/images/skins/ ||homad-global-configs.schneevonmorgen.com^$domain=muzu.tv -||homemaderecipes.co^*/af.php? ||homeschoolmath.net/a/ ||honda-tech.com/*-140x90.gif ||hongfire.com/banner/ @@ -132637,6 +137636,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||hwbot.org/banner.img ||hwinfo.com/images/lansweeper.jpg ||hwinfo.com/images/se2banner.png +||hypemagazine.co.za/assets/bg/ ||i-sgcm.com/pagetakeover/ ||i-tech.com.au^*/banner/ ||i.com.com^*/vendor_bg_ @@ -132660,6 +137660,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ibtimes.com^*/sponsor_ ||iceinspace.com.au/iisads/ ||icelandreview.com^*/auglysingar/ +||iconeye.com/images/banners/ ||icrt.com.tw/downloads/banner/ ||ictv-ic-ec.indieclicktv.com/media/videos/$object-subrequest,domain=twitchfilm.com ||icydk.com^*/title_visit_sponsors. @@ -132673,9 +137674,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ifilm.com/website/*-skin- ||iframe.travel.yahoo.com^ ||iftn.ie/images/data/banners/ +||ijn.com/images/banners/ ||ijoomla.com/aff/banners/ ||ilcorsaronero.info/home.gif -||ilikecheats.com/images/$image,domain=unknowncheats.me +||ilikecheats.net/images/$image,domain=unknowncheats.me ||iload.to/img/ul/impopi.js ||iloveim.com/cadv ||imads.rediff.com^ @@ -132699,8 +137701,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||images.globes.co.il^*/fixedpromoright. ||images.sharkscope.com/acr/*_Ad- ||images.sharkscope.com/everest/twister.jpg -||imagesfood.com/flash/ -||imagesfood.com^*-banner. ||imageshack.us/images/contests/*/lp-bg.jpg ||imageshack.us/ym.php? ||imagesnake.com^*/oc.js @@ -132753,6 +137753,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||inkscapeforum.com/images/banners/ ||inquirer.net/wp-content/themes/news/images/wallpaper_ ||insidebutlercounty.com/images/100- +||insidebutlercounty.com/images/160- +||insidebutlercounty.com/images/180- ||insidebutlercounty.com/images/200- ||insidebutlercounty.com/images/300- ||insidebutlercounty.com/images/468- @@ -132778,9 +137780,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ip-adress.com/superb/ ||ip-ads.de^$domain=zattoo.com ||ipaddress.com/banner/ -||iphone-tv.eu/src/player/bla123.mp4 ||ipinfodb.com/img/adds/ ||iptools.com/sky.php +||irctctourism.com/ttrs/railtourism/Designs/html/images/tourism_right_banners/*DealsBanner_ ||irishamericannews.com/images/banners/ ||irishdev.com/files/banners/ ||irishdictionary.ie/view/images/ispaces-makes-any-computer.jpg @@ -132812,12 +137814,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||itwebafrica.com/images/logos/ ||itworld.com/slideshow/iframe/topimu/ ||iurfm.com/images/sponsors/ -||ivillage.com/iframe_render? -||iwayafrica.co.zw/images/banners/ ||iwebtool.com^*/bannerview.php ||ixquick.nl/graphics/banner_ -||jackfm.co.uk^*/ads/ -||jackfm.co.uk^*/splashbanner.php ||jamaica-gleaner.com/images/promo/ ||jame-world.com^*/adv/ ||jango.com/assets/promo/1600x1000- @@ -132830,11 +137828,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||jdownloader.org^*/smbanner.png ||jebril.com/sites/default/files/images/top-banners/ ||jewishexponent.com^*/banners/ +||jewishnews.co.uk^*-banner- +||jewishnews.co.uk^*-banner. +||jewishnews.co.uk^*/banner ||jewishtimes-sj.com/rop/ ||jewishtribune.ca^*/banners/ ||jewishvoiceny.com/ban2/ ||jewishyellow.com/pics/banners/ -||jha.sharesix.com^ ||jheberg.net/img/mp.png ||jillianmichaels.com/images/publicsite/advertisingslug.gif ||johnbridge.com/vbulletin/banner_rotate.js @@ -132846,6 +137846,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||jokertraffic.com^$domain=4fuckr.com ||joomladigger.com/images/banners/ ||journal-news.net/annoyingpopup/ +||journeychristiannews.com/images/banners/ ||joursouvres.fr^*/pub_ ||jozikids.co.za/uploadimages/*_140x140_ ||jozikids.co.za/uploadimages/140x140_ @@ -132871,7 +137872,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||kcrw.com/collage-images/itunes.gif ||kdoctv.net/images/banners/ ||keenspot.com/images/headerbar- -||keeps-the-lights-on.vpsboard.com^ ||keepvid.com/images/ilivid- ||kendrickcoleman.com/images/banners/ ||kentonline.co.uk/weatherimages/Britelite.gif @@ -132880,6 +137880,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||kephyr.com/spywarescanner/banner1.gif ||kermit.macnn.com^ ||kewlshare.com/reward.html +||kexp.org^*/sponsor- +||kexp.org^*/sponsoredby. ||keygen-fm.ru/images/*.swf ||kfog.com^*/banners/ ||khaleejtimes.com/imgactv/Umrah%20-%20290x60%20-%20EN.jpg @@ -132887,7 +137889,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||khon2.com^*/sponsors/ ||kickasstorrent.ph/kat_adplib.js ||kickoff.com/images/sleeves/ -||kingfiles.net/images/button.png +||kingfiles.net/images/bt.png ||kingofsat.net/pub/ ||kinox.to/392i921321.js ||kinox.to/com/ @@ -132940,9 +137942,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||kvcr.org^*/sponsors/ ||kwanalu.co.za/upload/ad/ ||kxlh.com/images/banner/ -||kyivpost.com/media/blocks/*_970x90. -||kyivpost.com/media/blocks/970_90_ -||kyivpost.com/static/forum_banner.gif +||kyivpost.com/media/banners/ ||l.yimg.com/a/i/*_wallpaper$image ||l.yimg.com/ao/i/ad/ ||l.yimg.com/mq/a/ @@ -132950,8 +137950,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||l4dmaps.com/img/right_gameservers.gif ||labtimes.org/banner/ ||lagacetanewspaper.com^*/banners/ +||lake-link.com/images/sponsorLogos/ ||lancasteronline.com^*/done_deal/ ||lancasteronline.com^*/weather_sponsor.gif +||lankabusinessonline.com/images/banners/ ||laobserved.com/tch-ad.jpg ||laptopmag.com/images/sponsorships/ ||laredodaily.com/images/banners/ @@ -132995,9 +137997,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||linuxsat-support.com/vsa_banners/ ||linuxtopia.org/includes/$subdocument ||lionsrugby.co.za^*/sponsors. -||liquidcompass.net/js/modules/purchase_ -||liquidcompass.net/player/flash/inc/flash_sync_banners.js -||liquidcompass.net/playerapi/redirect/bannerParser.php? +||liquidcompass.net/playerapi/redirect/ +||liquidcompass.net^*/purchase_ ||littleindia.com/files/banners/ ||live-proxy.com/hide-my-ass.gif ||live-proxy.com/vectrotunnel-logo.jpg @@ -133033,7 +138034,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||lowendbox.com/wp-content/themes/leb/banners/ ||lowyat.net/lowyat/lowyat-bg.jpg ||lowyat.net/mainpage/background.jpg -||lsg.sharesix.com^ ||lshunter.tv/images/bets/ ||lshunter.tv^*&task=getbets$xmlhttprequest ||lucianne.com^*_*.html @@ -133149,6 +138149,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||megaswf.com/file/$domain=gruntig.net ||megauploadtrend.com/iframe/if.php? ||meinbonusxxl.de^$domain=xup.in +||meizufans.eu/efox.gif +||meizufans.eu/merimobiles.gif +||meizufans.eu/vifocal.gif ||memory-alpha.org/__varnish_liftium/ ||memorygapdotorg.files.wordpress.com^*allamerican3.jpg$domain=memoryholeblog.com ||menafn.com^*/banner_ @@ -133183,6 +138186,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||middle-east-online.com^*/meoadv/ ||midlandsradio.fm/bms/ ||mightyupload.com/popuu.js +||mikejung.biz/images/*/728x90xLiquidWeb_ ||milanounited.co.za/images/sponsor_ ||mindfood.com/upload/images/wallpaper_images/ ||miniclipcdn.com/images/takeovers/ @@ -133197,13 +138201,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||misterwhat.co.uk/business-company-300/ ||mixfm.co.za/images/banner ||mixfm.co.za^*/tallspon +||mixx96.com/images/banners/ ||mizzima.com/images/banners/ ||mlb.com/images/*_videoskin_*.jpg ||mlb.com^*/sponsorship/ -||mmegi.bw^*/banner_ -||mmegi.bw^*/banners/ -||mmegi.bw^*/banners_ -||mmegi.bw^*/hr_rates_provided_by.gif +||mlg-ad-ops.s3.amazonaws.com^$domain=majorleaguegaming.com ||mmoculture.com/wp-content/uploads/*-background- ||mmorpg.com/images/skins/ ||mmosite.com/sponsor/ @@ -133219,6 +138221,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||monitor.co.ug/image/view/*/468/ ||monkeygamesworld.com/images/banners/ ||monster.com/null&pp +||morefmphilly.com^*/sponsors/ ||morefree.net/wp-content/uploads/*/mauritanie.gif ||morningstaronline.co.uk/offsite/progressive-listings/ ||motorcycles-motorbikes.com/pictures/sponsors/ @@ -133226,12 +138229,12 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||motortrader.com.my/skinner/ ||motorweek.org^*/sponsor_logos/ ||mountainbuzz.com/attachments/banners/ +||mousesteps.com/images/banners/ ||mouthshut.com^*/zedo.aspx ||movie2k.tl/layers/ ||movie2k.tl/serve.php ||movie4k.to/*.js ||movie4k.tv/e.js -||movies4men.co.uk^*/dart_enhancements/ ||moviewallpaper.net/js/mwpopunder.js ||movizland.com/images/banners/ ||movstreaming.com/images/edhim.jpg @@ -133243,6 +138246,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||mp3mediaworld.com*/! ||mp3s.su/uploads/___/djz_to.png ||mp3skull.com/call_banner_exec_new. +||msecnd.net/scripts/compressed.common.lib.js?$domain=firedrive.com|sockshare.com ||msn.com/?adunitid ||msw.ms^*/jquery.MSWPagePeel- ||mtbr.com/ajax/hotdeals/ @@ -133264,6 +138268,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||muthafm.com^*/partners.png ||muzu.tv/player/muzutv_homadconfig. ||my-link.pro/rotatingBanner.js +||myam1230.com/images/banners/ ||mybroadband.co.za/news/wp-content/wallpapers/ ||mycentraljersey.com^*/sponsor_ ||myfax.com/free/images/sendfax/cp_coffee_660x80.swf @@ -133271,9 +138276,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||mygaming.co.za/news/wp-content/wallpapers/ ||myiplayer.eu/ad ||mypbrand.com/wp-content/uploads/*banner -||mypetition.co.za/banner/mypetitionbanner.gif -||mypetition.co.za/images/banner1.gif -||mypetition.co.za/images/graphicjampet.jpg ||mypiratebay.cl^$subdocument ||mypremium.tv^*/bpad.htm ||myretrotv.com^*_horbnr.jpg @@ -133287,6 +138289,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||mysuncoast.com^*/sponsors/ ||myway.com/gca_iframe.html ||mywot.net/files/wotcert/vipre.png +||naij.com^*/branding/ ||nairaland.com/dynamic/$image ||nation.co.ke^*_bg.png ||nation.lk^*/banners/ @@ -133307,6 +138310,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ncrypt.in/images/useful/ ||ncrypt.in/javascript/jquery.msgbox.min.js ||ncrypt.in^*/layer.$script +||ndtv.com/widget/conv-tb +||ndtv.com^*/banner/ +||ndtv.com^*/sponsors/ ||nearlygood.com^*/_aff.php? ||nemesistv.info/jQuery.NagAds1.min.js ||neoseeker.com/a_pane.php @@ -133341,6 +138347,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||news.com.au^*/promotions/ ||news.com.au^*/public/img/p/$image ||newsbusters.org^*/banners/ +||newscdn.com.au^*/desktop-bg-body.png$domain=news.com.au ||newsday.co.tt/banner/ ||newsonjapan.com^*/banner/ ||newsreview.com/images/promo.gif @@ -133355,6 +138362,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||newverhost.com/css/pp.js ||newvision.co.ug/banners/ ||newvision.co.ug/rightsidepopup/ +||nextag.com^*/NextagSponsoredProducts.jsp? ||nextbigwhat.com/wp-content/uploads/*ccavenue ||nextstl.com/images/banners/ ||nfl.com/assets/images/hp-poweredby- @@ -133378,6 +138386,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||noram.srv.ysm.yahoo.com^ ||northjersey.com^*_Sponsor. ||norwaypost.no/images/banners/ +||nosteam.ro^*/compressed.ggotab36.js +||nosteam.ro^*/gamedvprop.js +||nosteam.ro^*/messages.js +||nosteam.ro^*/messagesprop.js ||notalwaysromantic.com/images/banner- ||notdoppler.com^*-promo-homepageskin.png ||notdoppler.com^*-promo-siteskin. @@ -133403,7 +138415,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||nuvo.net^*/FooterPromoButtons.html ||nyaa.se/ag ||nyaa.se/ah +||nyaa.se/ai ||nydailynews.com/img/sponsor/ +||nydailynews.com/PCRichards/ ||nydailynews.com^*-reskin- ||nymag.com/partners/ ||nymag.com/scripts/skintakeover.js @@ -133424,6 +138438,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||oascentral.hosted.ap.org^ ||oascentral.newsmax.com^ ||objects.tremormedia.com/embed/swf/acudeo.swf$object-subrequest,domain=deluxemusic.tv.staging.ipercast.net +||oboom.com/assets/raw/$media,domain=oboom.com ||observer.com.na/images/banners/ ||observer.org.sz/files/banners/ ||observer.ug/images/banners/ @@ -133445,6 +138460,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||onlinekeystore.com/skin1/images/side- ||onlinemarketnews.org^*/silver300600.gif ||onlinemarketnews.org^*/silver72890.gif +||onlinenews.com.pk/onlinenews-admin/banners/ ||onlinerealgames.com/google$subdocument ||onlineshopping.co.za/expop/ ||onlygoodmovies.com/netflix.gif @@ -133489,6 +138505,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||pan2.ephotozine.com^$image ||pandora.com^*/mediaserverPublicRedirect.jsp ||parade.com/images/skins/ +||paradoxwikis.com/Sidebar.jpg ||pardaphash.com/direct/tracker/add/ ||parlemagazine.com/images/banners/ ||partners-z.com^ @@ -133550,7 +138567,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||piratefm.co.uk/resources/creative/ ||pirateproxy.nl/inc/ex.js ||pitchero.com^*/toolstation.gif -||pitchfork.com^*/ads.css ||pittnews.com/modules/mod_novarp/ ||pixhost.org/image/fik1.jpg ||planecrashinfo.com/images/advertize1.gif @@ -133590,6 +138606,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||portevergladeswebcam.com^*-WebCamBannerFall_ ||portlanddailysun.me/images/banners/ ||portmiamiwebcam.com/images/sling_ +||porttechnology.org/images/partners/ ||positivehealth.com^*/BannerAvatar/ ||positivehealth.com^*/TopicbannerAvatar/ ||postadsnow.com/panbanners/ @@ -133599,6 +138616,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||poststar.com^*/dealwidget.php? ||poststar.com^*/promos/ ||power1035fm.com^*/banners/ +||power977.com/images/banners/ ||powerbot.org^*/ads/ ||powvideo.net/ban/ ||pqarchiver.com^*/utilstextlinksxml.js @@ -133632,6 +138650,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||professionalmuscle.com/phil1.jpg ||professionalmuscle.com/PL2.gif ||project-for-sell.com/_google.php +||projectfreetv.ch/adblock/ ||projectorcentral.com/bblaster.cfm?$image ||promo.fileforum.com^ ||propakistani.pk/data/warid_top1.html @@ -133656,10 +138675,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||publicservice.co.uk^*/spons_ ||pulsetv.com/banner/ ||pumasrugbyunion.com/images/sponsors/ +||punch.cdn.ng^*/wp-banners/ +||punchng.com^*/wp-banners/ ||punksbusted.com/images/ventrilo/ ||punksbusted.com^*/clanwarz-portal.jpg ||pushsquare.com/wp-content/themes/pushsquare/skins/ ||putlocker.is/images/banner +||putlocker.mn^*/download.gif +||putlocker.mn^*/stream-hd.gif ||pv-tech.org/images/footer_logos/ ||pv-tech.org/images/suntech_m2fbblew.png ||q1075.com/images/banners/ @@ -133690,6 +138713,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||radiocaroline.co.uk/swf/ACET&ACSP_RadioCaroline_teg.swf ||radioinfo.com/270x270/ ||radioinfo.com^*/575x112- +||radioloyalty.com/newPlayer/loadbanner.html? ||radioreference.com/i/p4/tp/smPortalBanner.gif ||radioreference.com^*_banner_ ||radiotoday.co.uk/a/ @@ -133705,6 +138729,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||rapidlibrary.com/banner_*.png ||rapidsafe.de/eislogo.gif ||rapidshare.com/promo/$image +||rapidtvnews.com^*BannerAd. ||rapidvideo.org/images/pl_box_rapid.jpg ||rapidvideo.tv/images/pl.jpg ||ratio-magazine.com/images/banners/ @@ -133740,6 +138765,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||reviewcentre.com/cinergy-adv.php ||revisionworld.co.uk/sites/default/files/imce/Double-MPU2-v2.gif ||rfu.com/js/jquery.jcarousel.js +||rghost.ru/download/a/*/banner_download_ ||richardroeper.com/assets/banner/ ||richmedia.yimg.com^ ||riderfans.com/other/ @@ -133752,6 +138778,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||rocktelevision.com^*_banner_ ||rockthebells.net/images/banners/ ||rockthebells.net/images/bot_banner_ +||rocvideo.tv/pu/$subdocument ||rodfile.com/images/esr.gif ||roia.com^ ||rok.com.com/rok-get? @@ -133771,6 +138798,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||rt.com/banner/ ||rt.com/static/img/banners/ ||rtcc.org/systems/sponsors/ +||rubiconproject.com^$domain=optimized-by.rubiconproject.com ||rugbyweek.com^*/sponsors/ ||runt-of-the-web.com/wrap1.jpg ||russianireland.com/images/banners/ @@ -133797,6 +138825,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||samoaobserver.ws^*/banner/ ||samoatimes.co.nz^*/banner468x60/ ||sapeople.com/wp-content/uploads/wp-banners/ +||sarasotatalkradio.com^*-200x200.jpg ||sarugbymag.co.za^*-wallpaper2. ||sat24.com/bannerdetails.aspx? ||satelliteguys.us/burst_ @@ -133832,10 +138861,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||search.ch/htmlbanner.html ||search.triadcareers.news-record.com/jobs/search/results?*&isfeatured=y& ||search.triadcars.news-record.com/autos/widgets/featuredautos.php -||searchengine.co.za/banner- -||searchengine.co.za^*/companies- -||searchengine.co.za^*/mbp-banner/ +||searchenginejournal.com^*-takeover- ||searchenginejournal.com^*/sej-bg-takeover/ +||searchenginejournal.com^*/sponsored- ||searchignited.com^ ||searchtempest.com/clhimages/aocbanner.jpg ||seatguru.com/deals? @@ -133861,7 +138889,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||serials.ws^*/logo.gif ||serialzz.us/ad.js ||sermonaudio.com/images/sponsors/ -||settv.co.za^*/dart_enhancements/ ||sexmummy.com/avnadsbanner. ||sfbaytimes.com/img-cont/banners ||sfltimes.com/images/banners/ @@ -133874,15 +138901,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||share-links.biz^*/hs.gif ||sharebeast.com/topbar.js ||sharephile.com/js/pw.js -||sharesix.com/a/images/watch-btn.gif -||sharesix.com/a/images/watch-me.gif -||sharesix.com/a/images/watch-now.gif +||sharesix.com/a/images/watch-bnr.gif ||sharetera.com/images/icon_download.png ||sharetera.com/promo.php? ||sharkscope.com/images/verts/$image ||sherdog.com/index/load-banner? ||shodanhq.com/images/s/acehackware-obscured.jpg ||shop.com/cc.class/dfp? +||shop.sportsmole.co.uk/pages/deeplink/ ||shopping.stylelist.com/widget? ||shoppingpartners2.futurenet.com^ ||shops.tgdaily.com^*&widget= @@ -133892,6 +138918,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||shortlist.com^*-takeover. ||shoutmeloud.com^*/hostgator- ||show-links.tv/layer.php +||showbusinessweekly.com/imgs/hed/ ||showstreet.com/banner. ||shroomery.org/bimg/ ||shroomery.org/bnr/ @@ -133906,9 +138933,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||sify.com^*/gads_ ||sigalert.com/getunit.asp?$subdocument ||siliconrepublic.com/fs/img/partners/ +||silverdoctors.com^*/Silver-Shield-2015.jpg ||sisters-magazine.com^*/Banners/ ||sitedata.info/doctor/ ||sitesfrog.com/images/banner/ +||siteslike.com/images/celeb ||siteslike.com/js/fpa.js ||sk-gaming.com/image/acersocialw.gif ||sk-gaming.com/image/pts/ @@ -133944,11 +138973,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||snopes.com^*/casalebox.asp ||snopes.com^*/casalesky.asp ||snopes.com^*/tribalbox.asp -||soccer24.co.zw/images/banners/ -||soccer24.co.zw/images/shashaadvert.jpg -||soccer24.co.zw/images/tracking%20long%20banner.png ||soccerlens.com/files1/ -||soccervista.com/750x50_ ||soccervista.com/bahforgif.gif ||soccervista.com/bonus.html ||soccervista.com/sporting.gif @@ -133973,11 +138998,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||solvater.com/images/hd.jpg ||someecards.com^*/images/skin/ ||songs.pk/textlinks/ +||songspk.link/textlinks/ ||songspk.name/fidelity.html$domain=songs.pk|songspk.name +||songspk.name/imagepk.gif ||songspk.name/textlinks/ -||sonymax.co.za^*/dart_enhancements/ -||sonymoviechannel.co.uk^*/dart_enhancements/ -||sonytv.com^*/dart_enhancements/ ||sootoday.com/uploads/banners/ ||sorcerers.net/images/aff/ ||soundcloud.com/audio-ad? @@ -133991,6 +139015,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||space.com/promo/ ||spaceweather.com/abdfeeter/$image ||spartoo.eu/footer_tag_iframe_ +||spcontentcdn.net^$domain=sporcle.com +||speedtest.net/flash/59rvvrpc-$object-subrequest +||speedtest.net/flash/60speedify1-$object-subrequest ||speedtv.com.edgesuite.net/img/monthly/takeovers/ ||speedtv.com/js/interstitial.js ||speedtv.com^*/tissot-logo.png @@ -134008,13 +139035,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||spycss.com/images/hostgator.gif ||spyw.com^$domain=uploadlw.com ||squadedit.com/img/peanuts/ +||srv.thespacereporter.com^ ||ssl-images-amazon.com/images/*/browser-scripts/da- -||ssl-images-amazon.com/images/*/traffic/$image ||st701.com/stomp/banners/ ||stad.com/googlefoot2.php? ||stagnitomedia.com/view-banner- ||standard.net/sites/default/files/images/wallpapers/ ||standardmedia.co.ke/flash/expandable.swf +||star883.org^*/sponsors. ||startxchange.com/bnr.php ||static-economist.com^*/timekeeper-by-rolex-medium.png ||static.btrd.net/*/interstitial.js$domain=businessweek.com @@ -134048,6 +139076,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||stream2watch.me/chat1.html ||stream2watch.me/eadb.php ||stream2watch.me/eadt.php +||stream2watch.me/ed +||stream2watch.me/images/hd1.png ||stream2watch.me/Los_Br.png ||stream2watch.me/yield.html ||streamcloud.eu/deliver.php @@ -134058,17 +139088,15 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||stuff.co.nz/stuff/*banner ||stuff.co.nz/stuff/misc/flying-flowers/ ||stuff.co.nz/stuff/tom/mags-widget/ +||stuff.co.nz/stuff/widgets/lifedirect/ ||stuff.priceme.co.nz^$domain=stuff.co.nz ||stuff.tv/client/skinning/ ||stv.tv/img/player/stvplayer-sponsorstrip- -||subjectboard.com/c/af.php? ||subs4free.com^*/wh4_s4f_$script ||succeed.co.za^*/banner_ ||sulekha.com^*/bannerhelper.html ||sulekha.com^*/sulekhabanner.aspx ||sun-fm.com/resources/creative/ -||sundaymail.co.zw^*/banners/ -||sundaynews.co.zw^*/banners/ ||sunriseradio.com/js/rbanners.js ||sunshineradio.ie/images/banners/ ||suntimes.com^*/banners/ @@ -134076,7 +139104,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||supermarket.co.za/images/advetising/ ||supermonitoring.com/images/banners/ ||superplatyna.com/automater.swf -||supertalk.fm^*?bannerXGroupId= ||surfthechannel.com/promo/ ||swagmp3.com/cdn-cgi/pe/ ||swampbuggy.com/media/images/banners/ @@ -134110,6 +139137,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||targetedinfo.com^ ||targetedtopic.com^ ||tastro.org/x/ads*.php +||tbs.com^*/ad_policy.xml$object-subrequest,domain=tbs.com ||tdfimg.com/go/*.html ||teamfourstar.com/img/918thefan.jpg ||techexams.net/banners/ @@ -134125,6 +139153,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||techtree.com^*/jquery.catfish.js ||teesoft.info/images/uniblue.png ||teesupport.com/wp-content/themes/ts-blog/images/cp- +||tehrantimes.com/images/banners/ ||telecomtiger.com^*_250x250_ ||telecomtiger.com^*_640x480_ ||telegraph.co.uk/international/$subdocument @@ -134190,10 +139219,12 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||thehealthcareblog.com/files/*/THCB-Validic-jpg-opt.jpg ||thehighstreetweb.com^*/banners/ ||thehindu.com/multimedia/*/sivananda_sponsorch_ -||theindependent.co.zw^*/banners/ ||theispguide.com/premiumisp.html ||theispguide.com/topbanner.asp? ||thejesperbay.com^ +||thejointblog.com/wp-content/uploads/*-235x +||thejointblog.com^*/dablab.gif +||thejuice.co.za/wp-content/plugins/wp-plugin-spree-tv/ ||thelakewoodscoop.com^*banner ||theleader.info/banner ||theliberianjournal.com/flash/banner @@ -134207,9 +139238,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||themis.yahoo.com^ ||themiscellany.org/images/banners/ ||themittani.com/sites/*-skin +||thenassauguardian.com/images/banners/ ||thenationonlineng.net^*/banners/ -||thenewage.co.za/Image/300SB.gif -||thenewage.co.za/Image/IMC.png ||thenewage.co.za/Image/kingprice.gif ||thenewjournalandguide.com/images/banners/ ||thenextweb.com/wp-content/plugins/tnw-siteskin/mobileys/ @@ -134224,6 +139254,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||theolympian.com/static/images/weathersponsor/ ||theonion.com/ads/ ||theorganicprepper.ca/images/banners/ +||thepaper24-7.com/SiteImages/Banner/ +||thepaper24-7.com/SiteImages/Tile/ ||thepeak.fm/images/banners/ ||thepeninsulaqatar.com^*/banners/ ||thephuketnews.com/photo/banner/ @@ -134231,24 +139263,23 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||theplanetweekly.com/images/banners/ ||theportugalnews.com/uploads/banner/ ||thepreparednessreview.com/wp-content/uploads/*/250x125- -||thepreparednessreview.com/wp-content/uploads/*/FISH175x175.jpg ||thepreparednessreview.com/wp-content/uploads/*_175x175.jpg ||thepreparednessreview.com/wp-content/uploads/*_185x185.jpg ||theradiomagazine.co.uk/banners/ ||theradiomagazine.co.uk/images/bionics.jpg +||therugbyforum.com/trf-images/sponsors/ +||thesentinel.com^*/banners/ ||thesource.com/magicshave/ ||thespiritsbusiness.com^*/Banner150 ||thessdreview.com/wp-content/uploads/*/930x64_ ||thessdreview.com^*-bg.jpg ||thessdreview.com^*/owc-full-banner.jpg ||thessdreview.com^*/owc-new-gif1.gif -||thestandard.co.zw^*/banners/ ||thestandard.com.hk/banners/ ||thestandard.com.hk/rotate_ +||thestkittsnevisobserver.com/images/banners/ ||thesundaily.my/sites/default/files/twinskyscrapers -||thesurvivalistblog.net^*-ad.bmp ||thesurvivalistblog.net^*-banner- -||thesurvivalistblog.net^*/banner- ||thesweetscience.com/images/banners/ ||theticketmiami.com/Pics/listenlive/*-Left.jpg ||theticketmiami.com/Pics/listenlive/*-Right.jpg @@ -134258,24 +139289,23 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||thevideo.me/cgi-bin/get_creatives.cgi? ||thevideo.me/creatives/ ||thewb.com/thewb/swf/tmz-adblock/ -||theweathernetwork.com^*&size=$image -||theweathernetwork.com^*/spos/ -||thewillnigeria.com/files/banners/ ||thewindowsclub.com^*/banner_ ||theyeshivaworld.com/yw/ ||thinkbroadband.com/uploads/banners/ ||thinkingwithportals.com/images/*-skyscraper. ||thinkingwithportals.com^*-skyscraper.swf ||thirdage.com^*_banner.php +||thisisanfield.com^*takeover +||thunder106.com//wp-content/banners/ ||ticketnetwork.com/images/affiliates/ ||tigerdroppings.com^*&adcode= +||time4tv.com/tlv. ||timeinc.net/*/i/oba-compliance.png ||timeinc.net^*/recirc.js ||times-herald.com/pubfiles/ ||times.co.sz/files/banners/ -||times.spb.ru/clients/banners/ -||times.spb.ru/clients/banners_ ||timesnow.tv/googlehome.cms +||timesofoman.com/FrontInc/top.aspx ||timesofoman.com/siteImages/MyBannerImages/ ||timesofoman.com^*/banner/ ||timestalks.com/images/sponsor- @@ -134290,14 +139320,13 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||tmz.vo.llnwd.net^*/images/*skin ||tmz.vo.llnwd.net^*/sponsorship/$domain=tmz.com ||tnij.org/rotator -||tny.cz/banner.png -||tny.cz/ln.jpg -||tny.cz/pop/ +||tny.cz/oo/ ||tom.itv.com^ ||tomshardware.com/indexAjax.php?ctrl=ajax_pricegrabber$xmlhttprequest ||tomshardware.com/price/widget/?$xmlhttprequest ||toolslib.net/assets/img/a_dvt/ ||toomuchnews.com/dropin/ +||toonova.com/images/site/front/xgift- ||toonzone.net^*/placements.php? ||topalternate.com/assets/sponsored_links- ||topfriv.com/popup.js @@ -134317,6 +139346,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||torrentfreak.com/images/vuze.png ||torrentfunk.com/affprofslider.js ||torrentfusion.com/FastDownload.html +||torrentproject.org/out/ ||torrentroom.com/js/torrents.js ||torrents.net/btguard.gif ||torrents.net/wiget.js @@ -134341,9 +139371,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||trackitdown.net/skins/*_campaign/ ||tracksat.com^*/banners/ ||tradewinds.vi/images/banners/ -||travel.washingtontimes.com/external -||travel.washingtontimes.com/widgets/ -||trend.az/b1/ ||trgoals.es/adk.html ||tribune.com.ng/images/banners/ ||tribune242.com/pubfiles/ @@ -134353,7 +139380,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||truck1.eu/_BANNERS_/ ||trucknetuk.com^*/sponsors/ ||trucktrend.com^*_160x200_ -||trunews.com/AFE-Webinar-Banner.swf +||trustedreviews.com/mobile/widgets/html/promoted-phones? ||trutv.com/includes/mods/iframes/mgid-blog.php ||tsatic-cdn.net/takeovers/$image ||tsdmemphis.com/images/banners/ @@ -134370,10 +139397,11 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||turboimagehost.com/728*.html^ ||turboimagehost.com/p.js ||turboyourpc.com/images/affiliates/ -||turner.com/si/*/ads/ ||turnstylenews.com^*/sponsors.png +||tusfiles.net/i/dll.png ||tusfiles.net/images/tusfilesb.gif ||tuspics.net/onlyPopupOnce.js +||tv4chan.com/iframes/ ||tvbrowser.org/logo_df_tvsponsor_ ||tvcatchup.com/wowee/ ||tvducky.com/imgs/graboid. @@ -134383,6 +139411,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||twentyfour7football.com^*/gpprint.jpg ||twitch.tv/ad/*=preroll ||twitch.tv/widgets/live_embed_player.swf$domain=gelbooru.com +||twnmm.com^*/sponsored_logo. ||txfm.ie^*/amazon-16x16.png ||txfm.ie^*/itunes-16x16.png ||u.tv/images/misc/progressive.png @@ -134423,6 +139452,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||unawave.de/medien/wbwso-$image ||unawave.de/templates/unawave/a/$image ||unblockedpiratebay.com/external/$image +||unblockt.com/scrape_if.php ||uncoached.com/smallpics/ashley ||unicast.ign.com^ ||unicast.msn.com^ @@ -134462,6 +139492,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||usatoday.net^*/lb-agate.png ||usatodayhss.com/images/*skin ||uschess.org/images/banners/ +||usenet-crawler.com/astraweb.png +||usenet-crawler.com/purevpn.png ||usforacle.com^*-300x250.gif ||ustatik.com/_img/promo/takeovers/$domain=ultimate-guitar.com ||ustatik.com/_img/promo/takeovers_$domain=ultimate-guitar.com @@ -134494,9 +139526,12 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||video44.net/gogo/qc.js ||video44.net/gogo/yume-h.swf$object-subrequest ||videobam.com/images/banners/ +||videobam.com/this-pays-for-bandwidth/ ||videobash.com/images/playboy/ ||videobull.com/wp-content/themes/*/watch-now.jpg ||videobull.com^*/amazon_ico.png +||videobull.to/wp-content/themes/videozoom/images/gotowatchnow.png +||videobull.to/wp-content/themes/videozoom/images/stream-hd-button.gif ||videodorm.org/player/yume-h.swf$object-subrequest ||videodownloadtoolbar.com/fancybox/ ||videogamer.com/videogamer*/skins/ @@ -134515,6 +139550,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||vidspot.net/player/ova-jw.swf$object-subrequest ||vidspot.net^$subdocument,domain=vidspot.net ||vidspot.net^*/pu.js +||vidvib.com/vidvibpopa. +||vidvib.com/vidvibpopb. ||viewdocsonline.com/images/banners/ ||villagevoice.com/img/VDotDFallback-large.gif ||vinaora.com/xmedia/hosting/ @@ -134549,7 +139586,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||vortez.co.uk^*120x600.swf ||vortez.co.uk^*skyscraper.jpg ||vosizneias.com/perms/ -||vpsboard.com/data/$subdocument +||vpsboard.com/display/ ||w.homes.yahoo.net^ ||waamradio.com/images/sponsors/ ||wadldetroit.com/images/banners/ @@ -134559,6 +139596,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||wambacdn.net/images/upload/adv/$domain=mamba.ru ||wantedinmilan.com/images/banner/ ||wantitall.co.za/images/banners/ +||waoanime.tv/playerimg.jpg ||wardsauto.com^*/pm_doubleclick/ ||warriorforum.com/vbppb/ ||washingtonpost.com/wp-srv/javascript/piggy-back-on-ads.js @@ -134585,7 +139623,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||wbal.com/absolutebm/banners/ ||wbgo.org^*/banners/ ||wbj.pl/im/partners.gif -||wbls.com^*?bannerxgroupid= ||wcbm.com/includes/clientgraphics/ ||wctk.com/banner_rotator.php ||wdwinfo.com/js/swap.js @@ -134608,6 +139645,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||webnewswire.com/images/banner ||websitehome.co.uk/seoheap/cheap-web-hosting.gif ||webstatschecker.com/links/ +||weddingtv.com/src/baners/ ||weei.com^*/sponsors/ ||weei.com^*_banner.jpg ||wegoted.com/includes/biogreen.swf @@ -134626,6 +139664,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||whatson.co.za/img/hp.png ||whatsonstage.com/images/sitetakeover/ ||whatsontv.co.uk^*/promo/ +||whatsthescore.com/logos/icons/bookmakers/ ||whdh.com/images/promotions/ ||wheninmanila.com/wp-content/uploads/2011/05/Benchmark-Email-Free-Signup.gif ||wheninmanila.com/wp-content/uploads/2012/12/Marie-France-Buy-1-Take-1-Deal-Discount-WhenInManila.jpg @@ -134648,16 +139687,19 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||whoownsfacebook.com/images/topbanner.gif ||whtsrv3.com^*==$domain=webhostingtalk.com ||widget.directory.dailycommercial.com^ +||widih.org/banners/ ||wiilovemario.com/images/fc-twin-play-nes-snes-cartridges.png ||wikia.com/__varnish_ -||wikifeet.com/mgid.html ||wikinvest.com/wikinvest/ads/ ||wikinvest.com/wikinvest/images/zap_trade_ ||wildtangent.com/leaderboard? +||windows.net/script/p.js$domain=1fichier.com|limetorrents.cc|primewire.ag|thepiratebay.みんな ||windowsitpro.com^*/roadblock. ||winnfm.com/grfx/banners/ ||winpcap.org/assets/image/banner_ ||winsupersite.com^*/roadblock. +||wipfilms.net^*/amazon.png +||wipfilms.net^*/instant-video.png ||wired.com/images/xrail/*/samsung_layar_ ||wirenh.com/images/banners/ ||wiretarget.com/a_$subdocument @@ -134669,7 +139711,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||wjunction.com/images/rectangle ||wksu.org/graphics/banners/ ||wlcr.org/banners/ -||wlib.com^*?bannerxgroupid= ||wlrfm.com/images/banners/ ||wned.org/underwriting/sponsors/ ||wnst.net/img/coupon/ @@ -134701,8 +139742,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||wp.com/wp-content/themes/vip/tctechcrunch/images/tc_*_skin.jpg ||wp.com^*/coedmagazine3/gads/$domain=coedmagazine.com ||wpcomwidgets.com^$domain=thegrio.com +||wpcv.com/includes/header_banner.htm ||wpdaddy.com^*/banners/ ||wptmag.com/promo/ +||wqah.com/images/banners/ ||wqam.com/partners/ ||wqxe.com/images/sponsors/ ||wranglerforum.com/images/sponsor/ @@ -134718,8 +139761,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||wttrend.com/images/hs.jpg ||wunderground.com/geo/swfad/ ||wunderground.com^*/wuss_300ad2.php? +||wvbr.com/images/banner/ ||wwaytv3.com^*/curlypage.js -||wwegr.filenuke.com^ +||wwbf.com/b/topbanner.htm ||www2.sys-con.com^*.cfm ||x.castanet.net^ ||xbitlabs.com/cms/module_banners/ @@ -134761,13 +139805,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||yellowpages.ae/UI/ST/ ||yellowpages.ae/UI/WA/ ||yellowpages.ae/UI/WM/ -||yellowpages.co.za/sidebanner.jsp -||yellowpages.co.za/sideSponsor.jsp? -||yellowpages.co.za/tdsrunofsitebottbanner.jsp -||yellowpages.co.za/tdsrunofsitetopbanner.jsp -||yellowpages.co.za/topbanner.jsp -||yellowpages.co.za/wppopupBanner.jsp? -||yellowpages.co.za/yppopupresultsbanner.jsp ||yellowpages.com.jo/banners/ ||yellowpages.com.lb/uploaded/banners/ ||yellowpages.ly/user_media/banner/ @@ -134783,8 +139820,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||yimg.com/cv/ae/us/audience/$image,domain=yahoo.com ||yimg.com/cv/eng/*.webm$domain=yahoo.com ||yimg.com/cv/eng/*/635x100_$domain=yahoo.com +||yimg.com/cv/eng/*/970x250_$domain=yahoo.com ||yimg.com/dh/ap/default/*/skins_$image,domain=yahoo.com ||yimg.com/hl/ap/*_takeover_$domain=yahoo.com +||yimg.com/hl/ap/default/*_background$image,domain=yahoo.com ||yimg.com/i/i/de/cat/yahoo.html$domain=yahoo.com ||yimg.com/la/i/wan/widgets/wjobs/$subdocument,domain=yahoo.com ||yimg.com/rq/darla/$domain=yahoo.com @@ -134796,7 +139835,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||yimg.com^*/yad*.js$domain=yahoo.com ||yimg.com^*/yad.html ||yimg.com^*/yfpadobject.js$domain=yahoo.com -||yimg.com^*^pid=Ads^ ||yimg.com^*_east.swf$domain=yahoo.com ||yimg.com^*_north.swf$domain=yahoo.com ||yimg.com^*_west.swf$domain=yahoo.com @@ -134804,6 +139842,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ynaija.com^*300x250 ||ynaija.com^*300X300 ||yolasite.com/resources/$domain=coolsport.tv +||yomzansi.com^*-300x250. ||yopmail.com/fbd.js ||yorkshirecoastradio.com/resources/creative/ ||youconvertit.com/_images/*ad.png @@ -134855,9 +139894,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ziddu.com/images/globe7.gif ||ziddu.com/images/wxdfast/ ||zigzag.co.za/images/oww- -||zimeye.org^*-Advert- -||zimeye.org^*/foxhuntersJPG1.jpg -||zimeye.org^*/tuku200x450.jpg +||zipcode.org/site_images/flash/zip_v.swf ||zombiegamer.co.za/wp-content/uploads/*-skin- ||zomobo.net/images/removeads.png ||zonein.tv/add$subdocument @@ -134872,16 +139909,22 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||zpag.es/b/ ||zshares.net/fm.html ||zurrieqfc.com/images/banners/ +! extratorrentlive +/\/\[a-zA-Z0-9]{3}/$script,third-party,domain=extratorrent.cc|extratorrentlive.com ! Filenuke/sharesix -/filenuke\.com/\[a-zA-Z0-9]{4}/$script -/sharesix\.com/\[a-zA-Z0-9]{4}/$script +/\.filenuke\.com/.*\[a-zA-Z0-9]{4}/$script +/\.sharesix\.com/.*\[a-zA-Z0-9]{4}/$script ! Yavli.com +/http://\[a-zA-Z0-9-]+\.\[a-z]+\/.*(?:\[!"#$%&'()*+,:;<=>?@/\^_`{|}~-])/$script,third-party,xmlhttprequest,domain=247wallst.com|activistpost.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|americanlivewire.com|askmefast.com|barbwire.com|blacklistednews.com|breathecast.com|brosome.com|bulletsfirst.net|chacha.com|cheezburger.com|christianpost.com|christiantoday.com|cinemablend.com|clashdaily.com|classicalite.com|comicallyincorrect.com|comicbookmovie.com|conservativebyte.com|conservativevideos.com|cowboybyte.com|crossmap.com|dailycaller.com|dailysurge.com|dccrimestories.com|dealbreaker.com|designntrend.com|digitaljournal.com|drhotze.com|gamerant.com|genfringe.com|girlsjustwannahaveguns.com|hallels.com|hellou.co.uk|hngn.com|infowars.com|instigatornews.com|investmentwatchblog.com|joblo.com|joeforamerica.com|kdramastars.com|kpopstarz.com|latinpost.com|libertyunyielding.com|listverse.com|makeuseof.com|mensfitness.com|minutemennews.com|moddb.com|mstarz.com|muscleandfitness.com|musictimes.com|naturalnews.com|natureworldnews.com|newser.com|oddee.com|okmagazine.com|opposingviews.com|patriotoutdoornews.com|patriotupdate.com|pitgrit.com|politicususa.com|product-reviews.net|radaronline.com|realfarmacy.com|redmaryland.com|screenrant.com|shark-tank.com|stevedeace.com|techtimes.com|theblacksphere.net|theblaze.com|thefreedictionary.com|thegatewaypundit.com|theladbible.com|thelibertarianrepublic.com|themattwalshblog.com|townhall.com|unilad.co.uk|uniladmag.com|unitrending.co.uk|valuewalk.com|vcpost.com|victoriajackson.com|viralnova.com|whatculture.com|wimp.com|wwitv.com +/http://\[a-zA-Z0-9-]+\.\[a-z]+\/.*\[a-zA-Z0-9]+/$script,third-party,domain=247wallst.com|activistpost.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|americanlivewire.com|askmefast.com|barbwire.com|blacklistednews.com|breathecast.com|brosome.com|bulletsfirst.net|chacha.com|cheezburger.com|christianpost.com|christiantoday.com|cinemablend.com|clashdaily.com|classicalite.com|comicallyincorrect.com|comicbookmovie.com|conservativebyte.com|conservativevideos.com|cowboybyte.com|crossmap.com|dailycaller.com|dailysurge.com|dccrimestories.com|dealbreaker.com|designntrend.com|digitaljournal.com|drhotze.com|gamerant.com|genfringe.com|girlsjustwannahaveguns.com|hallels.com|hellou.co.uk|hngn.com|infowars.com|instigatornews.com|investmentwatchblog.com|joblo.com|joeforamerica.com|kdramastars.com|kpopstarz.com|latinpost.com|libertyunyielding.com|listverse.com|makeuseof.com|mensfitness.com|minutemennews.com|moddb.com|mstarz.com|muscleandfitness.com|musictimes.com|naturalnews.com|natureworldnews.com|newser.com|oddee.com|okmagazine.com|opposingviews.com|patriotoutdoornews.com|patriotupdate.com|pitgrit.com|politicususa.com|product-reviews.net|radaronline.com|realfarmacy.com|redmaryland.com|screenrant.com|shark-tank.com|stevedeace.com|techtimes.com|theblacksphere.net|theblaze.com|thefreedictionary.com|thegatewaypundit.com|theladbible.com|thelibertarianrepublic.com|themattwalshblog.com|townhall.com|unilad.co.uk|uniladmag.com|unitrending.co.uk|valuewalk.com|vcpost.com|victoriajackson.com|viralnova.com|whatculture.com|wimp.com|wwitv.com +@@/wp-content/plugins/akismet/*$script @@||cdn.api.twitter.com*http%$script,third-party +@@||hwcdn.net/*.js?$script +@@||intensedebate.com/js/$script,third-party +@@||launch.newsinc.com/*/js/embed.js$script,third-party +@@||lps.newsinc.com/player/show/$script +@@||p.jwpcdn.com/*/jwpsrv.js$script,third-party @@||trc.taboola.com*http%$script,third-party -|http://*//*.$script,third-party,domain=americanlivewire.com|blacklistednews.com|breathecast.com|brosome.com|chacha.com|cheezburger.com|christianpost.com|christiantoday.com|cinemablend.com|classicalite.com|crossmap.com|dailycaller.com|dealbreaker.com|designntrend.com|digitaljournal.com|gamerant.com|hallels.com|hellou.co.uk|hngn.com|infowars.com|inquisitr.com|investmentwatchblog.com|kdramastars.com|kpopstarz.com|moddb.com|mstarz.com|musictimes.com|naturalnews.com|oddee.com|okmagazine.com|opposingviews.com|politicususa.com|radaronline.com|realfarmacy.com|screenrant.com|techtimes.com|theblaze.com|thegatewaypundit.com|theladbible.com|thelibertarianrepublic.com|uniladmag.com|unitrending.co.uk|valuewalk.com|vcpost.com|viralnova.com|whatculture.com|wimp.com -|http://*;*//$script,third-party,domain=americanlivewire.com|blacklistednews.com|breathecast.com|brosome.com|chacha.com|cheezburger.com|christianpost.com|christiantoday.com|cinemablend.com|classicalite.com|crossmap.com|dailycaller.com|dealbreaker.com|designntrend.com|digitaljournal.com|gamerant.com|hallels.com|hellou.co.uk|hngn.com|infowars.com|inquisitr.com|investmentwatchblog.com|kdramastars.com|kpopstarz.com|moddb.com|mstarz.com|musictimes.com|naturalnews.com|oddee.com|okmagazine.com|opposingviews.com|politicususa.com|radaronline.com|realfarmacy.com|screenrant.com|techtimes.com|theblaze.com|thegatewaypundit.com|theladbible.com|thelibertarianrepublic.com|uniladmag.com|unitrending.co.uk|valuewalk.com|vcpost.com|viralnova.com|whatculture.com|wimp.com -|http://*=*//$script,third-party,domain=americanlivewire.com|blacklistednews.com|breathecast.com|brosome.com|chacha.com|cheezburger.com|christianpost.com|christiantoday.com|cinemablend.com|classicalite.com|crossmap.com|dailycaller.com|dealbreaker.com|designntrend.com|digitaljournal.com|gamerant.com|hallels.com|hellou.co.uk|hngn.com|infowars.com|inquisitr.com|investmentwatchblog.com|kdramastars.com|kpopstarz.com|moddb.com|mstarz.com|musictimes.com|naturalnews.com|oddee.com|okmagazine.com|opposingviews.com|politicususa.com|radaronline.com|realfarmacy.com|screenrant.com|techtimes.com|theblaze.com|thegatewaypundit.com|theladbible.com|thelibertarianrepublic.com|uniladmag.com|unitrending.co.uk|valuewalk.com|vcpost.com|viralnova.com|whatculture.com|wimp.com -|http://*http%$script,third-party,domain=americanlivewire.com|blacklistednews.com|breathecast.com|brosome.com|chacha.com|cheezburger.com|christianpost.com|christiantoday.com|cinemablend.com|classicalite.com|crossmap.com|dailycaller.com|dealbreaker.com|designntrend.com|digitaljournal.com|gamerant.com|hallels.com|hellou.co.uk|hngn.com|infowars.com|inquisitr.com|investmentwatchblog.com|kdramastars.com|kpopstarz.com|moddb.com|mstarz.com|musictimes.com|naturalnews.com|oddee.com|okmagazine.com|opposingviews.com|politicususa.com|radaronline.com|realfarmacy.com|screenrant.com|techtimes.com|theblaze.com|thegatewaypundit.com|theladbible.com|thelibertarianrepublic.com|uniladmag.com|unitrending.co.uk|valuewalk.com|vcpost.com|viralnova.com|whatculture.com|wimp.com ! Firefox freezes if not blocked on reuters.com (http://forums.lanik.us/viewtopic.php?f=64&t=16854) ||static.crowdscience.com/max-*.js?callback=crowdScienceCallback$domain=reuters.com ! Anti-Adblock @@ -134891,7 +139934,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||ailde.com^$domain=cbs.com ||alidw.net^$domain=cbs.com ||amazonaws.com^$script,domain=dsero.com|ginormousbargains.com|korean-candy.com|misheel.net|politicususa.com|techydoor.com|trutower.com|unfair.co -||amazonaws.com^*/abb-msg.js$domain=hardocp.com ||channel4.com^*.innovid.com$object-subrequest ||channel4.com^*.tidaltv.com$object-subrequest ||histats.com/js15.js$domain=televisaofutebol.com @@ -134916,22 +139958,26 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ! *** easylist:easylist/easylist_specific_block_popup.txt *** /sendspace-pop.$popup,domain=sendspace.com ^utm_source=$popup,domain=sex.com|thepiratebay.se -|http:$popup,third-party,domain=allmyvideos.net|embed.videoweed.es|extreme-board.com|filepost.com|filmovizija.com|imagebam.com|imageporter.com|imgbox.com|imgmade.com|imgspice.com|load.to|mofunzone.com|putlocker.is|vidspot.net|watchcartoononline.com|xtshare.com +|http:$popup,third-party,domain=allmyvideos.net|embed.videoweed.es|extreme-board.com|filepost.com|filmovizija.com|go4up.com|imagebam.com|imageporter.com|imgbox.com|imgmade.com|imgspice.com|load.to|mofunzone.com|putlocker.is|vidspot.net|watchcartoononline.com|xtshare.com ||4fuckr.com/api.php$popup ||adf.ly^$popup,domain=uploadcore.com|urgrove.com ||adx.kat.ph^$popup +||adyou.me/bug/adcash$popup ||aiosearch.com^$popup,domain=torrent-finder.info ||allmyvideos.net^*?p=$popup ||avalanchers.com/out/$popup ||bangstage.com^$popup,domain=datacloud.to ||bit.ly^$popup,domain=fastvideo.eu|rapidvideo.org +||casino-x.com^*&promo$popup ||channel4.com/ad/$popup +||click.aliexpress.com^$popup,domain=multiupfile.com ||cloudzilla.to/cam/wpop.php$popup ||comicbookmovie.com/plugins/ads/$popup ||conservativepost.com/pu/$popup ||damoh.muzu.tv^$popup ||deb.gs^*?ref=$popup ||edomz.com/re.php?mid=$popup +||f-picture.net/Misc/JumpClick?$popup ||fashionsaga.com^$popup,domain=putlocker.is ||filepost.com/default_popup.html$popup ||filmon.com^*&adn=$popup @@ -134943,13 +139989,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||flashx.tv/frame/$popup ||free-filehost.net/pop/$popup ||free-stream.tv^$popup,domain=flashx.tv +||freean.us^*?ref=$popup ||fullonsms.com/blank.php$popup ||fullonsms.com/mixpop.html$popup ||fullonsms.com/quikr.html$popup ||fullonsms.com/quikrad.html$popup ||fullonsms.com/sid.html$popup ||gamezadvisor.com/popup.php$popup -||goo.gl^$popup,domain=jumbofile.net|videomega.tv +||goo.gl^$popup,domain=amaderforum.com|jumbofile.net|videomega.tv ||google.com.eg/url?$popup,domain=hulkload.com ||gratuit.niloo.fr^$popup,domain=simophone.com ||hide.me^$popup,domain=ncrypt.in @@ -134968,11 +140015,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||limbohost.net^$popup,domain=tusfiles.net ||linkbucks.com^*?ref=$popup ||military.com/data/popup/new_education_popunder.htm$popup +||miniurls.co^*?ref=$popup ||multiupload.nl/popunder/$popup ||nesk.co^$popup,domain=veehd.com ||newsgate.pw^$popup,domain=adjet.biz +||nosteam.ro/pma/$popup ||oddschecker.com/clickout.htm?type=takeover-$popup ||pamaradio.com^$popup,domain=secureupload.eu +||park.above.com^$popup ||photo4sell.com^$popup,domain=filmovizija.com ||plarium.com/play/*adCampaign=$popup ||playhd.eu/test$popup @@ -134981,13 +140031,18 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||rediff.com/uim/ads/$popup ||schenkelklopfer.org^$popup,domain=4fuckr.com ||single-vergleich.de^$popup,domain=netload.in +||softexter.com^$popup,domain=2drive.net ||songspk.cc/pop*.html$popup +||spendcrazy.net^$popup,third-party,domain=animegalaxy.net|animenova.tv|animetoon.tv|animewow.eu|gogoanime.com|goodanime.eu|gooddrama.net|toonget.com ||sponsorselect.com/Common/LandingPage.aspx?eu=$popup ||streamcloud.eu/deliver.php$popup +||streamtunerhd.com/signup?$popup,third-party ||subs4free.com/_pop_link.php$popup +||thebestbookies.com^$popup,domain=fırstrowsports.eu ||thesource.com/magicshave/$popup ||titanbrowser.com^$popup,domain=amaderforum.com ||titanshare.to/download-extern.php?type=*&n=$popup +||tny.cz/red/first.php$popup ||toptrailers.net^$popup,domain=kingfiles.net|uploadrocket.net ||torrentz.*/mgidpop/$popup ||torrentz.*/wgmpop/$popup @@ -135003,16 +140058,15 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||watchclip.tv^$popup,domain=hipfile.com ||wegrin.com^$popup,domain=watchfreemovies.ch ||yasni.ca/ad_pop.php$popup +||zanox.com^$popup,domain=pregen.net ||ziddu.com/onclickpop.php$popup ||zmovie.tv^$popup,domain=deditv.com|vidbox.net ! *** easylist:easylist_adult/adult_specific_block.txt *** .info^$script,domain=pornhub.com -/^https?\:\/\/(?!(ajax\.googleapis\.com|ss\.phncdn\.com|ct1\.addthis\.com|s7\.addthis\.com|www\.google\.com|www\.google-analytics\.com|www\.pornhub\.com|www\.keezmovies\.com|cdn1\.static\.keezmovies\.phncdn\.com)\/)/$script,subdocument,third-party,xmlhttprequest,domain=keezmovies.com -/^https?\:\/\/(?!(apis\.google\.com|ajax\.googleapis\.com|accounts\.google\.com|platform\.twitter\.com|ss\.phncdn\.com|www\.youporn\.com|www\.google-analytics\.com|platform\.tumblr\.com|cdn1\.static\.youporn\.phncdn\.com)\/)/$script,subdocument,third-party,xmlhttprequest,domain=youporn.com -/^https?\:\/\/(?!(apis\.google\.com|ss\.phncdn\.com|www\.google-analytics\.com|public\.tableausoftware\.com|platform\.twitter\.com|pornhubinsights\.disqus\.com|accounts\.google\.com|www\.pornhub\.com|cdn1b\.static\.pornhub\.phncdn\.com|cdn1a\.static\.pornhub\.phncdn\.com)\/)/$script,subdocument,third-party,xmlhttprequest,domain=pornhub.com -/^https?\:\/\/(?!(apis\.google\.com|ss\.phncdn\.com|www\.google-analytics\.com|www\.redtube\.com|www\.google\.com)\/)/$script,subdocument,third-party,xmlhttprequest,domain=redtube.com -/^https?\:\/\/(?!(ss\.phncdn\.com|ct1\.addthis\.com|s7\.addthis\.com|www\.google-analytics\.com|www\.gaytube\.com|cdn\.static\.gaytube\.phncdn\.com)\/)/$script,subdocument,third-party,xmlhttprequest,domain=gaytube.com -/^https?\:\/\/(?!(www\.google\.com|assets0\.uvcdn\.com|assets1\.uvcdn\.com|widget\.uservoice\.com|apis\.google\.com|ct1\.addthis\.com|www\.tube8\.com|feedback\.tube8\.com|s7\.addthis\.com|ss\.phncdn\.com|www\.google-analytics\.com|cdn1\.static\.tube8\.phncdn\.com|cdn1b\.static\.tube8\.phncdn\.com)\/)/$script,subdocument,third-party,xmlhttprequest,domain=tube8.com +/\[a-z0-9A-Z]{6}/$xmlhttprequest,domain=pornhub.com|redtube.com|tube8.com|tube8.es|tube8.fr|youporn.com +/\/\[0-9].*\-.*\-\[a-z0-9]{4}/$script,xmlhttprequest,domain=gaytube.com|keezmovies.com|spankwire.com|tube8.com|tube8.es|tube8.fr +/http://.*\[a-z0-9]{3}.*(?:\[!"#$%&'()*+,:;<=>?@/\^_`{|}~-]).*\[a-z0-9]{3}.*(?:\[!"#$%&'()*+,:;<=>?@/\^_`{|}~-])/$xmlhttprequest,domain=pornhub.com|redtube.com|tube8.com|tube8.es|tube8.fr|youporn.com +/http://\[a-zA-Z0-9]+\.\[a-z]+\/.*(?:\[!"#$%&'()*+,:;<=>?@/\^_`{|}~-]).*\[a-zA-Z0-9]+/$script,third-party,domain=keezmovies.com|pornhub.com|redtube.com|tube8.com|tube8.es|tube8.fr|youporn.com ||109.201.146.142^$domain=xxxbunker.com ||213.174.140.38/bftv/js/msn- ||213.174.140.38^*/msn-*.js$domain=boyfriendtv.com|pornoxo.com @@ -135028,6 +140082,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||24porn7.com/toonad/ ||2adultflashgames.com/images/v12.gif ||2adultflashgames.com/img/ +||2adultflashgames.com/teaser/teaser.swf ||3xupdate.com^*/ryushare.gif ||3xupdate.com^*/ryushare2.gif ||3xupdate.com^*/ryusharepremium.gif @@ -135130,6 +140185,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||coolmovs.com/rec/$subdocument ||crackwhoreconfessions.com/images/banners/ ||crazyshit.com/p0pzIn.js +||creampietubeporn.com/ctp.html +||creampietubeporn.com/porn.html ||creatives.cliphunter.com^ ||creatives.pichunter.com^ ||creepshots.com^*/250x250_ @@ -135211,12 +140268,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||gayporntimes.com^*/CockyBoys-July-2012.jpg ||gaytube.com/chacha/ ||gggtube.com/images/banners/ +||ghettotube.com/images/banners/ ||gina-lynn.net/pr4.html ||girlfriendvideos.com/pcode.js ||girlsfrombudapest.eu/banners/ ||girlsfromprague.eu/banners/ ||girlsfromprague.eu^*468x ||girlsintube.com/images/get-free-server.jpg +||girlsnaked.net/gallery/banners/ ||girlsofdesire.org/banner/ ||girlsofdesire.org/media/banners/ ||glamour.cz/banners/ @@ -135230,6 +140289,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||hanksgalleries.com/galleryimgs/ ||hanksgalleries.com/stxt_ ||hanksgalleries.com/vg_ad_ +||hardsextube.com/pornstars/$xmlhttprequest ||hardsextube.com/preroll/getiton/ ||hardsextube.com/testxml.php ||hardsextube.com/zone.php @@ -135250,6 +140310,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||hentai-foundry.com/themes/*Banner ||hentai-foundry.com/themes/Hentai/images/hu/hu.jpg ||hentairules.net/pop_$script +||hentaistream.com/out/ ||hentaistream.com/wp-includes/images/bg- ||hentaistream.com/wp-includes/images/mofos/webcams_ ||heraldnet.com/section/iFrame_AutosInternetSpecials? @@ -135257,8 +140318,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||hgimg.com/js/beacon. ||hidefporn.ws/04.jpg ||hidefporn.ws/05.jpg +||hidefporn.ws/055.jpg ||hidefporn.ws/client ||hidefporn.ws/img.png +||hidefporn.ws/nitro.png ||hollyscoop.com/sites/*/skins/ ||hollywoodoops.com/img/*banner ||homegrownfreaks.net/homegfreaks.js @@ -135318,9 +140381,12 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||imgbabes.com^*/splash.php ||imgflare.com/exo.html ||imgflare.com^*/splash.php +||imghost.us.to/xxx/content/system/js/iframe.html +||imperia-of-hentai.net/banner/ ||indexxx.com^*/banners/ ||intporn.com^*/21s.js ||intporn.com^*/asma.js +||intporn.org/scripts/asma.js ||iseekgirls.com/g/pandoracash/ ||iseekgirls.com/js/fabulous.js ||iseekgirls.com/rotating_ @@ -135330,6 +140396,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||jav-porn.net/js/popup.js ||javsin.com/vip.html ||julesjordanvideo.com/flash/$object +||justporno.tv/ad/ ||kaotic.com^*/popnew.js ||keezmovies.com/iframe.html? ||kindgirls.com/banners2/ @@ -135346,7 +140413,6 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||live-porn.tv/adds/ ||liveandchat.tv/bana-/ ||livedoor.jp^*/bnr/bnr- -||lolhappens.com/mgid.html ||lubetube.com/js/cspop.js ||lucidsponge.pl/pop_ ||lukeisback.com/images/boxes/ @@ -135384,7 +140450,9 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||mrstiff.com/view/movie/bar/ ||mrstiff.com/view/movie/finished/ ||my-pornbase.com/banner/ +||mydailytube.com/nothing/ ||mygirlfriendvids.net/js/popall1.js +||myhentai.tv/popsstuff. ||myslavegirl.org/follow/go.js ||naked-sluts.us/prpop.js ||namethatpornstar.com/topphotos/ @@ -135451,6 +140519,18 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||pimpandhost.com/images/pah-download.gif ||pimpandhost.com/static/html/iframe.html ||pimpandhost.com/static/i/*-pah.jpg +||pink-o-rama.com/Blazingbucks +||pink-o-rama.com/Brothersincash +||pink-o-rama.com/Fetishhits +||pink-o-rama.com/Fuckyou +||pink-o-rama.com/Gammae +||pink-o-rama.com/Karups +||pink-o-rama.com/Longbucks/ +||pink-o-rama.com/Nscash +||pink-o-rama.com/Pimproll/ +||pink-o-rama.com/Privatecash +||pink-o-rama.com/Royalcash/ +||pink-o-rama.com/Teendreams ||pinkems.com/images/buttons/ ||pinkrod.com/iframes/ ||pinkrod.com/js/adppinkrod @@ -135477,6 +140557,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||pornalized.com/contents/content_sources/ ||pornalized.com/js/adppornalized5.js ||pornalized.com/pornalized_html/closetoplay_ +||pornarchive.net/images/cb ||pornbanana.com/pornbanana/deals/ ||pornbay.org/popup.js ||pornbb.org/adsnov. @@ -135491,10 +140572,10 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||pornerbros.com/rec/$subdocument ||pornfanplace.com/js/pops. ||pornfanplace.com/rec/ -||pornhub.com/album/$xmlhttprequest ||pornhub.com/catagories/costume/ ||pornhub.com/channels/pay/ ||pornhub.com/front/alternative/ +||pornhub.com/jpg/ ||pornhub.com/pics/latest/$xmlhttprequest ||pornhub.com^$script,domain=pornhub.com ||pornhub.com^$subdocument,~third-party @@ -135600,6 +140681,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||sextube.com/lj.js ||sextubebox.com/ab1.shtml ||sextubebox.com/ab2.shtml +||sexuhot.com/images/xbanner ||sexvines.co/images/cp ||sexy-toons.org/interface/partenariat/ ||sexy-toons.org/interface/pub/ @@ -135629,6 +140711,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||socaseiras.com.br/banner_ ||socaseiras.com.br/banners.php? ||songs.pk/ie/ietext.html +||spankbang.com/gateway/ ||springbreaktubegirls.com/js/springpop.js ||starcelebs.com/logos/$image ||static.flabber.net^*background @@ -135638,6 +140721,8 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||submityourflicks.com/banner/ ||svscomics.com^*/dtrotator.js ||sxx.com/js/lj.js +||t8.*.com/?*_|$xmlhttprequest,domain=tube8.com +||taxidrivermovie.com/mrskin_runner/ ||teensanalfactor.com/best/ ||teensexcraze.com/awesome/leader.html ||teentube18.com/js/realamateurtube.js @@ -135681,6 +140766,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||unoxxx.com/pages/en_player_video_right.html ||updatetube.com/js/adpupdatetube ||vibraporn.com/vg/ +||vid2c.com/js/atxpp.js? ||vid2c.com/js/pp.js ||vid2c.com/pap.js ||vid2c.com/pp.js @@ -135696,6 +140782,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||wankspider.com/js/wankspider.js ||watch2porn.net/pads2.js ||watchindianporn.net/js/pu.js +||weberotic.net/banners/ ||wegcash.com/click/ ||wetplace.com/iframes/$subdocument ||wetplace.com/js/adpwetplace @@ -135715,6 +140802,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||wunbuck.com/iframes/aaw_leaderboard.html ||x3xtube.com/banner_rotating_ ||xbabe.com/iframes/ +||xbooru.com/block/adblocks.js ||xbutter.com/adz.html ||xbutter.com/geturl.php/ ||xbutter.com/js/pop-er.js @@ -135722,6 +140810,7 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||xhamster.com/ads/ ||xhamster.com/js/xpu.js ||xhamsterpremiumpass.com/premium_scenes.html +||xhcdn.com^*/ads_ ||xogogo.com/images/latestpt.gif ||xtravids.com/pop.php ||xvideohost.com/hor_banner.php @@ -135770,12 +140859,12 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||zazzybabes.com/misc/virtuagirl-skin.js ! *** easylist:easylist_adult/adult_specific_block_popup.txt *** ^utm_medium=pops^$popup,domain=ratedporntube.com|sextuberate.com -|http://*?*=*&$popup,third-party,domain=extremetube.com|pornhub.com|redtube.com|spankwire.com|tube8.com|youporn.com|youporngay.com +|http://*?*=$popup,third-party,domain=extremetube.com|pornhub.com|redtube.com|spankwire.com|tube8.com|youporn.com|youporngay.com |http://*?*^id^$popup,third-party,domain=extremetube.com|pornhub.com|redtube.com|spankwire.com|tube8.com|youporn.com|youporngay.com -|http://*?id=$popup,domain=extremetube.com|pornhub.com|redtube.com|spankwire.com|tube8.com|youporn.com|youporngay.com ||ad.userporn.com^$popup ||eporner.com/pop.php$popup ||fantasti.cc^*?ad=$popup +||fantastube.com/track.php$popup ||fc2.com^$popup,domain=xvideos.com ||fileparadox.in/free$popup,domain=tdarkangel.com ||h2porn.com/pu.php$popup @@ -135783,12 +140872,14 @@ afreesms.com#@#iframe\[id^="google_ads_frame"] ||heganteens.com/exo.php$popup ||imagebam.com/redirect_awe.php$popup ||movies.askjolene.com/c64?clickid=$popup +||namethatporn.com/ntpoo$popup ||pinporn.com/popunder/$popup ||pop.fapxl.com^$popup ||pop.mrstiff.com^$popup ||porn101.com^$popup,domain=lexsteele.com ||porn4free.tv^$popup,domain=redtube.cc ||pornuppz.info/out.php$popup +||publicagent.com/bigzpup.php$popup ||rackcdn.com^$popup,domain=extremetube.com|pornhub.com|redtube.com|spankwire.com|tube8.com|youporn.com|youporngay.com ||site-rips.org^$popup,domain=backupload.net ||ymages.org/prepop.php$popup @@ -135840,6 +140931,7 @@ citytv.com###CityTv-HeaderBannerBorder ynetnews.com###ClarityRayButton naturalnews.com###Container-Tier1 naturalnews.com###Container-Tier2 +supersport.com###ContentPlaceHolder1_featureShopControl1_shop cardomain.com###ContentPlaceHolder1_rideForSaleOnEbay supersport.com###ContentPlaceHolder1_shop1_shopDiv muchmusic.com###ContestsSide @@ -135848,8 +140940,6 @@ amazon.com###DAadrp ibtimes.com###DHTMLSuite_modalBox_contentDiv gamesforgirlz.net###DUL-jack msn.com###Dcolumn -urbandictionary.com###Define_300x250 -urbandictionary.com###Define_300x250_BTF merriam-webster.com###Dictionary-MW_DICT_728_BOT starcanterbury.co.nz###DivBigBanner meettheboss.tv###DivCenterSpaceContainer @@ -135883,7 +140973,6 @@ infoplease.com###HCads wikia.com,wowwiki.com###HOME_LEFT_SKYSCRAPER_1 wikia.com,wowwiki.com###HOME_TOP_LEADERBOARD theweek.com###HPLeaderbox -urbandictionary.com###HP_300x600 myoutsourcedbrain.com###HTML2 celebnipslipblog.com,countryweekly.com###HeaderBanner greatschools.org###Header_728x90 @@ -135915,6 +141004,7 @@ printmag.com,wetcanvas.com###LinkSpace ustream.tv###LoginBannerWrapper hotnewhiphop.com###LookoutContent mail.yahoo.com###MIP4 +medicalnewstoday.com###MNT_600xFlex_Middle mail.yahoo.com###MNW autotrader.ie,natgeotv.com###MPU nick.co.uk###MPU-wrap @@ -135944,7 +141034,8 @@ kbb.com###New-spotlights india.com###NewBanner walmart.com###OAS_Left1 vidspot.net###On3Pla1ySpot -bestreams.net,played.to,vidstream.in###OnPlayerBanner +bestreams.net,fastvideo.in,played.to,realvid.net,vidstream.in###OnPlayerBanner +allmyvideos.net###OnPlayerClose pch.com###PCHAdWrap missoulian.com,thenewstribune.com,theolympian.com###PG_fb azdailysun.com,azstarnet.com,billingsgazette.com,elkodaily.com,heraldextra.com,metromix.com,missoulian.com,tdn.com,thenewstribune.com,theolympian.com,trib.com###PG_link @@ -135956,11 +141047,10 @@ newser.com###PromoSquare globaltv.com###RBigBoxContainer gardenista.com,remodelista.com###REMODELISTA_BTF_CENTER_AD_FRAME gardenista.com,remodelista.com###REMODELISTA_BTF_RIGHTRAIL-2 -timesofindia.indiatimes.com###RMRight3\[style="width:300px;height:250px;"] -urbandictionary.com###ROS_Right_160x60 smash247.com###RT1 readwriteweb.com###RWW_BTF_CENTER_AD istockanalyst.com###RadWindowWrapper_ctl00_ContentPlaceHolderMain_registration +awazfm.co.uk###Recomends ebuddy.com###Rectangle reference.com###Resource_Center blackamericaweb.com###RightBlockContainer2 @@ -135983,6 +141073,7 @@ mail.aol.com###SidePanel msnbc.msn.com,nbcnews.com###Sidebar2-sponsored daringfireball.net###SidebarTheDeck imcdb.org###SiteLifeSupport +imcdb.org###SiteLifeSupportMissing thisismoney.co.uk###Sky austinchronicle.com###Skyscraper teoma.com###Slink @@ -136027,6 +141118,7 @@ tvembed.eu###\33 00banner dangerousminds.net###\37 28ad forexpros.com###\5f 300x250textads thegalaxytabforum.com###\5f _fixme +happystreams.net###\5f ad_ funnyordie.com###\5f ad_div mail.google.com###\:rr .nH\[role="main"] .mq:first-child mail.google.com###\:rr > .nH > .nH\[role="main"] > .aKB @@ -136039,6 +141131,7 @@ anchorfree.net###a72890_1 metblogs.com###a_medrect ytmnd.com###a_plague_upon_your_house metblogs.com###a_widesky +ipdb.at###aaa totalfilm.com###ab1 webgurubb.com###ab_top nearlygood.com###abf @@ -136056,10 +141149,11 @@ feministing.com###aboveheader tvseriesfinale.com###abox reference.com,thesaurus.com###abvFold blocked-website.com###acbox +filefactory.com###acontainer bitcoca.com###active1 bitcoca.com###active2 bitcoca.com###active3 -1050talk.com,4chan.org,altervista.org,amazon.com,aol.com,ap.org,awfuladvertisements.com,bitcoinmonitor.com,braingle.com,campusrn.com,chicagonow.com,cocoia.com,cryptoarticles.com,dailydigestnews.com,daisuki.net,devshed.com,djmickbabes.com,drakulastream.eu,earthtechling.com,esquire.com,fantom-xp.com,farmville.com,fosswire.com,fullrip.net,g4tv.com,gifts.com,golackawanna.com,google.com,helpwithwindows.com,hknepaliradio.com,ifunnyplanet.com,ifyoulaughyoulose.com,imageshack.us,instapaper.com,internetradiouk.com,investorschronicle.co.uk,jamaicaradio.net,jamendo.com,jigzone.com,learnhub.com,legendofhallowdega.com,libertychampion.com,livevss.net,loveshack.org,lshunter.tv,macstories.net,marketingpilgrim.com,mbta.com,milkandcookies.com,msn.com,msnbc.com,mydallaspost.com,nbcnews.com,neoseeker.com,nepaenergyjournal.com,ninemsn.com.au,nzherald.co.nz,omgili.com,onlineradios.in,phonezoo.com,printitgreen.com,psdispatch.com,psu.com,queensberry-rules.com,radio.net.bd,radio.net.pk,radio.or.ke,radio.org.ng,radio.org.nz,radio.org.ph,radioonline.co.id,radioonline.my,radioonline.vn,radiosa.org,radioth.net,radiowebsites.org,rapidshare-downloads.com,reversegif.com,robotchicken.com,saportareport.com,sciencerecorder.com,shop4freebies.com,slidetoplay.com,socialmarker.com,statecolumn.com,streamhunter.eu,technorati.com,theabingtonjournal.com,thetelegraph.com,timesleader.com,totaljerkface.com,totallycrap.com,trinidadradiostations.net,tutorialized.com,twitch.tv,ultimate-rihanna.com,vetstreet.com,vladtv.com,wallpapers-diq.com,wefunction.com,womensradio.com,xe.com,yahoo.com,youbeauty.com,ytconv.net,zootool.com###ad +1050talk.com,4chan.org,altervista.org,amazon.com,aol.com,ap.org,awfuladvertisements.com,bitcoinmonitor.com,braingle.com,campusrn.com,chicagonow.com,cocoia.com,cryptoarticles.com,dailydigestnews.com,daisuki.net,devshed.com,djmickbabes.com,drakulastream.eu,earthtechling.com,esquire.com,fantom-xp.com,farmville.com,fosswire.com,fullrip.net,g4tv.com,gifts.com,golackawanna.com,google.com,guiminer.org,helpwithwindows.com,hknepaliradio.com,ifunnyplanet.com,ifyoulaughyoulose.com,imageshack.us,instapaper.com,internetradiouk.com,investorschronicle.co.uk,jamaicaradio.net,jamendo.com,jigzone.com,learnhub.com,legendofhallowdega.com,libertychampion.com,livevss.net,loveshack.org,lshunter.tv,macstories.net,marketingpilgrim.com,mbta.com,milkandcookies.com,msn.com,msnbc.com,mydallaspost.com,nbcnews.com,neoseeker.com,nepaenergyjournal.com,ninemsn.com.au,nzherald.co.nz,omgili.com,onlineradios.in,phonezoo.com,printitgreen.com,psdispatch.com,psu.com,queensberry-rules.com,radio.net.bd,radio.net.pk,radio.or.ke,radio.org.ng,radio.org.nz,radio.org.ph,radioonline.co.id,radioonline.my,radioonline.vn,radiosa.org,radioth.net,radiowebsites.org,rapidshare-downloads.com,reversegif.com,robotchicken.com,saportareport.com,sciencerecorder.com,shop4freebies.com,slidetoplay.com,socialmarker.com,statecolumn.com,streamhunter.eu,technorati.com,theabingtonjournal.com,thetelegraph.com,timesleader.com,torrentbutler.eu,totaljerkface.com,totallycrap.com,trinidadradiostations.net,tutorialized.com,twitch.tv,ultimate-rihanna.com,vetstreet.com,vladtv.com,wallpapers-diq.com,wefunction.com,womensradio.com,xe.com,yahoo.com,youbeauty.com,ytconv.net,zootool.com###ad clip.dj,dafont.com,documentary.net,gomapper.com,idahostatejournal.com,investorschronicle.co.uk,megafilmeshd.net,newsinc.com,splitsider.com,theawl.com,thehindu.com,thehindubusinessline.com,timeanddate.com,troyhunt.com,weekendpost.co.zw,wordreference.com###ad1 btvguide.com,cuteoverload.com,edmunds.com,investorschronicle.co.uk,megafilmeshd.net,pimpandhost.com,theawl.com,thehairpin.com,troyhunt.com,weekendpost.co.zw###ad2 btvguide.com,internetradiouk.com,jamaicaradio.net,onlineradios.in,pimpandhost.com,radio.net.bd,radio.net.pk,radio.or.ke,radio.org.ng,radio.org.nz,radio.org.ph,radioonline.co.id,radioonline.my,radioonline.vn,radiosa.org,radioth.net,splitsider.com,theawl.com,thehairpin.com,trinidadradiostations.net,way2sms.com,weekendpost.co.zw,zerocast.tv###ad3 @@ -136070,7 +141164,7 @@ fxnetworks.com,isearch.avg.com###adBlock experts-exchange.com###adComponent gamemazing.com###adContainer about.com,paidcontent.org###adL -apnadesi-tv.net,britsabroad.com,candlepowerforums.com,droidforums.net,filesharingtalk.com,forum.opencarry.org,gsmindore.com,hongfire.com,justskins.com,kiwibiker.co.nz,lifeinvictoria.com,lotoftalks.com,moneymakerdiscussion.com,mpgh.net,nextgenupdate.com,partyvibe.com,perthpoms.com,pomsinadelaide.com,pomsinoz.com,printroot.com,thriveforums.org,watchdesitv.com,watchuseek.com,webmastertalkforums.com,win8heads.com###ad_global_below_navbar +apnadesi-tv.net,britsabroad.com,candlepowerforums.com,droidforums.net,filesharingtalk.com,forum.opencarry.org,gsmindore.com,hongfire.com,justskins.com,kiwibiker.co.nz,lifeinvictoria.com,lotoftalks.com,m-hddl.com,moneymakerdiscussion.com,mpgh.net,nextgenupdate.com,partyvibe.com,perthpoms.com,pomsinadelaide.com,pomsinoz.com,printroot.com,thriveforums.org,watchdesitv.com,watchuseek.com,webmastertalkforums.com,win8heads.com###ad_global_below_navbar im9.eu###adb tweakguides.com###adbar > br + p\[style="text-align: center"] + p\[style="text-align: center"] tweakguides.com###adbar > br + p\[style="text-align: center"] + p\[style="text-align: center"] + p @@ -136104,9 +141198,8 @@ shivtr.com###admanager girlsgames.biz###admd mp3skull.com###adr_banner mp3skull.com###adr_banner_2 -909lifefm.com,anichart.net,audioreview.com,carlow-nationalist.ie,daemon-tools.cc,disconnect.me,dreadcentral.com,duckduckgo.com,eveningecho.ie,financenews.co.uk,footballfancast.com,g.doubleclick.net,gearculture.com,genevalunch.com,hdcast.tv,healthboards.com,hiphopisdream.com,inspirationti.me,isearch-for.com,kildare-nationalist.ie,laois-nationalist.ie,lorempixel.com,lyricstime.com,mobilerevamp.org,mtbr.com,nylonguysmag.com,placehold.it,playr.org,privack.com,quiz4fun.com,quote.com,roscommonherald.ie,skyuser.co.uk,theindustry.cc,toorgle.net,triblive.com,tvope.com,urbandictionary.com,washingtonmonthly.com,waterford-news.ie,wccftech.com,westernpeople.com,wexfordecho.ie###ads -cleodesktop.com###ads1 -cleodesktop.com,release-ddl.com,womanowned.com###ads3 +909lifefm.com,anichart.net,audioreview.com,carlow-nationalist.ie,chelseanews.com,daemon-tools.cc,disconnect.me,dreadcentral.com,duckduckgo.com,eveningecho.ie,financenews.co.uk,footballfancast.com,g.doubleclick.net,gearculture.com,genevalunch.com,hdcast.tv,healthboards.com,hiphopisdream.com,inspirationti.me,isearch-for.com,kildare-nationalist.ie,laois-nationalist.ie,lorempixel.com,lyricstime.com,mobilerevamp.org,mtbr.com,nylonguysmag.com,photographyreview.com,placehold.it,playr.org,privack.com,quiz4fun.com,quote.com,roscommonherald.ie,skyuser.co.uk,talk1300.com,theindustry.cc,toorgle.net,triblive.com,tvope.com,urbandictionary.com,washingtonmonthly.com,waterford-news.ie,wccftech.com,westernpeople.com,wexfordecho.ie###ads +release-ddl.com,womanowned.com###ads3 chia-anime.com###ads4 chia-anime.com###ads8 screencity.pl###ads_left @@ -136118,16 +141211,17 @@ videos.com###adst fitnessmagazine.com###adtag ninemsn.com.au###adtile conservativepost.com###adtl -mnn.com###adv +mnn.com,streamtuner.me###adv novamov.com,tinyvid.net,videoweed.es###adv1 cad-comic.com###advBlock forexminute.com###advBlokck -arsenal.com,farmersvilletimes.com,ishared.eu,murphymonitor.com,princetonherald.com,runescape.com,sachsenews.com,wylienews.com###advert +teleservices.mu###adv_\'146\' +arsenal.com,farmersvilletimes.com,ishared.eu,murphymonitor.com,princetonherald.com,runescape.com,sachsenews.com,shared2.me,wylienews.com###advert uploaded.to###advertMN -bt.com,chron.com,climateprogress.org,computingondemand.com,everydaydish.tv,fisher-price.com,funnygames.co.uk,games.on.net,givemefootball.com,intoday.in,iwin.com,msn.com,mysanantonio.com,nickjr.com,nytsyn.com,opry.com,peoplepets.com,psu.com,sonypictures.com,thatsfit.com,truelocal.com.au,unshorten.it,variety.com,washingtonian.com,yippy.com###advertisement +bt.com,chron.com,climateprogress.org,computingondemand.com,everydaydish.tv,fisher-price.com,funnygames.co.uk,games.on.net,givemefootball.com,intoday.in,iwin.com,msn.com,mysanantonio.com,nickjr.com,nytsyn.com,opry.com,peoplepets.com,psu.com,radiozdk.com,sonypictures.com,thatsfit.com,truelocal.com.au,unshorten.it,variety.com,washingtonian.com,yippy.com###advertisement typepad.com###advertisements miamisunpost.com###advertisers -develop-online.net,geeky-gadgets.com,govolsxtra.com,hwbot.org,motortorque.com,pcr-online.biz,profy.com,webshots.com###advertising +bom.gov.au,develop-online.net,geeky-gadgets.com,govolsxtra.com,hwbot.org,motortorque.com,pcr-online.biz,profy.com,webshots.com###advertising 1cookinggames.com,intowindows.com,irishhealth.com,playkissing.com,snewscms.com,yokogames.com###advertisment kickoff.com###advertisng share-links.biz###advice @@ -136167,8 +141261,6 @@ pcadvisor.co.uk###amazonPriceListContainer imfdb.org###amazoncontent zap2it.com###amc-twt-module realbeauty.com###ams_728_90 -harpersbazaar.com###ams_baz_rwd_top -harpersbazaar.com###ams_baz_sponsored_links publicradio.org###amzContainer aim.org###amznCharityBanner visitsundsvall.se###annons-panel @@ -136199,6 +141291,9 @@ ktar.com###askadv autoblog.com###asl_bot autoblog.com###asl_top pv-tech.org###associations-wrapper +forwardprogressives.com###aswift_1_expand +forwardprogressives.com###aswift_2_expand +forwardprogressives.com###aswift_3_expand newsblaze.com###atf160x600 bustedcoverage.com###atf728x90 ecoustics.com###atf_right_300x250 @@ -136232,7 +141327,7 @@ virtualnights.com###banderolead ftadviser.com###banlb iloubnan.info###bann goldentalk.com###bann2 -absoluteradio.co.uk,adv.li,allmyfaves.com,arsenal.com,blahblahblahscience.com,brandrepublic.com,businessspectator.com.au,christianpost.com,comicsalliance.com,cool-wallpaper.us,dealmac.com,dealsonwheels.co.nz,delcotimes.com,disney.go.com,djmag.co.uk,djmag.com,dosgamesarchive.com,empowernetwork.com,farmtrader.co.nz,guidespot.com,healthcentral.com,icq.com,insideradio.com,irishcentral.com,keygen-fm.ru,lemondrop.com,lotro-lore.com,mediaite.com,morningjournal.com,movies.yahoo.com,moviesfoundonline.com,mypremium.tv,neave.com,news-herald.com,newstonight.co.za,nhregister.com,northernvirginiamag.com,nzmusicmonth.co.nz,ocia.net,pbs.org,pgpartner.com,popeater.com,poughkeepsiejournal.com,proxy-list.org,ps3-hacks.com,registercitizen.com,roughlydrafted.com,saratogian.com,screenwallpapers.org,securityweek.com,sfx.co.uk,shortlist.com,similarsites.com,soccerway.com,sportinglife.com,stopstream.com,style.com,theoaklandpress.com,thesmokinggun.com,theweek.com,tictacti.com,topsite.com,tortoisehg.bitbucket.org,twistedsifter.com,urlesque.com,vidmax.com,viewdocsonline.com,vps-trading.info,wellsphere.com,wn.com,wsof.com,zootoday.com###banner +absoluteradio.co.uk,adv.li,allmyfaves.com,arsenal.com,blahblahblahscience.com,brandrepublic.com,businessspectator.com.au,christianpost.com,comicsalliance.com,cool-wallpaper.us,cumbrialive.co.uk,dealmac.com,dealsonwheels.co.nz,delcotimes.com,disney.go.com,djmag.co.uk,djmag.com,dosgamesarchive.com,empowernetwork.com,farmtrader.co.nz,guidespot.com,healthcentral.com,icq.com,imgmaster.net,in-cumbria.com,indianexpress.com,insideradio.com,irishcentral.com,keygen-fm.ru,lemondrop.com,lotro-lore.com,mediaite.com,morningjournal.com,movies.yahoo.com,moviesfoundonline.com,mypremium.tv,neave.com,news-herald.com,newstonight.co.za,nhregister.com,northernvirginiamag.com,nzmusicmonth.co.nz,ocia.net,pbs.org,pgpartner.com,popeater.com,poughkeepsiejournal.com,proxy-list.org,ps3-hacks.com,registercitizen.com,roughlydrafted.com,saratogian.com,screenwallpapers.org,securityweek.com,sfx.co.uk,shortlist.com,similarsites.com,soccerway.com,sportinglife.com,stopstream.com,style.com,theoaklandpress.com,thesmokinggun.com,theweek.com,tictacti.com,topsite.com,tortoisehg.bitbucket.org,twistedsifter.com,urlesque.com,vidmax.com,viewdocsonline.com,vps-trading.info,wellsphere.com,wn.com,wsof.com,zootoday.com###banner kiz10.com###banner-728-15 wftlsports.com###banner-Botleft wftlsports.com###banner-Botright @@ -136244,7 +141339,7 @@ kiz10.com###banner-down-video film.fm###banner-footer mob.org###banner-h400 jacarandafm.com###banner-holder -sportfishingbc.com###banner-leaderboard +gardentenders.com,homerefurbers.com,sportfishingbc.com###banner-leaderboard kiz10.com###banner-left elle.com,forums.crackberry.com###banner-main cstv.com###banner-promo @@ -136254,11 +141349,11 @@ general-fil.es,generalfil.es###banner-search-bottom general-fil.es###banner-search-top torrentpond.com###banner-section irishtimes.com###banner-spacer -blocked-website.com,cjonline.com###banner-top +blocked-website.com,cjonline.com,wftlsports.com###banner-top vladtv.com###banner-top-video mob.org###banner-w790 georgiadogs.com,goarmysports.com,slashdot.org###banner-wrap -4teachers.org,dailyvoice.com###banner-wrapper +4teachers.org,dailyvoice.com,highwayradio.com###banner-wrapper siliconrepublic.com###banner-zone-k businessandleadership.com,siliconrepublic.com###banner-zone-k-dfp globaltimes.cn###banner05 @@ -136280,14 +141375,15 @@ viz.com###bannerDiv androidzoom.com###bannerDown atomicgamer.com,telefragged.com###bannerFeatures gatewaynews.co.za,ilm.com.pk,ynaija.com###bannerHead +showbusinessweekly.com###bannerHeader kumu.com###bannerImageName -atdhe.so,atdhe.xxx###bannerInCenter +atdhe.fm,atdhe.so,atdhe.xxx###bannerInCenter securenetsystems.net###bannerL securenetsystems.net###bannerM zam.com###bannerMain pocketgamer.co.uk###bannerRight reuters.com###bannerStrip -abclocal.go.com,atomicgamer.com,codecs.com,free-codecs.com,ieee.org,ninemsn.com.au,reference.com###bannerTop +atomicgamer.com,codecs.com,free-codecs.com,ieee.org,ninemsn.com.au,reference.com###bannerTop sky.com###bannerTopBar search.snap.do###bannerWrapper khl.com###banner_1 @@ -136313,7 +141409,9 @@ fulldls.com###banner_h mudah.my###banner_holder versus.com###banner_instream_300x250 krzk.com###banner_left +bahamaslocal.com###banner_location_sub baltic-course.com###banner_master_top +veehd.com###banner_over_vid worldradio.ch###banner_placement_bottom worldradio.ch###banner_placement_right ebuddy.com###banner_rectangle @@ -136343,6 +141441,7 @@ freegirlgames.org###bannerplay virusbtn.com###bannerpool driverdb.com,european-rubber-journal.com,mobile-phones-uk.org.uk,offtopic.com,toledofreepress.com###banners bergfiles.com,berglib.com###banners-24 +wrmj.com###banners-top eluniversal.com,phuketwan.com###bannersTop krzk.com###banners_bottom insideedition.com###bannerspace-expandable @@ -136383,15 +141482,19 @@ radaronline.com###below_header tgdaily.com###bestcovery_container dailygalaxy.com###beta-inner nigeriafootball.com###bettingCompetition +atđhe.net###between_links +searchenginejournal.com###bg-atag +searchenginejournal.com###bg-takeover-unit livescience.com###bgImage frostytech.com###bg_googlebanner_160x600LH +oboom.com###bgfadewnd1 973fm.com.au,buzzintown.com,farmingshow.com,isportconnect.com,mix1011.com.au,mix1065.com.au,newstalkzb.co.nz,ps3news.com,radiosport.co.nz,rlslog.net,runt-of-the-web.com,sharkscope.com###bglink runnerspace.com###bgtakeover forbes.com###bigBannerDiv spacecast.com,treehousetv.com###bigBox chinadaily.com.cn###big_frame canoe.ca,winnipegfreepress.com,worldweb.com###bigbox -about.com,mg.co.za###billboard +about.com,cumberlandnews.co.uk,cumbrialive.co.uk,eladvertiser.co.uk,hexhamcourant.co.uk,in-cumbria.com,mg.co.za,newsandstar.co.uk,nwemail.co.uk,timesandstar.co.uk,whitehavennews.co.uk###billboard about.com###billboard2 theblaze.com###billboard_970x250 tech-faq.com,techspot.com###billboard_placeholder @@ -136469,6 +141572,7 @@ todayonline.com###block-dart-dart-tag-all-pages-header popphoto.com###block-dart-dart-tag-bottom todayonline.com###block-dart-dart-tag-dart-homepage-728x90 popphoto.com###block-dart-dart-tag-top1 +medicaldaily.com###block-dfp-bottom ncronline.org###block-dfp-content-1 ncronline.org###block-dfp-content-2 ncronline.org###block-dfp-content-3 @@ -136482,6 +141586,9 @@ examiner.com###block-ex_dart-ex_dart_adblade_topic 4hi.com.au,4vl.com.au,hotcountry.com.au###block-exponential-exponential-mrec 4hi.com.au,4vl.com.au,hotcountry.com.au###block-exponential-exponential-mrec2 infoworld.com###block-infoworld-sponsored_links +14850.com###block-ofefo-5 +14850.com###block-ofefo-7 +14850.com###block-ofefo-8 ecnmag.com###block-panels-mini-dart-stamp-ads yourtango.com###block-tango-10 yourtango.com###block-tango-9 @@ -136526,13 +141633,15 @@ mp3lyrics.org###bota trutv.com###botleadad phonescoop.com###botlink adf.ly,deezer.com,forums.vr-zone.com,hplusmagazine.com,j.gs,q.gs,u.bb,usniff.com###bottom +jillianmichaels.com###bottom-300 dancehallreggae.com,investorplace.com,kiz10.com,lyrics19.com,radionomy.com###bottom-banner vidstatsx.com###bottom-bar news.cnet.com###bottom-leader ohio.com###bottom-leader-position -audioreview.com,fayobserver.com,icanhasinternets.com,legacy.com,thenextweb.com,topcultured.com###bottom-leaderboard +audioreview.com,fayobserver.com,g4chan.com,icanhasinternets.com,legacy.com,thenextweb.com,topcultured.com###bottom-leaderboard startupnation.com###bottom-leaderboard-01 canstar.com.au###bottom-mrec +bidnessetc.com###bottom-panel templatemonster.com###bottom-partner-banners techhive.com###bottom-promo thebestdesigns.com###bottom-sponsors @@ -136573,6 +141682,7 @@ kewlshare.com###box1 kewlshare.com###box3 dillons.com,kroger.com###box3-subPage tnt.tv###box300x250 +dmi.ae###boxBanner300x250 yahoo.com###boxLREC planetminecraft.com###box_160btf planetminecraft.com###box_300atf @@ -136583,6 +141693,7 @@ maxim.com###box_takeover_content maxim.com###box_takeover_mask collive.com,ecnmag.com###boxes filesoup.com###boxopus-btn +search.yahoo.com###bpla britannica.com###bps-gist-mbox-container brainyquote.com###bq_top_ad turbobit.net###branding-link @@ -136608,6 +141719,7 @@ imdb.com###btf_rhs2_wrapper ecoustics.com###btf_right_300x250 coed.com,collegecandy.com###btfmrec collegecandy.com###btfss +overdrive.in###btm_banner1 inquirer.net###btmskyscraper profitguide.com###builder-277 torontosun.com###buttonRow @@ -136641,11 +141753,6 @@ zynga.com###cafe_snapi_zbar bonniegames.com###caja_publicidad popsugar.com###calendar_widget youthincmag.com###campaign-1 -grooveshark.com###capital -grooveshark.com###capital-160x600 -grooveshark.com###capital-300x250 -grooveshark.com###capital-300x250-placeholder -grooveshark.com###capital-728x90 care2.com###care2_footer_ads pcworld.idg.com.au###careerone-promo screenafrica.com###carousel @@ -136667,7 +141774,7 @@ cryptocoinsnews.com###cb-sidebar-b > #text-85 fresnobee.com###cb-topjobs bnd.com###cb_widget cbc.ca###cbc-bottom-logo -allmyvideos.net,xtshare.com###cblocker +xtshare.com###cblocker aviationweek.com,grist.org,linuxinsider.com,neg0.ca###cboxOverlay cbsnews.com###cbsiAd16_100 cbssports.com###cbsiad16_100 @@ -136713,6 +141820,7 @@ mmorpg.com###colFive weather24.com###col_top_fb stv.tv###collapsedBanner aviationweek.com,grist.org,linuxinsider.com,neg0.ca,tv3.co.nz###colorbox +search.yahoo.com###cols > #left > #main > ol > li\[id^="yui_"] zam.com###column-box:first-child smashingmagazine.com###commentsponsortarget nettleden.com,xfm.co.uk###commercial @@ -136733,20 +141841,22 @@ isup.me###container > center:last-child > a:last-child videobull.com###container > div > div\[style^="position: fixed; "] streamin.to,tvshow7.eu,videobull.com###container > div > div\[style^="z-index: "] ebuddy.com###container-banner +pons.com###container-superbanner jacksonville.com###containerDeal sedoparking.com###content info.com###content + .P4 4fuckr.com###content > div\[align="center"] > b\[style="font-size: 15px;"] emillionforum.com###content > div\[onclick^="MyAdvertisements"]:first-child -allmyvideos.net###content a + iframe autotrader.co.nz,kiz10.com###content-banner +lifewithcats.tv###content-bottom-empty-space picocool.com###content-col-3 snow.co.nz###content-footer-wrap prospect.org###content-header-sidebar darkhorizons.com###content-island ifc.com###content-right-b amatuks.co.za###content-sponsors -caymannewsservice.com,craveonline.com,ego4u.com,washingtonexaminer.com,web.id###content-top +craveonline.com,ego4u.com,washingtonexaminer.com,web.id###content-top +lifewithcats.tv###content-top-empty-space sevenload.com###contentAadContainer jellymuffin.com###contentAfter-i vwvortex.com###contentBanner @@ -136783,6 +141893,7 @@ rightdiagnosis.com###cradbotb rightdiagnosis.com,wrongdiagnosis.com###cradlbox1 rightdiagnosis.com,wrongdiagnosis.com###cradlbox2 rightdiagnosis.com,wrongdiagnosis.com###cradrsky2 +firsttoknow.com###criteo-container careerbuilder.com###csjstool_bottomleft mustangevolution.com###cta cargames1.com###ctgad @@ -136791,6 +141902,8 @@ blogtv.com###ctl00_ContentPlaceHolder1_topBannerDiv spikedhumor.com###ctl00_CraveBanners myfax.com###ctl00_MainSection_BannerCoffee thefiscaltimes.com###ctl00_body_rightrail_4_pnlVideoModule +seeklogo.com###ctl00_content_panelDepositPhotos +seeklogo.com###ctl00_content_panelDepositPhotos2 leader.co.za###ctl00_cphBody_pnUsefulLinks investopedia.com###ctl00_ctl00_MainContent_A5_ctl00_contentService0 investopedia.com###ctl00_ctl00_MainContent_A5_ctl00_contentService2 @@ -136828,6 +141941,7 @@ drivewire.com###dart_leaderboard news24.com###datingWidegt pitch.com###datingpitchcomIframe reference.com###dcomSERPTop-300x250 +dailydot.com###dd-ad-head-wrapper gazette.com###deal-link charlotteobserver.com,miami.com,momsmiami.com###dealSaverWidget slickdeals.net###dealarea @@ -136846,26 +141960,22 @@ bloggingstocks.com###dfAppPromo thriftyfun.com###dfp-2 madmagazine.com###dfp-300x250 madmagazine.com###dfp-728x90 -urbandictionary.com###dfp_define_double_rectangle -urbandictionary.com###dfp_define_rectangle -urbandictionary.com###dfp_define_rectangle_btf -urbandictionary.com###dfp_homepage_medium_rectangle -urbandictionary.com###dfp_homepage_medium_rectangle_below amherstbulletin.com,concordmonitor.com,gazettenet.com,ledgertranscript.com,recorder.com,vnews.com###dfp_intext_half_page amherstbulletin.com,concordmonitor.com,gazettenet.com,ledgertranscript.com,recorder.com,vnews.com###dfp_intext_med_rectangle -urbandictionary.com###dfp_skyscraper cduniverse.com###dgast dailyhoroscope.com###dh-bottomad dailyhoroscope.com###dh-topad vidhog.com###dialog directionsmag.com###dialog-message forums.digitalpoint.com###did_you_know +linuxbsdos.com###digocean torrenthound.com###direct.button torrenthound.com,torrenthoundproxy.com###direct2 totalkiss.com###directional-120x600 totalkiss.com###directional-300x250-single datehookup.com###div-Forums_AFT_Top_728x90 articlesnatch.com###div-article-top +her.ie,herfamily.ie,joe.co.uk,joe.ie,sportsjoe.ie###div-gpt-top_page gossipcop.com###div-gpt-unit-gc-hp-300x250-atf gossipcop.com###div-gpt-unit-gc-other-300x250-atf geekosystem.com###div-gpt-unit-gs-hp-300x250-atf @@ -136899,7 +142009,6 @@ philstar.com###diviframeleaderboard jeuxme.info###divk1 tvonlinegratis.mobi###divpubli vidxden.com###divxshowboxt > a\[target="_blank"] > img\[width="158"] -capecodonline.com,dailytidings.com,mailtribune.com,poconorecord.com,recordnet.com,recordonline.com,seacoastonline.com,southcoasttoday.com###djDealsReviews redown.se###dl afterdawn.com###dlSoftwareDesc300x250 firedrive.com###dl_faster @@ -136909,14 +142018,16 @@ coloradocatholicherald.com,hot1045.net,rednationonline.ca###dnn_BannerPane windowsitpro.com###dnn_FooterBoxThree winsupersite.com###dnn_LeftPane cheapoair.com###dnn_RightPane\[width="175"] +cafonline.com###dnn_footerSponsersPane windowsitpro.com,winsupersite.com###dnn_pentonRoadblock_pnlRoadblock +search.yahoo.com###doc #cols #right #east convertmyimage.com###doc2pdf linuxcrunch.com###dock pspmaniaonline.com###dollarade_help msn.co.nz###doubleMrec trulia.com###double_click_backfill freemp3go.com###downHighSpeed -torrentreactor.net###download-button +solidfiles.com,torrentreactor.com,torrentreactor.net###download-button legendarydevils.com###download1_body movpod.in,vreer.com###downloadbar stuff.co.nz###dpop @@ -136946,6 +142057,8 @@ sys-con.com###elementDiv nbr.co.nz###email-signup destructoid.com,japanator.com###emc_header prisonplanet.com###enerfood-banner +tcrtroycommunityradio.com###enhancedtextwidget-2 +gossipcenter.com###entertainment_skin eweek.com###eoe-sl anilinkz.com###epads1 countryliving.com###epic_banner @@ -136971,7 +142084,7 @@ esper.vacau.com,nationalreview.com,techorama.comyr.com###facebox esper.vacau.com,filefactory.com###facebox_overlay funnycrazygames.com,playgames2.com,sourceforge.net###fad tucows.com###fad1 -askmen.com###fade +askmen.com,dxomark.com###fade softexia.com###faded imagepicsa.com,nashuatelegraph.com###fadeinbox brothersoft.com###fakebodya @@ -136980,6 +142093,7 @@ accountingtoday.com,commentarymagazine.com###fancybox-overlay rapidmore.com###fastdw firstpost.com###fb_mtutor fastcompany.com###fc-ads-imu +thedrinknation.com###fcBanner firedrive.com,putlocker.com###fdtb_container firedrive.com###fdvabox dealtime.com,shopping.com###featListingSection @@ -137009,10 +142123,12 @@ generatorlinkpremium.com###firstleft theverge.com###fishtank siteslike.com###fixedbox\[style="margin-top:20px"] booksnreview.com,mobilenapps.com,newseveryday.com,realtytoday.com,scienceworldreport.com,techtimes.com###fixme +gwhatchet.com###flan_leader fool.com###flash omgpop.com###flash-banner-top tg4.ie###flash_mpu radiotimes.com###flexible-mpu +streamtuner.me###float-bottom altervista.org,bigsports.tv,desistreams.tv,fancystreems.com,freelivesportshd.com,hqfooty.tv,livematchesonline.com,livevss.tv,pogotv.eu,streamer247.com,trgoals.es,tykestv.eu,zonytvcom.info###floatLayer1 cdnbr.biz,zcast.us,zonytvcom.info###floatLayer2 chordfrenzy.com,ganool.com###floating_banner_bottom @@ -137035,7 +142151,7 @@ thenextweb.com###fmpub_2621_3 game-debate.com###focus-enclose achieve360points.com###foot socialhype.com,zap2it.com###foot728 -chaifm.com,coinurl.com,oocities.org,sicilyintheworld.com,spin.ph,techcentral.co.za,tribejournal.com###footer +boldride.com,chaifm.com,coinurl.com,oocities.org,palipost.com,sicilyintheworld.com,spin.ph,techcentral.co.za,tribejournal.com###footer teesoft.info###footer-800 beso.com,spectator.co.uk###footer-banner tabletmag.com###footer-bar @@ -137065,7 +142181,7 @@ usatoday.com###footerSponsorTwo chelseafc.com###footerSponsors techworld.com###footerWhitePapers thesouthafrican.com###footer\[style="height:200px"] -androidcommunity.com,japantoday.com,thevillager.com.na###footer_banner +1019thewave.com,androidcommunity.com,clear99.com,japantoday.com,kat943.com,kcmq.com,kfalthebig900.com,ktgr.com,kwos.com,theeagle939.com,thevillager.com.na,y107.com###footer_banner phpbb.com###footer_banner_leaderboard 1500espn.com,mytalk1071.com###footer_box logopond.com###footer_google @@ -137115,7 +142231,6 @@ yasni.ca,yasni.co.uk,yasni.com###fullsizeWrapper penny-arcade.com###funding-h vladtv.com###fw_promo tinypic.com###fxw_ads -cleodesktop.com###g207 interscope.com###g300x250 claro-search.com,isearch.babylon.com,search.babylon.com###gRsTopLinks hoobly.com###ga1 @@ -137148,6 +142263,7 @@ mtv.com###gft-sponsors vancouversun.com###giftguidewidget phillytrib.com###gkBannerTop ngrguardiannews.com###gkBannerTopAll +concrete.tv###gkBanners howdesign.com,moviecritic.com.au,orble.com,realitytvobsession.com###glinks theguardian.com###global-jobs people.com###globalrecirc @@ -137178,7 +142294,9 @@ tips.net###googlebig forums.studentdoctor.net###googlefloat sapostalcodes.za.net###googlehoriz variety.com###googlesearch +magtheweekly.com###googleskysraper mozillazine.org###gootop +truckinginfo.com###got-questions asylum.co.uk###goviralD sourceforge.jp###gpt-sf_dev_300 neopets.com###gr-ctp-premium-featured @@ -137193,7 +142311,6 @@ bamkapow.com###gs300x250 jobs.aol.com###gsl aol.com###gsl-bottom torlock.com,torrentfunk.com,yourbittorrent.com###gslideout -ndtv.com###gta gtaforums.com###gtaf_ad_forums_bottomLeaderboard gtaforums.com###gtaf_ad_forums_topLeaderboard gtaforums.com###gtaf_ad_forums_wideSkyscraper @@ -137235,7 +142352,8 @@ countytimes.co.uk###headBanner quotes-love.net###head_banner fxempire.com###head_banners webdesignstuff.com###headbanner -adsoftheworld.com,anglocelt.ie,animalnetwork.com,eeeuser.com,engineeringnews.co.za,eveningtimes.co.uk,floridaindependent.com,hellmode.com,heraldscotland.com,incredibox.com,information-management.com,krapps.com,link-base.org,meathchronicle.ie,mothering.com,nevadaappeal.com,offalyindependent.ie,theroanoketribune.org,tusfiles.net,unrealitymag.com,vaildaily.com,washingtonindependent.com,westmeathindependent.ie,yourforum.ie###header +adsoftheworld.com,anglocelt.ie,animalnetwork.com,cartoonnetworkhq.com,eeeuser.com,engineeringnews.co.za,eveningtimes.co.uk,floridaindependent.com,hellmode.com,heraldscotland.com,incredibox.com,information-management.com,krapps.com,link-base.org,meathchronicle.ie,mothering.com,nevadaappeal.com,offalyindependent.ie,petapixel.com,theroanoketribune.org,tusfiles.net,unrealitymag.com,vaildaily.com,washingtonindependent.com,westmeathindependent.ie,yourforum.ie###header +filehippo.com###header-above-content-leaderboard theblemish.com###header-b fanrealm.net,flix.gr,fonearena.com,frontlinesoffreedom.com,girlgames.com,pa-magazine.com,progressivenation.us,scmp.com,snow.co.nz,snowtv.co.nz,spectator.co.uk,stickgames.com,sunnewsonline.com###header-banner gearculture.com###header-banner-728 @@ -137243,9 +142361,9 @@ dominicantoday.com###header-banners diyfashion.com###header-blocks ideone.com###header-bottom allakhazam.com###header-box:last-child -themiddlemarket.com###header-content +bestvpnserver.com,themiddlemarket.com###header-content davidwalsh.name###header-fx -ancientfaces.com,myrecordjournal.com,news-journalonline.com,phillymag.com,telegraph.co.uk,usatoday.com###header-leaderboard +ancientfaces.com,g4chan.com,myrecordjournal.com,news-journalonline.com,phillymag.com,telegraph.co.uk,usatoday.com###header-leaderboard menshealth.com###header-left-top-region amctv.com,ifc.com,motorhomefacts.com,sundance.tv,wetv.com###header-promo veteranstoday.com###header-right-banner2 @@ -137297,11 +142415,12 @@ allakhazam.com###hearthhead-mini-feature grist.org###hellobar-pusher kansascity.com###hi-find-n-save hi5.com###hi5-common-header-banner -atdhe.so,atdhe.xxx###hiddenBannerCanvas +atdhe.fm,atdhe.so,atdhe.xxx###hiddenBannerCanvas wbond.net###hide_sup flashi.tv###hideall rapidvideo.org,rapidvideo.tv###hidiv rapidvideo.org###hidiva +rapidvideo.org###hidivazz itweb.co.za###highlight-on codinghorror.com###hireme quill.com###hl_1_728x90 @@ -137325,11 +142444,13 @@ politics.co.uk###homeMpu techradar.com###homeOmioDealsWrapper thebradentontimes.com###homeTopBanner radiocaroline.co.uk###home_banner_div +khmertimeskh.com###home_bottom_banner creativeapplications.net###home_noticias_highlight_sidebar gpforums.co.nz###home_right_island inquirer.net###home_sidebar facebook.com###home_sponsor_nile facebook.com###home_stream > .uiUnifiedStory\[data-ft*="\"ei\":\""] +khmertimeskh.com###home_top_banner gumtree.co.za###home_topbanner spyka.net###homepage-125 edmunds.com###homepage-billboard @@ -137352,6 +142473,7 @@ mp4upload.com###hover rottentomatoes.com###hover-bubble itproportal.com###hp-accordion active.com###hp-map-ad +worldweatheronline.com###hp_300x600 eweek.com###hp_hot_stories collegecandy.com###hplbatf bhg.com###hpoffers @@ -137359,6 +142481,8 @@ bustedcoverage.com###hpss lhj.com###hptoprollover staradvertiser.com###hsa_bottom_leaderboard careerbuilder.com###htcRight\[style="padding-left:18px; width: 160px;"] +hdcast.org###html3 +pregen.net###html_javascript_adder-3 maxkeiser.com###html_widget-11 maxkeiser.com###html_widget-2 maxkeiser.com###html_widget-3 @@ -137391,11 +142515,13 @@ computerworlduk.com###inArticleSiteLinks audioz.eu###inSidebar > #src_ref rawstory.com###in_article_slot_1 rawstory.com###in_article_slot_2 +soccer24.co.zw###in_house_banner youtubeproxy.pk###include2 telegraph.co.uk###indeed_widget_wrapper egotastic.com###index-insert independent.co.uk###indyDating share-links.biz###inf_outer +news.com.au###info-bar share-links.biz###infoC technologytell.com###infobox_medium_rectangle_widget technologytell.com###infobox_medium_rectangle_widget_features @@ -137421,7 +142547,7 @@ boldsky.com###interstitialBackground maxim.com###interstitialCirc boldsky.com,gizbot.com###interstitialRightText gizbot.com###interstitialTitle -giantlife.com,newsone.com,theurbandaily.com###ione-jobs_v2-2 +giantlife.com,newsone.com###ione-jobs_v2-2 elev8.com,newsone.com###ione-jobs_v2-3 giantlife.com###ione-jobs_v2-4 about.com###ip0 @@ -137432,6 +142558,7 @@ investorplace.com###ipm_featured_partners-5 investorplace.com###ipm_sidebar_ad-3 metrolyrics.com###ipod unitconversion.org###iright +ironmanmag.com.au###iro_banner_leaderboard inquirer.net###is-sky-wrap imageshack.us###is_landing drivearcade.com,freegamesinc.com###isk180 @@ -137464,6 +142591,7 @@ sport24.co.za###kalahari bigislandnow.com###kbig_holder way2sms.com###kidloo nationalgeographic.com###kids_tophat_row1 +waoanime.tv###kittenoverlay wkrg.com###krg_oas_rail topix.com###krillion_block topix.com###krillion_container @@ -137490,6 +142618,7 @@ inquirer.net###lb_ear2 redferret.net###lb_wrap bustedcoverage.com###lbbtf play.tm###lbc +lankabusinessonline.com###lbo-ad-leadboard mofunzone.com###ldrbrd_td gpsreview.net###lead armedforcesjournal.com###leadWrap @@ -137498,7 +142627,7 @@ tripit.com###leadboard gamesindustry.biz,investopedia.com,iphonic.tv,kontraband.com,motherproof.com,nutritioncuisine.com,sansabanews.com,thestreet.com,topgear.com,venturebeat.com,vg247.com###leader duffelblog.com###leader-large bakersfieldnow.com,katu.com,keprtv.com,komonews.com,kpic.com,kval.com,star1015.com###leader-sponsor -agriland.ie,blackburnnews.com,bloody-disgusting.com,football-talk.co.uk,foxnews.com,irishpost.co.uk,longislandpress.com,mobiletoday.co.uk,mobiletor.com,morningledger.com,pcgamerhub.com,soccersouls.com,tangatawhenua.com,thescoopng.com,thewrap.com,urbanmecca.net,youngzimbabwe.com###leader-wrapper +agriland.ie,ballitonews.co.za,blackburnnews.com,bloody-disgusting.com,football-talk.co.uk,foxnews.com,irishpost.co.uk,longislandpress.com,mobiletoday.co.uk,mobiletor.com,morningledger.com,pcgamerhub.com,soccersouls.com,thescoopng.com,thewrap.com,urbanmecca.net,youngzimbabwe.com###leader-wrapper heraldstandard.com###leaderArea xe.com###leaderB firstnationsvoice.com,hbr.org,menshealth.com,pistonheads.com###leaderBoard @@ -137507,18 +142636,18 @@ totalfilm.com###leaderContainer girlsgogames.com###leaderData computerworlduk.com###leaderPlaceholder zdnet.com###leaderTop -cnet.com###leaderTopWrap behealthydaily.com###leader_board pandora.com###leader_board_container icanhascheezburger.com,memebase.com,thedailywh.at###leader_container tvguide.com###leader_plus_top tvguide.com###leader_top -about.com,animeseason.com,ariacharts.com.au,ask.fm,boomerangtv.co.uk,businessandleadership.com,capitalxtra.com,cc.com,charlotteobserver.com,classicfm.com,crackmixtapes.com,cubeecraft.com,cultofmac.com,cyberciti.biz,datpiff.com,economist.com,educationworld.com,electronista.com,espn980.com,eurogamer.net,extremetech.com,food24.com,football.co.uk,gardensillustrated.com,gazette.com,greatgirlsgames.com,gtainside.com,hiphopearly.com,historyextra.com,houselogic.com,ibtimes.co.in,ibtimes.co.uk,iclarified.com,icreatemagazine.com,instyle.co.uk,jaxdailyrecord.com,king-mag.com,ksl.com,lasplash.com,lrb.co.uk,macnn.com,nfib.com,onthesnow.ca,onthesnow.co.nz,onthesnow.co.uk,onthesnow.com,onthesnow.com.au,penny-arcade.com,pets4homes.co.uk,publishersweekly.com,realliving.com.ph,realmoney.thestreet.com,revolvermag.com,rollcall.com,salary.com,sciencedirect.com,sciencefocus.com,smoothradio.com,spin.ph,talonmarks.com,thatgrapejuice.net,thehollywoodgossip.com,theserverside.com,toofab.com,topcultured.com,uncut.co.uk,wheels24.co.za,whitepages.ae,windsorstar.com,winsupersite.com,wired.com,xfm.co.uk###leaderboard +about.com,animeseason.com,ariacharts.com.au,ask.fm,boomerangtv.co.uk,businessandleadership.com,capitalxtra.com,cc.com,charlotteobserver.com,classicfm.com,crackmixtapes.com,cubeecraft.com,cultofmac.com,cyberciti.biz,datpiff.com,economist.com,educationworld.com,electronista.com,espn980.com,eurogamer.net,extremetech.com,food24.com,football.co.uk,gardensillustrated.com,gazette.com,greatgirlsgames.com,gtainside.com,hiphopearly.com,historyextra.com,houselogic.com,ibtimes.co.in,ibtimes.co.uk,iclarified.com,icreatemagazine.com,instyle.co.uk,jaxdailyrecord.com,jillianmichaels.com,king-mag.com,ksl.com,lasplash.com,lrb.co.uk,macnn.com,nfib.com,onthesnow.ca,onthesnow.co.nz,onthesnow.co.uk,onthesnow.com,onthesnow.com.au,penny-arcade.com,pets4homes.co.uk,publishersweekly.com,realliving.com.ph,realmoney.thestreet.com,revolvermag.com,rollcall.com,salary.com,sciencedirect.com,sciencefocus.com,smoothradio.com,spin.ph,talonmarks.com,thatgrapejuice.net,thehollywoodgossip.com,theserverside.com,toofab.com,topcultured.com,uncut.co.uk,wheels24.co.za,whitepages.ae,windsorstar.com,winsupersite.com,wired.com,xfm.co.uk###leaderboard chicagomag.com###leaderboard-1-outer boweryboogie.com,safm.com.au###leaderboard-2 usnews.com###leaderboard-a +1029thebuzz.com,925freshradio.ca###leaderboard-area usnews.com###leaderboard-b -atlanticcityinsiders.com,bigissue.com,galvestondailynews.com,pressofatlanticcity.com,theweek.co.uk###leaderboard-bottom +atlanticcityinsiders.com,autoexpress.co.uk,bigissue.com,galvestondailynews.com,pressofatlanticcity.com,theweek.co.uk###leaderboard-bottom scientificamerican.com###leaderboard-contain daniweb.com,family.ca,nationalparkstraveler.com,sltrib.com,thescore.com###leaderboard-container netmagazine.com###leaderboard-content @@ -137561,9 +142690,13 @@ jewishjournal.com###leaderboardgray jewishjournal.com###leaderboardgray-825 hollywoodinterrupted.com,westcapenews.com###leaderboardspace thaindian.com###leadrb +fastpic.ru###leads bleedingcool.com###leaf-366 bleedingcool.com###leaf-386 eel.surf7.net.my###left +search.yahoo.com###left > #main > div\[id^="yui_"] +search.yahoo.com###left > #main > div\[id^="yui_"]\[class] > ul\[class] > li\[class] +search.yahoo.com###left > #main > div\[id^="yui_"]\[class]:first-child > div\[class]:last-child noscript.net###left-side > div > :nth-child(n+3) a\[href^="/"] technologyexpert.blogspot.com###left-sidebarbottom-wrap1 shortlist.com###left-sideburn @@ -137575,6 +142708,7 @@ telegramcommunications.com###leftBanner gizgag.com###leftBanner1 nowinstock.net###leftBannerBar infobetting.com###leftBannerDiv +watchcartoononline.com###leftBannerOut leo.org###leftColumn > #adv-google:first-child + script + .gray leo.org###leftColumn > #adv-leftcol + .gray thelakewoodscoop.com###leftFloat @@ -137611,6 +142745,7 @@ mappy.com###liquid-misc etaiwannews.com,taiwannews.com.tw###list_google2_newsblock etaiwannews.com,taiwannews.com.tw###list_google_newsblock ikascore.com###listed +951shinefm.com###listen-now-sponsor nymag.com###listings-sponsored sawlive.tv###llvvd webmd.com###lnch-promo @@ -137650,15 +142785,21 @@ mediaite.com###magnify_widget_rect_content mediaite.com###magnify_widget_rect_handle reallygoodemails.com###mailchimp-link adv.li###main +search.yahoo.com###main .dd .layoutCenter .compDlink +search.yahoo.com###main .dd .layoutCenter > .compDlink +search.yahoo.com###main .dd\[style="cursor: pointer;"] > .layoutMiddle cryptocoinsnews.com###main > .mobile > .special > center +search.yahoo.com###main > .reg > li\[id^="yui_"]\[data-bid] > \[data-bid] search.yahoo.com###main > div\[id^="yui_"] > ul > .res search.yahoo.com###main > div\[id^="yui_"].rVfes:first-child search.yahoo.com###main > div\[id^="yui_"].rVfes:first-child + #web + div\[id^="yui_"].rVfes search.yahoo.com###main > div\[id^="yui_"]\[class]\[data-bk]\[data-bns]:first-child -search.yahoo.com###main > div\[id^="yui_"]\[data-bk]\[data-bns] .res\[data-bk] search.yahoo.com###main > div\[style="background-color: rgb(250, 250, 255);"] search.yahoo.com###main > noscript + div\[id^="yui_"]\[class]\[data-bk]\[data-bns="Yahoo"] search.yahoo.com###main > noscript + div\[id^="yui_"]\[class]\[data-bk]\[data-bns="Yahoo"] + #web + div\[id^="yui_"]\[class]\[data-bk]\[data-bns="Yahoo"] +search.yahoo.com###main > ol li\[id^="yui_"] +search.yahoo.com###main > style:first-child + * + #web + style + * > ol\[class]:first-child:last-child +search.yahoo.com###main > style:first-child + * > ol\[class]:first-child:last-child mobilesyrup.com###main-banner yasni.ca,yasni.co.uk,yasni.com###main-content-ac1 stylist.co.uk###main-header @@ -137673,6 +142814,7 @@ necn.com###main_175 net-security.org###main_banner_topright bitenova.org###main_un pureoverclock.com###mainbanner +search.aol.com###maincontent + script + div\[class] > style + script + h3\[class] holidayscentral.com###mainleaderboard kansas.com,kansascity.com,miamiherald.com,sacbee.com,star-telegram.com###mainstage-dealsaver bazoocam.org###mapub @@ -137723,6 +142865,7 @@ pastemagazine.com,weebls-stuff.com###medium-rectangle cgchannel.com###mediumRectangle newburyportnews.com###mediumRectangle_atf pons.com,pons.eu###medium_rec +kexp.org###medium_rectangle pandora.com###medium_rectangle_container pricegrabber.com###mediumbricks king-mag.com###mediumrec @@ -137743,9 +142886,10 @@ theweedblog.com###meteor-slides-widget-3 fulldls.com###meth_smldiv imageporter.com###mezoktva dannychoo.com###mg-blanket-banner -thetechjournal.com###mgid +thetechjournal.com,torrents.de,torrentz.ch,torrentz.com,torrentz.eu,torrentz.in,torrentz.li,torrentz.me,torrentz.ph,torrentz.unblockt.com###mgid everyjoe.com###mgid-widget menshealth.com###mh_top_promo_special +liligo.com###midbanner soccerphile.com###midbanners dvdactive.com###middleBothColumnsBanner wpxi.com,wsbtv.com###middleLeaderBoard @@ -137777,6 +142921,8 @@ desiretoinspire.net###moduleContent18450223 goodhousekeeping.com###moduleEcomm elle.com,womansday.com###moduleMightLike menshealth.co.uk###module_promotion +huffingtonpost.co.uk###modulous_right_rail_edit_promo +huffingtonpost.co.uk###modulous_sponsorship_2 wikia.com###monaco_footer cnn.com###moneySponsorBox cnn.com###moneySponsors @@ -137833,7 +142979,6 @@ news.yahoo.com###mw-ysm-cm_2-container miningweekly.com###mw_q-search-powered yahoo.com###my-promo-hover rally24.com###myBtn -sharesix.com###myElement_display tcpdump.com###myID bloggersentral.com###mybsa lolzparade.com###mylikes_bar_all_items @@ -137842,6 +142987,8 @@ forums.creativecow.net###mz\[width="100%"]\[valign="top"]\[style="padding:20px 3 rentalcars.com###name_price_ad irishracing.com###naobox entrepreneur.com###nav-promo-link +browserleaks.com###nav-right-logo +amazon.com###nav-swmslot rentals.com###nav_credit_report kuhf.org###nav_sponsors hongfire.com###navbar_notice_9 @@ -137903,6 +143050,7 @@ cincinnati.com###ody-asset-breakout democratandchronicle.com###ody-dealchicken popsugar.com###offer-widget funnyplace.org###oglas-desni +cnet.com###omTrialPayImpression ikeahackers.net###omc-sidebar .responsive-image cleantechnica.com,watch-anime.net###omc-top-banner wbaltv.com,wesh.com,wmur.com###omega @@ -137912,7 +143060,7 @@ eweek.com###oneAssetIFrame yeeeah.com###orangebox 24wrestling.com###other-news totallycrap.com###oursponsors -cbsnews.com,chron.com,denverpost.com,ew.com,jpost.com,mysanantonio.com,nydailynews.com,pcmag.com,seattlepi.com,sfgate.com,standard.co.uk,telegraph.co.uk,theguardian.com,ynetnews.com###outbrain_widget_0 +allyou.com,cbsnews.com,chron.com,coastalliving.com,cookinglight.com,denverpost.com,ew.com,jpost.com,myrecipes.com,mysanantonio.com,nydailynews.com,pcmag.com,seattlepi.com,seattletimes.com,sfgate.com,southernliving.com,standard.co.uk,sunset.com,telegraph.co.uk,theguardian.com,travelandleisure.com,washingtonexaminer.com,ynetnews.com###outbrain_widget_0 foxnews.com,jpost.com,london24.com,nydailynews.com###outbrain_widget_1 cbslocal.com,chron.com,mysanantonio.com,seattlepi.com,sfgate.com,standard.co.uk###outbrain_widget_2 bbc.com,cnbc.com,jpost.com,si.com###outbrain_widget_3 @@ -137921,12 +143069,15 @@ hiphopwired.com###outbrain_wrapper familysecuritymatters.org###outer_header engadget.com###outerslice mp4upload.com###over +beststreams.ru###over-small playhd.eu###over_player_msg2 deviantart.com###overhead-you-know-what -agame.com,animestigma.com,notdoppler.com,powvideo.net,uploadcrazy.net,vidcrazy.net,videoboxone.com,videovalley.net,vidup.org,vipboxeu.co,viponlinesports.eu###overlay +agame.com,animestigma.com,bestream.tv,newsbtc.com,notdoppler.com,powvideo.net,uploadcrazy.net,vidcrazy.net,videoboxone.com,videovalley.net,vidup.org,vipboxeu.co,vipleague.me,viponlinesports.eu,webmfile.tv###overlay +bidnessetc.com###overlay10 speedvid.net,thevideo.me###overlayA euro-pic.eu,imagewaste.com###overlayBg theyeshivaworld.com###overlayDiv +bestreams.net,happystreams.net,played.to,realvid.net###overlayPPU reference.com###overlayRightA thelakewoodscoop.com###overlaySecondDiv deditv.com,fleon.me,mypremium.tv,skylo.me,streamme.cc,tooshocking.com,xtshare.com###overlayVid @@ -137965,6 +143116,7 @@ zonelyrics.net###panelRng creativenerds.co.uk###panelTwoSponsors nymag.com###partner-feeds orange.co.uk###partner-links +businessinsider.com.au###partner-offers hwbot.org###partner-tiles kat.ph###partner1_button nbcphiladelphia.com,nbcsandiego.com,nbcwashington.com###partnerBar @@ -137977,17 +143129,21 @@ weather.com###partner_offers delish.com###partner_promo_module_container whitepages.ca,whitepages.com###partner_searches itworld.com###partner_strip +ew.com###partnerbar +ew.com###partnerbar-bottom collegecandy.com###partnerlinks -cioupdate.com,datamation.com,earthweb.com,fastseduction.com,mfc.co.uk,muthafm.com,ninemsn.com.au,threatpost.com,wackyarchives.com###partners +cioupdate.com,datamation.com,earthweb.com,fastseduction.com,mfc.co.uk,muthafm.com,ninemsn.com.au,porttechnology.org,threatpost.com,wackyarchives.com###partners arcticstartup.com###partners_125 behealthydaily.com###partners_content ganool.com###pateni patheos.com###patheos-ad-region boards.adultswim.com###pattern-area way2sms.com###payTM300 +carscoops.com###payload binaries4all.com###payserver binaries4all.com###payserver2 pbs.org###pbsdoubleclick +nydailynews.com###pc-richards demap.info###pcad tucows.com###pct_popup_link retrevo.com###pcw_bottom_inner @@ -137999,7 +143155,6 @@ vosizneias.com###perm theonion.com###personals avclub.com###personals_content topix.com###personals_promo -citypages.com,dallasobserver.com,houstonpress.com,laweekly.com,miaminewtimes.com,ocweekly.com,phoenixnewtimes.com,riverfronttimes.com,seattleweekly.com,sfweekly.com,westword.com###perswrap portforward.com###pfconfigspot pricegrabber.com,tomshardware.com###pgad_Top pricegrabber.com###pgad_topcat_bottom @@ -138013,6 +143168,7 @@ everyjoe.com###php-code-1 toonzone.net###php_widget-18 triggerbrothers.com.au###phpb2 triggerbrothers.com.au###phpsky +dnsleak.com,emailipleak.com,ipv6leak.com###piaad picarto.tv###picartospecialadult heatworld.com###picks fool.com###pitch @@ -138020,11 +143176,7 @@ ratemyprofessors.com###placeholder728 autotrader.co.uk###placeholderTopLeaderboard sockshare.com###playdiv div\[style^="width:300px;height:250px"] sockshare.com###playdiv tr > td\[valign="middle"]\[align="center"]:first-child -allmyvideos.net###player_code + * + div\[style] -allmyvideos.net###player_code + div\[id^="OnPlay"] -allmyvideos.net###player_code + div\[style] allmyvideos.net,vidspot.net###player_img -allmyvideos.net###player_img ~ div:not(#player_code) magnovideo.com###player_overlay catstream.pw,espnwatch.tv,filotv.pw,orbitztv.co.uk###playerflash + script + div\[class] ytmnd.com###please_dont_block_me @@ -138035,7 +143187,8 @@ vg.no###poolMenu backlinkwatch.com###popUpDiv videolinkz.us###popout hybridlava.com###popular-posts -team.tl###popup +newsbtc.com,team.tl###popup +dxomark.com###popupBlock newpct.com###popupDiv journal-news.net###popwin cosmopolitan.com###pos_ams_cosmopolitan_bot @@ -138056,14 +143209,16 @@ pinknews.co.uk###pre-head chronicleonline.com,cryptoarticles.com,roanoke.com,sentinelnews.com,theandersonnews.com###pre-header foodnetworkasia.com,foodnetworktv.com###pre-header-banner surfline.com###preRoll -thevideo.me###pre_counter +thevideo.me,vidup.me###pre_counter dragcave.net###prefooter bizjournals.com###prefpart yourmovies.com.au,yourrestaurants.com.au,yourtv.com.au###preheader-ninemsn-container mixupload.org###prekla bassmaster.com###premier-sponsors-widget nzgamer.com###premierholder +netnewscheck.com,tvnewscheck.com###premium-classifieds youtube.com###premium-yva +nextag.com###premiumMerchant usatoday.com###prerollOverlayPlayer 1cookinggames.com###previewthumbnailx250 news24.com###pricechecklist @@ -138115,10 +143270,12 @@ newyorker.com###ps3_fs1_yrail ecommercetimes.com,linuxinsider.com,macnewsworld.com,technewsworld.com###ptl sk-gaming.com###pts sk-gaming.com###ptsf +rocvideo.tv###pu-pomy digitalversus.com###pub-banner digitalversus.com###pub-right-top cnet.com###pubUpgradeUnit jeuxvideo-flash.com###pub_header +frequence-radio.com###pub_listing_top skyrock.com###pub_up tvlizer.com###pubfooter hellomagazine.com###publi @@ -138132,7 +143289,7 @@ pep.ph###pushdown-wrapper neopets.com###pushdown_banner miningweekly.com###q-search-powered thriveforums.org###qr_defaultcontainer.qrcontainer -inbox.com###r +inbox.com,search.aol.com###r search.yahoo.com###r-e search.yahoo.com###r-n search.yahoo.com###r-s @@ -138167,6 +143324,7 @@ bizrate.com###rectangular dict.cc###rectcompactbot dict.cc###recthome dict.cc###recthomebot +1tiny.net###redirectBlock bloemfonteincelticfc.co.za###reebok_banner expertreviews.co.uk###reevoo-top-three-offers pcadvisor.co.uk###reevooComparePricesContainerId @@ -138193,6 +143351,7 @@ url.org###resspons2 herold.at###resultList > #downloadBox search.iminent.com,start.iminent.com###result_zone_bottom search.iminent.com,start.iminent.com###result_zone_top +filesdeck.com###results-for > .r > .rL > a\[target="_blank"]\[href^="/out.php"] search.excite.co.uk###results11_container indeed.com###resultsCol > .lastRow + div\[class] indeed.com###resultsCol > .messageContainer + style + div + script + style + div\[class] @@ -138204,10 +143363,27 @@ ninemsn.com.au###rhc_mrec imdb.com###rhs-sl imdb.com###rhs_cornerstone_wrapper pcworld.idg.com.au###rhs_resource_promo +stream2watch.com###rhw_footer eel.surf7.net.my,macdailynews.com,ocia.net###right +search.yahoo.com###right .dd .mb-11 + .compList +search.yahoo.com###right .dd > .layoutMiddle +search.yahoo.com###right .dd\[style="cursor: pointer;"] > .layoutMiddle +search.yahoo.com###right .dd\[style^="background-color:#FFF;border-color:#FFF;padding:"] .compList +search.yahoo.com###right .first > div\[style="background-color:#fafaff;border-color:#FAFAFF;padding:4px 10px 12px;"] +search.yahoo.com###right .reg > li\[id^="yui_"]\[data-bid] > \[data-bid] search.yahoo.com###right .res ninemsn.com.au###right > .bdr > #ysm +search.yahoo.com###right > .searchRightMiddle + div\[id]:last-child +search.yahoo.com###right > .searchRightTop + div\[id]:last-child +~images.search.yahoo.com,search.yahoo.com###right > div > .searchRightMiddle + div\[id]:last-child +~images.search.yahoo.com,search.yahoo.com###right > div > .searchRightTop + \[id]:last-child +~images.search.yahoo.com,search.yahoo.com###right > div:first-child:last-child > \[id]:first-child:last-child +search.yahoo.com###right > div\[id] > div\[class] > div\[class] > h2\[class]:first-child + ul\[class]:last-child > li\[class] +search.yahoo.com###right > span > div\[id] > div\[class] div\[class] > span > ul\[class]:last-child > li\[class] search.yahoo.com###right \[class]\[data-bk]\[data-bns] +search.yahoo.com###right div\[style="background-color:#fafaff;border-color:#FAFAFF;padding:4px 10px 12px;"] +search.yahoo.com###right li\[id^="yui_"] .dd > .layoutMiddle +search.yahoo.com###right ol li\[id^="yui_"] > .dd > .layoutMiddle 123chase.com###right-adv-one foodingredientsfirst.com,nutritionhorizon.com,tgdaily.com###right-banner vidstatsx.com###right-bottom @@ -138222,12 +143398,14 @@ gtopala.com###right160 popsci.com###right2-position tnt.tv###right300x250 cartoonnetwork.co.nz,cartoonnetwork.com.au,cartoonnetworkasia.com,cdcovers.cc,gizgag.com,prevention.com,slacker.com,telegramcommunications.com###rightBanner +watchcartoononline.com###rightBannerOut cantyouseeimbusy.com###rightBottom linuxforums.org,quackit.com###rightColumn maltatoday.com.mt###rightContainer thelakewoodscoop.com###rightFloat yahoo.com###rightGutter cosmopolitan.com###rightRailAMS +befunky.com###rightReklam totalfark.com###rightSideRightMenubar playstationlifestyle.net###rightSkyscraper itworldcanada.com###rightTopSponsor @@ -138253,7 +143431,6 @@ liveleak.com###rightcol > .sidebox > .gradient > p > a\[target="_blank"] cokeandpopcorn.com###rightcol3 mysuncoast.com###rightcolumnpromo stuff.co.nz###rightgutter -urbandictionary.com###rightist 810varsity.com###rightsidebanner herold.at###rightsponsor elyricsworld.com###ringtone @@ -138263,13 +143440,12 @@ egotastic.com,idolator.com,socialitelife.com,thesuperficial.com###river-containe megarapid.net,megashare.com,scrapetorrent.com###rmiad megashare.com###rmishim brenz.net###rndBanner -actiontrip.com,craveonline.com,dvdfile.com,ecnmag.com,gamerevolution.com,manchesterconfidential.co.uk,thefashionspot.com,videogamer.com###roadblock +actiontrip.com,comingsoon.net,craveonline.com,dvdfile.com,ecnmag.com,gamerevolution.com,manchesterconfidential.co.uk,thefashionspot.com,videogamer.com###roadblock windowsitpro.com,winsupersite.com###roadblockbackground winsupersite.com###roadblockcontainer mirror.co.uk###roffers-top barclaysatpworldtourfinals.com###rolex-small-clock kewlshare.com###rollAdRKLA -urbandictionary.com###rollup moviezer.com###rootDiv\[style^="width:300px;"] lionsrugby.co.za###rotator lionsrugby.co.za###rotator2 @@ -138317,6 +143493,7 @@ msn.com###sales3 msn.com###sales4 watchwweonline.org###samdav-locker watchwweonline.org###samdav-wrapper +wbez.org###sb-container nickutopia.com###sb160 codefuture.co.uk###sb_left hwhills.com###sb_left_tower @@ -138336,8 +143513,6 @@ stardoll.com###sdads_bt_2 zillow.com###search-featured-partners docspot.com###search-leaderboard youtube.com###search-pva -grooveshark.com###searchCapitalWrapper_300 -grooveshark.com###searchCapitalWrapper_728 zoozle.org###search_right zoozle.org###search_topline bitenova.nl,bitenova.org###search_un @@ -138352,11 +143527,13 @@ way2sms.com###secreg2 neoseeker.com###section-pagetop desiretoinspire.net###sectionContent2275769 desiretoinspire.net###sectionContent5389870 +whatismyipaddress.com###section_right edomaining.com###sedo-search scoop.co.nz###seek_table searchenginejournal.com###sej-bg-takeover-left searchenginejournal.com###sej-bg-takeover-right inc.com###select_services +isohunt.to###serps .title-row > a\[rel="nofollow"]\[href="#"] website-unavailable.com###servfail-records gamesgames.com###sgAdMrCp300x250 girlsgogames.com###sgAdMrScp300x250 @@ -138400,14 +143577,14 @@ iphonefaq.org###sideBarsMiddle iphonefaq.org###sideBarsTop iphonefaq.org###sideBarsTop-sub tomsguide.com,tomshardware.co.uk###sideOffers -webappers.com###side_banner +khmertimeskh.com,webappers.com###side_banner beatweek.com,filedropper.com,mininova.org,need4file.com,rockdizfile.com,satelliteguys.us###sidebar cryptoarticles.com###sidebar > #sidebarBlocks +sharktankblog.com###sidebar > #text-85 yauba.com###sidebar > .block_result:first-child nuttynewstoday.com###sidebar > div\[style="height:120px;"] ha.ckers.org###sidebar > ul > li:first-child + li + div\[align="center"] krebsonsecurity.com###sidebar-250 -cleodesktop.com###sidebar-atas1 pa-magazine.com###sidebar-banner tvlizer.com###sidebar-bottom lionsdenu.com,travelwkly.com###sidebar-bottom-left @@ -138470,9 +143647,8 @@ cybergamer.com###site_skin_spacer smsfun.com.au###sitebanners slashdot.org###sitenotice torrenttree.com###sites_right -allmyvideos.net###sitewide160left -allmyvideos.net,allmyvids.de###sitewide160right -djmag.co.uk,djmag.com,expertreviews.co.uk,mediaite.com,pcpro.co.uk,race-dezert.com###skin +allmyvids.de###sitewide160right +2oceansvibe.com,djmag.co.uk,djmag.com,expertreviews.co.uk,mediaite.com,pcpro.co.uk,race-dezert.com###skin collegehumor.com,dorkly.com###skin-banner jest.com###skin_banner idg.com.au###skin_bump @@ -138527,6 +143703,7 @@ hktdc.com###sliderbanner thephuketnews.com###slides yellowpageskenya.com###slideshow cio.com.au###slideshow_boombox +790kspd.com###slideshowwidget-8 bizrate.com###slimBannerContainer mail.yahoo.com###slot_LREC mail.yahoo.com###slot_MB @@ -138542,6 +143719,7 @@ washingtonpost.com###slug_featured_links washingtonpost.com###slug_flex_ss_bb_hp washingtonpost.com###slug_inline_bb washingtonpost.com###slug_sponsor_links_rr +sportsmole.co.uk###sm_shop dailyrecord.co.uk###sma-val-service ikascore.com###smalisted unfinishedman.com###smartest-banner-2 @@ -138552,8 +143730,6 @@ denverpost.com###snowReportFooter tfportal.net###snt_wrapper thepiratebay.se###social + a > img cioupdate.com,webopedia.com###solsect -grooveshark.com###songCapitalWrapper_728 -grooveshark.com###songCapital_300 knowyourmeme.com###sonic sensis.com.au###southPfp stv.tv###sp-mpu-container @@ -138564,6 +143740,7 @@ collegefashion.net###spawnsers torontolife.com###special-messages geeksaresexy.net###special-offers news.com.au###special-promotion +bidnessetc.com###specialBox10 videogamer.com###specialFeatures countryliving.com###specialOffer countryliving.com###special_offer @@ -138595,7 +143772,7 @@ foreignpolicy.com###spon_reports quakelive.com###spon_vert phonescoop.com###sponboxb ninemsn.com.au###spons_left -baseball-reference.com,breakingtravelnews.com,christianpost.com,compfight.com,europages.co.uk,itweb.co.za,japanvisitor.com,katu.com,komonews.com,lmgtfy.com,mothering.com,neave.com,otcmarkets.com,tsn.ca,tvnz.co.nz,wallpapercropper.com,walyou.com,wgr550.com,wsjs.com,yahoo.com###sponsor +baseball-reference.com,breakingtravelnews.com,christianpost.com,compfight.com,europages.co.uk,itweb.co.za,japanvisitor.com,katu.com,komonews.com,lmgtfy.com,mothering.com,neave.com,otcmarkets.com,telegeography.com,tsn.ca,tvnz.co.nz,wallpapercropper.com,walyou.com,wgr550.com,wsjs.com,yahoo.com###sponsor leedsunited.com###sponsor-bar detroitnews.com###sponsor-flyout meteo-allerta.it,meteocentrale.ch,meteozentral.lu,severe-weather-centre.co.uk,severe-weather-ireland.com,vader-alarm.se###sponsor-info @@ -138611,6 +143788,7 @@ football-league.co.uk###sponsor_links health365.com.au###sponsor_logo_s lmgtfy.com###sponsor_wrapper 7search.com,espn.go.com,filenewz.com,general-fil.es,general-files.com,generalfil.es,independent.ie,internetretailer.com,ixquick.co.uk,ixquick.com,nickjr.com,rewind949.com,slickdeals.net,startpage.com,webhostingtalk.com,yahoo.com###sponsored +theweathernetwork.com###sponsored-by webhostingtalk.com###sponsored-clear chacha.com###sponsored-question fbdownloader.com###sponsored-top @@ -138619,7 +143797,7 @@ lastminute.com###sponsoredFeatureModule theblaze.com###sponsored_stories businessweek.com###sponsored_video smashingmagazine.com###sponsorlisttarget -abalive.com,abestweb.com,barnsleyfc.co.uk,bbb.org,bcfc.com,bestuff.com,blackpoolfc.co.uk,burnleyfootballclub.com,bwfc.co.uk,cafc.co.uk,cardiffcityfc.co.uk,christianity.com,cpfc.co.uk,dcfc.co.uk,easternprovincerugby.com,etftrends.com,fastseduction.com,geekwire.com,gerweck.net,goseattleu.com,hullcitytigers.com,iconfinder.com,itfc.co.uk,kiswrockgirls.com,law.com,lcfc.com,manutd.com,noupe.com,paidcontent.org,pba.com,pcmag.com,petri.co.il,pingdom.com,psl.co.za,race-dezert.com,rovers.co.uk,sjsuspartans.com,soompi.com,sponsorselect.com,tapemastersinc.net,techmeme.com,trendafrica.co.za,waronyou.com,whenitdrops.com###sponsors +abalive.com,abestweb.com,barnsleyfc.co.uk,bbb.org,bcfc.com,bestuff.com,blackpoolfc.co.uk,burnleyfootballclub.com,bwfc.co.uk,cafc.co.uk,cardiffcityfc.co.uk,christianity.com,cpfc.co.uk,dcfc.co.uk,easternprovincerugby.com,etftrends.com,fastseduction.com,geekwire.com,gerweck.net,goseattleu.com,hullcitytigers.com,iconfinder.com,itfc.co.uk,kiswrockgirls.com,landreport.com,law.com,lcfc.com,manutd.com,myam1230.com,noupe.com,paidcontent.org,pba.com,pcmag.com,petri.co.il,pingdom.com,psl.co.za,race-dezert.com,rovers.co.uk,sjsuspartans.com,soompi.com,sponsorselect.com,star883.org,tapemastersinc.net,techmeme.com,trendafrica.co.za,waronyou.com,whenitdrops.com###sponsors sanjose.com###sponsors-module und.com###sponsors-story-wrap und.com###sponsors-wrap @@ -138634,6 +143812,7 @@ cnet.com###spotBidHeader cnet.com###spotbid mangafox.me###spotlight memory-alpha.org###spotlight_footer +justdubs.tv###spots qj.net###sqspan zam.com###square-box allakhazam.com###square-box:first-child @@ -138659,7 +143838,6 @@ stltoday.com###stl-below-content-02 dailypuppy.com###stop_puppy_mills someecards.com###store marketwatch.com###story-premiumbanner -abclocal.go.com###storyBodyLink dailyherald.com###storyMore cbc.ca###storymiddle instyle.co.uk###style_it_light_ad @@ -138715,6 +143893,7 @@ shorpy.com###tad bediddle.com###tads google.com###tadsc ajaxian.com###taeheader +anilinkz.tv###tago esquire.com,meetme.com,muscleandfitness.com,techvideo.tv###takeover techvideo.tv###takeover-spazio nme.com###takeover_head @@ -138741,32 +143920,33 @@ newsfirst.lk###text-106 couponistaqueen.com,dispatchlive.co.za###text-11 callingallgeeks.org,cathnews.co.nz,myx.tv,omgubuntu.co.uk###text-12 cleantechnica.com###text-121 -airlinereporter.com,myx.tv,omgubuntu.co.uk,wphostingdiscount.com###text-13 +airlinereporter.com,myx.tv,omgubuntu.co.uk,radiosurvivor.com,wphostingdiscount.com###text-13 dispatchlive.co.za,krebsonsecurity.com,myx.tv,omgubuntu.co.uk,planetinsane.com###text-14 -blackenterprise.com###text-15 razorianfly.com###text-155 gizchina.com,thesurvivalistblog.net###text-16 englishrussia.com,thechive.com###text-17 delimiter.com.au###text-170 -netchunks.com,planetinsane.com,sitetrail.com,thechive.com###text-18 +netchunks.com,planetinsane.com,radiosurvivor.com,sitetrail.com,thechive.com###text-18 delimiter.com.au###text-180 delimiter.com.au###text-189 collective-evolution.com,popbytes.com,thechive.com###text-19 delimiter.com.au###text-192 delimiter.com.au###text-195 -callingallgeeks.org,financialsurvivalnetwork.com###text-21 -airlinereporter.com,callingallgeeks.org,gizchina.com,omgubuntu.co.uk###text-22 -omgubuntu.co.uk###text-23 +businessdayonline.com,callingallgeeks.org,financialsurvivalnetwork.com###text-21 +airlinereporter.com,callingallgeeks.org,gizchina.com,omgubuntu.co.uk,queenstribune.com###text-22 +omgubuntu.co.uk,queenstribune.com###text-23 +queenstribune.com###text-24 netchunks.com###text-25 -2smsupernetwork.com###text-26 +2smsupernetwork.com,pzfeed.com,queenstribune.com###text-26 2smsupernetwork.com,sonyalpharumors.com###text-28 beijingcream.com###text-29 2smsupernetwork.com,airlinereporter.com,buddyhead.com,mbworld.org,zambiareports.com###text-3 sonyalpharumors.com###text-31 techhamlet.com###text-32 -couponistaqueen.com###text-35 +couponistaqueen.com,pzfeed.com###text-35 couponistaqueen.com###text-38 -buddyhead.com,dieselcaronline.co.uk,knowelty.com,myonlinesecurity.co.uk,myx.tv,sportsillustrated.co.za,theairportnews.com,thewhir.com###text-4 +pzfeed.com###text-39 +budapesttimes.hu,buddyhead.com,dieselcaronline.co.uk,knowelty.com,myonlinesecurity.co.uk,myx.tv,sportsillustrated.co.za,theairportnews.com,thewhir.com###text-4 couponistaqueen.com###text-40 enpundit.com###text-41 pluggd.in###text-416180296 @@ -138778,6 +143958,7 @@ thebizzare.com###text-461006011 thebizzare.com###text-461006012 spincricket.com###text-462834151 enpundit.com###text-48 +pencurimovie.cc###text-49 myx.tv,washingtonindependent.com###text-5 2smsupernetwork.com,rawstory.com###text-50 quickonlinetips.com###text-57 @@ -138788,6 +143969,11 @@ mynokiablog.com###text-9 torontolife.com###text-links washingtonpost.com###textlinkWrapper the217.com###textpromo +teamandroid.com###tf_header +teamandroid.com###tf_sidebar_above +teamandroid.com###tf_sidebar_below +teamandroid.com###tf_sidebar_skyscraper1 +teamandroid.com###tf_sidebar_skyscraper2 notebookreview.com###tg-reg-ad mail.yahoo.com###tgtMNW girlsaskguys.com###thad @@ -138795,6 +143981,7 @@ thatscricket.com###thatscricket_google_ad yahoo.com###theMNWAd rivals.com###thecontainer duoh.com###thedeck +thekit.ca###thekitadblock thonline.com###thheaderadcontainer theberry.com,thechive.com###third-box videobam.com###this-pays-for-bandwidth-container @@ -138817,11 +144004,13 @@ technewsworld.com###tnavad omgubuntu.co.uk###to-top chattanooganow.com###toDoWrap megavideoshows.com###toHide -phonescoop.com,politics.co.uk,reference.com,thesaurus.com,topcultured.com###top -synonym.com###top-300 +toonix.com###toonix-adleaderboard +iconeye.com,phonescoop.com,politics.co.uk,reference.com,thesaurus.com,topcultured.com###top +jillianmichaels.com,synonym.com###top-300 +xxlmag.com###top-728x90 techiemania.com###top-729-banner -discovery.com,freemake.com###top-advertising -chip.eu,corkindependent.com,dancehallreggae.com,ebuddy.com,foodlovers.co.nz,galwayindependent.com,inthenews.co.uk,investorplace.com,itweb.co.za,lyrics19.com,maclife.com,maximumpc.com,politics.co.uk,scoop.co.nz,techi.com,thedailymash.co.uk,thespiritsbusiness.com,timesofisrael.com,tweaktown.com###top-banner +freemake.com###top-advertising +chip.eu,corkindependent.com,dancehallreggae.com,ebuddy.com,foodlovers.co.nz,galwayindependent.com,inthenews.co.uk,investorplace.com,itweb.co.za,lyrics19.com,maclife.com,maximumpc.com,politics.co.uk,scoop.co.nz,skift.com,techi.com,thedailymash.co.uk,thespiritsbusiness.com,timesofisrael.com,tweaktown.com###top-banner scoop.co.nz###top-banner-base theberrics.com###top-banner-container krebsonsecurity.com###top-banner-image @@ -138838,7 +144027,7 @@ jacksonville.com###top-header aspensojourner.com###top-layer canstar.com.au###top-lb joystiq.com###top-leader -cantbeunseen.com,chairmanlol.com,diyfail.com,explainthisimage.com,fayobserver.com,funnyexam.com,funnytipjars.com,iamdisappoint.com,japanisweird.com,morefailat11.com,objectiface.com,passedoutphotos.com,perfectlytimedphotos.com,roulettereactions.com,searchenginesuggestions.com,shitbrix.com,sparesomelol.com,spoiledphotos.com,stopdroplol.com,tattoofailure.com,yodawgpics.com,yoimaletyoufinish.com###top-leaderboard +cantbeunseen.com,chairmanlol.com,diyfail.com,explainthisimage.com,fayobserver.com,funnyexam.com,funnytipjars.com,gamejolt.com,iamdisappoint.com,japanisweird.com,morefailat11.com,objectiface.com,passedoutphotos.com,perfectlytimedphotos.com,roulettereactions.com,searchenginesuggestions.com,shitbrix.com,sparesomelol.com,spoiledphotos.com,stopdroplol.com,tattoofailure.com,yodawgpics.com,yoimaletyoufinish.com###top-leaderboard smarterfox.com###top-left-banner sportinglife.com###top-links politiken.dk###top-monster @@ -138878,6 +144067,7 @@ hardballtalk.nbcsports.com###top_90h theepochtimes.com###top_a_0d ytmnd.com###top_ayd boxoffice.com,computing.net,disc-tools.com,goldentalk.com,guyspeed.com,hemmings.com,imagebam.com,magme.com,moono.com,phonearena.com,popcrush.com,sportsclimax.com,techradar.com,tidbits.com,venturebeatprofiles.com,webappers.com###top_banner +caribpress.com###top_banner_container theimproper.com###top_banner_widget motorship.com###top_banners avaxsearch.com###top_block @@ -138911,7 +144101,7 @@ littlegreenfootballs.com###topbannerdiv snapfiles.com###topbannermain eatsleepsport.com,soccerphile.com,torrentpond.com###topbanners swedishwire.com###topbannerspace -ilix.in,newtechie.com,postadsnow.com,songspk.name,textmechanic.com,thebrowser.com,tota2.com###topbar +ilix.in,newtechie.com,postadsnow.com,songspk.link,songspk.name,textmechanic.com,thebrowser.com,tota2.com###topbar newsbusters.org###topbox thecrims.com###topbox_content educatorstechnology.com###topcontentwrap @@ -138926,6 +144116,7 @@ microcosmgames.com###toppartner macupdate.com###topprommask worldtimebuddy.com###toprek tbo.com###topslider +plos.org###topslot thespacereporter.com###topster codingforums.com###toptextlinks inquisitr.com###topx2 @@ -138946,9 +144137,12 @@ telegraph.co.uk###trafficDrivers mapquest.com###trafficSponsor channelregister.co.uk###trailer genevalunch.com###transportation +dallasnews.com###traveldeals people.com###treatYourself +bitcoin.cz###trezor miroamer.com###tribalFusionContainer sitepoint.com###triggered-cta-box-wrapper +wigflip.com###ts-newsletter forums.techguy.org###tsg-dfp-300x250 forums.techguy.org###tsg-dfp-between-posts tsn.ca###tsnHeaderAd @@ -139008,7 +144202,6 @@ ibrod.tv###video cricket.yahoo.com###video-branding mentalfloss.com###video-div-polo youtube.com###video-masthead -grooveshark.com###videoCapital cartoonnetworkasia.com###videoClip-main-right-ad300Wrapper-ad300 radaronline.com###videoExternalBanner video.aol.com###videoHatAd @@ -139034,6 +144227,7 @@ weatherbug.co.uk###wXcds2 weatherbug.co.uk###wXcds4 inquirer.net###wall_addmargin_left edmunds.com###wallpaper +information-age.com###wallpaper-surround-outer eeweb.com###wallpaper_image thepressnews.co.uk###want-to-advertise nowtorrents.com###warn_tab @@ -139041,6 +144235,7 @@ youtube.com###watch-branded-actions youtube.com###watch-buy-urls youtube.com###watch-channel-brand-div nytimes.com###watchItButtonModule +thefreedictionary.com###wb1 murga-linux.com###wb_Image1 sheridanmedia.com###weather-sponsor wkrq.com###weather_traffic_sponser @@ -139102,16 +144297,19 @@ maxthon.com###xds cnet.com###xfp_adspace robtex.com###xnad728 vrbo.com###xtad -ople.xyz###xybrad +abconline.xyz###xydllc ople.xyz###xydlleft +abconline.xyz###xydlrc ople.xyz###xydlright fancystreems.com,sharedir.com###y yahoo.com###y708-ad-lrec1 yahoo.com###y708-sponmid au.yahoo.com###y708-windowshade yahoo.com###y_provider_promo +yahoo.com###ya-center-rail > \[id^="ya-q-"]\[id$="-textads"] answers.yahoo.com###ya-darla-LDRB answers.yahoo.com###ya-darla-LREC +answers.yahoo.com###ya-qpage-textads vipboxsports.eu,vipboxsports.me,viplivebox.eu,viponlinesports.eu###ya_layer sevenload.com###yahoo-container missoulian.com###yahoo-contentmatch @@ -139145,16 +144343,18 @@ trackthepack.com###yoggrt wfaa.com###yollarSwap afmradio.co.za###yourSliderId search.yahoo.com###ysch #doc #bd #results #cols #left #main .ads +search.yahoo.com###ysch #doc #bd #results #cols #left #main .ads .left-ad +search.yahoo.com###ysch #doc #bd #results #cols #left #main .ads .more-sponsors +search.yahoo.com###ysch #doc #bd #results #cols #left #main .ads .spns search.yahoo.com###ysch #doc #bd #results #cols #right #east .ads yahoo.com###yschsec -fancystreems.com,sharedir.com###yst1 +fancystreems.com,onlinemoviesgold.com,sharedir.com,stream2watch.com###yst1 travel.yahoo.com###ytrv-ysm-hotels travel.yahoo.com###ytrv-ysm-north travel.yahoo.com###ytrv-ysm-south travel.yahoo.com,travel.yahoo.net###ytrvtrt webmastertalkforums.com###yui-gen24\[style="width: 100%; height: 100px !important;"] zynga.com###zap-bac-iframe -details.com###zergnet bloomberg.com,post-gazette.com###zillow post-trib.com###zip2save_link_widget moreintelligentlife.com###zone-header @@ -139198,7 +144398,6 @@ highstakesdb.com##.Banner acharts.us##.BannerConsole mixedmartialarts.com##.BannerRightCol natgeotv.com##.BannerTop -hot1029.com##.Banner_Group truck1.eu,webresourcesdepot.com##.Banners stockopedia.co.uk##.BigSquare juxtapoz.com##.Billboard @@ -139218,6 +144417,7 @@ ljworld.com,newsherald.com##.DD-Widget archdaily.com##.DFP-banner forbes.com##.DL-ad-module healthzone.pk##.DataTDDefault\[width="160"]\[height="600"] +israeltoday.co.il##.DnnModule-1143 secdigitalnetwork.com##.DnnModule-6542 secdigitalnetwork.com##.DnnModule-6547 israeltoday.co.il##.DnnModule-758 @@ -139248,8 +144448,9 @@ islamicfinder.org##.IslamicData\[bgcolor="#FFFFFF"]\[bordercolor="#ECF3F9"] bloemfonteincourant.co.za,ofm.co.za,peoplemagazine.co.za##.LeaderBoard morningstar.com##.LeaderWrap agrieco.net,fjcruiserforums.com,mlive.com,newsorganizer.com,oxygenmag.com,urgames.com##.Leaderboard +op.gg##.LifeOwner myabc50.com,whptv.com,woai.com##.LinksWeLike -animenova.tv,animetoon.tv,gogoanime.com,goodanime.net,gooddrama.net,toonget.com##.MClose +animenova.tv,animetoon.tv,gogoanime.com,goodanime.eu,gooddrama.net,toonget.com##.MClose timeout.com##.MD_textLinks01 mangahere.co##.MHShuffleAd hsj.org##.ML_L1_ArticleAds @@ -139258,7 +144459,11 @@ expressandstar.com,juicefm.com,planetrock.com,pulse1.co.uk,pulse2.co.uk,shropshi foxafrica.com##.MPU300 foxafrica.com,foxcrimeafrica.com,fxafrica.tv##.MPU336 three.fm##.MPURight +dubaieye1038.com##.MPU_box +dubai92.com,virginradiodubai.com##.MPU_box-innerpage +virginradiodubai.com##.MPU_box_bottom thepittsburghchannel.com##.MS +search.aol.com##.MSL + script + script + div\[class] > style + script + h3\[class] videowing.me##.MadDivtuzrfk videowing.me##.MadDivtuzrjt thebull.com.au##.Maquetas @@ -139350,14 +144555,13 @@ facebook.com##._4u8 filenuke.net,filmshowonline.net,fleon.me,hqvideo.cc,putlocker.ws,sharesix.net,skylo.me,streamme.cc,vidshare.ws##._ccctb crawler.com##.a lawyersweekly.com.au##.a-center -drama.net##.a-content +anime1.com,drama.net##.a-content eplsite.com##.a-el krebsonsecurity.com##.a-statement daijiworld.com##.a2 knowyourmeme.com##.a250x250 cnet.com##.a2\[style="padding-top: 20px;"] gematsu.com,twitch.tv,twitchtv.com##.a300 -animeflv.net,animeid.com,chia-anime.com,knowyourmeme.com,politicususa.com##.a300x250 animeid.com,makeagif.com##.a728 localtiger.com##.a9gy_lt hereisthecity.com##.aLoaded @@ -139381,37 +144585,40 @@ au.news.yahoo.com##.acc-moneyhound goseattleu.com##.accipiter consequenceofsound.net##.acm-module-300-250 kcrw.com##.actions -17track.net,5newsonline.com,6abc.com,7online.com,aa.co.za,aarp.org,abc11.com,abc13.com,abc30.com,abc7.com,abc7chicago.com,abc7news.com,abovethelaw.com,accringtonobserver.co.uk,adelaidenow.com.au,adn.com,adsoftheworld.com,adsupplyads.com,adtmag.com,adweek.com,aero-news.net,aetv.com,agra-net.net,ahlanlive.com,algemeiner.com,aljazeera.com,allkpop.com,allrecipes.co.in,allrecipes.com.au,americanprofile.com,amny.com,anandtech.com,androidapps.com,androidauthority.com,aol.com,appolicious.com,arabianbusiness.com,arseniohall.com,articlealley.com,asianjournal.com,associationsnow.com,audiko.net,aussieoutages.com,autoblog.com,autoblog360.com,autoguide.com,azarask.in,back9network.com,backlinkwatch.com,backtrack-linux.org,bathchronicle.co.uk,beaumontenterprise.com,bellinghamherald.com,bgr.com,bikesportnews.com,birminghammail.co.uk,birminghampost.co.uk,blackmorevale.co.uk,bloomberg.com,bloombergview.com,bnd.com,bobvila.com,boston.com,bostonglobe.com,bostontarget.co.uk,bradenton.com,bravotv.com,breitbart.com,brentwoodgazette.co.uk,bridesmagazine.co.uk,brisbanetimes.com.au,bristolpost.co.uk,budgettravel.com,burbankleader.com,businessinsider.com,businesstech.co.za,businessweek.com,c21media.net,cairnspost.com.au,canadianoutages.com,canberratimes.com.au,canterburytimes.co.uk,carmarthenjournal.co.uk,carynews.com,cd1025.com,celebdigs.com,celebified.com,centralsomersetgazette.co.uk,centredaily.com,cfl.ca,cfo.com,ch-aviation.com,channel5.com,charismamag.com,charismanews.com,cheddarvalleygazette.co.uk,cheezburger.com,chesterchronicle.co.uk,chicagobusiness.com,chicagomag.com,chinahush.com,chinasmack.com,christianlifenews.com,chroniclelive.co.uk,cio.com,citeworld.com,citylab.com,citysearch.com,claytonnewsstar.com,clientmediaserver.com,cltv.com,cnet.com,cnn.com,coastlinepilot.com,codepen.io,collinsdictionary.com,colorlines.com,colourlovers.com,comcast.net,comicbookmovie.com,competitor.com,computerworld.com,cornishguardian.co.uk,cornishman.co.uk,courier.co.uk,couriermail.com.au,coventrytelegraph.net,cpuboss.com,crawleynews.co.uk,crewechronicle.co.uk,crossmap.com,croydonadvertiser.co.uk,csoonline.com,csswizardry.com,cupcakesandcashmere.com,cw33.com,cw39.com,cydiaupdates.net,dailycute.net,dailylobo.com,dailylocal.com,dailyparent.com,dailypilot.com,dailypost.co.uk,dailyrecord.co.uk,dailytarheel.com,dailytelegraph.com.au,dcw50.com,deadline.com,dealnews.com,defenseone.com,delish.com,derbytelegraph.co.uk,deseretnews.com,designtaxi.com,dinozap.com,divxstage.to,dodgeforum.com,domain.com.au,dorkingandleatherheadadvertiser.co.uk,dose.com,dover-express.co.uk,downdetector.co.nz,downdetector.co.uk,downdetector.co.za,downdetector.com,downdetector.in,downdetector.sg,dpreview.com,dribbble.com,drive.com.au,dustcoin.com,earmilk.com,earthsky.org,eastgrinsteadcourier.co.uk,eastlindseytarget.co.uk,edmontonjournal.com,elle.com,emedtv.com,engadget.com,enquirerherald.com,espnfc.co.uk,espnfc.com,espnfc.us,essentialbaby.com.au,essentialkids.com.au,essexchronicle.co.uk,eurocheapo.com,everyjoe.com,examiner.co.uk,examiner.com,excellence-mag.com,exeterexpressandecho.co.uk,expressnews.com,familydoctor.org,farmersguardian.com,farmonlinelivestock.com.au,fashionweekdaily.com,fastcar.co.uk,femalefirst.co.uk,fijitimes.com,findthatpdf.com,findthebest.co.uk,flashx.tv,floridaindependent.com,fodors.com,folkestoneherald.co.uk,food.com,foodandwine.com,foodnetwork.com,fortmilltimes.com,fox13now.com,fox17online.com,fox2now.com,fox40.com,fox43.com,fox4kc.com,fox59.com,fox5sandiego.com,fox6now.com,fox8.com,foxafrica.com,foxbusiness.com,foxcrimeafrica.com,foxct.com,foxnews.com,foxsoccer.com,foxsportsasia.com,freedom43tv.com,freshpips.com,fresnobee.com,fromestandard.co.uk,fuse.tv,fxafrica.tv,fxnetworks.com,fxnowcanada.ca,gamefuse.com,gamemazing.com,garfield.com,gazettelive.co.uk,geelongadvertiser.com.au,getbucks.co.uk,getreading.co.uk,getsurrey.co.uk,getwestlondon.co.uk,givesmehope.com,glendalenewspress.com,glennbeck.com,gloucestercitizen.co.uk,gloucestershireecho.co.uk,go.com,gocomics.com,goerie.com,goldcoastbulletin.com.au,goo.im,good.is,goodfood.com.au,goodhousekeeping.com,gpuboss.com,grab.by,grapevine.is,greatschools.org,greenbot.com,grimsbytelegraph.co.uk,grindtv.com,grubstreet.com,gumtree.co.za,hbindependent.com,healthyplace.com,heatworld.com,heraldonline.com,heraldsun.com.au,history.com,hknepaliradio.com,hodinkee.com,hollywood-elsewhere.com,hollywoodreporter.com,hoovers.com,houserepairtalk.com,houstonchronicle.com,hulldailymail.co.uk,idahostatesman.com,independent.co.uk,indianas4.com,indiewire.com,indyposted.com,infoworld.com,inhabitat.com,instyle.com,interest.co.nz,interfacelift.com,interfax.com.ua,intoday.in,investopedia.com,investsmart.com.au,iono.fm,irishmirror.ie,irishoutages.com,islandpacket.com,itsamememario.com,itv.com,itworld.com,jackfm.ca,jamaica-gleaner.com,jobs.com.au,journalgazette.net,joystiq.com,jsonline.com,juzupload.com,katc.com,kbzk.com,kdvr.com,kentucky.com,keysnet.com,kfor.com,kidspot.com.au,kiss959.com,koaa.com,kob.com,komando.com,koreabang.com,kpax.com,kplr11.com,kqed.org,ktla.com,kusports.com,kwgn.com,kxlf.com,kxlh.com,lacanadaonline.com,lakewyliepilot.com,lawrence.com,leaderpost.com,ledger-enquirer.com,leicestermercury.co.uk,lex18.com,lichfieldmercury.co.uk,lincolnshireecho.co.uk,liverpoolecho.co.uk,ljworld.com,llanellistar.co.uk,lmtonline.com,lolbrary.com,loop21.com,lordofthememe.com,lostateminor.com,loughboroughecho.net,lsjournal.com,macclesfield-express.co.uk,macombdaily.com,macon.com,macrumors.com,manchestereveningnews.co.uk,mangafox.me,marieclaire.com,marketwatch.com,mashable.com,maxpreps.com,mcclatchydc.com,mediafire.com,memearcade.com,memeslanding.com,memestache.com,mercedsunstar.com,mercurynews.com,miamiherald.com,middevongazette.co.uk,military.com,minecrastinate.com,mirror.co.uk,mlb.mlb.com,modbee.com,monkeysee.com,monroenews.com,montrealgazette.com,motorcycle.com,motorcycleroads.com,movies.com,movshare.net,mozo.com.au,mrconservative.com,mrmovietimes.com,mrqe.com,msn.com,muchshare.net,mugglenet.com,mybroadband.co.za,mycareer.com.au,myfox8.com,mygaming.co.za,myhomeremedies.com,mylifeisaverage.com,mypaper.sg,myrtlebeachonline.com,mysearchresults.com,nation.co.ke,nation.com.pk,nationaljournal.com,nature.com,nbcsportsradio.com,networkworld.com,news.com.au,newsfixnow.com,newsobserver.com,newsok.com,newstimes.com,newtimes.co.rw,nextmovie.com,nhregister.com,nickmom.com,northdevonjournal.co.uk,notsafeforwallet.net,nottinghampost.com,novamov.com,nowvideo.co,nowvideo.li,nowvideo.sx,ntd.tv,ntnews.com.au,ny1.com,nymag.com,nytco.com,nytimes.com,offbeat.com,omgfacts.com,osadvertiser.co.uk,osnews.com,ottawamagazine.com,ovguide.com,patch.com,patheos.com,peakery.com,perthnow.com.au,phl17.com,photobucket.com,pingtest.net,pirateshore.org,pix11.com,plosone.org,plymouthherald.co.uk,pokestache.com,polygon.com,popsugar.com,popsugar.com.au,prepperwebsite.com,primeshare.tv,pv-tech.org,q13fox.com,quackit.com,quibblo.com,ragestache.com,ranker.com,readmetro.com,realestate.com.au,realityblurred.com,redeyechicago.com,redmondmag.com,refinery29.com,relish.com,retailgazette.co.uk,retfordtimes.co.uk,reuters.com,roadsideamerica.com,rogerebert.com,rollcall.com,rossendalefreepress.co.uk,rumorfix.com,runcornandwidnesweeklynews.co.uk,runnow.eu,sacbee.com,sadlovequotes.net,sanluisobispo.com,sbs.com.au,scpr.org,scubadiving.com,scunthorpetelegraph.co.uk,sevenoakschronicle.co.uk,sfchronicle.com,sfgate.com,sfx.co.uk,sheptonmalletjournal.co.uk,shtfplan.com,si.com,similarsites.com,simpledesktops.com,singingnews.com,sixbillionsecrets.com,sky.com,slacker.com,slate.com,sleafordtarget.co.uk,slidetoplay.com,smackjuice.com,smartcompany.com.au,smartphowned.com,smh.com.au,softpedia.com,somersetguardian.co.uk,southportvisiter.co.uk,southwales-eveningpost.co.uk,spectator.org,spin.com,spokesman.com,sportsdirectinc.com,springwise.com,spryliving.com,ssdboss.com,ssireview.org,stagevu.com,stamfordadvocate.com,standard.co.uk,star-telegram.com,statenews.com,statscrop.com,stltoday.com,stocktwits.com,stokesentinel.co.uk,stoppress.co.nz,streetinsider.com,stripes.com,stroudlife.co.uk,stv.tv,sub-titles.net,sunherald.com,surreymirror.co.uk,suttoncoldfieldobserver.co.uk,talkandroid.com,tampabay.com,tamworthherald.co.uk,tasteofawesome.com,teamcoco.com,techdirt.com,tgdaily.com,thanetgazette.co.uk,thatslife.com.au,thatssotrue.com,theage.com.au,theatlantic.com,theaustralian.com.au,theblaze.com,thedailybeast.com,thedp.com,theepochtimes.com,thefirearmblog.com,thefreedictionary.com,thegamechicago.com,thegossipblog.com,thegrio.com,thegrocer.co.uk,thehungermemes.net,thejournal.co.uk,thekit.ca,themercury.com.au,thenation.com,thenewstribune.com,theoaklandpress.com,theolympian.com,theonion.com,theprovince.com,therealdeal.com,theroot.com,thesaurus.com,thestack.com,thestarphoenix.com,thestate.com,thevine.com.au,thewalkingmemes.com,thewindowsclub.com,thewire.com,thisiswhyimbroke.com,timeshighereducation.co.uk,timesunion.com,tinypic.com,today.com,tokyohive.com,topsite.com,torontoist.com,torquayheraldexpress.co.uk,townandcountrymag.com,townsvillebulletin.com.au,travelocity.com,travelweekly.com,tri-cityherald.com,tribecafilm.com,tripadvisor.ca,tripadvisor.co.uk,tripadvisor.co.za,tripadvisor.com,tripadvisor.ie,tripadvisor.in,triplem.com.au,trucktrend.com,truecar.com,twcc.com,twcnews.com,ufc.com,uinterview.com,unfriendable.com,userstyles.org,usnews.com,vancouversun.com,veevr.com,vetfran.com,vg247.com,vid.gg,vidbux.com,videobash.com,videoweed.es,vidxden.com,viralnova.com,vogue.com.au,walesonline.co.uk,walsalladvertiser.co.uk,washingtonpost.com,watchanimes.me,watoday.com.au,wattpad.com,watzatsong.com,way2sms.com,wbur.org,weathernationtv.com,webdesignerwall.com,webestools.com,weeklytimesnow.com.au,wegotthiscovered.com,wellcommons.com,wellsjournal.co.uk,westbriton.co.uk,westerndailypress.co.uk,westerngazette.co.uk,westernmorningnews.co.uk,wetpaint.com,wgno.com,wgnradio.com,wgnt.com,wgntv.com,whnt.com,whosay.com,whotv.com,wildcat.arizona.edu,windsorstar.com,winewizard.co.za,wnep.com,womansday.com,worldreview.info,worthplaying.com,wow247.co.uk,wqad.com,wral.com,wreg.com,wrestlezone.com,wsj.com,wtkr.com,wtvr.com,www.google.com,x17online.com,yahoo.com,yonhapnews.co.kr,yorkpress.co.uk,yourmiddleeast.com,zedge.net,zillow.com,zooweekly.com.au,zybez.net##.ad +17track.net,5newsonline.com,6abc.com,7online.com,aa.co.za,aarp.org,abc11.com,abc13.com,abc30.com,abc7.com,abc7chicago.com,abc7news.com,abovethelaw.com,accringtonobserver.co.uk,adelaidenow.com.au,adn.com,adsoftheworld.com,adsupplyads.com,adtmag.com,adweek.com,aero-news.net,aetv.com,agra-net.net,ahlanlive.com,algemeiner.com,aljazeera.com,allkpop.com,allrecipes.co.in,allrecipes.com.au,americanprofile.com,amny.com,anandtech.com,androidapps.com,androidauthority.com,aol.com,appolicious.com,arabianbusiness.com,arseniohall.com,articlealley.com,asianjournal.com,associationsnow.com,audiko.net,aussieoutages.com,autoblog.com,autoblog360.com,autoguide.com,aww.com.au,azarask.in,back9network.com,backlinkwatch.com,backtrack-linux.org,bathchronicle.co.uk,beaumontenterprise.com,bellinghamherald.com,bgr.com,bikesportnews.com,birminghammail.co.uk,birminghampost.co.uk,blackmorevale.co.uk,bloomberg.com,bloombergview.com,bnd.com,bobvila.com,boston.com,bostonglobe.com,bostontarget.co.uk,bradenton.com,bravotv.com,breitbart.com,brentwoodgazette.co.uk,bridesmagazine.co.uk,brisbanetimes.com.au,bristolpost.co.uk,budgettravel.com,burbankleader.com,businessinsider.com,businesstech.co.za,businessweek.com,c21media.net,cairnspost.com.au,canadianoutages.com,canberratimes.com.au,canterburytimes.co.uk,carmarthenjournal.co.uk,carynews.com,cd1025.com,celebdigs.com,celebified.com,centralsomersetgazette.co.uk,centredaily.com,cfl.ca,cfo.com,ch-aviation.com,channel5.com,charismamag.com,charismanews.com,charlotteobserver.com,cheddarvalleygazette.co.uk,cheezburger.com,chesterchronicle.co.uk,chicagobusiness.com,chicagomag.com,chinahush.com,chinasmack.com,christianexaminer.com,christianlifenews.com,chroniclelive.co.uk,cio.com,citeworld.com,citylab.com,citysearch.com,claytonnewsstar.com,clientmediaserver.com,cloudtime.to,cltv.com,cnet.com,cnn.com,coastlinepilot.com,codepen.io,collinsdictionary.com,colorlines.com,colourlovers.com,comcast.net,comicbookmovie.com,competitor.com,computerworld.com,cornishguardian.co.uk,cornishman.co.uk,courier.co.uk,couriermail.com.au,coventrytelegraph.net,cpuboss.com,crawleynews.co.uk,crewechronicle.co.uk,crossmap.com,crosswalk.com,croydonadvertiser.co.uk,csoonline.com,csswizardry.com,cupcakesandcashmere.com,cw33.com,cw39.com,cydiaupdates.net,dailycute.net,dailylobo.com,dailylocal.com,dailyparent.com,dailypilot.com,dailypost.co.uk,dailyrecord.co.uk,dailytarheel.com,dailytelegraph.com.au,dawn.com,dcw50.com,deadline.com,dealnews.com,defenseone.com,delish.com,derbytelegraph.co.uk,deseretnews.com,designtaxi.com,dinozap.com,divxstage.to,dodgeforum.com,domain.com.au,dorkingandleatherheadadvertiser.co.uk,dose.com,dover-express.co.uk,downdetector.co.nz,downdetector.co.uk,downdetector.co.za,downdetector.com,downdetector.in,downdetector.sg,dpreview.com,dribbble.com,drive.com.au,dustcoin.com,earmilk.com,earthsky.org,eastgrinsteadcourier.co.uk,eastlindseytarget.co.uk,edmontonjournal.com,elle.com,emedtv.com,engadget.com,enquirerherald.com,espnfc.co.uk,espnfc.com,espnfc.com.au,espnfc.us,espnfcasia.com,essentialbaby.com.au,essentialkids.com.au,essexchronicle.co.uk,eurocheapo.com,everyjoe.com,examiner.co.uk,examiner.com,excellence-mag.com,exeterexpressandecho.co.uk,expressnews.com,familydoctor.org,farmersguardian.com,farmonlinelivestock.com.au,fashionweekdaily.com,fastcar.co.uk,femalefirst.co.uk,fijitimes.com,findthatpdf.com,findthebest.co.uk,findthebest.com,flashx.tv,floridaindependent.com,fodors.com,folkestoneherald.co.uk,food.com,foodandwine.com,foodnetwork.com,fortmilltimes.com,fox13now.com,fox17online.com,fox2now.com,fox40.com,fox43.com,fox4kc.com,fox59.com,fox5sandiego.com,fox6now.com,fox8.com,foxafrica.com,foxbusiness.com,foxcrimeafrica.com,foxct.com,foxnews.com,foxsoccer.com,foxsportsasia.com,freedom43tv.com,freshpips.com,fresnobee.com,fromestandard.co.uk,fuse.tv,fxafrica.tv,fxnetworks.com,fxnowcanada.ca,gamefuse.com,gamemazing.com,garfield.com,gazettelive.co.uk,geelongadvertiser.com.au,getbucks.co.uk,getreading.co.uk,getsurrey.co.uk,getwestlondon.co.uk,givesmehope.com,glendalenewspress.com,glennbeck.com,gloucestercitizen.co.uk,gloucestershireecho.co.uk,go.com,gocomics.com,goerie.com,goldcoastbulletin.com.au,goo.im,good.is,goodfood.com.au,goodhousekeeping.com,gpuboss.com,grab.by,grapevine.is,greatschools.org,greenbot.com,grimsbytelegraph.co.uk,grindtv.com,grubstreet.com,gumtree.co.za,happytrips.com,hbindependent.com,healthyplace.com,heatworld.com,heraldonline.com,heraldsun.com.au,history.com,hknepaliradio.com,hodinkee.com,hollywood-elsewhere.com,hollywoodreporter.com,hoovers.com,houserepairtalk.com,houstonchronicle.com,hulldailymail.co.uk,idahostatesman.com,idganswers.com,independent.co.uk,indianas4.com,indiewire.com,indyposted.com,infoworld.com,inhabitat.com,instyle.com,interest.co.nz,interfacelift.com,interfax.com.ua,intoday.in,investopedia.com,investsmart.com.au,iono.fm,irishmirror.ie,irishoutages.com,islandpacket.com,itsamememario.com,itv.com,itworld.com,jackfm.ca,jamaica-gleaner.com,javaworld.com,jobs.com.au,journalgazette.net,joystiq.com,jsonline.com,juzupload.com,katc.com,kbzk.com,kdvr.com,kentucky.com,keysnet.com,kfor.com,kidspot.com.au,kiss959.com,koaa.com,kob.com,komando.com,koreabang.com,kotaku.com.au,kpax.com,kplr11.com,kqed.org,ktla.com,kusports.com,kwgn.com,kxlf.com,kxlh.com,lacanadaonline.com,lakewyliepilot.com,lawrence.com,leaderpost.com,ledger-enquirer.com,leicestermercury.co.uk,lex18.com,lichfieldmercury.co.uk,lincolnshireecho.co.uk,liverpoolecho.co.uk,ljworld.com,llanellistar.co.uk,lmtonline.com,lolbrary.com,loop21.com,lordofthememe.com,lostateminor.com,loughboroughecho.net,lsjournal.com,macclesfield-express.co.uk,macombdaily.com,macon.com,macrumors.com,manchestereveningnews.co.uk,mangafox.me,marieclaire.com,marketwatch.com,mashable.com,maxpreps.com,mcclatchydc.com,mediafire.com,memearcade.com,memeslanding.com,memestache.com,mercedsunstar.com,mercurynews.com,metronews.ca,miamiherald.com,middevongazette.co.uk,military.com,minecrastinate.com,mirror.co.uk,mkweb.co.uk,mlb.mlb.com,modbee.com,monkeysee.com,monroenews.com,montrealgazette.com,motorcycle.com,motorcycleroads.com,movies.com,movshare.net,mozo.com.au,mprnews.org,mrconservative.com,mrmovietimes.com,mrqe.com,msn.com,muchshare.net,mugglenet.com,mybroadband.co.za,mycareer.com.au,myfox8.com,mygaming.co.za,myhomeremedies.com,mylifeisaverage.com,mypaper.sg,myrtlebeachonline.com,mysearchresults.com,nation.co.ke,nation.com.pk,nationaljournal.com,nature.com,nbcsportsradio.com,networkworld.com,news.com.au,newsfixnow.com,newsobserver.com,newsok.com,newstimes.com,newtimes.co.rw,nextmovie.com,nhregister.com,nickmom.com,northdevonjournal.co.uk,notsafeforwallet.net,nottinghampost.com,novamov.com,nowvideo.co,nowvideo.li,nowvideo.sx,ntd.tv,ntnews.com.au,ny1.com,nymag.com,nytco.com,nytimes.com,offbeat.com,omgfacts.com,osadvertiser.co.uk,osnews.com,ottawamagazine.com,ovguide.com,patch.com,patheos.com,peakery.com,perthnow.com.au,phl17.com,photobucket.com,pingtest.net,pirateshore.org,pix11.com,plosone.org,plymouthherald.co.uk,pokestache.com,polygon.com,popsugar.com,popsugar.com.au,prepperwebsite.com,primeshare.tv,pv-tech.org,q13fox.com,quackit.com,quibblo.com,ragestache.com,ranker.com,readmetro.com,realestate.com.au,realityblurred.com,redeyechicago.com,redmondmag.com,refinery29.com,relish.com,retailgazette.co.uk,retfordtimes.co.uk,reuters.com,roadsideamerica.com,rogerebert.com,rollcall.com,rossendalefreepress.co.uk,rumorfix.com,runcornandwidnesweeklynews.co.uk,runnow.eu,sacbee.com,sadlovequotes.net,sanluisobispo.com,sbs.com.au,scpr.org,scubadiving.com,scunthorpetelegraph.co.uk,seattletimes.com,sevenoakschronicle.co.uk,sfchronicle.com,sfgate.com,sfx.co.uk,sheptonmalletjournal.co.uk,shtfplan.com,si.com,similarsites.com,simpledesktops.com,singingnews.com,sixbillionsecrets.com,sky.com,slacker.com,slate.com,sleafordtarget.co.uk,slidetoplay.com,smackjuice.com,smartcompany.com.au,smartphowned.com,smh.com.au,softpedia.com,somersetguardian.co.uk,southportvisiter.co.uk,southwales-eveningpost.co.uk,spectator.org,spin.com,spokesman.com,sportsdirectinc.com,springwise.com,spryliving.com,ssdboss.com,ssireview.org,stagevu.com,stamfordadvocate.com,standard.co.uk,star-telegram.com,statenews.com,statscrop.com,stltoday.com,stocktwits.com,stokesentinel.co.uk,stoppress.co.nz,streetinsider.com,stripes.com,stroudlife.co.uk,stv.tv,sub-titles.net,sunherald.com,surfline.com,surreymirror.co.uk,suttoncoldfieldobserver.co.uk,talkandroid.com,tampabay.com,tamworthherald.co.uk,tasteofawesome.com,teamcoco.com,techdirt.com,tgdaily.com,thanetgazette.co.uk,thatslife.com.au,thatssotrue.com,theage.com.au,theatlantic.com,theaustralian.com.au,theblaze.com,thedailybeast.com,thedp.com,theepochtimes.com,thefirearmblog.com,thefreedictionary.com,thegamechicago.com,thegossipblog.com,thegrio.com,thegrocer.co.uk,thehungermemes.net,thejournal.co.uk,thekit.ca,themercury.com.au,thenation.com,thenewstribune.com,theoaklandpress.com,theolympian.com,theonion.com,theprovince.com,therealdeal.com,theroot.com,thesaurus.com,thestack.com,thestarphoenix.com,thestate.com,thevine.com.au,thewalkingmemes.com,thewindowsclub.com,thewire.com,thisiswhyimbroke.com,time.com,timeshighereducation.co.uk,timesunion.com,tinypic.com,today.com,tokyohive.com,topsite.com,torontoist.com,torquayheraldexpress.co.uk,touringcartimes.com,townandcountrymag.com,townsvillebulletin.com.au,travelocity.com,travelweekly.com,tri-cityherald.com,tribecafilm.com,tripadvisor.ca,tripadvisor.co.uk,tripadvisor.co.za,tripadvisor.com,tripadvisor.ie,tripadvisor.in,triplem.com.au,trucktrend.com,truecar.com,tv3.ie,twcc.com,twcnews.com,ufc.com,uinterview.com,unfriendable.com,userstyles.org,usnews.com,vancouversun.com,veevr.com,vetfran.com,vg247.com,vid.gg,vidbux.com,videobash.com,videoweed.es,vidxden.com,vidxden.to,viralnova.com,vogue.com.au,vulture.com,walesonline.co.uk,walsalladvertiser.co.uk,washingtonpost.com,watchanimes.me,watoday.com.au,wattpad.com,watzatsong.com,way2sms.com,wbur.org,weathernationtv.com,webdesignerwall.com,webestools.com,weeklytimesnow.com.au,wegotthiscovered.com,wellcommons.com,wellsjournal.co.uk,westbriton.co.uk,westerndailypress.co.uk,westerngazette.co.uk,westernmorningnews.co.uk,wetpaint.com,wgno.com,wgnradio.com,wgnt.com,wgntv.com,whnt.com,whosay.com,whotv.com,wildcat.arizona.edu,windsorstar.com,winewizard.co.za,wnep.com,womansday.com,worldreview.info,worthplaying.com,wow247.co.uk,wqad.com,wral.com,wreg.com,wrestlezone.com,wsj.com,wtkr.com,wtvr.com,www.google.com,x17online.com,yahoo.com,yonhapnews.co.kr,yorkpress.co.uk,yourmiddleeast.com,zedge.net,zillow.com,zooweekly.com.au,zybez.net##.ad yahoo.com##.ad-active deviantart.com##.ad-blocking-makes-fella-confused -alarabiya.net,edmunds.com,flightaware.com,haaretz.com,journalism.co.uk,memecdn.com,memecenter.com,metrolyrics.com,pcworld.in,revision3.com,soapoperadigest.com,tasteofhome.com,twitpic.com,vinesbay.com,viralnova.com,where.ca##.ad-box -9news.com.au,beautifuldecay.com,boston.com,businessinsider.com.au,cpuboss.com,dnainfo.com,downforeveryoneorjustme.com,engineeringnews.co.za,firehouse.com,glamour.com,gpuboss.com,ign.com,isup.me,komando.com,moneysense.ca,nbcnews.com,refinery29.com,rollingstone.com,slate.com,sltrib.com,ssdboss.com,stockhouse.com,theaustralian.com.au,themercury.com.au,thrillist.com,youtube.com##.ad-container +alarabiya.net,edmunds.com,flightaware.com,haaretz.com,journalism.co.uk,memecdn.com,memecenter.com,metrolyrics.com,pcworld.in,reverso.net,revision3.com,soapoperadigest.com,tasteofhome.com,twitpic.com,vinesbay.com,viralnova.com,where.ca##.ad-box +9news.com.au,beautifuldecay.com,boston.com,businessinsider.com.au,cpuboss.com,dnainfo.com,downforeveryoneorjustme.com,engineeringnews.co.za,firehouse.com,glamour.com,gpuboss.com,ign.com,isup.me,komando.com,macstories.net,moneysense.ca,nbcnews.com,refinery29.com,rollingstone.com,slate.com,sltrib.com,ssdboss.com,stockhouse.com,theaustralian.com.au,themercury.com.au,thrillist.com,youtube.com##.ad-container wusa9.com##.ad-image hollywoodjournal.com##.ad-title vesselfinder.com##.ad0 bnqt.com##.ad05 -afreecodec.com,brothersoft.com,gamrreview.com,msn.com,rodalenews.com,sundaymail.co.zw,sundaynews.co.zw,webmaster-source.com##.ad1 +afreecodec.com,brothersoft.com,gamrreview.com,indiatimes.com,msn.com,rodalenews.com,sundaymail.co.zw,sundaynews.co.zw,webmaster-source.com##.ad1 brothersoft.com,livemint.com,nowvideo.co,nowvideo.eu,nowvideo.li,nowvideo.sx,roms4droid.com,sundaymail.co.zw,sundaynews.co.zw##.ad2 -afreecodec.com,harpersbazaar.com,livemint.com,mpog100.com,sundaymail.co.zw,sundaynews.co.zw##.ad3 +afreecodec.com,livemint.com,mpog100.com,sundaymail.co.zw,sundaynews.co.zw##.ad3 hitfreegames.com,sundaymail.co.zw,sundaynews.co.zw##.ad4 sundaymail.co.zw,sundaynews.co.zw,vesselfinder.com##.ad5 sundaymail.co.zw,sundaynews.co.zw##.ad6 sundaymail.co.zw,sundaynews.co.zw##.ad7 +ngrguardiannews.com##.ad9 buy.com##.adBG -abclocal.go.com,browardpalmbeach.com,cafemom.com,chacha.com,cio.co.uk,citypages.com,computerworlduk.com,cvs.com,dallasobserver.com,digitalartsonline.co.uk,flightradar24.com,geek.com,globaltv.com,houstonpress.com,laweekly.com,macworld.co.uk,miaminewtimes.com,newspakistan.pk,nytimes.com,ocweekly.com,pcadvisor.co.uk,petagadget.com,phoenixnewtimes.com,reuters.com,riverfronttimes.com,sfweekly.com,sky.com,t3.com,thehimalayantimes.com,villagevoice.com,westword.com,yakimaherald.com##.adContainer +browardpalmbeach.com,cafemom.com,chacha.com,cio.co.uk,citypages.com,computerworlduk.com,cvs.com,dallasobserver.com,digitalartsonline.co.uk,flightradar24.com,geek.com,globaltv.com,houstonpress.com,laweekly.com,macworld.co.uk,miaminewtimes.com,newspakistan.pk,nytimes.com,ocweekly.com,pcadvisor.co.uk,petagadget.com,phoenixnewtimes.com,reuters.com,riverfronttimes.com,sfweekly.com,sky.com,t3.com,thehimalayantimes.com,villagevoice.com,westword.com,yakimaherald.com##.adContainer webfail.com##.adMR ifaonline.co.uk,relink.us##.ad_right telegraph.co.uk##.adarea + .summaryMedium englishrussia.com,keepvid.com,metrowestdailynews.com##.adb +pencurimovie.cc##.adb_overlay aol.com,beautysouthafrica.com,blurtit.com,breakingnews.com,digitalhome.ca,eurowerks.org,heyuguys.co.uk,longislandpress.com,opensourcecms.com,opposingviews.com,readersdigest.co.uk,songlyrics.com,sugarrae.com,techeblog.com,thebizzare.com##.adblock orbitztv.co.uk##.adblockcreatorssuckmydick -affiliatefix.com,capitalfm.com.my,cargoinfo.co.za,lockerz.com,macdailynews.com,mensjournal.com,mvnrepository.com,ow.ly,podfeed.net,pricespy.co.nz,sfbayview.com,viralnova.com,whatsmyip.org,willyweather.com.au##.adbox +affiliatefix.com,blogto.com,capitalfm.com.my,cargoinfo.co.za,lockerz.com,macdailynews.com,mensjournal.com,midnightpoutine.ca,mvnrepository.com,ow.ly,podfeed.net,pricespy.co.nz,sfbayview.com,viralnova.com,whatsmyip.org,willyweather.com.au##.adbox webtoolhub.com##.adbx search.ch##.adcell msn.com##.adcicon fanatix.com,nfl.com,theconstructionindex.co.uk##.adcontainer runnerspace.com##.adcontent allrovi.com,bdnews24.com,hotnewhiphop.com,itproportal.com,nciku.com,newvision.co.ug,yourepeat.com##.add +africareview.com##.add-banner 1049.fm,drgnews.com##.add-box addictivetips.com##.add-under-post time4tv.com##.add1 @@ -139435,7 +144642,7 @@ naldzgraphics.net##.adis thedailystar.net##.adivvert usabit.com##.adk2_slider_baner pbs.org##.adl -ask.com,bigislandnow.com,dnainfo.com,globalpost.com,portlandmonthlymag.com##.adlabel +animalfactguide.com,ask.com,bigislandnow.com,dnainfo.com,globalpost.com,portlandmonthlymag.com##.adlabel ebookbrowse.com##.adleft vietnamnet.vn##.adm_c1 ncaa.com##.adman-label @@ -139444,11 +144651,13 @@ experienceproject.com##.adn flightglobal.com##.adp bodyboardingmovies.com##.adpopup bodyboardingmovies.com##.adpopup-overlay +iamwire.com##.adr iskullgames.com##.adr300 zercustoms.com##.adrh -1sale.com,7billionworld.com,abajournal.com,aljazeerasport.asia,altavista.com,androidfilehost.com,arcadeprehacks.com,birdforum.net,coinad.com,cuzoogle.com,cyclingweekly.co.uk,cyprus-mail.com,disconnect.me,domainnamenews.com,eco-business.com,energylivenews.com,facemoods.com,fcall.in,flashx.tv,foxbusiness.com,foxnews.com,freetvall.com,friendster.com,fstoppers.com,ftadviser.com,furaffinity.net,gentoo.org,gmanetwork.com,govtrack.us,gramfeed.com,gyazo.com,hispanicbusiness.com,html5test.com,hurricanevanessa.com,iheart.com,ilovetypography.com,isearch.whitesmoke.com,itar-tass.com,itproportal.com,kingdomrush.net,laptopmag.com,lfpress.com,livetvcafe.net,lovemyanime.net,malaysiakini.com,manga-download.org,maps.google.com,mb.com.ph,meaningtattos.tk,mmajunkie.com,movies-online-free.net,mugshots.com,myfitnesspal.com,mypaper.sg,nbcnews.com,news.nom.co,nsfwyoutube.com,nugget.ca,panorama.am,pastie.org,phpbb.com,playboy.com,pocket-lint.com,pokernews.com,previously.tv,radiobroadcaster.org,reason.com,ryanseacrest.com,savevideo.me,sddt.com,searchfunmoods.com,sgcarmart.com,shopbot.ca,sourceforge.net,tcm.com,tech2.com,thecambodiaherald.com,thedailyobserver.ca,thejakartapost.com,thelakewoodscoop.com,themalaysianinsider.com,theobserver.ca,thepeterboroughexaminer.com,theyeshivaworld.com,tiberium-alliances.com,tjpnews.com,today.com,tubeserv.com,turner.com,twogag.com,ultimate-guitar.com,wallpaper.com,washingtonpost.com,wdet.org,wftlsports.com,womanandhome.com,wtvz.net,yahoo.com,youthedesigner.com,yuku.com##.ads +1sale.com,7billionworld.com,abajournal.com,altavista.com,androidfilehost.com,arcadeprehacks.com,asbarez.com,birdforum.net,coinad.com,cuzoogle.com,cyclingweekly.co.uk,disconnect.me,domainnamenews.com,eco-business.com,energylivenews.com,facemoods.com,fcall.in,flashx.tv,foxbusiness.com,foxnews.com,freetvall.com,friendster.com,fstoppers.com,ftadviser.com,furaffinity.net,gentoo.org,gmanetwork.com,govtrack.us,gramfeed.com,gyazo.com,hispanicbusiness.com,html5test.com,hurricanevanessa.com,i-dressup.com,iheart.com,ilovetypography.com,irennews.org,isearch.whitesmoke.com,itar-tass.com,itproportal.com,kingdomrush.net,laptopmag.com,laweekly.com,lfpress.com,livetvcafe.net,lovemyanime.net,malaysiakini.com,manga-download.org,maps.google.com,marinetraffic.com,mb.com.ph,meaningtattos.tk,mmajunkie.com,movies-online-free.net,mugshots.com,myfitnesspal.com,mypaper.sg,nbcnews.com,news.nom.co,nsfwyoutube.com,nugget.ca,osn.com,panorama.am,pastie.org,phpbb.com,playboy.com,pocket-lint.com,pokernews.com,previously.tv,radiobroadcaster.org,reason.com,ryanseacrest.com,savevideo.me,sddt.com,searchfunmoods.com,sgcarmart.com,shopbot.ca,sourceforge.net,tcm.com,tech2.com,thecambodiaherald.com,thedailyobserver.ca,thejakartapost.com,thelakewoodscoop.com,themalaysianinsider.com,theobserver.ca,thepeterboroughexaminer.com,theyeshivaworld.com,tiberium-alliances.com,tjpnews.com,today.com,tubeserv.com,turner.com,twogag.com,ultimate-guitar.com,wallpaper.com,washingtonpost.com,wdet.org,wftlsports.com,womanandhome.com,wtvz.net,yahoo.com,youthedesigner.com,yuku.com##.ads glarysoft.com##.ads + .search-list searchfunmoods.com##.ads + ul > li +y8.com##.ads-bottom-table .grey-box-bg playboy.com##.ads-column > h2 girlgames4u.com,xing.com##.ads-container extratorrent.cc,hitfreegames.com,movies-online-free.net,twogag.com##.ads2 @@ -139458,15 +144667,13 @@ twogag.com##.adsPW2 localmoxie.com##.ads_tilte localmoxie.com##.ads_tilte + .main_mid_ads entrepreneur.com##.adsby -bloomberg.com,borfast.com,howmanyleft.co.uk,instantpulp.com,mysmartprice.com,nintandbox.net,over-blog.com,plurk.com,scitechdaily.com,sgentrepreneurs.com,techsupportalert.com,wikihoops.com##.adsense +bloomberg.com,borfast.com,howmanyleft.co.uk,instantpulp.com,mysmartprice.com,nintandbox.net,nycity.today,over-blog.com,plurk.com,scitechdaily.com,sgentrepreneurs.com,techsupportalert.com,wikihoops.com,wlds.com##.adsense ravchat.com##.adsh search.b1.org##.adslabel animeid.com##.adspl desertdispatch.com,geeky-gadgets.com,highdesert.com,journalgazette.net,lgbtqnation.com,miamitodaynews.com,myrecipes.com,search.certified-toolbar.com,thevoicebw.com,vvdailypress.com,wsj.com##.adtext reason.com,rushlimbaugh.com##.adtitle -ndtv.com##.adtv_300_250 -ansamed.info,baltic-course.com,carsdirect.com,cbc.ca,cineuropa.org,cpuid.com,facebook.com,flicks.co.nz,futbol24.com,gametrailers.com,getwapi.com,howstuffworks.com,intoday.in,isearch.omiga-plus.com,massappeal.com,mnn.com,mtv.com,mysuncoast.com,ok.co.uk,ponged.com,prohaircut.com,qone8.com,roadfly.com,rockol.com,rumorcontrol.info,runamux.net,search.v9.com,ultimate-guitar.com,vh1.com,webssearches.com,zbani.com##.adv -snakkle.com##.adv-box +ansamed.info,baltic-course.com,carsdirect.com,cbc.ca,cineuropa.org,cpuid.com,facebook.com,flicks.co.nz,futbol24.com,gametrailers.com,getwapi.com,howstuffworks.com,intoday.in,isearch.omiga-plus.com,massappeal.com,mnn.com,mtv.com,mysuncoast.com,ok.co.uk,ponged.com,prohaircut.com,qone8.com,roadfly.com,rockol.com,rumorcontrol.info,runamux.net,search.v9.com,ultimate-guitar.com,vh1.com,webssearches.com,xda-developers.com,zbani.com##.adv luxury-insider.com##.adv-info veoh.com##.adv-title btn.com##.adv-widget @@ -139474,23 +144681,22 @@ animefushigi.com##.adv1 futbol24.com##.adv2 prohaircut.com##.adv3 yesasia.com##.advHr -ndtv.com##.adv_bg gametrailers.com,themoscowtimes.com##.adv_block vietnamnet.vn##.adv_info dt-updates.com##.adv_items faceyourmanga.com##.adv_special infoplease.com##.advb -adballa.com,allghananews.com,arabianindustry.com,bitcoinzebra.com,cbc.ca,chemicalwatch.com,craveonline.com,dawn.com,designmena.com,express.co.uk,expressandstar.com,farmprogress.com,foxbusiness.com,foxnews.com,guernseypress.com,gulfnews.com,healthcanal.com,healthguru.com,healthinsurancedaily.com,hollywoodreporter.com,hoteliermiddleeast.com,humanipo.com,huntspost.co.uk,jerseyeveningpost.com,legendarypokemon.net,mmegi.bw,morningstar.co.uk,msnbc.com,myfinances.co.uk,ninemsn.com.au,piccsy.com,shropshirestar.com,skysports.com,sowetanlive.co.za,sundayworld.co.za,tenplay.com.au,thecomet.net,thegayuk.com,thejournal.ie,thetribunepapers.com,totalscifionline.com,travelchannel.com,trucksplanet.com,tvweek.com,vg247.com,winewizard.co.za,wow247.co.uk,xfire.com##.advert +98online.com,adballa.com,allghananews.com,arabianindustry.com,bitcoinzebra.com,bloomberg.com,cbc.ca,chemicalwatch.com,craveonline.com,dawn.com,designmena.com,express.co.uk,expressandstar.com,farmprogress.com,foxbusiness.com,foxnews.com,gfi.com,guernseypress.com,gulfnews.com,healthcanal.com,healthguru.com,healthinsurancedaily.com,hollywoodreporter.com,hoteliermiddleeast.com,humanipo.com,huntspost.co.uk,jerseyeveningpost.com,journeychristiannews.com,kumusika.co.zw,legendarypokemon.net,mmegi.bw,morningstar.co.uk,msnbc.com,myfinances.co.uk,ninemsn.com.au,outdoorchannel.com,phnompenhpost.com,piccsy.com,shropshirestar.com,skysports.com,sowetanlive.co.za,sundayworld.co.za,technewstoday.com,tenplay.com.au,thecomet.net,thegayuk.com,thejournal.ie,thetribunepapers.com,totalscifionline.com,travelchannel.com,trucksplanet.com,tvweek.com,vg247.com,winewizard.co.za,wow247.co.uk,xfire.com##.advert naldzgraphics.net##.advertBSA bandwidthblog.com,demerarawaves.com,eaglecars.com,earth911.com,pcmag.com,proporn.com,slodive.com,smartearningsecrets.com,smashingapps.com,theawesomer.com,thepeninsulaqatar.com##.advertise thepeninsulaqatar.com##.advertise-09 dailyvoice.com##.advertise-with-us citysearch.com##.advertiseLink insiderpages.com##.advertise_with_us -1520wbzw.com,760kgu.biz,880thebiz.com,afro.com,allmusic.com,amctv.com,ap.org,araratadvertiser.com.au,areanews.com.au,armidaleexpress.com.au,avclub.com,avonadvocate.com.au,barossaherald.com.au,batemansbaypost.com.au,baysidebulletin.com.au,begadistrictnews.com.au,bellingencourier.com.au,bendigoadvertiser.com.au,bigthink.com,biz1190.com,bizarremag.com,blacktownsun.com.au,blayneychronicle.com.au,bluemountainsgazette.com.au,boingboing.net,bombalatimes.com.au,boorowanewsonline.com.au,bordermail.com.au,braidwoodtimes.com.au,bravotv.com,brimbankweekly.com.au,bunburymail.com.au,business1110ktek.com,business1570.com,businessinsurance.com,busseltonmail.com.au,camdenadvertiser.com.au,camdencourier.com.au,canowindranews.com.au,caranddriver.com,carrierethernetnews.com,caseyweekly.com.au,caseyweeklycranbourne.com.au,centraladvocate.com.au,centralwesterndaily.com.au,cessnockadvertiser.com.au,cinemablend.com,classicandperformancecar.com,clickhole.com,colliemail.com.au,colypointobserver.com.au,competitor.com,coomaexpress.com.au,cootamundraherald.com.au,cowraguardian.com.au,crainsnewyork.com,crookwellgazette.com.au,crosswalk.com,dailyadvertiser.com.au,dailygazette.com,dailyliberal.com.au,dailyrecord.com,dandenongjournal.com.au,defenceweb.co.za,di.fm,donnybrookmail.com.au,downloadcrew.com,dunedintv.co.nz,dungogchronicle.com.au,easternriverinachronicle.com.au,edenmagnet.com.au,elliottmidnews.com.au,esperanceexpress.com.au,essentialmums.co.nz,examiner.com.au,eyretribune.com.au,fairfieldchampion.com.au,fastcocreate.com,fastcodesign.com,financialcontent.com,finnbay.com,forbesadvocate.com.au,frankstonweekly.com.au,gazettextra.com,gematsu.com,gippslandtimes.com.au,gleninnesexaminer.com.au,globest.com,gloucesteradvocate.com.au,goodcast.org,goondiwindiargus.com.au,goulburnpost.com.au,greatlakesadvocate.com.au,grenfellrecord.com.au,guyraargus.com.au,hardenexpress.com.au,hawkesburygazette.com.au,hepburnadvocate.com.au,hillsnews.com.au,hispanicbusiness.com,humeweekly.com.au,huntervalleynews.net.au,imgur.com,inverelltimes.com.au,irishtimes.com,juneesoutherncross.com.au,kansas.com,katherinetimes.com.au,kdow.biz,kkol.com,knoxweekly.com.au,lakesmail.com.au,lamag.com,latrobevalleyexpress.com.au,legion.org,lithgowmercury.com.au,liverpoolchampion.com.au,livestrong.com,livetennis.com,macarthuradvertiser.com.au,macedonrangesweekly.com.au,macleayargus.com.au,mailtimes.com.au,maitlandmercury.com.au,mandurahmail.com.au,manningrivertimes.com.au,margaretrivermail.com.au,maribyrnongweekly.com.au,marinmagazine.com,marketwatch.com,maroondahweekly.com.au,meltonweekly.com.au,merimbulanewsonline.com.au,merredinmercury.com.au,metservice.com,monashweekly.com.au,money1055.com,mooneevalleyweekly.com.au,moreechampion.com.au,msn.com,mudgeeguardian.com.au,murrayvalleystandard.com.au,muswellbrookchronicle.com.au,myallcoastnota.com.au,nambuccaguardian.com.au,naroomanewsonline.com.au,narrominenewsonline.com.au,nationalgeographic.com,newcastlestar.com.au,northernargus.com.au,northerndailyleader.com.au,northweststar.com.au,nvi.com.au,nynganobserver.com.au,nytimes.com,oann.com,oberonreview.com.au,onlinegardenroute.co.za,orange.co.uk,parenthood.com,parkeschampionpost.com.au,parramattasun.com.au,pch.com,peninsulaweekly.com.au,penrithstar.com.au,plasticsnews.com,portlincolntimes.com.au,portnews.com.au,portpirierecorder.com.au,portstephensexaminer.com.au,praguepost.com,psychologytoday.com,queanbeyanage.com.au,racingbase.com,radioguide.fm,redsharknews.com,rhsgnews.com.au,riverinaleader.com.au,roxbydownssun.com.au,rubbernews.com,saitnews.co.za,sconeadvocate.com.au,singletonargus.com.au,smallbusiness.co.uk,southcoastregister.com.au,southernhighlandnews.com.au,southernweekly.com.au,southwestadvertiser.com.au,standard.net.au,star-telegram.com,stawelltimes.com.au,stmarysstar.com.au,stonningtonreviewlocal.com.au,summitsun.com.au,suncitynews.com.au,sunjournal.com,sunraysiadaily.com.au,tennantcreektimes.com.au,tenterfieldstar.com.au,theadvocate.com,theadvocate.com.au,thebeachchannel.tv,thecourier.com.au,thecurrent.org,theflindersnews.com.au,theforecaster.net,theguardian.com.au,theherald.com.au,theislanderonline.com.au,theleader.com.au,thenortherntimes.com.au,theridgenews.com.au,therural.com.au,tirebusiness.com,townandcountrymagazine.com.au,transcontinental.com.au,travelpulse.com,twitch.tv,ulladullatimes.com.au,victorharbortimes.com.au,waginargus.com.au,walchanewsonline.com.au,walworthcountytoday.com,washingtonexaminer.com,wauchopegazette.com.au,wellingtontimes.com.au,westcoastsentinel.com.au,westernadvocate.com.au,westernmagazine.com.au,whyallanewsonline.com.au,winghamchronicle.com.au,wollondillyadvertiser.com.au,woot.com,wsj.com,wyndhamweekly.com.au,yasstribune.com.au,yellowpages.ca,youngwitness.com.au##.advertisement +1520wbzw.com,760kgu.biz,880thebiz.com,about.com,afro.com,allmusic.com,amctv.com,animax-asia.com,ap.org,araratadvertiser.com.au,areanews.com.au,armidaleexpress.com.au,avclub.com,avonadvocate.com.au,axn-asia.com,barossaherald.com.au,batemansbaypost.com.au,baysidebulletin.com.au,begadistrictnews.com.au,bellingencourier.com.au,bendigoadvertiser.com.au,betvasia.com,bigthink.com,biz1190.com,bizarremag.com,blacktownsun.com.au,blayneychronicle.com.au,bluemountainsgazette.com.au,boingboing.net,bombalatimes.com.au,boorowanewsonline.com.au,bordermail.com.au,braidwoodtimes.com.au,bravotv.com,brimbankweekly.com.au,bunburymail.com.au,business1110ktek.com,business1570.com,businessinsurance.com,busseltonmail.com.au,camdenadvertiser.com.au,camdencourier.com.au,canowindranews.com.au,caranddriver.com,carrierethernetnews.com,caseyweekly.com.au,caseyweeklycranbourne.com.au,centraladvocate.com.au,centralwesterndaily.com.au,cessnockadvertiser.com.au,cinemablend.com,classicandperformancecar.com,clickhole.com,colliemail.com.au,colypointobserver.com.au,competitor.com,coomaexpress.com.au,cootamundraherald.com.au,cowraguardian.com.au,crainsnewyork.com,crookwellgazette.com.au,crosswalk.com,dailyadvertiser.com.au,dailygazette.com,dailyliberal.com.au,dailyrecord.com,dandenongjournal.com.au,defenceweb.co.za,di.fm,donnybrookmail.com.au,downloadcrew.com,dunedintv.co.nz,dungogchronicle.com.au,easternriverinachronicle.com.au,edenmagnet.com.au,elliottmidnews.com.au,esperanceexpress.com.au,essentialmums.co.nz,examiner.com.au,eyretribune.com.au,fairfieldchampion.com.au,fastcocreate.com,fastcodesign.com,financialcontent.com,finnbay.com,forbesadvocate.com.au,frankstonweekly.com.au,gazettextra.com,gematsu.com,gemtvasia.com,gippslandtimes.com.au,gleninnesexaminer.com.au,globest.com,gloucesteradvocate.com.au,goodcast.org,goondiwindiargus.com.au,goulburnpost.com.au,greatlakesadvocate.com.au,grenfellrecord.com.au,guyraargus.com.au,hardenexpress.com.au,hawkesburygazette.com.au,hepburnadvocate.com.au,hillsnews.com.au,hispanicbusiness.com,humeweekly.com.au,huntervalleynews.net.au,i-dressup.com,imgur.com,inverelltimes.com.au,irishtimes.com,juneesoutherncross.com.au,kansas.com,katherinetimes.com.au,kdow.biz,kkol.com,knoxweekly.com.au,lakesmail.com.au,lamag.com,latrobevalleyexpress.com.au,legion.org,lithgowmercury.com.au,liverpoolchampion.com.au,livestrong.com,livetennis.com,macarthuradvertiser.com.au,macedonrangesweekly.com.au,macleayargus.com.au,magtheweekly.com,mailtimes.com.au,maitlandmercury.com.au,mandurahmail.com.au,manningrivertimes.com.au,margaretrivermail.com.au,maribyrnongweekly.com.au,marinmagazine.com,marketwatch.com,maroondahweekly.com.au,meltonweekly.com.au,merimbulanewsonline.com.au,merredinmercury.com.au,metservice.com,monashweekly.com.au,money1055.com,mooneevalleyweekly.com.au,moreechampion.com.au,movies4men.co.uk,mprnews.org,msn.com,mudgeeguardian.com.au,murrayvalleystandard.com.au,muswellbrookchronicle.com.au,myallcoastnota.com.au,nambuccaguardian.com.au,naroomanewsonline.com.au,narrominenewsonline.com.au,nationalgeographic.com,newcastlestar.com.au,northernargus.com.au,northerndailyleader.com.au,northweststar.com.au,nvi.com.au,nynganobserver.com.au,nytimes.com,oann.com,oberonreview.com.au,onetvasia.com,onlinegardenroute.co.za,orange.co.uk,parenthood.com,parkeschampionpost.com.au,parramattasun.com.au,pch.com,peninsulaweekly.com.au,penrithstar.com.au,plasticsnews.com,portlincolntimes.com.au,portnews.com.au,portpirierecorder.com.au,portstephensexaminer.com.au,praguepost.com,psychologytoday.com,queanbeyanage.com.au,racingbase.com,radioguide.fm,redsharknews.com,rhsgnews.com.au,riverinaleader.com.au,roxbydownssun.com.au,rubbernews.com,saitnews.co.za,sconeadvocate.com.au,silverdoctors.com,singletonargus.com.au,smallbusiness.co.uk,sonychannel.co.za,sonychannelasia.com,sonymax.co.za,sonymoviechannel.co.uk,sonytv.com,southcoastregister.com.au,southernhighlandnews.com.au,southernweekly.com.au,southwestadvertiser.com.au,standard.net.au,star-telegram.com,stawelltimes.com.au,stmarysstar.com.au,stonningtonreviewlocal.com.au,summitsun.com.au,suncitynews.com.au,sunjournal.com,sunraysiadaily.com.au,tennantcreektimes.com.au,tenterfieldstar.com.au,theadvocate.com,theadvocate.com.au,thebeachchannel.tv,thecourier.com.au,thecurrent.org,theflindersnews.com.au,theforecaster.net,theguardian.com.au,theherald.com.au,theislanderonline.com.au,theleader.com.au,thenortherntimes.com.au,theridgenews.com.au,therural.com.au,tirebusiness.com,townandcountrymagazine.com.au,transcontinental.com.au,travelpulse.com,twitch.tv,ulladullatimes.com.au,victorharbortimes.com.au,waginargus.com.au,walchanewsonline.com.au,walworthcountytoday.com,washingtonexaminer.com,wauchopegazette.com.au,wellingtontimes.com.au,westcoastsentinel.com.au,westernadvocate.com.au,westernmagazine.com.au,whyallanewsonline.com.au,winghamchronicle.com.au,wollondillyadvertiser.com.au,woot.com,wsj.com,wyndhamweekly.com.au,yasstribune.com.au,yellowpages.ca,youngwitness.com.au##.advertisement fieldandstream.com##.advertisement-fishing-contest 4v4.com,bn0.com,culttt.com,flicks.co.nz,shieldarcade.com,thethingswesay.com,who.is##.advertisements -afr.com,afrsmartinvestor.com.au,afternoondc.in,allmusic.com,brw.com.au,chicagobusiness.com,cio.co.ke,filesoup.com,ft.com,glamour.co.za,gq.co.za,hellomagazine.com,kat.ph,kickass.so,kickassunblock.info,newsweek.com,ocregister.com,orangecounty.com,radio.com,softarchive.net,theadvocate.com,tvnz.co.nz##.advertising +afr.com,afrsmartinvestor.com.au,afternoondc.in,allmusic.com,brw.com.au,chicagobusiness.com,cio.co.ke,filesoup.com,ft.com,glamour.co.za,gq.co.za,hellomagazine.com,kat.ph,kickass.so,kickass.to,kickassunblock.info,newsweek.com,ocregister.com,orangecounty.com,radio.com,softarchive.net,theadvocate.com,tvnz.co.nz##.advertising katproxy.com,kickass.so,kickasstor.net,kickassunblock.info,kickassunblock.net##.advertising + .tabs mediatel.co.uk##.advertising_label ketknbc.com,ktsm.com##.advertisments @@ -139518,7 +144724,7 @@ toptut.com##.af-form adventuregamers.com##.af_disclaimer eurogamer.net##.affiliate deborah-bickel.de##.affiliate-werbe125 -coolest-gadgets.com,cutezee.com##.affiliates +coolest-gadgets.com,cutezee.com,sen.com.au##.affiliates americasautosite.com##.affiliatesDiv cutezee.com##.affiliates_fp dailymotion.com##.affiliation_cont @@ -139537,11 +144743,12 @@ kcsoftwares.com##.alert-success hbwm.com##.alignRight\[style="margin-right:30px;color:#858585;"] empowernetwork.com##.align\[bgcolor="#FCFA85"] searchizz.com##.also_block +speedtest.net##.alt-promo-container > ul > .alt-promo:first-child + .alt-promo digitalhome.ca##.alt1\[colspan="5"]\[style="border: 1px solid #ADADAD; background-image: none"] > div\[align="center"] > .vdb_player techsupportforum.com##.alt1\[style="border: 1px solid #ADADAD; background-image: none"] styleite.com##.am-ngg-right-ad colorhexa.com##.amain -air1.com,imdb.com,reviewed.com,squidoo.com,three.fm##.amazon +air1.com,imdb.com,nprstations.org,reviewed.com,squidoo.com,three.fm##.amazon imdb.com##.amazon-instant-video blogcritics.org##.amazon-item brickset.com##.amazonAd @@ -139551,6 +144758,7 @@ herplaces.com##.amazonlink four11.com##.amed seventeen.com##.ams_bottom kingdomrush.net##.angry +folowpeople.info##.anivia_add_space 4shared.com##.antivirusBanner 1337x.org##.anynomousDw directupload.net,pv-magazine.com##.anzeige @@ -139586,6 +144794,7 @@ audiko.net##.artist-banner-right-cap eastrolog.com##.as300x250 moneycontrol.com##.asSponser memepix.com##.asblock +xmodulo.com##.asdf-banner-zone four11.com##.asmall_l four11.com##.asmall_r instructables.com##.aspace @@ -139596,6 +144805,7 @@ ohioautofinder.com##.atLeaderboard ohioautofinder.com##.atMiniBanner herald.co.zw##.atbanners milesplit.com##.atf +tvtropes.org##.atf_banner gamepedia.com,minecraftwiki.net##.atflb myshopping.com.au##.atip filedir.com##.atit @@ -139605,6 +144815,7 @@ webmd.com##.attribution majorgeeks.com##.author:first-child mail.yahoo.com##.avLogo ngrguardiannews.com##.avd_display_block +receivesmsonline.net##.aviso gameplanet.co.nz##.avt-mr gameplanet.co.nz##.avt-placement m.facebook.com,touch.facebook.com##.aymlCoverFlow @@ -139615,9 +144826,11 @@ livejournal.com##.b-adv silvertorrent.org##.b-content\[align="center"] > table\[width="99%"] easyvectors.com##.b-footer alawar.com##.b-game-play__bnnr +theartnewspaper.com##.b-header-banners sammobile.com##.b-placeholder bizcommunity.com##.b-topbanner flvto.com##.b1 +scorespro.com##.b160_600 flv2mp3.com,flvto.com##.b2 flv2mp3.com##.b3 scorespro.com##.b300 @@ -139643,12 +144856,14 @@ evilmilk.com,xbox360cheats.com##.ban300 worldstarhiphop.com##.banBG worldstarhiphop.com##.banOneCon kiz10.com##.ban_300_250 +stream2watch.com##.ban_b izismile.com##.ban_top america.fm##.banbo webscribble.com##.baner hypemixtapes.com##.baner600 +f-picture.net##.banerBottom sxc.hu##.bann -4music.com,964eagle.co.uk,adage.com,ameinfo.com,angryduck.com,anyclip.com,aol.com,arcadebomb.com,b-metro.co.zw,bayt.com,betterrecipes.com,bikechatforums.com,billboard.com,blackamericaweb.com,bored-bored.com,boxoffice.com,bukisa.com,cadplace.co.uk,cineuropa.org,cmo.com.au,cnn.com,cnnmobile.com,coryarcangel.com,dreamteamfc.com,echoroukonline.com,ecorporateoffices.com,elyricsworld.com,entrepreneur.com,euobserver.com,everyday.com.kh,evilmilk.com,fantasyleague.com,fieldandstream.com,filenewz.com,footballtradedirectory.com,forexpeacearmy.com,forum.dstv.com,freshbusinessthinking.com,freshtechweb.com,funpic.hu,gamebanshee.com,gamehouse.com,gamersbook.com,garfield.com,gatewaynews.co.za,gd.tuwien.ac.at,general-catalog.com,general-files.com,general-video.net,generalfil.es,ghananation.com,girlsocool.com,globaltimes.cn,gsprating.com,healthsquare.com,hitfreegames.com,hotfrog.ca,hotfrog.co.nz,hotfrog.co.uk,hotfrog.co.za,hotfrog.com,hotfrog.com.au,hotfrog.com.my,hotfrog.ie,hotfrog.in,hotfrog.ph,hotfrog.sg,hotnewhiphop.com,howard.tv,humanipo.com,hyipexplorer.com,ibtimes.co.in,ibtimes.co.uk,iconfinder.com,iguide.to,imnotobsessed.com,insidefutbol.com,internationalmeetingsreview.com,internetnews.com,irishtimes.com,isohunt.to,isource.com,itreviews.com,japantimes.co.jp,jewishtimes.com,keepcalm-o-matic.co.uk,ketknbc.com,kicknews.com,kijiji.ca,ktsm.com,leo.org,livescore.in,lmgtfy.com,londonstockexchange.com,looklocal.co.za,manolith.com,mariopiperni.com,mmosite.com,motherboard.tv,motortrend.com,moviezadda.com,mzhiphop.com,nehandaradio.com,netmums.com,networkworld.com,nuttymp3.com,oceanup.com,pdfmyurl.com,postzambia.com,premierleague.com,priceviewer.com,proxyhttp.net,ptotoday.com,rapidlibrary.com,reference.com,reversephonesearch.com.au,semiaccurate.com,smartcarfinder.com,snakkle.com,sportsvibe.co.uk,sumodb.com,sweeting.org,tennis.com,thebull.com.au,thefanhub.com,thefringepodcast.com,thehill.com,thehun.com,thesaurus.com,theskinnywebsite.com,timeslive.co.za,tmi.me,torrent.cd,travelpulse.com,trutv.com,tvsquad.com,twirlit.com,umbrelladetective.com,universalmusic.com,ustream.tv,vice.com,viralnova.com,weather.gc.ca,weatheronline.co.uk,wego.com,whatsock.com,yellowbook.com,yellowpages.com.jo,zbigz.com##.banner +4music.com,90min.com,964eagle.co.uk,adage.com,ameinfo.com,angryduck.com,anyclip.com,aol.com,arcadebomb.com,b-metro.co.zw,bayt.com,betterrecipes.com,bikechatforums.com,billboard.com,blackamericaweb.com,bored-bored.com,boxoffice.com,bukisa.com,cadplace.co.uk,cineuropa.org,cmo.com.au,cnn.com,cnnmobile.com,coryarcangel.com,dreamteamfc.com,echoroukonline.com,ecorporateoffices.com,elyricsworld.com,entrepreneur.com,euobserver.com,eurochannel.com,everyday.com.kh,evilmilk.com,fantasyleague.com,fieldandstream.com,filenewz.com,footballtradedirectory.com,forexpeacearmy.com,forum.dstv.com,freshbusinessthinking.com,freshtechweb.com,funpic.hu,gamebanshee.com,gamehouse.com,gamersbook.com,garfield.com,gatewaynews.co.za,gd.tuwien.ac.at,general-catalog.com,general-files.com,general-video.net,generalfil.es,ghananation.com,girlsocool.com,globaltimes.cn,gsprating.com,healthsquare.com,hitfreegames.com,hotfrog.ca,hotfrog.co.nz,hotfrog.co.uk,hotfrog.co.za,hotfrog.com,hotfrog.com.au,hotfrog.com.my,hotfrog.ie,hotfrog.in,hotfrog.ph,hotfrog.sg,hotnewhiphop.com,howard.tv,htxt.co.za,humanipo.com,hyipexplorer.com,ibtimes.co.in,ibtimes.co.uk,iconfinder.com,iguide.to,imedicalapps.com,imnotobsessed.com,insidefutbol.com,internationalmeetingsreview.com,internetnews.com,irishtimes.com,isohunt.to,isource.com,itreviews.com,japantimes.co.jp,jewishtimes.com,keepcalm-o-matic.co.uk,ketknbc.com,kicknews.com,kijiji.ca,ktsm.com,leo.org,livescore.in,lmgtfy.com,locatetv.com,londonstockexchange.com,looklocal.co.za,manolith.com,mariopiperni.com,mmosite.com,motherboard.tv,motortrend.com,moviezadda.com,mzhiphop.com,naij.com,nehandaradio.com,netmums.com,networkworld.com,nuttymp3.com,oceanup.com,pdfmyurl.com,postzambia.com,premierleague.com,priceviewer.com,proxyhttp.net,ptotoday.com,rapidlibrary.com,reference.com,reversephonesearch.com.au,semiaccurate.com,smartcarfinder.com,snakkle.com,soccer24.co.zw,sportsvibe.co.uk,sumodb.com,sweeting.org,tennis.com,thebull.com.au,thefanhub.com,thefringepodcast.com,thehill.com,thehun.com,thesaurus.com,theskinnywebsite.com,time4tv.com,timeslive.co.za,tmi.me,torrent.cd,travelpulse.com,trutv.com,tvsquad.com,twirlit.com,umbrelladetective.com,universalmusic.com,ustream.tv,vice.com,viralnova.com,weather.gc.ca,weatheronline.co.uk,wego.com,whatsock.com,worldcrunch.com,xda-developers.com,yellowbook.com,yellowpages.com.jo,zbigz.com##.banner autotrader.co.uk##.banner--7th-position autotrader.co.uk##.banner--leaderboard autotrader.co.uk##.banner--skyscraper @@ -139662,8 +144877,9 @@ luxgallery.com##.banner-big-cotent yellowpages.com.lb##.banner-box 1027dabomb.net##.banner-btf softonic.com##.banner-caption -farmonline.com.au,farmweekly.com.au,goodfruitandvegetables.com.au,knowledgerush.com,narutoforums.com,northqueenslandregister.com.au,privatehealth.co.uk,queenslandcountrylife.com.au,stockandland.com.au,stockjournal.com.au,student-jobs.co.uk,teenspot.com,theland.com.au,turfcraft.com.au,vh1.com##.banner-container +farmonline.com.au,farmweekly.com.au,goodfruitandvegetables.com.au,jewsnews.co.il,knowledgerush.com,narutoforums.com,northqueenslandregister.com.au,privatehealth.co.uk,queenslandcountrylife.com.au,stockandland.com.au,stockjournal.com.au,student-jobs.co.uk,teenspot.com,theland.com.au,turfcraft.com.au,vh1.com##.banner-container privatehealth.co.uk##.banner-container-center +soccerway.com##.banner-content moviesplanet.com##.banner-des dealchecker.co.uk##.banner-header medicalxpress.com,phys.org,pixdaus.com,reference.com,tennis.com,thesaurus.com##.banner-holder @@ -139678,7 +144894,6 @@ spin.com##.banner-slot neogamr.net,neowin.net##.banner-square intomobile.com##.banner-tbd audiko.net,carpartswholesale.com,greatbritishlife.co.uk,nationmultimedia.com,pwinsider.com,rapdose.com,usahealthcareguide.com,wired.co.uk,xda-developers.com##.banner-top -discovery.com##.banner-video feedmyapp.com##.banner-wrap general-catalog.com##.banner-wrap-hor manualslib.com,thenextweb.com,ustream.tv##.banner-wrapper @@ -139689,7 +144904,7 @@ thinkdigit.com##.banner03 coolest-gadgets.com,depositfiles.com,dfiles.eu,freecode.com,israeldefense.com,popcrunch.com,priceviewer.com,thelakewoodscoop.com,usa-people-search.com,wired.co.uk##.banner1 angryduck.com##.banner160-title azernews.az##.banner1_1 -flixflux.co.uk,gsprating.com,thelakewoodscoop.com,usa-people-search.com##.banner2 +flixflux.co.uk,gsprating.com,jamieoliver.com,thelakewoodscoop.com,usa-people-search.com##.banner2 blogtv.com##.banner250 motorcycle-usa.com##.banner300x100 motorcycle-usa.com##.banner300x250 @@ -139711,7 +144926,7 @@ artistdirect.com##.bannerNavi ewn.co.za##.bannerSecond runnersworld.com##.bannerSub bitsnoop.com##.bannerTitle -christianpost.com,londonstockexchange.com,xtri.com##.bannerTop +christianpost.com,jamanetwork.com,londonstockexchange.com,xtri.com##.bannerTop hongkiat.com##.bannerWrap iphoneapplicationlist.com,salon.com,shockwave.com##.bannerWrapper impawards.com##.banner_2 @@ -139723,13 +144938,15 @@ komp3.net##.banner_468_holder pastebin.com,ratemyteachers.com##.banner_728 uploadstation.com##.banner_area cbssports.com##.banner_bg +business-standard.com##.banner_block anyclip.com##.banner_bottom aww.com.au,englishrussia.com,softonic.com##.banner_box -coda.fm,smartcompany.com.au,take.fm##.banner_container +coda.fm,jamieoliver.com,smartcompany.com.au,take.fm##.banner_container kyivpost.com##.banner_content_t pricespy.co.nz##.banner_div swapace.com##.banner_foot tvtechnology.com##.banner_footer +domainmasters.co.ke##.banner_google arabtimesonline.com,silverlight.net##.banner_header rugby365.com##.banner_holder newsy.com##.banner_holder_300_250 @@ -139738,36 +144955,39 @@ livecharts.co.uk##.banner_long expressindia.com##.banner_main plussports.com##.banner_mid checkoutmyink.com##.banner_placer -977music.com,en.trend.az,seenow.com##.banner_right +977music.com,seenow.com##.banner_right dhl.de##.banner_right_resultpage_middle statista.com##.banner_skyscraper -977music.com,seetickets.com,thestranger.com##.banner_top +977music.com,rnews.co.za,seetickets.com,thestranger.com##.banner_top +porttechnology.org##.banner_wrapper gamenet.com##.bannera zeenews.india.com##.bannerarea -sj-r.com##.bannerbottom +sj-r.com,widih.org##.bannerbottom +bloomberg.com##.bannerbox timesofoman.com##.bannerbox1 timesofoman.com##.bannerbox2 fashionotes.com##.bannerclick arcadebomb.com##.bannerext breakfreemovies.com,fifaembed.com,nowwatchtvlive.com,surk.tv,tvbay.org##.bannerfloat -2mfm.org,aps.dz,beginlinux.com,eatdrinkexplore.com,fleetwatch.co.za,gameofthrones.net,i-programmer.info,killerdirectory.com,knowthecause.com,maravipost.com,onislam.net,rhylfc.co.uk,russianireland.com,soccer24.co.zw,vidipedia.org##.bannergroup +2mfm.org,aps.dz,beginlinux.com,eatdrinkexplore.com,fleetwatch.co.za,gameofthrones.net,i-programmer.info,killerdirectory.com,knowthecause.com,maravipost.com,mousesteps.com,onislam.net,rhylfc.co.uk,russianireland.com,soccer24.co.zw,thesentinel.com,vidipedia.org##.bannergroup brecorder.com##.bannergroup_box vidipedia.org##.bannergroup_menu malaysiandigest.com##.bannergroup_sideBanner2 dailynews.co.tz##.bannergroup_text -av-comparatives.org,busiweek.com,caribnewsdesk.com,israel21c.org,planetfashiontv.com##.banneritem +av-comparatives.org,busiweek.com,caribnewsdesk.com,israel21c.org,planetfashiontv.com,uberrock.co.uk##.banneritem elitistjerks.com##.bannerl0aded -racing-games.com##.bannerleft +racing-games.com,widih.org##.bannerleft techspot.com##.bannernav -digitalproductionme.com,racing-games.com##.bannerright -c21media.net,classicsdujour.com,en.trend.az,filezoo.com,general-search.net,igirlsgames.com,jobstreet.com.my,jobstreet.com.sg,kdoctv.net,lolroflmao.com,mysteriousuniverse.org,phuketgazette.net,sheknows.com,telesurtv.net,thinkdigit.com##.banners +digitalproductionme.com,racing-games.com,widih.org##.bannerright +c21media.net,classicsdujour.com,filezoo.com,general-search.net,igirlsgames.com,jobstreet.com.my,jobstreet.com.sg,kdoctv.net,lolroflmao.com,mysteriousuniverse.org,phuketgazette.net,sheknows.com,telesurtv.net,thinkdigit.com##.banners wlrfm.com##.banners-bottom-a codecs.com##.banners-right +ecr.co.za,jacarandafm.com##.banners120 thinkdigit.com##.banners_all dinnersite.co.za##.banners_leaderboard wdna.org##.banners_right cbc.ca##.bannerslot-container -musictory.com##.bannertop +musictory.com,widih.org##.bannertop urlcash.org##.bannertop > center > #leftbox goldengirlfinance.ca##.bannerwrap myhostnews.com##.bannerwrapper_t @@ -139789,6 +145009,7 @@ fakenamegenerator.com##.bcsw iol.co.za##.bd_images publicradio.org##.become-sponsor-link wgbh.org##.becomeSponsor +westernjournalism.com##.before-article mouthshut.com##.beige-border-tr\[style="padding:5px;"] goodgearguide.com.au##.bestprice-footer football365.com##.bet-link @@ -139806,6 +145027,7 @@ flixflux.co.uk##.bgBlue playgroundmag.net##.bg_link bryanreesman.com##.bg_strip_add biblegateway.com##.bga +biblegateway.com##.bga-footer search.yahoo.com##.bgclickable overclock3d.net##.bglink entrepreneur.com##.bgwhiteb @@ -139813,7 +145035,7 @@ siouxcityjournal.com##.bidBuyWrapperLG download.cnet.com##.bidWarContainer cnet.com,techrepublic.com,zdnet.com##.bidwar findarticles.com##.bidwarCont -furiousfanboys.com,regretfulmorning.com##.big-banner +furiousfanboys.com,regretfulmorning.com,viva.co.nz##.big-banner torontolife.com##.big-box family.ca##.big-box-container chipchick.com,megafileupload.com,softarchive.net##.big_banner @@ -139827,9 +145049,11 @@ caller.com,commercialappeal.com,courierpress.com,gosanangelo.com,govolsxtra.com, exclaim.ca##.bigboxhome tri247.com##.biglink wctk.com##.bigpromo -edmunds.com,motherjones.com,pep.ph,todaysbigthing.com##.billboard +about.com,edmunds.com,motherjones.com,pep.ph,todaysbigthing.com##.billboard bre.ad##.billboard-body +eztv.ch##.bitx-button mywesttexas.com,ourmidland.com,theintelligencer.com##.biz-info +yelp.be,yelp.ca,yelp.ch,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.au,yelp.com.sg,yelp.ie##.biz-photos-yloca slate.com##.bizbox_promo scienceworldreport.com##.bk-sidebn arsenalnews.co.uk##.bkmrk_pst_flt @@ -139837,7 +145061,6 @@ uvnc.com##.black + table\[cellspacing="0"]\[cellpadding="5"]\[style="width: 100% nowsci.com##.black_overlay kioskea.net##.bloc_09 jobmail.co.za##.block-AdsByJobMail -cyprus-mail.com##.block-adzerk ap.org##.block-ap-google-adwords bravotv.com##.block-bravo_sponsored_links biosciencetechnology.com,dinnertool.com,ecnmag.com,fastcocreate.com,fastcoexist.com,fastcompany.com,hollywoodreporter.com,lifegoesstrong.com,manufacturing.net,midwestliving.com,nbcsports.com,pddnet.com,petside.com,sfbg.com,theweek.co.uk,todayonline.com##.block-dart @@ -139858,6 +145081,7 @@ philstar.com##.block-philstar-ad praguemonitor.com##.block-praguetvads football-espana.net,football-italia.net##.block-story-footer-simag-banner accesshollywood.com##.block-style_deals +autoexpress.co.uk##.block-taboola laboratoryequipment.com##.block-title ibtimes.com##.block-x90 augusta.com##.block-yca_plugin @@ -139891,6 +145115,7 @@ adlock.in##.bn christianpost.com,parentherald.com##.bn728 ibtimes.co.uk,ibtimes.com##.bn_center_bottom_leaderboard_hd tinydl.link##.bnner +demonoid.pw##.bnnr_top electronicsfeed.com,gatorzone.com,intelligencer.ca##.bnr euroweek.com##.bnr-top carnewschina.com,thetycho.com##.bnr728 @@ -139909,25 +145134,27 @@ bangkokpost.com##.boomboxSize1 overclock3d.net##.border-box-320 thenextweb.com##.border-t.mt-2 share-links.biz##.border1dark +bitcointalk.org##.bordercolor\[width="100%"]\[cellspacing="0"]\[cellpadding="0"]\[border="0"] > tbody > tr\[class^="h"] > td\[class^="i"] extratorrent.cc##.borderdark\[style="padding: 5px;"] helenair.com##.bordered\[align="center"]\[width="728"] afreecodec.com##.bornone +tgun.tv##.bossPlayer dailynews.gov.bw##.bot-banner trueslant.com##.bot_banner gofish.com##.botban1 gofish.com##.botban2 bankrate.com##.botbanner pixdaus.com##.bottom -eplans.com,spanishdict.com##.bottom-banner +eplans.com,liligo.com,reverso.net,spanishdict.com##.bottom-banner livehdq.info##.bottom-bar kaskus.co.id##.bottom-frame usatoday.com##.bottom-google-links +photographyreview.com##.bottom-leaderboard theticketmiami.com##.bottom-super-leaderboard weatheroffice.gc.ca##.bottomBanner softicons.com##.bottom_125_block softicons.com##.bottom_600_250_block themoscowtimes.com##.bottom_banner -en.trend.az##.bottom_banner2 secdigitalnetwork.com##.bottom_banners_outer gamenguide.com##.bottom_bn einthusan.com##.bottom_leaderboard @@ -139937,6 +145164,7 @@ broadcastnewsroom.com,mumbaimirror.com,softonic.com##.bottombanner arcadebomb.com##.bottombox technologizer.com##.bottompromo explainthatstuff.com##.bottomsquare +filediva.com##.bouton jpost.com##.box-banner-wrap oilprice.com##.box-news-sponsor phonedog.com##.box-rail-skyleft @@ -139971,6 +145199,8 @@ hardware.info##.br_top_container brothersoft.com##.brand washingtonpost.com##.brand-connect-module mapquest.com##.brandedBizLocSprite +primedia.co.za##.branding-sponsor +csoonline.com##.brandposts 1310news.com,680news.com,news1130.com##.breaking-news-alerts-sponsorship-block break.com##.breaking_news break.com##.breaking_news_wrap @@ -139988,11 +145218,13 @@ if-not-true-then-false.com##.bsarocks\[style="height:250px;margin-left:20px;"] if-not-true-then-false.com##.bsarocks\[style="height:520px;"] mmorpg.com##.bsgoskin webopedia.com##.bstext +virginradiodubai.com##.bt-btm fenopy.se##.bt.dl milesplit.com##.btf idolator.com##.btf-leader gamepedia.com,minecraftwiki.net##.btflb diply.com##.btfrectangle +dubai92.com,dubaieye1038.com##.btm-banner cricwaves.com##.btm728 helensburghadvertiser.co.uk,the-gazette.co.uk##.btn isohunt.to##.btn-bitlord @@ -140006,11 +145238,11 @@ legendarydevils.com##.btn_dl wrc.com##.btns wrc.com##.btnswf gizmodo.com.au##.btyb_cat -timesofindia.indiatimes.com##.budgetheader whitepages.com##.business_premium_container_top switchboard.com,whitepages.com##.business_premium_results torrentbit.net##.but_down_sponsored 1053kissfm.com##.button-buy +torrentbit.net##.button-long miloyski.com##.button\[target="_blank"] darelease.com,downarchive.com,keygenfree.org,mechodownload.com##.button_dl freedownloadmanager.org,freedownloadscenter.com##.button_free_scan @@ -140118,12 +145350,14 @@ crooksandliars.com##.clam-google crooksandliars.com##.clam-text telegraph.co.uk##.classifiedAds uploading.com##.cleanlab_banner +clgaming.net##.clg-footerSponsors yourepeat.com##.click-left yourepeat.com##.click-right haaretz.com##.clickTrackerGroup infobetting.com##.click_bookmaker thinkbroadband.com##.clickable-skin windowsitpro.com##.close +abconline.xyz##.close9 wftv.com##.cmFeedUtilities ajc.com##.cmSponsored wsbtv.com##.cmSubHeaderWrap @@ -140165,6 +145399,7 @@ googlesightseeing.com##.comm-skyscraper googlesightseeing.com##.comm-square abovethelaw.com##.comments-sponsor tripadvisor.ca,tripadvisor.co.uk,tripadvisor.com,tripadvisor.ie,tripadvisor.in##.commerce +prevention.com##.commerce-block capitalfm.com,capitalxtra.com,heart.co.uk,independent.co.uk,runningserver.com,smoothradio.com,standard.co.uk,thisislondon.co.uk,xfm.co.uk##.commercial sheptonmalletjournal.co.uk##.commercial-promotions independent.co.uk##.commercialpromo @@ -140179,13 +145414,12 @@ msn.com##.condbanner2 theglobeandmail.com##.conductor-links thegameslist.com##.cont spoonyexperiment.com##.cont_adv -filenuke.com,sharesix.com##.cont_block > .f_l_name + center -filenuke.com,sharesix.com##.cont_block > center:first-child torrent-finder.info##.cont_lb babylon.com,searchsafer.com##.contadwltr miniclip.com##.container-300x250 ina.fr##.container-pubcarre jokersupdates.com##.container_contentrightspan +tourofbritain.co.uk##.container_right_mpu bbh.cc##.content + .sidebar adfoc.us##.content > iframe flashgot.net##.content a\[rel="nofollow"]\[target="_blаnk"] @@ -140223,6 +145457,7 @@ netnewscheck.com##.continue-text notcot.org##.conversationalist_outer list25.com##.converter sharaget.com##.coollist +columbian.com##.coupon-widget wnst.net##.coupon_block ftadviser.com##.cpdSponsored politicalwire.com##.cqheadlinebox @@ -140237,6 +145472,7 @@ candystand.com##.cs_square_banner candystand.com##.cs_tall_banner candystand.com##.cs_wide_banner carsales.com.au##.csn-ad-preload +vitorrent.net##.css_btn_class_fast columbian.com##.cta\[style="margin-top: -10px;"] terra.com##.ctn-tgm-bottom-holder funny.com##.ctnAdBanner @@ -140251,12 +145487,13 @@ cocomment.com##.cw_adv glumbouploads.com##.d0_728 rapidok.com##.d_content\[style="background:#FFFFFF url(/img/d1.gif) repeat-x scroll 0 86%;"] thomasnet.com##.da +diply.com##.da-disclaimer arabianindustry.com##.da-leaderboard torrents.to##.da-top +thedailywtf.com##.daBlock tesco.com##.dart allmovie.com##.dart-skyscraper americanphotomag.com,ecnmag.com,manufacturing.net,webuser.co.uk##.dart-tag -movies4men.co.uk,sonymoviechannel.co.uk,sonytv.com##.dart-tag-notice wetv.com##.dart300x250Border orange.co.uk##.dartlabel torrent.cd##.data\[style="margin-bottom: 0px; margin-top: 15px;"] @@ -140265,7 +145502,6 @@ itv.com##.db-mpu foobar2000.org##.db_link herald.co.zw##.dban dbforums.com##.dbfSubscribe\[style^="display: block; z-index: 1002; "] -bexhillobserver.net,blackpoolgazette.co.uk,bognor.co.uk,bostonstandard.co.uk,chichester.co.uk,donegaldemocrat.ie,eastbourneherald.co.uk,halifaxcourier.co.uk,hastingsobserver.co.uk,lep.co.uk,limerickleader.ie,offalyexpress.ie,portsmouth.co.uk,scotsman.com,shieldsgazette.com,spaldingtoday.co.uk,sunderlandecho.com,thescarboroughnews.co.uk,thestar.co.uk,wigantoday.net,wscountytimes.co.uk,yorkshireeveningpost.co.uk,yorkshirepost.co.uk##.dc-half-banner startups.co.uk##.dc-leaderboard kibagames.com##.dc_color_lightgreen.dc_bg_for_adv ohiostatebuckeyes.com##.dcad @@ -140297,6 +145533,7 @@ heroturko.me##.detay onlinerealgames.com##.df3 marinmagazine.com,scpr.org,shop.com,urbandictionary.com##.dfp healthline.com##.dfp-lb-wrapper +techradar.com##.dfp-leaderboard-container greatist.com,neurope.eu##.dfp-tag-wrapper sodahead.com##.dfp300x250 sodahead.com##.dfp300x600 @@ -140320,11 +145557,12 @@ chacha.com##.disclosure 1cookinggames.com,yokogames.com##.displaygamesbannerspot3 hellopeter.com##.div1 hellopeter.com##.div2 -cricinfo.com,espncricinfo.com##.div300Pad +espncricinfo.com##.div300Pad aniweather.com##.divBottomNotice aniweather.com##.divCenterNotice alternativeto.net##.divLeaderboardLove israelnationalnews.com##.divTopInBox +hellobeautiful.com##.diversity-one-widget search.ovguide.com##.dl:first-child mediafire.com##.dlInfo-Apps bitsnoop.com##.dl_adp @@ -140343,8 +145581,8 @@ isup.me##.domain + p + center:last-child > a:first-child i4u.com##.dotted gearlive.com##.double techtipsgeek.com##.double-cont -capitalfm.com,capitalxtra.com,dirtymag.com,kingfiles.net,win7dl.com##.download -torrents.de,torrentz.ch,torrentz.com,torrentz.eu,torrentz.in,torrentz.li,torrentz.me,torrentz.ph##.download > h2 + dl > dd +bigtop40.com,capitalfm.com,capitalxtra.com,dirtymag.com,kingfiles.net,win7dl.com##.download +torrents.de,torrentz.ch,torrentz.com,torrentz.eu,torrentz.in,torrentz.li,torrentz.me,torrentz.ph,torrentz.unblockt.com##.download > h2 + dl > dd turbobit.net##.download-area-top host1free.com##.download-block generalfiles.me##.download-button @@ -140357,7 +145595,9 @@ candystand.com##.download_free_games_ad fileshut.biz,fileshut.com##.download_item2 download-movie-soundtracks.com##.download_link > .direct_link fileserve.com##.download_meagaCloud +primewire.ag##.download_now_mouseover load.to##.download_right +filediva.com##.download_top fileshut.biz,fileshut.com##.download_top2 brothersoft.com##.downloadadv brothersoft.com##.downloadadv1 @@ -140378,6 +145618,8 @@ dressupcraze.com##.duc-728 bloomberg.com##.dvz-widget-sponsor webmd.com##.dynbm_wrap espnwatch.tv##.dzt +watchreport.com##.e3lan300_250-widget +stream2watch.com##.ea search.yahoo.com##.eadlast cnet.com.au##.ebay amateurphotographer.co.uk##.ebay-deals @@ -140390,6 +145632,7 @@ smashingmagazine.com##.ed-us timeoutabudhabi.com##.editoral_banner dailymail.co.uk##.editors-choice.ccox.link-ccox.linkro-darkred experts-exchange.com##.eeAD +bostonmagazine.com##.eewidget notebooks.com##.efbleft facebook.com##.ego_spo priceonomics.com##.eib-banner @@ -140419,11 +145662,9 @@ tucows.com##.f11 india.com##.fBannerAside computerworld.co.nz##.fairfax_nav inturpo.com##.fake_embed_ad_close -infoworld.com##.fakesidebar flixflux.co.uk##.fan commentarymagazine.com##.fancybox-wrap freshwap.net##.fast -beemp3.com##.fast-download might.net##.fat-container smarter.com##.favboxmiddlesearch smarter.com##.favwrapper @@ -140507,6 +145748,7 @@ thecinemasource.com##.footer-marketgid getswiftfox.com##.footer-right livebasketball.tv##.footer-sponsor sharksrugby.co.za,timestalks.com##.footer-sponsors +searchenginejournal.com##.footer-unit btn.com##.footer-widgets hd-trailers.net##.footer-win twentytwowords.com##.footer-zone @@ -140527,6 +145769,7 @@ maxgames.com##.footer_leaderboard morningstar.in##.footer_links_wrapper scotsman.com##.footer_top_holder datamation.com##.footerbanner +eurocupbasketball.com,euroleague.net##.footersponsors-container videojug.com##.forceMPUSize alphacoders.com##.form_info northcoastnow.com##.formy @@ -140534,6 +145777,7 @@ motorhomefacts.com##.forum-promo thewarezscene.org##.forumbg b105.com##.fourSquare_outer bc.vc##.fp-bar-dis +autotrader.co.uk##.fpa-deal-header yahoo.com##.fpad tvguide.com##.franchisewrapper freedom.tm##.frdm-sm-ico @@ -140542,8 +145786,10 @@ watch-series.ag,watch-tv-series.to,watchseries.ph##.freeEpisode empowernetwork.com##.free_video_img megashare.com##.freeblackbox megashare.com##.freewhitebox +wharton.upenn.edu##.friend-module spanishcentral.com##.from_spanish_central executivetravelmagazine.com##.ft-add-banner +portalangop.co.ao,top1walls.com##.full-banner marilyn.ca##.full-width.leaderboard wikinvest.com##.fullArticleInset-NVAdSlotComponent i4u.com##.fullStoryHeader + .SidebarBox @@ -140595,6 +145841,7 @@ canberratimes.com.au,illawarramercury.com.au##.gbl_disclaimer illawarramercury.com.au##.gbl_section viamichelin.co.uk,viamichelin.com##.gdhBlockV2 geekwire.com##.geekwire_sponsor_posts_widget +escapehere.com##.gemini-loaded becclesandbungayjournal.co.uk,burymercury.co.uk,cambstimes.co.uk,derehamtimes.co.uk,dunmowbroadcast.co.uk,eadt.co.uk,edp24.co.uk,elystandard.co.uk,eveningnews24.co.uk,fakenhamtimes.co.uk,greenun24.co.uk,huntspost.co.uk,ipswichstar.co.uk,lowestoftjournal.co.uk,northnorfolknews.co.uk,pinkun.com,royston-crow.co.uk,saffronwaldenreporter.co.uk,sudburymercury.co.uk,thecomet.net,thetfordandbrandontimes.co.uk,wattonandswaffhamtimes.co.uk,wisbechstandard.co.uk,wymondhamandattleboroughmercury.co.uk##.generic_leader greenun24.co.uk,pinkun.com##.generic_sky uefa.com##.geoTargetSponsorHeader @@ -140620,6 +145867,7 @@ neogaf.com##.goodie728 computershopper.com##.goog complaintsboard.com##.goog-border eurodict.com##.googa +thenassauguardian.com##.googlAdd 95mac.net,africanadvice.com,appdl.net,freepopfax.com,pspad.com##.google euronews.com##.google-banner nymag.com##.google-bottom @@ -140652,11 +145900,11 @@ cool-wallpaper.us##.green businessdictionary.com##.grey-small-link backstage.com##.greyFont teamrock.com##.grid-container-300x250 +itproportal.com##.grid-mpu ncaa.com##.grid\[style="height: 150px;"] dawn.com##.grid__item.one-whole.push-half.visuallyhidden--palm couriermail.com.au,dailytelegraph.com.au,news.com.au##.group-network-referral-footer -eztv-proxy.net##.gsfc -eztv.it##.gsfl +eztv-proxy.net,eztv.ch##.gsfc bollywoodtrade.com##.gtable\[height="270"]\[width="320"] 11alive.com,13wmaz.com,9news.com,digtriad.com,firstcoastnews.com,kare11.com,ksdk.com,news10.net,thv11.com,wbir.com,wcsh6.com,wgrz.com,wkyc.com,wlbz2.com,wltx.com,wtsp.com,wusa9.com,wzzm13.com##.gtv_728x90_container waz-warez.org##.guest_adds @@ -140683,15 +145931,15 @@ zeefood.in##.hbanner2 chronicle.co.zw,herald.co.zw##.hbanners screenindia.com##.hd webtoolhub.com##.hdShade -putlocker.is##.hdbutton pbnation.com##.hdrLb pbnation.com##.hdrSq +caymannewsservice.com##.head-banner468 vogue.co.uk##.headFullWidth mariopiperni.com,tmrzoo.com##.headbanner bitcoinreviewer.com##.header > .wrap > .cb-large iaminthestore.com##.header > div > div\[style="text-align:center;margin:0 auto"] ynaija.com##.header-728 -americanfreepress.net,freemalaysiatoday.com,hotfrog.co.uk,islamchannel.tv,ksstradio.com,landandfarm.com,mashable.com,wow247.co.uk##.header-banner +americanfreepress.net,freemalaysiatoday.com,hotfrog.co.uk,islamchannel.tv,ksstradio.com,landandfarm.com,mashable.com,soccer24.co.zw,wow247.co.uk##.header-banner vapingunderground.com##.header-block thedailystar.net##.header-bottom-adds expressandstar.com,guernseypress.com,jerseyeveningpost.com,shropshirestar.com,thebiggestloser.com.au##.header-leaderboard @@ -140701,7 +145949,9 @@ spyka.net##.header-link times.co.zm##.header-pub lyricsbogie.com,queenscourier.com##.header-right bh24.co.zw##.header-right-banner-wrapper -providencejournal.com##.header-top +htxt.co.za##.header-sub +providencejournal.com,southernliving.com##.header-top +astronomynow.com##.header-widget hd-trailers.net##.header-win funnycatpix.com,notsafeforwhat.com,rockdizmusic.com##.header728 onegreenplanet.org##.header728container @@ -140728,6 +145978,7 @@ dailycurrant.com##.highswiss skins.be##.hint serverfault.com,stackoverflow.com##.hireme ghanaweb.com##.hmSkyscraper +hindustantimes.com##.hm_top_right_localnews_contnr_budget 1027dabomb.net##.home-300 broadway.com##.home-leaderboard-728-90 wowhead.com##.home-skin @@ -140735,6 +145986,7 @@ netweather.tv##.home300250 greatdaygames.com##.home_Right_bg wpbt2.org##.home_banners hpe.com##.home_leaderboard +justdubs.tv##.home_leftsidbar_add wdwmagic.com##.home_upper_728x90 securitymattersmag.com##.homeart_marketpl_container news1130.com##.homepage-headlines-sponsorship-block @@ -140762,16 +146014,18 @@ loaded.co.uk##.hot_banner_mpu maps.google.com##.hotel-partner-item-sponsored maps.google.com##.hotel-price zdnet.com##.hotspot -indiatimes.com##.hover2bg europeancarweb.com##.hp-leadertop rte.ie##.hp-mpu huffingtonpost.com##.hp-ss-leaderboard +worldweatheronline.com##.hp_300x250_left +worldweatheronline.com##.hp_300x250_right surfline.com##.hp_camofday-ad itp.net##.hpbanner nairaland.com##.hpl nairaland.com##.hpr v3.co.uk##.hpu nairaland.com##.hrad +blog.recruitifi.com##.hs-cta-wrapper filetram.com##.hsDownload usatodayhss.com##.hss-background-link sfgate.com##.hst-leaderboard @@ -140816,6 +146070,7 @@ gifsoup.com##.imagead globalgrind.com##.imagecache-article_images_540 blessthisstuff.com##.imagem_sponsor laineygossip.com##.img-box +newsbtc.com##.img-responsive weather.msn.com##.imglink1.cf exchangerates.org.uk##.imt4 computerworld.com,infoworld.com##.imu @@ -140846,7 +146101,6 @@ cnet.com##.innerMPUwrap telegraph.co.uk##.innerPlugin bloggerthemes.net##.inner_banner routes-news.com##.insightbar -beemp3.com##.install-toolbar icanhascheezburger.com##.instream ratemyteachers.com##.intelius itweb.co.za##.intelli-box @@ -140857,19 +146111,21 @@ ozy.com##.interstitial komando.com##.interstitial-wrapper 12ozprophet.com##.intro jango.com##.intro_block_module:last-child -hellobeautiful.com,theurbandaily.com##.ione-widget picapp.com##.ipad_300_250 picapp.com##.ipad_728_90 investorplace.com##.ipm-sidebar-ad-text +twitter.com##.is-promoted telegraph.co.uk##.isaSeason veehd.com##.isad drivearcade.com,freegamesinc.com##.isk180 abovethelaw.com,dealbreaker.com,itwire.com##.island +nzgamer.com##.island-holder timesofisrael.com##.item-spotlight classifiedads.com##.itemhispon classifiedads.com##.itemlospon videopremium.tv##.itrack air1.com,juicefm.com,pulse1.co.uk,pulse2.co.uk,signal1.co.uk,signal2.co.uk,swanseasound.co.uk,thecurrent.org,thewave.co.uk,three.fm,wave965.com,wirefm.com,wishfm.net##.itunes +liquidcompass.net##.itunes_btn ixigo.com##.ixi-ads-header liveleak.com##.j_b liveleak.com##.j_t @@ -140885,6 +146141,7 @@ worldofgnome.org##.jumbotron marketingvox.com##.jupitermedia joomlarulez.com##.jwplayer2 joomlarulez.com##.jwplayer4 +rocvideo.tv##.jwpreview sfgate.com##.kaango news24.com##.kalahari_product news24.com##.kalwidgetcontainer @@ -140897,21 +146154,25 @@ herold.at##.kronehit businessinsider.com##.ks-recommended lenteng.com##.ktz-bannerhead lenteng.com##.ktz_banner +anilinkz.tv##.kwarta simplyhired.com##.label_right wallstcheatsheet.com##.landingad8 ustream.tv##.largeRectBanner +search.yahoo.com##.last > div\[class]\[data-bid] > div\[class] > ul\[class] > li > span > a txfm.ie##.last_10Buy afterdawn.com##.last_forum_mainos restaurants.com##.latad espn.co.uk,espncricinfo.com##.latest_sports630 aniscartujo.com##.layer_main iwradio.co.uk##.layerslider_widget +thehits.co.nz##.layout__background pastebin.com##.layout_clear milesplit.com##.lb etonline.com##.lb_bottom door2windows.com##.lbad thehill.com##.lbanner speedtest.net##.lbc +lankabusinessonline.com##.lbo-ad-home-300x250 itp.net##.lboard pcmag.com##.lbwidget politifact.com##.ldrbd @@ -140924,7 +146185,7 @@ online-literature.com##.leader-wrap-bottom online-literature.com##.leader-wrap-middle online-literature.com##.leader-wrap-top garfield.com##.leaderBackground -channeleye.co.uk,expertreviews.co.uk,nymag.com,pcpro.co.uk,vogue.co.uk##.leaderBoard +channeleye.co.uk,expertreviews.co.uk,mtv.com.lb,nymag.com,pcpro.co.uk,vogue.co.uk##.leaderBoard greatergood.com##.leaderBoard-container businessghana.com##.leaderBoardBorder whathifi.com##.leaderBoardWrapper @@ -140932,7 +146193,7 @@ expertreviews.co.uk##.leaderLeft expertreviews.co.uk##.leaderRight bakercityherald.com##.leaderTop freelanceswitch.com,stockvault.net,tutsplus.com##.leader_board -abovethelaw.com,adn.com,advosports.com,androidfirmwares.net,answerology.com,aroundosceola.com,bellinghamherald.com,birdmanstunna.com,blitzcorner.com,bnd.com,bradenton.com,cantbeunseen.com,carynews.com,centredaily.com,chairmanlol.com,citymetric.com,claytonnewsstar.com,clgaming.net,clicktogive.com,cnet.com,cokeandpopcorn.com,commercialappeal.com,cosmopolitan.co.uk,cosmopolitan.com,courierpress.com,cprogramming.com,dailynews.co.zw,designtaxi.com,digitaltrends.com,diply.com,directupload.net,dispatch.com,diyfail.com,docspot.com,donchavez.com,driving.ca,dummies.com,edmunds.com,enquirerherald.com,explainthisimage.com,expressandstar.com,film.com,foodista.com,fortmilltimes.com,forums.thefashionspot.com,fox.com.au,fresnobee.com,funnyexam.com,funnytipjars.com,galatta.com,gamesville.com,geek.com,goal.com,goldenpages.be,gosanangelo.com,guernseypress.com,hardware.info,heraldonline.com,hi-mag.com,hourdetroit.com,hypegames.com,iamdisappoint.com,idahostatesman.com,independentmail.com,intomobile.com,irishexaminer.com,islandpacket.com,japanisweird.com,jdpower.com,jerseyeveningpost.com,kentucky.com,keysnet.com,kidspot.com.au,kitsapsun.com,knoxnews.com,lakewyliepilot.com,ledger-enquirer.com,lgbtqnation.com,lightreading.com,lolhome.com,lonelyplanet.com,lsjournal.com,mac-forums.com,macon.com,mapcarta.com,marinmagazine.com,mcclatchydc.com,mercedsunstar.com,modbee.com,morefailat11.com,myrtlebeachonline.com,nameberry.com,naplesnews.com,nature.com,nbl.com.au,newsobserver.com,nowtoronto.com,objectiface.com,openfile.ca,organizedwisdom.com,overclockers.com,passedoutphotos.com,pehub.com,peoplespharmacy.com,perfectlytimedphotos.com,photographyblog.com,pinknews.co,pinknews.co.uk,pons.com,pons.eu,pressherald.com,radiobroadcaster.org,rebubbled.com,recode.net,redding.com,reporternews.com,roadrunner.com,roulettereactions.com,rr.com,sacarfan.co.za,sanluisobispo.com,scifinow.co.uk,searchenginesuggestions.com,shinyshiny.tv,shitbrix.com,shocktillyoudrop.com,shropshirestar.com,slashdot.org,slideshare.net,spacecast.com,sparesomelol.com,spoiledphotos.com,sportsvite.com,stopdroplol.com,stripes.com,stv.tv,sunherald.com,supersport.com,tattoofailure.com,tbreak.com,tcpalm.com,techdigest.tv,terra.com,theatermania.com,thehollywoodgossip.com,thejewishnews.com,thenewstribune.com,theolympian.com,theskanner.com,thestate.com,timescolonist.com,timesrecordnews.com,titantv.com,treehugger.com,tri-cityherald.com,tvfanatic.com,uswitch.com,v3.co.uk,vcstar.com,vivastreet.co.uk,vr-zone.com,walyou.com,washingtonpost.com,whatsonstage.com,where.ca,yodawgpics.com,yoimaletyoufinish.com##.leaderboard +abovethelaw.com,adn.com,advosports.com,adyou.me,androidfirmwares.net,answerology.com,aroundosceola.com,ballstatedaily.com,bellinghamherald.com,birdmanstunna.com,blitzcorner.com,bnd.com,bradenton.com,cantbeunseen.com,carynews.com,centredaily.com,chairmanlol.com,citymetric.com,claytonnewsstar.com,clgaming.net,clicktogive.com,cnet.com,cokeandpopcorn.com,commercialappeal.com,cosmopolitan.co.uk,cosmopolitan.com,courierpress.com,cprogramming.com,dailynews.co.zw,designtaxi.com,digitaltrends.com,diply.com,directupload.net,dispatch.com,diyfail.com,docspot.com,donchavez.com,driving.ca,dummies.com,edmunds.com,elle.com,enquirerherald.com,esquire.com,explainthisimage.com,expressandstar.com,film.com,foodista.com,fortmilltimes.com,forums.thefashionspot.com,fox.com.au,fresnobee.com,funnyexam.com,funnytipjars.com,galatta.com,gamesville.com,geek.com,goal.com,goldenpages.be,gosanangelo.com,guernseypress.com,hardware.info,heraldonline.com,hi-mag.com,hourdetroit.com,hypegames.com,iamdisappoint.com,idahostatesman.com,imedicalapps.com,independentmail.com,intomobile.com,irishexaminer.com,islandpacket.com,itproportal.com,japanisweird.com,jdpower.com,jerseyeveningpost.com,kentucky.com,keysnet.com,kidspot.com.au,kitsapsun.com,knoxnews.com,lakewyliepilot.com,laweekly.com,ledger-enquirer.com,lgbtqnation.com,lightreading.com,lolhome.com,lonelyplanet.com,lsjournal.com,mac-forums.com,macon.com,mapcarta.com,marieclaire.com,marinmagazine.com,mcclatchydc.com,mercedsunstar.com,meteovista.co.uk,meteovista.com,modbee.com,morefailat11.com,myrtlebeachonline.com,nameberry.com,naplesnews.com,nature.com,nbl.com.au,newsobserver.com,nowtoronto.com,objectiface.com,openfile.ca,organizedwisdom.com,overclockers.com,passedoutphotos.com,pehub.com,peoplespharmacy.com,perfectlytimedphotos.com,photographyblog.com,pinknews.co,pinknews.co.uk,pons.com,pons.eu,popularmechanics.com,pressherald.com,radiobroadcaster.org,rebubbled.com,recode.net,redding.com,reporternews.com,roadandtrack.com,roadrunner.com,roulettereactions.com,rr.com,sacarfan.co.za,sanluisobispo.com,scifinow.co.uk,searchenginesuggestions.com,shinyshiny.tv,shitbrix.com,shocktillyoudrop.com,shropshirestar.com,slashdot.org,slideshare.net,spacecast.com,sparesomelol.com,spoiledphotos.com,sportsvite.com,stopdroplol.com,stripes.com,stv.tv,sunherald.com,supersport.com,tattoofailure.com,tbreak.com,tcpalm.com,techdigest.tv,terra.com,theatermania.com,thehollywoodgossip.com,thejewishnews.com,thenewstribune.com,theolympian.com,theskanner.com,thestate.com,timescolonist.com,timesrecordnews.com,titantv.com,treehugger.com,tri-cityherald.com,tvfanatic.com,uswitch.com,v3.co.uk,vcstar.com,vivastreet.co.uk,vr-zone.com,walyou.com,washingtonpost.com,whatsonstage.com,where.ca,yodawgpics.com,yoimaletyoufinish.com##.leaderboard ameinfo.com##.leaderboard-area autotrader.co.uk,mixcloud.com##.leaderboard-banner bleedingcool.com##.leaderboard-below-header @@ -140957,7 +146218,7 @@ vibevixen.com##.leaderboard_bottom lookbook.nu,todaysbigthing.com##.leaderboard_container tucsoncitizen.com##.leaderboard_container_top directupload.net##.leaderboard_rectangle -realworldtech.com,rottentomatoes.com##.leaderboard_wrapper +porttechnology.org,realworldtech.com,rottentomatoes.com##.leaderboard_wrapper entrepreneur.com.ph##.leaderboardbar ubergizmo.com,wired.co.uk##.leaderboardcontainer fog24.com,free-games.net##.leaderboardholder @@ -140996,7 +146257,6 @@ webpronews.com##.lightgray prepperwebsite.com##.link-col > #text-48 coinurl.com##.link-image anorak.co.uk##.link\[style="height: 250px"] -beemp3.com##.link_s_und huffingtonpost.com##.linked_sponsored_entry technologyreview.com##.linkexperts-hm kyivpost.com##.linklist @@ -141004,13 +146264,15 @@ kproxy.com##.linknew4 scriptcopy.com##.linkroll scriptcopy.com##.linkroll-title babynamegenie.com,forless.com,o2cinemas.com,worldtimeserver.com##.links -abclocal.go.com##.linksWeLike +atđhe.net##.links > thead answers.com##.links_google answers.com##.links_openx ipsnews.net##.linksmoll_black +watchseries.lt##.linktable > .myTable > tbody > tr:first-child youtube.com##.list-view\[style="margin: 7px 0pt;"] maps.yahoo.com##.listing > .ysm cfos.de##.ll_center +pcworld.idg.com.au##.lo-toppromos wefollow.com##.load-featured calgaryherald.com##.local-branding theonion.com##.local_recirc @@ -141023,18 +146285,22 @@ themoscowtimes.com##.logo_popup toblender.com##.longadd vg247.com##.low-leader-container eurogamer.net##.low-leaderboard-container +omegle.com##.lowergaybtn +omegle.com##.lowersexybtn cfos.de##.lr_left yahoo.com##.lrec findlaw.com##.ls_homepage animetake.com##.lsidebar > a\[href^="http://bit.ly/"] -vidto.me##.ltas_backscreen +vidto.me,vidzi.tv##.ltas_backscreen phpbb.com##.lynkorama phpbb.com##.lynkoramaz kovideo.net##.lyricRingtoneLink +readwrite.com##.m-adaptive theverge.com##.m-feature__intro > aside digitaltrends.com##.m-intermission digitaltrends.com##.m-leaderboard theguardian.com##.m-money-deals +digitaltrends.com##.m-review-affiliate-pint tvguide.com##.m-shop share-links.biz##.m10.center share-links.biz##.m20 > div\[id]:first-child:last-child @@ -141042,7 +146308,6 @@ minivannews.com##.m_banner_show downloadatoz.com##.ma movies.msn.com##.magAd christianpost.com##.main-aside-bn -eurocupbasketball.com,euroleague.net##.main-footer-logos thedailystar.net##.mainAddSpage investing.com##.mainLightBoxFilter instantshift.com##.main_banner_single @@ -141053,6 +146318,7 @@ investopedia.com##.mainbodyleftcolumntrade xspyz.com##.mainparagraph showme.co.za##.mainphoto healthzone.pk##.maintablebody +rarlab.com,rarlabs.com##.maintd2\[valign="top"] > .htbar:first-child + .tplain + p + table\[width="100%"]\[border="0"] + table\[width="100%"]\[border="0"] > tbody:first-child:last-child rarlabs.com##.maintd2\[valign="top"] > .htbar:first-child + p.tplain + table\[width="100%"]\[border="0"] + table\[width="100%"]\[border="0"] lifescript.com##.maintopad torrent.cd##.maintopb @@ -141061,6 +146327,8 @@ makeprojects.com##.makeBlocks mangainn.com##.mangareadtopad allmenus.com##.mantle sigalert.com##.map-med-rect +rocvideo.tv##.mar-bot-10 +pcper.com##.mark-overlay-bg briefing.com##.market-place industryweek.com##.market600 nzherald.co.nz##.marketPlace @@ -141086,6 +146354,7 @@ wraltechwire.com##.mbitalic search.twcc.com##.mbs games.yahoo.com,movies.yahoo.com##.md.links wsj.com##.mdcSponsorBadges +hughhewitt.com##.mdh-main-wrap mtv.com##.mdl_noPosition thestar.com.my##.med-rec indianapublicmedia.org##.med-rect @@ -141095,6 +146364,7 @@ etonline.com##.med_rec medcitynews.com##.medcity-paid-inline fontstock.net##.mediaBox tvbay.org##.mediasrojas +tvplus.co.za##.medihelp-section docspot.com##.medium allmusic.com,edmunds.com##.medium-rectangle monhyip.net##.medium_banner @@ -141135,6 +146405,7 @@ pissedconsumer.com,plussports.com##.midBanner investing.com##.midHeader expertreviews.co.uk##.midLeader siteadvisor.com##.midPageSmallOuterDiv +autotrader.co.za##.midSearch.banner mp3.li##.mid_holder\[style="height: 124px;"] einthusan.com##.mid_leaderboard einthusan.com##.mid_medium_leaderboard @@ -141162,6 +146433,7 @@ mmosite.com##.mmo_textsponsor androidcentral.com##.mn-banner mnn.com##.mnn-homepage-adv1-block cultofmac.com##.mob-mpu +techradar.com##.mobile-hawk-widget techspot.com##.mobile-hide rapidvideo.tv##.mobile_hd thenation.com##.modalContainer @@ -141172,6 +146444,8 @@ alivetorrents.com##.mode itworld.com##.module goal.com##.module-bet-signup goal.com##.module-bet-windrawwin +autotrader.co.uk##.module-ecommerceLinks +kiis1065.com.au##.module-mrec nickelodeon.com.au##.module-mrect heraldsun.com.au##.module-promo-image-01 wptv.com##.module.horizontal @@ -141181,6 +146455,7 @@ quote.com##.module_full prevention.com##.modules americantowns.com##.moduletable-banner healthyplace.com##.moduletablefloatRight +uberrock.co.uk##.moduletablepatches codeasily.com##.money theguardian.com##.money-supermarket dailymail.co.uk,mailonsunday.co.uk,thisismoney.co.uk##.money.item > .cmicons.cleared.bogr3.link-box.linkro-darkred.cnr5 @@ -141196,15 +146471,17 @@ radiosport.co.nz##.mos-sponsor anonymouse.org##.mouselayer merdb.com##.movie_version a\[style="font-size:15px;"] movie2k.tl##.moviedescription + br + div > a +putlocker.is##.movsblu seetickets.com##.mp-sidebar-right newscientist.com##.mpMPU bakersfieldnow.com,katu.com,keprtv.com,komonews.com,kpic.com,kval.com,star1015.com##.mpsponsor -98fm.com,accringtonobserver.co.uk,alloaadvertiser.com,ardrossanherald.com,audioreview.com,autotrader.co.za,barrheadnews.com,birminghammail.co.uk,birminghampost.co.uk,bizarremag.com,bobfm.co.uk,bordertelegraph.com,bracknellnews.co.uk,capitalfm.com,capitalxtra.com,carrickherald.com,caughtoffside.com,centralfifetimes.com,chesterchronicle.co.uk,chroniclelive.co.uk,classicfm.com,clydebankpost.co.uk,computerworlduk.com,coventrytelegraph.net,crewechronicle.co.uk,cultofandroid.com,cumnockchronicle.com,dailypost.co.uk,dailyrecord.co.uk,dcsuk.info,directory.im,divamag.co.uk,dumbartonreporter.co.uk,dunfermlinepress.com,durhamtimes.co.uk,eastlothiancourier.com,econsultancy.com,examiner.co.uk,findanyfilm.com,gardensillustrated.com,gazettelive.co.uk,getbucks.co.uk,getreading.co.uk,getsurrey.co.uk,getwestlondon.co.uk,golf365.com,greenocktelegraph.co.uk,heart.co.uk,helensburghadvertiser.co.uk,impartialreporter.com,independent.co.uk,irishexaminer.com,irvinetimes.com,journallive.co.uk,largsandmillportnews.com,liverpoolecho.co.uk,localberkshire.co.uk,loughboroughecho.net,macclesfield-express.co.uk,macuser.co.uk,manchestereveningnews.co.uk,metoffice.gov.uk,mumsnet.com,musicradar.com,musicradio.com,mygoldmusic.co.uk,newburyandthatchamchronicle.co.uk,newstalk.com,northernfarmer.co.uk,osadvertiser.co.uk,peeblesshirenews.com,pinknews.co.uk,propertynews.com,racecar-engineering.com,radiotimes.com,readingchronicle.co.uk,realradioxs.co.uk,recombu.com,redhillandreigatelife.co.uk,rochdaleonline.co.uk,rossendalefreepress.co.uk,runcornandwidnesweeklynews.co.uk,scotsman.com,skysports.com,sloughobserver.co.uk,smallholder.co.uk,smartertravel.com,smoothradio.com,southportvisiter.co.uk,southwestfarmer.co.uk,spin1038.com,spinsouthwest.com,strathallantimes.co.uk,t3.com,tcmuk.tv,the-gazette.co.uk,theadvertiserseries.co.uk,thecitizen.co.tz,thejournal.co.uk,thelancasterandmorecambecitizen.co.uk,thetimes.co.uk,thevillager.co.uk,timeoutabudhabi.com,timeoutbahrain.com,timeoutdoha.com,timeoutdubai.com,todayfm.com,toffeeweb.com,troontimes.com,txfm.ie,walesonline.co.uk,warringtonguardian.co.uk,wiltshirebusinessonline.co.uk,windsorobserver.co.uk,xfm.co.uk##.mpu -greatbritishlife.co.uk##.mpu-banner +98fm.com,accringtonobserver.co.uk,alloaadvertiser.com,ardrossanherald.com,audioreview.com,autotrader.co.za,barrheadnews.com,bigtop40.com,birminghammail.co.uk,birminghampost.co.uk,bizarremag.com,bobfm.co.uk,bordertelegraph.com,bracknellnews.co.uk,capitalfm.com,capitalxtra.com,carrickherald.com,caughtoffside.com,centralfifetimes.com,chesterchronicle.co.uk,chroniclelive.co.uk,classicfm.com,clydebankpost.co.uk,computerworlduk.com,coventrytelegraph.net,crewechronicle.co.uk,cultofandroid.com,cumnockchronicle.com,dailypost.co.uk,dailyrecord.co.uk,dcsuk.info,directory.im,divamag.co.uk,dumbartonreporter.co.uk,dunfermlinepress.com,durhamtimes.co.uk,eastlothiancourier.com,econsultancy.com,examiner.co.uk,findanyfilm.com,gardensillustrated.com,gazettelive.co.uk,getbucks.co.uk,getreading.co.uk,getsurrey.co.uk,getwestlondon.co.uk,golf365.com,greenocktelegraph.co.uk,heart.co.uk,helensburghadvertiser.co.uk,her.ie,herfamily.ie,impartialreporter.com,independent.co.uk,irishexaminer.com,irvinetimes.com,jamieoliver.com,joe.co.uk,joe.ie,journallive.co.uk,largsandmillportnews.com,liverpoolecho.co.uk,localberkshire.co.uk,loughboroughecho.net,macclesfield-express.co.uk,macuser.co.uk,manchestereveningnews.co.uk,metoffice.gov.uk,mtv.com.lb,mumsnet.com,musicradar.com,musicradio.com,mygoldmusic.co.uk,newburyandthatchamchronicle.co.uk,newstalk.com,northernfarmer.co.uk,osadvertiser.co.uk,peeblesshirenews.com,pinknews.co.uk,propertynews.com,racecar-engineering.com,radiotimes.com,readingchronicle.co.uk,realradioxs.co.uk,recombu.com,redhillandreigatelife.co.uk,rochdaleonline.co.uk,rossendalefreepress.co.uk,runcornandwidnesweeklynews.co.uk,scotsman.com,skysports.com,sloughobserver.co.uk,smallholder.co.uk,smartertravel.com,smoothradio.com,southportvisiter.co.uk,southwestfarmer.co.uk,spin1038.com,spinsouthwest.com,sportsjoe.ie,strathallantimes.co.uk,t3.com,tcmuk.tv,the-gazette.co.uk,theadvertiserseries.co.uk,thecitizen.co.tz,thejournal.co.uk,thelancasterandmorecambecitizen.co.uk,thetimes.co.uk,thevillager.co.uk,timeoutabudhabi.com,timeoutbahrain.com,timeoutdoha.com,timeoutdubai.com,todayfm.com,toffeeweb.com,troontimes.com,tv3.ie,txfm.ie,walesonline.co.uk,warringtonguardian.co.uk,wiltshirebusinessonline.co.uk,windsorobserver.co.uk,xfm.co.uk##.mpu +greatbritishlife.co.uk,sport360.com##.mpu-banner 4music.com##.mpu-block rightmove.co.uk##.mpu-slot muzu.tv##.mpu-wrap crash.net##.mpuBack +digitalartsonline.co.uk##.mpuHolder lonelyplanet.com##.mpuWrapper slidetoplay.com##.mpu_content_banner popjustice.com##.mpufloatleft @@ -141233,6 +146510,8 @@ manchesterconfidential.co.uk##.nag bbc.com##.native-promo-button 9gag.com##.naughty-box animenfo.com##.nav2 +btstorrent.so##.nav_bar + p\[style="margin:4px 0 10px 10px;font-size:14px;width:auto;padding:2px 50px 2px 50px;display:inline-block;border:none;border-radius:3px;background:#EBDCAF;color:#BE8714;font-weight:bold;"] + .tor +bloodninja.org##.navbar + .container-fluid > .row:first-child > .col-md-2:first-child typo3.org##.navigationbanners nba.com##.nbaSponsored universalsports.com##.nbc_Adv @@ -141246,6 +146525,7 @@ celebritynetworth.com##.networth_content_advert keepcalm-o-matic.co.uk##.new-banner northjersey.com##.newerheaderbg instructables.com##.newrightbar_div_10 +jpost.com##.news-feed-banner ckom.com,newstalk650.com##.news-sponsor afterdawn.com##.newsArticleGoogle afterdawn.com##.newsGoogleContainer @@ -141260,6 +146540,7 @@ hulkshare.com##.nhsBotBan travel.yahoo.com##.niftyoffst\[style="background-color: #CECECE; padding: 0px 2px 0px;"] 9news.com.au,ninemsn.com.au##.ninemsn-advert cosmopolitan.com.au,dolly.com.au##.ninemsn-mrec +filenuke.com,sharesix.com##.nnrplace smartmoney.com##.no-top-margin thedailycrux.com##.noPrint mtv.co.uk##.node-download @@ -141274,6 +146555,7 @@ cookingforengineers.com##.nothing primeshare.tv##.notification\[style="width:900px; margin-left:-10px;margin-bottom:-1px;"] philly.com##.nouveau financialpost.com##.npBgSponsoredLinks +channel4fm.com##.npDownload financialpost.com##.npSponsor financialpost.com,nationalpost.com##.npSponsorLogo nascar.com##.nscrAd @@ -141314,10 +146596,12 @@ search.yahoo.com##.overture getprice.com.au##.overviewnc2_side_mrec facebook.com##.ownsection\[role="option"] info.co.uk##.p +worldoftanks-wot.com##.p2small local.com##.pB5.mB15 polls.aol.com##.p_divR amazon.com##.pa-sp-container chaptercheats.com,longislandpress.com,tucows.com##.pad10 +demonoid.pw##.pad9px_left > table:nth-child(8) inquirer.net##.padtopbot5 xtremevbtalk.com##.page > #collapseobj_rbit hotfrog.ca,hotfrog.com,hotfrog.com.au,hotfrog.com.my##.page-banner @@ -141326,6 +146610,7 @@ politico.com##.page-skin-graphic channel4.com##.page-top-banner vehix.com##.pageHead krcrtv.com,ktxs.com,nbcmontana.com,wcti12.com,wcyb.com##.pageHeaderRow1 +freebetcodes.info##.page_free-bet-codes_1 nzcity.co.nz##.page_skyscraper nationalreview.com##.pagetools\[align="center"] optimum.net##.paidResult @@ -141336,19 +146621,21 @@ womenshealthmag.com##.pane-block-150 bostonherald.com##.pane-block-20 galtime.com##.pane-block-9 sportfishingmag.com##.pane-channel-sponsors-list -settv.co.za,sonymax.co.za##.pane-dart-dart-tag-300x250-rectangle +animax-asia.com,axn-asia.com,betvasia.com,gemtvasia.com,movies4men.co.uk,onetvasia.com,settv.co.za,sonychannel.co.za,sonychannelasia.com,sonymax.co.za,sonymoviechannel.co.uk,sonytv.com##.pane-dart-dart-tag-300x250-rectangle soundandvisionmag.com##.pane-dart-dart-tag-bottom thedrum.com##.pane-dfp thedrum.com##.pane-dfp-drum-mpu-adsense educationpost.com.hk##.pane-dfp-homepage-728x90 texasmonthly.com##.pane-dfp-sidebar-medium-rectangle-1 texasmonthly.com##.pane-dfp-sidebar-medium-rectangle-2 +pri.org##.pane-node-field-links-sponsors scmp.com##.pane-scmp-advert-doubleclick 2gb.com##.pane-sponsored-links-2 sensis.com.au##.panel tampabay.com##.panels-flexible-row-75-8 panarmenian.net##.panner_2 nst.com.my##.parargt +whatsthescore.com##.parier prolificnotion.co.uk,usatoday.com##.partner investopedia.com##.partner-center mail.com##.partner-container @@ -141356,10 +146643,11 @@ thefrisky.com##.partner-link-boxes-container nationtalk.ca##.partner-slides emporis.com##.partner-small timesofisrael.com##.partner-widget +domainmasters.co.ke##.partner2 kat.ph##.partner2Button kat.ph##.partner3Button newser.com##.partnerBottomBorder -solarmovie.so##.partnerButton +solarmovie.ag,solarmovie.so##.partnerButton bing.com##.partnerLinks newser.com##.partnerLinksText delish.com##.partnerPromoCntr @@ -141370,7 +146658,7 @@ mamaslatinas.com##.partner_links freshnewgames.com##.partnercontent_box money.msn.com##.partnerlogo bhg.com##.partnerpromos -2oceansvibe.com,amny.com,bundesliga.com,computershopper.com,evertonfc.com,freedict.com,independent.co.uk,pcmag.com,tgdaily.com,tweetmeme.com,wbj.pl,wilv.com##.partners +2oceansvibe.com,browardpalmbeach.com,bundesliga.com,citypages.com,computershopper.com,dallasobserver.com,evertonfc.com,freedict.com,houstonpress.com,independent.co.uk,miaminewtimes.com,ocweekly.com,pcmag.com,phoenixnewtimes.com,riverfronttimes.com,tgdaily.com,tweetmeme.com,villagevoice.com,wbj.pl,westword.com,wilv.com##.partners araratadvertiser.com.au,areanews.com.au,armidaleexpress.com.au,avonadvocate.com.au,batemansbaypost.com.au,baysidebulletin.com.au,begadistrictnews.com.au,bellingencourier.com.au,bendigoadvertiser.com.au,blayneychronicle.com.au,bombalatimes.com.au,boorowanewsonline.com.au,bordermail.com.au,braidwoodtimes.com.au,bunburymail.com.au,busseltonmail.com.au,camdencourier.com.au,canowindranews.com.au,centraladvocate.com.au,centralwesterndaily.com.au,cessnockadvertiser.com.au,colliemail.com.au,colypointobserver.com.au,coomaexpress.com.au,cootamundraherald.com.au,cowraguardian.com.au,crookwellgazette.com.au,dailyadvertiser.com.au,dailyliberal.com.au,donnybrookmail.com.au,dungogchronicle.com.au,easternriverinachronicle.com.au,edenmagnet.com.au,esperanceexpress.com.au,forbesadvocate.com.au,gleninnesexaminer.com.au,gloucesteradvocate.com.au,goondiwindiargus.com.au,goulburnpost.com.au,greatlakesadvocate.com.au,grenfellrecord.com.au,guyraargus.com.au,hardenexpress.com.au,hepburnadvocate.com.au,huntervalleynews.net.au,inverelltimes.com.au,irrigator.com.au,juneesoutherncross.com.au,lakesmail.com.au,lithgowmercury.com.au,macleayargus.com.au,mailtimes.com.au,maitlandmercury.com.au,mandurahmail.com.au,manningrivertimes.com.au,margaretrivermail.com.au,merimbulanewsonline.com.au,merredinmercury.com.au,moreechampion.com.au,mudgeeguardian.com.au,muswellbrookchronicle.com.au,myallcoastnota.com.au,nambuccaguardian.com.au,naroomanewsonline.com.au,narrominenewsonline.com.au,newcastlestar.com.au,northerndailyleader.com.au,northweststar.com.au,nvi.com.au,nynganobserver.com.au,oberonreview.com.au,parkeschampionpost.com.au,portnews.com.au,portpirierecorder.com.au,portstephensexaminer.com.au,queanbeyanage.com.au,riverinaleader.com.au,sconeadvocate.com.au,singletonargus.com.au,southcoastregister.com.au,southernhighlandnews.com.au,southernweekly.com.au,standard.net.au,stawelltimes.com.au,summitsun.com.au,tenterfieldstar.com.au,theadvocate.com.au,thecourier.com.au,theherald.com.au,theridgenews.com.au,therural.com.au,townandcountrymagazine.com.au,ulladullatimes.com.au,waginargus.com.au,walchanewsonline.com.au,wauchopegazette.com.au,wellingtontimes.com.au,westernadvocate.com.au,westernmagazine.com.au,winghamchronicle.com.au,yasstribune.com.au,youngwitness.com.au##.partners-container serverwatch.com##.partners_ITs racinguk.com##.partners_carousel_container @@ -141401,7 +146689,7 @@ qikr.co##.placeholder1 qikr.co##.placeholder2 autotrader.co.uk##.placeholderBottomLeaderboard autotrader.co.uk##.placeholderTopLeaderboard -dummies.com##.placement +dummies.com,laweekly.com##.placement world-airport-codes.com##.placement-leaderboard world-airport-codes.com##.placement-mpu world-airport-codes.com##.placement-skyscraper @@ -141447,6 +146735,7 @@ cincinnati.com,wbir.com##.poster-container phonebook.com.pk##.posterplusmiddle phonebook.com.pk##.posterplustop picocool.com##.postgridsingle +1019thewolf.com,923thefox.com,fox1150.com,hot1035radio.com,indie1031.com##.posts-banner firstpost.com##.powBy geekzone.co.nz##.poweredBy infowars.com,prisonplanet.com##.ppani @@ -141485,7 +146774,7 @@ openwith.org##.program-link pbs.org##.program-support gokunming.com##.prom wnd.com##.prom-full-width-expandable -babynamegenie.com,computerandvideogames.com,dailyrecord.co.uk,eclipse.org,film.com,foreignpolicy.com,indiatimes.com,irishmirror.ie,manchestereveningnews.co.uk,nbcbayarea.com,networkworld.com,planetsourcecode.com,sandiego6.com,sciagaj.org,thenextweb.com,theonion.com,totalxbox.com,varsity.com,wsj.com##.promo +babynamegenie.com,computerandvideogames.com,dailyrecord.co.uk,eclipse.org,film.com,foreignpolicy.com,irishmirror.ie,manchestereveningnews.co.uk,nbcbayarea.com,networkworld.com,planetsourcecode.com,sandiego6.com,sciagaj.org,thenextweb.com,theonion.com,totalxbox.com,varsity.com,wsj.com##.promo yfrog.com,yt-festivals.appspot.com##.promo-area bbcgoodfood.com,pri.org##.promo-box lamag.com##.promo-container @@ -141500,9 +146789,10 @@ imageshack.com##.promo-right thepeoplesperson.com##.promo-right-300 miniclip.com##.promo-text miniclip.com##.promo-unit -infoworld.com,itworld.com##.promo.list +cio.com,csoonline.com,infoworld.com,itworld.com,javaworld.com##.promo.list bollywoodhungama.com##.promo266 cnet.com##.promo3000 +semoneycontrol.com##.promoBanner downloadcrew.com##.promoBar zdnet.com##.promoBox fitnessmagazine.com##.promoContainer @@ -141523,12 +146813,15 @@ twitter.com##.promoted-trend twitter.com##.promoted-tweet youtube.com##.promoted-videos search.genieo.com##.promoted_right +bizcommunity.com##.promotedcontent-box reddit.com##.promotedlink +northcountrypublicradio.org##.promotile twitter.com##.promotion yfrog.com##.promotion-side vogue.co.uk##.promotionButtons thenextweb.com##.promotion_frame mademan.com##.promotion_module +951shinefm.com##.promotional-space wired.co.uk##.promotions domainnamewire.com##.promotions_120x240 journallive.co.uk,liverpooldailypost.co.uk,people.co.uk,walesonline.co.uk##.promotop @@ -141575,9 +146868,11 @@ search.icq.com##.r2-1 decoist.com##.r300 periscopepost.com##.r72890 contactmusic.com##.rCol -rt.com##.r_banner +joins.com,rt.com##.r_banner dietsinreview.com##.r_content_300x250 wahm.com##.rad-links +wired.com##.rad-top +dawn.com##.radWrapper kvcr.org##.radio_livesupport about.com##.radlinks mygames4girls.com##.rads07 @@ -141620,6 +146915,7 @@ extrahardware.com##.region-skyscraper freshwap.net##.regular futbol24.com##.rek topclassifieds.info##.reklama_vip +radiosi.eu##.reklame appleinsider.com##.rel-half-r-cnt-ad israbox.com,sedoparking.com,techeblog.com##.related pokerupdate.com##.related-room @@ -141632,13 +146928,14 @@ forums.whirlpool.net.au##.reply\[style="padding: 0;"] search.icq.com##.res_sp techrepublic.com##.resource-centre intelius.com##.resourceBox -informationweek.com,infoworld.com##.resources +cio.com,informationweek.com##.resources website-unavailable.com##.response macmillandictionary.com##.responsive_cell_whole simplefilesearch.com##.result-f wrongdiagnosis.com##.result_adv yellowpages.bw,yellowpages.co.ls,yellowpages.co.zm##.result_item_gold yellowpages.bw,yellowpages.co.ls,yellowpages.co.zm##.result_item_silver +torrents.de,torrentz.ch,torrentz.com,torrentz.eu,torrentz.in,torrentz.li,torrentz.me,torrentz.ph##.results > h3 > div\[style="text-align:center"] hotbot.com##.results-top yellowbook.com##.resultsBanner nickjr.com##.resultsSponsoredBy @@ -141658,6 +146955,7 @@ pv-magazine.com##.ric_rot_banner siteslike.com##.rif marieclaire.co.uk,search.smartaddressbar.com,usnewsuniversitydirectory.com##.right yourepeat.com##.right > .bigbox:first-child +intoday.in##.right-add jrn.com##.right-banner linuxinsider.com,macnewsworld.com##.right-bb greenbiz.com,greenerdesign.com##.right-boom-small @@ -141692,6 +146990,7 @@ findlaw.com##.rightcol_300x250 findlaw.com##.rightcol_sponsored coolest-gadgets.com##.rightcolbox\[style="height: 250px;"] computerworld.co.nz##.rightcontent +khmertimeskh.com##.rightheader bikesportnews.com##.rightmpu press-citizen.com##.rightrail-promo theteachercorner.net##.rightside @@ -141723,6 +147022,7 @@ theatlantic.com##.rotating-article-promo impactwrestling.com,newswireless.net##.rotator leadership.ng##.rotor leadership.ng##.rotor-items\[style="width: 300px; height: 260px; visibility: visible;"] +toolslib.net##.row > .col-md-5 > .rotate-90 lonelyplanet.com##.row--leaderboard bikechatforums.com##.row1\[style="padding: 5px;"] bikechatforums.com##.row2\[style="padding: 5px;"] @@ -141851,7 +147151,7 @@ autos.msn.com##.showcase zillow.com##.showcase-outline crunchyroll.com##.showmedia-tired-of-ads complex.com##.side-300x600 -makeuseof.com##.side-banner +makeuseof.com,viva.co.nz##.side-banner apptism.com##.side-banner-holder metrolyrics.com##.side-box.clearfix desktopreview.com##.side-resouresc @@ -141869,6 +147169,7 @@ electricpig.co.uk##.side_wide_banner blackpenguin.net,newburytoday.co.uk##.sidebar weknowmemes.com##.sidebar > .widgetcontainer linksfu.com##.sidebar > ul > .sidebox +thejointblog.com##.sidebar img\[width="235"]\[height="150"] reelseo.com##.sidebar-125-box reelseo.com##.sidebar-125-events makeuseof.com##.sidebar-banner @@ -141877,6 +147178,7 @@ infdaily.com##.sidebar-box4 ditii.com##.sidebar-left rte.ie##.sidebar-mpu blogtechnical.com##.sidebar-outline +g4chan.com##.sidebar-rectangle techi.com##.sidebar-rectangle-banner timesofisrael.com##.sidebar-spotlight techi.com##.sidebar-square-banner @@ -141912,7 +147214,7 @@ zerohedge.com##.similar-box greatis.com##.sing cryptothrift.com##.single-auction-ad infosecurity-magazine.com##.site-leaderboard -fxstreet.com##.site-sponsor +fxstreet.com,macstories.net##.site-sponsor faithtalk1500.com,kfax.com,wmca.com##.siteWrapLink itproportal.com##.site_header cracked.com##.site_sliver @@ -141926,6 +147228,7 @@ indeed.com##.sjl0 indeed.co.uk,indeed.com##.sjl1t bit.com.au##.skin-btn autocarindia.com##.skin-link +tennisworldusa.org##.skin1 videogamer.com,zdnet.com##.skinClick entrepreneur.com,newstatesman.com##.sky miniclip.com##.sky-wrapper @@ -141961,7 +147264,7 @@ thebeachchannel.tv##.slideshow kcra.com,ketv.com,kmbc.com,wcvb.com,wpbf.com,wtae.com##.slideshowCover bonappetit.com##.slideshow_sidebar_divider thephuketnews.com##.slidesjs-container -burbankleader.com,chicagotribune.com,citypaper.com,dailypilot.com,glendalenewspress.com,hbindependent.com,lacanadaonline.com,redeyechicago.com,vacationstarter.com,vagazette.com##.slidingbillboard +burbankleader.com,citypaper.com,dailypilot.com,glendalenewspress.com,hbindependent.com,lacanadaonline.com,vacationstarter.com,vagazette.com##.slidingbillboard foodfacts.com##.slimBanner ecommercetimes.com##.slink-text ecommercetimes.com##.slink-title @@ -142007,6 +147310,7 @@ nationmultimedia.com##.span-7-1\[style="height:250px; overflow:hidden;"] kcsoftwares.com##.span2.well picosearch.com##.spblock askmen.com##.special +newsweek.com##.special-insight fashionmagazine.com##.special-messages pcmag.com##.special-offers euronews.com##.specialCoveragePub @@ -142038,11 +147342,11 @@ mediagazer.com##.sponrn pho.to,smartwebby.com,workhound.co.uk,yahoo.com##.spons blekko.com##.spons-res njuice.com,wwitv.com##.sponsb -timesofindia.indiatimes.com##.sponserlink -1310news.com,2oceansvibe.com,964eagle.co.uk,abc22now.com,airliners.net,animepaper.net,app.com,ar15.com,austinist.com,b100quadcities.com,bexhillobserver.net,blackpoolfc.co.uk,blackpoolgazette.co.uk,bloomberg.com,bognor.co.uk,bostonstandard.co.uk,brisbanetimes.com.au,brothersoft.com,businessinsider.com,canberratimes.com.au,cbslocal.com,cd1025.com,chicagoist.com,chichester.co.uk,concordmonitor.com,dcist.com,domainincite.com,eastbourneherald.co.uk,electricenergyonline.com,europages.co.uk,gamingcloud.com,gothamist.com,halifaxcourier.co.uk,hastingsobserver.co.uk,hellomagazine.com,homelife.com.au,informationweek.com,isearch.igive.com,khak.com,kkyr.com,kosy790am.com,kpbs.org,ktla.com,kygl.com,laist.com,lcfc.com,lep.co.uk,limerickleader.ie,lmgtfy.com,mg.co.za,mix933fm.com,networkworld.com,newrepublic.com,news1130.com,newsweek.com,nocamels.com,pastie.org,pogo.com,portsmouth.co.uk,power959.com,prestontoday.net,proactiveinvestors.com,proactiveinvestors.com.au,publicradio.org,rock1049.com,rte.ie,scotsman.com,sfist.com,shieldsgazette.com,skysports.com,smh.com.au,spaldingtoday.co.uk,star935fm.com,sunderlandecho.com,techonomy.com,theage.com.au,thescarboroughnews.co.uk,thestar.co.uk,theworld.org,userscripts.org,variety.com,verizon.net,videolan.org,washingtonpost.com,watoday.com.au,wayfm.com,wfnt.com,wigantoday.net,wklh.com,wscountytimes.co.uk,wsj.com,yorkshireeveningpost.co.uk,yorkshirepost.co.uk,zdnet.co.uk,zuula.com##.sponsor +1310news.com,2oceansvibe.com,964eagle.co.uk,abc22now.com,airliners.net,animepaper.net,app.com,ar15.com,austinist.com,b100quadcities.com,bexhillobserver.net,blackpoolfc.co.uk,blackpoolgazette.co.uk,bloomberg.com,bognor.co.uk,bostonstandard.co.uk,brisbanetimes.com.au,brothersoft.com,businessinsider.com,canberratimes.com.au,cbslocal.com,cd1025.com,chicagoist.com,chichester.co.uk,concordmonitor.com,dcist.com,domainincite.com,eastbourneherald.co.uk,electricenergyonline.com,europages.co.uk,gamingcloud.com,gothamist.com,halifaxcourier.co.uk,hastingsobserver.co.uk,hellomagazine.com,homelife.com.au,informationweek.com,isearch.igive.com,khak.com,kkyr.com,kosy790am.com,kpbs.org,ktla.com,kygl.com,laist.com,lcfc.com,lep.co.uk,limerickleader.ie,lmgtfy.com,mg.co.za,mix933fm.com,networkworld.com,newrepublic.com,news1130.com,newsweek.com,nocamels.com,nouse.co.uk,pastie.org,pogo.com,portsmouth.co.uk,power959.com,prestontoday.net,proactiveinvestors.com,proactiveinvestors.com.au,publicradio.org,rock1049.com,rte.ie,scotsman.com,sfist.com,shieldsgazette.com,skysports.com,smh.com.au,spaldingtoday.co.uk,star935fm.com,sunderlandecho.com,techonomy.com,theage.com.au,thescarboroughnews.co.uk,thestar.co.uk,theworld.org,userscripts.org,variety.com,verizon.net,videolan.org,washingtonpost.com,watoday.com.au,wayfm.com,wfnt.com,wigantoday.net,wklh.com,wscountytimes.co.uk,wsj.com,yorkshireeveningpost.co.uk,yorkshirepost.co.uk,zdnet.co.uk,zuula.com##.sponsor search.comcast.net##.sponsor-6 kiswrockgirls.com##.sponsor-banner bbc.com##.sponsor-container +search.yahoo.com##.sponsor-dd pcmag.com##.sponsor-head theweek.co.uk##.sponsor-image diynetwork.com##.sponsor-lead @@ -142055,6 +147359,7 @@ mnn.com##.sponsor-title-image theweek.co.uk##.sponsor-top linux-mag.com##.sponsor-widget tumblr.com##.sponsor-wrap +clgaming.net##.sponsor-wrapper 411.com,whitepages.com,wprugby.com##.sponsor1 msn.com,wprugby.com##.sponsor2 msn.com,wprugby.com##.sponsor3 @@ -142067,15 +147372,15 @@ dlife.com##.sponsorSpecials blbclassic.org##.sponsorZone channel5.com##.sponsor_container bolandrugby.com##.sponsor_holder -103gbfrocks.com,1061evansville.com,1130thetiger.com,580kido.com,790wtsk.com,943loudwire.com,953thebear.com,991wdgm.com,999thepoint.com,am1400espn.com,b1017online.com,i1071.com,i95rock.com,k2radio.com,k99.com,kdat.com,kezj.com,khak.com,kissfm969.com,krna.com,ktemnews.com,kygl.com,mix106radio.com,mix933fm.com,newstalk1280.com,nj1015.com,tide991.com,tri1025.com,wblm.com,wbsm.com,wcyy.com,wfnt.com,wjltevansville.com,wkdq.com,wtug.com,y105music.com##.sponsor_image videolan.org##.sponsor_img +go963mn.com##.sponsor_strip sat-television.com,satfriends.com,satsupreme.com##.sponsor_wrapper freeyourandroid.com##.sponsorarea vancouversun.com##.sponsorcontent buump.me##.sponsord monsterindia.com##.sponsoreRes monsterindia.com##.sponsoreRes_rp -24hrs.ca,92q.com,abovethelaw.com,app.com,argusleader.com,asktofriends.com,azdailysun.com,battlecreekenquirer.com,baxterbulletin.com,break.com,bucyrustelegraphforum.com,burlingtonfreepress.com,centralohio.com,chillicothegazette.com,chronicle.co.zw,cincinnati.com,cio.com,citizen-times.com,clarionledger.com,cnbc.com,cnet.com,coloradoan.com,computerworld.com,coshoctontribune.com,courier-journal.com,courierpostonline.com,dailyrecord.com,dailyworld.com,defensenews.com,delawareonline.com,delmarvanow.com,desmoinesregister.com,divamag.co.uk,dnj.com,examiner.co.uk,express.co.uk,fdlreporter.com,federaltimes.com,findbestvideo.com,floridatoday.com,freep.com,funnyordie.com,geektime.com,govtech.com,greatfallstribune.com,greenbaypressgazette.com,greenvilleonline.com,guampdn.com,hattiesburgamerican.com,hellobeautiful.com,herald.co.zw,hometownlife.com,hotklix.com,htrnews.com,imgur.com,indystar.com,infoworld.com,ithacajournal.com,jacksonsun.com,jconline.com,knoworthy.com,lansingstatejournal.com,lfpress.com,livingstondaily.com,lohud.com,lycos.com,mansfieldnewsjournal.com,marionstar.com,marketingland.com,marshfieldnewsherald.com,montgomeryadvertiser.com,mycentraljersey.com,mydesert.com,mywot.com,networkworld.com,newarkadvocate.com,news-leader.com,news-press.com,newsleader.com,newsone.com,niagarafallsreview.ca,noscript.net,nugget.ca,pal-item.com,pcworld.com,phoenixnewtimes.com,pnj.com,portclintonnewsherald.com,postcrescent.com,poughkeepsiejournal.com,press-citizen.com,pressconnects.com,racinguk.com,rapidlibrary.com,rgj.com,salon.com,scottishdailyexpress.co.uk,sctimes.com,searchengineland.com,seroundtable.com,sheboyganpress.com,shreveporttimes.com,slate.com,stargazette.com,statesmanjournal.com,stevenspointjournal.com,tallahassee.com,tennessean.com,theadvertiser.com,theatlantic.com,thebarrieexaminer.com,thecalifornian.com,thedailyjournal.com,thedailyobserver.ca,theguardian.com,theleafchronicle.com,thenews-messenger.com,thenewsstar.com,thenorthwestern.com,theobserver.ca,thepeterboroughexaminer.com,thespectrum.com,thestarpress.com,thetimesherald.com,thetowntalk.com,torrentz.in,torrentz.me,trovit.co.uk,visaliatimesdelta.com,washingtonpost.com,wausaudailyherald.com,wheels.ca,wisconsinrapidstribune.com,yippy.com,zanesvilletimesrecorder.com##.sponsored +24hrs.ca,92q.com,abovethelaw.com,app.com,argusleader.com,asktofriends.com,azdailysun.com,battlecreekenquirer.com,baxterbulletin.com,break.com,bucyrustelegraphforum.com,burlingtonfreepress.com,centralohio.com,chillicothegazette.com,chronicle.co.zw,cincinnati.com,cio.com,citizen-times.com,clarionledger.com,cnbc.com,cnet.com,coloradoan.com,computerworld.com,coshoctontribune.com,courier-journal.com,courierpostonline.com,dailyrecord.com,dailyworld.com,defensenews.com,delawareonline.com,delmarvanow.com,desmoinesregister.com,divamag.co.uk,dnj.com,examiner.co.uk,express.co.uk,fdlreporter.com,federaltimes.com,findbestvideo.com,floridatoday.com,freep.com,funnyordie.com,geektime.com,govtech.com,greatfallstribune.com,greenbaypressgazette.com,greenvilleonline.com,guampdn.com,hattiesburgamerican.com,hellobeautiful.com,herald.co.zw,hometownlife.com,hotklix.com,htrnews.com,imgur.com,indystar.com,infoworld.com,isohunt.to,ithacajournal.com,ixquick.com,jacksonsun.com,javaworld.com,jconline.com,knoworthy.com,lansingstatejournal.com,lfpress.com,livingstondaily.com,lohud.com,lycos.com,mansfieldnewsjournal.com,marionstar.com,marketingland.com,marshfieldnewsherald.com,montgomeryadvertiser.com,mycentraljersey.com,mydesert.com,mywot.com,networkworld.com,newarkadvocate.com,news-leader.com,news-press.com,newsleader.com,newsone.com,niagarafallsreview.ca,noscript.net,nugget.ca,pal-item.com,pcworld.com,phoenixnewtimes.com,pnj.com,portclintonnewsherald.com,postcrescent.com,poughkeepsiejournal.com,press-citizen.com,pressconnects.com,racinguk.com,rapidlibrary.com,rgj.com,salon.com,scottishdailyexpress.co.uk,sctimes.com,searchengineland.com,seroundtable.com,sheboyganpress.com,shreveporttimes.com,slate.com,stargazette.com,startpage.com,statesmanjournal.com,stevenspointjournal.com,tallahassee.com,tennessean.com,theadvertiser.com,theatlantic.com,thebarrieexaminer.com,thecalifornian.com,thedailyjournal.com,thedailyobserver.ca,theguardian.com,theleafchronicle.com,thenews-messenger.com,thenewsstar.com,thenorthwestern.com,theobserver.ca,thepeterboroughexaminer.com,thespectrum.com,thestarpress.com,thetimesherald.com,thetowntalk.com,torrentz.in,torrentz.me,trovit.co.uk,visaliatimesdelta.com,washingtonpost.com,wausaudailyherald.com,wheels.ca,wisconsinrapidstribune.com,yippy.com,zanesvilletimesrecorder.com##.sponsored gardensillustrated.com##.sponsored-articles citizen.co.za,policeone.com##.sponsored-block general-files.com##.sponsored-btn @@ -142101,6 +147406,7 @@ eluta.ca##.sponsoredJobsTable iol.co.za##.sponsoredLinksList technologyreview.com##.sponsored_bar generalfiles.me##.sponsored_download +news24.com##.sponsored_item jobs.aol.com##.sponsored_listings tumblr.com##.sponsored_post funnyordie.com##.sponsored_videos @@ -142109,7 +147415,7 @@ news-medical.net##.sponsorer-note classifiedads.com##.sponsorhitext dailyglow.com##.sponsorlogo premierleague.com##.sponsorlogos -affiliatesrating.com,allkpop.com,androidfilehost.com,arsenal.com,audiforums.com,blueletterbible.org,canaries.co.uk,capitalfm.co.ke,dolliecrave.com,eaglewavesradio.com.au,foodhub.co.nz,freshwap.me,herold.at,indiatimes.com,keepvid.com,meanjin.com.au,morokaswallows.co.za,nesn.com,quotes.net,thebulls.co.za,thinksteroids.com,wbal.com,yellowpageskenya.com##.sponsors +affiliatesrating.com,allkpop.com,androidfilehost.com,arsenal.com,audiforums.com,blueletterbible.org,canaries.co.uk,capitalfm.co.ke,dolliecrave.com,eaglewavesradio.com.au,foodhub.co.nz,freshwap.me,geckoforums.net,herold.at,keepvid.com,lake-link.com,meanjin.com.au,morokaswallows.co.za,nesn.com,quotes.net,thebulls.co.za,thedailywtf.com,thinksteroids.com,wbal.com,yellowpageskenya.com##.sponsors herold.at##.sponsors + .hdgTeaser herold.at##.sponsors + .hdgTeaser + #karriere pri.org##.sponsors-logo-group @@ -142136,7 +147442,7 @@ superpages.com##.sponsreulst tuvaro.com##.sponsrez wwitv.com##.sponstv dailymail.co.uk,mailonsunday.co.uk##.sport.item > .cmicons.cleared.bogr3.link-box.linkro-darkred.cnr5 -alexandriagazette.com,arlingtonconnection.com,burkeconnection.com,centre-view.com,connection-sports.com,fairfaxconnection.com,fairfaxstationconnection.com,garfield.com,greatfallsconnection.com,herndonconnection.com,kusports.com,mcleanconnection.com,mountvernongazette.com,potomacalmanac.com,reston-connection.com,springfieldconnection.com,union-bulletin.com,viennaconnection.com##.spot +alexandriagazette.com,arlingtonconnection.com,burkeconnection.com,centre-view.com,connection-sports.com,emporis.com,fairfaxconnection.com,fairfaxstationconnection.com,garfield.com,greatfallsconnection.com,herndonconnection.com,kusports.com,mcleanconnection.com,mountvernongazette.com,potomacalmanac.com,reston-connection.com,springfieldconnection.com,union-bulletin.com,viennaconnection.com##.spot thewhir.com##.spot-125x125 thewhir.com##.spot-234x30 thewhir.com##.spot-728x90 @@ -142147,6 +147453,7 @@ jpost.com##.spotlight-long edmunds.com##.spotlight-set jpost.com##.spotlight-single u-file.net##.spottt_tb +drum.co.za,thejuice.co.za##.spreetv--container digitalmemo.net##.spresults walmart.com##.sprite-26_IMG_ADVERTISEMENT_94x7 picosearch.com##.sptitle @@ -142178,6 +147485,7 @@ stardoll.com##.stardollads simplyassist.co.uk##.std_BottomLine pcauthority.com.au##.storeWidget pcauthority.com.au##.storeWidgetBottom +punchng.com##.story-bottom abcnews.go.com##.story-embed-left.box m.facebook.com,touch.facebook.com##.storyStream > ._6t2\[data-sigil="marea"] m.facebook.com,touch.facebook.com##.storyStream > .fullwidth._539p @@ -142201,6 +147509,7 @@ deviantart.com,sta.sh##.subbyCloseX ycuniverse.com##.subheader_container businessinsider.com##.subnav-container viralviralvideos.com##.suf-horizontal-widget +interaksyon.com##.super-leader-board t3.com##.superSky djtunes.com##.superskybanner wamu.org##.supportbanner @@ -142208,11 +147517,14 @@ listio.com##.supporter spyka.net##.swg-spykanet-adlocation-250 eweek.com##.sxs-mod-in eweek.com##.sxs-spon +tourofbritain.co.uk##.sys_googledfp sedoparking.com##.system.links emoneyspace.com##.t_a_c movreel.com##.t_download torrentbit.net##.t_splist dealsofamerica.com##.tab_ext +whatsthescore.com##.table-odds +newsbtc.com##.table-responsive thescore.com##.tablet-big-box thescore.com##.tablet-leaderboard relevantradio.com##.tabs @@ -142226,6 +147538,7 @@ recombu.com##.takeover-left flicks.co.nz##.takeover-link recombu.com##.takeover-right speedtv.com##.takeover_link +tamilyogi.tv##.tamilyogi taste.com.au##.taste-leaderboard-ad fulldls.com##.tb_ind koreaherald.com##.tbanner @@ -142245,6 +147558,7 @@ soccerway.com##.team-widget-wrapper-content-placement 4shared.com,itproportal.com##.teaser mmegi.bw##.template_leaderboard_space dirpy.com##.text-center\[style="margin-top: 20px"] +dirpy.com##.text-center\[style="margin-top: 20px;display: block;"] adelaidenow.com.au##.text-g-an-web-group-news-affiliate couriermail.com.au##.text-g-cm-web-group-news-affiliate perthnow.com.au##.text-g-pn-web-group-news-affiliate @@ -142268,6 +147582,7 @@ seedmagazine.com##.theAd burntorangereport.com##.theFlip thonline.com##.thheaderweathersponsor vogue.com##.thin_banner +hqq.tv##.this_pays thesaturdaypaper.com.au##.thp-wrapper y100.com##.threecolumn_rightcolumn affiliates4u.com##.threehundred @@ -142284,6 +147599,7 @@ pichunter.com##.tiny cincinnati.com##.tinyclasslink aardvark.co.nz##.tinyprint softwaredownloads.org##.title2 +sumotorrent.sx##.title_green\[align="left"]\[style="margin-top:18px;"] + table\[cellspacing="0"]\[cellpadding="0"]\[border="0"] domains.googlesyndication.com##.title_txt02 wambie.com##.titulo_juego1_ad_200x200 myspace.com##.tkn_medrec @@ -142295,18 +147611,19 @@ timeout.com##.to-offers ghanaweb.com##.tonaton-ads mp3lyrics.org##.tonefuse_link newsok.com##.toolbar_sponsor -investopedia.com,thehill.com##.top +investopedia.com,runescape.com,thehill.com##.top warezchick.com##.top > p:last-child searchza.com,webpronews.com##.top-750 -9to5google.com,animetake.com,arabianbusiness.com,brainz.org,dailynews.gov.bw,ebony.com,extremesportman.com,leadership.ng,leedsunited.com,letstalkbitcoin.com,rockthebells.net,spanishdict.com,torrentreactor.net,weeklyworldnews.com##.top-banner +9to5google.com,animetake.com,arabianbusiness.com,brainz.org,dailynews.gov.bw,ebony.com,extremesportman.com,firsttoknow.com,leadership.ng,leedsunited.com,letstalkbitcoin.com,reverso.net,rockthebells.net,spanishdict.com,torrentreactor.com,torrentreactor.net,weeklyworldnews.com##.top-banner manicapost.com##.top-banner-block rumorfix.com##.top-banner-container -imagesfood.com##.top-banner-div citymetric.com##.top-banners +thekit.ca##.top-block golf365.com##.top-con -azdailysun.com,billingsgazette.com,bismarcktribune.com,hanfordsentinel.com,lompocrecord.com,magicvalley.com,missoulian.com,mtstandard.com,napavalleyregister.com,nctimes.com,santamariatimes.com,stltoday.com##.top-leader-wrapper -931dapaina.com,politico.com##.top-leaderboard +azdailysun.com,billingsgazette.com,bismarcktribune.com,hanfordsentinel.com,journalstar.com,lompocrecord.com,magicvalley.com,missoulian.com,mtstandard.com,napavalleyregister.com,nctimes.com,santamariatimes.com,stltoday.com##.top-leader-wrapper +931dapaina.com,politico.com,sciencedaily.com##.top-leaderboard film.com##.top-leaderboard-container +sciencedaily.com##.top-rectangle 1340bigtalker.com##.top-right-banner espnfc.com##.top-row theticketmiami.com##.top-super-leaderboard @@ -142321,13 +147638,14 @@ celebrity.aol.co.uk,christianpost.com,comicsalliance.com,csnews.com,europeantour urgames.com##.topBannerBOX onetime.com##.topBannerPlaceholder ebay.co.uk,ebay.com##.topBnrSc +techadvisor.co.uk##.topLeader kjonline.com,pressherald.com##.topLeaderboard technomag.co.zw##.topLogoBanner yellowbook.com##.topPlacement search.sweetim.com##.topSubHeadLine2 weatherology.com##.top_660x100 channelstv.com##.top_alert -androidcommunity.com,emu-russia.net,freeiconsweb.com,hydrocarbonprocessing.com,kohit.net,novamov.com,praguepost.com,themediaonline.co.za,themoscowtimes.com,voxilla.com##.top_banner +androidcommunity.com,emu-russia.net,freeiconsweb.com,hydrocarbonprocessing.com,kohit.net,novamov.com,praguepost.com,themediaonline.co.za,themoscowtimes.com,voxilla.com,weta.org##.top_banner joebucsfan.com##.top_banner_cont freeridegames.com##.top_banner_container thebatt.com##.top_banner_place @@ -142340,17 +147658,18 @@ postcourier.com.pg##.top_logo_righ_img wallpapersmania.com##.top_pad_10 babylon.com##.top_right finecooking.com##.top_right_lrec -4chan.org,everydayhealth.com,gamingonlinux.com,goodanime.net,intothegloss.com,makezine.com,mirrorcreator.com,rollingout.com,sina.com,thenewstribe.com##.topad +4chan.org,everydayhealth.com,gamingonlinux.com,goodanime.eu,intothegloss.com,makezine.com,mangashare.com,mirrorcreator.com,rollingout.com,sina.com,thenewstribe.com##.topad filezoo.com,nx8.com,search.b1.org##.topadv gofish.com##.topban1 gofish.com##.topban2 -900amwurd.com,bankrate.com,chaptercheats.com,copykat.com,dawn.com,dotmmo.com,downv.com,factmonster.com,harpers.org,mumbaimirror.com,newreviewsite.com,opposingviews.com,softonic.com,thinkdigit.com##.topbanner +900amwurd.com,bankrate.com,chaptercheats.com,copykat.com,dawn.com,dotmmo.com,downv.com,factmonster.com,harpers.org,mumbaimirror.com,newreviewsite.com,opposingviews.com,softonic.com,thinkdigit.com,weta.org##.topbanner softonic.com##.topbanner_program webstatschecker.com##.topcenterbanner channel103.com,islandfm.com##.topheaderbanner bloggingstocks.com,emedtv.com,gadling.com,minnpost.com##.topleader blackpenguin.net,gamesting.com##.topleaderboard search.ch##.toplinks +ndtv.com##.topsponsors_wrap houndmirror.com,torrenthound.com,torrenthoundproxy.com##.topspot yttalk.com##.topv enn.com##.topwrapper @@ -142375,8 +147694,8 @@ dailymail.co.uk##.travel-booking-links dailymail.co.uk##.travel.item.button_style_module dailymail.co.uk##.travel.item.html_snippet_module nj.com##.travidiatd -baltimoresun.com,chicagotribune.com,courant.com,dailypress.com,latimes.com,mcall.com,orlandosentinel.com,sun-sentinel.com##.trb_outfit_sponsorship -baltimoresun.com,chicagotribune.com,courant.com,dailypress.com,latimes.com,mcall.com,orlandosentinel.com,sun-sentinel.com##.trb_taboola +baltimoresun.com,chicagotribune.com,courant.com,dailypress.com,latimes.com,mcall.com,orlandosentinel.com,redeyechicago.com,sun-sentinel.com##.trb_outfit_sponsorship +baltimoresun.com,chicagotribune.com,courant.com,dailypress.com,latimes.com,mcall.com,orlandosentinel.com,redeyechicago.com,sun-sentinel.com##.trb_taboola weather.com##.trc_recs_column + .right-column sitepoint.com##.triggered-cta-box-wrapper-bg thestar.com##.ts-articlesidebar_wrapper @@ -142439,13 +147758,14 @@ praguepost.com##.vertical_banner cnn.com##.vidSponsor thevideo.me##.vid_a8 autoslug.com##.video -dailystoke.com##.video-ad +dailystoke.com,wimp.com##.video-ad drive.com.au##.videoGalLinksSponsored answers.com##.video_1 answers.com##.video_2 thevideo.me##.video_a800 videobam.com##.video_banner fora.tv##.video_plug_space +rapidvideo.org##.video_sta timeoutmumbai.net##.videoad2 soccerclips.net##.videoaddright1 straitstimes.com##.view-2014-qoo10-feature @@ -142462,7 +147782,7 @@ imagebunk.com##.view_banners relink.us##.view_middle_block vidiload.com##.vinfobanner vipleague.co##.vip_006x061 -vipleague.co##.vip_09x827 +vipleague.co,vipleague.me##.vip_09x827 host1free.com##.virus-information greenoptimistic.com##.visiblebox\[style^="position: fixed; z-index: 999999;"] viamichelin.co.uk,viamichelin.com##.vm-pub-home300 @@ -142486,6 +147806,9 @@ weatherbug.com##.wXcds2 ptf.com,software.informer.com##.w_e xe.com##.wa_leaderboard utrend.tv##.wad +sportskrap.com##.wallpaper-link +naij.com##.wallpaper__bg +naij.com##.wallpaper__top torrentdownloads.net##.warez imdb.com##.watch-bar youtube.com##.watch-extra-info-column @@ -142530,11 +147853,13 @@ roms43.com##.widebanner videogamer.com##.widesky networkworld.com##.wideticker torrentfreak.com##.widg-title +soccer24.co.zw##.widget-1 newsbtc.com##.widget-1 > .banner +soccer24.co.zw##.widget-2 smartearningsecrets.com##.widget-area hdtvtest.co.uk##.widget-container wikinvest.com##.widget-content-nvadslotcomponent -bloombergtvafrica.com##.widget-mpu +bloombergtvafrica.com,miniclip.com##.widget-mpu thevine.com.au##.widget-shopstyle shanghaiist.com##.widget-skyscraper abovethelaw.com##.widget-sponsor @@ -142555,18 +147880,18 @@ fxempire.com##.widget_latest_promotions fxempire.com##.widget_latest_promotions_right geek.com##.widget_logicbuy_first_deal modamee.com##.widget_nav_menu -kclu.org,notjustok.com##.widget_openxwpwidget fxempire.com##.widget_recommended_brokers -blackenterprise.com##.widget_sidebarad_300x250 twistedsifter.com##.widget_sifter_ad_bigbox_widget amygrindhouse.com,lostintechnology.com##.widget_text fxempire.com##.widget_top_brokers venturebeat.com##.widget_vb_dfp_ad wired.com##.widget_widget_widgetwiredadtile +indiatvnews.com##.wids educationbusinessuk.net##.width100 > a\[target="_blank"] > img educationbusinessuk.net##.width100 > p > a\[target="_blank"] > img listverse.com##.wiki espn.co.uk##.will_hill +oboom.com##.window_current foxsports.com##.wisfb_sponsor weatherzone.com.au##.wo-widget-wrap-1 planet5d.com##.wp-image-1573 @@ -142607,12 +147932,14 @@ candofinance.com,idealhomegarden.com##.yahooSl newsok.com##.yahoo_cm thetandd.com##.yahoo_content_match reflector.com##.yahooboss +tumblr.com##.yamplus-unit-container yardbarker.com##.yard_leader autos.yahoo.com##.yatAdInsuranceFooter autos.yahoo.com##.yatysm-y yelp.be,yelp.ca,yelp.ch,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.au,yelp.com.sg,yelp.ie##.yelp-add finance.yahoo.com##.yfi_ad_s groups.yahoo.com##.yg-mbad-row +groups.yahoo.com##.yg-mbad-row > * yelp.be,yelp.ca,yelp.ch,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.au,yelp.com.sg,yelp.ie##.yla yelp.be,yelp.ca,yelp.ch,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.au,yelp.com.sg,yelp.ie##.yloca-list yelp.be,yelp.ca,yelp.ch,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.au,yelp.com.sg,yelp.ie##.yloca-search-result @@ -142630,7 +147957,6 @@ maps.yahoo.com##.yui3-widget-stacked zvents.com##.z-spn-featured mail.google.com##.z0DeRc zacks.com##.zacks_header_ad_ignore -urbandictionary.com##.zazzle_links zap2it.com##.zc-station-position cricketcountry.com##.zeeibd downturk.net##.zippo @@ -142691,17 +148017,14 @@ powerbot.org##a > img\[width="729"] facebook.com##a\[ajaxify^="/ajax/emu/end.php?"] bitcointalk.org##a\[class^="td_headerandpost"]\[href^="https://www.privateinternetaccess.com"] pcmag.com##a\[data-section="Ads"] -kizna-blog.com##a\[href$=".clickbank.net"] linksave.in##a\[href$="speed"] +filenuke.com,sharesix.com##a\[href*="&popunder"] isearch.whitesmoke.com##a\[href*="&rt=gp&"] -ndtv.com##a\[href*=".amazonaws.com/r.php"] -ndtv.com##a\[href*=".amazonaws.com/redirect.php"] +filenuke.com,sharesix.com##a\[href*="&zoneid="] huffingtonpost.com##a\[href*=".atwola.com/"] -ch131.so##a\[href*=".clickbank.net"] -usabit.com##a\[href*=".clickbank.net/?tid="] imgah.com##a\[href*=".com/track/"] mangafox.me##a\[href*=".game321.com/"] -politicalears.com,siteworthchecker.com,worthvalue.net##a\[href*=".hop.clickbank.net/"] +in5d.com,jeffbullas.com,siteworthchecker.com##a\[href*=".hop.clickbank.net"] hotbollywoodactress.net##a\[href*=".makdi.com"] sportinglife.com##a\[href*=".skybet.com/"] punjabimob.org##a\[href*=".smaato.net"] @@ -142712,17 +148035,20 @@ business-standard.com##a\[href*="/adclicksTag.php?"] itweb.co.za##a\[href*="/adredir.php?"] bitcoinist.net##a\[href*="/adserv/click.php?id="] f1today.net##a\[href*="/advertorial--"] -filenuke.com,sharesix.com##a\[href*="/apu.php?"] adlock.org##a\[href*="/download/"] +videobull.to##a\[href*="/go-to-watch.php"] rapidok.com##a\[href*="/go/"] devshed.com##a\[href*="/www/delivery/"] ietab.net##a\[href*="/xadnet/"] ultimate-guitar.com##a\[href*="=http://www.jamplay.com/"] encyclopediadramatica.se##a\[href*="http://torguard.net/aff.php"] +inamsoftwares.com##a\[href=" http://60ads.com"] watch-movies-az.com##a\[href="../download_video.php"] unitconversion.org##a\[href="../noads.html"] +encyclopediadramatica.se##a\[href="//encyclopediadramatica.se/sparta.html"] insidefacebook.com##a\[href="/advertise"] fooooo.com##a\[href="/bannerClickCount.php"] +opensubtitles.org##a\[href="/en/aoxwnwylgqtvicv"] gtplanet.net##a\[href="/geo-GT6-preorder.php"] viewdocsonline.com##a\[href="/links/regboost_header.php"] mailinator.com##a\[href="/soget.jsp"] @@ -142737,16 +148063,17 @@ internet-online.org##a\[href="http://bn6us.etvcorp.track.clicksure.com"] delishows.com##a\[href="http://delishows.com/stream.php"] crackdb.cd##a\[href="http://directdl.com"] crackdb.cd##a\[href="http://down.cd/"] +onhax.net##a\[href="http://downloadlink.onhax.net"] encyclopediadramatica.es##a\[href="http://encyclopediadramatica.es/webcamgirls.html"] tny.cz##a\[href="http://followshows.com?tp"] tf2maps.net##a\[href="http://forums.tf2maps.net/payments.php"] generalfiles.me##a\[href="http://gofindmedia.net/"] search.yahoo.com##a\[href="http://help.yahoo.com/l/us/yahoo/search/basics/basics-03.html"] digitallydownloaded.net##a\[href="http://iphone.qualityindex.com/"] > img -jeffbullas.com##a\[href="http://jeffbullas.fbinfl.hop.clickbank.net"] bazoocam.org##a\[href="http://kvideo.org"] datafilehost.com##a\[href="http://liversely.net/datafileban"] maketecheasier.com##a\[href="http://maketecheasier.com/advertise"] +limetorrents.cc##a\[href="http://movie4u.org/"] moviefather.com##a\[href="http://moviefather.com/watchonline.php"] mp3truck.net##a\[href="http://mp3truck.net/get-torrent/"] my.rsscache.com##a\[href="http://nimbb.com"] @@ -142755,6 +148082,7 @@ ultimate-guitar.com##a\[href="http://plus.ultimate-guitar.com/ad-free/"] infowars.com##a\[href="http://prisonplanet.tv/"] forum.ihubhost.net##a\[href="http://proleaks.com"] propakistani.pk##a\[href="http://propakistani.pk/sms/"] +clashbot.org##a\[href="http://rsmalls.com"] > img gooddrama.net##a\[href="http://spendcrazy.net"] adrive.com##a\[href="http://stores.ebay.com/Berkeley-Communications-Corporation"] uniladmag.com##a\[href="http://thetoiletstore.bigcartel.com/"] @@ -142767,6 +148095,8 @@ vidbear.com##a\[href="http://videoworldx.com"] watch-movies-az.com##a\[href="http://watch-movies-az.com/download_video1.php"] bangtidy.net##a\[href="http://www.bangtidy.net/AFF.php"] bangtidy.net##a\[href="http://www.bangtidy.net/mrskin.php"] +betterhostreview.com##a\[href="http://www.betterhostreview.com/arvixe.com"] +betterhostreview.com##a\[href="http://www.betterhostreview.com/hosting-review-bluehost.htm"] activistpost.com##a\[href="http://www.bloggersecret.com/"] thejointblog.com##a\[href="http://www.bombseeds.nl/"] > img hscripts.com##a\[href="http://www.buildmylink.com"] @@ -142785,13 +148115,15 @@ scam.com##a\[href="http://www.ip-adress.com/trace_email/"] wiiuiso.com##a\[href="http://www.jobboy.com"] nichepursuits.com##a\[href="http://www.longtailpro.com"] makeuseof.com##a\[href="http://www.makeuseof.com/advertise/"] +megatorrent.eu##a\[href="http://www.megatorrent.eu/go2.html"] dailymirror.lk##a\[href="http://www.nawaloka.com/"] nichepursuits.com##a\[href="http://www.nichepursuits.com/whp"] nichepursuits.com##a\[href="http://www.nichewebsitetheme.com"] naijaborn.com##a\[href="http://www.njorku.com/nigeria"] > img ps3iso.com##a\[href="http://www.pcgameiso.com"] letmesingthis.com##a\[href="http://www.singorama.me"] -gogoanime.com,goodanime.net##a\[href="http://www.spendcrazy.net/"] +animenova.tv,animetoon.tv,gogoanime.com,goodanime.eu,gooddrama.net,toonget.com##a\[href="http://www.spendcrazy.net"] +gogoanime.com,goodanime.eu##a\[href="http://www.spendcrazy.net/"] dosplash.com##a\[href="http://www.sverve.com/dashboard/DoSplash"] talkarcades.com##a\[href="http://www.talkarcades.com/misc.php?do=page&template=advertise"] telepisodes.net##a\[href="http://www.telepisodes.net/downloadtvseries.php"] @@ -142807,13 +148139,14 @@ watchop.com##a\[href="http://www.watchop.com/download.php"] ziddu.com##a\[href="http://wxdownloadmanager.com/zdd/"] zmea-log.blogspot.com##a\[href="http://zmea-log.blogspot.com/p/rapids-for-sale.html"] wemineall.com,wemineltc.com##a\[href="https://diceliteco.in"] +namepros.com##a\[href="https://uniregistry.com/"] vpsboard.com##a\[href="https://vpsboard.com/advertise.html"] ugotfile.com##a\[href="https://www.astrill.com/"] +cryptocoinsnews.com##a\[href="https://www.genesis-mining.com/pricing"] 300mbmovies4u.com##a\[href^="//1phads.com/"] doubleclick.net##a\[href^="//dp.g.doubleclick.net/apps/domainpark/"] -torrentproject.se##a\[href^="//torrentproject.se/out2/"] -rarbg.com,rarbgmirror.com##a\[href^="/1c_direct.php?"] rapidog.com##a\[href^="/adclick.php"] +sweflix.net,sweflix.to##a\[href^="/adrotate.php?"] shroomery.org##a\[href^="/ads/ck.php?"] metrolyrics.com##a\[href^="/ads/track.php"] shroomery.org##a\[href^="/ads/www/delivery/"] @@ -142827,12 +148160,14 @@ hpcwire.com##a\[href^="/ct/e/"] torrentfunk.com##a\[href^="/dltor3/"] merdb.ru,primewire.ag##a\[href^="/external.php?gd=0&"] yourbittorrent.com##a\[href^="/extra/"] +vitorrent.net##a\[href^="/file.php?name"] tinydl.eu##a\[href^="/go.php?http://sharesuper.info"] yourbittorrent.com##a\[href^="/go/"] bts.ph##a\[href^="/goto_.php?"] downloadhelper.net##a\[href^="/liutilities.php"] houndmirror.com,sharedir.com##a\[href^="/out.php?"] -torrentproject.se##a\[href^="/out2/?"] +torrentproject.se##a\[href^="/out3/"] +torrentproject.org,torrentproject.se##a\[href^="/out4/"] airliners.net##a\[href^="/rad_results.main?"] ahashare.com##a\[href^="/re.php?url"] torrentv.org##a\[href^="/rec/"] @@ -142843,7 +148178,9 @@ torrentfunk.com##a\[href^="/tor3/"] stuff.co.nz##a\[href^="/track/click/"] bitsnoop.com##a\[href^="/usenet_dl/"] bitsnoop.com##a\[href^="/usenet_dl/"] + br + span +rarbg.to,rarbgmirror.com,rarbgproxy.com##a\[href^="/wd_adpub.php?"] torrentz.ch,torrentz.com,torrentz.eu,torrentz.li,torrentz.me,torrentz.ph##a\[href^="/z/ddownload/"] +torrents.de,torrentz.ch,torrentz.com,torrentz.eu,torrentz.in,torrentz.li,torrentz.me,torrentz.ph##a\[href^="/z/webdownload/"] womenspress.com##a\[href^="Redirect.asp?UID="] 474747.net##a\[href^="ad"] xbox-hq.com##a\[href^="banners.php?"] @@ -142861,37 +148198,38 @@ unawave.de##a\[href^="http://ad.zanox.com/"] reading107fm.com,three.fm##a\[href^="http://adclick.g-media.com/"] jdownloader.org##a\[href^="http://adcolo.com/ad/"] extremefile.com##a\[href^="http://adf.ly/"] -hqwallpapers4free.com##a\[href^="http://adf.ly/?id="] highdefjunkies.com##a\[href^="http://adorama.evyy.net/"] depositfiles.com,dfiles.eu##a\[href^="http://ads.depositfiles.com/"] gorillavid.in##a\[href^="http://ads.gorillavid.in/"] howproblemsolution.com##a\[href^="http://ads.howproblemsolution.com/"] -vodly.to,vodly.unblocked2.co##a\[href^="http://ads.integral-marketing.com/"] hardwareheaven.com##a\[href^="http://adserver.heavenmedia.com/"] deviantart.com##a\[href^="http://advertising.deviantart.com/"] thesearchenginelist.com##a\[href^="http://affiliate.buy.com/gateway.aspx?"] smallbusinessbrief.com##a\[href^="http://affiliate.wordtracker.com/"] the-numbers.com##a\[href^="http://affiliates.allposters.com/"] +freebetcodes.info##a\[href^="http://affiliates.galapartners.co.uk/"] justhungry.com##a\[href^="http://affiliates.jlist.com/"] news24.com##a\[href^="http://affiliates.trafficsynergy.com/"] animetake.com##a\[href^="http://anime.jlist.com/click/"] torrent-invites.com##a\[href^="http://anonym.to?http://www.seedmonster.net/clientarea/link.php?id="] speedvideo.net##a\[href^="http://api.adlure.net/"] datafilehost.com,load.to,tusfiles.net##a\[href^="http://applicationgrabb.net/"] +avxhome.se##a\[href^="http://avaxnews.net/tags/"] webmail.co.za##a\[href^="http://b.wm.co.za/click.pwm?"] -filenuke.com##a\[href^="http://b51.filenuke.com/"] +extratorrent.cc,extratorrent.unblocked.pw,extratorrentlive.com##a\[href^="http://bestories.xyz/"] thetvdb.com##a\[href^="http://billing.frugalusenet.com/"] -coinad.com,digitallydownloaded.net,dotmmo.com,fastvideo.eu,majorgeeks.com,ncrypt.in,rapidvideo.org,ultshare.com##a\[href^="http://bit.ly/"] +coinad.com,digitallydownloaded.net,dotmmo.com,ebookw.com,fastvideo.eu,majorgeeks.com,ncrypt.in,rapidvideo.org,sh.st,ultshare.com##a\[href^="http://bit.ly/"] ancient-origins.net##a\[href^="http://bit.ly/"] > img +bitminter.com##a\[href^="http://bitcasino.io?ref="] leasticoulddo.com##a\[href^="http://blindferret.clickmeter.com/"] lowyat.net##a\[href^="http://bs.serving-sys.com"] -demonoid.ph,torrentfreak.com,torrents.de,torrentz.in,torrentz.li,torrentz.me,torrentz.ph##a\[href^="http://btguard.com/"] +demonoid.pw,torrentfreak.com,torrents.de,torrentz.in,torrentz.li,torrentz.me,torrentz.ph##a\[href^="http://btguard.com/"] nexadviser.com##a\[href^="http://budurl.com/"] downforeveryoneorjustme.com,isup.me##a\[href^="http://bweeb.com/"] akeelwap.net,w2c.in##a\[href^="http://c.admob.com/"] zomganime.com##a\[href^="http://caesary.game321.com/"] ebooksx.org##a\[href^="http://castee.com/"] -vipleague.se##a\[href^="http://cdn.vipleague.se/app/"] +spacemov.com##a\[href^="http://cdn.adsrvmedia.net/"] adexprt.com##a\[href^="http://cdn3.adexprts.com"] + span animenewsnetwork.com##a\[href^="http://cf-vanguard.com/"] vidstatsx.com##a\[href^="http://channelpages.com/"] @@ -142905,11 +148243,13 @@ mp3-shared.net##a\[href^="http://click.yottacash.com?PID="] unawave.de##a\[href^="http://clix.superclix.de/"] heraldscotland.com,tmz.com##a\[href^="http://clk.atdmt.com/"] 180upload.com##a\[href^="http://clkmon.com/static/rdr.html?pid="] +stream2watch.com##a\[href^="http://clkrev.com/adServe/"] absoluteradio.co.uk,mkfm.com##a\[href^="http://clkuk.tradedoubler.com/click?"] dot-bit.org##a\[href^="http://coinabul.com/?a="] gas2.org##a\[href^="http://costofsolar.com/?"] powvideo.net##a\[href^="http://creative.ad127m.com/"] armslist.com##a\[href^="http://delivery.tacticalrepublic.com/"] +ebookw.com##a\[href^="http://dlguru.com/"] dllnotfound.com##a\[href^="http://dllnotfound.com/scan.php"] majorgeeks.com##a\[href^="http://download.iobit.com/"] free-tv-video-online.me##a\[href^="http://downloaderfastpro.info/"] @@ -142920,12 +148260,16 @@ ucas.com##a\[href^="http://eva.ucas.com/s/redirect.php?ad="] flashvids.org##a\[href^="http://flashvids.org/click/"] forumpromotion.net##a\[href^="http://freebitco.in/?r="] extratorrent.cc,uploadrocket.net##a\[href^="http://getsecuredfiles.com/"] -kinox.to,speedvideo.net##a\[href^="http://go.ad2up.com/"] +extratorrent.cc##a\[href^="http://getterstory.com/"] +kinox.to,speedvideo.net,thepiratebay.to##a\[href^="http://go.ad2up.com/"] mangahere.com##a\[href^="http://go.game321.com/"] filesoup.com##a\[href^="http://gomediamasteronline.com/"] -armorgames.com,getios.com,ncrypt.in,rapidvideo.tv,theedge.co.nz##a\[href^="http://goo.gl/"] +armorgames.com,getios.com,myrls.se,ncrypt.in,rapidvideo.tv,theedge.co.nz##a\[href^="http://goo.gl/"] ancient-origins.net##a\[href^="http://goo.gl/"] > img +limetorrents.cc,thepiratebay.みんな##a\[href^="http://guide-free.com/"] kinox.to##a\[href^="http://hd-streams.tv/"] +putlocker.is##a\[href^="http://hdmoviesinc.com/"] +kingfiles.net##a\[href^="http://hdplugin.fplayer-updates.com/"] crackdb.cd##a\[href^="http://homeklondike.com"] hotfiletrend.com##a\[href^="http://hotfiletrend.com/c.php?"] free-tv-video-online.me,movdivx.com,quicksilverscreen.com,veehd.com##a\[href^="http://install.secure-softwaremanager.com/"] @@ -142950,7 +148294,7 @@ do2dear.net,mhktricks.net##a\[href^="http://liversely.net/"] uploadrocket.net##a\[href^="http://livesetwebs.org/"] d-h.st##a\[href^="http://lp.sharelive.net/"] psnprofiles.com##a\[href^="http://manage.aff.biz/"] -isohunt.to##a\[href^="http://masteroids.com/"] +isohunt.to,unlimitzone.com##a\[href^="http://masteroids.com/"] megauploadsearch.net##a\[href^="http://megauploadsearch.net/adv.php"] justhungry.com##a\[href^="http://moe.jlist.com/click/"] thejointblog.com##a\[href^="http://movieandmusicnetwork.com/content/cg/"] > img @@ -142964,12 +148308,14 @@ mail.google.com##a\[href^="http://pagead2.googlesyndication.com/"] azcentral.com##a\[href^="http://phoenix.dealchicken.com/"] vr-zone.com##a\[href^="http://pikachu.vr-zone.com.sg/"] kewlshare.com##a\[href^="http://pointcrisp.com/"] +projectfreetv.ch##a\[href^="http://projectfreetv.ch/adblock/"] crackdb.cd##a\[href^="http://promoddl.com"] decadeforum.com,downdlz.com,downeu.org,serials.ws##a\[href^="http://pushtraffic.net/TDS/?wmid="] vodly.to##a\[href^="http://r.lumovies.com/"] boingboing.net##a\[href^="http://r1.fmpub.net/?r="] search.certified-toolbar.com##a\[href^="http://redir.widdit.com/redir/?"] > * toolsvoid.com##a\[href^="http://ref.name.com/"] +nextofwindows.com##a\[href^="http://remotedesktopmanager.com/?utm_source="] hardwareheaven.com##a\[href^="http://resources.heavenmedia.net/click_through.php?"] richkent.com##a\[href^="http://richkent.com/uses/"] thejointblog.com##a\[href^="http://sensiseeds.com/refer.asp?refid="] > img @@ -142979,6 +148325,7 @@ merdb.ru##a\[href^="http://shineads.net/"] thejointblog.com##a\[href^="http://speedweed.com/_clicktracker.php?code="] > img uvnc.com##a\[href^="http://sponsor2.uvnc.com"] uvnc.com##a\[href^="http://sponsor4.uvnc.com/"] +ipdb.at##a\[href^="http://strongvpn.com/aff/"] 5x.to##a\[href^="http://support.suc-team.info/aff.php"] majorgeeks.com##a\[href^="http://systweak.com/"] your-pagerank.com##a\[href^="http://te-jv.com/?r="] @@ -142986,14 +148333,15 @@ strata40.megabyet.net##a\[href^="http://tiny.cc/freescan"] serialbase.us,serialzz.us##a\[href^="http://tinyurl.com"] kinox.to,ncrypt.in,wtso.net##a\[href^="http://tinyurl.com/"] sockshare.com##a\[href^="http://toolkitfreefast.com/"] -encyclopediadramatica.es##a\[href^="http://torguard.net/"] +encyclopediadramatica.es,encyclopediadramatica.se##a\[href^="http://torguard.net/"] fastvideo.eu,rapidvideo.org##a\[href^="http://toroadvertisingmedia.com/"] +catmo.ru##a\[href^="http://torrentindex.org/"] mangafox.me##a\[href^="http://track.games.la/"] lolking.net##a\[href^="http://track.strife.com/?"] iwatchonline.to##a\[href^="http://tracking.aunggo.com/"] +cryptocoinsnews.com##a\[href^="http://tracking.coin.mx/aff_c?offer_id="] lmgtfy.com##a\[href^="http://tracking.livingsocial.com/aff_c?"] hipfile.com##a\[href^="http://tracktrk.net/?"] -go4up.com##a\[href^="http://tracktrk.net/?a="] imageporter.com##a\[href^="http://trw12.com/"] ugotfile.com##a\[href^="http://ugotfile.com/affiliate?"] israbox.com##a\[href^="http://urmusiczone.com/signup?"] @@ -143002,10 +148350,12 @@ videobull.com##a\[href^="http://videobull.com/wp-content/themes/videozoom/go.php videobull.com##a\[href^="http://vtgtrk.com/"] wakingtimes.com##a\[href^="http://wakingtimes.com/ads/"] videomide.com##a\[href^="http://wapdollar.in/"] +bitminter.com##a\[href^="http://wbf.go2cloud.org/aff_c?offer_id="] webdesignshock.com##a\[href^="http://www.123rf.com"] serials.ws,uptobox.com##a\[href^="http://www.1clickmoviedownloader.net/"] 300mbfilms.com##a\[href^="http://www.300mbfilms.com/ads/"] distrowatch.com##a\[href^="http://www.3cx.com/"] +movie4u.org##a\[href^="http://www.4kmoviesclub.com/signup?"] cio-today.com##a\[href^="http://www.accuserveadsystem.com/accuserve-go.php?c="] distrowatch.com##a\[href^="http://www.acunetix.com/"] babelzilla.org##a\[href^="http://www.addonfox.com/"] @@ -143029,6 +148379,7 @@ filesoup.com##a\[href^="http://www.bitlord.com/"] filesoup.com##a\[href^="http://www.bitlordsearch.com/"] bitlordsearch.com##a\[href^="http://www.bitlordsearch.com/bl/fastdibl.php?"] freebitcoins.nx.tc,getbitcoins.nx.tc##a\[href^="http://www.bitonplay.com/create?refCode="] +usenet-crawler.com##a\[href^="http://www.cash-duck.com/"] gsmarena.com##a\[href^="http://www.cellpex.com/affiliates/"] onlinefreetv.net##a\[href^="http://www.chitika.com/publishers/apply?refid="] ciao.co.uk##a\[href^="http://www.ciao.co.uk/ext_ref_call.php"] @@ -143044,11 +148395,13 @@ pdf-giant.com,watchseries.biz,yoddl.com##a\[href^="http://www.downloadprovider.m thesearchenginelist.com##a\[href^="http://www.dpbolvw.net/click-"] bootstrike.com,dreamhosters.com,howtoblogcamp.com##a\[href^="http://www.dreamhost.com/r.cgi?"] sina.com##a\[href^="http://www.echineselearning.com/"] +betterhostreview.com##a\[href^="http://www.elegantthemes.com/affiliates/"] professionalmuscle.com##a\[href^="http://www.elitefitness.com/g.o/"] internetslang.com##a\[href^="http://www.empireattack.com"] linksave.in##a\[href^="http://www.endwelt.com/signups/add/"] lens101.com##a\[href^="http://www.eyetopics.com/"] mercola.com##a\[href^="http://www.fatswitchbook.com/"] > img +rapidvideo.org##a\[href^="http://www.filmsenzalimiti.co/"] omegleconversations.com##a\[href^="http://www.freecamsexposed.com/"] liveleak.com##a\[href^="http://www.freemake.com/"] linksave.in##a\[href^="http://www.gamesaffiliate.de/"] @@ -143063,13 +148416,13 @@ softpedia.com##a\[href^="http://www.iobit.com/"] macdailynews.com,softpedia.com##a\[href^="http://www.jdoqocy.com/click-"] ps3iso.com##a\[href^="http://www.jobboy.com/index.php?inc="] macdailynews.com,thesearchenginelist.com,web-cam-search.com##a\[href^="http://www.kqzyfj.com/click-"] -zxxo.net##a\[href^="http://www.linkbucks.com/referral/"] hotbollywoodactress.net##a\[href^="http://www.liposuctionforall.com/"] mhktricks.net##a\[href^="http://www.liversely.net/"] livescore.cz##a\[href^="http://www.livescore.cz/go/click.php?"] majorgeeks.com##a\[href^="http://www.majorgeeks.com/compatdb"] emaillargefile.com##a\[href^="http://www.mb01.com/lnk.asp?"] sing365.com##a\[href^="http://www.mediataskmaster.com"] +megatorrent.eu##a\[href^="http://www.megatorrent.eu/tk/file.php?q="] htmlgoodies.com##a\[href^="http://www.microsoft.com/click/"] infowars.com##a\[href^="http://www.midasresources.com/store/store.php?ref="] quicksilverscreen.com##a\[href^="http://www.movies-for-free.net"] @@ -143100,11 +148453,13 @@ oss.oetiker.ch##a\[href^="http://www.serverscheck.com/sensors?"] blogengage.com##a\[href^="http://www.shareasale.com/"] wpdailythemes.com##a\[href^="http://www.shareasale.com/r.cfm?b="] > img bestgore.com##a\[href^="http://www.slutroulette.com/"] +findsounds.com##a\[href^="http://www.soundsnap.com/search/"] leecher.to##a\[href^="http://www.stargames.com/bridge.asp"] telegraph.co.uk##a\[href^="http://www.telegraph.co.uk/sponsored/"] egigs.co.uk##a\[href^="http://www.ticketswitch.com/cgi-bin/web_finder.exe"] audiforums.com##a\[href^="http://www.tirerack.com/affiliates/"] mailinator.com##a\[href^="http://www.tkqlhce.com/"] +limetor.net,limetorrents.cc,limetorrents.co,torrentdownloads.cc##a\[href^="http://www.torrentindex.org/"] tri247.com##a\[href^="http://www.tri247ads.com/"] tsbmag.com##a\[href^="http://www.tsbmag.com/wp-content/plugins/max-banner-ads-pro/"] tvduck.com##a\[href^="http://www.tvduck.com/graboid.php"] @@ -143117,6 +148472,7 @@ codecguide.com,downloadhelper.net,dvdshrink.org,thewindowsclub.com##a\[href^="ht distrowatch.com##a\[href^="http://www.unixstickers.com/"] israbox.com##a\[href^="http://www.urmusiczone.com/signup?"] thejointblog.com##a\[href^="http://www.vapornation.com/?="] > img +exashare.com##a\[href^="http://www.video1404.info/"] thejointblog.com##a\[href^="http://www.weedseedshop.com/refer.asp?refid="] > img womenspress.com##a\[href^="http://www.womenspress.com/Redirect.asp?"] wptmag.com##a\[href^="http://www.wptmag.com/promo/"] @@ -143125,28 +148481,37 @@ youtube.com##a\[href^="http://www.youtube.com/cthru?"] free-tv-video-online.me,muchshare.net##a\[href^="http://wxdownloadmanager.com/"] datafilehost.com##a\[href^="http://zilliontoolkitusa.info/"] yahoo.com##a\[href^="https://beap.adss.yahoo.com/"] +landofbitcoin.com##a\[href^="https://bitcasino.io?ref="] bitcoinreviewer.com##a\[href^="https://bitcoin-scratchticket.com/?promo="] blockchain.info##a\[href^="https://blockchain.info/r?url="] > img bitcointalk.org##a\[href^="https://cex.io/"] activistpost.com##a\[href^="https://coinbase.com/?r="] deconf.com##a\[href^="https://deconf.com/out/"] -mindsetforsuccess.net##a\[href^="https://my.leadpages.net/leadbox/"] +landofbitcoin.com##a\[href^="https://localbitcoins.com/?ch="] +conservativetribune.com,mindsetforsuccess.net##a\[href^="https://my.leadpages.net/"] +unblockt.com##a\[href^="https://nordvpn.com/pricing/"] search.yahoo.com##a\[href^="https://search.yahoo.com/search/ads;"] +bitminter.com##a\[href^="https://wbf.go2cloud.org/aff_c?offer_id="] leo.org##a\[href^="https://www.advertising.de/"] -tampermonkey.net##a\[href^="https://www.bitcoin.de/"] +cryptocoinsnews.com##a\[href^="https://www.anonibet.com/"] +bitminter.com##a\[href^="https://www.cloudbet.com/en/?af_token="] escapefromobesity.net##a\[href^="https://www.dietdirect.com/rewardsref/index/refer/"] +avxhome.se##a\[href^="https://www.nitroflare.com/payment?webmaster="] xscores.com##a\[href^="https://www.rivalo1.com/?affiliateId="] youtube.com##a\[href^="https://www.youtube.com/cthru?"] krapps.com##a\[href^="index.php?adclick="] +essayscam.org##a\[id^="banner_"] m.youtube.com##a\[onclick*="\"ping_url\":\"http://www.google.com/aclk?"] software182.com##a\[onclick*="sharesuper.info"] titanmule.to##a\[onclick="emuleInst();"] titanmule.to##a\[onclick="installerEmule();"] platinlyrics.com##a\[onclick^="DownloadFile('lyrics',"] +checkpagerank.net##a\[onclick^="_gaq.push(\['_trackEvent', 'link', 'linkclick'"] zoozle.org##a\[onclick^="downloadFile('download_big', null,"] zoozle.org##a\[onclick^="downloadFile('download_related', null,"] coinurl.com,cur.lv##a\[onclick^="open_ad('"] hugefiles.net##a\[onclick^="popbi('http://go34down.com/"] +hugefiles.net##a\[onclick^="popbi('http://liversely.com/"] kingfiles.net##a\[onclick^="window.open('http://lp.ilividnewtab.com/"] kingfiles.net##a\[onclick^="window.open('http://lp.sharelive.net/"] w3schools.com##a\[rel="nofollow"] @@ -143157,6 +148522,8 @@ torrenticity.com##a\[style="color:#05c200;text-decoration:none;"] urbandictionary.com##a\[style="display: block; width: 300px; height: 500px"] billionuploads.com##a\[style="display: inline-block;width: 728px;margin: 25px auto -17px auto;height: 90px;"] bitcointalk.org##a\[style="text-decoration:none; display:inline-block; "] +lifewithcats.tv##a\[style="width: 318px; height: 41px; padding: 0px; left: 515px; top: 55px; opacity: 1;"] +easyvideo.me,playbb.me,playpanda.net,video66.org,videofun.me,videowing.me,videozoo.me##a\[style^="display: block;"] bitcointalk.org##a\[style^="display: inline-block; text-align:left; height: 40px;"] betfooty.com##a\[target="_blank"] > .wsite-image\[alt="Picture"] thepiratebay.se##a\[target="_blank"] > img:first-child @@ -143179,6 +148546,7 @@ mmobomb.com##a\[target="_blank"]\[href^="http://www.mmobomb.com/link/"] gbatemp.net##a\[target="_blank"]\[href^="http://www.nds-card.com/ProShow.asp?ProID="] > img bitcoinexaminer.org##a\[target="_blank"]\[href^="https://www.itbit.com/?utm_source="] > img noscript.net##a\[target="_blаnk"]\[href$="?MT"] +bodymindsoulspirit.com##a\[target="_new"] > img hookedonads.com##a\[target="_top"]\[href="http://www.demilked.com"] > img baymirror.com,bt.mojoris.in,getpirate.com,kuiken.co,livepirate.com,mypiratebay.cl,noncensuram.info,piraattilahti.org,pirateproxy.net,pirateproxy.se,pirateshit.com,proxicity.info,proxybay.eu,thepiratebay.gg,thepiratebay.lv,thepiratebay.se,thepiratebay.se.coevoet.nl,tpb.ipredator.se,tpb.jorritkleinbramel.nl,tpb.piraten.lu,tpb.pirateparty.ca,tpb.rebootorrents.com,unblock.to##a\[title="Anonymous Download"] lordtorrent3.ru##a\[title="Download"] @@ -143187,6 +148555,7 @@ torfinder.net,vitorrent.org##a\[title="sponsored"] bitcointalk.org##a\[title^="LuckyBit"] herold.at##a\[title^="Werbung: "]\[target="_blank"] irrigator.com.au##advertisement +onlinemoviewatchs.com##b\[style^="z-index: "] creatives.livejasmin.com##body norwsktv.com##body > #total just-dice.com##body > .wrapper > .container:first-child @@ -143195,7 +148564,7 @@ sitevaluecalculator.com##body > center > br + a\[target="_blank"] > img fancystreems.com##body > div > a primewire.ag##body > div > div\[id]\[style^="z-index:"]:first-child movie2k.tl##body > div > div\[style^="height: "] -atdee.net,drakulastream.eu,go4up.com,magnovideo.com,movie2k.tl,sockshare.ws,streamhunter.eu,videolinkz.us,vodly.to,watchfreeinhd.com,zuuk.net##body > div > div\[style^="z-index: "] +atdee.net,drakulastream.eu,magnovideo.com,movie2k.tl,sockshare.ws,streamhunter.eu,videolinkz.us,vodly.to,watchfreeinhd.com,zuuk.net##body > div > div\[style^="z-index: "] ha.ckers.org##body > div:first-child > br:first-child + a + br + span\[style="color:#ffffff"] viooz.co##body > div:first-child > div\[id]\[style]:first-child www.google.com##body > div\[align]:first-child + style + table\[cellpadding="0"]\[width="100%"] > tbody:only-child > tr:only-child > td:only-child @@ -143208,6 +148577,7 @@ domains.googlesyndication.com##body > table:first-child > tbody:first-child > tr domains.googlesyndication.com##body > table:first-child > tbody:first-child > tr:first-child > td:first-child > table:first-child + table + table jguru.com##center nzbindex.com,nzbindex.nl##center > a > img\[style="border: 1px solid #000000;"] +cryptocoinsnews.com##center > a\[href="https://xbt.social"] proxyserver.asia##center > a\[href^="http://goo.gl/"]\[target="_blank"] 4shared.com##center\[dir="ltr"] ehow.com##center\[id^="DartAd_"] @@ -143215,6 +148585,7 @@ forumswindows8.com##center\[style="font-size:15px;font-weight:bold;margin-left:a helenair.com##dd filepuma.com##dd\[style="padding-left:3px; width:153px; height:25px;"] search.mywebsearch.com##div > div\[style="padding-bottom: 12px;"] +filenuke.com,sharesix.com##div > p:first-child + div cdrlabs.com##div\[align="center"] bleachanime.org##div\[align="center"]\[style="font-size:14px;margin:0;padding:3px;background-color:#f6f6f6;border-bottom:1px solid #ababab;"] thelakewoodscoop.com##div\[align="center"]\[style="margin-bottom:10px;"] @@ -143230,12 +148601,13 @@ facebook.com##div\[class="ego_column pagelet _5qrt _1snm"] facebook.com##div\[class="ego_column pagelet _5qrt _y92 _1snm"] facebook.com##div\[class="ego_column pagelet _5qrt _y92"] facebook.com##div\[class="ego_column pagelet _5qrt"] +facebook.com##div\[class="ego_column pagelet _y92 _5qrt _1snm"] facebook.com##div\[class="ego_column pagelet _y92 _5qrt"] facebook.com##div\[class="ego_column pagelet _y92"] facebook.com##div\[class="ego_column pagelet"] facebook.com##div\[class="ego_column"] kinox.to##div\[class^="Mother_"]\[style^="display: block;"] -animefreak.tv##div\[class^="a-filter"] +anime1.com,animefreak.tv##div\[class^="a-filter"] drama.net##div\[class^="ad-filter"] manaflask.com##div\[class^="ad_a"] greatandhra.com##div\[class^="add"] @@ -143246,9 +148618,11 @@ plsn.com##div\[class^="clickZone"] webhostingtalk.com##div\[class^="flashAd_"] ragezone.com##div\[class^="footerBanner"] avforums.com##div\[class^="takeover_box_"] +linuxbsdos.com##div\[class^="topStrip"] yttalk.com##div\[class^="toppedbit"] realmadrid.com##div\[data-ads-block="desktop"] wayn.com##div\[data-commercial-type="MPU"] +monova.org##div\[data-id^="http://centertrust.xyz/"] monova.org##div\[data-id^="http://www.torntv-downloader.com/"] ehow.com##div\[data-module="radlinks"] deviantart.com##div\[gmi-name="ad_zone"] @@ -143271,6 +148645,7 @@ warframe-builder.com##div\[id^="ads"] mahalo.com##div\[id^="ads-section-"] streetmap.co.uk##div\[id^="advert_"] askyourandroid.com##div\[id^="advertisespace"] +stackoverflow.com##div\[id^="adzerk"] blogspot.co.nz,blogspot.com,coolsport.tv,time4tv.com,tv-link.me##div\[id^="bannerfloat"] theteacherscorner.net##div\[id^="catfish"] video44.net##div\[id^="container_ads"] @@ -143290,18 +148665,18 @@ yahoo.com##div\[id^="tile-A"]\[data-beacon-url^="https://beap.gemini.yahoo.com/m yahoo.com##div\[id^="tile-mb-"] footstream.tv,leton.tv##div\[id^="timer"] facebook.com##div\[id^="topnews_main_stream_"] div\[data-ft*="\"ei\":\""] -thessdreview.com##div\[id^="wp_bannerize-"] -search.yahoo.com##div\[id^="yui_"] .res\[data-bk]\[data-bns="API"]\[data-bg-link^="http://r.search.yahoo.com/"] -search.yahoo.com##div\[id^="yui_"] .res\[data-bk]\[data-bns="API"]\[data-bg-link^="http://r.search.yahoo.com/"] + li -search.yahoo.com##div\[id^="yui_"] > ul > .res\[data-bg-link^="http://r.search.yahoo.com/_ylt="] + * div\[class^="pla"] +~images.search.yahoo.com,search.yahoo.com##div\[id^="wp_bannerize-"] +~images.search.yahoo.com,search.yahoo.com##div\[id^="yui_"] > span > ul\[class]:first-child:last-child > li\[class] +~images.search.yahoo.com,search.yahoo.com##div\[id^="yui_"] > ul > .res\[data-bg-link^="http://r.search.yahoo.com/_ylt="] + * div\[class^="pla"] statigr.am##div\[id^="zone"] 4shared.com##div\[onclick="window.location='/premium.jsp?ref=removeads'"] gsprating.com##div\[onclick="window.open('http://www.nationvoice.com')"] +viphackforums.net##div\[onclick^="MyAdvertisements.do_click"] ncrypt.in##div\[onclick^="window.open('http://www.FriendlyDuck.com/AF_"] rapidfiledownload.com##div\[onclick^="window.open('http://www.rapidfiledownload.com/out.php?"] ncrypt.in##div\[onclick^="window.open('http://www2.filedroid.net/AF_"] rs-catalog.com##div\[onmouseout="this.style.backgroundColor='#fff7b6'"] -animenova.tv,animetoon.tv,gogoanime.com,goodanime.net,gooddrama.net,toonget.com##div\[rel^="MBoxAd"] +easyvideo.me,playbb.me,playpanda.net,video66.org,videofun.me,videowing.me,videozoo.me##div\[original^="http://byzoo.org/"] fastvideo.eu##div\[style$="backgroud:black;"] > :first-child highstakesdb.com##div\[style$="margin-top:-6px;text-align:left;"] imagebam.com##div\[style$="padding-top:14px; padding-bottom:14px;"] @@ -143325,6 +148700,7 @@ tennisworldusa.org##div\[style=" position:relative; overflow:hidden; margin:0px; seattlepi.com##div\[style=" width:100%; height:90px; margin-bottom:8px; float:left;"] fmr.co.za##div\[style=" width:1000px; height:660px; margin: 0 auto"] ontopmag.com##div\[style=" width:300px; height:250px; padding:0; margin:5px auto 0 auto;"] +fitbie.com##div\[style=" width:300px; height:450px; padding-bottom: 160px;"] forum.guru3d.com##div\[style="PADDING-RIGHT: 0px; PADDING-LEFT: 0px; PADDING-BOTTOM: 6px; PADDING-TOP: 12px"] cheapostay.com##div\[style="PADDING-TOP: 0px; text-align:center; width:175px;"] nasdaq.com##div\[style="align: center; vertical-align: middle;width:336px;height:250px"] @@ -143333,16 +148709,17 @@ wral.com##div\[style="background-color: #ebebeb; width: 310px; padding: 5px 3px; zeropaid.com##div\[style="background-color: #fff; padding:10px;"] frontlinesoffreedom.com##div\[style="background-color: rgb(255, 255, 255); border-width: 1px; border-color: rgb(0, 0, 0); width: 300px; height: 250px;"] countryfile.com##div\[style="background-color: rgb(255, 255, 255); height: 105px; padding-top: 5px;"] +videoserver.biz##div\[style="background-color: white; position: absolute; border: 1px solid #000000; top: -360px; left: -370px; z-index: 0; display: block; width: 600px; height: 440px; border: 0px solid green; margin: 0px;"] fansshare.com##div\[style="background-color:#999999;width:300px;height:250px;"] deviantart.com##div\[style="background-color:#AAB1AA;width:300px;height:120px"] deviantart.com,sta.sh##div\[style="background-color:#AAB1AA;width:300px;height:250px"] dawn.com##div\[style="background-color:#EEEEE4;width:973px;height:110px;margin:auto;padding-top:15px;"] moneycontrol.com##div\[style="background-color:#efeeee;width:164px;padding:8px"] search.bpath.com,tlbsearch.com##div\[style="background-color:#f2faff;padding:4px"] -thephoenix.com##div\[style="background-color:#ffffff;padding:0px;margin:15px 0px;font-size:10px;color:#999;text-align:center;"] bostonherald.com##div\[style="background-color:black; width:160px; height:600px; margin:0 auto;"] fansshare.com##div\[style="background-image:url(/media/img/advertisement.png);width:335px;height:282px;"] fansshare.com##div\[style="background-image:url(http://img23.fansshare.com/media/img/advertisement.png);width:335px;height:282px;"] +vosizneias.com##div\[style="background: #DADADA; border: 1px solid gray; color: gray; width: 300px; padding: 5px; float: right; font-size: 0.8em; line-height: 1.5em; font-family: arial; margin: 10px 0 10px 20px;"] regmender.com##div\[style="background: #FFFDCA;border: 1px solid #C7C7C7;margin-top:8px;padding: 8px;color:#000;"] singletracks.com##div\[style="background: #fff; height: 250px; width: 300px; margin-top: 0px; margin-bottom: 10px;"] gelbooru.com##div\[style="background: #fff; width: 728px; margin-left: 15px;"] @@ -143356,16 +148733,14 @@ hints.macworld.com##div\[style="border-bottom: 2px solid #7B7B7B; padding-bottom greatgirlsgames.com##div\[style="border-bottom:1px dotted #CCC;margin:3px 0 3px 0;color:#000;padding:0 0 1px 0;font-size:11px;text-align:right;"] nytimes.com##div\[style="border: 0px #000000 solid; width:300px; height:250px; margin: 0 auto"] nytimes.com##div\[style="border: 0px #000000 solid; width:728px; height:90px; margin: 0 auto"] +hugefiles.net##div\[style="border: 0px solid black; width:728px;"] kijiji.ca##div\[style="border: 1px solid #999; background: #fff"] -therapidbay.com##div\[style="border: 2px solid red; margin: 10px; padding: 10px; text-align: left; height: 80px; background-color: rgb(255, 228, 0);"] -petitions24.com##div\[style="border: solid #95bce2 1px; padding: 1em 0; margin: 0; margin-right: 6px; width: 200px; height: 600px; background-color: #fff; text-align: center; margin-bottom: 1em;"] cookingforengineers.com##div\[style="border:0px solid #FFFFA0;width:160px;height:600px;"] videosbar.com##div\[style="border:1px solid #EEEEEE; display:block; height:270px; text-align:center; width:300px; overflow:hidden;"] videosbar.com##div\[style="border:1px solid #EEEEEE; display:block; height:270px; text-align:center; width:300px;"] undsports.com##div\[style="border:1px solid #c3c3c3"] mocpages.com##div\[style="border:1px solid #dcdcdc; width:300px; height:250px"] exchangerates.org.uk##div\[style="border:1px solid #ddd;background:#f0f0f0;padding:10px;margin:10px 0;"] -delcotimes.com,macombdaily.com##div\[style="border:1px solid #e1e1e1; padding: 5px; float: left; width: 620px; margin: 0pt auto 15px;"] whatson.co.za##div\[style="border:solid 10px #ffffff;width:125px;height:125px;"] vietnamnews.vn##div\[style="clear: both;text-align: center;margin-bottom:10px;height:230px;width:300px;"] moviecarpet.com##div\[style="clear:both; width:100%; padding:30px; height:250px"] @@ -143383,7 +148758,6 @@ lolking.net##div\[style="display: inline-block; width: 728px; height: 90px; back listentoyoutube.com##div\[style="display: inline-block; width: 728px; height: 90px; overflow: hidden;"] cheapoair.com,onetravel.com##div\[style="display: table; width: 1px; height:1px; position:relative; margin-left:auto; margin-right:auto; text-align: center; margin-top:10px; padding: 12px; padding-bottom:5px; background-color: #e7e7e7 ! important;"] forum.xda-developers.com##div\[style="display:block; margin-top:20px; margin-left:10px; width:750px; height:100px; float:left;"] -browse.lt##div\[style="display:block; width:125px; min-height:125px; background:#FFFFFF; font-family:Arial, Helvetica, sans-serif"] veervid.com##div\[style="display:block; width:302px; height:275px;"] skyweather.com.au##div\[style="display:block;height:250px;width:300px;margin-bottom:20px;"] chami.com##div\[style="display:inline-block; text-align:left; border-left:1px solid #eee;border-right:1px solid #eee; width:342px;padding:10px;"] @@ -143394,6 +148768,7 @@ moneymakergroup.com##div\[style="float: left; margin: 1px;"] > a\[href^="http:// moneymakergroup.com##div\[style="float: left; margin: 1px;"]:last-child civil.ge##div\[style="float: left; text-align: center; border: solid 1px #efefef; width: 320px; height: 90px;"] usedcars.com##div\[style="float: left; width: 263px; text-align: center; vertical-align: top"] +upi.com##div\[style="float: left; width: 300px; height: 250px; overflow: hidden;"] sgclub.com##div\[style="float: left; width: 310px; height: 260px;"] boarddigger.com##div\[style="float: left; width: 320px; height: 250px; padding: 5px;"] dreammoods.com##div\[style="float: left; width: 350; height: 350"] @@ -143437,7 +148812,6 @@ cinemablend.com##div\[style="float:left;width:160px;height:600px;"] cinemablend.com##div\[style="float:left;width:160px;height:606px;"] visordown.com##div\[style="float:left;width:300px;height:250px;"] thaivisa.com##div\[style="float:left;width:310px;height:275px;"] -whoisology.com##div\[style="float:left;width:412px;vertical-align:top;text-align:center;"] > .section\[style="margin-top: 25px; padding-top: 0px; padding-bottom: 0px;"] videoweed.es##div\[style="float:left;width:728px; height:90px; border:1px solid #CCC; display:block; margin:20px auto; margin-bottom:0px;"] politicususa.com##div\[style="float:none;margin:10px 0 10px 0;text-align:center;"] lifescript.com##div\[style="float:right; margin-bottom: 10px;"] @@ -143470,8 +148844,10 @@ clgaming.net##div\[style="height: 250px; margin-top: 20px;"] techgage.com##div\[style="height: 250px; width: 300px; float: right"] way2sms.com##div\[style="height: 250px; width: 610px; margin-left: -5px;"] pichunter.com,rawstory.com##div\[style="height: 250px;"] +northcountrypublicradio.org##div\[style="height: 260px; max-width: 250px; margin: 0px auto; padding: 0px;"] innocentenglish.com##div\[style="height: 260px;"] babble.com##div\[style="height: 263px; margin-left:0px; margin-top:5px;"] +northcountrypublicradio.org##div\[style="height: 272px; max-width: 250px; margin: 5px auto 10px; padding: 4px 0px 20px;"] bsplayer.com##div\[style="height: 281px; overflow: hidden"] interfacelift.com##div\[style="height: 288px;"] losethebackpain.com##div\[style="height: 290px;"] @@ -143480,6 +148856,7 @@ espn.go.com##div\[style="height: 325px;"] wsj.com##div\[style="height: 375px; width: 390px;"] cheatcc.com##div\[style="height: 50px;"] coolest-gadgets.com,necn.com##div\[style="height: 600px;"] +indiatimes.com##div\[style="height: 60px;width: 1000px;margin: 0 auto;"] hongkongnews.com.hk##div\[style="height: 612px; width: 412px;"] thetechherald.com##div\[style="height: 640px"] haaretz.com##div\[style="height: 7px;width: 300px;"] @@ -143487,10 +148864,10 @@ revision3.com##div\[style="height: 90px"] cpu-world.com##div\[style="height: 90px; padding: 3px; text-align: center"] yardbarker.com##div\[style="height: 90px; width: 728px; margin-bottom: 0px; margin-top: 0px; padding: 0px;z-index: 1;"] thenewage.co.za##div\[style="height: 90px; width: 730px; float: left; margin: 0px;"] +f-picture.net##div\[style="height: 90px; width: 730px; margin: 0 auto; padding: 3px; padding-left: 10px; overflow: hidden;"] snapwidget.com##div\[style="height: 90px; width: 748px; margin: 0 auto 15px;"] snapwidget.com##div\[style="height: 90px; width: 756px; margin: 15px auto -15px; overflow: hidden;"] food.com##div\[style="height: 96px;"] -indiatimes.com##div\[style="height:100px;"] ipchecking.com##div\[style="height:108px"] cosmopolitan.co.za##div\[style="height:112px;width:713px"] northeasttimes.com##div\[style="height:120px; width:600px;"] @@ -143511,10 +148888,12 @@ demogeek.com##div\[style="height:250px; width:250px; margin:10px;"] northeasttimes.com##div\[style="height:250px; width:300px;"] theworldwidewolf.com##div\[style="height:250px; width:310px; text-align:center; vertical-align:middle; display:table-cell; margin:0 auto; padding:0;"] crowdignite.com,gamerevolution.com,sheknows.com,tickld.com##div\[style="height:250px;"] +thenewsnigeria.com.ng##div\[style="height:250px;margin-bottom: 20px"] way2sms.com##div\[style="height:250px;margin:2px 0;"] zeenews.com##div\[style="height:250px;overflow:hidden;"] theawesomer.com,thephoenix.com##div\[style="height:250px;width:300px;"] unexplained-mysteries.com##div\[style="height:250px;width:300px;background-color:#000000"] +mcndirect.com##div\[style="height:250px;width:300px;font:bold 16px 'tahoma'; color:Gray; vertical-align:middle; text-align:center; border:none"] unfinishedman.com##div\[style="height:250px;width:300px;margin-left:15px;"] realgm.com##div\[style="height:250px;width:300px;margin: 0 0 15px 15px;"] tf2wiki.net##div\[style="height:260px; width:730px; border-style:none"] @@ -143556,7 +148935,9 @@ rootzwiki.com##div\[style="margin-bottom:10px;line-height:20px;margin-top:-10px; diamscity.com##div\[style="margin-bottom:15px;width:728px;height:90px;display:block;float:left;overflow:hidden;"] intoday.in##div\[style="margin-bottom:20px; clear:both; float:none; height:250px;width:300px;"] 4sysops.com##div\[style="margin-bottom:20px;"] +merriam-webster.com##div\[style="margin-bottom:20px;margin-top:-5px !important;width:300px;height:250px;"] intoday.in##div\[style="margin-bottom:20px;z-index:0; clear:both; float:none; height:250px;width:300px;"] +pdf-archive.com##div\[style="margin-left: -30px; width: 970px; height: 90px; margin-top: 8px; margin-bottom: 10px;"] jdpower.com##div\[style="margin-left: 20px; background-color: #FFFFFF;"] foxlingo.com##div\[style="margin-left: 3px; width:187px; min-height:187px;"] medicalnewstoday.com##div\[style="margin-left:10px; margin-bottom:15px;"] @@ -143571,8 +148952,6 @@ way2sms.com##div\[style="margin-top: 5px; height: 90px; clear: both;"] funnycrazygames.com##div\[style="margin-top: 8px;"] planetsport.com##div\[style="margin-top:-1px; width: 100%; height: 90px; background-color: #fff; float: left;"] technet.microsoft.com##div\[style="margin-top:0px; margin-bottom:10px"] -imagesfood.com##div\[style="margin-top:10px; margin-left:1px; margin-bottom:10px;"] -imagesfood.com##div\[style="margin-top:10px; margin-left:1px; margin-bottom:3px;"] surfline.com##div\[style="margin-top:10px; width:990px; height:90px"] worstpreviews.com##div\[style="margin-top:15px;width:160;height:600;background-color:#FFFFFF;"] centraloutpost.com##div\[style="margin-top:16px; width:740px; height:88px; background-image:url(/images/style/cnop_fg_main_adsbgd.png); background-repeat:no-repeat; text-align:left;"] @@ -143582,7 +148961,6 @@ fullepisode.info##div\[style="margin: 0 auto 0 auto; text-align:center;"] historyextra.com##div\[style="margin: 0 auto; width: 290px; height: 73px; background-color: #faf7f0;); padding: 5px; margin-bottom: 5px; clear: both; font-family: 'Playfair Display', serif;"] historyextra.com##div\[style="margin: 0 auto; width: 290px; height: 90px; background-color: #faf7f0; padding: 5px; margin-bottom: 5px; clear: both; font-family: 'Playfair Display', serif;"] historyextra.com##div\[style="margin: 0 auto; width: 290px; height: 90px; border-top:1px dotted #3a3a3a; border-bottom:1px dotted #3a3a3a; padding: 5px 0; margin:10px 0 10px 0; clear: both;"] -xda-developers.com##div\[style="margin: 0px auto 15px; height: 250px; position: relative; text-align: center;clear: both;"] ap.org##div\[style="margin: 0px auto 20px; width: 728px; height: 90px"] golflink.com##div\[style="margin: 0px auto; width: 728px; height: 90px;"] keprtv.com##div\[style="margin: 0px; width: 300px; height: 250px"] @@ -143593,21 +148971,22 @@ uproxx.com##div\[style="margin: 15px auto; width: 728px; height: 90px;"] twitpic.com##div\[style="margin: 15px auto;width:730px; height:100px;"] usedcars.com##div\[style="margin: 20px 0"] shouldiremoveit.com##div\[style="margin: 5px 0px 30px 0px;"] -rachaelrayshow.com##div\[style="margin: 5px auto 0 auto; padding: 0px; color: #999999; font-size: 10px; text-align: center;"] comicwebcam.com##div\[style="margin: 6px auto 0;"] businessspectator.com.au##div\[style="margin: auto 10px; width: 300px;"] primeshare.tv##div\[style="margin: auto; width: 728px; margin-bottom: -10px;"] recipepuppy.com##div\[style="margin:0 auto 10px;min-height:250px;"] desivideonetwork.com##div\[style="margin:0 auto; width:300px; height:250px;"] malaysiakini.com##div\[style="margin:0 auto; width:728px; height:90px;"] -gamesfree.ca##div\[style="margin:0 auto; width:990px; background-image:url(http://www.gamesfree.ca/new_shit/add_728x90.gif); height:112px"] mangafox.me##div\[style="margin:0 auto;clear:both;width:930px"] joomla.org##div\[style="margin:0 auto;width:728px;height:100px;"] ontopmag.com##div\[style="margin:0; width:300px; height:250px; padding:0; margin:5px auto 0 auto;"] +noobpreneur.com##div\[style="margin:0px 0px 10px 0px; padding:20px; background:#f9f9f9; border:1px solid #ddd; text-align:center; -webkit-border-radius: 3px; -moz-border-radius: 3px; border-radius: 3px;"] synonym.com##div\[style="margin:0px auto; width: 300px; height: 250px;"] 10minutemail.net##div\[style="margin:10px 0; height:90px; width:728px;"] 22find.com##div\[style="margin:10px auto 0;width:300px;height:320px;"] drakulastream.eu##div\[style="margin:10px"] +businessdictionary.com##div\[style="margin:14px 0 10px 0;padding:0px;min-height:220px;"] +anymaking.com##div\[style="margin:15px auto; border:1px solid #ccc; width:728px; height:90px;"] whattoexpect.com##div\[style="margin:15px auto;width:728px;"] xnotifier.tobwithu.com##div\[style="margin:1em 0;font-weight:bold;"] thespoof.com##div\[style="margin:20px 5px 10px 0;"] @@ -143615,6 +148994,7 @@ ipiccy.com##div\[style="margin:20px auto 10px; width:728px;text-align:center;"] bonjourlife.com##div\[style="margin:20px auto;width:720px;height:90px;"] bikeexchange.com.au##div\[style="margin:2em 0; text-align:center;"] tek-tips.com##div\[style="margin:2px;padding:1px;height:60px;"] +noobpreneur.com##div\[style="margin:30px 0px; padding:20px; background:#f9f9f9; border:1px solid #ddd; text-align:center; -webkit-border-radius: 3px; -moz-border-radius: 3px; border-radius: 3px;"] ipaddress.com##div\[style="margin:32px 0;text-align:center"] bitsnoop.com##div\[style="margin:4px 0 8px 0; padding:0; width:100%; height:90px; text-align:center;"] indiatvnews.com##div\[style="margin:5px 0px 20px 0px"] @@ -143623,6 +149003,7 @@ jpopasia.com##div\[style="margin:auto auto; text-align:center; margin-bottom:10p into-asia.com##div\[style="margin:auto; width:728px; height:105px; margin-top:20px"] codeproject.com##div\[style="margin:auto;width:728px;height:90px;margin-top:10px"] androidpolice.com##div\[style="max-width:160px; height:600px; margin: 0 auto;"] +dawn.com##div\[style="max-width:728px;max-height:90px;text-align:center;margin:0 auto;"] channelstv.com##div\[style="max-width:980px; max-height:94px"] life.time.com##div\[style="min-height: 226px; clear: both"] phonearena.com##div\[style="min-height: 250px"] @@ -143651,14 +149032,12 @@ youtubedoubler.com##div\[style="padding-left:2px; padding-top:9px; padding-botto rlslog.net##div\[style="padding-left:40px;"] beforeitsnews.com##div\[style="padding-right:20px; width: 300px; height: 250px; float:right;"] pt-news.org##div\[style="padding-right:5px; padding-top:18px; float:left; "] -ontopmag.com##div\[style="padding-top: 10px; background-color: #575757; height: 90px;\a width: 728px; margin: auto auto;"] magweb.com##div\[style="padding-top: 15px;"] drweil.com##div\[style="padding-top: 5px; width:728px; padding-bottom:10px;"] ynetnews.com##div\[style="padding-top:10px;padding-bottom:10px;padding-right:10px"] podbean.com##div\[style="padding-top:20px;width:336px;height:280px"] funnycrazygames.com##div\[style="padding-top:2px"] thenews.com.pk##div\[style="padding-top:5px;;height:95px;float:left;width:931px;background:url(images/banner_top_bg.jpg);"] -watchonlinefree.tv##div\[style="padding-top:5px;float:left;width:100%;font-size:13px;line-height:26px;height:31px;top: 12px;z-index:9999;text-align:left"] thenews.com.pk##div\[style="padding-top:5px;height:95px;float:left;width:931px;background:url(images/banner_top_bg.jpg);"] forums.androidcentral.com##div\[style="padding-top:92px !important; "] cardschat.com##div\[style="padding: 0px 0px 0px 0px; margin-top:10px;"] @@ -143674,6 +149053,9 @@ legacy.com##div\[style="padding:0; margin:0 auto; text-align:right; width:738px; condo.com##div\[style="padding:0px 5px 0px 5px; width:300px;"] beforeitsnews.com##div\[style="padding:10px 0 10px 0;height:250px;margin-bottom:5px;"] subtitleseeker.com##div\[style="padding:10px 0px 10px 0px; text-align:center; width:728; height:90px;"] +standardmedia.co.ke##div\[style="padding:10px; width:1200px; height:90px; "] +myanimelist.net##div\[style="padding:12px 0px"] +listentotaxman.com##div\[style="padding:2px 2px 0px 0px;height:90px;overflow:hidden;text-align:right; clear:both;"] ucatholic.com##div\[style="padding:5px 0 5px 0; text-align:center"] avforums.com##div\[style="padding:5px 0px 0px 0px"] usfinancepost.com##div\[style="padding:5px 15px 5px 0px;"] @@ -143681,10 +149063,8 @@ imtranslator.net##div\[style="padding:5px;margin:5px;border:1px solid #21497D;"] championsradio.com##div\[style="position: absolute; left: 0px; top: 259px;"] championsradio.com##div\[style="position: absolute; left: 630px; top: 283px;"] yourvideohost.com##div\[style="position: absolute; width: 300px; height: 250px; margin-left: -150px; left: 50%; margin-top: -125px; top: 50%; background-color: transparent;z-index:98;"] -videofun.me##div\[style="position: absolute; width: 300px; height: 275px; left: 150px; top: 79px; background: url(\"http://byzoo.org/msg.png\") no-repeat scroll center center transparent;"] play44.net,video44.net##div\[style="position: absolute; width: 300px; height: 275px; left: 150px; top: 79px; z-index: 999;"] -indiatimes.com##div\[style="position: fixed; left: 0px; top: 0px; bottom: 0px; cursor: pointer; width: 450px;"] -indiatimes.com##div\[style="position: fixed; right: 0px; top: 0px; bottom: 0px; cursor: pointer; width: 450px;"] +videobam.com##div\[style="position: fixed; width: 100%; text-align: left; height: 38px; padding-bottom: 2px; background: rgb(253, 237, 167) none repeat scroll 0% 0%; top: -0.000756667px; left: 0px; font-family: Arial; font-size: 15px; border-bottom: 1px solid rgb(214, 214, 214); min-width: 700px; z-index: 2147483647;"] roundgames.com##div\[style="position: relative; height: 110px;"] lbcgroup.tv##div\[style="position: relative; height: 250px; width: 300px;"] ampgames.com##div\[style="position: relative; height: 260px;"] @@ -143692,10 +149072,12 @@ educationpost.com.hk##div\[style="position: relative; width: 300px; height: 280p newera.com.na##div\[style="position: relative; width: 620px; height: 80px;"] bestreams.net##div\[style="position: relative; width: 800px; height: 440px;"] kusc.org##div\[style="position: relative; width: 900px; height: 250px; left: -300px;"] -allmyvideos.net,vidspot.net##div\[style="position: relative;"]:first-child > div\[id^="O"]\[style]:first-child -streamin.to##div\[style="position: relative;width: 800px;height: 440px;"] +vidspot.net##div\[style="position: relative;"]:first-child > div\[id^="O"]\[style]:first-child +streamtuner.me##div\[style="position: relative;top: -45px;"] +skyvids.net,streamin.to##div\[style="position: relative;width: 800px;height: 440px;"] topfriv.com##div\[style="position:absolute; background:#201F1D; top:15px; right:60px; width:728px; height:90px;"] sharerepo.com##div\[style="position:absolute; top:10%; left:0%; width:300px; height:100%; z-index:1;"] +dubbedonline.co##div\[style="position:absolute;background:#000000 URL(../image/black.gif);text-align:center;width:728px;height:410px;"] theoffside.com##div\[style="position:absolute;left:10px;top:138px;width:160px;height:600px;border:1px solid #ffffff;"] i6.com##div\[style="position:absolute;top: 240px; left:985px;width: 320px;"] hypable.com##div\[style="position:relative; float:left; width:300px; min-height:250px; background-color:grey;"] @@ -143703,12 +149085,12 @@ hypable.com##div\[style="position:relative; float:left; width:300px; min-height: hypable.com##div\[style="position:relative; margin:0 auto; width:100%; padding:30px 0px; text-align: center; min-height:90px;"] mmorpg.com##div\[style="position:relative; margin:0px; width:100%; height:90px; clear:both; padding-top:12px; text-align:center;"] healthcastle.com##div\[style="position:relative; width: 300px; height: 280px;"] +opiniojuris.org##div\[style="position:relative; width:300px; height:250px; overflow:hidden"] hypixel.net##div\[style="position:relative; width:728px; margin: auto;"] buyselltrade.ca##div\[style="position:relative;overflow:hidden;width:728px;height:90px;"] shalomtv.com##div\[style="position:relative;width:468px;height:60px;overflow:hidden"] fastvideo.eu##div\[style="position:relative;width:896px;height:370px;margin: 0 auto;backgroud:;"] > \[id]:first-child baltimorestyle.com##div\[style="text-align : center ;margin-left : auto ;margin-right : auto ;position : relative ;background-color:#ffffff;height:100px;padding-top:10px;"] -businesstech.co.za##div\[style="text-align: center; border: 1px solid #DFDFE1; margin-bottom: 12px; padding: 6px; text-align: center;"] notalwaysright.com##div\[style="text-align: center; display: block; padding-top: 30px;"] centurylink.net##div\[style="text-align: center; font-size: 11px;"] rofl.to##div\[style="text-align: center; height:60px; width:468px;"] @@ -143730,7 +149112,8 @@ eatingwell.com##div\[style="text-align:center; min-height:90px;"] customize.org##div\[style="text-align:center; padding:0px 0px 20px 0px; width: 100%; height: 90px;"] customize.org##div\[style="text-align:center; padding:20px 0px 0px 0px; width: 100%; height: 90px;"] legacy.com##div\[style="text-align:center; padding:2px 0 3px 0;"] -nowdownload.ag,nowdownload.at,nowdownload.ch,nowdownload.co,nowdownload.sx##div\[style="text-align:center; vertical-align:middle; height:250px;"] +nowdownload.ag,nowdownload.ch,nowdownload.co,nowdownload.ec,nowdownload.sx##div\[style="text-align:center; vertical-align:middle; height:250px;"] +clutchmagonline.com##div\[style="text-align:center; width:300px; margin: 20px auto"] cinemablend.com##div\[style="text-align:center;"] geekzone.co.nz##div\[style="text-align:center;clear:both;height:20px;"] iloubnan.info##div\[style="text-align:center;color:black;font-size:10px;"] @@ -143738,9 +149121,9 @@ techguy.org##div\[style="text-align:center;height:101px;width:100%;"] theawesomer.com##div\[style="text-align:center;padding:20px 0px 0px 0px;height:90px;width:100%;clear:both;"] imcdb.org##div\[style="text-align:center;width:150px;font-family:Arial;"] statscrop.com##div\[style="text-align:left; margin-left:5px; clear:both;"]:first-child +zrtp.org##div\[style="text-align:left;display:block;margin-right:auto;margin-left:auto"] carpoint.com.au##div\[style="text-align:right;font-size:10px;color:#999;padding:4px;border:solid #ccc;border-width:0"] mocpages.com##div\[style="vertical-align:middle; width:728; height:90; max-width:728; max-height:90; border:1px solid #888;"] -griquasrugby.co.za##div\[style="visibility: visible; left: 0px; top: 0px; min-width: 452px; min-height: 120px; position: absolute;"] neowin.net##div\[style="white-space:nowrap;overflow: hidden; min-height:120px; margin-top:0; margin-bottom:0;"] politicususa.com##div\[style="width: 100%; height: 100px; margin: -8px auto 7px auto;"] chron.com##div\[style="width: 100%; height: 90px; margin-bottom: 8px; float: left;"] @@ -143758,10 +149141,11 @@ vr-zone.com##div\[style="width: 160px; height: 600px"] brandeating.com##div\[style="width: 160px; height: 600px; overflow: visible;"] performanceboats.com##div\[style="width: 160px; height: 600px;"] kidzworld.com##div\[style="width: 160px; height: 617px; margin: auto;"] +wrip979.com##div\[style="width: 160px; height: 627px"] disclose.tv##div\[style="width: 160px;"] concrete.tv##div\[style="width: 180px; height: 360px; border: 1px solid white;"] +porttechnology.org##div\[style="width: 192px; height: 70px;"] checkip.org##div\[style="width: 250px; margin-left: 25px;margin-top:10px;"] -griquasrugby.co.za##div\[style="width: 282px; height: 119px; margin: 0px;"] whodoyouthinkyouaremagazine.com##div\[style="width: 290px; height: 100px; padding: 5px; margin-bottom: 5px; clear: both;"] mmoculture.com##div\[style="width: 290px; height: 250px;"] mmoculture.com##div\[style="width: 290px; height: 600px;"] @@ -143795,7 +149179,6 @@ socialblade.com##div\[style="width: 300px; height: 250px; margin: 0px auto 10px pcworld.com##div\[style="width: 300px; height: 250px; margin:0 auto 20px; overflow:hidden;"] looklocal.co.za##div\[style="width: 300px; height: 250px; overflow: auto;"] benzinga.com,newstalk.ie,newswhip.ie##div\[style="width: 300px; height: 250px; overflow: hidden;"] -timesofindia.indiatimes.com##div\[style="width: 300px; height: 250px; overflow:hidden"] mbworld.org##div\[style="width: 300px; height: 250px; overflow:hidden;"] ukfree.tv##div\[style="width: 300px; height: 250px; padding-top: 10px"] washingtonmonthly.com##div\[style="width: 300px; height: 250px; padding: 15px 50px; margin-bottom: 20px; background: #ccc;"] @@ -143804,7 +149187,6 @@ compasscayman.com##div\[style="width: 300px; height: 250px;float: left;"] usedcars.com##div\[style="width: 300px; height: 265px"] ebay.co.uk##div\[style="width: 300px; height: 265px; overflow: hidden; display: block;"] kidzworld.com##div\[style="width: 300px; height: 267px; margin: auto;"] -supersport.com##div\[style="width: 300px; height: 320px; margin: 0 0 0 10px;"] wnd.com##div\[style="width: 300px; height: 600px"] socialblade.com##div\[style="width: 300px; height: 600px; margin: 20px auto 10px auto;"] urbandictionary.com,wraltechwire.com##div\[style="width: 300px; height: 600px;"] @@ -143814,10 +149196,11 @@ digitalphotopro.com##div\[style="width: 300px; text-align: center;"] vitals.com##div\[style="width: 300px; text-align:right"] hollywoodnews.com,wnd.com##div\[style="width: 300px;height: 250px;"] wnd.com##div\[style="width: 300px;height: 600px;"] -askkissy.com,babesandkidsreview.com##div\[style="width: 304px; height: 280px; outline: 1px solid #808080; padding-top: 2px; text-align: center; background-color: #fff;"] +babesandkidsreview.com##div\[style="width: 304px; height: 280px; outline: 1px solid #808080; padding-top: 2px; text-align: center; background-color: #fff;"] cheatcc.com##div\[style="width: 308px; text-align: right; font-size: 11pt;"] phonearena.com##div\[style="width: 320px; height: 250px; border-top: 1px dotted #ddd; padding: 17px 20px 17px 0px;"] -thetruthaboutguns.com##div\[style="width: 320px; height:600px;"] +weaselzippers.us##div\[style="width: 320px; height:600px; margin-top:190px;"] +thetruthaboutguns.com,weaselzippers.us##div\[style="width: 320px; height:600px;"] windows7download.com##div\[style="width: 336px; height:280px;"] wellness.com##div\[style="width: 336px; padding: 0 0 0 15px; height:280px;"] theday.com##div\[style="width: 468px; height: 60px; border: 1px solid #eeeeee; margin: 5px 0; clear: both;"] @@ -143825,8 +149208,6 @@ way2sms.com##div\[style="width: 468px; height: 60px; margin-left: 140px;"] scriptcopy.com##div\[style="width: 468px; height: 60px; text-align: center; display: block; margin: 0pt auto; background-color:#eee;"] mmoculture.com##div\[style="width: 468px; height: 60px;"] win7dl.com##div\[style="width: 570px; margin: 0 auto;"] -zimeye.com##div\[style="width: 575px; height: 232px; padding: 6px 6px 6px 0; float: left; margin-left: 0; margin-right: 1px;"] -whoisology.com##div\[style="width: 66%; float:left;text-align:center;margin-top:30px;vertical-align:top;background:#fff;"] > .container-fluid\[style="padding-right:0;margin-right:0"] redorbit.com##div\[style="width: 700px; height: 250px; overflow: hidden;"] hiphopstan.com##div\[style="width: 700px; height: 270px; margin-left: auto; margin-right: auto; clear: both;"] sharingcentre.net##div\[style="width: 700px; margin: 0 auto;"] @@ -143848,10 +149229,12 @@ itnews.com.au##div\[style="width: 728px; height:90px; margin-left: auto; margin- bravejournal.com##div\[style="width: 728px; margin: 0 auto;"] zoklet.net##div\[style="width: 728px; margin: 3px auto;"] wnd.com##div\[style="width: 728px;height: 90px"] +f-picture.net##div\[style="width: 730px; height: 90px; padding: 0px; padding-left: 10px; margin: 0px; border-style: none; border-width: 0px; overflow: hidden;"] news-panel.com##div\[style="width: 730px; height: 95px;"] elitistjerks.com##div\[style="width: 730px; margin: 0 auto"] quikr.com##div\[style="width: 735px; height: 125px;"] freemake.com##div\[style="width: 735px; height:60px; margin: 0px auto; padding-bottom:40px;"] +radiosurvivor.com##div\[style="width: 750px; height: 90px; border: padding-left:25px; margin-left:auto; margin-right:auto; padding-bottom: 40px; max-width:100%"] shop.com##div\[style="width: 819px; border:1px solid #cccccc; "] shop.com##div\[style="width: 819px; height: 124px; border:1px solid #cccccc; "] betterpropaganda.com##div\[style="width: 848px; height: 91px; margin: 0; position: relative;"] @@ -143872,6 +149255,7 @@ zedomax.com##div\[style="width:100%;height:280px;"] wattpad.com##div\[style="width:100%;height:90px;text-align:center"] techcentral.ie##div\[style="width:1000px; height:90px; margin:auto"] flixist.com##div\[style="width:1000px; padding:0px; margin-left:auto; margin-right:auto; margin-bottom:10px; margin-top:10px; height:90px;"] +newhampshire.com,unionleader.com##div\[style="width:100px;height:38px;float:right;margin-left:10px"] techbrowsing.com##div\[style="width:1045px;height:90px;margin-top: 15px;"] strangecosmos.com##div\[style="width:120px; height:600;"] egyptindependent.com##div\[style="width:120px;height:600px;"] @@ -143891,24 +149275,22 @@ brothersoft.com##div\[style="width:160px; height:600px;margin:0px auto;"] gogetaroomie.com##div\[style="width:160px; height:616px;background: #ffffff; margin-top:10px; margin-bottom:10px;"] forums.eteknix.com##div\[style="width:160px; margin:10px auto; height:600px;"] downloadcrew.com##div\[style="width:160px;height:160px;margin-bottom:10px;"] -belfasttelegraph.co.uk,vipleague.se,wxyz.com##div\[style="width:160px;height:600px;"] +belfasttelegraph.co.uk,wxyz.com##div\[style="width:160px;height:600px;"] downloadcrew.com##div\[style="width:160px;height:600px;margin-bottom:10px;"] -thephoenix.com##div\[style="width:160px;height:602px;border:0;margin:0;padding:0;"] leitesculinaria.com##div\[style="width:162px; height:600px; float:left;"] leitesculinaria.com##div\[style="width:162px; height:600px; float:right;"] undsports.com##div\[style="width:170px;height:625px;overflow:hidden;background-color:#ffffff;border:1px solid #c3c3c3"] -caymannewsservice.com##div\[style="width:175px; height:200px; margin:0px auto;"] wantitall.co.za##div\[style="width:195px; height:600px; text-align:center"] mlmhelpdesk.com##div\[style="width:200px; height:200px;"] -indiatimes.com##div\[style="width:210px;height:70px;float:left;padding:0 0 0 8px"] today.az##div\[style="width:229px; height:120px;"] theadvocate.com##div\[style="width:240px;height:90px;background:#eee; margin-top:5px;float:right;"] -azernews.az##div\[style="width:250px; height:250px;"] +newzimbabwe.com##div\[style="width:250px; height:250px;"] today.az##div\[style="width:255px; height:120px;"] exchangerates.org.uk##div\[style="width:255px;text-align:left;background:#fff;margin:15px 0 15px 0;"] linksrank.com##div\[style="width:260px; align:left"] webstatschecker.com##div\[style="width:260px; text-align:left"] chinadaily.com.cn##div\[style="width:275px;height:250px;border:none;padding:0px;margin:0px;overflow:hidden;"] +101greatgoals.com##div\[style="width:280px;height:440px;"] cinemablend.com##div\[style="width:290px;height:600px;"] cinemablend.com##div\[style="width:290px;height:606px;"] samoaobserver.ws##div\[style="width:297px; height:130px;"] @@ -143922,7 +149304,7 @@ redflagflyinghigh.com,wheninmanila.com##div\[style="width:300px; height: 250px;" shape.com##div\[style="width:300px; height: 255px; overflow:auto;"] itweb.co.za##div\[style="width:300px; height: 266px; overflow: hidden; margin: 0"] jerusalemonline.com##div\[style="width:300px; height: 284px; padding-top: 10px; padding-bottom: 10px; border: 1px solid #ffffff; float:right"] -foxsportsasia.com,windsorite.ca##div\[style="width:300px; height:100px;"] +foxsportsasia.com##div\[style="width:300px; height:100px;"] girlgames.com##div\[style="width:300px; height:118px; margin-bottom:6px;"] midweek.com##div\[style="width:300px; height:135px; float:left;"] encyclopedia.com,thirdage.com##div\[style="width:300px; height:250px"] @@ -143930,6 +149312,7 @@ herplaces.com##div\[style="width:300px; height:250px; background-color:#CCC;"] iskullgames.com##div\[style="width:300px; height:250px; border: 2px solid #3a3524;"] videoweed.es##div\[style="width:300px; height:250px; display:block; border:1px solid #CCC;"] picocent.com##div\[style="width:300px; height:250px; margin-bottom: 35px;"] +earthsky.org##div\[style="width:300px; height:250px; margin-bottom:25px;"] gametracker.com##div\[style="width:300px; height:250px; margin-bottom:8px; overflow:hidden;"] midweek.com##div\[style="width:300px; height:250px; margin: 5px 0px; float:left;"] inrumor.com##div\[style="width:300px; height:250px; margin:0 0 10px 0;"] @@ -143937,19 +149320,19 @@ funny-city.com,techsupportforum.com##div\[style="width:300px; height:250px; marg filesfrog.com##div\[style="width:300px; height:250px; overflow: hidden;"] search.ch##div\[style="width:300px; height:250px; overflow:hidden"] worldtvpc.com##div\[style="width:300px; height:250px; padding:8px; margin:auto"] -adforum.com,alliednews.com,americustimesrecorder.com,andovertownsman.com,athensreview.com,batesvilleheraldtribune.com,bdtonline.com,box10.com,chickashanews.com,claremoreprogress.com,cleburnetimesreview.com,clintonherald.com,commercejournal.com,commercial-news.com,coopercrier.com,cordeledispatch.com,corsicanadailysun.com,crossville-chronicle.com,cullmantimes.com,dailyiowegian.com,dailyitem.com,daltondailycitizen.com,derrynews.com,downloadhelper.net,duncanbanner.com,eagletribune.com,edmondsun.com,effinghamdailynews.com,enewscourier.com,enidnews.com,farmtalknewspaper.com,fayettetribune.com,flasharcade.com,flashgames247.com,flyergroup.com,forzaitalianfootball.com,foxsportsasia.com,futuresmag.com,gainesvilleregister.com,gloucestertimes.com,goshennews.com,greensburgdailynews.com,harpersbazaar.com,heraldbanner.com,heraldbulletin.com,hgazette.com,homemagonline.com,i-dressup.com,itemonline.com,jacksonvilleprogress.com,jerusalemonline.com,joplinglobe.com,journal-times.com,journalexpress.net,kokomotribune.com,lockportjournal.com,mankatofreepress.com,mcalesternews.com,mccrearyrecord.com,mcleansborotimesleader.com,meadvilletribune.com,mediaite.com,meridianstar.com,mineralwellsindex.com,montgomery-herald.com,mooreamerican.com,moultrieobserver.com,muskogeephoenix.com,ncnewsonline.com,newburyportnews.com,newsaegis.com,newsandtribune.com,newverhost.com,niagara-gazette.com,njeffersonnews.com,normantranscript.com,nypress.com,opposingviews.com,orangeleader.com,oskaloosa.com,ottumwacourier.com,palestineherald.com,panews.com,paulsvalleydailydemocrat.com,peekyou.com,pellachronicle.com,pharostribune.com,pressrepublican.com,pryordailytimes.com,psx-scene.com,randolphguide.com,record-eagle.com,register-herald.com,register-news.com,reporter.net,rockwallheraldbanner.com,roysecityheraldbanner.com,rushvillerepublican.com,salemnews.com,sentinel-echo.com,sharonherald.com,shelbyvilledailyunion.com,siteslike.com,soaps.sheknows.com,standardmedia.co.ke,starbeacon.com,stwnewspress.com,suwanneedemocrat.com,tahlequahdailypress.com,theadanews.com,thedailystar.com,thelandonline.com,themoreheadnews.com,thesnaponline.com,tiftongazette.com,times-news.com,timesenterprise.com,timesofindia.indiatimes.com,timessentinel.com,timeswv.com,tonawanda-news.com,tribdem.com,tribstar.com,unionrecorder.com,upi.com,valdostadailytimes.com,washtimesherald.com,waurikademocrat.com,wcoutlook.com,weatherforddemocrat.com,windsorite.ca,woodwardnews.net##div\[style="width:300px; height:250px;"] +adforum.com,alliednews.com,americustimesrecorder.com,andovertownsman.com,athensreview.com,batesvilleheraldtribune.com,bdtonline.com,chickashanews.com,claremoreprogress.com,cleburnetimesreview.com,clintonherald.com,commercejournal.com,commercial-news.com,coopercrier.com,cordeledispatch.com,corsicanadailysun.com,crossville-chronicle.com,cullmantimes.com,dailyiowegian.com,dailyitem.com,daltondailycitizen.com,derrynews.com,duncanbanner.com,eagletribune.com,edmondsun.com,effinghamdailynews.com,enewscourier.com,enidnews.com,farmtalknewspaper.com,fayettetribune.com,flasharcade.com,flashgames247.com,flyergroup.com,foxsportsasia.com,gainesvilleregister.com,gloucestertimes.com,goshennews.com,greensburgdailynews.com,heraldbanner.com,heraldbulletin.com,hgazette.com,homemagonline.com,itemonline.com,jacksonvilleprogress.com,jerusalemonline.com,joplinglobe.com,journal-times.com,journalexpress.net,kexp.org,kokomotribune.com,lockportjournal.com,mankatofreepress.com,mcalesternews.com,mccrearyrecord.com,mcleansborotimesleader.com,meadvilletribune.com,meridianstar.com,mineralwellsindex.com,montgomery-herald.com,mooreamerican.com,moultrieobserver.com,muskogeephoenix.com,ncnewsonline.com,newburyportnews.com,newsaegis.com,newsandtribune.com,niagara-gazette.com,njeffersonnews.com,normantranscript.com,opposingviews.com,orangeleader.com,oskaloosa.com,ottumwacourier.com,palestineherald.com,panews.com,paulsvalleydailydemocrat.com,pellachronicle.com,pharostribune.com,pressrepublican.com,pryordailytimes.com,randolphguide.com,record-eagle.com,register-herald.com,register-news.com,reporter.net,rockwallheraldbanner.com,roysecityheraldbanner.com,rushvillerepublican.com,salemnews.com,sentinel-echo.com,sharonherald.com,shelbyvilledailyunion.com,siteslike.com,standardmedia.co.ke,starbeacon.com,stwnewspress.com,suwanneedemocrat.com,tahlequahdailypress.com,theadanews.com,thedailystar.com,thelandonline.com,themoreheadnews.com,thesnaponline.com,tiftongazette.com,times-news.com,timesenterprise.com,timessentinel.com,timeswv.com,tonawanda-news.com,tribdem.com,tribstar.com,unionrecorder.com,valdostadailytimes.com,washtimesherald.com,waurikademocrat.com,wcoutlook.com,weatherforddemocrat.com,woodwardnews.net##div\[style="width:300px; height:250px;"] snewsnet.com##div\[style="width:300px; height:250px;border:0px;"] cnn.com##div\[style="width:300px; height:250px;overflow:hidden;"] ego4u.com##div\[style="width:300px; height:260px; padding-top:10px"] jerusalemonline.com##div\[style="width:300px; height:265px;"] gogetaroomie.com##div\[style="width:300px; height:266px; background: #ffffff; margin-bottom:10px;"] topgear.com##div\[style="width:300px; height:306px; padding-top: 0px;"] -windsorite.ca##div\[style="width:300px; height:400px;"] -jerusalemonline.com,race-dezert.com,windsorite.ca##div\[style="width:300px; height:600px;"] +jerusalemonline.com,race-dezert.com##div\[style="width:300px; height:600px;"] worldscreen.com##div\[style="width:300px; height:65px; background-color:#ddd;"] standard.co.uk##div\[style="width:300px; margin-bottom:20px; background-color:#f5f5f5;"] uesp.net##div\[style="width:300px; margin-left: 120px;"] miamitodaynews.com##div\[style="width:300px; margin:0 auto;"] +windsorite.ca##div\[style="width:300px; min-height: 600px;"] forzaitalianfootball.com##div\[style="width:300px; min-height:250px; max-height:600px;"] yourmindblown.com##div\[style="width:300px; min-height:250px; padding:10px 0px;"] etfdailynews.com##div\[style="width:300px;border:1px solid black"] @@ -143957,8 +149340,8 @@ egyptindependent.com##div\[style="width:300px;height:100px;"] independent.com##div\[style="width:300px;height:100px;margin-left:10px;margin-top:15px;margin-bottom:15px;"] snewsnet.com##div\[style="width:300px;height:127px;border:0px;"] smh.com.au##div\[style="width:300px;height:163px;"] -1071thez.com,classichits987.com,indiana105.com,kgrt.com,wakeradio.com,xrock1039.com##div\[style="width:300px;height:250px"] -afterdawn.com,egyptindependent.com,flyertalk.com,hairboutique.com,itnews.com.au,leftfootforward.org,news92fm.com,nfl.com,nowtoronto.com,techcareers.com,tuoitrenews.vn,vipleague.se##div\[style="width:300px;height:250px;"] +1071thez.com,classichits987.com,funnyjunk.com,indiana105.com,kgrt.com,pocket-lint.com,wakeradio.com,xrock1039.com##div\[style="width:300px;height:250px"] +afterdawn.com,egyptindependent.com,flyertalk.com,hairboutique.com,itnews.com.au,leftfootforward.org,news92fm.com,nfl.com,nowtoronto.com,techcareers.com,tuoitrenews.vn,wowcrunch.com##div\[style="width:300px;height:250px;"] kohit.net##div\[style="width:300px;height:250px;background-color:#000000;"] winrumors.com##div\[style="width:300px;height:250px;background:#c0c8ce;"] ysr1560.com##div\[style="width:300px;height:250px;border:1pt #444444 solid;position:relative;left:5px;"] @@ -143981,7 +149364,6 @@ weartv.com##div\[style="width:303px;background-color:#336699;font-size:10px;colo newsblaze.com##div\[style="width:305px;height:250px;float:left;"] houserepairtalk.com##div\[style="width:305px;height:251px;"] whois.net##div\[style="width:320px; float:right; text-align:center;"] -gamesfree.ca##div\[style="width:322px;"] tomopop.com##div\[style="width:330px; overflow:hidden;"] worldtvpc.com##div\[style="width:336px; height:280px; padding:8px; margin:auto"] geekzone.co.nz,standardmedia.co.ke##div\[style="width:336px; height:280px;"] @@ -143992,6 +149374,7 @@ zedomax.com##div\[style="width:336px;height:280px;float:center;"] maximumpcguides.com##div\[style="width:336px;height:280px;margin:0 auto"] auto-types.com##div\[style="width:337px;height:280px;float:right;margin-top:5px;"] techsonia.com##div\[style="width:337px;height:298px;border:1px outset blue;"] +worldwideweirdnews.com##div\[style="width:341px; height:285px;float:left; display:inline-block"] mapsofindia.com##div\[style="width:345px;height:284px;float:left;"] keo.co.za##div\[style="width:350px;height:250px;float:left;"] catholicworldreport.com##div\[style="width:350px;height:275px;background:#e1e1e1;padding:25px 0px 0px 0px; margin: 10px 0;"] @@ -143999,7 +149382,6 @@ hostcabi.net##div\[style="width:350px;height:290px;float:left"] internet.com##div\[style="width:350px;margin-bottom:5px;"] internet.com##div\[style="width:350px;text-align:center;margin-bottom:5px"] gamepressure.com##div\[style="width:390px;height:300px;float:right;"] -caymannewsservice.com##div\[style="width:450px; height:100px; margin:0px auto;"] top4download.com##div\[style="width:450px;height:205px;clear:both;"] worldscreen.com##div\[style="width:468px; height:60px; background-color:#ddd;"] bfads.net##div\[style="width:468px; height:60px; margin:0 auto 0 auto;"] @@ -144010,14 +149392,15 @@ independent.com##div\[style="width:468px;height:60px;margin:10px 35px;clear:both jwire.com.au##div\[style="width:468px;height:60px;margin:10px auto;"] kwongwah.com.my##div\[style="width:468px;height:60px;text-align:center;margin-bottom:10px;"] kwongwah.com.my##div\[style="width:468px;height:60px;text-align:center;margin:20px 0 10px;"] +standardmedia.co.ke##div\[style="width:470px; height:100px; margin:20px;"] southcoasttoday.com##div\[style="width:48%; border:1px solid #3A6891; margin-top:20px;"] limelinx.com##div\[style="width:480px; height:60px;"] weatherbug.com##div\[style="width:484px; height:125px; background:#FFFFFF; overflow:hidden;"] reactiongifs.com##div\[style="width:499px; background:#ffffff; margin:00px 0px 35px 180px; padding:20px 0px 20px 20px; "] classiccars.com##div\[style="width:515px;border-style:solid;border-width:thin;border-color:transparent;padding-left:10px;padding-top:10px;padding-right:10px;padding-bottom:10px;background-color:#CFCAC4"] wwitv.com##div\[style="width:520px;height:100px"] -caymannewsservice.com##div\[style="width:550px; height:100px; margin:0px auto;"] toorgle.net##div\[style="width:550px;margin-bottom:15px;font-family:arial,serif;font-size:10pt;"] +lifewithcats.tv##div\[style="width:600px; height:300px;"] techgage.com##div\[style="width:600px; height:74px;"] chrome-hacks.net##div\[style="width:600px;height:250px;"] hiphopwired.com##div\[style="width:639px;height:260px;margin-top:20px;"] @@ -144037,14 +149420,14 @@ bangkokpost.com##div\[style="width:728px; height:90px; margin-left: auto; margin relationshipcolumns.com##div\[style="width:728px; height:90px; margin-top:18px;"] mustangevolution.com##div\[style="width:728px; height:90px; margin: 0 auto;"] canadapost.ca##div\[style="width:728px; height:90px; margin: auto; text-align: center; padding: 10px;"] -gta3.com,gtagarage.com,gtasanandreas.net##div\[style="width:728px; height:90px; margin:0 auto"] +gta3.com,gtagarage.com,gtasanandreas.net,myanimelist.net##div\[style="width:728px; height:90px; margin:0 auto"] fas.org##div\[style="width:728px; height:90px; margin:10px 0 20px 0;"] herplaces.com##div\[style="width:728px; height:90px; margin:12px auto;"] motionempire.me##div\[style="width:728px; height:90px; margin:20px auto 10px; padding:0;"] imgbox.com##div\[style="width:728px; height:90px; margin:auto; margin-bottom:8px;"] dodgeforum.com,hondamarketplace.com##div\[style="width:728px; height:90px; overflow:hidden; margin:0 auto;"] freeforums.org,scottishamateurfootballforum.com##div\[style="width:728px; height:90px; padding-bottom:20px;"] -alliednews.com,americustimesrecorder.com,andovertownsman.com,androidpolice.com,athensreview.com,azernews.az,batesvilleheraldtribune.com,bdtonline.com,boards.ie,chickashanews.com,claremoreprogress.com,cleburnetimesreview.com,clintonherald.com,commercejournal.com,commercial-news.com,cookingforengineers.com,coopercrier.com,cordeledispatch.com,corsicanadailysun.com,crossville-chronicle.com,cullmantimes.com,dailyiowegian.com,dailyitem.com,daltondailycitizen.com,derrynews.com,duncanbanner.com,eagletribune.com,edmondsun.com,effinghamdailynews.com,enewscourier.com,enidnews.com,farmtalknewspaper.com,fayettetribune.com,findthebest.com,flyergroup.com,forzaitalianfootball.com,gainesvilleregister.com,gloucestertimes.com,goshennews.com,greensburgdailynews.com,heraldbanner.com,heraldbulletin.com,hgazette.com,homemagonline.com,itemonline.com,jacksonvilleprogress.com,joplinglobe.com,journal-times.com,journalexpress.net,kokomotribune.com,lockportjournal.com,mankatofreepress.com,mcalesternews.com,mccrearyrecord.com,mcleansborotimesleader.com,meadvilletribune.com,meridianstar.com,mineralwellsindex.com,montgomery-herald.com,mooreamerican.com,moultrieobserver.com,muskogeephoenix.com,ncnewsonline.com,newburyportnews.com,newsaegis.com,newsandtribune.com,niagara-gazette.com,njeffersonnews.com,normantranscript.com,orangeleader.com,oskaloosa.com,ottumwacourier.com,palestineherald.com,panews.com,paulsvalleydailydemocrat.com,pellachronicle.com,pharostribune.com,pressrepublican.com,pryordailytimes.com,randolphguide.com,record-eagle.com,register-herald.com,register-news.com,reporter.net,rockwallheraldbanner.com,roysecityheraldbanner.com,rushvillerepublican.com,salemnews.com,sentinel-echo.com,sharonherald.com,shelbyvilledailyunion.com,starbeacon.com,stwnewspress.com,suwanneedemocrat.com,tahlequahdailypress.com,theadanews.com,thedeadwood.co.uk,thelandonline.com,themoreheadnews.com,thesnaponline.com,tiftongazette.com,times-news.com,timesenterprise.com,timessentinel.com,timeswv.com,tonawanda-news.com,tribdem.com,tribstar.com,ualpilotsforum.org,unionrecorder.com,valdostadailytimes.com,washtimesherald.com,waurikademocrat.com,wcoutlook.com,weatherforddemocrat.com,woodwardnews.net##div\[style="width:728px; height:90px;"] +alliednews.com,americustimesrecorder.com,andovertownsman.com,androidpolice.com,athensreview.com,batesvilleheraldtribune.com,bdtonline.com,boards.ie,chickashanews.com,claremoreprogress.com,cleburnetimesreview.com,clintonherald.com,commercejournal.com,commercial-news.com,cookingforengineers.com,coopercrier.com,cordeledispatch.com,corsicanadailysun.com,crossville-chronicle.com,cullmantimes.com,dailyiowegian.com,dailyitem.com,daltondailycitizen.com,derrynews.com,duncanbanner.com,eagletribune.com,edmondsun.com,effinghamdailynews.com,enewscourier.com,enidnews.com,farmtalknewspaper.com,fayettetribune.com,flyergroup.com,forzaitalianfootball.com,gainesvilleregister.com,gloucestertimes.com,goshennews.com,greensburgdailynews.com,heraldbanner.com,heraldbulletin.com,hgazette.com,homemagonline.com,itemonline.com,jacksonvilleprogress.com,joplinglobe.com,journal-times.com,journalexpress.net,kokomotribune.com,lockportjournal.com,mankatofreepress.com,mcalesternews.com,mccrearyrecord.com,mcleansborotimesleader.com,meadvilletribune.com,meridianstar.com,mineralwellsindex.com,montgomery-herald.com,mooreamerican.com,moultrieobserver.com,muskogeephoenix.com,ncnewsonline.com,newburyportnews.com,newsaegis.com,newsandtribune.com,niagara-gazette.com,njeffersonnews.com,normantranscript.com,orangeleader.com,oskaloosa.com,ottumwacourier.com,palestineherald.com,panews.com,paulsvalleydailydemocrat.com,pellachronicle.com,pharostribune.com,pressrepublican.com,pryordailytimes.com,randolphguide.com,record-eagle.com,register-herald.com,register-news.com,reporter.net,rockwallheraldbanner.com,roysecityheraldbanner.com,rushvillerepublican.com,salemnews.com,sentinel-echo.com,sharonherald.com,shelbyvilledailyunion.com,starbeacon.com,stwnewspress.com,suwanneedemocrat.com,tahlequahdailypress.com,theadanews.com,thedeadwood.co.uk,thelandonline.com,themoreheadnews.com,thesnaponline.com,tiftongazette.com,times-news.com,timesenterprise.com,timessentinel.com,timeswv.com,tonawanda-news.com,tribdem.com,tribstar.com,ualpilotsforum.org,unionrecorder.com,valdostadailytimes.com,washtimesherald.com,waurikademocrat.com,wcoutlook.com,weatherforddemocrat.com,woodwardnews.net##div\[style="width:728px; height:90px;"] theepochtimes.com##div\[style="width:728px; height:90px;margin:10px auto 0 auto;"] thedailystar.com##div\[style="width:728px; height:90px;position: relative; z-index: 1000 !important"] highdefjunkies.com##div\[style="width:728px; margin:0 auto; padding-bottom:1em"] @@ -144054,11 +149437,12 @@ kavkisfile.com##div\[style="width:728px; text-align:center;font-family:verdana;f net-temps.com##div\[style="width:728px;height:100px;margin-left:auto;margin-right:auto"] ipernity.com##div\[style="width:728px;height:100px;margin:0 auto;"] tictacti.com##div\[style="width:728px;height:110px;text-align:center;margin: 10px 0 20px 0; background-color: White;"] -1071thez.com,classichits987.com,indiana105.com,kgrt.com,wakeradio.com,xrock1039.com##div\[style="width:728px;height:90px"] +1071thez.com,classichits987.com,indiana105.com,kgrt.com,pocket-lint.com,wakeradio.com,xrock1039.com##div\[style="width:728px;height:90px"] footballfancast.com##div\[style="width:728px;height:90px; margin: 0 auto 10px;"] wxyz.com##div\[style="width:728px;height:90px;"] roxigames.com##div\[style="width:728px;height:90px;\a border:1px solid blue;"] sualize.us##div\[style="width:728px;height:90px;background:#bbb;margin:0 auto;"] +dubbedonline.co##div\[style="width:728px;height:90px;display:block;margin-top:10px;bottom:-10px;position:relative;"] videohelp.com##div\[style="width:728px;height:90px;margin-left: auto ; margin-right: auto ;"] raaga.com##div\[style="width:728px;height:90px;margin-top:10px;margin-bottom:10px"] delishows.com##div\[style="width:728px;height:90px;margin:0 auto"] @@ -144075,7 +149459,7 @@ putme.org##div\[style="width:728px;margin:0 auto;"] solomid.net##div\[style="width:728px;padding:5px;background:#000;margin:auto"] proxynova.com##div\[style="width:730px; height:90px;"] usfinancepost.com##div\[style="width:730px;height:95px;display:block;margin:0 auto;"] -movie4k.to,movie4k.tv##div\[style="width:742px"] > div\[style="min-height:170px;"] > .moviedescription + br + a +movie.to,movie4k.me,movie4k.to,movie4k.tv##div\[style="width:742px"] > div\[style="min-height:170px;"] > .moviedescription + br + a dawn.com##div\[style="width:745px;height:90px;margin:auto;margin-bottom:20px;"] 1fichier.com##div\[style="width:750px;height:110px;margin:auto"] imagebam.com##div\[style="width:780px; margin:auto; margin-top:10px; margin-bottom:10px; height:250px;"] @@ -144096,28 +149480,32 @@ apphit.com##div\[style="width:980px;height:100px;clear:both;margin:0 auto;"] teleservices.mu##div\[style="width:980px;height:50px;float:left; "] performanceboats.com##div\[style="width:994px; height:238px;"] search.ch##div\[style="width:994px; height:250px"] +happystreams.net##div\[style="z-index: 2000; background-image: url(\"data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7\"); left: 145px; top: 120px; height: 576px; width: 1024px; position: absolute;"] independent.com##div\[style^="background-image:url('http://media.independent.com/img/ads/ads-bg.gif')"] sevenforums.com##div\[style^="border: 1px solid #94D3FE;"] gamebanshee.com##div\[style^="border:1px solid #b98027; width:300px;"] interfacelift.com##div\[style^="clear: both; -moz-border-radius: 6px; -webkit-border-radius: 6px;"] +redbrick.me##div\[style^="cursor:pointer; position: relative;width:1000px; margin: auto; height:150px; background-size:contain; "] iload.to##div\[style^="display: block; width: 950px;"] google.com##div\[style^="height: 16px; font: bold 12px/16px"] drakulastream.eu##div\[style^="height: 35px; z-index: 99999"] rapidvideo.tv##div\[style^="height: 35px;"] -animenova.tv,animetoon.tv,gogoanime.com,goodanime.net,gooddrama.net,toonget.com##div\[style^="left: 14"] -animenova.tv,animetoon.tv,gogoanime.com,goodanime.net,gooddrama.net,toonget.com##div\[style^="left: 15"] +kingfiles.net##div\[style^="height: 36px;"] +animenova.tv,animetoon.tv,gogoanime.com,goodanime.eu,gooddrama.net,toonget.com##div\[style^="left: "] +monova.org##div\[style^="padding-bottom: "] watchonlineseries.eu##div\[style^="padding-top:5px;float:left;"] 300mbmovies4u.com##div\[style^="padding-top:5px;float:left;width:100%;"] technabob.com##div\[style^="padding:0px 0px "] -easyvideo.me,playbb.me,playpanda.net,videowing.me,videozoo.me##div\[style^="position: absolute; width: 300px; height: 275px;"] +easyvideo.me,playbb.me,playpanda.net,videofun.me,videowing.me,videozoo.me##div\[style^="position: absolute;"] mp3juices.com##div\[style^="position: fixed; width: 100%; text-align: left; height: 40px; background: none"] viz.com##div\[style^="position:absolute; width:742px; height:90px;"] +easyvideo.me,playbb.me,playpanda.net,video66.org,videofun.me,videowing.me,videozoo.me##div\[style^="top: "] +video66.org##div\[style^="width: "] eatliver.com##div\[style^="width: 160px; height: 600px;"] -videozoo.me##div\[style^="width: 300px; position:"] -allmyvideos.net##div\[style^="width: 316px;"] -allmyvideos.net##div\[style^="width: 317px;"] +allmyvideos.net##div\[style^="width: 315px; "] someimage.com##div\[style^="width: 728px; height: 90px;"] kino.to##div\[style^="width: 972px;display: inline;top: 130px;"] +easyvideo.me,playbb.me,playpanda.net,videofun.me,videowing.me,videozoo.me##div\[style^="width:"] sockshare.com##div\[style^="width:302px;height:250px;"] way2sms.com##div\[style^="width:728px; height:90px;"] timelinecoverbanner.com##div\[style^="width:728px;"] @@ -144125,11 +149513,13 @@ walmart.com##div\[style^="width:740px;height:101px"] urgrove.com##div\[style^="z-index: "] > div\[style] putlocker.is,thevideos.tv##div\[style^="z-index: 2000; background-image:"] nowwatchtvlive.com##div\[style^="z-index: 99999; position: fixed; width: 100%;"] +easyvideo.me,playbb.me,playpanda.net,videofun.me,videowing.me,videozoo.me##div\[style^="z-index:"] eclipse.org##div\[width="200"] isnare.com##div\[width="905"] blackcatradio.biz##div\[width="969"]\[height="282"] filepuma.com##dt\[style="height:25px; text-indent:3px; padding-top:5px;"] xtremesystems.org##embed\[width="728"] +opensubtitles.org##fieldset > table\[style="width:100%;"] > tbody > .change astatalk.com##fieldset\[style="border: 1px solid #fff; margin-bottom: 15px; height: 60px; background-color: navy;"] bit.com.au,pcauthority.com.au##fieldset\[style="width:98%;border:1px solid #CCC;margin:0px;padding:0px 0px 0px 5px;"] cinemablend.com##font\[color="#737373"] @@ -144179,16 +149569,21 @@ technologyreview.com,tmz.com##img\[alt="Advertisement"] techxav.com##img\[alt="Commercial WordPress themes"] joox.net##img\[alt="Download FLV Direct"] jdownloader.org##img\[alt="Filesonic Premium Download"] +isohunt.to##img\[alt="Free download"] onhax.net##img\[alt="Full Version"] scriptmafia.org##img\[alt="SM AdSpaces"] searchquotes.com##img\[alt="Sponsored"] +awazfm.co.uk##img\[alt="advert"] warezchick.com##img\[border="0"] jozikids.co.za##img\[height="140"]\[width="140"] gametrailers.com##img\[height="15"]\[width="300"] +africandesignmagazine.com##img\[height="226"] mypbrand.com##img\[height="250"] +africandesignmagazine.com##img\[height="300"] 2pass.co.uk##img\[height="470"] warez-home.net##img\[height="60"]\[width="420"] pururin.com##img\[height="600"] +africandesignmagazine.com##img\[height="688"] abundance-and-happiness.com,professionalmuscle.com##img\[height="90"] nmap.org##img\[height="90"]\[width="120"] airplaydirect.com,roadtester.com.au,slayradio.org##img\[height="90"]\[width="728"] @@ -144196,6 +149591,7 @@ prowrestling.com##img\[height="91"] modelhorseblab.com##img\[name="js_ad"] sporcle.com##img\[src^="data:image/png;base64,"] kino.to##img\[src^="http://c.statcounter.com/"] + span +inamsoftwares.com##img\[src^="http://my.60ads.com/"] raysindex.com##img\[style$="text-align: center; cursor: \a \a pointer; width: 728px;"] rejournal.com##img\[style="border-width:0px;"] grabchicago.com##img\[style="border: 0px solid ; width: 728px; height: 90px;"] @@ -144211,22 +149607,28 @@ knco.com##img\[style="max-width:180px;max-height:150px;"] linksave.in##img\[style="max-width:468px; max-height:60px;"] knco.com##img\[style="max-width:650px;max-height:90px;"] islamchannel.tv##img\[style="vertical-align: top; width:468px; padding-left: 1px;padding-top: 5px;"] +cnykiss.com##img\[style="width: 160px; height: 160px;"] cbc-radio.com##img\[style="width: 180px; float: left; height: 170px"] cbc-radio.com##img\[style="width: 180px; float: right; height: 170px"] +cnykiss.com,wutqfm.com##img\[style="width: 180px; height: 180px;"] +wutqfm.com##img\[style="width: 200px; height: 200px;"] wcbm.com##img\[style="width: 258px; height: 237px;"] wcbm.com##img\[style="width: 261px; height: 256px;"] wbap.com##img\[style="width: 299px; height: 85px;"] espncleveland.com##img\[style="width: 300px; height: 100px; float: left;"] -countryfile.com##img\[style="width: 300px; height: 150px;"] +countryfile.com,wmal.com##img\[style="width: 300px; height: 150px;"] dailymirror.lk,radiotoday.com.au##img\[style="width: 300px; height: 200px;"] bulletin.us.com##img\[style="width: 300px; height: 238px;"] dailymirror.lk##img\[style="width: 300px; height: 248px;"] ktul.com##img\[style="width: 300px; height: 24px; border: 0px;"] +indypendent.org##img\[style="width: 300px; height: 250px; "] +flafnr.com,gizmochina.com##img\[style="width: 300px; height: 250px;"] jq99.com##img\[style="width: 300px; height: 75px;"] dailymirror.lk##img\[style="width: 302px; height: 202px;"] ozarkssportszone.com##img\[style="width: 320px; height: 160px;"] pricecheck.co.za##img\[style="width: 460px;"] bulletin.us.com##img\[style="width: 600px; height: 50px;"] +indypendent.org##img\[style="width: 728px; height: 90px;"] espn1420am.com##img\[style="width: 900px; height: 150px;"] unionleader.com##img\[style="width:100px;height:38px;margin-top:-10px"] globalincidentmap.com##img\[style="width:120px; height:600px; border:0;"] @@ -144235,7 +149637,6 @@ newsfirst.lk##img\[style="width:300px; height:200px;"] klfm967.co.uk##img\[style="width:468px;height:60px;border:0px;margin:0px;"] bitcoindifficulty.com##img\[style="width:728px; height:90px;"] cryptoinfinity.com##img\[style="width:728px;height:90px;"] -filenuke.com,sharesix.com##img\[target="_blank"]:first-child tcweeklynews.com##img\[title="AD: Advertising Graphics (11)"] ucreview.com##img\[title="AD: Weekly Press (13)"] ucreview.com##img\[title="AD: Weekly Press (14)"] @@ -144258,23 +149659,26 @@ aerobaticsweb.org##img\[width="150"]\[height="150"] zonalmarking.net##img\[width="150"]\[height="750"] klfm967.co.uk##img\[width="155"]\[height="167"] klfm967.co.uk##img\[width="155"]\[height="192"] +palipost.com##img\[width="160"]\[height="100"] your-pagerank.com##img\[width="160"]\[height="108"] radiocaroline.co.uk,yournews.com##img\[width="160"]\[height="160"] zonalmarking.net##img\[width="160"]\[height="300"] newswireni.com##img\[width="160"]\[height="596"] -airplaydirect.com,candofinance.com,newswireni.com,serialbay.com,temulator.com##img\[width="160"]\[height="600"] +airplaydirect.com,ata.org,candofinance.com,newswireni.com,serialbay.com,temulator.com,windfm.com##img\[width="160"]\[height="600"] your-pagerank.com##img\[width="160"]\[height="80"] your-pagerank.com##img\[width="160"]\[height="89"] your-pagerank.com##img\[width="160"]\[height="90"] newswireni.com##img\[width="161"]\[height="600"] bilingualweekly.com##img\[width="162"]\[height="170"] unionleader.com##img\[width="165"]\[height="40"] -wegoted.com##img\[width="180"]\[height="150"] +sunny106.fm,tompkinsweekly.com,wutqfm.com##img\[width="180"] +wegoted.com,wyep.org##img\[width="180"]\[height="150"] wegoted.com##img\[width="180"]\[height="204"] wrno.com##img\[width="185"]\[height="60"] favicon.co.uk##img\[width="190"]\[height="380"] bayfm.co.za##img\[width="195"]\[height="195"] rejournal.com##img\[width="200"]\[height="100"] +sarasotatalkradio.com##img\[width="200"]\[height="200"] coffeegeek.com##img\[width="200"]\[height="250"] professionalmuscle.com##img\[width="201"] bayfm.co.za##img\[width="208"]\[height="267"] @@ -144296,8 +149700,12 @@ phillyrecord.com##img\[width="250"]\[height="218"] mommymatters.co.za##img\[width="250"]\[height="250"] ukclimbing.com##img\[width="250"]\[height="350"] yournews.com##img\[width="250"]\[height="90"] +tompkinsweekly.com##img\[width="252"] +theannouncer.co.za##img\[width="252"]\[height="100"] +tompkinsweekly.com##img\[width="253"] ozarkssportszone.com##img\[width="267"]\[height="294"] wrko.com##img\[width="269"]\[height="150"] +threatpost.com##img\[width="270"] magicmiami.com##img\[width="273"]\[height="620"] staugustine.com##img\[width="275"]\[height="75"] worldfree4u.com##img\[width="280"]\[height="250"] @@ -144308,19 +149716,23 @@ nufc.com##img\[width="288"]\[height="347"] mypbrand.com##img\[width="295"] wareznova.com##img\[width="298"]\[height="53"] inquirer.net##img\[width="298"]\[style="margin-bottom:5px;margin-top:5px;"] -technomag.co.zw##img\[width="300"] +africandesignmagazine.com,punchng.com,technomag.co.zw##img\[width="300"] momsmiami.com,nehandaradio.com##img\[width="300"]\[height="100"] fancystreems.com##img\[width="300"]\[height="150"] 947wls.com##img\[width="300"]\[height="155"] +businessdayonline.com##img\[width="300"]\[height="200"] redpepper.co.ug##img\[width="300"]\[height="248"] -360nobs.com,airplaydirect.com,cryptomining-blog.com,dotsauce.com,fancystreems.com,mycolumbuspower.com,nehandaradio.com,redpepper.co.ug,rlslog.net,sacobserver.com,samoatimes.co.nz,staugustine.com,three.fm,ynaija.com##img\[width="300"]\[height="250"] +360nobs.com,airplaydirect.com,businessdayonline.com,ciibroadcasting.com,clutchmagonline.com,cryptomining-blog.com,dotsauce.com,fancystreems.com,movin100.com,mycolumbuspower.com,nehandaradio.com,redpepper.co.ug,rlslog.net,sacobserver.com,samoatimes.co.nz,seguintoday.com,staugustine.com,tangatawhenua.com,theannouncer.co.za,three.fm,wolf1051.com,ynaija.com,yomzansi.com##img\[width="300"]\[height="250"] ynaija.com##img\[width="300"]\[height="290"] linkbitty.com,newspapers-online.com##img\[width="300"]\[height="300"] redpepper.co.ug##img\[width="300"]\[height="360"] redpepper.co.ug##img\[width="300"]\[height="420"] redpepper.co.ug##img\[width="300"]\[height="500"] redpepper.co.ug##img\[width="300"]\[height="528"] +clutchmagonline.com##img\[width="300"]\[height="600"] wallstreetsurvivor.com##img\[width="310"]\[height="56"] +wben.com##img\[width="316"]\[height="120"] +ciibroadcasting.com##img\[width="325"]\[height="200"] radioasiafm.com##img\[width="350"]\[height="300"] ipwatchdog.com##img\[width="350px"]\[height="250px"] noordnuus.co.za##img\[width="357"]\[height="96"] @@ -144330,6 +149742,7 @@ transportxtra.com##img\[width="373"]\[height="250"] forum.blackhairmedia.com##img\[width="400"]\[height="82"] gomlab.com##img\[width="410"]\[height="80"] sunnewsonline.com##img\[width="420"]\[height="55"] +drum.co.za##img\[width="422"]\[height="565"] powerbot.org##img\[width="428"] inmr.com##img\[width="450"]\[height="64"] webresourcesdepot.com##img\[width="452px"]\[height="60px"] @@ -144339,22 +149752,27 @@ ch131.so##img\[width="460"]\[height="228"] abpclub.co.uk,allforpeace.org,cpaelites.com,forum.gsmhosting.com,hulkload.com,load.to,rlslog.net,thetobagonews.com,warezhaven.org,waz-warez.org##img\[width="468"]\[height="60"] topprepperwebsites.com##img\[width="468"]\[height="80"] infinitecourses.com##img\[width="468px"]\[height="60px"] +sharktankblog.com##img\[width="485"]\[height="60"] yournews.com##img\[width="540"]\[height="70"] +sunny106.fm##img\[width="560"]\[height="69"] +sunny106.fm##img\[width="570"]\[height="131"] staugustine.com##img\[width="590"]\[height="200"] isportconnect.com##img\[width="590"]\[height="67"] mail.macmillan.com,motortrader.com.my##img\[width="600"] redpepper.co.ug##img\[width="600"]\[height="117"] nufc.com##img\[width="600"]\[height="85"] softpedia.com##img\[width="600"]\[height="90"] +bloombergtvafrica.com##img\[width="628"]\[height="78"] radiotoday.co.uk##img\[width="630"]\[height="120"] shanghaiist.com##img\[width="640"]\[height="444"] motortrader.com.my##img\[width="640"]\[height="80"] cryptothrift.com##img\[width="700"] +1550wdlr.com##img\[width="711"]\[height="98"] crackingforum.com##img\[width="720"] -ch131.so##img\[width="720"]\[height="90"] +businessdayonline.com,ch131.so##img\[width="720"]\[height="90"] wharf.co.uk##img\[width="720px"]\[height="90px"] -lindaikeji.blogspot.com,livemixtapes.com,powerbot.org,rsvlts.com,xtremesystems.org##img\[width="728"] -add-anime.net,bodyboardingmovies.com,creditboards.com,dogepay.com,driverguide.com,ecostream.tv,freeforums.org,hulkload.com,imgbar.net,sameip.org,thecsuite.co.uk,topprepperwebsites.com,wallstreetfool.com,warezlobby.org,worldfree4u.com##img\[width="728"]\[height="90"] +lindaikeji.blogspot.com,livemixtapes.com,naija247news.com,powerbot.org,rsvlts.com,xtremesystems.org##img\[width="728"] +9tools.org,add-anime.net,bodyboardingmovies.com,creditboards.com,dogepay.com,driverguide.com,ecostream.tv,freeforums.org,hulkload.com,imgbar.net,movin100.com,oldiesradio1050.com,radioinsight.com,sameip.org,tangatawhenua.com,thecsuite.co.uk,topprepperwebsites.com,wallstreetfool.com,warezlobby.org,wcfx.com,wolf1051.com,worldfree4u.com,wsoyam.com##img\[width="728"]\[height="90"] mkfm.com##img\[width="75"]\[height="75"] telecomtiger.com##img\[width="768"]\[height="80"] americanisraelite.com##img\[width="778"]\[height="114"] @@ -144367,18 +149785,17 @@ staugustine.com##img\[width="970"]\[height="90"] lockerz.com##img\[width="980"]\[height="60"] moneycontrol.com##img\[width="996"]\[height="169"] vodu.ch##input\[onclick^="parent.location='http://d2.zedo.com/"] +vodu.ch##input\[onclick^="parent.location='http://imads.integral-marketing.com/"] torrentcrazy.com##input\[onclick^="window.open('http://adtransfer.net/"] onhax.net##input\[type="button"]\[value^="Download"] bittorrent.am##input\[value="Anonymous Download"] +ad2links.com##input\[value="Download Now"] wareznova.com##input\[value="Download from DLP"] bittorrent.am##input\[value="Download x10 faster"] lix.in##input\[value="Download"] wareznova.com##input\[value="Start Premium Downloader"] monova.org##input\[value="Usenet"] -hwcompare.com,numberempire.com,pockettactics.com,priceindia.in##ins\[style="display:inline-table;border:none;height:250px;margin:0;padding:0;position:relative;visibility:visible;width:300px"] politics.ie##ins\[style="display:inline-table;border:none;height:250px;margin:0;padding:0;position:relative;visibility:visible;width:300px;background-color:transparent"] -cyanogenmod.com,ngohq.com##ins\[style="display:inline-table;border:none;height:90px;margin:0;padding:0;position:relative;visibility:visible;width:728px"] -ilyrics.eu##ins\[style="display:inline-table;border:none;height:90px;margin:0;padding:0;position:relative;visibility:visible;width:728px;background-color:transparent"] timesofisrael.com##item-spotlight yahoo.com##li\[data-ad-enhanced="card"] yahoo.com##li\[data-ad-enhanced="pencil"] @@ -144389,6 +149806,7 @@ yahoo.com##li\[data-beacon^="https://beap.gemini.yahoo.com/"] thefinancialbrand.com##li\[id^="banner"] search.yahoo.com##li\[id^="yui_"] > div\[data-bns]\[data-bk]\[style="cursor: pointer;"] > div\[class] twitter.com##li\[label="promoted"] +moneylife.in##li\[style=" font-family:tahoma; font-size:11px; margin: 0px; border-bottom: 0px solid #ddd; padding: 5px 5px;"] ebayclassifieds.com##li\[style="padding: 10px 0px; min-height: 90px;"] webmastertalkforums.com##li\[style="width: 100%; height: 100px !important;"] cynagames.com##li\[style="width: 25%; margin: 0; clear: none; padding: 0; float: left; display: block;"] @@ -144413,7 +149831,6 @@ pcsx2.net##p\[style="text-align: center;margin: 0px 160px -10px 0px;"] sorelatable.com##script + a\[target="_blank"] service.mail.com##script + div\[tabindex="1"] div\[style="z-index:99996;position:absolute;cursor:default;background-color:white;opacity:0.95;left:0px;top:0px;width:1600px;height:552px;"] service.mail.com##script + div\[tabindex="1"] div\[style^="z-index:99998;position:absolute;cursor:default;left:0px;top:0px;width:"] -allmyvideos.net##script + style + div\[id]\[style] koreaherald.com##section\[style="border:0px;width:670px;height:200px;"] elitistjerks.com##small rokked.com##span\[style="color: #555; font-size: 10px"] @@ -144513,6 +149930,7 @@ sharedir.com##table\[style="margin:15px 0 0 -8px;width:540px"] bitsnoop.com##table\[style="margin:6px 0 16px 0;padding:0px;"] i3investor.com##table\[style="padding:8px;border:6px solid #dbdbdb;min-width:228px"] aniscartujo.com##table\[style="position:absolute; left:0; top:0; z-index:999; border-collapse:collapse"] +localstore.co.za##table\[style="width: 952px; height: 90px; padding: 10px; border: 0; margin: 0 auto;"] playkidsgames.com##table\[style="width:100%;height:105px;border-style:none;"] tower.com##table\[style="width:160px; height:600px;padding:0px; margin:0px"] playkidsgames.com##table\[style="width:320px;height:219px;border-style:none;background-color:#333333;margin:0 auto;"] @@ -144525,6 +149943,8 @@ nufc.com##table\[title="Ford Direct - Used Cars Backed by Ford"] chiff.com##table\[title="Sponsored Links"] trucknetuk.com##table\[width="100%"]\[bgcolor="#cecbce"] > tbody > tr > #sidebarright\[valign="top"]:last-child linkreferral.com##table\[width="100%"]\[height="1"] + table\[width="750"]\[border="0"]\[bgcolor="ffffff"]\[cellspacing="0"]\[cellpadding="4"] +wvtlfm.com##table\[width="1024"]\[height="100"] +atimes.com##table\[width="120"] tvsite.co.za##table\[width="120"]\[height="600"] thephuketnews.com##table\[width="1215"]\[bgcolor="#DDDDDD"] aquariumfish.net##table\[width="126"]\[height="600"] @@ -144603,14 +150023,16 @@ psl.co.za##table\[width="952"]\[height="64"] psl.co.za##table\[width="952"]\[height="87"] japan-guide.com##table\[width="965"]\[height="90"] scvnews.com##table\[width="978"]\[height="76"] +prowrestling.net##table\[width="979"]\[height="105"] dining-out.co.za##table\[width="980"]\[vspace="0"]\[hspace="0"] westportnow.com##table\[width="981"] kool.fm##table\[width="983"]\[height="100"] gamecopyworld.com##table\[width="984"]\[height="90"] apanews.net##table\[width="990"] -wbkvam.com##table\[width="990"]\[height="100"] +cnykiss.com,wbkvam.com,wutqfm.com##table\[width="990"]\[height="100"] cbc-radio.com##table\[width="990"]\[height="100"]\[align="center"] 965ksom.com##table\[width="990"]\[height="101"] +wbrn.com##table\[width="990"]\[height="98"] v8x.com.au##td\[align="RIGHT"]\[width="50%"]\[valign="BOTTOM"] canmag.com##td\[align="center"]\[height="278"] autosport.com##td\[align="center"]\[valign="top"]\[height="266"]\[bgcolor="#dcdcdc"] @@ -144708,7 +150130,6 @@ imagebam.com##td\[style="padding-right: 1px; text-align: left; font-size:15px;"] imagebam.com##td\[style="padding-right: 2px; text-align: left; font-size:15px;"] newsfactor.com##td\[style="padding-right: 5px; border-right: #BFBFBF solid 1px;"] mg.co.za##td\[style="padding-top:5px; width: 200px"] -tampermonkey.net##td\[style="padding: 0px 30px 10px 0px;"] + td\[style="vertical-align: center; padding-left: 100px;"]:last-child bitcointalk.org##td\[style="padding: 1px 1px 0 1px;"] > .bfl bitcointalk.org##td\[style="padding: 1px 1px 0 1px;"] > .bvc bitcointalk.org##td\[style="padding: 1px 1px 0 1px;"] > .gyft @@ -144730,13 +150151,13 @@ uvnc.com##td\[style="width: 300px; height: 250px;"] mlbtraderumors.com##td\[style="width: 300px;"] maannews.net##td\[style="width: 640px; height: 80px; border: 1px solid #cccccc"] talkgold.com##td\[style="width:150px"] +riverdalepress.com##td\[style="width:728px; height:90px; border:1px solid #000;"] billionuploads.com##td\[valign="baseline"]\[colspan="3"] efytimes.com##td\[valign="middle"]\[height="124"] efytimes.com##td\[valign="middle"]\[height="300"] staticice.com.au##td\[valign="middle"]\[height="80"] johnbridge.com##td\[valign="top"] > .tborder\[width="140"]\[cellspacing="1"]\[cellpadding="6"]\[border="0"] writing.com##td\[valign="top"]\[align="center"]\[style="padding:10px;position:relative;"]\[colspan="2"] + .mainLineBorderLeft\[width="170"]\[rowspan="4"]:last-child -indiatimes.com##td\[valign="top"]\[height="110"]\[align="center"] newhampshire.com##td\[valign="top"]\[height="94"] cruisecritic.com##td\[valign="top"]\[width="180"] cruisecritic.com##td\[valign="top"]\[width="300"] @@ -144753,6 +150174,7 @@ pojo.biz##td\[width="125"] wetcanvas.com##td\[width="125"]\[align="center"]:first-child zambiz.co.zm##td\[width="130"]\[height="667"] manoramaonline.com##td\[width="140"] +songspk.link##td\[width="145"]\[height="21"]\[style="background-color: #EAEF21"] leo.org##td\[width="15%"]\[valign="top"]\[style="font-size:100%;padding-top:2px;"] appleinsider.com##td\[width="150"] aerobaticsweb.org##td\[width="156"]\[height="156"] @@ -144786,7 +150208,7 @@ boxingscene.com##td\[width="200"]\[height="18"] dir.yahoo.com##td\[width="215"] thesonglyrics.com##td\[width="230"]\[align="center"] itweb.co.za##td\[width="232"]\[height="90"] -rubbernews.com##td\[width="250"] +degreeinfo.com,rubbernews.com##td\[width="250"] bigresource.com##td\[width="250"]\[valign="top"]\[align="left"] scriptmafia.org##td\[width="250px"] stumblehere.com##td\[width="270"]\[height="110"] @@ -144840,6 +150262,8 @@ internetslang.com##tr\[style="min-height:28px;height:28px"] internetslang.com##tr\[style="min-height:28px;height:28px;"] opensubtitles.org##tr\[style^="height:115px;text-align:center;margin:0px;padding:0px;background-color:"] search.yahoo.com##ul > .res\[data-bg-link^="http://r.search.yahoo.com/_ylt="] +search.aol.com##ul\[content="SLMP"] +search.aol.com##ul\[content="SLMS"] facebook.com##ul\[id^="typeahead_list_"] > ._20e._6_k._55y_ elizium.nu##ul\[style="padding: 0; width: 100%; margin: 0; list-style: none;"] ! *** easylist:easylist_adult/adult_specific_hide.txt *** @@ -144851,12 +150275,16 @@ starsex.pl###FLOW_frame thestranger.com###PersonalsScroller privatehomeclips.com###Ssnw2ik imagehaven.net###TransparentBlack +namethatporn.com###a_block swfchan.com###aaaa +pornvideoxo.com###abox 4tube.com###accBannerContainer03 4tube.com###accBannerContainer04 pornhub.com,tube8.com,youporn.com###access_container cliphunter.com,isanyoneup.com,seochat.com###ad imagefap.com###ad1 +pornhub.com###adA +pornhub.com###adB ua-teens.com###ad_global_below_navbar dagay.com###add_1 dagay.com###add_2 @@ -144891,12 +150319,11 @@ iafd.com###bantop desktopangels.net###bg_tab_container pornflex53.com###bigbox_adv xxxbunker.com###blackout -villavoyeur.com###block-dctv-ad-banners-wrapper chaturbate.com###botright porntube.com###bottomBanner xxxbunker.com###bottomBanners wankerhut.com###bottom_adv -xhamster.com###bottom_player_adv +mydailytube.com###bottomadd watchindianporn.net###boxban2 pornsharia.com###brazzers1 fastpic.ru###brnd @@ -144943,6 +150370,7 @@ netasdesalim.com###frutuante cantoot.com###googlebox nangaspace.com###header freepornvs.com###header > h1 > .buttons +aan.xxx###header-banner youtubelike.com###header-top cam4.com###headerBanner spankwire.com###headerContainer @@ -144965,7 +150393,7 @@ perfectgirls.net,postyourpuss.com###leaderboard imagetwist.com###left\[align="center"] > center > a\[target="_blank"] collegegrad.com###leftquad suicidegirls.com###livetourbanner -freeimgup.com###lj_livecams +freeimgup.com,imghost.us.to###lj_livecams 5ilthy.com###ltas_overlay_unvalid ynot.com###lw-bannertop728 ynot.com###lw-top @@ -144994,7 +150422,7 @@ videos.com###pToolbar jizzhut.com###pagetitle wide6.com###partner gamcore.com,wide6.com###partners -extremetube.com,redtube.com,youporngay.com###pb_block +extremetube.com,redtube.com,spankwire.com,youporngay.com###pb_block pornhub.com,tube8.com,youporn.com###pb_template youporn.com###personalizedHomePage > div:nth-child(2) pornhub.com###player + div + div\[style] @@ -145004,6 +150432,8 @@ alotporn.com###playeradv depic.me###popup_div imagehaven.net###popwin sextvx.com###porntube_hor_bottom_ads +sextvx.com###porntube_hor_top_ads +xtube.com###postrollContainer kaktuz.com###postroller imagepost.com###potd eroclip.mobi,fuqer.com###premium @@ -145025,6 +150455,7 @@ amateurfarm.net,retrovidz.com###showimage shesocrazy.com###sideBarsMiddle shesocrazy.com###sideBarsTop pornday.org###side_subscribe_extra +mydailytube.com###sideadd spankwire.com###sidebar imageporter.com###six_ban flurl.com###skybanner @@ -145050,18 +150481,25 @@ cam4.com###subfoot adultfyi.com###table18 hostingfailov.com###tablespons xtube.com###tabs +fleshasiadaily.com###text-12 +fleshasiadaily.com###text-13 +fleshasiadaily.com###text-14 +fleshasiadaily.com###text-15 +fleshasiadaily.com###text-8 fapgames.com###the720x90-spot filhadaputa.tv###thumb\[width="959"] hiddencamshots.com,videarn.com###top-banner +nude.hu###topPartners extremetube.com###topRightsquare xhamster.com###top_player_adv -sexmummy.com,sopervinhas.net,teenwantme.com,worldgatas.com,xpg.com.br###topbar +mataporno.com,sexmummy.com,sopervinhas.net,teenwantme.com,worldgatas.com,xpg.com.br###topbar pinkems.com###topfriendsbar namethatpornstar.com###topphotocontainer askjolene.com###tourpage pornhyve.com###towerbanner +pornvideoxo.com###tube-right pervclips.com###tube_ad_category -axatube.com,fullxxxtube.com,gallsin.xxx,xxxxsextube.com,yourdarkdesires.com###ubr +axatube.com,creampietubeporn.com,fullxxxtube.com,gallsin.xxx,xxxxsextube.com,yourdarkdesires.com###ubr usatoday.com###usat_PosterBlog homemoviestube.com###v_right stileproject.com###va1 @@ -145105,7 +150543,7 @@ seductivetease.com##.a-center pornbb.org##.a1 porn.com##.aRight pornvideofile.com##.aWrapper -celebspank.com,chaturbate.com,cliphunter.com,gamcore.com,playboy.com,signbucks.com,tehvids.com,uflash.tv,wankoz.com,yobt.tv##.ad +celebspank.com,chaturbate.com,cliphunter.com,gamcore.com,playboy.com,pornhub.com,signbucks.com,sxx.com,tehvids.com,uflash.tv,wankoz.com,yobt.tv##.ad extremetube.com##.ad-container celebspank.com##.ad1 pornhub.com##.adContainer @@ -145118,9 +150556,9 @@ myfreeblack.com##.ads-player famouspornstarstube.com,hdporntube.xxx,lustypuppy.com,mrstiff.com,pixhub.eu,pornfreebies.com,tubedupe.com,webanddesigners.com,youngartmodels.net##.adv freexcafe.com##.adv1 mygirlfriendvids.net,wastedamateurs.com##.advblock -fakku.net,hardsextube.com,pornmd.com,porntube.com,youporn.com,youporngay.com##.advertisement +porn.hu##.advert +fakku.net,pornmd.com,porntube.com,youporn.com,youporngay.com##.advertisement alphaporno.com,bravotube.net,tubewolf.com##.advertising -mrstiff.com##.adxli fapdu.com##.aff300 askjolene.com##.aj_lbanner_container ah-me.com,befuck.com,pornoid.com,sunporno.com,thenewporn.com,twilightsex.com,updatetube.com,videoshome.com,xxxvogue.net##.allIM @@ -145133,7 +150571,7 @@ devatube.com##.ban-list gayboystube.com##.bancentr fux.com##.baner-column xchimp.com##.bannadd -chaturbate.com,dansmovies.com,fecaltube.com,imageporter.com,playvid.com,private.com,videarn.com,vidxnet.com,wanknews.com,watchhentaivideo.com,xbabe.com,yourdailygirls.com##.banner +chaturbate.com,dansmovies.com,fecaltube.com,imageporter.com,playvid.com,private.com,vid2c.com,videarn.com,vidxnet.com,wanknews.com,watchhentaivideo.com,xbabe.com,yourdailygirls.com##.banner watchindianporn.net##.banner-1 adultpornvideox.com##.banner-box tube8.com##.banner-container @@ -145143,7 +150581,6 @@ definebabe.com##.banner1 celebritymovieblog.com##.banner700 watchhentaivideo.com##.bannerBottom 4tube.com,empflix.com,tnaflix.com##.bannerContainer -vporn.com##.bannerSpace 4tube.com##.banner_btn wunbuck.com##.banner_cell galleries-pornstar.com##.banner_list @@ -145155,6 +150592,7 @@ bustnow.com##.bannerlink chubby-ocean.com,cumlouder.com,grandpaporntube.net,sexu.com,skankhunter.com##.banners isanyoneup.com##.banners-125 porntubevidz.com##.banners-area +vid2c.com##.banners-aside 5ilthy.com##.bannerside sexoncube.com##.bannerspot-index thehun.net##.bannervertical @@ -145177,12 +150615,15 @@ xbabe.com,yumymilf.com##.bottom-banner playvid.com##.bottom-banners youtubelike.com##.bottom-thumbs youtubelike.com##.bottom-top +pornvideoxo.com##.bottom_wide tube8.com##.bottomadblock +tube8.com##.box-thumbnail-friends worldsex.com##.brandreach sublimedirectory.com##.browseAd xaxtube.com##.bthums realgfporn.com##.btn-info 4tube.com,tube8.com##.btnDownload +redtube.com##.bvq redtube.com##.bvq-caption gamesofdesire.com##.c_align empflix.com##.camsBox @@ -145190,6 +150631,7 @@ tnaflix.com##.camsBox2 celebspank.com##.celeb_bikini adultfriendfinder.com##.chatDiv.rcc voyeur.net##.cockholder +xnxx.com##.combo.smallMargin\[style="padding: 0px; width: 100%; text-align: center; height: 244px;"] xnxx.com##.combo\[style="padding: 0px; width: 830px; height: 244px;"] avn.com##.content-right\[style="padding-top: 0px; padding-bottom: 0px; height: auto;"] xbutter.com##.counters @@ -145199,6 +150641,7 @@ alotporn.com##.cube pornalized.com,pornoid.com,pornsharia.com##.discount pornsharia.com##.discounts fapdu.com##.disp-underplayer +keezmovies.com##.double_right cameltoe.com##.downl pinkrod.com,pornsharia.com,wetplace.com##.download realgfporn.com##.downloadbtn @@ -145211,7 +150654,9 @@ grandpaporntube.net##.embed_banners grandpaporntube.net##.exo imagepost.com##.favsites mrstiff.com##.feedadv-wrap +extremetube.com##.float-left\[style="width: 49.9%; height: 534px;"] wankerhut.com##.float-right +extremetube.com##.float-right\[style="width: 49.9%; height: 534px;"] teensexyvirgins.com,xtravids.com##.foot_squares scio.us##.footer babesandstars.com##.footer_banners @@ -145231,6 +150676,7 @@ redtube.com##.header > #as_1 nuvid.com##.holder_banner pornhub.com##.home-ad-container + div alphaporno.com##.home-banner +tube8.com##.home-message + .title-bar + .cont-col-02 julesjordanvideo.com##.horiz_banner orgasm.com##.horizontal-banner-module orgasm.com##.horizontal-banner-module-small @@ -145241,8 +150687,11 @@ pornsis.com##.indexadr pornicom.com##.info_row2 cocoimage.com,hotlinkimage.com,picfoco.com##.inner_right e-hentai.org##.itd\[colspan="4"] +namethatporn.com##.item_a sex2ube.com##.jFlowControl teensanalfactor.com##.job +pornhub.com##.join +redtube.com##.join-button extremetube.com##.join_box pornhub.com,spankwire.com,tube8.com,youporn.com##.join_link overthumbs.com##.joinnow @@ -145256,6 +150705,7 @@ sexyfunpics.com##.listingadblock300 tnaflix.com##.liveJasminHotModels ns4w.org##.livejasmine madthumbs.com##.logo +tube8.com##.main-video-wrapper > .float-right sexdepartementet.com##.marketingcell lic.me##.miniplayer hanksgalleries.com##.mob_vids @@ -145263,6 +150713,7 @@ redtube.com##.ntva finaid.org##.one lustgalore.com,yourasiansex.com##.opac_bg baja-opcionez.com##.opaco2 +vporn.com##.overheaderbanner drtuber.com##.p_adv tube8.com##.partner-link bravotube.net##.paysite @@ -145274,7 +150725,6 @@ yobt.tv##.playpause.visible > div hornywhores.net##.post + script + div\[style="border-top: black 1px dashed"] hornywhores.net##.post + script + div\[style="border-top: black 1px dashed"] + br + center uflash.tv##.pps-banner -gybmovie.com,imagecherry.com,imagepool.in,movies-porn-xxx.com,sexfv.com,videlkon.com,xfile.ws##.pr-widget pornhub.com##.pre-footer porntubevidz.com##.promo-block nakedtube.com,pornmaki.com##.promotionbox @@ -145314,6 +150764,7 @@ tube8.com##.skin4 tube8.com##.skin6 tube8.com##.skin7 candidvoyeurism.com##.skyscraper +gaytube.com##.slider-section movies.askjolene.com##.small_tourlink springbreaktubegirls.com##.span-100 nonktube.com##.span-300 @@ -145321,11 +150772,14 @@ nonktube.com##.span-320 ns4w.org##.splink bgafd.co.uk##.spnsr abc-celebs.com##.spons -definebabe.com,xbabe.com##.sponsor +definebabe.com,pornever.net,xbabe.com##.sponsor definebabe.com##.sponsor-bot +xhamster.com##.sponsorB xxxbunker.com##.sponsorBoxAB +xhamster.com##.sponsorS xhamster.com##.sponsor_top proporn.com,tubecup.com,xhamster.com##.spot +magicaltube.com##.spot-block tubecup.com##.spot_bottom redtube.com##.square-banner sunporno.com,twilightsex.com##.squarespot @@ -145394,10 +150848,10 @@ yuvutu.com##\[width="480px"]\[style="padding-left: 10px;"] exgirlfriendmarket.com##\[width="728"]\[height="150"] 264porn.blogspot.com##\[width="728"]\[height="90"] matureworld.ws##a > img\[height="180"]\[width="250"]\[src*=".imageban.ru/out/"] -asspoint.com,babepedia.com,gaytube.com,pornoxo.com,rogreviews.com##a\[href*=".com/track/"] -starcelebs.com##a\[href*=".com/track/"] > img +asspoint.com,babepedia.com,babesource.com,gaytube.com,girlsnaked.net,pornoxo.com,rogreviews.com,starcelebs.com,the-new-lagoon.com,tube8.com##a\[href*=".com/track/"] +tube8.com##a\[href*="/affiliates/idevaffiliate.php?"] monstercockz.com##a\[href*="/go/"] -small-breasted-teens.com,vporn.com##a\[href*="refer.ccbill.com/cgi-bin/clicks.cgi?"] +tube8.com##a\[href*="?coupon="] porn99.net##a\[href="http://porn99.net/asian/"] xhamster.com##a\[href="http://premium.xhamster.com/join.html?from=no_ads"] pornwikileaks.com##a\[href="http://www.adultdvd.com/?a=pwl"] @@ -145411,26 +150865,23 @@ anyvids.com##a\[href^="http://ad.onyx7.com/"] sex4fun.in##a\[href^="http://adiquity.info/"] tube8.com##a\[href^="http://ads.trafficjunky.net"] tube8.com##a\[href^="http://ads2.contentabc.com"] -the-new-lagoon.com##a\[href^="http://affiliates.lifeselector.com/track/"] pornbb.org##a\[href^="http://ard.ihookup.com/"] pornbb.org##a\[href^="http://ard.sexplaycam.com/"] porn99.net##a\[href^="http://bit.ly/"] sex4fun.in##a\[href^="http://c.mobpartner.mobi/"] sex3dtoons.com##a\[href^="http://click.bdsmartwork.com/"] xxxgames.biz##a\[href^="http://clicks.totemcash.com/?"] +imghit.com##a\[href^="http://crtracklink.com/"] celeb.gate.cc##a\[href^="http://enter."]\[href*="/track/"] -h2porn.com,tube8.com,vid2c.com,xxxymovies.com##a\[href^="http://enter.brazzersnetwork.com/track/"] hollywoodoops.com##a\[href^="http://exclusive.bannedcelebs.com/"] gamcore.com##a\[href^="http://gamcore.com/ads/"] -rs-linkz.info##a\[href^="http://goo.gl/"] +hentai-imperia.org,rs-linkz.info##a\[href^="http://goo.gl/"] celeb.gate.cc##a\[href^="http://join."]\[href*="/track/"] -eskimotube.com##a\[href^="http://join.avidolz.com/track/"] -5ilthy.com##a\[href^="http://join.collegefuckparties.com/track/"] porn99.net##a\[href^="http://lauxanh.us/"] incesttoons.info##a\[href^="http://links.verotel.com/"] xxxfile.net##a\[href^="http://netload.in/index.php?refer_id="] imagepix.org##a\[href^="http://putana.cz/index.php?partner="] -iseekgirls.com,the-new-lagoon.com##a\[href^="http://refer.ccbill.com/cgi-bin/clicks.cgi?"] +iseekgirls.com,small-breasted-teens.com,the-new-lagoon.com,tube8.com##a\[href^="http://refer.ccbill.com/cgi-bin/clicks.cgi?"] olala-porn.com##a\[href^="http://ryushare.com/affiliate."] hentairules.net##a\[href^="http://secure.bondanime.com/track/"] hentairules.net##a\[href^="http://secure.futafan.com/track/"] @@ -145442,6 +150893,7 @@ asianpornmovies.com##a\[href^="http://tour.teenpornopass.com/track/"] asianpornmovies.com##a\[href^="http://webmasters.asiamoviepass.com/track/"] imagetwist.com##a\[href^="http://www.2girlsteachsex.com/"] nifty.org##a\[href^="http://www.adlbooks.com/"] +hentai-imperia.org##a\[href^="http://www.adult-empire.com/rs.php?"] picfoco.com##a\[href^="http://www.adultfriendfinder.com/search/"] bravotube.net##a\[href^="http://www.bravotube.net/cs/"] free-adult-anime.com##a\[href^="http://www.cardsgate-cs.com/redir?"] @@ -145451,6 +150903,8 @@ filthdump.com##a\[href^="http://www.filthdump.com/adtracker.php?"] alotporn.com##a\[href^="http://www.fling.com/"] myfreeblack.com##a\[href^="http://www.fling.com/enter.php"] freeporninhd.com##a\[href^="http://www.freeporninhd.com/download.php?"] +xhamster.com##a\[href^="http://www.linkfame.com/"] +girlsnaked.net##a\[href^="http://www.mrvids.com/out/"] sluttyred.com##a\[href^="http://www.realitykings.com/main.htm?id="] redtube.com##a\[href^="http://www.redtube.com/click.php?id="] motherless.com##a\[href^="http://www.safelinktrk.com/"] @@ -145463,7 +150917,6 @@ avn.com##a\[style="position: absolute; top: -16px; width: 238px; left: -226px; h avn.com##a\[style="position: absolute; top: -16px; width: 238px; right: -226px; height: 1088px;"] oopspicture.com##a\[target="_blank"] > img\[alt="real amateur porn"] imagevenue.com##a\[target="_blank"]\[href*="&utm_campaign="] -vporn.com##a\[target="_blank"]\[href*="/go.php?"]\[href*="&ad="] imagevenue.com##a\[target="_blank"]\[href*="http://trw12.com/"] youporn.com##a\[target="_blank"]\[href^="http://www.youporn.com/"] > img\[src^="http://www.youporn.com/"] picfoco.com##a\[title="Sponsor link"] @@ -145483,7 +150936,10 @@ x3xtube.com##div\[style="border: 1px solid red; margin-bottom: 15px;"] crazyandhot.com##div\[style="border:1px solid #000000; width:300px; height:250px;"] imagecherry.com##div\[style="border:1px solid black; padding:15px; width:550px;"] voyeur.net##div\[style="display:inline-block;vertical-align:middle;margin: 2px;"] -vporn.com##div\[style="float: right; width: 350px; height: 250px; margin-right: -135px; margin-bottom: 5px; padding-top: 1px; clear: right; position: relative;"] +redtube.com##div\[style="float: none; height: 250px; position: static; clear: both; text-align: left; margin: 0px auto;"] +pornhub.com##div\[style="float: none; width: 950px; position: static; clear: none; text-align: center; margin: 0px auto;"] +redtube.com##div\[style="float: right; height: 330px; width: 475px; position: relative; clear: left; text-align: center; margin: 0px auto;"] +redtube.com##div\[style="float: right; height: 528px; width: 300px; position: relative; clear: left; text-align: center; margin: 0px auto;"] xhamster.com##div\[style="font-size: 10px; margin-top: 5px;"] redtube.com##div\[style="height: 250px; position: static; clear: both; float: none; text-align: left; margin: 0px auto;"] redtube.com##div\[style="height: 250px; position: static; float: none; clear: both; text-align: left; margin: 0px auto;"] @@ -145492,8 +150948,6 @@ pichunter.com##div\[style="height: 250px; width: 800px; overflow: hidden;"] xxxstash.com##div\[style="height: 250px; width: 960px;"] redtube.com##div\[style="height: 330px; width: 475px; position: relative; float: right; clear: left; text-align: center; margin: 0px auto;"] empflix.com##div\[style="height: 400px;"] -youporn.com##div\[style="height: 410px; width: 48%; position: relative; float: right; clear: none; text-align: center; margin: 0px auto;"] -redtube.com##div\[style="height: 528px; width: 300px; position: relative; float: right; clear: left; text-align: center; margin: 0px auto;"] redtube.com##div\[style="height: 528px; width: 300px; position: relative; float: right; clear: left; text-align: center;"] querverweis.net##div\[style="height:140px;padding-top:15px;"] fantasti.cc##div\[style="height:300px; width:310px;float:right; line-height:10px;margin-bottom:0px;text-align:center;"] @@ -145513,12 +150967,13 @@ videarn.com##div\[style="text-align: center; margin-bottom: 10px;"] xtube.com##div\[style="text-align:center; width:1000px; height: 150px;"] sluttyred.com##div\[style="width: 300px; height: 250px; background-color: #CCCCCC;"] givemegay.com##div\[style="width: 300px; height: 250px; margin: 0 auto;margin-bottom: 10px;"] +vid2c.com##div\[style="width: 300px; height: 280px; margin-left: 215px; margin-top: 90px; position: absolute; z-index: 999999998; overflow: hidden; border-radius: 10px; transform: scale(1.33); background-color: black; opacity: 0.8; display: block;"] pornhub.com##div\[style="width: 380px; margin: 0 auto;background-color: #101010;text-align: center;"] -youporn.com,youporngay.com##div\[style="width: 48%; height: 410px; position: relative; float: right; clear: none; text-align: center; margin: 0px auto;"] -vporn.com##div\[style="width: 728px; height: 90px; margin-top: 8px;"] +vporn.com##div\[style="width: 720px; height: 90px; text-align: center; overflow: hidden;"] +casanovax.com##div\[style="width: 728px; height: 90px; text-align: center; margin: auto"] crazyandhot.com##div\[style="width: 728px; height: 90px; text-align: left;"] pichunter.com##div\[style="width: 800px; height: 250px; overflow: hidden;"] -vporn.com##div\[style="width: 950px; height: 300px;"] +pornhub.com##div\[style="width: 950px; float: none; position: static; clear: none; text-align: center; margin: 0px auto;"] pornhub.com##div\[style="width: 950px; position: static; clear: none; float: none; text-align: center; margin: 0px auto;"] pornhub.com##div\[style="width: 950px; position: static; float: none; clear: none; text-align: center; margin: 0px auto;"] xogogo.com##div\[style="width:1000px"] @@ -145529,7 +150984,6 @@ cam111.com##div\[style="width:626px; height:60px; margin-top:10px; margin-bottom cam111.com##div\[style="width:627px; height:30px; margin-bottom:10px;"] efukt.com##div\[style="width:630px; height:255px;"] newbigtube.com##div\[style="width:640px; min-height:54px; margin-top:8px; padding:5px;"] -imgflare.com##div\[style="width:728px; height:90px; margin-top:5px; margin-bottom:5px; -moz-border-radius:2px; border-radius:2px; -webkit-border-radius:2px;"] briefmobile.com##div\[style="width:728px;height:90px;margin-left:auto;margin-right:auto;margin-bottom:20px;"] tmz.com##div\[style^="display: block; height: 35px;"] shockingtube.com##div\[style^="display: block; padding: 5px; width:"] @@ -145542,40 +150996,28 @@ imgflare.com##div\[style^="width:604px; height:250px;"] rateherpussy.com##font\[size="1"]\[face="Verdana"] nude.hu##font\[stlye="font: normal 10pt Arial; text-decoration: none; color: black;"] cliphunter.com##h2\[style="color: blue;"] +pornhub.com,redtube.com##iframe luvmilfs.com##iframe + div > div\[style="position: absolute; top: -380px; left: 200px; "] -pornhub.com##iframe\[height="250"] -pornhub.com##iframe\[height="300"] +youporn.com##iframe\[frameborder] javjunkies.com##iframe\[height="670"] -redtube.com##iframe\[id^="as_"]\[style="vertical-align: middle;"] -pornhub.com,redtube.com##iframe\[id^="g"] -redtube.com##iframe\[style="height: 250px; width: 300px; position: static; clear: none; float: none; text-align: center; margin: 0px auto;"] youporn.com##iframe\[style="height: 250px; width: 300px; position: static; float: none; clear: none; text-align: start;"] youporn.com##iframe\[style="height: 250px; width: 950px; float: none; position: static; clear: both; text-align: center; margin: 0px auto;"] -redtube.com##iframe\[style="height: 250px; width: 950px; position: static; clear: none; float: none; text-align: left; margin: 0px auto;"] -youporn.com##iframe\[style="height: 250px; width: 950px; position: static; float: none; clear: both; text-align: center; margin: 0px auto;"] youporn.com##iframe\[style="height: 250px; width: 950px; position: static; float: none; clear: both; text-align: center;"] -youporngay.com##iframe\[style="width: 315px; height: 300px; position: static; float: none; clear: none; text-align: center; margin: 0px auto;"] -youporn.com,youporngay.com##iframe\[style="width: 950px; height: 250px; position: static; float: none; clear: both; text-align: center; margin: 0px auto;"] -pornhub.com##iframe\[style^="height: 250px;"] -pornhub.com##iframe\[width="100%"]\[frameborder="0"]\[scrolling="no"]\[style="width: 100%; position: static; float: none; clear: none; text-align: center; margin: 0px auto;"] youporn.com##iframe\[width="300"]\[height="250"] -pornhub.com##iframe\[width="315"] yourasiansex.com##iframe\[width="660"] imagevenue.com##iframe\[width="728"]\[height="90"] videosgls.com.br##iframe\[width="800"] -pornhub.com##iframe\[width="950"] xxxgames.biz##img\[height="250"]\[width="300"] pornhub.com##img\[src^="http://www.pornhub.com/album/strange/"] imagewaste.com##img\[style="border: 2px solid ; width: 160px; height: 135px;"] imagewaste.com##img\[style="border: 2px solid ; width: 162px; height: 135px;"] -unblockedpiratebay.com##img\[style="border:1px dotted black;"] soniared.org##img\[width="120"] lukeisback.com##img\[width="140"]\[height="525"] loralicious.com##img\[width="250"] 171gifs.com##img\[width="250"]\[height="1000"] loralicious.com##img\[width="300"] 4sex4.com##img\[width="300"]\[height="244"] -171gifs.com,efukt.com##img\[width="300"]\[height="250"] +171gifs.com,efukt.com,pornhub.com##img\[width="300"]\[height="250"] naughty.com##img\[width="450"] adultwork.com,babepicture.co.uk,imagetwist.com,naughty.com,sexmummy.com,tophentai.biz,tvgirlsgallery.co.uk,veronika-fasterova.cz,victoriarose.eu##img\[width="468"] clips4sale.com##img\[width="468px"] @@ -145583,6 +151025,7 @@ anetakeys.net,angelinacrow.org,cherryjul.eu,madisonparker.eu,nikkythorne.com,sex 171gifs.com##img\[width="500"]\[height="150"] 171gifs.com##img\[width="500"]\[height="180"] 171gifs.com##img\[width="640"]\[height="90"] +fleshasiadaily.com##img\[width="700"] 171gifs.com##img\[width="728"]\[height="90"] mofosex.com##li\[style="width: 385px; height: 380px; display: block; float: right;"] picfoco.com##table\[border="0"]\[width="728"] @@ -145594,8 +151037,8 @@ xvideos.com##table\[height="480"] loadsofpics.com##table\[height="750"] imagewaste.com##table\[style="width: 205px; height: 196px;"] starcelebs.com##table\[style="width:218px; border-width:1px; border-style:solid; border-color:black; border-collapse: collapse"] -1-toons.com,3dtale.com,3dteenagers.com,comicstale.com,freehentaimagazine.com##table\[style="width:840px; border 1px solid #C0C0C0; background-color:#0F0F0F; margin:0 auto;"] pornper.com,xxxkinky.com##table\[width="100%"]\[height="260"] +taxidrivermovie.com##table\[width="275"] xvideos.com##table\[width="342"] humoron.com##table\[width="527"] exgfpics.com##table\[width="565"] @@ -145629,7 +151072,7 @@ imagedax.net##td\[width="300"] xhamster.com##td\[width="360"] pornwikileaks.com##td\[width="43"] tube8.com##topadblock -!---------------------------------Whitelists----------------------------------! +!-----------------------Whitelists to fix broken sites------------------------! ! *** easylist:easylist/easylist_whitelist.txt *** @@.com/b/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@.com/banners/$image,domain=catalogfavoritesvip.com|deliverydeals.co.uk|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@ -145637,7 +151080,7 @@ tube8.com##topadblock @@.net/image-*-$image,domain=affrity.com|catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@/advertising-glype/*$image,stylesheet @@/display-ad/*$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@/wordpress/wp-admin/*-ads-manager/$~third-party +@@/wordpress/wp-admin/*-ads-manager/*$~third-party @@/wordpress/wp-admin/*/adrotate/*$~third-party @@/wp-content/plugins/bwp-minify/min/?f=$script,stylesheet,~third-party @@||192.168.$xmlhttprequest @@ -145650,8 +151093,10 @@ tube8.com##topadblock @@||24ur.com/adserver/adall. @@||24ur.com/static/*/banners.js @@||2mdn.net/crossdomain.xml$domain=rte.ie -@@||2mdn.net/instream/*/adsapi_$object-subrequest,domain=3news.co.nz|49ers.com|atlantafalcons.com|azcardinals.com|baltimoreravens.com|buccaneers.com|buffalobills.com|chargers.com|chicagobears.com|clevelandbrowns.com|colts.com|dallascowboys.com|denverbroncos.com|detroitlions.com|egirlgames.net|giants.com|globaltv.com|houstontexans.com|jaguars.com|kcchiefs.com|ktvu.com|miamidolphins.com|neworleanssaints.com|newyorkjets.com|packers.com|panthers.com|patriots.com|philadelphiaeagles.com|raiders.com|redskins.com|rte.ie|seahawks.com|steelers.com|stlouisrams.com|titansonline.com|vikings.com|wpcomwidgets.com +@@||2mdn.net/instream/*/adsapi_$object-subrequest,domain=3news.co.nz|49ers.com|atlantafalcons.com|azcardinals.com|baltimoreravens.com|buccaneers.com|buffalobills.com|chargers.com|chicagobears.com|clevelandbrowns.com|colts.com|dallascowboys.com|denverbroncos.com|detroitlions.com|egirlgames.net|euronews.com|giants.com|globaltv.com|houstontexans.com|jaguars.com|kcchiefs.com|ktvu.com|miamidolphins.com|neworleanssaints.com|newyorkjets.com|packers.com|panthers.com|patriots.com|philadelphiaeagles.com|raiders.com|redskins.com|rte.ie|seahawks.com|steelers.com|stlouisrams.com|thecomedynetwork.ca|titansonline.com|vikings.com|wpcomwidgets.com +@@||2mdn.net/instream/flash/*/adsapi.swf$object-subrequest @@||2mdn.net/instream/html5/ima3.js +@@||2mdn.net/instream/video/client.js$domain=cbc.ca @@||2mdn.net/viewad/*/B*_$image,domain=jabong.com @@||2mdn.net^*/jwplayer.js$domain=doubleclick.net @@||2mdn.net^*/player.swf$domain=doubleclick.net @@ -145661,6 +151106,7 @@ tube8.com##topadblock @@||53.com/resources/images/ad-rotator/ @@||6waves.com/ads/720x300/ @@||6waves.com/js/adshow.js +@@||961bobfm.com/Pics/Ad%20Images/LISTEN_LIVE_BUTTON.png @@||9msn.com.au/Services/Service.axd?callback=ninemsn_ads_contextualTargeting_$script,domain=ninemsn.com.au @@||9msn.com.au/share/com/adtrack/adtrack.js$domain=ninemsn.com.au @@||9msn.com.au^*/ads/ninemsn.ads$script @@ -145670,7 +151116,6 @@ tube8.com##topadblock @@||abc.com/streaming/ads/preroll_$object-subrequest,domain=abc.go.com @@||abcnews.com/assets/static/ads/fwps.js @@||abcnews.go.com/assets/static/ads/fwps.js -@@||aberdeennews.com/hive/images/adv_ @@||activelydisengaged.com/wp-content/uploads/*/ad$image @@||ad.103092804.com/st?ad_type=$subdocument,domain=wizard.mediacoderhq.com @@||ad.71i.de/crossdomain.xml$object-subrequest @@ -145684,6 +151129,7 @@ tube8.com##topadblock @@||ad.doubleclick.net/adj/*/cartalk.audio_player;$script,domain=cartalk.com @@||ad.doubleclick.net/adj/rstone.site/music/photos^$script,domain=rollingstone.com @@||ad.doubleclick.net/adx/nbcu.nbc/rewind$object-subrequest +@@||ad.doubleclick.net/clk;*?https://dm.victoriassecret.com/product/$image,domain=freeshipping.com @@||ad.doubleclick.net/N7175/adj/fdc.forbes/welcome;id=fdc/welcome;pos=thoughtx;$script,domain=forbes.com @@||ad.doubleclick.net/pfadx/nbcu.nbc/rewind$object-subrequest @@||ad.ghfusion.com/constants.js$domain=gamehouse.com @@ -145698,7 +151144,10 @@ tube8.com##topadblock @@||ad4.liverail.com/?LR_PUBLISHER_ID=$object-subrequest,domain=playreplay.net @@||ad4.liverail.com/crossdomain.xml$object-subrequest @@||ad4.liverail.com/|$object-subrequest,domain=bizu.tv|foxsports.com.au|majorleaguegaming.com|pbs.org|wikihow.com +@@||ad4.liverail.com/|$xmlhttprequest,domain=c.brightcove.com @@||ad4.liverail.com^*LR_VIDEO_ID=$object-subrequest,domain=bizu.tv +@@||ad4game.com/ima3_preloader_*.swf$object,domain=escapefan.com +@@||ad4game.com/www/delivery/video.php?zoneid=$script,domain=escapefan.com @@||adap.tv/control?$object-subrequest @@||adap.tv/crossdomain.xml$object-subrequest @@||adap.tv/redir/client/adplayer.swf$object-subrequest @@ -145722,11 +151171,11 @@ tube8.com##topadblock @@||adguard.com^$~third-party @@||adhostingsolutions.com/crossdomain.xml$object-subrequest @@||adimages.go.com/crossdomain.xml$object-subrequest -@@||adm.fwmrm.net/p/abc_live/LinkTag2.js$domain=6abc.com|7online.com|abc11.com|abc13.com|abc30.com|abc7.com|abc7chicago.com|abc7news.com -@@||adm.fwmrm.net^*/AdManager.js$domain=sky.com -@@||adm.fwmrm.net^*/BrightcovePlugin.js$domain=9news.com.au|bigbrother.com.au|ninemsn.com.au +@@||adm.fwmrm.net^*/AdManager.js$domain=msnbc.com|sky.com +@@||adm.fwmrm.net^*/BrightcovePlugin.js$domain=9jumpin.com.au|9news.com.au|bigbrother.com.au|ninemsn.com.au +@@||adm.fwmrm.net^*/LinkTag2.js$domain=6abc.com|7online.com|abc11.com|abc13.com|abc30.com|abc7.com|abc7chicago.com|abc7news.com|ahctv.com|animalplanet.com|destinationamerica.com|discovery.com|discoverylife.com|tlc.com @@||adm.fwmrm.net^*/TremorAdRenderer.$object-subrequest,domain=go.com -@@||adm.fwmrm.net^*/videoadrenderer.$object-subrequest,domain=cnbc.com|go.com|nbc.com +@@||adm.fwmrm.net^*/videoadrenderer.$object-subrequest,domain=cnbc.com|espnfc.co.uk|espnfc.com|espnfc.com.au|espnfc.us|espnfcasia.com|go.com|nbc.com @@||adman.se^$~third-party @@||admedia.wsod.com^$domain=scottrade.com @@||admin.brightcove.com/viewer/*/brightcovebootloader.swf?$object,domain=gamesradar.com @@ -145736,9 +151185,11 @@ tube8.com##topadblock @@||adotube.com/adapters/as3overstream*.swf?$domain=livestream.com @@||adotube.com/crossdomain.xml$object-subrequest @@||adpages.com^$~third-party +@@||adphoto.eu^$~third-party @@||adroll.com/j/roundtrip.js$domain=onehourtranslation.com @@||ads.adap.tv/applist|$object-subrequest,domain=wunderground.com @@||ads.ahds.ac.uk^$~document +@@||ads.awadserver.com^$domain=sellallautos.com @@||ads.badassembly.com^$~third-party @@||ads.belointeractive.com/realmedia/ads/adstream_mjx.ads/www.kgw.com/video/$script @@||ads.bizx.info/www/delivery/spc.php?zones$script,domain=nyctourist.com @@ -145756,19 +151207,24 @@ tube8.com##topadblock @@||ads.fusac.fr^$~third-party @@||ads.globo.com^*/globovideo/player/ @@||ads.golfweek.com^$~third-party +@@||ads.healthline.com/v2/adajax?$subdocument @@||ads.intergi.com/adrawdata/*/ADTECH;$object-subrequest,domain=melting-mindz.com @@||ads.intergi.com/crossdomain.xml$object-subrequest @@||ads.jetpackdigital.com.s3.amazonaws.com^$image,domain=vibe.com @@||ads.jetpackdigital.com/jquery.tools.min.js?$domain=vibe.com @@||ads.jetpackdigital.com^*/_uploads/$image,domain=vibe.com +@@||ads.m1.com.sg^$~third-party @@||ads.mefeedia.com/flash/flowplayer-3.1.2.min.js @@||ads.mefeedia.com/flash/flowplayer.controls-3.0.2.min.js @@||ads.mycricket.com/www/delivery/ajs.php?zoneid=$script,~third-party @@||ads.nyootv.com/crossdomain.xml$object-subrequest @@||ads.nyootv.com:8080/crossdomain.xml$object-subrequest @@||ads.pandora.tv/netinsight/text/pandora_global/channel/icf@ +@@||ads.pinterest.com^$~third-party @@||ads.pointroll.com/PortalServe/?pid=$xmlhttprequest,domain=thestreet.com +@@||ads.reempresa.org^$domain=reempresa.org @@||ads.seriouswheels.com^$~third-party +@@||ads.simplyhired.com^$domain=simply-partner.com|simplyhired.com @@||ads.smartfeedads.com^$~third-party @@||ads.socialtheater.com^$~third-party @@||ads.songs.pk/openx/www/delivery/ @@ -145786,7 +151242,7 @@ tube8.com##topadblock @@||ads.yimg.com^*/any/yahoologo$image @@||ads.yimg.com^*/search/b/syc_logo_2.gif @@||ads.yimg.com^*videoadmodule*.swf -@@||ads1.msads.net/library/dapmsn.js$domain=msn.com +@@||ads1.msads.net^*/dapmsn.js$domain=msn.com @@||ads1.msn.com/ads/pronws/$image @@||ads1.msn.com/library/dap.js$domain=entertainment.msn.co.nz|msn.foxsports.com @@||adsbox.com.sg^$~third-party @@ -145802,6 +151258,7 @@ tube8.com##topadblock @@||adserver.tvcatchup.com^$object-subrequest @@||adserver.vidcoin.com^*/get_campaigns?$xmlhttprequest @@||adserver.yahoo.com/a?*&l=head&$script,domain=yahoo.com +@@||adserver.yahoo.com/a?*&l=VID&$xmlhttprequest,domain=yahoo.com @@||adserver.yahoo.com/a?*=headr$script,domain=mail.yahoo.com @@||adserver.yahoo.com/crossdomain.xml$object-subrequest @@||adserver.yahoo.com^*=weather&$domain=ca.weather.yahoo.com @@ -145810,6 +151267,7 @@ tube8.com##topadblock @@||adsign.republika.pl^$subdocument,domain=a-d-sign.pl @@||adsign.republika.pl^$~third-party @@||adsonar.com/js/adsonar.js$domain=ansingstatejournal.com|app.com|battlecreekenquirer.com|clarionledger.com|coloradoan.com|dailyrecord.com|dailyworld.com|delmarvanow.com|freep.com|greatfallstribune.com|guampdn.com|hattiesburgamerican.com|hometownlife.com|ithacajournal.com|jconline.com|livingstondaily.com|montgomeryadvertiser.com|mycentraljersey.com|news-press.com|pal-item.com|pnj.com|poughkeepsiejournal.com|press-citizen.com|pressconnects.com|rgj.com|shreveporttimes.com|stargazette.com|tallahassee.com|theadvertiser.com|thecalifornian.com|thedailyjournal.com|thenewsstar.com|thestarpress.com|thetimesherald.com|thetowntalk.com|visaliatimesdelta.com +@@||adsonar.com/js/aslJSON.js$domain=engadget.com @@||adspot.lk^$~third-party @@||adsremote.scrippsnetworks.com/crossdomain.xml$object-subrequest @@||adsremote.scrippsnetworks.com/html.ng/adtype=*&playertype=$domain=gactv.com @@ -145825,6 +151283,7 @@ tube8.com##topadblock @@||adtechus.com/crossdomain.xml$object-subrequest @@||adtechus.com/dt/common/DAC.js$domain=wetpaint.com @@||adultvideotorrents.com/assets/blockblock/advertisement.js +@@||adv.*.przedsiebiorca.pl^$~third-party @@||adv.blogupp.com^ @@||adv.erti.se^$~third-party @@||adv.escreverdireito.com^$~third-party @@ -145838,6 +151297,7 @@ tube8.com##topadblock @@||advertiser.trialpay.com^$~third-party @@||advertisers.io^$domain=advertisers.io @@||advertising.acne.se^$~third-party +@@||advertising.autotrader.co.uk^$~third-party @@||advertising.racingpost.com^$image,script,stylesheet,~third-party,xmlhttprequest @@||advertising.scoop.co.nz^ @@||advertising.theigroup.co.uk^$~third-party @@ -145861,8 +151321,8 @@ tube8.com##topadblock @@||affiliates.unpakt.com/widget/$subdocument @@||affiliates.unpakt.com/widget_loader/widget_loader.js @@||africam.com/adimages/ -@@||aimatch.com/gshark/lserver/$domain=html5.grooveshark.com @@||aimsworldrunning.org/images/AD_Box_$image,~third-party +@@||airbaltic.com/banners/$~third-party @@||airguns.net/advertisement_images/ @@||airguns.net/classifieds/ad_images/ @@||airplaydirect.com/openx/www/images/$image @@ -145873,7 +151333,7 @@ tube8.com##topadblock @@||akamai.net^*/ads/preroll_$object-subrequest,domain=bet.com @@||akamai.net^*/i.mallnetworks.com/images/*120x60$domain=ultimaterewardsearn.chase.com @@||akamai.net^*/pics.drugstore.com/prodimg/promo/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||akamai.net^*/www.wellsfargo.com/img/ads/$domain=wellsfargo.com +@@||akamaihd.net/hads-*.mp4? @@||akamaihd.net^*/videoAd.js$domain=zynga.com @@||al.com/static/common/js/ads/ads.js @@||albumartexchange.com/gallery/images/public/ad/$image @@ -145889,6 +151349,7 @@ tube8.com##topadblock @@||amazon.com/widgets/$domain=sotumblry.com @@||amazonaws.com/adplayer/player/newas3player.swf?$object,domain=india.com @@||amazonaws.com/banners/$image,domain=livefromdarylshouse.com|pandasecurity.com +@@||amazonaws.com/bt-dashboard-logos/$domain=signal.co @@||amazonaws.com^*/sponsorbanners/$image,domain=members.portalbuzz.com @@||amctv.com/commons/advertisement/js/AdFrame.js @@||amiblood.com/Images/ad.jpg @@ -145903,7 +151364,7 @@ tube8.com##topadblock @@||aolcdn.com/os_merge/?file=/aol/*.js&$script @@||aolcdn.com^*/adhads.css$domain=aol.com @@||aone-soft.com/style/images/ad*.jpg -@@||api.cirqle.nl^*&advertiserId=$xmlhttprequest +@@||api.cirqle.nl^*&advertiserId=$script,xmlhttprequest @@||api.hexagram.com^$domain=scribol.com @@||api.paymentwall.com^$domain=adguard.com @@||apmebf.com/ad/$domain=betfair.com @@ -145927,6 +151388,7 @@ tube8.com##topadblock @@||as.bankrate.com/RealMedia/ads/adstream_mjx.ads/$script,~third-party @@||as.medscape.com/html.ng/transactionid%$subdocument,domain=medscape.com @@||as.webmd.com/html.ng/transactionid=$object-subrequest,script,subdocument +@@||asiasold.com/assets/home/openx/$image,~third-party @@||asrock.com/images/ad-$~third-party @@||assets.rewardstyle.com^$domain=glamour.com|itsjudytime.com @@||assiniboine.mb.ca/files/intrasite_ads/ @@ -145942,6 +151404,7 @@ tube8.com##topadblock @@||auditude.com^*/auditudebrightcoveplugin.swf$object-subrequest,domain=channel5.com @@||auditude.com^*/auditudeosmfproxyplugin.swf$object-subrequest,domain=dramafever.com|majorleaguegaming.com @@||autogespot.info/upload/ads/$image +@@||autotrader.co.uk/advert/$xmlhttprequest @@||autotrader.co.uk/static/*/images/adv/icons.png @@||autotrader.co.uk^*/advert/$~third-party,xmlhttprequest @@||autotrader.co.uk^*_adverts/$xmlhttprequest @@ -145953,11 +151416,13 @@ tube8.com##topadblock @@||awltovhc.com^$object,domain=affrity.com @@||backpackinglight.com/backpackinglight/ads/banner-$~third-party @@||bafta.org/static/site/javascript/banners.js -@@||baltimoresun.com/hive/images/adv_ +@@||bahtsold.com/assets/home/openx/Thailand/$image,~third-party +@@||bahtsold.com/assets/images/ads/no_img_main.png @@||bankofamerica.com^*?adx=$xmlhttprequest @@||banner.pumpkinpatchkids.com/www/delivery/$domain=pumpkinpatch.co.nz|pumpkinpatch.co.uk|pumpkinpatch.com|pumpkinpatch.com.au @@||banner4five.com/banners/$~third-party @@||bannerfans.com/banners/$image,~third-party +@@||bannerist.com/images/$image,domain=bannerist.com @@||banners.gametracker.rs^$image @@||banners.goldbroker.com/widget/ @@||banners.wunderground.com^$image @@ -145998,7 +151463,6 @@ tube8.com##topadblock @@||box10.com/advertising/*-preroll.swf @@||boxedlynch.com/advertising-gallery.html @@||brainient.com/crossdomain.xml$object-subrequest -@@||brightcove.com/viewer/*/advertisingmodule.swf$domain=aetv.com|al.com|amctv.com|as.com|channel5.com|cleveland.com|fox.com|fxnetworks.com|guardian.co.uk|lehighvalleylive.com|masslive.com|mlive.com|nj.com|nola.com|oregonlive.com|pennlive.com|people.com|silive.com|slate.com|syracuse.com|weather.com @@||brightcove.com^*bannerid$third-party @@||britannica.com/resources/images/shared/ad-loading.gif @@||britishairways.com/cms/global/styles/*/openx.css @@ -146043,6 +151507,7 @@ tube8.com##topadblock @@||cdn.inskinmedia.com/isfe/4.1/swf/unitcontainer2.swf$domain=tvcatchup.com @@||cdn.inskinmedia.com^*/brightcove3.js$domain=virginmedia.com @@||cdn.inskinmedia.com^*/ipcgame.js?$domain=mousebreaker.com +@@||cdn.intentmedia.net^$image,script,domain=travelzoo.com @@||cdn.pch.com/spectrummedia/spectrum/adunit/ @@||cdn.travidia.com/fsi-page/$image @@||cdn.travidia.com/rop-ad/$image @@ -146053,6 +151518,7 @@ tube8.com##topadblock @@||cerebral.s4.bizhat.com/banners/$image,~third-party @@||channel4.com/media/scripts/oasconfig/siteads.js @@||charlieandmekids.com/www/delivery/$script,domain=charlieandmekids.co.nz|charlieandmekids.com.au +@@||chase.com/content/*/ads/$image,~third-party @@||chase.com^*/adserving/ @@||cheapoair.ca/desktopmodules/adsales/adsaleshandle.ashx?$xmlhttprequest @@||cheapoair.com/desktopmodules/adsales/adsaleshandle.ashx?$xmlhttprequest @@ -146069,14 +151535,12 @@ tube8.com##topadblock @@||classifiedads.com/adbox.php$xmlhttprequest @@||classifieds.wsj.com/ad/$~third-party @@||classistatic.com^*/banner-ads/ -@@||clearchannel.com/cc-common/templates/addisplay/DFPheader.js @@||cleveland.com/static/common/js/ads/ads.js @@||clickbd.com^*/ads/$image,~third-party @@||cloudfront.net/_ads/$xmlhttprequest,domain=jobstreet.co.id|jobstreet.co.in|jobstreet.co.th|jobstreet.com|jobstreet.com.my|jobstreet.com.ph|jobstreet.com.sg|jobstreet.vn @@||club777.com/banners/$~third-party @@||clustrmaps.com/images/clustrmaps-back-soon.jpg$third-party @@||cnet.com/ad/ad-cookie/*?_=$xmlhttprequest -@@||cnn.com^*/html5/ad_policy.xml$xmlhttprequest @@||coastlinepilot.com/hive/images/adv_ @@||collective-media.net/crossdomain.xml$object-subrequest @@||collective-media.net/pfadx/wtv.wrc/$object-subrequest,domain=wrc.com @@ -146087,15 +151551,16 @@ tube8.com##topadblock @@||computerworld.com/resources/scripts/lib/doubleclick_ads.js$script @@||comsec.com.au^*/homepage_banner_ad.gif @@||condenast.co.uk/scripts/cn-advert.js$domain=cntraveller.com +@@||connectingdirectories.com/advertisers/$~third-party,xmlhttprequest @@||constructalia.com/banners/$image,~third-party @@||contactmusic.com/advertpro/servlet/view/dynamic/$object-subrequest @@||content.ad/images/$image,domain=wmpoweruser.com +@@||content.datingfactory.com/promotools/$script @@||content.hallmark.com/scripts/ecards/adspot.js @@||copesdistributing.com/images/adds/banner_$~third-party @@||cosmopolitan.com/ams/page-ads.js @@||cosmopolitan.com/cm/shared/scripts/refreshads-$script @@||countryliving.com/ams/page-ads.js -@@||courant.com/hive/images/adv_ @@||cracker.com.au^*/cracker-classifieds-free-ads.$~document @@||cricbuzz.com/includes/ads/images/wct20/$image @@||cricbuzz.com/includes/ads/images/worldcup/more_arrow_$image @@ -146104,17 +151569,22 @@ tube8.com##topadblock @@||csair.com/*/adpic.js @@||csmonitor.com/advertising/sharetools.php$subdocument @@||csoonline.com/js/doubleclick_ads.js? +@@||css.washingtonpost.com/wpost/css/combo?*/ads.css +@@||css.washingtonpost.com/wpost2/css/combo?*/ads.css +@@||css.wpdigital.net/wpost/css/combo?*/ads.css @@||ctv.ca/players/mediaplayer/*/AdManager.js^ @@||cubeecraft.com/openx/$~third-party @@||cvs.com/webcontent/images/weeklyad/adcontent/$~third-party @@||cydiaupdates.net/CydiaUpdates.com_600x80.png @@||d1sp6mwzi1jpx1.cloudfront.net^*/advertisement_min.js$domain=reelkandi.com +@@||d3con.org/data1/$image,~third-party @@||d3pkae9owd2lcf.cloudfront.net/mb102.js$domain=wowhead.com +@@||da-ads.com/truex.html?$domain=deviantart.com @@||dailycaller.com/wp-content/plugins/advertisements/$script @@||dailyhiit.com/sites/*/ad-images/ +@@||dailymail.co.uk^*/googleads--.js @@||dailymotion.com/videowall/*&clickTAG=http @@||dailypilot.com/hive/images/adv_ -@@||dailypress.com/hive/images/adv_ @@||danielechevarria.com^*/advertising-$~third-party @@||dart.clearchannel.com/crossdomain.xml$object-subrequest @@||data.panachetech.com/crossdomain.xml$object-subrequest @@ -146131,6 +151601,7 @@ tube8.com##topadblock @@||delvenetworks.com/player/*_ad_$subdocument @@||demo.inskinmedia.com^$object-subrequest,domain=tvcatchup.com @@||deviantart.net/fs*/20*_by_$image,domain=deviantart.com +@@||deviantart.net/minish/advertising/downloadad_splash_close.png @@||digiads.com.au/images/shared/misc/ad-disclaimer.gif @@||digsby.com/affiliate/banners/$image,~third-party @@||direct.fairfax.com.au/hserver/*/site=vid.*/adtype=embedded/$script @@ -146149,6 +151620,7 @@ tube8.com##topadblock @@||dolphinimaging.com/banners.js @@||dolphinimaging.com/banners/ @@||domandgeri.com/banners/$~third-party +@@||dotomi.com/commonid/match?$script,domain=betfair.com @@||doubleclick.net/ad/*.linkshare/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@||doubleclick.net/ad/can/chow/$object-subrequest @@||doubleclick.net/ad/can/tvcom/$object-subrequest,domain=tv.com @@ -146162,6 +151634,7 @@ tube8.com##topadblock @@||doubleclick.net/adi/sny.tv/media;$subdocument,domain=sny.tv @@||doubleclick.net/adi/sony.oz.opus/*;pos=bottom;$subdocument,domain=doctoroz.com @@||doubleclick.net/adi/yesnetwork.com/media;$subdocument,domain=yesnetwork.com +@@||doubleclick.net/adi/zillow.hdp/$subdocument,domain=zillow.com @@||doubleclick.net/adj/bbccom.live.site.auto/*^sz=1x1^$script,domain=bbc.com @@||doubleclick.net/adj/cm.peo/*;cmpos=$script,domain=people.com @@||doubleclick.net/adj/cm.tim/*;cmpos=$script,domain=time.com @@ -146179,6 +151652,7 @@ tube8.com##topadblock @@||doubleclick.net/ddm/clk/*://www.amazon.jobs/jobs/$subdocument,domain=glassdoor.com @@||doubleclick.net/N2605/adi/MiLB.com/scoreboard;*;sz=728x90;$subdocument @@||doubleclick.net/N6545/adj/*_music/video;$script,domain=virginmedia.com +@@||doubleclick.net/N6619/adj/zillow.hdp/$script,domain=zillow.com @@||doubleclick.net/pfadx/*/cbs/$object-subrequest,domain=latimes.com @@||doubleclick.net/pfadx/nfl.*/html5;$xmlhttprequest,domain=nfl.com @@||doubleclick.net/pfadx/umg.*;sz=10x$script @@ -146191,6 +151665,7 @@ tube8.com##topadblock @@||doubleclick.net^*/ndm.tcm/video;$script,domain=player.video.news.com.au @@||doubleclick.net^*/targeted.optimum/*;sz=968x286;$image,popup,script @@||doubleclick.net^*/videoplayer*=worldnow$subdocument,domain=ktiv.com|wflx.com +@@||dove.saymedia.com^$xmlhttprequest @@||downvids.net/ads.js @@||drf-global.com/servicegateway/globaltrips-shopping-svcs/drfadserver-1.0/pub/adserver.js?$domain=igougo.com|travelocity.com @@||drf-global.com/servicegateway/globaltrips-shopping-svcs/drfadserver-1.0/pub/drfcomms/advertisers?$script,domain=igougo.com|travelocity.com @@ -146200,6 +151675,7 @@ tube8.com##topadblock @@||drunkard.com/banners/drunk-korps-banner.jpg @@||drunkard.com/banners/drunkard-gear.jpg @@||drunkard.com/banners/modern-drunkard-book.jpg +@@||drupal.org^*/revealads.png @@||dstw.adgear.com/crossdomain.xml$object-subrequest @@||dstw.adgear.com/impressions/int/as=*.json?ag_r=$object-subrequest,domain=hot899.com|nj1015.com|streamtheworld.com|tsn.ca @@||dwiextreme.com/banners/dwiextreme$image @@ -146224,19 +151700,23 @@ tube8.com##topadblock @@||eightinc.com/admin/zone.php?zoneid=$xmlhttprequest @@||elephantjournal.com/ad_art/ @@||eluxe.ca^*_doubleclick.js*.pagespeed.$script +@@||emailbidding.com^*/advertiser/$~third-party,xmlhttprequest @@||emergencymedicalparamedic.com/wp-content/themes/AdSense/style.css @@||emjcd.com^$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@||empireonline.com/images/image_index/300x250/ +@@||engine.adzerk.net/ados?$script,domain=stackoverflow.com @@||englishanimes.com/wp-content/themes/englishanimes/js/pop.js @@||engrish.com/wp-content/uploads/*/advertisement-$image,~third-party @@||epicgameads.com/crossdomain.xml$object-subrequest @@||epicgameads.com/games/getSwfPath.php?$object-subrequest,domain=freewebarcade.com @@||epicgameads.com/games/mec_release_*.swf?$object-subrequest,domain=freewebarcade.com +@@||eplayerhtml5.performgroup.com/js/tsEplayerHtml5/js/Eplayer/js/modules/bannerview/bannerview.main.js? @@||equippers.com/abm.aspx?$script @@||equippers.com/absolutebm.aspx?$script @@||espn.co.uk/ads/gamemodule_v0.2.swf$object @@||espn.go.com^*/espn360/banner?$subdocument @@||espncdn.com/combiner/*/admgr.$script,domain=espn.go.com +@@||espncdn.com/combiner/c?*/ads.css$domain=espn.go.com @@||espncdn.com/combiner/c?*/advertising.$stylesheet,domain=espnfc.com @@||espngp.com/ads/*_sprite$domain=espnf1.com @@||esquire.com/ams/page-ads.js?$script @@ -146292,7 +151772,8 @@ tube8.com##topadblock @@||g.doubleclick.net/aclk?$subdocument,domain=nedbank.co.za @@||g.doubleclick.net/crossdomain.xml$object-subrequest,domain=~newgrounds.com @@||g.doubleclick.net/gampad/ads?$object-subrequest,domain=ensonhaber.com|majorleaguegaming.com|nfl.com|player.rogersradio.ca|twitch.tv|viki.com|volarvideo.com|worldstarhiphop.com -@@||g.doubleclick.net/gampad/ads?$script,domain=app.com|argusleader.com|autoguide.com|battlecreekenquirer.com|baxterbulletin.com|beqala.com|boatshop24.com|bodas.com.mx|bodas.net|bucyrustelegraphforum.com|burlingtonfreepress.com|casamentos.com.br|casamentos.pt|casamiento.com.uy|casamientos.com.ar|chillicothegazette.com|cincinnati.com|clarionledger.com|coloradoan.com|coshoctontribune.com|courier-journal.com|courierpostonline.com|dailyrecord.com|dailyworld.com|deadspin.com|defensenews.com|delawareonline.com|democratandchronicle.com|desmoinesregister.com|dnj.com|drupalcommerce.org|escapegames.com|fdlreporter.com|floridatoday.com|freep.com|games.latimes.com|gawker.com|gizmodo.com|greatfallstribune.com|greenbaypressgazette.com|greenvilleonline.com|guampdn.com|hattiesburgamerican.com|hometownlife.com|htrnews.com|indystar.com|io9.com|ithacajournal.com|jacksonsun.com|jalopnik.com|jconline.com|jezebel.com|kotaku.com|lancastereaglegazette.com|lansingstatejournal.com|lifehacker.com|livingstondaily.com|lohud.com|mansfieldnewsjournal.com|mariages.net|marionstar.com|marshfieldnewsherald.com|matrimonio.com|matrimonio.com.co|matrimonio.com.pe|matrimonios.cl|montgomeryadvertiser.com|motorcycle.com|mycentraljersey.com|mydesert.com|mysoju.com|nauticexpo.com|nedbank.co.za|nedbankgreen.co.za|newarkadvocate.com|news-leader.com|news-press.com|newsleader.com|nonags.com|orbitz.com|pal-item.com|pcper.com|podomatic.com|portclintonnewsherald.com|postcrescent.com|poughkeepsiejournal.com|press-citizen.com|pressconnects.com|rgj.com|sctimes.com|sheboyganpress.com|shreveporttimes.com|stargazette.com|statesmanjournal.com|stevenspointjournal.com|tallahassee.com|tennessean.com|theadvertiser.com|thedailyjournal.com|theleafchronicle.com|thenews-messenger.com|thenewsstar.com|thenorthwestern.com|thesimsresource.com|thespectrum.com|thestarpress.com|thetimesherald.com|thetowntalk.com|ticketek.com.ar|urbandictionary.com|virginaustralia.com|visaliatimesdelta.com|volokh.com|wausaudailyherald.com|weddingspot.co.uk|wisconsinrapidstribune.com|wlj.net|zanesvilletimesrecorder.com|zavvi.com|zui.com +@@||g.doubleclick.net/gampad/ads?$script,domain=app.com|argusleader.com|autoguide.com|battlecreekenquirer.com|baxterbulletin.com|beqala.com|boatshop24.com|bodas.com.mx|bodas.net|bucyrustelegraphforum.com|burlingtonfreepress.com|casamentos.com.br|casamentos.pt|casamiento.com.uy|casamientos.com.ar|chillicothegazette.com|cincinnati.com|clarionledger.com|coloradoan.com|coshoctontribune.com|courier-journal.com|courierpostonline.com|dailyrecord.com|dailyworld.com|deadspin.com|defensenews.com|delawareonline.com|democratandchronicle.com|desmoinesregister.com|dnj.com|drupalcommerce.org|escapegames.com|fdlreporter.com|floridatoday.com|freep.com|games.latimes.com|gawker.com|gizmodo.com|greatfallstribune.com|greenbaypressgazette.com|greenvilleonline.com|guampdn.com|hattiesburgamerican.com|hometownlife.com|htrnews.com|indystar.com|io9.com|ithacajournal.com|jacksonsun.com|jalopnik.com|jconline.com|jezebel.com|kotaku.com|lancastereaglegazette.com|lansingstatejournal.com|lifehacker.com|livingstondaily.com|lohud.com|mansfieldnewsjournal.com|mariages.net|marionstar.com|marshfieldnewsherald.com|matrimonio.com|matrimonio.com.co|matrimonio.com.pe|matrimonios.cl|montgomeryadvertiser.com|motorcycle.com|mycentraljersey.com|mydesert.com|mysoju.com|nauticexpo.com|nedbank.co.za|nedbankgreen.co.za|newarkadvocate.com|news-leader.com|news-press.com|newsleader.com|nonags.com|orbitz.com|pal-item.com|podomatic.com|portclintonnewsherald.com|postcrescent.com|poughkeepsiejournal.com|press-citizen.com|pressconnects.com|rgj.com|sctimes.com|sheboyganpress.com|shreveporttimes.com|stargazette.com|statesmanjournal.com|stevenspointjournal.com|tallahassee.com|tennessean.com|theadvertiser.com|thedailyjournal.com|theleafchronicle.com|thenews-messenger.com|thenewsstar.com|thenorthwestern.com|thesimsresource.com|thespectrum.com|thestarpress.com|thetimesherald.com|thetowntalk.com|ticketek.com.ar|urbandictionary.com|virginaustralia.com|visaliatimesdelta.com|volokh.com|wausaudailyherald.com|weddingspot.co.uk|wisconsinrapidstribune.com|wlj.net|zanesvilletimesrecorder.com|zavvi.com|zui.com +@@||g.doubleclick.net/gampad/ads?adk$domain=rte.ie @@||g.doubleclick.net/gampad/google_ads.js$domain=nedbank.co.za|nitrome.com|ticketek.com.ar @@||g.doubleclick.net/pagead/ads?ad_type=image_text^$object-subrequest,domain=ebog.com|gameark.com @@||g.doubleclick.net/pagead/ads?ad_type=text_dynamicimage_flash^$object-subrequest @@ -146337,13 +151818,13 @@ tube8.com##topadblock @@||google.com/adsense/$subdocument,domain=sedo.co.uk|sedo.com|sedo.jp|sedo.kr|sedo.pl @@||google.com/adsense/search/ads.js$domain=armstrongmywire.com|atlanticbb.net|bestbuy.com|bresnan.net|broadstripe.net|buckeyecablesystem.net|cableone.net|centurylink.net|charter.net|cincinnatibell.net|dish.net|forbbbs.org|forbes.com|hargray.net|hawaiiantel.net|hickorytech.net|homeaway.co.uk|knology.net|livestrong.com|mediacomtoday.com|midco.net|mybendbroadband.com|mybrctv.com|mycenturylink.com|myconsolidated.net|myepb.net|mygrande.net|mygvtc.com|myhughesnet.com|myritter.com|northstate.net|nwcable.net|query.nytimes.com|rentals.com|search.rr.com|searchresults.verizon.com|suddenlink.net|surewest.com|synacor.net|tds.net|toshiba.com|trustedreviews.com|truvista.net|windstream.net|windstreambusiness.net|wowway.net|www.google.com|zoover.co.uk|zoover.com @@||google.com/adsense/search/async-ads.js$domain=about.com|ehow.com +@@||google.com/afs/ads?$document,subdocument,domain=ehow.com|livestrong.com @@||google.com/doubleclick/studio/swiffy/$domain=www.google.com @@||google.com/search?q=$xmlhttprequest @@||google.com/uds/?file=ads&$script,domain=guardian.co.uk|landandfarm.com -@@||google.com/uds/afs?$document,subdocument,domain=ehow.com|livestrong.com -@@||google.com/uds/afs?$subdocument,domain=about.com +@@||google.com/uds/afs?$document,subdocument,domain=about.com|ehow.com|livestrong.com @@||google.com/uds/api/ads/$script,domain=guardian.co.uk -@@||google.com/uds/api/ads/*/search.$script,domain=italyinus2013.org|landandfarm.com|query.nytimes.com|trustedreviews.com|www.google.com +@@||google.com/uds/api/ads/*/search.$script,domain=landandfarm.com|query.nytimes.com|trustedreviews.com|www.google.com @@||google.com/uds/modules/elements/newsshow/iframe.html?format=728x90^$document,subdocument @@||google.com^*/show_afs_ads.js$domain=whitepages.com @@||googleapis.com/flash/*adsapi_*.swf$domain=viki.com|wwe.com @@ -146369,6 +151850,8 @@ tube8.com##topadblock @@||healthline.com/resources/base/js/responsive-ads.js? @@||healthline.com/v2/ad-leaderboard-iframe?$subdocument @@||healthline.com/v2/ad-mr2-iframe?useAdsHost=*&dfpAdSite= +@@||hebdenbridge.co.uk/ads/images/smallads.png +@@||hellotv.in/livetv/advertisements.xml$object-subrequest @@||hentai-foundry.com/themes/default/images/buttons/add_comment_icon.png @@||hillvue.com/banners/$image,~third-party @@||hipsterhitler.com/hhcomic/wp-content/uploads/2011/10/20_advertisement.jpg @@ -146416,16 +151899,18 @@ tube8.com##topadblock @@||images.rewardstyle.com/img?$image,domain=glamour.com|itsjudytime.com @@||images.vantage-media.net^$domain=yahoo.net @@||imagesbn.com/resources?*/googlead.$stylesheet,domain=barnesandnoble.com -@@||imasdk.googleapis.com/flash/core/adsapi_3_0_$object-subrequest +@@||imasdk.googleapis.com/flash/core/3.*/adsapi.swf$object-subrequest @@||imasdk.googleapis.com/flash/sdkloader/adsapi_3.swf$object-subrequest -@@||imasdk.googleapis.com/js/core/bridge*.html$subdocument,domain=eboundservices.com|live.geo.tv|news.sky.com|thestreet.com|video.foxnews.com -@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=news.sky.com|theverge.com +@@||imasdk.googleapis.com/js/core/bridge*.html$subdocument,domain=blinkboxmusic.com|cbc.ca|eboundservices.com|gamejolt.com|live.geo.tv|news.sky.com|softgames.de|thestreet.com|video.foxnews.com|waywire.com +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=blinkboxmusic.com|cbc.ca|gamejolt.com|news.sky.com|theverge.com +@@||img-cdn.mediaplex.com^$image,domain=betfair.com @@||img.espngp.com/ads/$image,domain=espnf1.com @@||img.mediaplex.com^*_afl_bettingpage_$domain=afl.com.au @@||img.thedailywtf.com/images/ads/ @@||img.travidia.com^$image @@||img.weather.weatherbug.com^*/stickers/$image,stylesheet @@||imgag.com^*/adaptvadplayer.swf$domain=egreetings.com +@@||imobie.com/js/anytrans-adv.js @@||impgb.tradedoubler.com/imp?type(img)$image,domain=deliverydeals.co.uk @@||imwx.com/js/adstwo/adcontroller.js$domain=weather.com @@||incredibox.fr/advertise/_liste.js @@ -146447,6 +151932,10 @@ tube8.com##topadblock @@||inskinmedia.com^*/js/base/api/$domain=mousebreaker.com @@||inspire.net.nz/adverts/$image @@||intellitext.co^$~third-party +@@||intellitxt.com/ast/js/nbcuni/$script +@@||intentmedia.net/adServer/$script,domain=travelzoo.com +@@||intentmedia.net/javascripts/$script,domain=travelzoo.com +@@||interadcorp.com/script/interad.$script,stylesheet @@||investors.com/Scripts/AdScript.js? @@||inviziads.com/crossdomain.xml$object-subrequest @@||ipcamhost.net/flashads/*.swf$object-subrequest,domain=canadianrockies.org @@ -146467,6 +151956,8 @@ tube8.com##topadblock @@||js.revsci.net/gateway/gw.js?$domain=app.com|argusleader.com|aviationweek.com|battlecreekenquirer.com|baxterbulletin.com|bucyrustelegraphforum.com|burlingtonfreepress.com|centralohio.com|chillicothegazette.com|cincinnati.com|citizen-times.com|clarionledger.com|coloradoan.com|coshoctontribune.com|courier-journal.com|courierpostonline.com|dailyrecord.com|dailyworld.com|delawareonline.com|delmarvanow.com|democratandchronicle.com|desmoinesregister.com|dnj.com|fdlreporter.com|foxsmallbusinesscenter.com|freep.com|greatfallstribune.com|greenbaypressgazette.com|greenvilleonline.com|guampdn.com|hattiesburgamerican.com|hometownlife.com|honoluluadvertiser.com|htrnews.com|indystar.com|jacksonsun.com|jconline.com|lancastereaglegazette.com|lansingstatejournal.com|livingstondaily.com|lohud.com|mansfieldnewsjournal.com|marionstar.com|marshfieldnewsherald.com|montgomeryadvertiser.com|mycentraljersey.com|mydesert.com|newarkadvocate.com|news-leader.com|news-press.com|newsleader.com|pal-item.com|pnj.com|portclintonnewsherald.com|postcrescent.com|poughkeepsiejournal.com|press-citizen.com|pressconnects.com|rgj.com|sctimes.com|sheboyganpress.com|shreveporttimes.com|stargazette.com|statesmanjournal.com|stevenspointjournal.com|tallahassee.com|tennessean.com|theadvertiser.com|thecalifornian.com|thedailyjournal.com|theithacajournal.com|theleafchronicle.com|thenews-messenger.com|thenewsstar.com|thenorthwestern.com|thespectrum.com|thestarpress.com|thetimesherald.com|thetowntalk.com|visaliatimesdelta.com|wausaudailyherald.com|weather.com|wisconsinrapidstribune.com|zanesvilletimesrecorder.com @@||jsstatic.com/_ads/ @@||jtvnw.net/widgets/jtv_player.*&referer=http://talkrtv.com/ad/channel.php?$object,domain=talkrtv.com +@@||justin-klein.com/banners/ +@@||kaltura.com^*/doubleClickPlugin.swf$object-subrequest,domain=tmz.com @@||kamernet.nl/Adverts/$~third-party @@||karolinashumilas.com/img/adv/ @@||kcna.kp/images/ads_arrow_ @@ -146481,20 +151972,18 @@ tube8.com##topadblock @@||kongcdn.com/game_icons/*-300x250_$domain=kongregate.com @@||kotak.com/banners/$image @@||krispykreme.com/content/images/ads/ -@@||krxd.net^$script,domain=nbcnews.com @@||ksl.com/resources/classifieds/graphics/ad_ -@@||ky3.com/hive/images/adv_ @@||l.yimg.com/*/adservice/ @@||l.yimg.com/zz/combo?*/advertising.$stylesheet @@||lacanadaonline.com/hive/images/adv_ @@||lads.myspace.com/videos/msvideoplayer.swf?$object,object-subrequest @@||lanacion.com.ar/*/publicidad/ @@||larazon.es/larazon-theme/js/publicidad.js? -@@||latimes.com/hive/images/adv_ @@||lbdevicons.brainient.com/flash/*/VPAIDWrapper.swf$object,domain=mousebreaker.com @@||lduhtrp.net/image-$domain=uscbookstore.com @@||leadback.advertising.com/adcedge/$domain=careerbuilder.com @@||lehighvalleylive.com/static/common/js/ads/ads.js +@@||lelong.com.my/UserImages/Ads/$image,~third-party @@||lemon-ads.com^$~document,~third-party @@||lesacasino.com/banners/$~third-party @@||libraryjournal.com/wp-content/plugins/wp-intern-ads/$script,stylesheet @@ -146511,13 +152000,16 @@ tube8.com##topadblock @@||linksynergy.com/fs/banners/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@||lipsum.com/images/banners/ @@||listings.brokersweb.com/JsonSearchSb.aspx?*&maxAds=$script +@@||live-support.se^*/Admax/$~third-party @@||live.seenreport.com:82/media/js/ads_controller.js?$domain=live.geo.tv @@||live.seenreport.com:82/media/js/fingerprint.js?$domain=live.geo.tv @@||live365.com/mini/blank300x250.html @@||live365.com/scripts/liveads.js @@||live365.com/web/components/ads/*.html? -@@||liverail.com/js/LiveRail.AdManager*JWPlayer$script +@@||liverail.com/js/LiveRail.AdManager$script,domain=~bluray-disc.de +@@||liverail.com/js/LiveRail.Interstitial-$script,domain=keygames.com @@||liverail.com^*/liverail_preroll.swf$object,domain=newgrounds.com +@@||liverail.com^*/vpaid-player.swf?$object,domain=addictinggames.com|keygames.com|nglmedia.com|shockwave.com @@||llnwd.net^*/js/3rdparty/swfobject$script @@||logmein.com/Serve.aspx?ZoneID=$script,~third-party @@||longtailvideo.com/flowplayer/ova-*.swf$domain=rosemaryconley.tv @@ -146545,6 +152037,7 @@ tube8.com##topadblock @@||mansioncasino.com/banners/$~third-party @@||maps-static.chitika.net^ @@||maps.chitika.net^ +@@||maps.gstatic.com/maps-api-*/adsense.js$domain=ctrlq.org|googlesightseeing.com|marinetraffic.com|satellite-calculations.com|walkscore.com @@||marca.com/deporte/css/*/publicidad.css @@||marciglesias.com/publicidad/ @@||marcokrenn.com/public/images/pages/advertising/$~third-party @@ -146554,7 +152047,6 @@ tube8.com##topadblock @@||marketing.beatport.com.s3.amazonaws.com/html/*/Banner_Ads/header_$image @@||masslive.com/static/common/js/ads/ads.js @@||maxim.com/advert*/countdown/$script,stylesheet -@@||mcall.com/hive/images/adv_ @@||mcfc.co.uk/js/core/adtracking.js @@||mcpn.us/resources/images/adv/$~third-party @@||media-azeroth.cursecdn.com/Assets/*/DOODADS/$object-subrequest @@ -146575,6 +152067,7 @@ tube8.com##topadblock @@||medrx.sensis.com.au/images/sensis/*/util.js$domain=afl.com.au|goal.com @@||medrx.sensis.com.au/images/sensis/generic.js$domain=afl.com.au @@||medscape.com/html.ng/*slideshow +@@||medscapestatic.com/pi/scripts/ads/dfp/profads2.js @@||memecdn.com/advertising_$image,domain=memecenter.com @@||meritline.com/banners/$image,~third-party @@||merkatia.com/adimages/$image @@ -146635,6 +152128,7 @@ tube8.com##topadblock @@||ncregister.com/images/ads/ @@||ncregister.com/images/sized/images/ads/ @@||nedbank.co.za/website/content/home/google_ad_Cut.jpg +@@||neobux.com/v/?a=l&l=$document @@||netupd8.com/webupd8/*/adsense.js$domain=webupd8.org @@||netupd8.com/webupd8/*/advertisement.js$domain=webupd8.org @@||networkworld.com/www/js/ads/gpt_includes.js? @@ -146711,8 +152205,8 @@ tube8.com##topadblock @@||optimatic.com^*/wrapper/shell.swf?$object,domain=pch.com @@||optimatic.com^*/wrapper/shell_standalone.swf?$object,domain=pch.com @@||oregonlive.com/static/common/js/ads/ads.js -@@||orlandosentinel.com/hive/images/adv_ @@||osdir.com/ml/dateindex*&num=$subdocument +@@||otakumode.com/shop/titleArea?*_promo_id=$xmlhttprequest @@||otrkeyfinder.com/otr/frame*.php?ads=*&search=$subdocument,domain=onlinetvrecorder.com @@||overture.london^$~third-party @@||ox-d.motogp.com/v/1.0/av?*auid=$object-subrequest,domain=motogp.com @@ -146721,28 +152215,31 @@ tube8.com##topadblock @@||ox-d.sbnation.com/w/1.0/jstag| @@||ox.eurogamer.net/oa/delivery/ajs.php?$script,domain=vg247.com @@||ox.popcap.com/delivery/afr.php?&zoneid=$subdocument,~third-party +@@||oxfordlearnersdictionaries.com/external/scripts/doubleclick.js @@||ozspeedtest.com/js/pop.js @@||pachanyc.com/_images/advertise_submit.gif @@||pachoumis.com/advertising-$~third-party +@@||pacogames.com/ad/ima3_preloader_$object @@||pagead2.googlesyndication.com/pagead/gadgets/overlay/overlaytemplate.swf$object-subrequest,domain=bn0.com|ebog.com|ensonhaber.com|gameark.com @@||pagead2.googlesyndication.com/pagead/googlevideoadslibrary.swf$object-subrequest,domain=flashgames247.com|freeonlinegames.com|gameitnow.com|play181.com|toongames.com @@||pagead2.googlesyndication.com/pagead/imgad?$image,domain=kingofgames.net|nedbank.co.za|nedbankgreen.co.za|virginaustralia.com @@||pagead2.googlesyndication.com/pagead/imgad?id=$object-subrequest,domain=bn0.com|ebog.com|ensonhaber.com|gameark.com|yepi.com +@@||pagead2.googlesyndication.com/pagead/js/*/show_ads_impl.js$domain=oldapps.com @@||pagead2.googlesyndication.com/pagead/scache/googlevideoads.swf$object-subrequest,domain=flashgames247.com|freeonlinegames.com|gameitnow.com|play181.com|toongames.com @@||pagead2.googlesyndication.com/pagead/scache/googlevideoadslibraryas3.swf$object-subrequest,domain=didigames.com|nitrome.com|nx8.com|oyunlar1.com @@||pagead2.googlesyndication.com/pagead/scache/googlevideoadslibrarylocalconnection.swf?$object-subrequest,domain=didigames.com|nitrome.com|nx8.com|oyunlar1.com +@@||pagead2.googlesyndication.com/pagead/show_ads.js$domain=oldapps.com @@||pagead2.googlesyndication.com/pagead/static?format=in_video_ads&$elemhide,subdocument @@||pagesinventory.com/_data/flags/ad.gif @@||pandasecurity.com/banners/$image,~third-party @@||pantherssl.com/banners/ -@@||partner.googleadservices.com/gampad/google_ads.js$domain=autoguide.com|avclub.com|boatshop24.com|cadenasuper.com|dailygames.com|demotywatory.pl|drivearabia.com|ensonhaber.com|juegosdiarios.com|lbox.me|letio.com|lightinthebox.com|memegenerator.net|mysoju.com|nedbank.co.za|nedbankgreen.co.za|nitrome.com|nx8.com|pcper.com|playedonline.com|sulekha.com|volokh.com|yfrog.com +@@||partner.googleadservices.com/gampad/google_ads.js$domain=autoguide.com|avclub.com|boatshop24.com|cadenasuper.com|dailygames.com|demotywatory.pl|drivearabia.com|ensonhaber.com|juegosdiarios.com|lbox.me|letio.com|lightinthebox.com|memegenerator.net|mysoju.com|nedbank.co.za|nedbankgreen.co.za|nitrome.com|nx8.com|playedonline.com|sulekha.com|volokh.com|yfrog.com @@||partner.googleadservices.com/gampad/google_ads2.js$domain=motorcycle.com|mysoju.com|nedbank.co.za @@||partner.googleadservices.com/gampad/google_ads_gpt.js$domain=amctheatres.com|pitchfork.com|podomatic.com|virginaustralia.com -@@||partner.googleadservices.com/gampad/google_service.js$domain=autoguide.com|avclub.com|boatshop24.com|cadenasuper.com|dailygames.com|demotywatory.pl|drivearabia.com|ensonhaber.com|escapegames.com|juegosdiarios.com|lbox.me|letio.com|lightinthebox.com|memegenerator.net|motorcycle.com|mysoju.com|nedbank.co.za|nedbankgreen.co.za|nx8.com|pcper.com|playedonline.com|playstationlifestyle.net|readersdigest.com.au|sulekha.com|ticketek.com.ar|volokh.com|yfrog.com +@@||partner.googleadservices.com/gampad/google_service.js$domain=autoguide.com|avclub.com|boatshop24.com|cadenasuper.com|dailygames.com|demotywatory.pl|drivearabia.com|ensonhaber.com|escapegames.com|juegosdiarios.com|lbox.me|letio.com|lightinthebox.com|memegenerator.net|motorcycle.com|mysoju.com|nedbank.co.za|nedbankgreen.co.za|nx8.com|playedonline.com|playstationlifestyle.net|readersdigest.com.au|sulekha.com|ticketek.com.ar|volokh.com|yfrog.com @@||partner.googleadservices.com/gpt/pubads_impl_$script,domain=beqala.com|bodas.com.mx|bodas.net|casamentos.com.br|casamentos.pt|casamiento.com.uy|casamientos.com.ar|deadspin.com|drupalcommerce.org|ew.com|gawker.com|gizmodo.com|io9.com|jalopnik.com|jezebel.com|kotaku.com|latimes.com|lifehacker.com|mariages.net|matrimonio.com|matrimonio.com.co|matrimonio.com.pe|matrimonios.cl|nauticexpo.com|orbitz.com|thesimsresource.com|urbandictionary.com|weddingspot.co.uk|wlj.net|zavvi.com @@||partners.thefilter.com/crossdomain.xml$object-subrequest @@||partners.thefilter.com/dailymotionservice/$image,object-subrequest,script,domain=dailymotion.com -@@||pasadenasun.com/hive/images/adv_ @@||paulfredrick.com/csimages/affiliate/banners/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@||payload*.cargocollective.com^$image @@||pbs.org^*/sponsors/flvvideoplayer.swf @@ -146827,7 +152324,6 @@ tube8.com##topadblock @@||rad.msn.com/ADSAdClient31.dll?GetAd=$xmlhttprequest,domain=ninemsn.com.au @@||rad.org.uk/images/adverts/$image,~third-party @@||radioguide.fm/minify/?*/Advertising/webroot/css/advertising.css -@@||radiomichiana.com/hive/images/adv_ @@||radiotimes.com/rt-service/resource/jspack? @@||rainbowdressup.com/ads/adsnewvars.swf @@||rapoo.com/images/ad/$image,~third-party @@ -146841,7 +152337,6 @@ tube8.com##topadblock @@||realmedia.channel4.com/realmedia/ads/adstream_sx.ads/channel4.newcu/$object-subrequest,~third-party @@||realvnc.com/assets/img/ad-bg.jpg @@||redbookmag.com/ams/page-ads.js? -@@||redeyechicago.com/hive/images/adv_ @@||redsharknews.com/components/com_adagency/includes/$script @@||refline.ch^*/advertisement.css @@||remo-xp.com/wp-content/themes/adsense-boqpod/style.css @@ -146863,6 +152358,7 @@ tube8.com##topadblock @@||rover.ebay.com^*&size=120x60&$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@||rovicorp.com/advertising/*&appver=$xmlhttprequest,domain=charter.net @@||rsvlts.com/wp-content/uploads/*-advertisment- +@@||rt.liftdna.com/forbes_welcome.js$domain=forbes.com @@||rt.liftdna.com/fs.js$domain=formspring.me @@||rt.liftdna.com/liftrtb2_2.js$domain=formspring.me @@||rthk.hk/assets/flash/rthk/*/ad_banner$object @@ -146881,6 +152377,7 @@ tube8.com##topadblock @@||scanscout.com/ads/$object-subrequest,domain=livestream.com @@||scanscout.com/crossdomain.xml$object-subrequest @@||scity.tv/js/ads.js$domain=live.scity.tv +@@||screenwavemedia.com/play/SWMAdPlayer/SWMAdPlayer.html?type=ADREQUEST&$xmlhttprequest,domain=cinemassacre.com @@||scribdassets.com/aggregated/javascript/ads.js?$domain=scribd.com @@||scrippsnetworks.com/common/adimages/networkads/video_ad_vendor_list/approved_vendors.xml$object-subrequest @@||scutt.eu/ads/$~third-party @@ -146904,12 +152401,14 @@ tube8.com##topadblock @@||serving-sys.com/SemiCachedScripts/$domain=cricketwireless.com @@||seventeen.com/ams/page-ads.js @@||sfdict.com/app/*/js/ghostwriter_adcall.js$domain=dynamo.dictionary.com +@@||sh.st/bundles/smeadvertisement/img/track.gif?$xmlhttprequest @@||shacknews.com/advertising/preroll/$domain=gamefly.com @@||shackvideo.com/playlist_xml.x? @@||share.pingdom.com/banners/$image @@||shareasale.com/image/$domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@||sharinspireds.co.nf/Images/Ads/$~third-party @@||shawfloors.com/adx/$image,~third-party +@@||shelleytheatre.co.uk/filmimages/banners/160 @@||shopmanhattanite.com/affiliatebanners/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@||siamautologistics.com/ads/$image,~third-party @@||sify.com/news/postcomments.php?*468x60.html @@ -146966,6 +152465,7 @@ tube8.com##topadblock @@||startxchange.com/textad.php?$xmlhttprequest @@||state.co.us/caic/pub_bc_avo.php?zone_id=$subdocument @@||statedesign.com/advertisers/$image,~third-party +@@||static.adzerk.net/ados.js$domain=stackoverflow.com @@||static.ak.fbcdn.net^*/ads/$script @@||static.bored.com/advertising/top10/$image,domain=bored.com @@||stats.g.doubleclick.net/dc.js$domain=native-instruments.com|nest.com|theheldrich.com @@ -146973,9 +152473,10 @@ tube8.com##topadblock @@||stclassifieds.sg/postad/ @@||stickam.com/css/ver1/asset/sharelayout2col_ad300x250.css @@||streaming.gmgradio.com/adverts/*.mp3$object-subrequest -@@||streamlive.to/ads/player_ilive.swf$object +@@||streamlive.to/ads/$object,script @@||style.com/flashxml/*.doubleclick$object @@||style.com/images/*.doubleclick$object +@@||subscribe.newyorker.com/ams/page-ads.js @@||subscribe.teenvogue.com/ams/page-ads.js @@||sulekhalive.com/images/property/bannerads/$domain=sulekha.com @@||summitracing.com/global/images/bannerads/ @@ -146984,6 +152485,7 @@ tube8.com##topadblock @@||supersonicads.com/api/rest/funds/*/advertisers/$~third-party @@||supersonicads.com/api/v1/trackCommission.php*password=$image @@||supersonicads.com/delivery/singleBanner.php?*&bannerId$subdocument +@@||support.dlink.com/Scripts/custom/pop.js @@||svcs.ebay.com/services/search/FindingService/*affiliate.tracking$domain=bkshopper.com|geo-ship.com|testfreaks.co.uk|watchmydeals.com @@||swordfox.co.nz^*/advertising/$~third-party @@||syn.5min.com/handlers/SenseHandler.ashx?*&adUnit=$script @@ -147017,6 +152519,7 @@ tube8.com##topadblock @@||thenewage.co.za/classifieds/images2/postad.gif @@||thenewsroom.com^*/advertisement.xml$object-subrequest @@||theory-test.co.uk/css/ads.css +@@||theplatform.com/current/pdk/js/plugins/doubleclick.js$domain=cbc.ca @@||thestreet-static.com/video/js/companionAdFunc.js$domain=thestreet.com @@||thetvdb.com/banners/ @@||theweathernetwork.com/js/adrefresh.js @@ -147070,8 +152573,7 @@ tube8.com##topadblock @@||tubemogul.com/crossdomain.xml$object-subrequest @@||tudouui.com/bin/player2/*&adsourceid= @@||turner.com/adultswim/big/promos/$media,domain=video.adultswim.com -@@||turner.com^*/ad_head0.js$domain=cnn.com -@@||turner.com^*/adfuel.js$domain=adultswim.com|nba.com +@@||turner.com/xslo/cvp/ads/freewheel/bundles/2/AdManager.swf?$object-subrequest,domain=tbs.com @@||turner.com^*/ads/freewheel/*/AdManager.js$domain=cnn.com @@||turner.com^*/ads/freewheel/bundles/*/renderers.xml$object-subrequest,domain=cartoonnetwork.com|tnt.tv @@||turner.com^*/ads/freewheel/bundles/2/admanager.swf$domain=adultswim.com|cartoonnetwork.com|games.cnn.com|nba.com @@ -147095,6 +152597,7 @@ tube8.com##topadblock @@||uploaded.net/affiliate/$~third-party,xmlhttprequest @@||urbanog.com/banners/$image @@||usairways.com^*/doubleclick.js +@@||usanetwork.com^*/usanetwork_ads.s_code.js? @@||usps.com/adserver/ @@||utarget.co.uk/crossdomain.xml$object-subrequest @@||utdallas.edu/locator/maps/$image @@ -147102,14 +152605,16 @@ tube8.com##topadblock @@||utdallas.edu^*/banner.js @@||uuuploads.com/ads-on-buildings/$image,domain=boredpanda.com @@||v.fwmrm.net/*/AdManager.swf$domain=marthastewart.com -@@||v.fwmrm.net/ad/p/1?$object-subrequest,domain=abc.go.com|abcfamily.go.com|abcnews.go.com|adultswim.com|cartoonnetwork.com|cc.com|channel5.com|cmt.com|colbertnation.com|comedycentral.com|eonline.com|espn.go.com|gametrailers.com|ign.com|logotv.com|mlb.mlb.com|mtv.com|mtvnservices.com|nascar.com|nbc.com|nbcnews.com|nbcsports.com|nick.com|player.theplatform.com|simpsonsworld.com|sky.com|southpark.nl|southparkstudios.com|spike.com|teamcoco.com|teennick.com|thedailyshow.com|thingx.tv|tv3play.se|tvland.com|uverseonline.att.net|vevo.com|vh1.com|video.cnbc.com|vod.fxnetworks.com +@@||v.fwmrm.net/ad/p/1?$object-subrequest,domain=abc.go.com|abcfamily.go.com|abcnews.go.com|adultswim.com|cartoonnetwork.com|cc.com|channel5.com|cmt.com|colbertnation.com|comedycentral.com|eonline.com|espn.go.com|espndeportes.com|espnfc.co.uk|espnfc.com|espnfc.com.au|espnfc.us|espnfcasia.com|gametrailers.com|ign.com|logotv.com|mlb.mlb.com|mtv.com|mtvnservices.com|nascar.com|nbc.com|nbcnews.com|nbcsports.com|nick.com|player.theplatform.com|simpsonsworld.com|sky.com|southpark.nl|southparkstudios.com|spike.com|teamcoco.com|teennick.com|thedailyshow.com|thingx.tv|tv3play.se|tvland.com|uverseonline.att.net|vevo.com|vh1.com|video.cnbc.com|vod.fxnetworks.com @@||v.fwmrm.net/crossdomain.xml$object-subrequest @@||v.fwmrm.net/p/espn_live/$object-subrequest @@||v.fwmrm.net/|$object-subrequest,domain=tv10play.se|tv3play.se|tv6play.se|tv8play.se @@||vacationstarter.com/hive/images/adv_ @@||vad.go.com/dynamicvideoad?$object-subrequest +@@||vagazette.com/hive/images/adv_ @@||valueram.com/banners/ads/ @@||vancouversun.com/js/adsync/adsynclibrary.js +@@||vanityfair.com/ads/js/cn.dart.bun.min.js @@||veetle.com/images/common/ads/ @@||ventunotech.akamai-http.edgesuite.net/VtnGoogleVpaid.swf?*&ad_type=$object-subrequest,domain=cricketcountry.com @@||vhobbies.com/admgr/*.aspx?ZoneID=$script,domain=vcoins.com @@ -147136,7 +152641,7 @@ tube8.com##topadblock @@||vizanime.com/ad/get_ads? @@||vk.com/ads?act=$~third-party @@||vk.com/ads_rotate.php$domain=vk.com -@@||voip-info.org/www/delivery/ai.php?filename=$image +@@||vmagazine.com/web/css/ads.css @@||vombasavers.com^*.swf?clickTAG=$object,~third-party @@||vswebapp.com^$~third-party @@||vtstage.cbsinteractive.com/plugins/*_adplugin.swf @@ -147178,6 +152683,7 @@ tube8.com##topadblock @@||wortech.ac.uk/publishingimages/adverts/ @@||wp.com/_static/*/criteo.js @@||wp.com/ads-pd.universalsports.com/media/$image +@@||wp.com/www.noobpreneur.com/wp-content/uploads/*-ad.jpg?resize=$domain=noobpreneur.com @@||wpthemedetector.com/ad/$~third-party @@||wrapper.teamxbox.com/a?size=headermainad @@||wsj.net^*/images/adv-$image,domain=marketwatch.com @@ -147186,6 +152692,7 @@ tube8.com##topadblock @@||www.google.*/search?$subdocument @@||www.google.*/settings/u/0/ads/preferences/$~third-party,xmlhttprequest @@||www.google.com/ads/preferences/$image,script,subdocument +@@||www.networkadvertising.org/choices/|$document @@||www8-hp.com^*/styles/ads/$domain=hp.com @@||yadayadayada.nl/banner/banner.php$image,domain=murf.nl|workhardclimbharder.nl @@||yahoo.com/combo?$stylesheet @@ -147197,7 +152704,7 @@ tube8.com##topadblock @@||yellupload.com/yell/videoads/yellvideoplayer.swf? @@||yimg.com/ks/plugin/adplugin.swf?$domain=yahoo.com @@||yimg.com/p/combo?$stylesheet,domain=yahoo.com -@@||yimg.com/rq/darla/*/g-r-min.js$domain=answers.yahoo.com|fantasysports.yahoo.com +@@||yimg.com/rq/darla/*/g-r-min.js$domain=yahoo.com @@||yimg.com/zz/combo?*&*.js @@||yimg.com^*&yat/js/ads_ @@||yimg.com^*/adplugin_*.swf$object,domain=games.yahoo.com @@ -147226,27 +152733,34 @@ tube8.com##topadblock @@||zedo.com/swf/$domain=startv.in @@||zeenews.india.com/ads/jw/player.swf$object @@||ziehl-abegg.com/images/img_adverts/$~third-party +@@||zillow.com/ads/FlexAd.htm?did=$subdocument +@@||zillow.com/widgets/search/ZillowListingsWidget.htm?*&adsize=$subdocument,domain=patch.com +! Bug #1865: ABP for Chrome messes up the page on high DPI (https://issues.adblockplus.org/ticket/1865) +@@||ads.tw.adsonar.com/adserving/getAdsAPI.jsp?callback=aslHandleAds*&c=aslHandleAds*&key=$script,domain=techcrunch.com ! Anti-Adblock +@@.audio/$script,domain=cbs.com @@.bmp^$image,domain=cbs.com @@.click/$script,third-party,domain=cbs.com -@@.com/$object-subrequest,domain=cbs.com -@@.gif#$domain=9tutorials.com|aseanlegacy.net|cbox.ws|eventosppv.me|funniermoments.com|ibmmainframeforum.com|onlinemoviesfreee.com|remo-xp.com|superplatyna.com|tv-porinternet.com.mx|ver-flv.com +@@.gif#$domain=9tutorials.com|aseanlegacy.net|budget101.com|cbox.ws|eventosppv.me|funniermoments.com|ibmmainframeforum.com|onlinemoviesfreee.com|premiumleecher.com|remo-xp.com|showsport-tv.com|superplatyna.com|turktorrent.cc|tv-porinternet.com.mx|ver-flv.com|xup.in @@.gif#$image,domain=360haven.com|needrom.com @@.gif?ad_banner=$domain=majorleaguegaming.com @@.gif|$object-subrequest,domain=cbs.com @@.info^$image,script,third-party,domain=cbs.com +@@.javascript|$domain=cbsnews.com @@.jpeg|$object-subrequest,domain=cbs.com -@@.jpg#$domain=desionlinetheater.com|firsttube.co|lag10.net|livrosdoexilado.org|mac2sell.net|movie1k.net|play-old-pc-games.com|rtube.de|uploadlw.com +@@.jpg#$domain=desionlinetheater.com|firsttube.co|lag10.net|livrosdoexilado.org|mac2sell.net|masfuertequeelhierro.com|movie1k.net|play-old-pc-games.com|rtube.de|uploadlw.com @@.jpg|$object-subrequest,domain=cbs.com +@@.jscript|$script,third-party,domain=cbs.com @@.link/$script,domain=cbs.com @@.min.js$domain=ftlauderdalewebcam.com|nyharborwebcam.com|portcanaveralwebcam.com|portevergladeswebcam.com|portmiamiwebcam.com @@.mobi/$script,domain=cbs.com -@@.png#$domain=300mblink.com|amigosdelamili.com|android-zone.org|anime2enjoy.com|anizm.com|anonytext.tk|backin.net|better-explorer.com|bitcofree.com|chrissmoove.com|cleodesktop.com|debridit.com|hogarutil.com|hostyd.com|ilive.to|lordpyrak.net|marketmilitia.org|mastertoons.com|minecraft-forum.net|myksn.net|pes-patch.com|portalzuca.net|premium4.us|puromarketing.com|realidadscans.org|secureupload.eu|stream2watch.me|streamlive.to|superplatyna.com|turkdown.com|url4u.org|vencko.net|wowhq.eu +@@.png#$domain=300mblink.com|amigosdelamili.com|android-zone.org|anime2enjoy.com|anizm.com|anonytext.tk|backin.net|better-explorer.com|bitcofree.com|chrissmoove.com|cleodesktop.com|debrastagi.com|debridit.com|debridx.com|fcportables.com|go4up.com|hackintosh.zone|hogarutil.com|hostyd.com|ilive.to|lordpyrak.net|marketmilitia.org|mastertoons.com|mediaplaybox.com|minecraft-forum.net|myksn.net|pes-patch.com|portalzuca.net|premium4.us|puromarketing.com|realidadscans.org|secureupload.eu|stream2watch.me|stream4free.eu|streamlive.to|superplatyna.com|trizone91.com|turkdown.com|url4u.org|vencko.net|wowhq.eu @@.png?*#$domain=mypapercraft.net|xlocker.net @@.png?ad_banner=$domain=majorleaguegaming.com @@.png?advertisement_$domain=majorleaguegaming.com @@.png^$image,domain=cbs.com @@.streamads.js$third-party,domain=cbs.com +@@.xzn.ir/$script,third-party,domain=psarips.com @@/adFunctionsD-cbs.js$domain=cbs.com @@/adlogger_tracker.php$subdocument,domain=chrissmoove.com @@/ads/popudner/banner.jpg?$domain=spinandw.in @@ -147261,6 +152775,8 @@ tube8.com##topadblock @@/pubads.jpeg$object-subrequest,domain=cbs.com @@/pubads.png$object-subrequest,domain=cbs.com @@/searchad.$object-subrequest,domain=cbs.com +@@/wp-content/plugins/adblock-notify-by-bweb/js/advertisement.js +@@/wp-content/plugins/anti-block/js/advertisement.js @@/wp-content/plugins/wordpress-adblock-blocker/adframe.js @@/wp-prevent-adblocker/*$script @@|http://$image,subdocument,third-party,domain=filmovizija.com @@ -147270,6 +152786,7 @@ tube8.com##topadblock @@|http://*.co^$script,third-party,domain=cbs.com @@|http://*.com^*.js|$third-party,domain=cbs.com @@|http://*.jpg?$image,domain=cbs.com +@@|http://*.js|$script,third-party,domain=cbs.com @@|http://*.net^*.bmp|$object-subrequest,domain=cbs.com @@|http://*.net^*.js|$third-party,domain=cbs.com @@|http://*.pw^$script,third-party,domain=cbs.com @@ -147277,17 +152794,20 @@ tube8.com##topadblock @@|http://*.xyz^$script,third-party,domain=cbs.com @@|http://*/pubads.$object-subrequest,domain=cbs.com @@|http://*?_$image,domain=cbs.com +@@|http://l.$script,third-party,domain=cbs.com @@|http://popsads.com^$script,domain=filmovizija.com @@|https://$script,domain=kissanime.com @@|https://$script,third-party,domain=cbs.com|eventhubs.com +@@||247realmedia.com/RealMedia/ads/Creatives/default/empty.gif$image,domain=surfline.com @@||2mdn.net/instream/flash/v3/adsapi_$object-subrequest,domain=cbs.com @@||2mdn.net/instream/video/client.js$domain=antena3.com|atresmedia.com|atresplayer.com|lasexta.com|majorleaguegaming.com @@||300mblink.com^$elemhide @@||360haven.com/adframe.js @@||360haven.com^$elemhide @@||4fuckr.com^*/adframe.js -@@||4shared.com/js/blockDetect/adServer.js +@@||4shared.com^$script @@||4sysops.com^*/adframe.js +@@||94.23.147.101^$script,domain=filmovizija.com @@||95.211.184.210/js/advertisement.js @@||95.211.194.229^$script,domain=slickvid.com @@||9msn.com.au/Services/Service.axd?*=AdExpert&$script,domain=9news.com.au @@ -147295,6 +152815,7 @@ tube8.com##topadblock @@||9xbuddy.com/js/ads.js @@||ad-emea.doubleclick.net/ad/*.CHANNEL41/*;sz=1x1;$object-subrequest,domain=channel4.com @@||ad-emea.doubleclick.net/crossdomain.xml$object-subrequest,domain=channel4.com +@@||ad.doubleclick.net/|$image,domain=cwtv.com @@||ad.filmweb.pl^$script @@||ad.leadbolt.net/show_cu.js @@||ad.uptobox.com/www/delivery/ajs.php?$script @@ -147307,6 +152828,7 @@ tube8.com##topadblock @@||admin.brightcove.com^$object-subrequest,domain=tvn.pl|tvn24.pl @@||adnxs.com^$script,domain=kissanime.com @@||adocean.pl^*/ad.js?id=$script,domain=tvn24.pl +@@||ads.adk2.com/|$subdocument,domain=vivo.sx @@||ads.avazu.net^$subdocument,domain=casadossegredos.tv|xuuby.com @@||ads.clubedohardware.com.br/www/delivery/$script @@||ads.intergi.com^$script,domain=spoilertv.com @@ -147318,32 +152840,37 @@ tube8.com##topadblock @@||ads.uptobox.com/www/images/*.png @@||adscale.de/getads.js$domain=filmovizija.com @@||adscendmedia.com/gwjs.php?$script,domain=civilization5cheats.com|kzupload.com +@@||adserver.adtech.de/?adrawdata/3.0/$object-subrequest,domain=groovefm.fi|hs.fi|istv.fi|jimtv.fi|livtv.fi|loop.fi|metrohelsinki.fi|nelonen.fi|nyt.fi|radioaalto.fi|radiorock.fi|radiosuomipop.fi|ruutu.fi @@||adserver.adtech.de/?adrawdata/3.0/$script,domain=entertainment.ie -@@||adserver.adtech.de/multiad/$script,domain=hardware.no +@@||adserver.adtech.de/multiad/$script,domain=hardware.no|vg.no @@||adserver.liverc.com/getBannerVerify.js @@||adshost2.com/js/show_ads.js$domain=bitcoinker.com +@@||adtechus.com/dt/common/postscribe.js$domain=vg.no @@||adv.wp.pl/RM/Box/*.mp4$object-subrequest,domain=wp.tv @@||advertisegame.com^$image,domain=kissanime.com @@||adverts.eclypsia.com/www/images/*.jpg|$domain=eclypsia.com @@||adzerk.net/ados.js$domain=majorleaguegaming.com @@||afdah.com^$script -@@||afreesms.com/js/adblock.js -@@||afreesms.com/js/adframe.js +@@||afreesms.com/ad*.js @@||afterburnerleech.com/js/show_ads.js +@@||ahctv.com^$elemhide @@||aidinge.com^$image,domain=cbs.com @@||ailde.net^$object-subrequest,domain=cbs.com @@||aildu.net^$object-subrequest,domain=cbs.com +@@||airpush.com/wp-content/plugins/m-wp-popup/js/wpp-popup-frontend.js$domain=filmovizija.com @@||aka-cdn-ns.adtech.de/images/*.gif$image,domain=akam.no|amobil.no|gamer.no|hardware.no|teknofil.no @@||alcohoin-faucet.tk/advertisement.js @@||alidv.net^$object-subrequest,domain=cbs.com @@||alidw.net^$object-subrequest,domain=cbs.com @@||allkpop.com/ads.js +@@||amazonaws.com/*.js$domain=cwtv.com @@||amazonaws.com/atzuma/ajs.php?adserver=$script @@||amazonaws.com/ssbss.ss/$script @@||amigosdelamili.com^$elemhide @@||amk.to/js/adcode.js? @@||ancensored.com/sites/all/modules/player/images/ad.jpg @@||android-zone.org^$elemhide +@@||animalplanet.com^$elemhide @@||anime2enjoy.com^$elemhide @@||animecrave.com/_content/$script @@||anisearch.com^*/ads.js? @@ -147353,12 +152880,17 @@ tube8.com##topadblock @@||anti-adblock-scripts.googlecode.com/files/adscript.js @@||apkmirror.com/wp-content/themes/APKMirror/js/ads.js @@||appfull.net^$elemhide +@@||ar51.eu/ad/advertisement.js @@||arto.com/includes/js/adtech.de/script.axd/adframe.js? +@@||aseanlegacy.net/ad*.js +@@||aseanlegacy.net/assets/advertisement.js +@@||aseanlegacy.net/images/ads.png @@||aseanlegacy.net^$elemhide @@||atresmedia.com/adsxml/$object-subrequest @@||atresplayer.com/adsxml/$object-subrequest @@||atresplayer.com/static/js/advertisement.js @@||auditude.com/player/js/lib/aud.html5player.js +@@||autolikergroup.com/advertisement.js @@||avforums.com/*ad$script @@||ax-d.pixfuture.net/w/$script,domain=fileover.net @@||backin.net^$elemhide @@ -147371,34 +152903,42 @@ tube8.com##topadblock @@||bitcoiner.net/advertisement.js @@||biz.tm^$script,domain=ilix.in|priva.us|urlink.at @@||blinkboxmusic.com^*/advertisement.js -@@||blogspot.com^*#-$image,domain=pirlotv.tv +@@||blogspot.com^*#-$image,domain=cricket-365.pw|cricpower.com|pirlotv.tv @@||boincstats.com/js/adframe.js @@||boxxod.net/advertisement.js -@@||brightcove.com^*/AdvertisingModule.swf$object-subrequest,domain=channel5.com|dave.uktv.co.uk|player.stv.tv +@@||brightcove.com^*/AdvertisingModule.swf$object-subrequest,domain=channel5.com|dave.uktv.co.uk|player.stv.tv|wwe.com @@||btspread.com/eroex.js +@@||budget101.com^$elemhide @@||buysellads.com/ac/bsa.js$domain=jc-mp.com @@||bywarrior.com^$elemhide +@@||c1.popads.net/pop.js$domain=go4up.com +@@||captchme.net/js/advertisement-min.js @@||captchme.net/js/advertisement.js @@||casadossegredos.tv/ads/ads_$subdocument @@||caspion.com/cas.js$domain=clubedohardware.com.br @@||catchvideo.net/adframe.js @@||cbs.com^$elemhide @@||cbsistatic.com^*/advertisement.js$domain=cnet.com +@@||cdn-surfline.com/ads/VolcomSurflinePlayerHo13.jpg$domain=surfline.com @@||cdnco.us^$script @@||celogeek.com/stylesheets/blogads.css +@@||chango.com^*/adexchanger.png?$domain=kissanime.com @@||channel4.com/ad/l/1?|$object-subrequest @@||channel4.com/p/c4_live/ExternalHTMLAdRenderer.swf$object-subrequest @@||channel4.com/p/c4_live/PauseAdExtension.swf$object-subrequest @@||channel4.com/p/c4_live/UberlayAdRenderer.swf$object-subrequest @@||channel4.com/p/c4_live/Video2AdRenderer.swf$object-subrequest @@||channel4.com/p/c4_live/VPAIDAdRenderer.swf$object-subrequest +@@||chitika.net/getads.js$domain=anisearch.com @@||chrissmoove.com^$elemhide +@@||cleodesktop.com^$elemhide @@||clicksor.net/images/$domain=kissanime.com @@||clickxchange.com^$image,domain=kissanime.com @@||clkrev.com/adServe/banners?tid=$script,domain=filmovizija.com @@||clkrev.com/banners/script/$script,domain=filmovizija.com @@||cloudvidz.net^$elemhide @@||clubedohardware.com.br^$elemhide +@@||codingcrazy.com/demo/adframe.js @@||coincheckin.com/js/adframe.js @@||coinracket.com^$elemhide @@||coinurl.com/get.php?id=18045 @@ -147411,22 +152951,32 @@ tube8.com##topadblock @@||cpmstar.com^$script,domain=kissanime.com @@||cpmtree.com^$script,domain=kissanime.com @@||cpxinteractive.com^$script,domain=kissanime.com +@@||cricket-365.tv^$elemhide @@||criteo.com/content/$image,domain=kissanime.com @@||criteo.com/delivery/ajs.php?zoneid=$script,domain=clubedohardware.com.br @@||cyberdevilz.net^$elemhide @@||d2anfhdgjxf8s1.cloudfront.net/ajs.php?adserver=$script +@@||d3tlss08qwqpkt.cloudfront.net/assets/api/advertisement-$script,domain=games.softgames.de @@||dailymotion.com/embed/video/$subdocument,domain=team-vitality.fr +@@||debrastagi.com^$elemhide @@||debridit.com^$elemhide +@@||debridx.com^$elemhide @@||decomaniacos.es^*/advertisement.js +@@||demonoid.ph^$script,domain=demonoid.ph +@@||demonoid.pw^$script,domain=demonoid.pw @@||desionlinetheater.com^$elemhide +@@||destinationamerica.com^$elemhide @@||destinypublicevents.com/src/advertisement.js @@||dialde.com^$domain=cbs.com @@||dinglydangly.com^$script,domain=eventhubs.com @@||dinozap.tv/adimages/ @@||directrev.com/js/gp.min.js$domain=filmovizija.com +@@||discovery.com^$elemhide +@@||discoverylife.com^$elemhide @@||dizi-mag.com/ads/$subdocument @@||dizicdn.com/i/ads/groupon.png$domain=dizi-mag.com -@@||dnswatch.info/js/advertisement.js +@@||dlh.net^*/advertisement.js. +@@||dnswatch.info^$script,domain=dnswatch.info @@||doge-faucet.tk/advertisement.js @@||dogefaucet.com^*/advertisement.js @@||dollarade.com/overlay_gateway.php?oid=$script,domain=dubs.me|filestore123.info|myfilestore.com|portable77download.blogspot.com|pspmaniaonline.com @@ -147451,10 +153001,12 @@ tube8.com##topadblock @@||eskago.pl/html/js/advertisement.js @@||eu5.org^*/advert.js @@||eventhubs.com^*.$script +@@||exoclick.com/wp-content/themes/exoclick/images/loader.gif?$domain=xmovies8.co @@||exponential.com/tags/ClubeDoHardwarecombr/ROS/tags.js$domain=clubedohardware.com.br @@||exponential.com^*/tags.js$domain=yellowbridge.com @@||exrapidleech.info/templates/$image @@||exrapidleech.info^$elemhide,script +@@||exsite.pl^*/advert.js @@||ezcast.tv/static/scripts/adscript.js @@||fastclick.net/w/get.media?sid=58322&tp=5&$script,domain=flv2mp3.com @@||fastcocreate.com/js/advertisement.js @@ -147463,6 +153015,7 @@ tube8.com##topadblock @@||fastcolabs.com/js/advertisement.js @@||fastcompany.com/js/advertisement.js @@||fasts.tv^$script,domain=ilive.to +@@||fcportables.com^$elemhide @@||ffiles.com/images/mmfiles_ @@||fhscheck.zapto.org^$script,~third-party @@||fhsload.hopto.org^$script,~third-party @@ -147471,6 +153024,7 @@ tube8.com##topadblock @@||files.bannersnack.com/iframe/embed.html?$subdocument,domain=thegayuk.com @@||filmovisaprevodom.net/advertisement.js @@||filmovizija.com^$elemhide +@@||filmovizija.com^$script @@||filmovizija.com^$subdocument @@||filmovizija.com^*&$image @@||filmovizija.com^*?$image @@ -147478,14 +153032,13 @@ tube8.com##topadblock @@||filmovizija.net^$elemhide @@||filmovizija.net^*#$image @@||filmux.net/ads/banner.jpg? +@@||filmux.org^$elemhide @@||filmweb.pl/adbanner/$script -@@||firstrowau.eu^$script -@@||firstrowca.eu^$script -@@||firstrowge.eu^$script -@@||firstrowit.eu^$script -@@||firstrowus.eu^$script +@@||firstonetv.com/ads_advertisement.js +@@||firstrow*.eu^$script @@||firsttube.co^$elemhide @@||fitshr.net^$script,stylesheet +@@||fm.tuba.pl/tuba3/_js/advert.js @@||fragflix.com^*.png?*=$image,domain=majorleaguegaming.com @@||free.smsmarkaz.urdupoint.com^$elemhide @@||free.smsmarkaz.urdupoint.com^*#-$image @@ -147493,17 +153046,20 @@ tube8.com##topadblock @@||freebitcoin.wmat.pl^*/advertisement.js @@||freegamehosting.nl/advertisement.js @@||freegamehosting.nl/js/advertisement.js +@@||freeprosurfer.com^$elemhide @@||freesportsbet.com/js/advertisement.js @@||freshdown.net/templates/Blaster/img/*/ads/$image @@||freshdown.net^$elemhide @@||funniermoments.com/adframe.js @@||funniermoments.com^$elemhide +@@||funniermoments.com^$stylesheet @@||fwcdn.pl^$script,domain=filmweb.pl @@||fwmrm.net/ad/g/1?$xmlhttprequest,domain=vevo.com @@||fwmrm.net/ad/g/1?prof=$script,domain=testtube.com @@||fwmrm.net/p/*/admanager.js$domain=adultswim.com|animalist.com|revision3.com|testtube.com @@||g.doubleclick.net/gampad/ad?iu=*/Leaderboard&sz=728x90$image,domain=magicseaweed.com @@||g.doubleclick.net/gampad/ads?*^slotname=NormalLeaderboard^$script,domain=drivearabia.com +@@||g.doubleclick.net/gampad/ads?ad_rule=1&adk=*&ciu_szs=300x250&*&gdfp_req=1&*&output=xml_vast2&$object-subrequest,domain=rte.ie @@||g.doubleclick.net/gampad/adx?$object-subrequest,domain=player.muzu.tv @@||g.doubleclick.net/|$object-subrequest,domain=cbs.com @@||gallery.aethereality.net/advertisement.js @@ -147518,20 +153074,24 @@ tube8.com##topadblock @@||gdataonline.com/exp/textad.js @@||genvideos.com/js/show_ads.js$domain=genvideos.com @@||go4up.com/advertisement.js +@@||go4up.com^$elemhide @@||gofirstrow.eu/advertisement.js @@||gofirstrow.eu^*/advertisement.js @@||google-it.info^$script,domain=hqq.tv +@@||google.com/ads/popudner/banner.jpg?$domain=magesy.be @@||googlecode.com/files/google_ads.js$domain=turkdown.com @@||googlesyndication.com/favicon.ico$domain=multiup.org @@||gscontxt.net/main/channels-jsonp.cgi?$domain=9news.com.au @@||hackers.co.id/adframe/adframe.js @@||hackintosh.zone/adblock/advertisement.js +@@||hackintosh.zone^$elemhide @@||hardware.no/ads/$image @@||hardware.no/artikler/$image,~third-party @@||hardware.no^$script @@||hcpc.co.uk/*ad$script,domain=avforums.com @@||hentai-foundry.com^*/ads.js @@||hexawebhosting.com/adcode.js +@@||hitcric.info^$elemhide @@||hogarutil.com^$elemhide @@||hornyspots.com^$image,domain=kissanime.com @@||hostyd.com^$elemhide @@ -147541,6 +153101,7 @@ tube8.com##topadblock @@||i-stream.pl^*/advertisement.js @@||i.imgur.com^*#.$image,domain=newmusicforpeople.org @@||ibmmainframeforum.com^$elemhide +@@||ifirstrow.eu^$script @@||iguide.to/js/advertisement.js @@||ilive.to/js/advert*.js @@||ilive.to^$elemhide @@ -147549,6 +153110,7 @@ tube8.com##topadblock @@||ima3vpaid.appspot.com/crossdomain.xml$object-subrequest,domain=antena3.com|atresmedia.com|atresplayer.com|lasexta.com @@||imageontime.com/ads/banner.jpg? @@||images.bangtidy.net^$elemhide +@@||imasdk.googleapis.com/js/core/bridge*.html$subdocument,domain=mobinozer.com @@||imgleech.com/ads/banner.jpg? @@||imgsure.com/ads/banner.jpg? @@||in.popsads.com^$script,domain=filmovizija.com @@ -147560,8 +153122,10 @@ tube8.com##topadblock @@||innovid.com/iroll/config/*.xml?cb=\[$object-subrequest,domain=channel4.com @@||innovid.com^*/VPAIDIRollPackage.swf$object-subrequest,domain=channel4.com @@||inskinmedia.com/crossdomain.xml$object-subrequest +@@||install.wtf/advertisement/advertisement.js @@||intellitxt.com/intellitxt/front.asp?ipid=$script,domain=forums.tweaktown.com -@@||iphone-tv.eu/adframe.js +@@||investigationdiscovery.com/shared/ad-enablers/ +@@||investigationdiscovery.com^$elemhide @@||iriptv.com/player/ads.js @@||jjcast.com^$elemhide @@||jkanime.net/assets/js/advertisement.js @@ -147570,7 +153134,8 @@ tube8.com##topadblock @@||juba-get.com^*/advertisement.js @@||junksport.com/watch/advertisement.js @@||juzupload.com/advert*.js -@@||keezmovies.com^$elemhide +@@||katsomo.fi^*/advert.js +@@||katsomo.fi^*/advertisement.js @@||kissanime.com/ads/$image,subdocument @@||kissanime.com^$elemhide @@||lag10.net^$elemhide @@ -147596,10 +153161,21 @@ tube8.com##topadblock @@||majorleaguegaming.com^$elemhide @@||majorleaguegaming.com^*.png?*=$image @@||makemehost.com/js/ads.js +@@||manga2u.co/css/advertiser.js +@@||mangabird.com/sites/all/themes/zen/js/advertiser.js +@@||mangabird.com^$elemhide +@@||mangabird.me/sites/default/files/manga/*/advertise-$image +@@||mangahost.com/ads.js? +@@||mangakaka.com/ad/$subdocument +@@||mangakaka.com^*/advertiser.js +@@||marketmilitia.org/advertisement.js @@||marketmilitia.org^$elemhide +@@||masfuertequeelhierro.com^$elemhide @@||mastertoons.com^$elemhide @@||maxcheaters.com/public/js/jsLoader.js +@@||maxedtech.com^$elemhide @@||media.eventhubs.com/images/*#$image +@@||mediaplaybox.com^$elemhide @@||megadown.us/advertisement.js @@||megahd.me^*/advertisement.js @@||megavideodownloader.com/adframe.js @@ -147645,6 +153221,7 @@ tube8.com##topadblock @@||nonags.com^$elemhide @@||nonags.com^*/ad$image @@||nosteam.ro/advertisement.js +@@||nosteam.ro^*/advertisement.js @@||nzbstars.com*/advertisement.js @@||nzd.co.nz^*/ads/webads$script,domain=nzdating.com @@||olcdn.net/ads1.js$domain=olweb.tv @@ -147652,6 +153229,7 @@ tube8.com##topadblock @@||onlinevideoconverter.com^*ad*.js @@||onvasortir.com/advert$script @@||openrunner.com/js/advertisement.js +@@||openspeedtest.com/advertisement.js @@||openx.gamereactor.dk/multi.php?$script @@||openx.net/w/$script,domain=fileover.net @@||openx.net/w/1.0/acj?$script,domain=clubedohardware.com.br @@ -147662,20 +153240,25 @@ tube8.com##topadblock @@||own3d.tv/templates/*adsense$object-subrequest @@||own3d.tv^*_adsense.$object-subrequest @@||pagead2.googlesyndication.com/pagead/expansion_embed.js$domain=ffiles.com|full-ngage-games.blogspot.com|kingofgames.net|megaallday.com|ninjaraider.com|nonags.com|upfordown.com|wtf-teen.com -@@||pagead2.googlesyndication.com/pagead/js/*/show_ads_impl.js$domain=360haven.com|9bis.net|9tutorials.com|afreesms.com|aseanlegacy.net|atlanticcitywebcam.com|bitcofree.com|bitcoiner.net|bitcoinker.com|borfast.com|chrissmoove.com|clubedohardware.com.br|darkreloaded.com|debridit.com|dev-metal.com|dreamscene.org|drivearabia.com|dsero.com|ezoden.com|file4go.com|free.smsmarkaz.urdupoint.com|freecoins4.me|ftlauderdalebeachcam.com|ftlauderdalewebcam.com|full-ngage-games.blogspot.com|gamespowerita.com|gnomio.com|hostyd.com|ibmmainframeforum.com|ilix.in|incredibox.com|keywestharborwebcam.com|kingofgames.net|korean-candy.com|leecher.us|litecoiner.net|livenewschat.eu|lordpyrak.net|mailbait.info|misheel.net|morganhillwebcam.com|moviemistakes.com|mypapercraft.net|needrom.com|niresh.co|niresh12495.com|nonags.com|numberempire.com|nyharborwebcam.com|omegadrivers.net|play-old-pc-games.com|portarubawebcam.com|portbermudawebcam.com|portcanaveralwebcam.com|portevergladeswebcam.com|portmiamiwebcam.com|portnywebcam.com|preemlinks.com|priva.us|puromarketing.com|radioaficion.com|rapid8.com|settlersonlinemaps.com|smashgamez.com|spoilertv.com|tech-blog.net|techydoor.com|thememypc.com|themes.themaxdavis.com|tipstank.com|trutower.com|unlocktheinbox.com|upfordown.com|uploadlw.com|urlink.at|washington.edu|whatismyip.com|winterrowd.com|yellowbridge.com -@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=activistpost.com|afreesms.com|aseanlegacy.net|bitcofree.com|bitcoinker.com|chrissmoove.com|clubedohardware.com.br|debridit.com|demo-uhd3d.com|dev-metal.com|ezoden.com|gnomio.com|i-stats.net|incredibox.com|leecher.us|mypapercraft.net|niresh.co|niresh12495.com|nonags.com|play-old-pc-games.com|settlersonlinemaps.com|unlocktheinbox.com +@@||pagead2.googlesyndication.com/pagead/js/*/show_ads_impl.js$domain=360haven.com|9bis.net|9tutorials.com|afreesms.com|apkmirror.com|aseanlegacy.net|atlanticcitywebcam.com|bitcofree.com|bitcoiner.net|bitcoinker.com|borfast.com|budget101.com|bullywiihacks.com|chrissmoove.com|clubedohardware.com.br|darkreloaded.com|debridit.com|dev-metal.com|dreamscene.org|drivearabia.com|dsero.com|ezoden.com|fcportables.com|file4go.com|free.smsmarkaz.urdupoint.com|freecoins4.me|ftlauderdalebeachcam.com|ftlauderdalewebcam.com|full-ngage-games.blogspot.com|gamespowerita.com|gnomio.com|hackintosh.zone|hostyd.com|ibmmainframeforum.com|ilix.in|incredibox.com|keywestharborwebcam.com|kingofgames.net|korean-candy.com|leecher.us|litecoiner.net|livenewschat.eu|lordpyrak.net|mailbait.info|mangacap.com|masfuertequeelhierro.com|misheel.net|morganhillwebcam.com|moviemistakes.com|mypapercraft.net|needrom.com|niresh.co|niresh12495.com|nonags.com|numberempire.com|nyharborwebcam.com|omegadrivers.net|play-old-pc-games.com|portarubawebcam.com|portbermudawebcam.com|portcanaveralwebcam.com|portevergladeswebcam.com|portmiamiwebcam.com|portnywebcam.com|preemlinks.com|priva.us|puromarketing.com|radioaficion.com|rapid8.com|settlersonlinemaps.com|smashgamez.com|spoilertv.com|tech-blog.net|techydoor.com|thememypc.com|themes.themaxdavis.com|tipstank.com|trutower.com|unlocktheinbox.com|upfordown.com|uploadlw.com|urlink.at|washington.edu|whatismyip.com|winterrowd.com|yellowbridge.com|zeperfs.com +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=activistpost.com|afreesms.com|apkmirror.com|appraisersforum.com|aseanlegacy.net|bitcofree.com|bitcoinker.com|chrissmoove.com|clubedohardware.com.br|debridit.com|demo-uhd3d.com|dev-metal.com|ezoden.com|firstonetv.com|freeprosurfer.com|gnomio.com|hackintosh.zone|i-stats.net|incredibox.com|leecher.us|mangacap.com|masfuertequeelhierro.com|mypapercraft.net|niresh.co|niresh12495.com|nonags.com|play-old-pc-games.com|settlersonlinemaps.com|unlocktheinbox.com|zeperfs.com +@@||pagead2.googlesyndication.com/pagead/js/google_top_exp.js$domain=cleodesktop.com @@||pagead2.googlesyndication.com/pagead/js/lidar.js$domain=majorleaguegaming.com -@@||pagead2.googlesyndication.com/pagead/show_ads.js$domain=360haven.com|9bis.net|9tutorials.com|afreesms.com|atlanticcitywebcam.com|bbc.com|bitcoiner.net|carsfromitaly.info|codeasily.com|darkreloaded.com|dreamscene.org|drivearabia.com|dsero.com|everythingon.tv|ffiles.com|file4go.com|filmovizija.com|filmovizija.net|free.smsmarkaz.urdupoint.com|freecoins4.me|freewaregenius.com|ftlauderdalebeachcam.com|ftlauderdalewebcam.com|full-ngage-games.blogspot.com|gamespowerita.com|gifmagic.com|hostyd.com|ibmmainframeforum.com|ilix.in|keywestharborwebcam.com|kingofgames.net|korean-candy.com|litecoiner.net|livenewschat.eu|lordpyrak.net|megaallday.com|misheel.net|morganhillwebcam.com|moviemistakes.com|needrom.com|newsok.com|ninjaraider.com|nonags.com|numberempire.com|nx8.com|nyharborwebcam.com|omegadrivers.net|photos.essence.com|portarubawebcam.com|portbermudawebcam.com|portcanaveralwebcam.com|portevergladeswebcam.com|portmiamiwebcam.com|portnywebcam.com|preemlinks.com|priva.us|puromarketing.com|radioaficion.com|rapid8.com|readersdigest.com.au|seeingwithsound.com|smashgamez.com|spoilertv.com|tech-blog.net|techydoor.com|thememypc.com|themes.themaxdavis.com|tipstank.com|top100clans.com|trutower.com|tv-kino.net|upfordown.com|uploadlw.com|urlink.at|virginmedia.com|warp2search.net|washington.edu|winterrowd.com|wtf-teen.com|yellowbridge.com +@@||pagead2.googlesyndication.com/pagead/show_ads.js$domain=360haven.com|9bis.net|9tutorials.com|afreesms.com|atlanticcitywebcam.com|bbc.com|bitcoiner.net|budget101.com|bullywiihacks.com|carsfromitaly.info|codeasily.com|darkreloaded.com|dreamscene.org|drivearabia.com|dsero.com|everythingon.tv|fcportables.com|ffiles.com|file4go.com|filmovizija.com|filmovizija.net|free.smsmarkaz.urdupoint.com|freecoins4.me|freewaregenius.com|ftlauderdalebeachcam.com|ftlauderdalewebcam.com|full-ngage-games.blogspot.com|gamespowerita.com|gifmagic.com|hackintosh.zone|hostyd.com|ibmmainframeforum.com|ilix.in|keywestharborwebcam.com|kingofgames.net|korean-candy.com|litecoiner.net|livenewschat.eu|lordpyrak.net|mangakaka.com|megaallday.com|misheel.net|morganhillwebcam.com|moviemistakes.com|needrom.com|newsok.com|ninjaraider.com|nonags.com|numberempire.com|nx8.com|nyharborwebcam.com|omegadrivers.net|photos.essence.com|portarubawebcam.com|portbermudawebcam.com|portcanaveralwebcam.com|portevergladeswebcam.com|portmiamiwebcam.com|portnywebcam.com|preemlinks.com|priva.us|puromarketing.com|radioaficion.com|rapid8.com|readersdigest.com.au|seeingwithsound.com|smashgamez.com|spoilertv.com|tech-blog.net|techydoor.com|thememypc.com|themes.themaxdavis.com|tipstank.com|top100clans.com|trutower.com|tv-kino.net|upfordown.com|uploadlw.com|urlink.at|virginmedia.com|warp2search.net|washington.edu|winterrowd.com|wtf-teen.com|yellowbridge.com +@@||pagead2.googlesyndication.com/pub-config/ca-pub-$script,domain=firstonetv.com @@||pagead2.googlesyndication.com/simgad/573912609820809|$image,domain=hardocp.com @@||pandora.com/static/ads/ @@||partner.googleadservices.com/gpt/pubads_impl_$script,domain=baseball-reference.com|basketball-reference.com|hockey-reference.com|pro-football-reference.com|sports-reference.com +@@||pastes.binbox.io/ad/banner?$subdocument +@@||pastes.binbox.io^$elemhide @@||perkuinternete.lt/modules/mod_jpayday/js/advertisement.js @@||pes-patch.com^$elemhide -@@||phncdn.com/v2/js/adblockdetect.js$domain=keezmovies.com +@@||picu.pk^$elemhide @@||pipocas.tv/js/advertisement.js @@||pirlotv.tv^$elemhide @@||play-old-pc-games.com^$elemhide @@||playhd.eu/advertisement.js +@@||playindiafilms.com/advertisement.js @@||popads.net/pop.js$domain=filmovizija.com|hqq.tv @@||popsads.com/adhandler/$script,domain=filmovizija.com @@||poreil.com^$domain=cbs.com @@ -147683,11 +153266,14 @@ tube8.com##topadblock @@||premium4.us^$elemhide @@||premiumleecher.com/inc/adframe.js @@||premiumleecher.com/inc/adsense.js +@@||premiumleecher.com^$elemhide @@||primeshare.tv^*/adframe.js @@||primeshare.tv^*/advertisement.js +@@||primewire.ag/js/advertisement.js @@||priva.us^$script,domain=ilix.in|priva.us @@||propellerads.com^$image,domain=kissanime.com @@||protect-url.net^$script,~third-party +@@||psarips.com^$script @@||puromarketing.com/js/advertisement.js @@||puromarketing.com^$elemhide @@||qrrro.com^*/adhandler/ @@ -147714,16 +153300,20 @@ tube8.com##topadblock @@||rsense-ad.realclick.co.kr/favicon.ico?id=$image,domain=mangaumaru.com @@||rtube.de^$elemhide @@||rubiconproject.com^$image,script,domain=kissanime.com +@@||runners.es^*/advertisement.js @@||s.stooq.$script,domain=stooq.com|stooq.com.br|stooq.pl|stooq.sk @@||saavn.com/ads/search_config_ad.php?$subdocument +@@||saikoanimes.net^*/advertisement.js @@||sankakucomplex.com^$script @@||sankakustatic.com^$script +@@||sascdn.com/diff/js/smart.js$domain=onvasortir.com @@||sascdn.com/diff/video/$script,domain=eskago.pl @@||sascdn.com/video/$script,domain=eskago.pl @@||savevideo.me/images/banner_ads.gif @@||sawlive.tv/adscript.js @@||scan-manga.com/ads.html @@||scan-manga.com/ads/banner.jpg$image +@@||sciencechannel.com^$elemhide @@||scoutingbook.com/js/adsense.js @@||search.spotxchange.com/vast/$object-subrequest,domain=maniatv.com @@||secureupload.eu^$elemhide @@ -147733,10 +153323,13 @@ tube8.com##topadblock @@||series-cravings.info/wp-content/plugins/wordpress-adblock-blocker/$script @@||sheepskinproxy.com/js/advertisement.js @@||shimory.com/js/show_ads.js +@@||showsport-tv.com^$elemhide @@||siamfishing.com^*/advert.js @@||sixpool.me^$image,domain=majorleaguegaming.com +@@||skidrowcrack.com/advertisement.js @@||smartadserver.com/call/pubj/*/M/*/?$domain=antena3.com|atresmedia.com|atresplayer.com|lasexta.com @@||smartadserver.com/call/pubj/*/S/*/?$domain=antena3.com|atresmedia.com|atresplayer.com|lasexta.com +@@||smartadserver.com/config.js?nwid=$domain=onvasortir.com @@||sms-mmm.com/pads.js$domain=hqq.tv @@||sms-mmm.com/script.php|$script,domain=hqq.tv @@||sockshare.com/js/$script @@ -147744,6 +153337,7 @@ tube8.com##topadblock @@||sominaltvfilms.com^$elemhide @@||sonobi.com/welcome/$image,domain=kissanime.com @@||sounddrain.net^*/advertisement.js +@@||spaste.com^$script @@||springstreetads.com/scripts/advertising.js @@||stackexchange.com/affiliate/ @@||static-avforums.com/*ad$script,domain=avforums.com @@ -147754,9 +153348,9 @@ tube8.com##topadblock @@||stooq.pl^$elemhide,script,xmlhttprequest @@||stooq.sk^$elemhide,script,xmlhttprequest @@||stream2watch.me^$elemhide +@@||stream4free.eu^$elemhide @@||streamcloud.eu^$xmlhttprequest @@||streamin.to/adblock/advert.js -@@||streamlive.to/ads/player_ilive_2.swf$object @@||streamlive.to/js/ads.js @@||streamlive.to^$elemhide @@||streamlive.to^*/ad/$image @@ -147771,18 +153365,25 @@ tube8.com##topadblock @@||thelordofstreaming.it^$elemhide @@||thememypc.com/wp-content/*/ads/$image @@||thememypc.com^$elemhide +@@||thesilverforum.com/public/js/jsLoader.js?adType=$script +@@||thesimsresource.com/downloads/download/itemId/$elemhide +@@||thesimsresource.com/js/ads.js @@||thesominaltv.com/advertisement.js +@@||thevideos.tv/js/ads.js @@||theweatherspace.com^*/advertisement.js @@||tidaltv.com/ILogger.aspx?*&adId=\[$object-subrequest,domain=channel4.com @@||tidaltv.com/tpas*.aspx?*&rand=\[$object-subrequest,domain=channel4.com @@||tklist.net/tklist/*ad$image @@||tklist.net^$elemhide +@@||tlc.com^$elemhide @@||tpmrpg.net/adframe.js @@||tradedoubler.com/anet?type(iframe)loc($subdocument,domain=topzone.lt @@||tribalfusion.com/displayAd.js?$domain=clubedohardware.com.br @@||tribalfusion.com/j.ad?$script,domain=clubedohardware.com.br +@@||trizone91.com^$elemhide @@||turkdown.com^$elemhide @@||turkdown.com^$script +@@||turktorrent.cc^$elemhide @@||tv-porinternet.com.mx^$elemhide @@||tv3.co.nz/Portals/*/advertisement.js @@||tvdez.com/ads/ads_$subdocument @@ -147806,29 +153407,40 @@ tube8.com##topadblock @@||v.fwmrm.net/ad/p/1$xmlhttprequest,domain=uktv.co.uk @@||v.fwmrm.net/ad/p/1?$object-subrequest,domain=dave.uktv.co.uk @@||vcnt3rd.com/Scripts/adscript.js$domain=mma-core.com +@@||velocity.com^$elemhide @@||vencko.net^$elemhide @@||veohb.net/js/advertisement.js$domain=veohb.net @@||ver-flv.com^$elemhide +@@||verticalscope.com/js/advert.js @@||vgunetwork.com/public/js/*/advertisement.js @@||video.unrulymedia.com^$script,subdocument,domain=springstreetads.com @@||videocelebrities.eu^*/adframe/ @@||videomega.tv/pub/interstitial.css @@||videomega.tv^$elemhide @@||videomega.tv^$script +@@||videomega.tv^$stylesheet +@@||videomega.tv^*/ad.php?id=$subdocument @@||videoplaza.tv/contrib/*/advertisement.js$domain=tv4play.se @@||vidup.me^*/adlayer.js @@||vietvbb.vn/up/clientscript/google_ads.js @@||viki.com/*.js$script +@@||vipbox.tv/js/ads.js +@@||vipleague.se/js/ads.js @@||vodu.ch^$script @@||wallpapermania.eu/assets/js/advertisement.js @@||wanamlite.com/images/ad/$image +@@||weather.com^*/advertisement.js +@@||webfirstrow.eu/advertisement.js +@@||webfirstrow.eu^*/advertisement.js @@||webtv.rs/media/blic/advertisement.jpg @@||winwords.adhood.com^$script,domain=dizi-mag.com @@||world-of-hentai.to/advertisement.js @@||worldofapk.tk^$elemhide @@||wowhq.eu^$elemhide @@||writing.com^$script +@@||www.vg.no^$elemhide @@||xlocker.net^$elemhide +@@||xup.in^$elemhide @@||yasni.*/adframe.js @@||yellowbridge.com/ad/show_ads.js @@||yellowbridge.com^*/advertisement.js @@ -147841,6 +153453,8 @@ tube8.com##topadblock @@||zman.com/adv/ova/overlay.xml @@||zoomin.tv/adhandler/amalia.adm?$object-subrequest ! Non-English +@@||2mdn.net/viewad/*.jpg|$domain=dafiti.cl|dafiti.com.ar|dafiti.com.br|dafiti.com.co +@@||ad.doubleclick.net^*.jpg|$domain=dafiti.cl|dafiti.com.ar|dafiti.com.br|dafiti.com.co @@||ad.e-kolay.net/ad.js @@||ad.e-kolay.net/jquery-*-Medyanet.min.js @@||ad.e-kolay.net/Medyanet.js @@ -147876,6 +153490,7 @@ tube8.com##topadblock @@||adv.adview.pl/ads/*.mp4$object-subrequest,domain=polskieradio.pl|radiozet.pl|spryciarze.pl|tvp.info @@||adv.pt^$~third-party @@||advert.ee^$~third-party +@@||advert.mgimg.com/servlet/view/$xmlhttprequest,domain=uzmantv.com @@||advert.uzmantv.com/advertpro/servlet/view/dynamic/url/zone?zid=$script,domain=uzmantv.com @@||advertising.mercadolivre.com.br^$xmlhttprequest,domain=mercadolivre.com.br @@||advertising.sun-sentinel.com/el-sentinel/elsentinel-landing-page.gif @@ -147886,7 +153501,10 @@ tube8.com##topadblock @@||am10.ru/letitbit.net_in.php$subdocument,domain=moevideos.net @@||amarillas.cl/advertise.do?$xmlhttprequest @@||amarillas.cl/js/advertise/$script +@@||amazon-adsystem.com/e/ir?$image,domain=kasi-time.com +@@||amazon-adsystem.com/widgets/q?$image,domain=kasi-time.com @@||americateve.com/mediaplayer_ads/new_config_openx.xml$xmlhttprequest +@@||analytics.disneyinternational.com/ads/tagsv2/video/$xmlhttprequest,domain=disney.no @@||annonser.dagbladet.no/eas?$script,domain=se.no @@||annonser.dagbladet.no/EAS_tag.1.0.js$domain=se.no @@||app.medyanetads.com/ad.js$domain=fanatik.com.tr @@ -147911,9 +153529,11 @@ tube8.com##topadblock @@||custojusto.pt/user/myads/ @@||doladowania.pl/pp/$script @@||doubleclick.net/adx/es.esmas.videonot_embed/$script,domain=esmas.com +@@||doubleclick.net^*;sz=*;ord=$image,script,domain=dafiti.cl|dafiti.com.ar|dafiti.com.br|dafiti.com.co @@||doublerecall.com/core.js.php?$script,domain=delo.si @@||ehow.com.br/frames/ad.html?$subdocument @@||ehowenespanol.com/frames/ad.html?$subdocument +@@||emag.hu/site_ajax_ads?id=$xmlhttprequest @@||emagst.net/openx/$image,domain=emag.hu|emag.ro @@||emediate.eu/crossdomain.xml$object-subrequest @@||emediate.eu/eas?cu_key=*;ty=playlist;$object-subrequest,domain=bandit.se|lugnafavoriter.com|nrj.se|playradio.se|radio1.se|rixfm.com|tv3play.ee|tv3play.se|tv6play.se|tv8play.se @@ -147927,6 +153547,7 @@ tube8.com##topadblock @@||feed.theplatform.com^*=adtech_$object-subrequest,domain=tv2.dk @@||filmon.com/ad/affiliateimages/banner-250x350.png @@||flashgames247.com/advertising/preroll/google-fg247-preloader.swf$object +@@||forads.pl^$~third-party @@||fotojorgen.no/images/*/webadverts/ @@||fotosioon.com/wp-content/*/images/advert.gif @@||freeride.se/img/admarket/$~third-party @@ -147941,6 +153562,7 @@ tube8.com##topadblock @@||hub.com.pl/reklama_video/instream_ebmed/vStitial_inttv_$object,domain=interia.tv @@||impact-ad.jp/combo?$subdocument,domain=jalan.net @@||iplsc.com^*/inpl.box.ad.js$domain=rmf24.pl +@@||isanook.com/vi/0/js/ads-$script @@||islafenice.net^*/adsense.js @@||izigo.pt/AdPictures/ @@||izigo.pt^*/adsearch? @@ -147976,6 +153598,7 @@ tube8.com##topadblock @@||openimage.interpark.com/_nip_ui/category_shopping/shopping_morningcoffee/leftbanner/null.jpg @@||openx.zomoto.nl/live/www/delivery/fl.js @@||openx.zomoto.nl/live/www/delivery/spcjs.php?id= +@@||peoplegreece.com/assets/js/adtech_res.js @@||player.terra.com^*&adunit=$script @@||player.theplatform.com^$subdocument,domain=nbc.com @@||polovniautomobili.com/images/ad-$~third-party @@ -147995,17 +153618,20 @@ tube8.com##topadblock @@||run.admost.com/adx/get.ashx?z=*&accptck=true&nojs=1 @@||run.admost.com/adx/js/admost.js? @@||s-nk.pl/img/ads/icons_pack +@@||s1emagst.akamaized.net/openx/*.jpg$domain=emag.hu +@@||sanook.com/php/get_ads.php?vast_linear=$xmlhttprequest @@||sigmalive.com/assets/js/jquery.openxtag.js @@||skai.gr/advert/*.flv$object-subrequest @@||smart.allocine.fr/crossdomain.xml$object-subrequest @@||smart.allocine.fr/def/def/xshowdef.asp$object-subrequest,domain=beyazperde.com -@@||smartadserver.com/call/pubj/$object-subrequest,domain=antena3.com|europafm.com|vertele.com +@@||smartadserver.com/call/pubj/$object-subrequest,domain=antena3.com|europafm.com|ondacero.es|vertele.com @@||smartadserver.com/call/pubx/*/M/$object-subrequest,domain=get.x-link.pl @@||smartadserver.com/call/pubx/*blq$object-subrequest,domain=antena3.com|atresmedia.com|atresplayer.com|lasexta.com @@||smartadserver.com/crossdomain.xml$object-subrequest -@@||smartadserver.com/diff/*/show*.asp?*blq$object-subrequest,domain=antena3.com|atresplayer.com|lasexta.com +@@||smartadserver.com/diff/*/show*.asp?*blq$object-subrequest,domain=antena3.com|atresplayer.com|lasexta.com|ondacero.es @@||sms.cz/bannery/$object-subrequest,~third-party @@||soov.ee/js/newad.js +@@||staircase.pl/wp-content/*/adwords.jpg$domain=staircase.pl @@||start.no/advertpro/servlet/view/text/html/zone?zid=$script @@||start.no/includes/js/adCode.js @@||stat24.com/*/ad.xml?id=$object-subrequest,domain=ipla.tv @@ -148025,9 +153651,11 @@ tube8.com##topadblock @@||tvn.adocean.pl^$object-subrequest @@||uol.com.br/html.ng/*&affiliate=$object-subrequest @@||varno-zavarovanje.com/system/modules/cp_pagepeel/html/peel.js +@@||velasridaura.com/modules/*/advertising_custom.$image,~third-party @@||video.appledaily.com.hk/admedia/$object-subrequest,domain=nextmedia.com @@||videonuz.ensonhaber.com/player/hdflvplayer/xml/ads.xml?$object-subrequest @@||videoplaza.tv/proxy/distributor?$object-subrequest,domain=aftenposten.no|bt.no|ekstrabladet.dk|kuriren.nu|qbrick.com|svd.se +@@||vinden.se/ads/$~third-party @@||xe.gr/property/recent_ads?$xmlhttprequest @@||yapo.cl/js/viewad.js? @@||yimg.jp/images/listing/tool/yads/yjaxc-stream-ex.js$domain=yahoo.co.jp @@ -148102,13 +153730,15 @@ accounts.google.com#@#.adwords @@||advertise.bingads.microsoft.com/wwimages/search/global/$image @@||advertising.microsoft.com^$~third-party @@||bingads.microsoft.com/ApexContentHandler.ashx?$script,domain=bingads.microsoft.com -! VK.ru +! VK.ru/.com @@||paymentgate.ru/payment/*_Advert/ @@||vk.com/ads$elemhide @@||vk.com/ads.php?$subdocument,domain=vk.com @@||vk.com/ads?act=payments&type$script,stylesheet +@@||vk.com/css/al/ads.css$domain=vk.com @@||vk.com/images/ads_$domain=vk.com @@||vk.com/js/al/ads.js?$domain=vk.com +@@||vk.me/css/al/ads.css$domain=vk.com @@||vk.me/images/ads_$domain=vk.com ! Mxit @@||advertise.mxit.com^$~third-party @@ -148142,25 +153772,36 @@ accounts.google.com#@#.adwords ! StumbleUpon @@||ads.stumbleupon.com^$popup @@||ads.stumbleupon.com^$~third-party +! advertise.ru +@@||advertise.ru^$~third-party +! acesse.com +@@||ads.acesse.com^$elemhide +@@||ads.acesse.com^$~third-party +! integralads.com +@@||integralplatform.com/static/js/Advertiser/$~third-party +! Revealads.com +@@||revealads.com^$~third-party ! *** easylist:easylist/easylist_whitelist_dimensions.txt *** @@-120x60-$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@-120x60.$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com @@_120_60.$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@_120x60.$image,domain=catalogfavoritesvip.com|deliverydeals.co.uk|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|theperfectsaver.com|travelplus.com +@@_120x60.$image,domain=2dayshippingbymastercard.com|catalogfavoritesvip.com|chase.com|deliverydeals.co.uk|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|theperfectsaver.com|travelplus.com @@_120x60_$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|theperfectsaver.com|travelplus.com -@@_300x250.$image,domain=affrity.com +@@_300x250.$image,domain=affrity.com|lockd.co.uk @@||ajax.googleapis.com/ajax/services/search/news?*-728x90&$script @@||amazonaws.com/content-images/article/*_120x60$domain=vice.com @@||amazonaws.com^*-300x250_$image,domain=snapapp.com @@||amazonaws.com^*/300x250_$image,domain=snapapp.com @@||anitasrecipes.com/Content/Images/*160x500$image @@||arnhemland-safaris.com/images/*_480_80_ +@@||artserieshotels.com.au/images/*_460_60. @@||assets.vice.com^*_120x60.jpg @@||assets1.plinxmedia.net^*_300x250. @@||assets2.plinxmedia.net^*_300x250. @@||bettermarks.com/media$~third-party @@||bizquest.com^*_img/_franchise/*_120x60.$image @@||canada.com/news/*-300-250.gif +@@||cdn.vidible.tv/prod/*_300x250_*.mp4| @@||cinemanow.com/images/banners/300x250/ @@||consumerist-com.wpengine.netdna-cdn.com/assets/*300x250 @@||crowdignite.com/img/upload/*300x250 @@ -148226,15 +153867,22 @@ accounts.google.com#@#.adwords @@||wixstatic.com/media/*_300_250_$image,domain=lenislens.com @@||zorza-polarna.pl/environment/cache/images/300_250_ ! *** easylist:easylist/easylist_whitelist_popup.txt *** +@@/redirect.aspx?pid=*&bid=$popup,domain=betbeaver.com +@@||adfarm.mediaplex.com/ad/ck/$popup,domain=betwonga.com +@@||ads.betfair.com/redirect.aspx?pid=$popup,domain=betwonga.com @@||ads.flipkart.com/delivery/ck.php?$popup,domain=flipkart.com +@@||ads.pinterest.com^$popup,~third-party +@@||ads.reempresa.org^$popup,domain=reempresa.org @@||ads.sudpresse.be^$popup,domain=sudinfo.be @@||ads.twitter.com^$popup,~third-party @@||ads.williamhillcasino.com/redirect.aspx?*=internal&$popup,domain=williamhillcasino.com +@@||adserving.unibet.com/redirect.aspx?pid=$popup,domain=betwonga.com @@||adv.blogupp.com^$popup +@@||bet365.com/home/?affiliate=$popup,domain=betbeaver.com|betwonga.com @@||doubleclick.net/click%$popup,domain=people.com|time.com @@||doubleclick.net/clk;$popup,domain=hotukdeals.com|jobamatic.com|play.google.com|santander.co.uk|techrepublic.com @@||doubleclick.net/ddm/clk/$popup,domain=couponcodeswap.com -@@||g.doubleclick.net/aclk?$popup,domain=bodas.com.mx|bodas.net|casamentos.com.br|casamentos.pt|casamiento.com.uy|casamientos.com.ar|mariages.net|matrimonio.com|matrimonio.com.co|matrimonio.com.pe|matrimonios.cl|weddingspot.co.uk +@@||g.doubleclick.net/aclk?$popup,domain=bodas.com.mx|bodas.net|casamentos.com.br|casamentos.pt|casamiento.com.uy|casamientos.com.ar|mariages.net|matrimonio.com|matrimonio.com.co|matrimonio.com.pe|matrimonios.cl|weddingspot.co.uk|zillow.com @@||gsmarena.com/adclick.php?bannerid=$popup @@||serving-sys.com/BurstingPipe/adServer.bs?$popup,domain=jobamatic.com @@||viroll.com^$popup,domain=imagebam.com|imgbox.com @@ -148260,12 +153908,7 @@ accounts.google.com#@#.adwords @@||nonktube.com/img/adyea.jpg @@||panicporn.com/Bannerads/player/player_flv_multi.swf$object @@||pop6.com/banners/$domain=horny.net|xmatch.com -@@||pornhub.com/cdn_files/js/$script -@@||pornhub.com/infographic/$subdocument -@@||pornhub.com/insights/wp-includes/js/$script @@||promo.cdn.homepornbay.com/key=*.mp4$object-subrequest,domain=hiddencamsvideo.com -@@||redtube.com/htmllogin|$subdocument -@@||redtube.com/profile/$subdocument @@||sextoyfun.com/admin/aff_files/BannerManager/$~third-party @@||sextoyfun.com/control/aff_banners/$~third-party @@||skimtube.com/advertisements.php? @@ -148278,15 +153921,35 @@ accounts.google.com#@#.adwords @@||tracking.hornymatches.com/track?type=unsubscribe&enid=$subdocument,third-party @@||widget.plugrush.com^$subdocument,domain=amateursexy.net @@||xxxporntalk.com/images/xxxpt-chrome.jpg +! Pornhub network +@@||pornhub.com/channel/ +@@||pornhub.com/comment/ +@@||pornhub.com/front/ +@@||pornhub.com/pornstar/ +@@||pornhub.com/svvt/add? +@@||pornhub.com/video/ +@@||redtube.com/message/ +@@||redtube.com/rate +@@||redtube.com/starsuggestion/ +@@||tube8.com/ajax/ +@@||youporn.com/change/rate/ +@@||youporn.com/change/user/ +@@||youporn.com/change/videos/ +@@||youporn.com/esi_home/subscriptions/ +@@||youporn.com/mycollections.json +@@||youporn.com/notifications/ +@@||youporn.com/subscriptions/ ! Anti-Adblock @@.png#$domain=indiangilma.com|lfporn.com @@||adultadworld.com/adhandler/$subdocument @@||fapxl.com^$elemhide @@||fuqer.com^*/advertisement.js +@@||gaybeeg.info/wp-content/plugins/blockalyzer-adblock-counter/$image,domain=gaybeeg.info @@||google.com/ads/$domain=hinduladies.com @@||hentaimoe.com/js/advertisement.js @@||imgadult.com/js/advertisement.js @@||indiangilma.com^$elemhide +@@||jamo.tv^$script,domain=jamo.tv @@||javpee.com/eroex.js @@||lfporn.com^$elemhide @@||mongoporn.com^*/adframe/$subdocument @@ -148294,9 +153957,13 @@ accounts.google.com#@#.adwords @@||n4mo.org^$elemhide @@||nightchan.com/advertisement.js @@||phncdn.com/js/advertisement.js +@@||phncdn.com/v2/js/adblockdetect.js$domain=keezmovies.com @@||phncdn.com^*/ads.js +@@||phncdn.com^*/fuckadblock.js @@||pornomovies.com/js/1/ads-1.js$domain=submityourflicks.com +@@||pornve.com^$elemhide @@||submityourflicks.com/player/player-ads.swf$object +@@||syndication.exoclick.com/ads.php?type=728x90&$script,domain=dirtstyle.tv @@||tmoncdn.com/scripts/advertisement.js$domain=tubemonsoon.com @@||trafficjunky.net/js/ad*.js @@||tube8.com/js/advertisement.js diff --git a/config/chroot_local-includes/etc/tor-browser/profile/preferences/0000tails.js b/config/chroot_local-includes/etc/tor-browser/profile/preferences/0000tails.js index 2b64498df62ae8a9bc40d59b7d57af766088f0b7..a66445b63491c9a4a065badb5cdf3712e888192d 100644 --- a/config/chroot_local-includes/etc/tor-browser/profile/preferences/0000tails.js +++ b/config/chroot_local-includes/etc/tor-browser/profile/preferences/0000tails.js @@ -10,6 +10,18 @@ pref("extensions.torbutton.use_privoxy", false); // Tails-specific configuration below +// Disable the Tor Browser's per-tab circuit view. It demands more +// from the Tor control port than our tor-controlport-filter currently +// handles (concurrent, asynchronous connections). Besides, not +// exposing the stream/circuit level info to the browser (or user +// running as the browser) is a nice hardening feature, and part of +// why we introduced the control port filter in the first place. +pref("extensions.torbutton.display_circuit", false); + +// Since the slider notification will be shown everytime at each Tails +// boot, which is bad (nagging) UX, we disable it. +pref("extensions.torbutton.show_slider_notification", false); + // Disable the Tor Browser's automatic update checking pref("app.update.enabled", false); @@ -59,6 +71,8 @@ pref("noscript.forbidPlugins", true); pref("noscript.untrusted", "google-analytics.com"); // Other non-Torbutton, Tails-specific prefs +pref("browser.download.dir", "/home/amnesia/Tor Browser"); +pref("browser.download.folderList", 2); pref("browser.download.manager.closeWhenDone", true); pref("extensions.update.enabled", false); pref("layout.spellcheckDefault", 0); diff --git a/config/chroot_local-includes/etc/tor/tor-tsocks-git.conf b/config/chroot_local-includes/etc/tor/tor-tsocks-git.conf new file mode 100644 index 0000000000000000000000000000000000000000..8bc623c62a6607e2212ffbdd75310403948a351a --- /dev/null +++ b/config/chroot_local-includes/etc/tor/tor-tsocks-git.conf @@ -0,0 +1,19 @@ +# This is the configuration for libtsocks (transparent socks) for use +# with Git: /usr/local/bin/git +# +# See tsocks.conf(5) and torify(1) manpages. + +server = 127.0.0.1 +server_port = 9050 + +# We specify local as 127.0.0.0 - 127.191.255.255 because the +# Tor MAPADDRESS virtual IP range is the rest of net 127. +local = 127.0.0.0/255.128.0.0 +local = 127.128.0.0/255.192.0.0 + + +# My local networks +local = 10.0.0.0/255.0.0.0 +local = 172.16.0.0/255.240.0.0 +local = 192.168.0.0/255.255.0.0 + diff --git a/config/chroot_local-includes/etc/tor/torrc b/config/chroot_local-includes/etc/tor/torrc index fda4d184ca5c9bea9ee2a815af6ddf9781e2c93c..8da5b28218e4f473cc53f82918e68c09ceb07253 100644 --- a/config/chroot_local-includes/etc/tor/torrc +++ b/config/chroot_local-includes/etc/tor/torrc @@ -170,3 +170,7 @@ AvoidDiskWrites 1 ## We don't care if applications do their own DNS lookups since our Tor ## enforcement will handle it safely. WarnUnsafeSocks 0 + +## Disable default warnings on StartTLS for email. Let's not train our +## users to click through security warnings. +WarnPlaintextPorts 23,109 diff --git a/config/chroot_local-includes/etc/whisperback/config.py b/config/chroot_local-includes/etc/whisperback/config.py index b596da8bedbd74301840b0ef6dc8a86c7da0f754..5142b7fd761c98b385c5e2af19c84d28ab63183c 100644 --- a/config/chroot_local-includes/etc/whisperback/config.py +++ b/config/chroot_local-includes/etc/whisperback/config.py @@ -1,9 +1,9 @@ # -*- coding: UTF-8 -*- # -# Tails configuration file for Whisperback +# Tails configuration file for WhisperBack # ========================================== # -# This is a python script that will be read at startup. Any python +# This is a Python script that will be read at startup. Any Python # syntax is valid. # IMPORTS @@ -20,8 +20,8 @@ import gettext def __get_localised_doc_link(): """Return the link to the localised documentation - @returns the link to the localised documentation if available, or to the - english version + @returns the link to the localised documentation if available, or fallback + to the English version """ # Try to get the list of supported languages codes supported by the @@ -66,14 +66,13 @@ html_help = _( <p><strong>Do not include more personal information than needed!</strong></p> <h2>About giving us an email address</h2> -<p>If you don't mind disclosing some bits of your identity -to Tails developers, you can provide an email address to -let us ask more details about the bug. Additionally entering -a public PGP key enables us to encrypt such future -communication.</p> -<p>Anyone who can see this reply will probably infer you are -a Tails user. Time to wonder how much you trust your -Internet and mailbox providers?</p> +<p> +Giving us an email address allows us to contact you to clarify the problem. This +is needed for the vast majority of the reports we receive as most reports +without any contact information are useless. On the other hand it also provides +an opportunity for eavesdroppers, like your email or Internet provider, to +confirm that you are using Tails. +</p> """) % __get_localised_doc_link() # ENCRYPTION @@ -129,34 +128,34 @@ mail_subject = "Bug report: %x" % random.randrange(16**32) # It should not take any parameter, and should return a string to be # preprended to the email def mail_prepended_info(): - """Returns the version of the running amnesia system + """Returns the version of the running Tails system - @return The output of tails-version, if any, or an english string + @return The output of tails-version, if any, or an English string explaining the error """ try: - amnesia_version_process = subprocess.Popen ("tails-version", + tails_version_process = subprocess.Popen ("tails-version", stdout=subprocess.PIPE) - amnesia_version_process.wait() - amnesia_version = amnesia_version_process.stdout.read() + tails_version_process.wait() + tails_version = tails_version_process.stdout.read() except OSError: - amnesia_version = "tails-version command not found" + tails_version = "tails-version command not found" except subprocess.CalledProcessError: - amnesia_version = "tails-version returned an error" + tails_version = "tails-version returned an error" - return "Tails-Version: %s\n" % amnesia_version + return "Tails-Version: %s\n" % tails_version # A callback function to get information to append to the email # (this information will be encrypted). This is useful to add -# configuration files usebul for debugging. +# configuration files useful for debugging. # # It should not take any parameter, and should return a string to be # appended to the email def mail_appended_info(): - """Returns debugging informations on the running amnesia system + """Returns debugging information on the running Tails system - @return a long string containing debugging informations + @return a long string containing debugging information """ debugging_info = "" diff --git a/config/chroot_local-includes/etc/xdg/autostart/add-GNOME-bookmarks.desktop b/config/chroot_local-includes/etc/xdg/autostart/add-GNOME-bookmarks.desktop new file mode 100644 index 0000000000000000000000000000000000000000..2e83c5bb37efa8197ff010d19358857ce0e689bd --- /dev/null +++ b/config/chroot_local-includes/etc/xdg/autostart/add-GNOME-bookmarks.desktop @@ -0,0 +1,10 @@ +[Desktop Entry] +Name=add-GNOME-bookmarks +GenericName=add GTK bookmarks to some directories +Comment=display some directories in Places and GtkFileChooser +Exec=/usr/local/lib/add-GNOME-bookmarks +Terminal=false +Type=Application +Categories=GNOME;X-GNOME-PersonalSettings; +NoDisplay=true +MimeType=application/x-add-GNOME-bookmarks; diff --git a/config/chroot_local-includes/etc/xdg/autostart/add-bookmark-for-persistent-directory.desktop b/config/chroot_local-includes/etc/xdg/autostart/add-bookmark-for-persistent-directory.desktop deleted file mode 100644 index a185290455f63ffa25f12052747fd9a4f98ba3dd..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/etc/xdg/autostart/add-bookmark-for-persistent-directory.desktop +++ /dev/null @@ -1,10 +0,0 @@ -[Desktop Entry] -Name=tails-add-bookmark-for-persistent-directory -GenericName=add GTK bookmark to Persistent directory -Comment=display Persistent directory in Places and GtkFileChooser -Exec=/usr/local/bin/tails-add-bookmark-for-persistent-directory -Terminal=false -Type=Application -Categories=GNOME;X-GNOME-PersonalSettings; -NoDisplay=true -MimeType=application/x-tails-add-bookmark-for-persistent-directory; diff --git a/config/chroot_local-includes/etc/xdg/autostart/create-tor-browser-directories.desktop b/config/chroot_local-includes/etc/xdg/autostart/create-tor-browser-directories.desktop new file mode 100644 index 0000000000000000000000000000000000000000..349743e90a7290347f4ba6aa020cdf2f41853993 --- /dev/null +++ b/config/chroot_local-includes/etc/xdg/autostart/create-tor-browser-directories.desktop @@ -0,0 +1,10 @@ +[Desktop Entry] +Name=create-tor-browser-directories +GenericName=Create the Tor Browser directories +Comment=Create the Tor Browser amnesiac and persistent directories +Exec=/usr/local/lib/create-tor-browser-directories +Terminal=false +Type=Application +Categories=GNOME;X-GNOME-PersonalSettings; +NoDisplay=true +MimeType=application/x-create-tor-browser-directories; diff --git a/config/chroot_local-includes/etc/xdg/autostart/gpgApplet.desktop b/config/chroot_local-includes/etc/xdg/autostart/gpgApplet.desktop index 4e72c6e5952c694f135acaecfcb3d2c048e425b2..5d1fb58e9e9eaa1ddf203949e0c726e63ead8a95 100644 --- a/config/chroot_local-includes/etc/xdg/autostart/gpgApplet.desktop +++ b/config/chroot_local-includes/etc/xdg/autostart/gpgApplet.desktop @@ -2,7 +2,7 @@ Name=gpgSymEncApplet GenericName=Applet for OpenGPG text encryption Version=1.0 -Exec=/usr/local/bin/gpgApplet +Exec=/usr/bin/torsocks /usr/local/bin/gpgApplet Terminal=false Type=Application Categories=Application;Utility;Security diff --git a/config/chroot_local-includes/etc/xul-ext/tor-launcher.js b/config/chroot_local-includes/etc/xul-ext/tor-launcher.js index 1ad7c2deba6e4487a42e3a75204637a500fee060..2775bba8825c4c7ef459340165f0152ed8a5a974 100644 --- a/config/chroot_local-includes/etc/xul-ext/tor-launcher.js +++ b/config/chroot_local-includes/etc/xul-ext/tor-launcher.js @@ -1 +1 @@ -pref("extensions.torlauncher.transportproxy_path", "/usr/bin/obfsproxy"); +pref("extensions.torlauncher.transportproxy_path", "/usr/bin/obfs4proxy"); diff --git a/config/chroot_local-includes/lib/live/config/0001-sane-clock b/config/chroot_local-includes/lib/live/config/0001-sane-clock new file mode 100755 index 0000000000000000000000000000000000000000..3ea10a890d6356dc4b69fa325e14597bcf063b13 --- /dev/null +++ b/config/chroot_local-includes/lib/live/config/0001-sane-clock @@ -0,0 +1,12 @@ +#!/bin/sh + +echo "- making sure the system clock is sane" + +# If the system clock is before the build date, then we know it's +# incorrect and set it too the build date. However, to account for +# potential issues due to timezone differences etc we ignore clocks +# that are up to 1 day before the build date. +BUILD_DATE="$(sed -n -e '1s/^.* - \([0-9]\+\)$/\1/p;q' /etc/amnesia/version)" +if [ "$(date +%s)" -lt "$(date -d "${BUILD_DATE} - 1 day" +%s)" ]; then + date --set "${BUILD_DATE}" +fi diff --git a/config/chroot_local-includes/lib/live/config/1500-reconfigure-APT b/config/chroot_local-includes/lib/live/config/1500-reconfigure-APT new file mode 100755 index 0000000000000000000000000000000000000000..98c74921dc58aac49af79a6ad756a65671add3db --- /dev/null +++ b/config/chroot_local-includes/lib/live/config/1500-reconfigure-APT @@ -0,0 +1,6 @@ +#!/bin/sh + +echo "- configuring APT sources" + +sed -i 's,^\(\#\?\s*deb\(-src\)\?\s\+\)http://,\1tor+http://,' \ + /etc/apt/sources.list /etc/apt/sources.list.d/*.list diff --git a/config/chroot_local-includes/lib/live/config/9999-autotest b/config/chroot_local-includes/lib/live/config/9999-autotest deleted file mode 100755 index 508c8ce8146b8a0ac0cf9841e48de833c2b8ee56..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/lib/live/config/9999-autotest +++ /dev/null @@ -1,11 +0,0 @@ -#!/bin/sh - -SCRIPT=/usr/local/sbin/autotest_remote_shell.py - -if grep -qw "autotest_never_use_this_option" /proc/cmdline; then - # FIXME: more beautiful solution - sed -i 's/^exit.*$//' /etc/rc.local - echo "( while true ; do python ${SCRIPT} /dev/ttyS0 ; done ) &" >> \ - /etc/rc.local - echo "exit 0" >> /etc/rc.local -fi diff --git a/config/chroot_local-includes/usr/bin/tor-launcher b/config/chroot_local-includes/usr/bin/tor-launcher index 84baf90ec264ce96af5e507ff55c98e913c03d21..0e48ffdf93d1bbca1b115a1a96066c3fa8b6b831 100755 --- a/config/chroot_local-includes/usr/bin/tor-launcher +++ b/config/chroot_local-includes/usr/bin/tor-launcher @@ -27,4 +27,4 @@ EOF configure_best_tor_launcher_locale "${HOME}"/.tor-launcher/TorBrowser/Data/Browser/profile.default fi -exec_firefox -app "${HOME}"/.tor-launcher/tor-launcher-standalone/application.ini +exec_unconfined_firefox -app "${HOME}"/.tor-launcher/tor-launcher-standalone/application.ini diff --git a/config/chroot_local-includes/usr/local/bin/connect-socks b/config/chroot_local-includes/usr/local/bin/connect-socks index fc395170e18931e0ea86c149168b4c4e3cb68cee..663e8fa1b5fd4ab64f2dab1e1877b45077d4f0d4 100755 --- a/config/chroot_local-includes/usr/local/bin/connect-socks +++ b/config/chroot_local-includes/usr/local/bin/connect-socks @@ -1,4 +1,4 @@ #!/bin/sh SOCKS5_USER="${SOCKS5_USER:-}" \ SOCKS5_PASSWORD="${SOCKS5_PASSWORD:-}" \ - connect-proxy -s $* + connect-proxy -s "$@" diff --git a/config/chroot_local-includes/usr/local/bin/electrum b/config/chroot_local-includes/usr/local/bin/electrum new file mode 100755 index 0000000000000000000000000000000000000000..a0299c40ed872b29bdf68d3a99c8d897ba479438 --- /dev/null +++ b/config/chroot_local-includes/usr/local/bin/electrum @@ -0,0 +1,35 @@ +#!/bin/sh + +. gettext.sh +TEXTDOMAIN="tails" +export TEXTDOMAIN + +CONF_DIR="${HOME}"/.electrum + +electrum_config_is_persistent() { + [ "$(findmnt --noheadings --output SOURCE --target "${CONF_DIR}")" = "/dev/mapper/TailsData_unlocked[/electrum]" ] +} + +verify_start () { + local dialog_msg="<b><big>`gettext \"Persistence is disabled for Electrum\"`</big></b> + +`gettext \"When you reboot Tails, all of Electrum's data will be lost, including your Bitcoin wallet. It is strongly recommended to only run Electrum when its persistence feature is activated.\"` + +`gettext \"Do you want to start Electrum anyway?\"` +" + local launch="`gettext \"_Launch\"`" + local exit="`gettext \"_Exit\"`" + # Since zenity can't set the default button to cancel, we switch the + # labels and interpret the return value as its negation. + if zenity --question --title "" --ok-label "${exit}" \ + --cancel-label "${launch}" --text "${dialog_msg}"; then + return 1 + fi +} + +if ! electrum_config_is_persistent; then + verify_start || exit 0 +fi + +exec /usr/bin/electrum "${@}" + diff --git a/config/chroot_local-includes/usr/local/bin/git b/config/chroot_local-includes/usr/local/bin/git new file mode 100755 index 0000000000000000000000000000000000000000..3e8a7905f6e83b0aae1af3995f70a05933544adc --- /dev/null +++ b/config/chroot_local-includes/usr/local/bin/git @@ -0,0 +1,2 @@ +#!/bin/sh +TSOCKS_CONF_FILE=/etc/tor/tor-tsocks-git.conf exec /usr/bin/tsocks.distrib /usr/bin/git "$@" diff --git a/config/chroot_local-includes/usr/local/bin/gpgApplet b/config/chroot_local-includes/usr/local/bin/gpgApplet index c8b6cfdbe3f9d31743276b5995ff7d0b1fcee8c9..1880ce3d6d4d7c0ea787fdd7644f4ea12acd126b 100755 --- a/config/chroot_local-includes/usr/local/bin/gpgApplet +++ b/config/chroot_local-includes/usr/local/bin/gpgApplet @@ -151,9 +151,9 @@ b) the "Artistic License" which comes with Perl. 'wrap-license' => 1, 'website' => 'https://tails.boum.org/', )}); - $menu->append($mexit); - $menu->append(Gtk2::SeparatorMenuItem->new); $menu->append($mabout); + $menu->append(Gtk2::SeparatorMenuItem->new); + $menu->append($mexit); $icon->signal_connect('popup-menu', sub { my $ticon = shift; @@ -205,6 +205,10 @@ sub build_action_menu { $mmanage->signal_connect('activate' => sub { manage_keys(); }); $action_menu->append($mmanage); + my $mtexteditor = Gtk2::MenuItem->new_with_mnemonic($encoding->decode(gettext("_Open Text Editor"))); + $mtexteditor->signal_connect('activate' => sub { open_text_editor(); }); + $action_menu->append($mtexteditor); + return $action_menu; } @@ -212,6 +216,10 @@ sub manage_keys { system("seahorse &"); } +sub open_text_editor { + system("gnome-text-editor &"); +} + sub all_text_types { map { $_->{type} } @pgp_headers; } diff --git a/config/chroot_local-includes/usr/local/bin/tails-activate-win8-theme b/config/chroot_local-includes/usr/local/bin/tails-activate-win8-theme index 416ed2ae3069fce2f3f06532e7ae18ad1e59260b..35ea22745e1386be42e6b7b87cf704a9cc14bb19 100755 --- a/config/chroot_local-includes/usr/local/bin/tails-activate-win8-theme +++ b/config/chroot_local-includes/usr/local/bin/tails-activate-win8-theme @@ -28,23 +28,19 @@ fi # Tor Browser # Copy the file containing toolbars configurations -BROWSER_PROFILE="${HOME}/.tor-browser/profile.default" -if [ -d "${BROWSER_PROFILE}" ]; then - cp /usr/share/tails/firefox-localstore-win8.rdf \ - "${BROWSER_PROFILE}"/localstore.rdf - # Setup a blue lightweight theme - cat >> "${BROWSER_PROFILE}"/preferences/0000camouflage.js <<EOF -pref("lightweightThemes.isThemeSelected", true); -pref("lightweightThemes.usedThemes", "[{\"id\":\"1\",\"name\":\"Internet Explorer\",\"headerURL\":\"file:///usr/share/pixmaps/blue_dot.png\",\"footerURL\":\"file:///usr/share/pixmaps/blue_dot.png\",\"textcolor\":\"#FFFFFF\",\"accentcolor\":\"#3399FF\",\"updateDate\":0,\"installDate\":0}]"); -EOF - # Tune chrome - cat >> "${BROWSER_PROFILE}"/chrome/userChrome.css <<EOF - -/* Camouflage */ -.tab-close-button { list-style-image: url("moz-icon://stock/gtk-close-grey?size=menu") !important; } -#navigator-toolbox { background-color: #6badf6 !important; } -EOF -fi +for browser in tor-browser unsafe-browser i2p-browser; do + profile="${HOME}/.${browser}/profile.default" + if [ -d "${profile}" ]; then + cp /usr/share/tails/tor-browser-win8-theme/localstore.rdf \ + "${profile}"/localstore.rdf + mkdir -p "${profile}"/preferences + cp /usr/share/tails/tor-browser-win8-theme/theme.js \ + "${profile}"/preferences/0000camouflage.js + mkdir -p "${profile}"/chrome + cp /usr/share/tails/tor-browser-win8-theme/userChrome.css \ + "${profile}"/chrome/userChrome.css + fi +done # Remove Tails-specific desktop icons rm --interactive=never -f ${HOME}/Desktop/*.desktop 2> /dev/null || true diff --git a/config/chroot_local-includes/usr/local/bin/tails-add-bookmark-for-persistent-directory b/config/chroot_local-includes/usr/local/bin/tails-add-bookmark-for-persistent-directory deleted file mode 100755 index c652f765e7b6c528c281fe278dc0545c530fee4a..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/local/bin/tails-add-bookmark-for-persistent-directory +++ /dev/null @@ -1,7 +0,0 @@ -#!/bin/sh - -PERSISTENT_DIRECTORY="${HOME}/Persistent" - -if mountpoint -q "$PERSISTENT_DIRECTORY" 2>/dev/null ; then - echo "file://$PERSISTENT_DIRECTORY" >> "${HOME}/.gtk-bookmarks" -fi diff --git a/config/chroot_local-includes/usr/local/bin/tails-security-check b/config/chroot_local-includes/usr/local/bin/tails-security-check index b9909a0064b8ebf16ca2c9d633b016d049f8cd59..2d80e5eef86aa5ee917d18169e712882b1cf1c98 100755 --- a/config/chroot_local-includes/usr/local/bin/tails-security-check +++ b/config/chroot_local-includes/usr/local/bin/tails-security-check @@ -46,9 +46,15 @@ use XML::Atom::Feed; use IO::Socket::SSL; use Net::SSLeay; BEGIN { + my $cafile = $ENV{HTTPS_CA_FILE}; + $cafile //= '/usr/local/etc/ssl/certs/tails.boum.org-CA.pem'; + assert(-e $cafile); + assert(-f $cafile); + assert(-r $cafile); + assert(-s $cafile); IO::Socket::SSL::set_ctx_defaults( verify_mode => Net::SSLeay->VERIFY_PEER(), - ca_file => '/usr/local/etc/ssl/certs/tails.boum.org-CA.pem', + ca_file => $cafile, ); } use LWP::UserAgent; # needs to be *after* IO::Socket::SSL's initialization diff --git a/config/chroot_local-includes/usr/local/bin/tails-virt-notify-user b/config/chroot_local-includes/usr/local/bin/tails-virt-notify-user index 32f4fc704efe8e545fbc651cf45cf67bc8f8ec1e..ef616836146d2e881233edfda34e6b810e33b672 100755 --- a/config/chroot_local-includes/usr/local/bin/tails-virt-notify-user +++ b/config/chroot_local-includes/usr/local/bin/tails-virt-notify-user @@ -54,7 +54,7 @@ my $summary = gettext("Warning: virtual machine detected!"); my $body = gettext("Both the host operating system and the virtualization software are able to monitor what you are doing in Tails.") . " " - . gettext("<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/virtualization.en.html'>Learn more...</a>") + . gettext("<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/virtualization.en.html#security'>Learn more...</a>") . " "; # Workaround: else the last line of the notification is not displayed $notify->create(summary => $summary, diff --git a/config/chroot_local-includes/usr/local/bin/tor-browser b/config/chroot_local-includes/usr/local/bin/tor-browser index 09b2b2a2c025dd508798169e795d2620350b8ef2..80200a3ab39eeb64cfab2234bf79d404d29d3055 100755 --- a/config/chroot_local-includes/usr/local/bin/tor-browser +++ b/config/chroot_local-includes/usr/local/bin/tor-browser @@ -1,5 +1,11 @@ #!/bin/sh +# AppArmor Ux rules don't sanitize $PATH, which can lead to an +# exploited application (that's allowed to run this script unconfined) +# having this script run arbitrary code, violating that application's +# confinement. Let's prevent that by setting PATH to a list of +# directories where only root can write. +export PATH='/usr/local/bin:/usr/bin:/bin' # Do not "set -u", else importing gettext.sh dies # with "ZSH_VERSION: parameter not set". diff --git a/config/chroot_local-includes/usr/local/bin/totem b/config/chroot_local-includes/usr/local/bin/totem index 99eda656fd532a19059c1fb4d73fa6ccab3ec9e0..cb72b214f7c55618161ed6491bc8b6060d0fa0a5 100755 --- a/config/chroot_local-includes/usr/local/bin/totem +++ b/config/chroot_local-includes/usr/local/bin/totem @@ -1,2 +1,2 @@ #!/bin/sh -exec torsocks /usr/bin/totem $* +exec torsocks /usr/bin/totem "$@" diff --git a/config/chroot_local-includes/usr/local/bin/wget b/config/chroot_local-includes/usr/local/bin/wget index 95cae9416ef38690b2c380c283dd714abfaf37dd..0d94b538a1e6f53350b9999dc6b7a9317dab69c0 100755 --- a/config/chroot_local-includes/usr/local/bin/wget +++ b/config/chroot_local-includes/usr/local/bin/wget @@ -5,4 +5,4 @@ unset HTTP_PROXY unset https_proxy unset HTTPS_PROXY -exec torsocks /usr/bin/wget $* +exec torsocks /usr/bin/wget "$@" diff --git a/config/chroot_local-includes/usr/local/bin/whois b/config/chroot_local-includes/usr/local/bin/whois index 3be5e9f6caa7e3fbb7a225ddd55f4eeef2349941..0bfe673eed918c3f6fb82bebea183e3b348b688a 100755 --- a/config/chroot_local-includes/usr/local/bin/whois +++ b/config/chroot_local-includes/usr/local/bin/whois @@ -1,2 +1,2 @@ #!/bin/sh -exec torsocks /usr/bin/whois $* +exec torsocks /usr/bin/whois "$@" diff --git a/config/chroot_local-includes/usr/local/lib/add-GNOME-bookmarks b/config/chroot_local-includes/usr/local/lib/add-GNOME-bookmarks new file mode 100755 index 0000000000000000000000000000000000000000..77bf41f827bf475d2c5068d2ba39e6a9524e04d6 --- /dev/null +++ b/config/chroot_local-includes/usr/local/lib/add-GNOME-bookmarks @@ -0,0 +1,28 @@ +#!/bin/sh + +set -eu + +. /usr/local/lib/tails-shell-library/tails-greeter.sh + +add_gtk_bookmark_for() { + local target + target=$(echo "$1" | sed 's, ,%20,g') + + if [ $# -ge 2 ]; then + title="$2" + echo "file://$target $title" >> "${HOME}/.gtk-bookmarks" + else + echo "file://$target" >> "${HOME}/.gtk-bookmarks" + fi +} + +add_gtk_bookmark_for "${HOME}/Tor Browser" + +if persistence_is_enabled_for "${HOME}/Persistent" ; then + add_gtk_bookmark_for "${HOME}/Persistent" + + if persistence_is_enabled_read_write ; then + add_gtk_bookmark_for "${HOME}/Persistent/Tor Browser" \ + "Tor Browser (persistent)" + fi +fi diff --git a/config/chroot_local-includes/usr/local/lib/apt-toggle-tor-http b/config/chroot_local-includes/usr/local/lib/apt-toggle-tor-http deleted file mode 100755 index 2ca1685b1449d5cd84fc73357693dca7b2094d0c..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/local/lib/apt-toggle-tor-http +++ /dev/null @@ -1,28 +0,0 @@ -#!/bin/sh - -set -eu - -USAGE="Usage: $(basename $0) on|off" - -print_usage_and_exit () { - echo "$USAGE" >&2 - exit 1 -} - -[ $# -eq 1 ] || print_usage_and_exit - -case "$1" in - on) - perl -p -i \ - -E 's,\A ((?:\#)? \s* deb(?:-src)? \s+)http://,$1tor+http://,xms' \ - /etc/apt/sources.list /etc/apt/sources.list.d/*.list - ;; - off) - perl -p -i \ - -E 's,\A ((?:\#)? \s* deb(?:-src)? \s+)tor[+]http://,$1http://,xms' \ - /etc/apt/sources.list /etc/apt/sources.list.d/*.list - ;; - *) - print_usage_and_exit - ;; -esac diff --git a/config/chroot_local-includes/usr/local/lib/create-tor-browser-directories b/config/chroot_local-includes/usr/local/lib/create-tor-browser-directories new file mode 100755 index 0000000000000000000000000000000000000000..e1fe2c364eea14e933fd0214ae45132d01ca1779 --- /dev/null +++ b/config/chroot_local-includes/usr/local/lib/create-tor-browser-directories @@ -0,0 +1,15 @@ +#!/bin/sh + +set -eu + +TOR_BROWSER_AMNESIAC_DIR='/home/amnesia/Tor Browser' +TOR_BROWSER_PERSISTENT_DIR='/home/amnesia/Persistent/Tor Browser' + +. /usr/local/lib/tails-shell-library/tails-greeter.sh + +install -d -o amnesia -g amnesia -m 0700 "$TOR_BROWSER_AMNESIAC_DIR" + +if persistence_is_enabled_for "${HOME}/Persistent" && \ + persistence_is_enabled_read_write ; then + install -d -o amnesia -g amnesia -m 0700 "$TOR_BROWSER_PERSISTENT_DIR" +fi diff --git a/config/chroot_local-includes/usr/local/sbin/autotest_remote_shell.py b/config/chroot_local-includes/usr/local/lib/tails-autotest-remote-shell old mode 100644 new mode 100755 similarity index 77% rename from config/chroot_local-includes/usr/local/sbin/autotest_remote_shell.py rename to config/chroot_local-includes/usr/local/lib/tails-autotest-remote-shell index 8778ddd18f64da78f636bd058ced181dcbcfe6d1..958d5bbd0aa62ff6e5d638e56d3ade8884c82d10 --- a/config/chroot_local-includes/usr/local/sbin/autotest_remote_shell.py +++ b/config/chroot_local-includes/usr/local/lib/tails-autotest-remote-shell @@ -19,16 +19,15 @@ def mk_switch_user_fn(uid, gid): return switch_user def run_cmd_as_user(cmd, user): - env = environ.copy() pwd_user = getpwnam(user) switch_user_fn = mk_switch_user_fn(pwd_user.pw_uid, pwd_user.pw_gid) - env['USER'] = user - env['LOGNAME'] = user - env['USERNAME'] = user - env['HOME'] = pwd_user.pw_dir - env['MAIL'] = "/var/mail/" + user - env['PWD'] = env['HOME'] + # We try to create an environment identical to what's expected + # inside Tails for the user by logging in (via `su`) as the user and + # extracting the environment. + pipe = Popen('su -c env ' + user, stdout=PIPE, shell=True) + env_data = pipe.communicate()[0] + env = dict((line.split('=', 1) for line in env_data.splitlines())) env['DISPLAY'] = ':0.0' try: env['XAUTHORITY'] = glob("/var/run/gdm3/auth-for-amnesia-*/database")[0] @@ -42,6 +41,12 @@ def main(): dev = argv[1] port = serial.Serial(port = dev, baudrate = 4000000) port.open() + + # Create a state file so other applications can know that the remote + # shell is operational. + state_file_path = "/var/lib/live/autotest-remote-shell-running" + open(state_file_path, "w").close() + while True: try: line = port.readline() diff --git a/config/chroot_local-includes/usr/local/lib/tails-shell-library/chroot-browser.sh b/config/chroot_local-includes/usr/local/lib/tails-shell-library/chroot-browser.sh index 1b889dbf1b30bafaaabbedd7e7cd88b2bc03e9b4..3cee490cafb4507825b5140bfbdfeb162abf06e5 100644 --- a/config/chroot_local-includes/usr/local/lib/tails-shell-library/chroot-browser.sh +++ b/config/chroot_local-includes/usr/local/lib/tails-shell-library/chroot-browser.sh @@ -144,11 +144,6 @@ configure_chroot_browser_profile () { "${browser_prefs}" fi - # Customize the GUI - local browser_chrome="${browser_profile}/chrome/userChrome.css" - mkdir -p "$(dirname "${browser_chrome}")" - cp "/usr/share/tails/${browser_name}/userChrome.css" "${browser_chrome}" - # Remove all bookmarks rm "${chroot}/${TBB_PROFILE}/bookmarks.html" @@ -159,11 +154,20 @@ configure_chroot_browser_profile () { else # The tails-activate-win8-theme script requires that the # browser profile is writable by the user running the script. - set_chroot_browser_permissions "${chroot}" "${browser_user}" + set_chroot_browser_permissions "${chroot}" "${browser_name}" "${browser_user}" # The camouflage activation script requires a dbus server for # properly configuring GNOME, so we start one in the chroot chroot "${chroot}" sudo -H -u "${browser_user}" sh -c 'eval `dbus-launch --auto-syntax`; tails-activate-win8-theme' || : fi + + # Customize the GUI. This must be done after (potentially) + # applying the camouflage theme since we in that case will be + # appending to the camouflage config. + local browser_chrome="${browser_profile}/chrome/userChrome.css" + mkdir -p "$(dirname "${browser_chrome}")" + cat "/usr/share/tails/${browser_name}/userChrome.css" >> "${browser_chrome}" + + set_chroot_browser_permissions "${chroot}" "${browser_name}" "${browser_user}" } set_chroot_browser_locale () { diff --git a/config/chroot_local-includes/usr/local/lib/tails-shell-library/common.sh b/config/chroot_local-includes/usr/local/lib/tails-shell-library/common.sh index dda18885949cf99f3ea07e3323628da2986bb96b..b7b63387317422b585f05fbe2b94397d8fafbc77 100644 --- a/config/chroot_local-includes/usr/local/lib/tails-shell-library/common.sh +++ b/config/chroot_local-includes/usr/local/lib/tails-shell-library/common.sh @@ -38,12 +38,15 @@ try_for() { # torrc's " "). If the key already exists its value is updated in # place, otherwise it's added at the end. set_simple_config_key() { - local key="${1}" - local value="${2}" - local file="${3}" + local file="${1}" + local key="${2}" + local value="${3}" local op="${4:-=}" if grep -q "^${key}${op}" "${file}"; then - sed -i -n "s/^${key}${op}.*$/${key}${op}${value}/p" "${file}" + # Escape / in input so it can be used as the sed separator + key="$(echo "${key}" | sed 's,/,\\/,g')" + value="$(echo "${value}" | sed 's,/,\\/,g')" + sed -i "s/^${key}${op}.*$/${key}${op}${value}/" "${file}" else echo "${key}${op}${value}" >> "${file}" fi diff --git a/config/chroot_local-includes/usr/local/lib/tails-shell-library/i2p.sh b/config/chroot_local-includes/usr/local/lib/tails-shell-library/i2p.sh index cb18478f7e5b4ad5069a04aaf6f63f1b35a7a6b8..8f35ea0f1a97cf518d4046914a107db566c1af2e 100644 --- a/config/chroot_local-includes/usr/local/lib/tails-shell-library/i2p.sh +++ b/config/chroot_local-includes/usr/local/lib/tails-shell-library/i2p.sh @@ -1,6 +1,6 @@ #!/bin/sh -# Import set_key(). +# Import set_simple_config_key(). . /usr/local/lib/tails-shell-library/common.sh # Import language_code_from_locale(). @@ -28,7 +28,7 @@ i2p_eep_proxy_address() { } i2p_has_bootstrapped() { - netstat -4nlp | grep -qwF "$(i2p_eep_proxy_address)" + netstat -nlp | grep -qwF "$(i2p_eep_proxy_address)" } i2p_router_console_address() { @@ -36,7 +36,7 @@ i2p_router_console_address() { } i2p_router_console_is_ready() { - netstat -4nlp | grep -qwF "$(i2p_router_console_address)" + netstat -nlp | grep -qwF "$(i2p_router_console_address)" } set_best_i2p_router_console_lang() { @@ -49,7 +49,7 @@ set_best_i2p_router_console_lang() { for config in "${I2P_CONFIG}/router.config" \ "${I2P_DEFAULT_CONFIG}/router.config"; do if [ -e "${config}" ]; then - set_simple_config_key "routerconsole.lang" "${lang}" "${config}" + set_simple_config_key "${config}" "routerconsole.lang" "${lang}" return 0 fi done diff --git a/config/chroot_local-includes/usr/local/lib/tails-shell-library/tails-greeter.sh b/config/chroot_local-includes/usr/local/lib/tails-shell-library/tails-greeter.sh index 31e25d3f63b5d8b549e6e09d228a11c63c7e6c28..9c301f1ee754e1f7439e19590e03ffcb7a294d11 100644 --- a/config/chroot_local-includes/usr/local/lib/tails-shell-library/tails-greeter.sh +++ b/config/chroot_local-includes/usr/local/lib/tails-shell-library/tails-greeter.sh @@ -14,6 +14,15 @@ persistence_is_enabled() { [ "$(_get_tg_setting "${PERSISTENCE_STATE}" TAILS_PERSISTENCE_ENABLED)" = true ] } +persistence_is_enabled_for() { + persistence_is_enabled && mountpoint -q "$1" 2>/dev/null +} + +persistence_is_enabled_read_write() { + persistence_is_enabled && \ + [ "$(_get_tg_setting "${PERSISTENCE_STATE}" TAILS_PERSISTENCE_READONLY)" != true ] +} + mac_spoof_is_enabled() { # Only return false when explicitly told so to increase failure # safety. diff --git a/config/chroot_local-includes/usr/local/lib/tails-shell-library/tor-browser.sh b/config/chroot_local-includes/usr/local/lib/tails-shell-library/tor-browser.sh index 8dad532901f82d8f7eb569920dd8bfd335b15f18..709dc5c3bd19479b70dcd11e691488bcec84657d 100644 --- a/config/chroot_local-includes/usr/local/lib/tails-shell-library/tor-browser.sh +++ b/config/chroot_local-includes/usr/local/lib/tails-shell-library/tor-browser.sh @@ -11,6 +11,12 @@ exec_firefox() { exec "${TBB_INSTALL}"/firefox "${@}" } +exec_unconfined_firefox() { + LD_LIBRARY_PATH="${TBB_INSTALL}" + export LD_LIBRARY_PATH + exec "${TBB_INSTALL}"/firefox-unconfined "${@}" +} + guess_best_tor_browser_locale() { local long_locale short_locale similar_locale long_locale="$(echo ${LANG} | sed -e 's/\..*$//' -e 's/_/-/')" @@ -65,3 +71,11 @@ configure_best_tor_browser_locale() { configure_best_tor_launcher_locale() { configure_xulrunner_app_locale "${1}" "$(guess_best_tor_launcher_locale)" } + +supported_tor_browser_locales() { + # The default is always supported + echo en-US + for langpack in "${TBB_EXT}"/langpack-*@firefox.mozilla.org.xpi; do + basename "${langpack}" | sed 's,^langpack-\([^@]\+\)@.*$,\1,' + done +} diff --git a/config/chroot_local-includes/usr/local/lib/tails-shell-library/tor.sh b/config/chroot_local-includes/usr/local/lib/tails-shell-library/tor.sh index 6139a45ec208950ca54e1ba0553f8776734dfe48..d797c508da27d98e929eaab251dd4188c050a54c 100755 --- a/config/chroot_local-includes/usr/local/lib/tails-shell-library/tor.sh +++ b/config/chroot_local-includes/usr/local/lib/tails-shell-library/tor.sh @@ -34,8 +34,12 @@ tor_control_setconf() { } tor_bootstrap_progress() { - grep -o "\[notice\] Bootstrapped [[:digit:]]\+%:" ${TOR_LOG} | \ - tail -n1 | sed "s|\[notice\] Bootstrapped \([[:digit:]]\+\)%:|\1|" + RES=$(grep -o "\[notice\] Bootstrapped [[:digit:]]\+%:" ${TOR_LOG} | \ + tail -n1 | sed "s|\[notice\] Bootstrapped \([[:digit:]]\+\)%:|\1|") + if [ -z "$RES" ] ; then + RES=0 + fi + echo -n "$RES" } # Potential Tor bug: it seems like using this version makes Tor get diff --git a/config/chroot_local-includes/usr/local/sbin/i2p-browser b/config/chroot_local-includes/usr/local/sbin/i2p-browser index 5a494a074cd59d37104f098e6495fa128a73b7df..fe823e6b1c33daa105ae25ed619729d467826ddf 100755 --- a/config/chroot_local-includes/usr/local/sbin/i2p-browser +++ b/config/chroot_local-includes/usr/local/sbin/i2p-browser @@ -58,9 +58,9 @@ copy_extra_tbb_prefs () { local browser_prefs_dir="${chroot}/home/${browser_user}/.${browser_name}/profile.default/preferences" mkdir -p "${browser_prefs_dir}" # Selectively copy the TBB prefs we want - sed '/\(security\|update\|download\|spell\|noscript\|torbrowser\|torbutton\)/!d' "${tbb_prefs}/0000tails.js" > \ + sed '/\(security\|update\|download\|spell\|noscript\|torbrowser\)/!d' "${tbb_prefs}/0000tails.js" > \ "${browser_prefs_dir}/0000tails.js" - sed '/\(capability\|noscript\|torbutton\)/!d' "${tbb_prefs}/extension-overrides.js" > \ + sed '/\(capability\|noscript\)/!d' "${tbb_prefs}/extension-overrides.js" > \ "${browser_prefs_dir}/extension-overrides.js" chown -R "${browser_user}:${browser_user}" "${browser_prefs_dir}" } diff --git a/config/chroot_local-includes/usr/local/sbin/restart-tor b/config/chroot_local-includes/usr/local/sbin/restart-tor index aee797b7036077540edd0200c46d69f128dc105c..8950638f331a22a586af8a283bbf098896f74eeb 100755 --- a/config/chroot_local-includes/usr/local/sbin/restart-tor +++ b/config/chroot_local-includes/usr/local/sbin/restart-tor @@ -13,7 +13,7 @@ if pgrep "\<vidalia\>" >/dev/null; then killall -SIGKILL vidalia # Since Tor just restarted we wait for a while until the # ControlPort hopefully is up. - local counter=0 + counter=0 until [ "${counter}" -ge 10 ] || nc -z localhost 9051 2>/dev/null; do sleep 1 counter=$((${counter}+1)) diff --git a/config/chroot_local-includes/usr/local/sbin/restart-vidalia b/config/chroot_local-includes/usr/local/sbin/restart-vidalia index 1e9abea9fa00e13404f80ac73dd0e47a8177c86b..3d79d4debe1dd865d5b945460e97520e40b4e37a 100755 --- a/config/chroot_local-includes/usr/local/sbin/restart-vidalia +++ b/config/chroot_local-includes/usr/local/sbin/restart-vidalia @@ -8,6 +8,9 @@ set -e # Get LANG . /etc/default/locale +# Get windows_camouflage_is_enabled +. /usr/local/lib/tails-shell-library/tails-greeter.sh + for i in $(seq 10); do killall -SIGKILL vidalia || : sleep 1 @@ -16,6 +19,9 @@ for i in $(seq 10); do fi done +# We don't want to start Vidalia if Windows Camouflage is enabled (ticket #7400) +windows_camouflage_is_enabled && exit 0 + until pgrep -u "${LIVE_USERNAME}" "^nm-applet$" >/dev/null ; do sleep 5 done diff --git a/config/chroot_local-includes/usr/local/sbin/tails-debugging-info b/config/chroot_local-includes/usr/local/sbin/tails-debugging-info index 396862f34e11557b496b5db712692dc50237ea0e..9dd6f6aedaa58f10a428b46f16b43dd270cb9213 100755 --- a/config/chroot_local-includes/usr/local/sbin/tails-debugging-info +++ b/config/chroot_local-includes/usr/local/sbin/tails-debugging-info @@ -9,7 +9,7 @@ debug_command() { debug_file() { echo echo "===== content of $1 =====" - cat $1 + cat "$1" } debug_command /usr/sbin/dmidecode -s system-manufacturer @@ -17,6 +17,7 @@ debug_command /usr/sbin/dmidecode -s system-product-name debug_command /usr/sbin/dmidecode -s system-version debug_command "/bin/dmesg" debug_command "/bin/lsmod" +debug_command "/bin/mount" debug_command "/usr/bin/lspci" debug_command grep spoof-mac: /var/log/messages @@ -35,3 +36,4 @@ debug_file "/var/log/live/config.log" debug_file "/var/lib/gdm3/tails.persistence" debug_file "/var/lib/live/config/tails.physical_security" debug_file "/live/persistence/TailsData_unlocked/persistence.conf" +debug_file "/live/persistence/TailsData_unlocked/live-additional-software.conf" diff --git a/config/chroot_local-includes/usr/local/sbin/tails-spoof-mac b/config/chroot_local-includes/usr/local/sbin/tails-spoof-mac index e09f010ac1aa29d92564d1e885b896c11b94f25f..8f0f2b514882f125925779c3b46c611f88e77f8e 100755 --- a/config/chroot_local-includes/usr/local/sbin/tails-spoof-mac +++ b/config/chroot_local-includes/usr/local/sbin/tails-spoof-mac @@ -74,9 +74,13 @@ mac_spoof_panic() { spoof_mac() { local msg - if ! msg=$(macchanger -e "${1}" 2>&1); then - log "macchanger failed for NIC ${1}, returned ${?} and said: ${msg}" - return 1 + set +e + msg="$(macchanger -e "${1}" 2>&1)" + ret="${?}" + set -e + if [ "${ret}" != 0 ]; then + log "macchanger failed for NIC ${1}, returned ${ret} and said: ${msg}" + exit 1 fi } diff --git a/config/chroot_local-includes/usr/local/sbin/tails-tor-launcher b/config/chroot_local-includes/usr/local/sbin/tails-tor-launcher index 24b50af5bdfd04cd1ab991ac5f5954c8aa356530..4c986399be51383f32fd014656e7bd1b3a6573d7 100755 --- a/config/chroot_local-includes/usr/local/sbin/tails-tor-launcher +++ b/config/chroot_local-includes/usr/local/sbin/tails-tor-launcher @@ -7,9 +7,11 @@ unset TOR_FORCE_NET_CONFIG TOR_CONFIGURE_ONLY=1 TOR_CONTROL_PORT=9051 TOR_CONTROL_COOKIE_AUTH_FILE=/var/run/tor/control.authcookie +TOR_HIDE_BROWSER_LOGO=1 export TOR_CONFIGURE_ONLY export TOR_CONTROL_PORT export TOR_CONTROL_COOKIE_AUTH_FILE +export TOR_HIDE_BROWSER_LOGO if echo "$@" | grep -qw -- --force-net-config; then TOR_FORCE_NET_CONFIG=1 diff --git a/config/chroot_local-includes/usr/local/sbin/tails-unblock-network b/config/chroot_local-includes/usr/local/sbin/tails-unblock-network index 6ed8ed5168f41424bbb082f4fafecab0735dafcb..03edfd051cddd8e9efd92cc29d2dd013d9b19d73 100755 --- a/config/chroot_local-includes/usr/local/sbin/tails-unblock-network +++ b/config/chroot_local-includes/usr/local/sbin/tails-unblock-network @@ -5,9 +5,6 @@ set -e BLACKLIST=/etc/modprobe.d/all-net-blacklist.conf rm -f "${BLACKLIST}" -if [ -e "${BLACKLIST}" ]; then - log "${BLACKLIST} wasn't removed so the network will still be blocked" -fi # Now we'll load any present network device previously blocked by # BLACKLIST. In particular, the MAC spoofing udev rule should trigger diff --git a/config/chroot_local-includes/usr/local/sbin/tor-controlport-filter b/config/chroot_local-includes/usr/local/sbin/tor-controlport-filter index dbf454e29131df38495d372fbcd9f00d607a6103..6dc3a60859660d5734641d312b017eadc9224202 100755 --- a/config/chroot_local-includes/usr/local/sbin/tor-controlport-filter +++ b/config/chroot_local-includes/usr/local/sbin/tor-controlport-filter @@ -17,6 +17,7 @@ import socket import binascii +import re # Limit the length of a line, to prevent DoS attacks trying to # crash this filter proxy by sending infinitely long lines. @@ -90,18 +91,23 @@ def handle_connection(sock): line = readh.readline(MAX_LINESIZE) if not line: break + def line_matches_command(cmd): + # The control port language does not care about case + # for commands. + return re.match(r"^%s\b" % cmd, line, re.IGNORECASE) + # Check what it is - if line.startswith("AUTHENTICATE"): + if line_matches_command("AUTHENTICATE"): # Don't check authentication, since only # safe commands are allowed writeh.write("250 OK\n") - elif line.startswith("SIGNAL NEWNYM"): + elif line_matches_command("SIGNAL NEWNYM"): # Perform a real SIGNAL NEWNYM (new Tor circuit) if do_newnym(): writeh.write("250 OK\n") else: writeh.write("510 Newnym signal failed\n") - elif line.startswith("QUIT"): + elif line_matches_command("QUIT"): # Quit session writeh.write("250 Closing connection\n") break diff --git a/config/chroot_local-includes/usr/local/sbin/unsafe-browser b/config/chroot_local-includes/usr/local/sbin/unsafe-browser index 1f049b1ba3c22a4e7cc61a7c23dc35ec3cbabd8d..7c6da2230439f9fb97db4bd042a4dfca76830209 100755 --- a/config/chroot_local-includes/usr/local/sbin/unsafe-browser +++ b/config/chroot_local-includes/usr/local/sbin/unsafe-browser @@ -100,7 +100,7 @@ if [ -r "${NM_ENV_FILE}" ]; then # script. Note that while the regex used for deciding IP addresses # is far from perfect, it serves our purpose here. IP4_REGEX='[0-9]{1,3}(\.[0-9]{1,3}){3}' - NAMESERVERS_REGEX="^IP4_NAMESERVERS=\"${IP4_REGEX}\"$" + NAMESERVERS_REGEX="^IP4_NAMESERVERS=\"(${IP4_REGEX}( ${IP4_REGEX})*)?\"$" if grep --extended-regexp -qv "${NAMESERVERS_REGEX}" "${NM_ENV_FILE}"; then error "`gettext \"NetworkManager passed us garbage data when trying to deduce the clearnet DNS server.\"`" fi diff --git a/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/README.txt b/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/README.txt deleted file mode 100644 index 9473369ca60362f69933d0f37c80884fbbed5cbd..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/README.txt +++ /dev/null @@ -1,9 +0,0 @@ -add a new language -================== - -To add a language, for example, it-IT, - -* copy chrome/locale/en-US to chrome/locale/it-IT -* edit chrome/locale/it-IT/amnesia.properties -* don't forget to add a line in chrome.manifest - (locale amnesiabranding it-IT chrome/locale/it-IT/) diff --git a/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome.manifest b/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome.manifest deleted file mode 100644 index 353060a6288baf83a451f2a72d14a627e37c56cd..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome.manifest +++ /dev/null @@ -1,9 +0,0 @@ -locale amnesiabranding ar-EG chrome/locale/ar-EG/ -locale amnesiabranding de-DE chrome/locale/de-DE/ -locale amnesiabranding en-US chrome/locale/en-US/ -locale amnesiabranding es-ES chrome/locale/es-ES/ -locale amnesiabranding fr-FR chrome/locale/fr-FR/ -locale amnesiabranding it-IT chrome/locale/it-IT/ -locale amnesiabranding pt-BR chrome/locale/pt-BR/ -locale amnesiabranding pt-PT chrome/locale/pt-PT/ -locale amnesiabranding zh-CN chrome/locale/zh-CN/ diff --git a/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome/locale/ar-EG/amnesia.properties b/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome/locale/ar-EG/amnesia.properties deleted file mode 100644 index fab9fcd27d2c6da0389ddf67fdd3e08d5bcf192e..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome/locale/ar-EG/amnesia.properties +++ /dev/null @@ -1,4 +0,0 @@ -browser.search.defaultenginename=Startpage -browser.search.selectedEngine=Startpage -browser.startup.homepage=https://tails.boum.org/news/ -spellchecker.dictionary=ar_EG diff --git a/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome/locale/de-DE/amnesia.properties b/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome/locale/de-DE/amnesia.properties deleted file mode 100644 index b855d5beb045b1f2f563c7cc50cedf48a3329d19..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome/locale/de-DE/amnesia.properties +++ /dev/null @@ -1,4 +0,0 @@ -browser.search.defaultenginename=Startpage - Deutsch -browser.search.selectedEngine=Startpage - Deutsch -browser.startup.homepage=https://tails.boum.org/news/index.de.html -spellchecker.dictionary=de_DE diff --git a/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome/locale/en-US/amnesia.properties b/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome/locale/en-US/amnesia.properties deleted file mode 100644 index 02b48170aa847a485f7c42482adfe0566681d796..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome/locale/en-US/amnesia.properties +++ /dev/null @@ -1,4 +0,0 @@ -browser.search.defaultenginename=Startpage -browser.search.selectedEngine=Startpage -browser.startup.homepage=https://tails.boum.org/news/ -spellchecker.dictionary=en_US diff --git a/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome/locale/es-ES/amnesia.properties b/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome/locale/es-ES/amnesia.properties deleted file mode 100644 index cb9c0d5b9d83af512954d04026d7d3f4b084e2c0..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome/locale/es-ES/amnesia.properties +++ /dev/null @@ -1,4 +0,0 @@ -browser.search.defaultenginename=Startpage - Espanol -browser.search.selectedEngine=Startpage - Espanol -browser.startup.homepage=https://tails.boum.org/news/ -spellchecker.dictionary=es_ES diff --git a/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome/locale/fr-FR/amnesia.properties b/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome/locale/fr-FR/amnesia.properties deleted file mode 100644 index 8c2b613c3494ea6c4943e9b774f8dfdabb45e272..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome/locale/fr-FR/amnesia.properties +++ /dev/null @@ -1,4 +0,0 @@ -browser.search.defaultenginename=Startpage - Francais -browser.search.selectedEngine=Startpage - Francais -browser.startup.homepage=https://tails.boum.org/news/index.fr.html -spellchecker.dictionary=fr_FR diff --git a/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome/locale/it-IT/amnesia.properties b/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome/locale/it-IT/amnesia.properties deleted file mode 100644 index d9cb24e5258de476bb6d956596006ef53003a307..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome/locale/it-IT/amnesia.properties +++ /dev/null @@ -1,4 +0,0 @@ -browser.search.defaultenginename=Startpage - Italiano -browser.search.selectedEngine=Startpage - Italiano -browser.startup.homepage=https://tails.boum.org/news/ -spellchecker.dictionary=it_IT diff --git a/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome/locale/pt-BR/amnesia.properties b/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome/locale/pt-BR/amnesia.properties deleted file mode 100644 index 57fbdeba49dd8fcaae8d0c9e0244ea91e7fceb39..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome/locale/pt-BR/amnesia.properties +++ /dev/null @@ -1,4 +0,0 @@ -browser.search.defaultenginename=Startpage - Portugues -browser.search.selectedEngine=Startpage - Portugues -browser.startup.homepage=https://tails.boum.org/news/index.pt.html -spellchecker.dictionary=pt_BR diff --git a/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome/locale/pt-PT/amnesia.properties b/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome/locale/pt-PT/amnesia.properties deleted file mode 100644 index c9a6204a33317a68428ff564c8c9e6f15a77b482..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome/locale/pt-PT/amnesia.properties +++ /dev/null @@ -1,4 +0,0 @@ -browser.search.defaultenginename=Startpage - Portugues -browser.search.selectedEngine=Startpage - Portugues -browser.startup.homepage=https://tails.boum.org/news/index.pt.html -spellchecker.dictionary=pt_PT diff --git a/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome/locale/zh-CN/amnesia.properties b/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome/locale/zh-CN/amnesia.properties deleted file mode 100644 index 02b48170aa847a485f7c42482adfe0566681d796..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/local/share/tor-browser-extensions/branding@amnesia.boum.org/chrome/locale/zh-CN/amnesia.properties +++ /dev/null @@ -1,4 +0,0 @@ -browser.search.defaultenginename=Startpage -browser.search.selectedEngine=Startpage -browser.startup.homepage=https://tails.boum.org/news/ -spellchecker.dictionary=en_US diff --git a/config/chroot_local-includes/usr/share/X11/xorg.conf.d/90-tails.conf b/config/chroot_local-includes/usr/share/X11/xorg.conf.d/90-tails.conf new file mode 100644 index 0000000000000000000000000000000000000000..f2e6c46afae19c6077fb40eaf43950f7d609802a --- /dev/null +++ b/config/chroot_local-includes/usr/share/X11/xorg.conf.d/90-tails.conf @@ -0,0 +1,6 @@ +Section "InputClass" + Identifier "Tails-touchpad-configuration" + MatchIsTouchpad "on" + Option "TapButton1" "1" + Option "VertTwoFingerScroll" "1" +EndSection diff --git a/config/chroot_local-includes/usr/share/amnesia/browser/searchplugins/locale/README b/config/chroot_local-includes/usr/share/amnesia/browser/searchplugins/locale/README deleted file mode 100644 index 1965fa99c22142eb239975ebf6297e3c624a2fdb..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/amnesia/browser/searchplugins/locale/README +++ /dev/null @@ -1,5 +0,0 @@ -When Tails is built, the searchplugins defined in these directories -will be symlinked to the corresponding locale directory in -/usr/local/lib/tor-browser/distribution/searchplugins/locale with -one twist: if a language has more than one locale, the searchplugins -will be symlinked in all the corresponding directories. diff --git a/config/chroot_local-includes/usr/share/amnesia/browser/searchplugins/locale/de/startpage-https-de.xml b/config/chroot_local-includes/usr/share/amnesia/browser/searchplugins/locale/de/startpage-https-de.xml deleted file mode 100644 index 1bcd2b21567c8f32a479d071f4686ad346d8568a..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/amnesia/browser/searchplugins/locale/de/startpage-https-de.xml +++ /dev/null @@ -1,15 +0,0 @@ -<SearchPlugin xmlns="http://www.mozilla.org/2006/browser/search/" xmlns:os="http://a9.com/-/spec/opensearch/1.1/"> -<os:ShortName>Startpage - Deutsch</os:ShortName> -<os:Description>Startpage - Deutsch Search Bar</os:Description> -<os:InputEncoding>utf-8</os:InputEncoding> -<os:Image width="16" height="16">data:image/x-icon;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAYAAAAf8/9hAAAACXBIWXMAAAsTAAALEwEAmpwYAAAKT2lDQ1BQaG90b3Nob3AgSUNDIHByb2ZpbGUAAHjanVNnVFPpFj333vRCS4iAlEtvUhUIIFJCi4AUkSYqIQkQSoghodkVUcERRUUEG8igiAOOjoCMFVEsDIoK2AfkIaKOg6OIisr74Xuja9a89+bN/rXXPues852zzwfACAyWSDNRNYAMqUIeEeCDx8TG4eQuQIEKJHAAEAizZCFz/SMBAPh+PDwrIsAHvgABeNMLCADATZvAMByH/w/qQplcAYCEAcB0kThLCIAUAEB6jkKmAEBGAYCdmCZTAKAEAGDLY2LjAFAtAGAnf+bTAICd+Jl7AQBblCEVAaCRACATZYhEAGg7AKzPVopFAFgwABRmS8Q5ANgtADBJV2ZIALC3AMDOEAuyAAgMADBRiIUpAAR7AGDIIyN4AISZABRG8lc88SuuEOcqAAB4mbI8uSQ5RYFbCC1xB1dXLh4ozkkXKxQ2YQJhmkAuwnmZGTKBNA/g88wAAKCRFRHgg/P9eM4Ors7ONo62Dl8t6r8G/yJiYuP+5c+rcEAAAOF0ftH+LC+zGoA7BoBt/qIl7gRoXgugdfeLZrIPQLUAoOnaV/Nw+H48PEWhkLnZ2eXk5NhKxEJbYcpXff5nwl/AV/1s+X48/Pf14L7iJIEyXYFHBPjgwsz0TKUcz5IJhGLc5o9H/LcL//wd0yLESWK5WCoU41EScY5EmozzMqUiiUKSKcUl0v9k4t8s+wM+3zUAsGo+AXuRLahdYwP2SycQWHTA4vcAAPK7b8HUKAgDgGiD4c93/+8//UegJQCAZkmScQAAXkQkLlTKsz/HCAAARKCBKrBBG/TBGCzABhzBBdzBC/xgNoRCJMTCQhBCCmSAHHJgKayCQiiGzbAdKmAv1EAdNMBRaIaTcA4uwlW4Dj1wD/phCJ7BKLyBCQRByAgTYSHaiAFiilgjjggXmYX4IcFIBBKLJCDJiBRRIkuRNUgxUopUIFVIHfI9cgI5h1xGupE7yAAygvyGvEcxlIGyUT3UDLVDuag3GoRGogvQZHQxmo8WoJvQcrQaPYw2oefQq2gP2o8+Q8cwwOgYBzPEbDAuxsNCsTgsCZNjy7EirAyrxhqwVqwDu4n1Y8+xdwQSgUXACTYEd0IgYR5BSFhMWE7YSKggHCQ0EdoJNwkDhFHCJyKTqEu0JroR+cQYYjIxh1hILCPWEo8TLxB7iEPENyQSiUMyJ7mQAkmxpFTSEtJG0m5SI+ksqZs0SBojk8naZGuyBzmULCAryIXkneTD5DPkG+Qh8lsKnWJAcaT4U+IoUspqShnlEOU05QZlmDJBVaOaUt2ooVQRNY9aQq2htlKvUYeoEzR1mjnNgxZJS6WtopXTGmgXaPdpr+h0uhHdlR5Ol9BX0svpR+iX6AP0dwwNhhWDx4hnKBmbGAcYZxl3GK+YTKYZ04sZx1QwNzHrmOeZD5lvVVgqtip8FZHKCpVKlSaVGyovVKmqpqreqgtV81XLVI+pXlN9rkZVM1PjqQnUlqtVqp1Q61MbU2epO6iHqmeob1Q/pH5Z/YkGWcNMw09DpFGgsV/jvMYgC2MZs3gsIWsNq4Z1gTXEJrHN2Xx2KruY/R27iz2qqaE5QzNKM1ezUvOUZj8H45hx+Jx0TgnnKKeX836K3hTvKeIpG6Y0TLkxZVxrqpaXllirSKtRq0frvTau7aedpr1Fu1n7gQ5Bx0onXCdHZ4/OBZ3nU9lT3acKpxZNPTr1ri6qa6UbobtEd79up+6Ynr5egJ5Mb6feeb3n+hx9L/1U/W36p/VHDFgGswwkBtsMzhg8xTVxbzwdL8fb8VFDXcNAQ6VhlWGX4YSRudE8o9VGjUYPjGnGXOMk423GbcajJgYmISZLTepN7ppSTbmmKaY7TDtMx83MzaLN1pk1mz0x1zLnm+eb15vft2BaeFostqi2uGVJsuRaplnutrxuhVo5WaVYVVpds0atna0l1rutu6cRp7lOk06rntZnw7Dxtsm2qbcZsOXYBtuutm22fWFnYhdnt8Wuw+6TvZN9un2N/T0HDYfZDqsdWh1+c7RyFDpWOt6azpzuP33F9JbpL2dYzxDP2DPjthPLKcRpnVOb00dnF2e5c4PziIuJS4LLLpc+Lpsbxt3IveRKdPVxXeF60vWdm7Obwu2o26/uNu5p7ofcn8w0nymeWTNz0MPIQ+BR5dE/C5+VMGvfrH5PQ0+BZ7XnIy9jL5FXrdewt6V3qvdh7xc+9j5yn+M+4zw33jLeWV/MN8C3yLfLT8Nvnl+F30N/I/9k/3r/0QCngCUBZwOJgUGBWwL7+Hp8Ib+OPzrbZfay2e1BjKC5QRVBj4KtguXBrSFoyOyQrSH355jOkc5pDoVQfujW0Adh5mGLw34MJ4WHhVeGP45wiFga0TGXNXfR3ENz30T6RJZE3ptnMU85ry1KNSo+qi5qPNo3ujS6P8YuZlnM1VidWElsSxw5LiquNm5svt/87fOH4p3iC+N7F5gvyF1weaHOwvSFpxapLhIsOpZATIhOOJTwQRAqqBaMJfITdyWOCnnCHcJnIi/RNtGI2ENcKh5O8kgqTXqS7JG8NXkkxTOlLOW5hCepkLxMDUzdmzqeFpp2IG0yPTq9MYOSkZBxQqohTZO2Z+pn5mZ2y6xlhbL+xW6Lty8elQfJa7OQrAVZLQq2QqboVFoo1yoHsmdlV2a/zYnKOZarnivN7cyzytuQN5zvn//tEsIS4ZK2pYZLVy0dWOa9rGo5sjxxedsK4xUFK4ZWBqw8uIq2Km3VT6vtV5eufr0mek1rgV7ByoLBtQFr6wtVCuWFfevc1+1dT1gvWd+1YfqGnRs+FYmKrhTbF5cVf9go3HjlG4dvyr+Z3JS0qavEuWTPZtJm6ebeLZ5bDpaql+aXDm4N2dq0Dd9WtO319kXbL5fNKNu7g7ZDuaO/PLi8ZafJzs07P1SkVPRU+lQ27tLdtWHX+G7R7ht7vPY07NXbW7z3/T7JvttVAVVN1WbVZftJ+7P3P66Jqun4lvttXa1ObXHtxwPSA/0HIw6217nU1R3SPVRSj9Yr60cOxx++/p3vdy0NNg1VjZzG4iNwRHnk6fcJ3/ceDTradox7rOEH0x92HWcdL2pCmvKaRptTmvtbYlu6T8w+0dbq3nr8R9sfD5w0PFl5SvNUyWna6YLTk2fyz4ydlZ19fi753GDborZ752PO32oPb++6EHTh0kX/i+c7vDvOXPK4dPKy2+UTV7hXmq86X23qdOo8/pPTT8e7nLuarrlca7nuer21e2b36RueN87d9L158Rb/1tWeOT3dvfN6b/fF9/XfFt1+cif9zsu72Xcn7q28T7xf9EDtQdlD3YfVP1v+3Njv3H9qwHeg89HcR/cGhYPP/pH1jw9DBY+Zj8uGDYbrnjg+OTniP3L96fynQ89kzyaeF/6i/suuFxYvfvjV69fO0ZjRoZfyl5O/bXyl/erA6xmv28bCxh6+yXgzMV70VvvtwXfcdx3vo98PT+R8IH8o/2j5sfVT0Kf7kxmTk/8EA5jz/GMzLdsAAAAgY0hSTQAAeiUAAICDAAD5/wAAgOkAAHUwAADqYAAAOpgAABdvkl/FRgAAAsdJREFUeNpkk1uIlVUcxX/7O/ubGZ2x+XScQxdyHG+IkNPFJl/UJ6MLKYROD6Gl6OCDSL1UUD2UvnWjC9iDDzp2gUMUDSEVgZCYJFN0REUa84yOJI4ZH8050/727d/DOVnZflqw13/9/wvWUu+dtDEEFAnNF+EGRlH6GyI3kCopCIJOEV14iLH1GVqMoKAECYJHKNVzOsZPYZYOQFdGiNIUDqCdA+chUTctUpBooefLEW4/tI9SPQdgatMeLj/5MomGIKCNBRdB/ed0gQglB7cd3Mf0opXUl9zNrV+PUP7kHchzLgy/QWwDbYPgpOW9JZIgzPnlFL3fjwJw+pkD+M6MX9dt4d4X11P+ZoSrD2ygfs9aEucEY8BYMAVYA8bAwo/3smD0XQSwHgoj/JEt4Mz21wGYdb6KM5AYB4UVCgs2wC0pdKWKk8MHyPsGSBs5iz/cS+HBeHCuadJ5MAJqZ8VE51GdbfD0YMqqOxNmLDx/pMBfz1n79hBzL1Vp9PZx+b4N9H97mEZvH8efraCyTNRTH5kYHOrVR1PKcxRHf45MXI/UcqE8W3Fl8ncG3xpi3mQVOzvjp40vcWnVY4SOjFSLaO+ER1Zo+nsSXhi1XJsWNt5VYve6FIDab7288meF9e8P0TNZJZuocm5wC8qCBNDOw8J5zRAM9iU8uLxEV7uiXggNC/3zExYtnsuRXRUe3r+ZZScOI8Dxza8hARLv4Nh4BODxAU1Xu+Krs4HhDwoOfuebwbTQSLv5fFuFa3esJEZwXvAC2nrU0XOBfEZYWk44Nu5RwPxOxdbVmvNTkbFaRBTYtJvPtlYoZmVgBGkXpU3RzO5YLTBWCzxxv2bHmqb/8anIc59abJBWN6DR0Q3SnAkFaGflXxGGGOGHi5EfJwJfVD3TRogo8JC0eCq2yAmoh96ciS78U1VQqP9VWCGAukmgrV3x1wBv2UoM054LiwAAAABJRU5ErkJggg==</os:Image> -<UpdateInterval>3</UpdateInterval> -<UpdateUrl>https://startpage.com/toolbar/searchbar/de/startpage_ff_secure_de.src</UpdateUrl> -<IconUpdateUrl>https://startpage.com/toolbar/searchbar/de/startpage.png</IconUpdateUrl> -<os:Url type="text/html" method="POST" template="https://startpage.com/rto/search"> - <os:Param name="query" value="{searchTerms}"/> - <os:Param name="cat" value="web"/> - <os:Param name="pl" value="ff"/> - <os:Param name="language" value="deutsch"/> -</os:Url> -</SearchPlugin> diff --git a/config/chroot_local-includes/usr/share/amnesia/browser/searchplugins/locale/es/startpage-https-es.xml b/config/chroot_local-includes/usr/share/amnesia/browser/searchplugins/locale/es/startpage-https-es.xml deleted file mode 100644 index 8d4cda8c6041b2e9a5a39d6c4d7fc73b24fa54a1..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/amnesia/browser/searchplugins/locale/es/startpage-https-es.xml +++ /dev/null @@ -1,15 +0,0 @@ -<SearchPlugin xmlns="http://www.mozilla.org/2006/browser/search/" xmlns:os="http://a9.com/-/spec/opensearch/1.1/"> -<os:ShortName>Startpage - Espanol</os:ShortName> -<os:Description>Startpage - Espanol Search Bar</os:Description> -<os:InputEncoding>utf-8</os:InputEncoding> -<os:Image width="16" height="16">data:image/x-icon;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAYAAAAf8/9hAAAACXBIWXMAAAsTAAALEwEAmpwYAAAKT2lDQ1BQaG90b3Nob3AgSUNDIHByb2ZpbGUAAHjanVNnVFPpFj333vRCS4iAlEtvUhUIIFJCi4AUkSYqIQkQSoghodkVUcERRUUEG8igiAOOjoCMFVEsDIoK2AfkIaKOg6OIisr74Xuja9a89+bN/rXXPues852zzwfACAyWSDNRNYAMqUIeEeCDx8TG4eQuQIEKJHAAEAizZCFz/SMBAPh+PDwrIsAHvgABeNMLCADATZvAMByH/w/qQplcAYCEAcB0kThLCIAUAEB6jkKmAEBGAYCdmCZTAKAEAGDLY2LjAFAtAGAnf+bTAICd+Jl7AQBblCEVAaCRACATZYhEAGg7AKzPVopFAFgwABRmS8Q5ANgtADBJV2ZIALC3AMDOEAuyAAgMADBRiIUpAAR7AGDIIyN4AISZABRG8lc88SuuEOcqAAB4mbI8uSQ5RYFbCC1xB1dXLh4ozkkXKxQ2YQJhmkAuwnmZGTKBNA/g88wAAKCRFRHgg/P9eM4Ors7ONo62Dl8t6r8G/yJiYuP+5c+rcEAAAOF0ftH+LC+zGoA7BoBt/qIl7gRoXgugdfeLZrIPQLUAoOnaV/Nw+H48PEWhkLnZ2eXk5NhKxEJbYcpXff5nwl/AV/1s+X48/Pf14L7iJIEyXYFHBPjgwsz0TKUcz5IJhGLc5o9H/LcL//wd0yLESWK5WCoU41EScY5EmozzMqUiiUKSKcUl0v9k4t8s+wM+3zUAsGo+AXuRLahdYwP2SycQWHTA4vcAAPK7b8HUKAgDgGiD4c93/+8//UegJQCAZkmScQAAXkQkLlTKsz/HCAAARKCBKrBBG/TBGCzABhzBBdzBC/xgNoRCJMTCQhBCCmSAHHJgKayCQiiGzbAdKmAv1EAdNMBRaIaTcA4uwlW4Dj1wD/phCJ7BKLyBCQRByAgTYSHaiAFiilgjjggXmYX4IcFIBBKLJCDJiBRRIkuRNUgxUopUIFVIHfI9cgI5h1xGupE7yAAygvyGvEcxlIGyUT3UDLVDuag3GoRGogvQZHQxmo8WoJvQcrQaPYw2oefQq2gP2o8+Q8cwwOgYBzPEbDAuxsNCsTgsCZNjy7EirAyrxhqwVqwDu4n1Y8+xdwQSgUXACTYEd0IgYR5BSFhMWE7YSKggHCQ0EdoJNwkDhFHCJyKTqEu0JroR+cQYYjIxh1hILCPWEo8TLxB7iEPENyQSiUMyJ7mQAkmxpFTSEtJG0m5SI+ksqZs0SBojk8naZGuyBzmULCAryIXkneTD5DPkG+Qh8lsKnWJAcaT4U+IoUspqShnlEOU05QZlmDJBVaOaUt2ooVQRNY9aQq2htlKvUYeoEzR1mjnNgxZJS6WtopXTGmgXaPdpr+h0uhHdlR5Ol9BX0svpR+iX6AP0dwwNhhWDx4hnKBmbGAcYZxl3GK+YTKYZ04sZx1QwNzHrmOeZD5lvVVgqtip8FZHKCpVKlSaVGyovVKmqpqreqgtV81XLVI+pXlN9rkZVM1PjqQnUlqtVqp1Q61MbU2epO6iHqmeob1Q/pH5Z/YkGWcNMw09DpFGgsV/jvMYgC2MZs3gsIWsNq4Z1gTXEJrHN2Xx2KruY/R27iz2qqaE5QzNKM1ezUvOUZj8H45hx+Jx0TgnnKKeX836K3hTvKeIpG6Y0TLkxZVxrqpaXllirSKtRq0frvTau7aedpr1Fu1n7gQ5Bx0onXCdHZ4/OBZ3nU9lT3acKpxZNPTr1ri6qa6UbobtEd79up+6Ynr5egJ5Mb6feeb3n+hx9L/1U/W36p/VHDFgGswwkBtsMzhg8xTVxbzwdL8fb8VFDXcNAQ6VhlWGX4YSRudE8o9VGjUYPjGnGXOMk423GbcajJgYmISZLTepN7ppSTbmmKaY7TDtMx83MzaLN1pk1mz0x1zLnm+eb15vft2BaeFostqi2uGVJsuRaplnutrxuhVo5WaVYVVpds0atna0l1rutu6cRp7lOk06rntZnw7Dxtsm2qbcZsOXYBtuutm22fWFnYhdnt8Wuw+6TvZN9un2N/T0HDYfZDqsdWh1+c7RyFDpWOt6azpzuP33F9JbpL2dYzxDP2DPjthPLKcRpnVOb00dnF2e5c4PziIuJS4LLLpc+Lpsbxt3IveRKdPVxXeF60vWdm7Obwu2o26/uNu5p7ofcn8w0nymeWTNz0MPIQ+BR5dE/C5+VMGvfrH5PQ0+BZ7XnIy9jL5FXrdewt6V3qvdh7xc+9j5yn+M+4zw33jLeWV/MN8C3yLfLT8Nvnl+F30N/I/9k/3r/0QCngCUBZwOJgUGBWwL7+Hp8Ib+OPzrbZfay2e1BjKC5QRVBj4KtguXBrSFoyOyQrSH355jOkc5pDoVQfujW0Adh5mGLw34MJ4WHhVeGP45wiFga0TGXNXfR3ENz30T6RJZE3ptnMU85ry1KNSo+qi5qPNo3ujS6P8YuZlnM1VidWElsSxw5LiquNm5svt/87fOH4p3iC+N7F5gvyF1weaHOwvSFpxapLhIsOpZATIhOOJTwQRAqqBaMJfITdyWOCnnCHcJnIi/RNtGI2ENcKh5O8kgqTXqS7JG8NXkkxTOlLOW5hCepkLxMDUzdmzqeFpp2IG0yPTq9MYOSkZBxQqohTZO2Z+pn5mZ2y6xlhbL+xW6Lty8elQfJa7OQrAVZLQq2QqboVFoo1yoHsmdlV2a/zYnKOZarnivN7cyzytuQN5zvn//tEsIS4ZK2pYZLVy0dWOa9rGo5sjxxedsK4xUFK4ZWBqw8uIq2Km3VT6vtV5eufr0mek1rgV7ByoLBtQFr6wtVCuWFfevc1+1dT1gvWd+1YfqGnRs+FYmKrhTbF5cVf9go3HjlG4dvyr+Z3JS0qavEuWTPZtJm6ebeLZ5bDpaql+aXDm4N2dq0Dd9WtO319kXbL5fNKNu7g7ZDuaO/PLi8ZafJzs07P1SkVPRU+lQ27tLdtWHX+G7R7ht7vPY07NXbW7z3/T7JvttVAVVN1WbVZftJ+7P3P66Jqun4lvttXa1ObXHtxwPSA/0HIw6217nU1R3SPVRSj9Yr60cOxx++/p3vdy0NNg1VjZzG4iNwRHnk6fcJ3/ceDTradox7rOEH0x92HWcdL2pCmvKaRptTmvtbYlu6T8w+0dbq3nr8R9sfD5w0PFl5SvNUyWna6YLTk2fyz4ydlZ19fi753GDborZ752PO32oPb++6EHTh0kX/i+c7vDvOXPK4dPKy2+UTV7hXmq86X23qdOo8/pPTT8e7nLuarrlca7nuer21e2b36RueN87d9L158Rb/1tWeOT3dvfN6b/fF9/XfFt1+cif9zsu72Xcn7q28T7xf9EDtQdlD3YfVP1v+3Njv3H9qwHeg89HcR/cGhYPP/pH1jw9DBY+Zj8uGDYbrnjg+OTniP3L96fynQ89kzyaeF/6i/suuFxYvfvjV69fO0ZjRoZfyl5O/bXyl/erA6xmv28bCxh6+yXgzMV70VvvtwXfcdx3vo98PT+R8IH8o/2j5sfVT0Kf7kxmTk/8EA5jz/GMzLdsAAAAgY0hSTQAAeiUAAICDAAD5/wAAgOkAAHUwAADqYAAAOpgAABdvkl/FRgAAAsdJREFUeNpkk1uIlVUcxX/7O/ubGZ2x+XScQxdyHG+IkNPFJl/UJ6MLKYROD6Gl6OCDSL1UUD2UvnWjC9iDDzp2gUMUDSEVgZCYJFN0REUa84yOJI4ZH8050/727d/DOVnZflqw13/9/wvWUu+dtDEEFAnNF+EGRlH6GyI3kCopCIJOEV14iLH1GVqMoKAECYJHKNVzOsZPYZYOQFdGiNIUDqCdA+chUTctUpBooefLEW4/tI9SPQdgatMeLj/5MomGIKCNBRdB/ed0gQglB7cd3Mf0opXUl9zNrV+PUP7kHchzLgy/QWwDbYPgpOW9JZIgzPnlFL3fjwJw+pkD+M6MX9dt4d4X11P+ZoSrD2ygfs9aEucEY8BYMAVYA8bAwo/3smD0XQSwHgoj/JEt4Mz21wGYdb6KM5AYB4UVCgs2wC0pdKWKk8MHyPsGSBs5iz/cS+HBeHCuadJ5MAJqZ8VE51GdbfD0YMqqOxNmLDx/pMBfz1n79hBzL1Vp9PZx+b4N9H97mEZvH8efraCyTNRTH5kYHOrVR1PKcxRHf45MXI/UcqE8W3Fl8ncG3xpi3mQVOzvjp40vcWnVY4SOjFSLaO+ER1Zo+nsSXhi1XJsWNt5VYve6FIDab7288meF9e8P0TNZJZuocm5wC8qCBNDOw8J5zRAM9iU8uLxEV7uiXggNC/3zExYtnsuRXRUe3r+ZZScOI8Dxza8hARLv4Nh4BODxAU1Xu+Krs4HhDwoOfuebwbTQSLv5fFuFa3esJEZwXvAC2nrU0XOBfEZYWk44Nu5RwPxOxdbVmvNTkbFaRBTYtJvPtlYoZmVgBGkXpU3RzO5YLTBWCzxxv2bHmqb/8anIc59abJBWN6DR0Q3SnAkFaGflXxGGGOGHi5EfJwJfVD3TRogo8JC0eCq2yAmoh96ciS78U1VQqP9VWCGAukmgrV3x1wBv2UoM054LiwAAAABJRU5ErkJggg==</os:Image> -<UpdateInterval>3</UpdateInterval> -<UpdateUrl>https://startpage.com/toolbar/searchbar/es/startpage_ff_secure_es.src</UpdateUrl> -<IconUpdateUrl>https://startpage.com/toolbar/searchbar/es/startpage.png</IconUpdateUrl> -<os:Url type="text/html" method="POST" template="https://startpage.com/rto/search"> - <os:Param name="query" value="{searchTerms}"/> - <os:Param name="cat" value="web"/> - <os:Param name="pl" value="ff"/> - <os:Param name="language" value="espanol"/> -</os:Url> -</SearchPlugin> diff --git a/config/chroot_local-includes/usr/share/amnesia/browser/searchplugins/locale/fr/startpage-https-fr.xml b/config/chroot_local-includes/usr/share/amnesia/browser/searchplugins/locale/fr/startpage-https-fr.xml deleted file mode 100644 index af07166dd4e1c258d221200ae7545933a2c1e48c..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/amnesia/browser/searchplugins/locale/fr/startpage-https-fr.xml +++ /dev/null @@ -1,15 +0,0 @@ -<SearchPlugin xmlns="http://www.mozilla.org/2006/browser/search/" xmlns:os="http://a9.com/-/spec/opensearch/1.1/"> -<os:ShortName>Startpage - Francais</os:ShortName> -<os:Description>Startpage - Francais Search Bar</os:Description> -<os:InputEncoding>utf-8</os:InputEncoding> -<os:Image width="16" height="16">data:image/x-icon;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAYAAAAf8/9hAAAACXBIWXMAAAsTAAALEwEAmpwYAAAKT2lDQ1BQaG90b3Nob3AgSUNDIHByb2ZpbGUAAHjanVNnVFPpFj333vRCS4iAlEtvUhUIIFJCi4AUkSYqIQkQSoghodkVUcERRUUEG8igiAOOjoCMFVEsDIoK2AfkIaKOg6OIisr74Xuja9a89+bN/rXXPues852zzwfACAyWSDNRNYAMqUIeEeCDx8TG4eQuQIEKJHAAEAizZCFz/SMBAPh+PDwrIsAHvgABeNMLCADATZvAMByH/w/qQplcAYCEAcB0kThLCIAUAEB6jkKmAEBGAYCdmCZTAKAEAGDLY2LjAFAtAGAnf+bTAICd+Jl7AQBblCEVAaCRACATZYhEAGg7AKzPVopFAFgwABRmS8Q5ANgtADBJV2ZIALC3AMDOEAuyAAgMADBRiIUpAAR7AGDIIyN4AISZABRG8lc88SuuEOcqAAB4mbI8uSQ5RYFbCC1xB1dXLh4ozkkXKxQ2YQJhmkAuwnmZGTKBNA/g88wAAKCRFRHgg/P9eM4Ors7ONo62Dl8t6r8G/yJiYuP+5c+rcEAAAOF0ftH+LC+zGoA7BoBt/qIl7gRoXgugdfeLZrIPQLUAoOnaV/Nw+H48PEWhkLnZ2eXk5NhKxEJbYcpXff5nwl/AV/1s+X48/Pf14L7iJIEyXYFHBPjgwsz0TKUcz5IJhGLc5o9H/LcL//wd0yLESWK5WCoU41EScY5EmozzMqUiiUKSKcUl0v9k4t8s+wM+3zUAsGo+AXuRLahdYwP2SycQWHTA4vcAAPK7b8HUKAgDgGiD4c93/+8//UegJQCAZkmScQAAXkQkLlTKsz/HCAAARKCBKrBBG/TBGCzABhzBBdzBC/xgNoRCJMTCQhBCCmSAHHJgKayCQiiGzbAdKmAv1EAdNMBRaIaTcA4uwlW4Dj1wD/phCJ7BKLyBCQRByAgTYSHaiAFiilgjjggXmYX4IcFIBBKLJCDJiBRRIkuRNUgxUopUIFVIHfI9cgI5h1xGupE7yAAygvyGvEcxlIGyUT3UDLVDuag3GoRGogvQZHQxmo8WoJvQcrQaPYw2oefQq2gP2o8+Q8cwwOgYBzPEbDAuxsNCsTgsCZNjy7EirAyrxhqwVqwDu4n1Y8+xdwQSgUXACTYEd0IgYR5BSFhMWE7YSKggHCQ0EdoJNwkDhFHCJyKTqEu0JroR+cQYYjIxh1hILCPWEo8TLxB7iEPENyQSiUMyJ7mQAkmxpFTSEtJG0m5SI+ksqZs0SBojk8naZGuyBzmULCAryIXkneTD5DPkG+Qh8lsKnWJAcaT4U+IoUspqShnlEOU05QZlmDJBVaOaUt2ooVQRNY9aQq2htlKvUYeoEzR1mjnNgxZJS6WtopXTGmgXaPdpr+h0uhHdlR5Ol9BX0svpR+iX6AP0dwwNhhWDx4hnKBmbGAcYZxl3GK+YTKYZ04sZx1QwNzHrmOeZD5lvVVgqtip8FZHKCpVKlSaVGyovVKmqpqreqgtV81XLVI+pXlN9rkZVM1PjqQnUlqtVqp1Q61MbU2epO6iHqmeob1Q/pH5Z/YkGWcNMw09DpFGgsV/jvMYgC2MZs3gsIWsNq4Z1gTXEJrHN2Xx2KruY/R27iz2qqaE5QzNKM1ezUvOUZj8H45hx+Jx0TgnnKKeX836K3hTvKeIpG6Y0TLkxZVxrqpaXllirSKtRq0frvTau7aedpr1Fu1n7gQ5Bx0onXCdHZ4/OBZ3nU9lT3acKpxZNPTr1ri6qa6UbobtEd79up+6Ynr5egJ5Mb6feeb3n+hx9L/1U/W36p/VHDFgGswwkBtsMzhg8xTVxbzwdL8fb8VFDXcNAQ6VhlWGX4YSRudE8o9VGjUYPjGnGXOMk423GbcajJgYmISZLTepN7ppSTbmmKaY7TDtMx83MzaLN1pk1mz0x1zLnm+eb15vft2BaeFostqi2uGVJsuRaplnutrxuhVo5WaVYVVpds0atna0l1rutu6cRp7lOk06rntZnw7Dxtsm2qbcZsOXYBtuutm22fWFnYhdnt8Wuw+6TvZN9un2N/T0HDYfZDqsdWh1+c7RyFDpWOt6azpzuP33F9JbpL2dYzxDP2DPjthPLKcRpnVOb00dnF2e5c4PziIuJS4LLLpc+Lpsbxt3IveRKdPVxXeF60vWdm7Obwu2o26/uNu5p7ofcn8w0nymeWTNz0MPIQ+BR5dE/C5+VMGvfrH5PQ0+BZ7XnIy9jL5FXrdewt6V3qvdh7xc+9j5yn+M+4zw33jLeWV/MN8C3yLfLT8Nvnl+F30N/I/9k/3r/0QCngCUBZwOJgUGBWwL7+Hp8Ib+OPzrbZfay2e1BjKC5QRVBj4KtguXBrSFoyOyQrSH355jOkc5pDoVQfujW0Adh5mGLw34MJ4WHhVeGP45wiFga0TGXNXfR3ENz30T6RJZE3ptnMU85ry1KNSo+qi5qPNo3ujS6P8YuZlnM1VidWElsSxw5LiquNm5svt/87fOH4p3iC+N7F5gvyF1weaHOwvSFpxapLhIsOpZATIhOOJTwQRAqqBaMJfITdyWOCnnCHcJnIi/RNtGI2ENcKh5O8kgqTXqS7JG8NXkkxTOlLOW5hCepkLxMDUzdmzqeFpp2IG0yPTq9MYOSkZBxQqohTZO2Z+pn5mZ2y6xlhbL+xW6Lty8elQfJa7OQrAVZLQq2QqboVFoo1yoHsmdlV2a/zYnKOZarnivN7cyzytuQN5zvn//tEsIS4ZK2pYZLVy0dWOa9rGo5sjxxedsK4xUFK4ZWBqw8uIq2Km3VT6vtV5eufr0mek1rgV7ByoLBtQFr6wtVCuWFfevc1+1dT1gvWd+1YfqGnRs+FYmKrhTbF5cVf9go3HjlG4dvyr+Z3JS0qavEuWTPZtJm6ebeLZ5bDpaql+aXDm4N2dq0Dd9WtO319kXbL5fNKNu7g7ZDuaO/PLi8ZafJzs07P1SkVPRU+lQ27tLdtWHX+G7R7ht7vPY07NXbW7z3/T7JvttVAVVN1WbVZftJ+7P3P66Jqun4lvttXa1ObXHtxwPSA/0HIw6217nU1R3SPVRSj9Yr60cOxx++/p3vdy0NNg1VjZzG4iNwRHnk6fcJ3/ceDTradox7rOEH0x92HWcdL2pCmvKaRptTmvtbYlu6T8w+0dbq3nr8R9sfD5w0PFl5SvNUyWna6YLTk2fyz4ydlZ19fi753GDborZ752PO32oPb++6EHTh0kX/i+c7vDvOXPK4dPKy2+UTV7hXmq86X23qdOo8/pPTT8e7nLuarrlca7nuer21e2b36RueN87d9L158Rb/1tWeOT3dvfN6b/fF9/XfFt1+cif9zsu72Xcn7q28T7xf9EDtQdlD3YfVP1v+3Njv3H9qwHeg89HcR/cGhYPP/pH1jw9DBY+Zj8uGDYbrnjg+OTniP3L96fynQ89kzyaeF/6i/suuFxYvfvjV69fO0ZjRoZfyl5O/bXyl/erA6xmv28bCxh6+yXgzMV70VvvtwXfcdx3vo98PT+R8IH8o/2j5sfVT0Kf7kxmTk/8EA5jz/GMzLdsAAAAgY0hSTQAAeiUAAICDAAD5/wAAgOkAAHUwAADqYAAAOpgAABdvkl/FRgAAAsdJREFUeNpkk1uIlVUcxX/7O/ubGZ2x+XScQxdyHG+IkNPFJl/UJ6MLKYROD6Gl6OCDSL1UUD2UvnWjC9iDDzp2gUMUDSEVgZCYJFN0REUa84yOJI4ZH8050/727d/DOVnZflqw13/9/wvWUu+dtDEEFAnNF+EGRlH6GyI3kCopCIJOEV14iLH1GVqMoKAECYJHKNVzOsZPYZYOQFdGiNIUDqCdA+chUTctUpBooefLEW4/tI9SPQdgatMeLj/5MomGIKCNBRdB/ed0gQglB7cd3Mf0opXUl9zNrV+PUP7kHchzLgy/QWwDbYPgpOW9JZIgzPnlFL3fjwJw+pkD+M6MX9dt4d4X11P+ZoSrD2ygfs9aEucEY8BYMAVYA8bAwo/3smD0XQSwHgoj/JEt4Mz21wGYdb6KM5AYB4UVCgs2wC0pdKWKk8MHyPsGSBs5iz/cS+HBeHCuadJ5MAJqZ8VE51GdbfD0YMqqOxNmLDx/pMBfz1n79hBzL1Vp9PZx+b4N9H97mEZvH8efraCyTNRTH5kYHOrVR1PKcxRHf45MXI/UcqE8W3Fl8ncG3xpi3mQVOzvjp40vcWnVY4SOjFSLaO+ER1Zo+nsSXhi1XJsWNt5VYve6FIDab7288meF9e8P0TNZJZuocm5wC8qCBNDOw8J5zRAM9iU8uLxEV7uiXggNC/3zExYtnsuRXRUe3r+ZZScOI8Dxza8hARLv4Nh4BODxAU1Xu+Krs4HhDwoOfuebwbTQSLv5fFuFa3esJEZwXvAC2nrU0XOBfEZYWk44Nu5RwPxOxdbVmvNTkbFaRBTYtJvPtlYoZmVgBGkXpU3RzO5YLTBWCzxxv2bHmqb/8anIc59abJBWN6DR0Q3SnAkFaGflXxGGGOGHi5EfJwJfVD3TRogo8JC0eCq2yAmoh96ciS78U1VQqP9VWCGAukmgrV3x1wBv2UoM054LiwAAAABJRU5ErkJggg==</os:Image> -<UpdateInterval>3</UpdateInterval> -<UpdateUrl>https://startpage.com/toolbar/searchbar/fr/startpage_ff_secure_fr.src</UpdateUrl> -<IconUpdateUrl>https://startpage.com/toolbar/searchbar/fr/startpage.png</IconUpdateUrl> -<os:Url type="text/html" method="POST" template="https://startpage.com/rto/search"> - <os:Param name="query" value="{searchTerms}"/> - <os:Param name="cat" value="web"/> - <os:Param name="pl" value="ff"/> - <os:Param name="language" value="francais"/> -</os:Url> -</SearchPlugin> diff --git a/config/chroot_local-includes/usr/share/amnesia/browser/searchplugins/locale/it/startpage-https-it.xml b/config/chroot_local-includes/usr/share/amnesia/browser/searchplugins/locale/it/startpage-https-it.xml deleted file mode 100644 index 0e6386a2de027f90b843cd04206c50bb3be7841c..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/amnesia/browser/searchplugins/locale/it/startpage-https-it.xml +++ /dev/null @@ -1,15 +0,0 @@ -<SearchPlugin xmlns="http://www.mozilla.org/2006/browser/search/" xmlns:os="http://a9.com/-/spec/opensearch/1.1/"> -<os:ShortName>Startpage - Italiano</os:ShortName> -<os:Description>Startpage - Italiano Search Bar</os:Description> -<os:InputEncoding>utf-8</os:InputEncoding> -<os:Image width="16" height="16">data:image/x-icon;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAYAAAAf8/9hAAAACXBIWXMAAAsTAAALEwEAmpwYAAAKT2lDQ1BQaG90b3Nob3AgSUNDIHByb2ZpbGUAAHjanVNnVFPpFj333vRCS4iAlEtvUhUIIFJCi4AUkSYqIQkQSoghodkVUcERRUUEG8igiAOOjoCMFVEsDIoK2AfkIaKOg6OIisr74Xuja9a89+bN/rXXPues852zzwfACAyWSDNRNYAMqUIeEeCDx8TG4eQuQIEKJHAAEAizZCFz/SMBAPh+PDwrIsAHvgABeNMLCADATZvAMByH/w/qQplcAYCEAcB0kThLCIAUAEB6jkKmAEBGAYCdmCZTAKAEAGDLY2LjAFAtAGAnf+bTAICd+Jl7AQBblCEVAaCRACATZYhEAGg7AKzPVopFAFgwABRmS8Q5ANgtADBJV2ZIALC3AMDOEAuyAAgMADBRiIUpAAR7AGDIIyN4AISZABRG8lc88SuuEOcqAAB4mbI8uSQ5RYFbCC1xB1dXLh4ozkkXKxQ2YQJhmkAuwnmZGTKBNA/g88wAAKCRFRHgg/P9eM4Ors7ONo62Dl8t6r8G/yJiYuP+5c+rcEAAAOF0ftH+LC+zGoA7BoBt/qIl7gRoXgugdfeLZrIPQLUAoOnaV/Nw+H48PEWhkLnZ2eXk5NhKxEJbYcpXff5nwl/AV/1s+X48/Pf14L7iJIEyXYFHBPjgwsz0TKUcz5IJhGLc5o9H/LcL//wd0yLESWK5WCoU41EScY5EmozzMqUiiUKSKcUl0v9k4t8s+wM+3zUAsGo+AXuRLahdYwP2SycQWHTA4vcAAPK7b8HUKAgDgGiD4c93/+8//UegJQCAZkmScQAAXkQkLlTKsz/HCAAARKCBKrBBG/TBGCzABhzBBdzBC/xgNoRCJMTCQhBCCmSAHHJgKayCQiiGzbAdKmAv1EAdNMBRaIaTcA4uwlW4Dj1wD/phCJ7BKLyBCQRByAgTYSHaiAFiilgjjggXmYX4IcFIBBKLJCDJiBRRIkuRNUgxUopUIFVIHfI9cgI5h1xGupE7yAAygvyGvEcxlIGyUT3UDLVDuag3GoRGogvQZHQxmo8WoJvQcrQaPYw2oefQq2gP2o8+Q8cwwOgYBzPEbDAuxsNCsTgsCZNjy7EirAyrxhqwVqwDu4n1Y8+xdwQSgUXACTYEd0IgYR5BSFhMWE7YSKggHCQ0EdoJNwkDhFHCJyKTqEu0JroR+cQYYjIxh1hILCPWEo8TLxB7iEPENyQSiUMyJ7mQAkmxpFTSEtJG0m5SI+ksqZs0SBojk8naZGuyBzmULCAryIXkneTD5DPkG+Qh8lsKnWJAcaT4U+IoUspqShnlEOU05QZlmDJBVaOaUt2ooVQRNY9aQq2htlKvUYeoEzR1mjnNgxZJS6WtopXTGmgXaPdpr+h0uhHdlR5Ol9BX0svpR+iX6AP0dwwNhhWDx4hnKBmbGAcYZxl3GK+YTKYZ04sZx1QwNzHrmOeZD5lvVVgqtip8FZHKCpVKlSaVGyovVKmqpqreqgtV81XLVI+pXlN9rkZVM1PjqQnUlqtVqp1Q61MbU2epO6iHqmeob1Q/pH5Z/YkGWcNMw09DpFGgsV/jvMYgC2MZs3gsIWsNq4Z1gTXEJrHN2Xx2KruY/R27iz2qqaE5QzNKM1ezUvOUZj8H45hx+Jx0TgnnKKeX836K3hTvKeIpG6Y0TLkxZVxrqpaXllirSKtRq0frvTau7aedpr1Fu1n7gQ5Bx0onXCdHZ4/OBZ3nU9lT3acKpxZNPTr1ri6qa6UbobtEd79up+6Ynr5egJ5Mb6feeb3n+hx9L/1U/W36p/VHDFgGswwkBtsMzhg8xTVxbzwdL8fb8VFDXcNAQ6VhlWGX4YSRudE8o9VGjUYPjGnGXOMk423GbcajJgYmISZLTepN7ppSTbmmKaY7TDtMx83MzaLN1pk1mz0x1zLnm+eb15vft2BaeFostqi2uGVJsuRaplnutrxuhVo5WaVYVVpds0atna0l1rutu6cRp7lOk06rntZnw7Dxtsm2qbcZsOXYBtuutm22fWFnYhdnt8Wuw+6TvZN9un2N/T0HDYfZDqsdWh1+c7RyFDpWOt6azpzuP33F9JbpL2dYzxDP2DPjthPLKcRpnVOb00dnF2e5c4PziIuJS4LLLpc+Lpsbxt3IveRKdPVxXeF60vWdm7Obwu2o26/uNu5p7ofcn8w0nymeWTNz0MPIQ+BR5dE/C5+VMGvfrH5PQ0+BZ7XnIy9jL5FXrdewt6V3qvdh7xc+9j5yn+M+4zw33jLeWV/MN8C3yLfLT8Nvnl+F30N/I/9k/3r/0QCngCUBZwOJgUGBWwL7+Hp8Ib+OPzrbZfay2e1BjKC5QRVBj4KtguXBrSFoyOyQrSH355jOkc5pDoVQfujW0Adh5mGLw34MJ4WHhVeGP45wiFga0TGXNXfR3ENz30T6RJZE3ptnMU85ry1KNSo+qi5qPNo3ujS6P8YuZlnM1VidWElsSxw5LiquNm5svt/87fOH4p3iC+N7F5gvyF1weaHOwvSFpxapLhIsOpZATIhOOJTwQRAqqBaMJfITdyWOCnnCHcJnIi/RNtGI2ENcKh5O8kgqTXqS7JG8NXkkxTOlLOW5hCepkLxMDUzdmzqeFpp2IG0yPTq9MYOSkZBxQqohTZO2Z+pn5mZ2y6xlhbL+xW6Lty8elQfJa7OQrAVZLQq2QqboVFoo1yoHsmdlV2a/zYnKOZarnivN7cyzytuQN5zvn//tEsIS4ZK2pYZLVy0dWOa9rGo5sjxxedsK4xUFK4ZWBqw8uIq2Km3VT6vtV5eufr0mek1rgV7ByoLBtQFr6wtVCuWFfevc1+1dT1gvWd+1YfqGnRs+FYmKrhTbF5cVf9go3HjlG4dvyr+Z3JS0qavEuWTPZtJm6ebeLZ5bDpaql+aXDm4N2dq0Dd9WtO319kXbL5fNKNu7g7ZDuaO/PLi8ZafJzs07P1SkVPRU+lQ27tLdtWHX+G7R7ht7vPY07NXbW7z3/T7JvttVAVVN1WbVZftJ+7P3P66Jqun4lvttXa1ObXHtxwPSA/0HIw6217nU1R3SPVRSj9Yr60cOxx++/p3vdy0NNg1VjZzG4iNwRHnk6fcJ3/ceDTradox7rOEH0x92HWcdL2pCmvKaRptTmvtbYlu6T8w+0dbq3nr8R9sfD5w0PFl5SvNUyWna6YLTk2fyz4ydlZ19fi753GDborZ752PO32oPb++6EHTh0kX/i+c7vDvOXPK4dPKy2+UTV7hXmq86X23qdOo8/pPTT8e7nLuarrlca7nuer21e2b36RueN87d9L158Rb/1tWeOT3dvfN6b/fF9/XfFt1+cif9zsu72Xcn7q28T7xf9EDtQdlD3YfVP1v+3Njv3H9qwHeg89HcR/cGhYPP/pH1jw9DBY+Zj8uGDYbrnjg+OTniP3L96fynQ89kzyaeF/6i/suuFxYvfvjV69fO0ZjRoZfyl5O/bXyl/erA6xmv28bCxh6+yXgzMV70VvvtwXfcdx3vo98PT+R8IH8o/2j5sfVT0Kf7kxmTk/8EA5jz/GMzLdsAAAAgY0hSTQAAeiUAAICDAAD5/wAAgOkAAHUwAADqYAAAOpgAABdvkl/FRgAAAsdJREFUeNpkk1uIlVUcxX/7O/ubGZ2x+XScQxdyHG+IkNPFJl/UJ6MLKYROD6Gl6OCDSL1UUD2UvnWjC9iDDzp2gUMUDSEVgZCYJFN0REUa84yOJI4ZH8050/727d/DOVnZflqw13/9/wvWUu+dtDEEFAnNF+EGRlH6GyI3kCopCIJOEV14iLH1GVqMoKAECYJHKNVzOsZPYZYOQFdGiNIUDqCdA+chUTctUpBooefLEW4/tI9SPQdgatMeLj/5MomGIKCNBRdB/ed0gQglB7cd3Mf0opXUl9zNrV+PUP7kHchzLgy/QWwDbYPgpOW9JZIgzPnlFL3fjwJw+pkD+M6MX9dt4d4X11P+ZoSrD2ygfs9aEucEY8BYMAVYA8bAwo/3smD0XQSwHgoj/JEt4Mz21wGYdb6KM5AYB4UVCgs2wC0pdKWKk8MHyPsGSBs5iz/cS+HBeHCuadJ5MAJqZ8VE51GdbfD0YMqqOxNmLDx/pMBfz1n79hBzL1Vp9PZx+b4N9H97mEZvH8efraCyTNRTH5kYHOrVR1PKcxRHf45MXI/UcqE8W3Fl8ncG3xpi3mQVOzvjp40vcWnVY4SOjFSLaO+ER1Zo+nsSXhi1XJsWNt5VYve6FIDab7288meF9e8P0TNZJZuocm5wC8qCBNDOw8J5zRAM9iU8uLxEV7uiXggNC/3zExYtnsuRXRUe3r+ZZScOI8Dxza8hARLv4Nh4BODxAU1Xu+Krs4HhDwoOfuebwbTQSLv5fFuFa3esJEZwXvAC2nrU0XOBfEZYWk44Nu5RwPxOxdbVmvNTkbFaRBTYtJvPtlYoZmVgBGkXpU3RzO5YLTBWCzxxv2bHmqb/8anIc59abJBWN6DR0Q3SnAkFaGflXxGGGOGHi5EfJwJfVD3TRogo8JC0eCq2yAmoh96ciS78U1VQqP9VWCGAukmgrV3x1wBv2UoM054LiwAAAABJRU5ErkJggg==</os:Image> -<UpdateInterval>3</UpdateInterval> -<UpdateUrl>https://startpage.com/toolbar/searchbar/it/startpage_ff_secure_it.src</UpdateUrl> -<IconUpdateUrl>https://startpage.com/toolbar/searchbar/it/startpage.png</IconUpdateUrl> -<os:Url type="text/html" method="POST" template="https://startpage.com/rto/search"> - <os:Param name="query" value="{searchTerms}"/> - <os:Param name="cat" value="web"/> - <os:Param name="pl" value="ff"/> - <os:Param name="language" value="italiano"/> -</os:Url> -</SearchPlugin> diff --git a/config/chroot_local-includes/usr/share/amnesia/browser/searchplugins/locale/pt/startpage-https-pt.xml b/config/chroot_local-includes/usr/share/amnesia/browser/searchplugins/locale/pt/startpage-https-pt.xml deleted file mode 100644 index 2dd39e98d3fddee4bae5bd6e59931efb9d85c2a2..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/amnesia/browser/searchplugins/locale/pt/startpage-https-pt.xml +++ /dev/null @@ -1,15 +0,0 @@ -<SearchPlugin xmlns="http://www.mozilla.org/2006/browser/search/" xmlns:os="http://a9.com/-/spec/opensearch/1.1/"> -<os:ShortName>Startpage - Portugues</os:ShortName> -<os:Description>Startpage - Portugues Search Bar</os:Description> -<os:InputEncoding>utf-8</os:InputEncoding> -<os:Image width="16" height="16">data:image/x-icon;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAYAAAAf8/9hAAAACXBIWXMAAAsTAAALEwEAmpwYAAAKT2lDQ1BQaG90b3Nob3AgSUNDIHByb2ZpbGUAAHjanVNnVFPpFj333vRCS4iAlEtvUhUIIFJCi4AUkSYqIQkQSoghodkVUcERRUUEG8igiAOOjoCMFVEsDIoK2AfkIaKOg6OIisr74Xuja9a89+bN/rXXPues852zzwfACAyWSDNRNYAMqUIeEeCDx8TG4eQuQIEKJHAAEAizZCFz/SMBAPh+PDwrIsAHvgABeNMLCADATZvAMByH/w/qQplcAYCEAcB0kThLCIAUAEB6jkKmAEBGAYCdmCZTAKAEAGDLY2LjAFAtAGAnf+bTAICd+Jl7AQBblCEVAaCRACATZYhEAGg7AKzPVopFAFgwABRmS8Q5ANgtADBJV2ZIALC3AMDOEAuyAAgMADBRiIUpAAR7AGDIIyN4AISZABRG8lc88SuuEOcqAAB4mbI8uSQ5RYFbCC1xB1dXLh4ozkkXKxQ2YQJhmkAuwnmZGTKBNA/g88wAAKCRFRHgg/P9eM4Ors7ONo62Dl8t6r8G/yJiYuP+5c+rcEAAAOF0ftH+LC+zGoA7BoBt/qIl7gRoXgugdfeLZrIPQLUAoOnaV/Nw+H48PEWhkLnZ2eXk5NhKxEJbYcpXff5nwl/AV/1s+X48/Pf14L7iJIEyXYFHBPjgwsz0TKUcz5IJhGLc5o9H/LcL//wd0yLESWK5WCoU41EScY5EmozzMqUiiUKSKcUl0v9k4t8s+wM+3zUAsGo+AXuRLahdYwP2SycQWHTA4vcAAPK7b8HUKAgDgGiD4c93/+8//UegJQCAZkmScQAAXkQkLlTKsz/HCAAARKCBKrBBG/TBGCzABhzBBdzBC/xgNoRCJMTCQhBCCmSAHHJgKayCQiiGzbAdKmAv1EAdNMBRaIaTcA4uwlW4Dj1wD/phCJ7BKLyBCQRByAgTYSHaiAFiilgjjggXmYX4IcFIBBKLJCDJiBRRIkuRNUgxUopUIFVIHfI9cgI5h1xGupE7yAAygvyGvEcxlIGyUT3UDLVDuag3GoRGogvQZHQxmo8WoJvQcrQaPYw2oefQq2gP2o8+Q8cwwOgYBzPEbDAuxsNCsTgsCZNjy7EirAyrxhqwVqwDu4n1Y8+xdwQSgUXACTYEd0IgYR5BSFhMWE7YSKggHCQ0EdoJNwkDhFHCJyKTqEu0JroR+cQYYjIxh1hILCPWEo8TLxB7iEPENyQSiUMyJ7mQAkmxpFTSEtJG0m5SI+ksqZs0SBojk8naZGuyBzmULCAryIXkneTD5DPkG+Qh8lsKnWJAcaT4U+IoUspqShnlEOU05QZlmDJBVaOaUt2ooVQRNY9aQq2htlKvUYeoEzR1mjnNgxZJS6WtopXTGmgXaPdpr+h0uhHdlR5Ol9BX0svpR+iX6AP0dwwNhhWDx4hnKBmbGAcYZxl3GK+YTKYZ04sZx1QwNzHrmOeZD5lvVVgqtip8FZHKCpVKlSaVGyovVKmqpqreqgtV81XLVI+pXlN9rkZVM1PjqQnUlqtVqp1Q61MbU2epO6iHqmeob1Q/pH5Z/YkGWcNMw09DpFGgsV/jvMYgC2MZs3gsIWsNq4Z1gTXEJrHN2Xx2KruY/R27iz2qqaE5QzNKM1ezUvOUZj8H45hx+Jx0TgnnKKeX836K3hTvKeIpG6Y0TLkxZVxrqpaXllirSKtRq0frvTau7aedpr1Fu1n7gQ5Bx0onXCdHZ4/OBZ3nU9lT3acKpxZNPTr1ri6qa6UbobtEd79up+6Ynr5egJ5Mb6feeb3n+hx9L/1U/W36p/VHDFgGswwkBtsMzhg8xTVxbzwdL8fb8VFDXcNAQ6VhlWGX4YSRudE8o9VGjUYPjGnGXOMk423GbcajJgYmISZLTepN7ppSTbmmKaY7TDtMx83MzaLN1pk1mz0x1zLnm+eb15vft2BaeFostqi2uGVJsuRaplnutrxuhVo5WaVYVVpds0atna0l1rutu6cRp7lOk06rntZnw7Dxtsm2qbcZsOXYBtuutm22fWFnYhdnt8Wuw+6TvZN9un2N/T0HDYfZDqsdWh1+c7RyFDpWOt6azpzuP33F9JbpL2dYzxDP2DPjthPLKcRpnVOb00dnF2e5c4PziIuJS4LLLpc+Lpsbxt3IveRKdPVxXeF60vWdm7Obwu2o26/uNu5p7ofcn8w0nymeWTNz0MPIQ+BR5dE/C5+VMGvfrH5PQ0+BZ7XnIy9jL5FXrdewt6V3qvdh7xc+9j5yn+M+4zw33jLeWV/MN8C3yLfLT8Nvnl+F30N/I/9k/3r/0QCngCUBZwOJgUGBWwL7+Hp8Ib+OPzrbZfay2e1BjKC5QRVBj4KtguXBrSFoyOyQrSH355jOkc5pDoVQfujW0Adh5mGLw34MJ4WHhVeGP45wiFga0TGXNXfR3ENz30T6RJZE3ptnMU85ry1KNSo+qi5qPNo3ujS6P8YuZlnM1VidWElsSxw5LiquNm5svt/87fOH4p3iC+N7F5gvyF1weaHOwvSFpxapLhIsOpZATIhOOJTwQRAqqBaMJfITdyWOCnnCHcJnIi/RNtGI2ENcKh5O8kgqTXqS7JG8NXkkxTOlLOW5hCepkLxMDUzdmzqeFpp2IG0yPTq9MYOSkZBxQqohTZO2Z+pn5mZ2y6xlhbL+xW6Lty8elQfJa7OQrAVZLQq2QqboVFoo1yoHsmdlV2a/zYnKOZarnivN7cyzytuQN5zvn//tEsIS4ZK2pYZLVy0dWOa9rGo5sjxxedsK4xUFK4ZWBqw8uIq2Km3VT6vtV5eufr0mek1rgV7ByoLBtQFr6wtVCuWFfevc1+1dT1gvWd+1YfqGnRs+FYmKrhTbF5cVf9go3HjlG4dvyr+Z3JS0qavEuWTPZtJm6ebeLZ5bDpaql+aXDm4N2dq0Dd9WtO319kXbL5fNKNu7g7ZDuaO/PLi8ZafJzs07P1SkVPRU+lQ27tLdtWHX+G7R7ht7vPY07NXbW7z3/T7JvttVAVVN1WbVZftJ+7P3P66Jqun4lvttXa1ObXHtxwPSA/0HIw6217nU1R3SPVRSj9Yr60cOxx++/p3vdy0NNg1VjZzG4iNwRHnk6fcJ3/ceDTradox7rOEH0x92HWcdL2pCmvKaRptTmvtbYlu6T8w+0dbq3nr8R9sfD5w0PFl5SvNUyWna6YLTk2fyz4ydlZ19fi753GDborZ752PO32oPb++6EHTh0kX/i+c7vDvOXPK4dPKy2+UTV7hXmq86X23qdOo8/pPTT8e7nLuarrlca7nuer21e2b36RueN87d9L158Rb/1tWeOT3dvfN6b/fF9/XfFt1+cif9zsu72Xcn7q28T7xf9EDtQdlD3YfVP1v+3Njv3H9qwHeg89HcR/cGhYPP/pH1jw9DBY+Zj8uGDYbrnjg+OTniP3L96fynQ89kzyaeF/6i/suuFxYvfvjV69fO0ZjRoZfyl5O/bXyl/erA6xmv28bCxh6+yXgzMV70VvvtwXfcdx3vo98PT+R8IH8o/2j5sfVT0Kf7kxmTk/8EA5jz/GMzLdsAAAAgY0hSTQAAeiUAAICDAAD5/wAAgOkAAHUwAADqYAAAOpgAABdvkl/FRgAAAsdJREFUeNpkk1uIlVUcxX/7O/ubGZ2x+XScQxdyHG+IkNPFJl/UJ6MLKYROD6Gl6OCDSL1UUD2UvnWjC9iDDzp2gUMUDSEVgZCYJFN0REUa84yOJI4ZH8050/727d/DOVnZflqw13/9/wvWUu+dtDEEFAnNF+EGRlH6GyI3kCopCIJOEV14iLH1GVqMoKAECYJHKNVzOsZPYZYOQFdGiNIUDqCdA+chUTctUpBooefLEW4/tI9SPQdgatMeLj/5MomGIKCNBRdB/ed0gQglB7cd3Mf0opXUl9zNrV+PUP7kHchzLgy/QWwDbYPgpOW9JZIgzPnlFL3fjwJw+pkD+M6MX9dt4d4X11P+ZoSrD2ygfs9aEucEY8BYMAVYA8bAwo/3smD0XQSwHgoj/JEt4Mz21wGYdb6KM5AYB4UVCgs2wC0pdKWKk8MHyPsGSBs5iz/cS+HBeHCuadJ5MAJqZ8VE51GdbfD0YMqqOxNmLDx/pMBfz1n79hBzL1Vp9PZx+b4N9H97mEZvH8efraCyTNRTH5kYHOrVR1PKcxRHf45MXI/UcqE8W3Fl8ncG3xpi3mQVOzvjp40vcWnVY4SOjFSLaO+ER1Zo+nsSXhi1XJsWNt5VYve6FIDab7288meF9e8P0TNZJZuocm5wC8qCBNDOw8J5zRAM9iU8uLxEV7uiXggNC/3zExYtnsuRXRUe3r+ZZScOI8Dxza8hARLv4Nh4BODxAU1Xu+Krs4HhDwoOfuebwbTQSLv5fFuFa3esJEZwXvAC2nrU0XOBfEZYWk44Nu5RwPxOxdbVmvNTkbFaRBTYtJvPtlYoZmVgBGkXpU3RzO5YLTBWCzxxv2bHmqb/8anIc59abJBWN6DR0Q3SnAkFaGflXxGGGOGHi5EfJwJfVD3TRogo8JC0eCq2yAmoh96ciS78U1VQqP9VWCGAukmgrV3x1wBv2UoM054LiwAAAABJRU5ErkJggg==</os:Image> -<UpdateInterval>3</UpdateInterval> -<UpdateUrl>https://startpage.com/toolbar/searchbar/pt/startpage_ff_secure_pt.src</UpdateUrl> -<IconUpdateUrl>https://startpage.com/toolbar/searchbar/pt/startpage.png</IconUpdateUrl> -<os:Url type="text/html" method="POST" template="https://startpage.com/rto/search"> - <os:Param name="query" value="{searchTerms}"/> - <os:Param name="cat" value="web"/> - <os:Param name="pl" value="ff"/> - <os:Param name="language" value="portugues"/> -</os:Url> -</SearchPlugin> diff --git a/config/chroot_local-includes/usr/share/tails/browser-localization/amnesia.properties-template b/config/chroot_local-includes/usr/share/tails/browser-localization/amnesia.properties-template new file mode 100644 index 0000000000000000000000000000000000000000..66e90aeea4d8bb68c9074e46906b657ec3d2d6e8 --- /dev/null +++ b/config/chroot_local-includes/usr/share/tails/browser-localization/amnesia.properties-template @@ -0,0 +1,4 @@ +browser.search.defaultenginename=Disconnect - English +browser.search.selectedEngine=Disconnect - English +browser.startup.homepage=https://tails.boum.org/news/ +spellchecker.dictionary=en_US diff --git a/config/chroot_local-includes/usr/share/tails/browser-localization/descriptions b/config/chroot_local-includes/usr/share/tails/browser-localization/descriptions new file mode 100644 index 0000000000000000000000000000000000000000..0f1a288d58d70885a5b64cd3240b8f7b0a1c7194 --- /dev/null +++ b/config/chroot_local-includes/usr/share/tails/browser-localization/descriptions @@ -0,0 +1,15 @@ +ar:EG:عربية:arabic: +de:DE:Deutsch:deutsch:deutsch +es-ES:ES:Español:espanol:espanol +en-US:US:English:english:english +fa:IR:فارسی:persian: +fr:FR:Français:francais:francais +it:IT:Italiano:italiano:italiano +ko:KR:한국어:hangul:hangul +nl:NL:Nederlands:nederlands:nederlands +pl:PL:Polski:polski:polski +pt-PT:PT:Português:portugues:portugues +ru:RU:Русский:russian: +tr:TR:Türkçe:turkce:turkce +vi:VN:Việt Nam:vietnamese: +zh-CN:CN:中文:jiantizhongwen:jiantizhongwen diff --git a/config/chroot_local-includes/usr/share/tails/browser-localization/disconnect.xml-template b/config/chroot_local-includes/usr/share/tails/browser-localization/disconnect.xml-template new file mode 100644 index 0000000000000000000000000000000000000000..52011047ff700d45edcd814c2ccf087f0a5e6727 --- /dev/null +++ b/config/chroot_local-includes/usr/share/tails/browser-localization/disconnect.xml-template @@ -0,0 +1,12 @@ +<?xml version="1.0" encoding="UTF-8"?> +<OpenSearchDescription xmlns="http://a9.com/-/spec/opensearch/1.1/"> + <ShortName>Disconnect.me - ${LOCALIZED_LANG}</ShortName> + <LongName>Disconnect.me - ${LOCALIZED_LANG}</LongName> + <Description>Disconnect.me - ${LOCALIZED_LANG}</Description> + <Url type="text/html" method="POST" template="https://search.disconnect.me/searchTerms/search"> + <Param name="ses" value="Google"/> + <Param name="location_option" value="${LOCATION}"/> + <Param name="query" value="{searchTerms}"/> + </Url> + <Image height="16" width="16" type="image/icon">data:image/x-icon;base64, AAABAAEAEBAAAAAAIABoBAAAFgAAACgAAAAQAAAAIAAAAAEAIAAAAAAAQAQAAAAAAAAAAAAAAAAAAAAAAAD///8B////Af///xP///9H////ff///43///+B////af///0X///8f////B////xP///9H////ff///4////9r////Af///wH///8Zd3d3r0NDQ/9BQUH/Tk5O925ubuGxsbGt////X////yX///8fd3d3rzs7O/8qKir/IiIi/////xP///8Z////LXp6erNERET/RERE/0NDQ/8+Pj7/MjIy/3BwcNX///9b////MXR0dK06Ojr/Kioq/yIiIv////9H////X////2d4eHi5Pj4+/0JCQv9ERET/Q0ND/zs7O/8wMDD/eXl5x////01iYmKjMjIy/ycnJ/8iIiL/fn5+v4eHh9N/f3/PUFBQ1UFBQc9BQUHlQ0ND/0RERP9AQED/NTU1/yoqKv/Jycl9WVlZey8vL8csLCzJKioqx0JCQv83Nzf/KCgo/0BAQN3///8l////A3Nzc1dISEj1Q0ND/zk5Of8pKSn/VVVVz////yn///8B////Af///wFCQkL/Nzc3/ygoKP9AQEDd////Jf///wH///8Nb29vpURERP87Ozv/Kioq/zIyMvH///8v////Af///wH///8BQkJC/zc3N/8oKCj/QEBA3f///yX///8B////Da2trWtDQ0P/Ozs7/yoqKv8iIiL/////L////wH///8B////AUJCQv83Nzf/KCgo/0FBQd3///8l////Bf///yW9vb2FQkJC/zg4OP8pKSn/IiIi/////yf///8B////Af///wFCQkL/Ojo6/y4uLv9LS0vh////Rf///zf///9jioqKzUBAQP8zMzP/JiYm/zMzM+H///8Z////Af///wH///8BQ0ND/z8/P/87Ozv/Xl5e6f///4v///+PmpqazUNDQ/86Ojr/LS0t/yQkJP9ERESp////C////wH///8B////AURERP9DQ0P/Q0ND/0xMTPtoaGjtRERE/0NDQ/89PT3/MTEx/yYmJv8iIiL/e3t7Nf///wH///8B////Af///wFERET/RERE/0RERP9DQ0P/QkJC/0BAQP87Ozv/MTEx/ycnJ/8jIyP/RkZGc////wX///8B////Af///wH///8BOzs7/zs7O/87Ozv/Ojo6/zc3N/8zMzP/LS0t/yYmJv8jIyP/Ozs7ff///wX///8B////Af///wH///8B////ASoqKv8qKir/Kioq/yoqKv8pKSn/JiYm/y0tLckyMjKbU1NTKf///wH///8B////Af///wH///8B////Af///wH///8B////Af///wH///8B////Af///wH///8B////Af///wH///8B////Af///wH///8B////Af///wH///8BAAD//wAA//8AAP//AAD//wAA//8AAP//AAD//wAA//8AAP//AAD//wAA//8AAP//AAD//wAA//8AAP//AAD//w==</Image> +</OpenSearchDescription> diff --git a/config/chroot_local-includes/usr/share/tails/browser-localization/startpage.xml-template b/config/chroot_local-includes/usr/share/tails/browser-localization/startpage.xml-template new file mode 100644 index 0000000000000000000000000000000000000000..9bab310d7dc3c6d302cfcf250bbf01d14e0cba9b --- /dev/null +++ b/config/chroot_local-includes/usr/share/tails/browser-localization/startpage.xml-template @@ -0,0 +1,12 @@ +<?xml version="1.0" encoding="UTF-8"?> +<OpenSearchDescription xmlns="http://a9.com/-/spec/opensearch/1.1/"> + <ShortName>Startpage - ${LOCALIZED_LANG}</ShortName> + <LongName>Startpage - ${LOCALIZED_LANG}</LongName> + <Description>Startpage - ${LOCALIZED_LANG}</Description> + <Url type="text/html" method="POST" template="https://startpage.com/rto/search"> + <Param name="language" value="${LANG}"/> + <Param name="language_ui" value="${LANG_UI}"/> + <Param name="q" value="{searchTerms}"/> + </Url> + <Image height="16" width="16">data:image/png;base64,AAABAAEAEBAAAAEAIABoBAAAFgAAACgAAAAQAAAAIAAAAAEAIAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAD2jkj+9YtD/vWLQ/71i0P+9otD/vaLRP72i0T+9YtE/vWLRP72i0T+9otD/vaNRP72jUT+9otF/vaLRf73kkv+9Yc///WJP//1iT//9Yk///rAmf/94Mz/+sCa//aRTv/1iUH/9ok///aJP//2i0H/9otB//aJQv/2iUL/9otC//aNRP/2jUT/9o1E//aNRP/6wpv////////////96dr/95dQ//aNRP/2kET/9pBG//aQRv/2kEb/9pBG//aRR//3lEz/95BH//mueP/7xJ3/959g//efYf/4p23//vDm//3p2//3kEr/95FJ//aRSf/niFH/95FK//aRSv/2mE//95hS/vq4iP/////////////////81bj/95xZ//q4iP//////+bF+//eZT//njFT/PSqi/2xGjv/2mVD/951V/vedVv783cX///////vQrf/++PP///////748//+8uj///////m3gf/olFr/PSuj/w8Pt/9sSJD/951V//eeWf73oVv++8ul///////5sXf/+KRi//vRsf////////////3r3v/olF//Piyk/w8Pt/9sSJH/+J5Z//ieWv/3oV/++KZf/vihXP/97N7//vn0//zTs//6wJP/+bBy//q6iP/onW//Piyl/w8Pt/8fGbH/m2iB/+icY//4pGD/96hl/viqZf74pmD/+Kxr//3iy/////////n1//ivbP/onGj/Pi2m/w8Pt/8uJKz/fFeQ/x8Zsf8+Lqb/6J9r//ivbP74rm3++Klm//mpZv/5q2f/+bR9//m0e//poW7/Pi6n/w8Pt/9sTZj/+Ktp//ira/+rd4P/Dw+3/4xijv/5snH++LN1/vmvbf/5r23/+a5t//mvb//4r2//TTuk/w8Pt/8fGrL/6ah1//ivcP/4r3P/q3yI/w8Pt/+MZpP/+bN5/vm4ev75t3X/+bV1//m1df/5t3X/+Ld3/8qUhP98XZn/Hxqz/+mse//5t3f/2p+B/x8as/8PD7f/u4qK//m7fv76u4D++bl7//m3fP/5uXz/+bl8//m5fP/5t3z/+bl//x8as/9NPKf/fWCb/x8as/8PD7f/bVOh//q5f//6v4X++sGI/vm9g//5voX/+b6F//m9hf/6vYX/+r6F//nCh/+bepr/Hxu0/w8Pt/8PD7f/fWOh//q+hf/6wof/+saN/vrGjf75xIv/+ceL//nEi//5xIv/+sSL//rHi//6x43/+ceN/+m7kP+7lpj/6ruQ//rHkP/6x43/+seQ//rLlf76ypT++seR//rJkf/6yZH/+seR//rJkf/6yZH/+8mR//vJlP/7yZT/+smU//rJlP/6yZT/+8yV//rJlf/6zpn+AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA==</Image> +</OpenSearchDescription> diff --git a/config/chroot_local-includes/usr/share/tails/desktop_wallpaper.png b/config/chroot_local-includes/usr/share/tails/desktop_wallpaper.png index 3e03c4489fad28b252a300501038429234dbeeb3..51813ec626e584c32c0fde80e6260214f63663b5 100644 Binary files a/config/chroot_local-includes/usr/share/tails/desktop_wallpaper.png and b/config/chroot_local-includes/usr/share/tails/desktop_wallpaper.png differ diff --git a/config/chroot_local-includes/usr/share/tails/i2p-browser/prefs.js b/config/chroot_local-includes/usr/share/tails/i2p-browser/prefs.js index 6cd23795e5bcabd076707282f8b10bad67ec90e2..e81003113f1bd2c1b5675ca951b3475212dddb1b 100644 --- a/config/chroot_local-includes/usr/share/tails/i2p-browser/prefs.js +++ b/config/chroot_local-includes/usr/share/tails/i2p-browser/prefs.js @@ -1,21 +1,5 @@ /* Disable proxy settings. We also set the other settings that Torbutton requires to be happy, i.e. its icon is green. */ -pref("extensions.torbutton.http_port", 4444); -pref("extensions.torbutton.http_proxy", "127.0.0.1"); -pref("extensions.torbutton.https_port", 4444); -pref("extensions.torbutton.https_proxy", "127.0.0.1"); -pref("extensions.torbutton.custom.ftp_port", 4444); -pref("extensions.torbutton.custom.ftp_proxy", "127.0.0.1"); -pref("extensions.torbutton.custom.http_port", 4444); -pref("extensions.torbutton.custom.http_proxy", "127.0.0.1"); -pref("extensions.torbutton.custom.https_port", 4444); -pref("extensions.torbutton.custom.https_proxy", "127.0.0.1"); -pref("extensions.torbutton.ftp_port", 4444); -pref("extensions.torbutton.ftp_proxy", "127.0.0.1"); -pref("extensions.torbutton.gopher_port", 4444); -pref("extensions.torbutton.gopher_proxy", "127.0.0.1"); -pref("extensions.torbutton.inserted_button", true); -pref("extensions.torbutton.settings_method", "custom"); pref("network.proxy.ftp", "127.0.0.1"); pref("network.proxy.ftp_port", 4444); pref("network.proxy.http", "127.0.0.1"); diff --git a/config/chroot_local-includes/usr/share/tails/i2p-browser/userChrome.css b/config/chroot_local-includes/usr/share/tails/i2p-browser/userChrome.css index 43b715d4621a6773e22a14545e77cc9d17a00f5f..e4c72ea2557f90dab835e731858d529756edc868 100644 --- a/config/chroot_local-includes/usr/share/tails/i2p-browser/userChrome.css +++ b/config/chroot_local-includes/usr/share/tails/i2p-browser/userChrome.css @@ -24,6 +24,11 @@ #wrapper-history-button, #wrapper-bookmarks-button, +/* Remove the Addons menu options */ +#menu_openAddons, /* traditional menu */ +#add-ons-button, /* new style Firefox menu */ +#wrapper-add-ons-button, /* Customize toolbar */ + /* Hide the sidebar menu (underneath View) since the default sidebars consist * of history and bookmarks. Also disable the bookmark toolbar. */ @@ -42,7 +47,7 @@ #context-bookmarkpage, /* Hide the option for emailing links since it's doomed to failure - * without a configured email client. + * without a configured email client in the chroot. */ menuitem[command="Browser:SendLink"], @@ -65,6 +70,11 @@ menuitem[command="Browser:SendLink"], #sync-syncnowitem-appmenu, #wrapper-sync-button, +/* Hide the "Keyboard shortcuts" and "Tour" options from +from the Help menu */ +#menu_keyboardShortcuts, +#menu_openTour, + /* Without I2P search engines defined, the search bar is useless. * Since there are no I2P search engines added to Tails (yet), * let's hide it and the Update Pane in Firefox's Preferences. @@ -83,6 +93,10 @@ menuitem[command="Browser:SendLink"], #menu_HelpPopup_reportPhishingtoolmenu, #menu_openHelp, +/* Hide the TorButton button from the toolbar */ +#torbutton-button, +#wrapper-torbutton-button, + /* Hide TorBrowser Health Report and its configuration option */ #appmenu_healthReport, #dataChoicesTab, diff --git a/config/chroot_local-includes/usr/share/tails/tbb-dist-url.txt b/config/chroot_local-includes/usr/share/tails/tbb-dist-url.txt index 135fb1383920d7b116be792cf63285cf4232278a..e620f94d3032d66aab08a881b134bad58539946a 100644 --- a/config/chroot_local-includes/usr/share/tails/tbb-dist-url.txt +++ b/config/chroot_local-includes/usr/share/tails/tbb-dist-url.txt @@ -1 +1 @@ -http://dist.torproject.org/torbrowser/ +http://torbrowser-archive.tails.boum.org/4.5.1/ diff --git a/config/chroot_local-includes/usr/share/tails/tbb-sha256sums.txt b/config/chroot_local-includes/usr/share/tails/tbb-sha256sums.txt index 814fbec37372186295b8eb57260007439380dccf..73620bfa888c7aa7a2e0a3d8f274f776f2eaaa2f 100644 --- a/config/chroot_local-includes/usr/share/tails/tbb-sha256sums.txt +++ b/config/chroot_local-includes/usr/share/tails/tbb-sha256sums.txt @@ -1,15 +1,15 @@ -fd5a23509e0177d59e3f72919ed477519b57ae389733afaea20f2cb826697be9 tor-browser-linux32-4.0.3_ar.tar.xz -ccab42bf2dee4390f3df295f75b25244cdabf8f781c798321b7f0b6807e461ea tor-browser-linux32-4.0.3_de.tar.xz -0a4291023123075459529c5013f10167d039c35341d6861779ec2590e043e71d tor-browser-linux32-4.0.3_en-US.tar.xz -131f005811c29ba4068996a68cb5d6b2bcd8678070c3f6b8e3fa47036dff0c9d tor-browser-linux32-4.0.3_es-ES.tar.xz -67c9db58159b5e183cd1106085896f75c0d1146565ac0ea1163b69e0925ed35e tor-browser-linux32-4.0.3_fa.tar.xz -8930bcf166c4c6bf1d05ea7d84ebc406c86647ef04da12a16a2d90414ee2ee0a tor-browser-linux32-4.0.3_fr.tar.xz -9738f58742b0a80f2fc83222511bae8da681c08987236fc34c3368cc2c6a4919 tor-browser-linux32-4.0.3_it.tar.xz -9fbe2c8943d7234506d9e4c81ffedba3cf4c6bb7968524e51452ee6c2761e9f0 tor-browser-linux32-4.0.3_ko.tar.xz -87d4049dc095fd3a1b30da9b25535889584fd80aa2cacdb0d0e74b34aac787e0 tor-browser-linux32-4.0.3_nl.tar.xz -062e5577eba9370c303b627ff2df51c2f1ee3ece85a373038ecc273c28f0b299 tor-browser-linux32-4.0.3_pl.tar.xz -1fb38130689f5072bcbead1a200b150d5128d57f2e7044b33c1481ca159941be tor-browser-linux32-4.0.3_pt-PT.tar.xz -c9a396691d99792d88eda0ef8ddba4bc41500b47b9b9ace1d55daf0643ab49d5 tor-browser-linux32-4.0.3_ru.tar.xz -5299771cce4651a63d0ce718f027aedb88de1455db63a541bc0a3c5b16c3b1e6 tor-browser-linux32-4.0.3_tr.tar.xz -147fd7299634476817c983976865809dca2c909081bcf6bcf806ffa71bc02cd6 tor-browser-linux32-4.0.3_vi.tar.xz -185ae829528f476028f2be56795f83f210a0bcd18c2433dec87f54a945d5bb12 tor-browser-linux32-4.0.3_zh-CN.tar.xz +77c272f9ed7cb2703d559f6dde24b3caa86c8f43db1b1a36454e0992d3922256 tor-browser-linux32-4.5.1_ar.tar.xz +e37fd8e2731206fa06f219237bf9a437b3b490c17f18cb532b887f2d4b218e13 tor-browser-linux32-4.5.1_de.tar.xz +1ccf6a3bb6cdcef95639f090939e172ba860fc5c5582ebfc1cf49dd87d7b7f3a tor-browser-linux32-4.5.1_en-US.tar.xz +26f5810b7f93823a86d78d09476eb01f65e1f99d431b37ca4d3c29bd4370b44d tor-browser-linux32-4.5.1_es-ES.tar.xz +4f6ba52e2d740a1df8f121c3b598ac56abfaebf1714213f731cec818022629ca tor-browser-linux32-4.5.1_fa.tar.xz +db01d0f30994f65fe41bb820d86b50f166615d52648d6b233ba544b9e68ba3fe tor-browser-linux32-4.5.1_fr.tar.xz +531722b9189e54d3b4e492ba2e37bdce9e996fee5d76401d2317fb36c571435f tor-browser-linux32-4.5.1_it.tar.xz +1bab54c31dfc9c1e06d8c6f002576fb0bc0f962888c44d568bea74ff0da6c759 tor-browser-linux32-4.5.1_ko.tar.xz +75d4868e7694ede63ca17c5e3d44ad88475595e1f16bdbe95e611c493efa742e tor-browser-linux32-4.5.1_nl.tar.xz +a6071a76a613a4955139ddd28d790f8d5d645ce17dde802d1a4ac9fb5465ac1c tor-browser-linux32-4.5.1_pl.tar.xz +5d450616d746635dd4a6886771c5e88dc92b2fb12c6a7af7c7bcb525b81bfc25 tor-browser-linux32-4.5.1_pt-PT.tar.xz +10ddf846984e80ec65a1bf29f480c3c82dc3ba23439d779619800101221a5de2 tor-browser-linux32-4.5.1_ru.tar.xz +bbde08f326cf2e3594d6a150d22b161c16f0c7b5e9d29591a43a85aba118be4f tor-browser-linux32-4.5.1_tr.tar.xz +2e9748478e974a81634ee2523e0f704de82796b71caf270de5ff459a3ebfc1dc tor-browser-linux32-4.5.1_vi.tar.xz +3a2b2c089ac03cebd1507eff7af2c707f441c07894a51481376581448fbcde7c tor-browser-linux32-4.5.1_zh-CN.tar.xz diff --git a/config/chroot_local-includes/usr/share/tails/firefox-localstore-win8.rdf b/config/chroot_local-includes/usr/share/tails/tor-browser-win8-theme/localstore.rdf similarity index 100% rename from config/chroot_local-includes/usr/share/tails/firefox-localstore-win8.rdf rename to config/chroot_local-includes/usr/share/tails/tor-browser-win8-theme/localstore.rdf diff --git a/config/chroot_local-includes/usr/share/tails/tor-browser-win8-theme/theme.js b/config/chroot_local-includes/usr/share/tails/tor-browser-win8-theme/theme.js new file mode 100644 index 0000000000000000000000000000000000000000..61f73a0f007fd52de26c53be2777295f8bf7d751 --- /dev/null +++ b/config/chroot_local-includes/usr/share/tails/tor-browser-win8-theme/theme.js @@ -0,0 +1,2 @@ +pref("lightweightThemes.isThemeSelected", true); +pref("lightweightThemes.usedThemes", "[{\"id\":\"1\",\"name\":\"Internet Explorer\",\"headerURL\":\"file:///usr/share/pixmaps/blue_dot.png\",\"footerURL\":\"file:///usr/share/pixmaps/blue_dot.png\",\"textcolor\":\"#FFFFFF\",\"accentcolor\":\"#3399FF\",\"updateDate\":0,\"installDate\":0}]"); diff --git a/config/chroot_local-includes/usr/share/tails/tor-browser-win8-theme/userChrome.css b/config/chroot_local-includes/usr/share/tails/tor-browser-win8-theme/userChrome.css new file mode 100644 index 0000000000000000000000000000000000000000..39cf1c8712ec1229c3a741fdc897b76a1574d077 --- /dev/null +++ b/config/chroot_local-includes/usr/share/tails/tor-browser-win8-theme/userChrome.css @@ -0,0 +1,3 @@ +/* Camouflage */ +.tab-close-button { list-style-image: url("moz-icon://stock/gtk-close-grey?size=menu") !important; } +#navigator-toolbox { background-color: #6badf6 !important; } diff --git a/config/chroot_local-includes/usr/share/tails/torbrowser-AppArmor-profile.patch b/config/chroot_local-includes/usr/share/tails/torbrowser-AppArmor-profile.patch new file mode 100644 index 0000000000000000000000000000000000000000..a5da2ee95c5256bd936337bf743aae9056b4a998 --- /dev/null +++ b/config/chroot_local-includes/usr/share/tails/torbrowser-AppArmor-profile.patch @@ -0,0 +1,135 @@ +diff --git a/apparmor/torbrowser.Browser.firefox b/apparmor/torbrowser.Browser.firefox +index 0df7ad9..0a70462 100644 +--- a/apparmor/torbrowser.Browser.firefox ++++ b/apparmor/torbrowser.Browser.firefox +@@ -1,13 +1,15 @@ + # Last modified + #include <tunables/global> + +-/home/*/.local/share/torbrowser/tbb/{i686,x86_64}/tor-browser_*/Browser/firefox { ++/usr/local/lib/tor-browser/firefox { + #include <abstractions/gnome> ++ #include <abstractions/gstreamer> ++ #include <abstractions/ibus> + + # Uncomment the following line if you don't want the Tor Browser + # to have direct access to your sound hardware. Note that this is not + # enough to have working sound support in Tor Browser. +- # #include <abstractions/audio> ++ #include <abstractions/audio> + + # Uncomment the following lines if you want to give the Tor Browser read-write + # access to most of your personal files. +@@ -17,40 +19,52 @@ + #dbus, + network tcp, + ++ /etc/asound.conf r, + deny /etc/host.conf r, +- deny /etc/hosts r, +- deny /etc/nsswitch.conf r, ++ /etc/hosts r, ++ /etc/nsswitch.conf r, + deny /etc/resolv.conf r, +- deny /etc/passwd r, +- deny /etc/group r, ++ /etc/passwd r, ++ /etc/group r, + deny /etc/mailcap r, ++ deny @{HOME}/.local/share/gvfs-metadata/home r, ++ deny /run/resolvconf/resolv.conf r, + +- deny /etc/machine-id r, +- deny /var/lib/dbus/machine-id r, ++ /etc/machine-id r, ++ /var/lib/dbus/machine-id r, + + @{PROC}/[0-9]*/mountinfo r, + @{PROC}/[0-9]*/stat r, + @{PROC}/[0-9]*/task/*/stat r, + @{PROC}/sys/kernel/random/uuid r, + +- owner @{HOME}/.local/share/torbrowser/tbb/{i686,x86_64}/tor-browser_*/ r, +- owner @{HOME}/.local/share/torbrowser/tbb/{i686,x86_64}/tor-browser_*/* r, +- owner @{HOME}/.local/share/torbrowser/tbb/{i686,x86_64}/tor-browser_*/.** rwk, +- owner @{HOME}/.local/share/torbrowser/tbb/{i686,x86_64}/tor-browser_*/Browser/.** rwk, +- owner @{HOME}/.local/share/torbrowser/tbb/{i686,x86_64}/tor-browser_*/Browser/ r, +- owner @{HOME}/.local/share/torbrowser/tbb/{i686,x86_64}/tor-browser_*/Browser/** r, +- owner @{HOME}/.local/share/torbrowser/tbb/{i686,x86_64}/tor-browser_*/Browser/*.so mr, +- owner @{HOME}/.local/share/torbrowser/tbb/{i686,x86_64}/tor-browser_*/Browser/components/*.so mr, +- owner @{HOME}/.local/share/torbrowser/tbb/{i686,x86_64}/tor-browser_*/Browser/browser/components/*.so mr, +- owner @{HOME}/.local/share/torbrowser/tbb/{i686,x86_64}/tor-browser_*/Browser/firefox rix, +- owner @{HOME}/.local/share/torbrowser/tbb/{i686,x86_64}/tor-browser_*/{Browser/TorBrowser/,}Data/Browser/profiles.ini r, +- owner @{HOME}/.local/share/torbrowser/tbb/{i686,x86_64}/tor-browser_*/{Browser/TorBrowser/,}Data/Browser/profile.default/ r, +- owner @{HOME}/.local/share/torbrowser/tbb/{i686,x86_64}/tor-browser_*/{Browser/TorBrowser/,}Data/Browser/profile.default/** rwk, +- owner @{HOME}/.local/share/torbrowser/tbb/{i686,x86_64}/tor-browser_*/{Browser/TorBrowser/,}Tor/tor Px, +- owner @{HOME}/.local/share/torbrowser/tbb/{i686,x86_64}/tor-browser_*/{Browser/,}Desktop/ rw, +- owner @{HOME}/.local/share/torbrowser/tbb/{i686,x86_64}/tor-browser_*/{Browser/,}Desktop/** rwk, +- owner @{HOME}/.local/share/torbrowser/tbb/{i686,x86_64}/tor-browser_*/{Browser/,}Downloads/ rw, +- owner @{HOME}/.local/share/torbrowser/tbb/{i686,x86_64}/tor-browser_*/{Browser/,}Downloads/** rwk, ++ /usr/local/lib/tor-browser/ r, ++ /usr/local/lib/tor-browser/** r, ++ /usr/local/lib/tor-browser/*.so{,.6} mr, ++ /usr/local/lib/tor-browser/**/*.so mr, ++ /usr/local/lib/tor-browser/browser/* r, ++ /usr/local/lib/tor-browser/TorBrowser/Data/Browser/profiles.ini r, ++ ++ owner "@{HOME}/Tor Browser/" rw, ++ owner "@{HOME}/Tor Browser/**" rwk, ++ owner "@{HOME}/Persistent/Tor Browser/" rw, ++ owner "@{HOME}/Persistent/Tor Browser/**" rwk, ++ owner "/live/persistence/TailsData_unlocked/Persistent/Tor Browser/" rw, ++ owner "/live/persistence/TailsData_unlocked/Persistent/Tor Browser/**" rwk, ++ owner @{HOME}/.mozilla/firefox/bookmarks/places.sqlite rwk, ++ owner /live/persistence/TailsData_unlocked/bookmarks/places.sqlite rwk, ++ owner @{HOME}/.tor-browser/profile.default/ r, ++ owner @{HOME}/.tor-browser/profile.default/** rwk, ++ ++ /etc/xul-ext/ r, ++ /etc/xul-ext/** r, ++ /usr/local/share/tor-browser-extensions/ r, ++ /usr/local/share/tor-browser-extensions/** rk, ++ /usr/share/xul-ext/ r, ++ /usr/share/xul-ext/** r, ++ ++ /usr/share/doc/tails/website/ r, ++ /usr/share/doc/tails/website/** r, + + /etc/mailcap r, + /etc/mime.types r, +@@ -65,6 +79,7 @@ + + /sys/devices/system/cpu/ r, + /sys/devices/system/cpu/present r, ++ deny /sys/devices/virtual/block/*/uevent r, + + # Should use abstractions/gstreamer instead once merged upstream + /etc/udev/udev.conf r, +@@ -72,6 +87,27 @@ + /sys/devices/pci[0-9]*/**/uevent r, + owner /{dev,run}/shm/shmfd-* rw, + ++ /usr/lib/@{multiarch}/gstreamer[0-9]*.[0-9]*/gstreamer-[0-9]*.[0-9]*/gst-plugin-scanner Cix -> gst_plugin_scanner, ++ owner @{HOME}/.gstreamer*/ rw, ++ owner @{HOME}/.gstreamer*/** rw, ++ owner @{PROC}/[0-9]*/fd/ r, ++ ++ deny /usr/bin/pulseaudio x, ++ ++ /usr/local/lib/tor-browser/firefox Pix, ++ /usr/bin/seahorse-tool Ux, ++ ++ # Grant access to assistive technologies ++ # (otherwise, Firefox crashes when Orca is enabled: ++ # https://labs.riseup.net/code/issues/9261) ++ owner @{HOME}/.cache/at-spi2-*/ rw, ++ owner @{HOME}/.cache/at-spi2-*/socket rw, ++ ++ # Spell checking (the "enchant" abstraction includes these rules ++ # too, but it allows way more stuff than what we need) ++ /usr/share/hunspell/ r, ++ /usr/share/hunspell/* r, ++ + # KDE 4 + owner @{HOME}/.kde/share/config/* r, + diff --git a/config/chroot_local-includes/usr/share/tails/unsafe-browser/prefs.js b/config/chroot_local-includes/usr/share/tails/unsafe-browser/prefs.js index b88df8fa6005deb36ff5e5c08810c50b924f8752..2d13b61793e801b18ea3f1553917acc07a1b8b41 100644 --- a/config/chroot_local-includes/usr/share/tails/unsafe-browser/prefs.js +++ b/config/chroot_local-includes/usr/share/tails/unsafe-browser/prefs.js @@ -12,3 +12,8 @@ pref("extensions.update.enabled", false); pref("print.postscript.cups.enabled", false); // Hide "Get Addons" in Add-ons manager pref("extensions.getAddons.showPane", false); + +/* Google seems like the least suspicious choice of default search + engine for the Unsafe Browser's in-the-clear traffic. */ +user_pref("browser.search.defaultenginename", "Google"); +user_pref("browser.search.selectedEngine", "Google"); diff --git a/config/chroot_local-includes/usr/share/tails/unsafe-browser/userChrome.css b/config/chroot_local-includes/usr/share/tails/unsafe-browser/userChrome.css index d83bc879ce252e033cc91964733d0b2e951b9f8f..8694288f412e5622c15be6f01514b4d9276945e7 100644 --- a/config/chroot_local-includes/usr/share/tails/unsafe-browser/userChrome.css +++ b/config/chroot_local-includes/usr/share/tails/unsafe-browser/userChrome.css @@ -1,6 +1,11 @@ /* Required, do not remove */ @namespace url("http://www.mozilla.org/keymaster/gatekeeper/there.is.only.xul"); +/* Remove the Addons menu options */ +#menu_openAddons, /* traditional menu */ +#add-ons-button, /* new style Firefox menu */ +#wrapper-add-ons-button, /* Customize toolbar */ + /* Hide TorBrowser Health Report and its configuration option */ #appmenu_healthReport, #dataChoicesTab, diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/LICENSE b/config/chroot_local-includes/usr/share/tor-launcher-standalone/LICENSE deleted file mode 100644 index 6479400b2c7f89e3ae3df935ede9d5c595c2ae3b..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/LICENSE +++ /dev/null @@ -1,29 +0,0 @@ -Copyright (c) 2013, The Tor Project, Inc. - -Redistribution and use in source and binary forms, with or without -modification, are permitted provided that the following conditions are -met: - - * Redistributions of source code must retain the above copyright -notice, this list of conditions and the following disclaimer. - - * Redistributions in binary form must reproduce the above -copyright notice, this list of conditions and the following disclaimer -in the documentation and/or other materials provided with the -distribution. - - * Neither the names of the copyright owners nor the names of its -contributors may be used to endorse or promote products derived from -this software without specific prior written permission. - -THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS -"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT -LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR -A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT -OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, -SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT -LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, -DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY -THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT -(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE -OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/application.ini b/config/chroot_local-includes/usr/share/tor-launcher-standalone/application.ini deleted file mode 100644 index 715f67666149bcf4cf17272ea19da4b305059182..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/application.ini +++ /dev/null @@ -1,13 +0,0 @@ -[App] -Vendor=TorProject -Name=TorLauncher -Version=0.2.5.4 -BuildID=20140526 -ID=tor-launcher@torproject.org - -[Gecko] -MinVersion=24.0.0 -MaxVersion=*.*.* - -[Shell] -Icon=icon.png diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome.manifest b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome.manifest deleted file mode 100644 index 80702cf67f92c6a94f772a1602e5ce1ff26820e5..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome.manifest +++ /dev/null @@ -1,32 +0,0 @@ -### Copyright (c) 2013, The Tor Project, Inc. -### See LICENSE for licensing information. - -content torlauncher chrome/content/ - -skin torlauncher classic/1.0 chrome/skin/ - -resource torlauncher ./ - -# Firefox 4-style component registration -component {4F476361-23FB-43EF-A427-B36A14D3208E} components/tl-protocol.js -contract @torproject.org/torlauncher-protocol-service;1 {4F476361-23FB-43EF-A427-B36A14D3208E} - -component {FE7B4CAF-BCF4-4848-8BFF-EFA66C9AFDA1} components/tl-process.js -contract @torproject.org/torlauncher-process-service;1 {FE7B4CAF-BCF4-4848-8BFF-EFA66C9AFDA1} -category profile-after-change TorProcessService @torproject.org/torlauncher-process-service;1 -locale torlauncher ar chrome/locale/ar/ -locale torlauncher de chrome/locale/de/ -locale torlauncher en-US chrome/locale/en-US/ -locale torlauncher es chrome/locale/es/ -locale torlauncher fa chrome/locale/fa/ -locale torlauncher fr chrome/locale/fr/ -locale torlauncher it chrome/locale/it/ -locale torlauncher ko chrome/locale/ko/ -locale torlauncher nl chrome/locale/nl/ -locale torlauncher pl chrome/locale/pl/ -locale torlauncher pt chrome/locale/pt/ -locale torlauncher ru chrome/locale/ru/ -locale torlauncher tr chrome/locale/tr/ -locale torlauncher vi chrome/locale/vi/ -locale torlauncher zh chrome/locale/zh/ -locale torlauncher zh-CN chrome/locale/zh-CN/ diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/content/network-settings-overlay.xul b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/content/network-settings-overlay.xul deleted file mode 100644 index 6422802953db49c1962012c95feaf474f812b884..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/content/network-settings-overlay.xul +++ /dev/null @@ -1,128 +0,0 @@ -<?xml version="1.0"?> -<!-- - - Copyright (c) 2014, The Tor Project, Inc. - - See LICENSE for licensing information. - - vim: set sw=2 sts=2 ts=8 et syntax=xml: - --> - -<!DOCTYPE overlay SYSTEM "chrome://torlauncher/locale/network-settings.dtd"> - -<overlay id="TorNetworkSettingsOverlay" - xmlns="http://www.mozilla.org/keymaster/gatekeeper/there.is.only.xul" - xmlns:html="http://www.w3.org/1999/xhtml"> - - <groupbox id="proxySpecificSettings"> - <grid flex="1"> - <columns> - <column/> - <column/> - </columns> - <rows> - <row align="center"> - <label value="&torsettings.useProxy.type;" control="proxyType" - style="text-align:right" /> - <hbox align="center"> - <menulist id="proxyType" oncommand="onProxyTypeChange()"> - <menupopup id="proxyType_menuPopup"> - <menuitem label="-" value="" selected="true" /> - <menuitem label="&torsettings.useProxy.type.socks4;" - value="SOCKS4"/> - <menuitem label="&torsettings.useProxy.type.socks5;" - value="SOCKS5"/> - <menuitem label="&torsettings.useProxy.type.http;" - value="HTTP"/> - </menupopup> - </menulist> - </hbox> - </row> - <row align="center"> - <label value="&torsettings.useProxy.address;" control="proxyAddr" - style="text-align:right" /> - <hbox align="center"> - <textbox id="proxyAddr" size="20" flex="1" - placeholder="&torsettings.useProxy.address.placeholder;" /> - <separator orient="vertical" /> - <label value="&torsettings.useProxy.port;" control="proxyPort"/> - <textbox id="proxyPort" size="4" /> - </hbox> - </row> - <row align="center"> - <label id="proxyUsernameLabel" - value="&torsettings.useProxy.username;" - control="proxyUsername" style="text-align:right" /> - <hbox align="center"> - <textbox id="proxyUsername" size="14" flex="1" - placeholder="&torsettings.optional;" /> - <separator orient="vertical" /> - <label id="proxyPasswordLabel" - value="&torsettings.useProxy.password;" - control="proxyPassword"/> - <textbox id="proxyPassword" size="14" type="password" - placeholder="&torsettings.optional;" /> - </hbox> - </row> - </rows> - </grid> - </groupbox> - - <groupbox id="firewallSpecificSettings"> - <hbox align="center"> - <label value="&torsettings.firewall.allowedPorts;" - control="firewallAllowedPorts"/> - <textbox id="firewallAllowedPorts" value="80,443" /> - </hbox> - </groupbox> - - <groupbox id="bridgeSpecificSettings"> - <hbox align="end" pack="end"> - <radiogroup id="bridgeTypeRadioGroup" flex="1" style="margin: 0px" - oncommand="onBridgeTypeRadioChange()"> - <radio id="bridgeRadioDefault" - label="&torsettings.useBridges.default;" selected="true" /> - <hbox align="baseline" style="margin-top: -5px"> - <spacer style="width: 1.9em" /> - <label id="defaultBridgeTypeLabel" - value="&torsettings.useBridges.type;" - control="defaultBridgeType"/> - <menulist id="defaultBridgeType"> - <menupopup id="defaultBridgeType_menuPopup" /> - </menulist> - <spring/> - </hbox> - <spacer style="height: 0.5em" /> - - <radio align="start" id="bridgeRadioCustom" - label="&torsettings.useBridges.custom;" /> - </radiogroup> - <button dlgtype="help" oncommand="onOpenHelp()" /> - </hbox> - <vbox id="bridgeCustomEntry"> - <label id="bridgeListLabel" style="margin-top:0px;" - value="&torsettings.useBridges.label;" control="bridgeList"/> - <textbox id="bridgeList" multiline="true" rows="3" - oninput="onCustomBridgesTextInput();" - placeholder="&torsettings.useBridges.placeholder;" /> - </vbox> - </groupbox> - - <vbox id="bridgeHelpContent"> - <hbox align="middle"><label>&torsettings.bridgeHelpTitle;</label></hbox> - <description>&torsettings.bridgeHelp1;</description> - <description class="prelist">&torsettings.bridgeHelp1B;</description> - <html:ol> - <html:li> - <html:div class="heading">&torsettings.bridgeHelp2Heading;</html:div> - <html:div>&torsettings.bridgeHelp2;</html:div> - </html:li> - <html:li> - <html:div class="heading">&torsettings.bridgeHelp3Heading;</html:div> - <html:div>&torsettings.bridgeHelp3;</html:div> - </html:li> - <html:li> - <html:div class="heading">&torsettings.bridgeHelp4Heading;</html:div> - <html:div class="endOfHelp">&torsettings.bridgeHelp4;</html:div> - </html:li> - </html:ol> - </vbox> -</overlay> - diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/content/network-settings-wizard.xul b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/content/network-settings-wizard.xul deleted file mode 100644 index 07fcdcdf4ce36443bab8c63743ce780550b3f63f..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/content/network-settings-wizard.xul +++ /dev/null @@ -1,177 +0,0 @@ -<?xml version="1.0"?> -<!-- - - Copyright (c) 2014, The Tor Project, Inc. - - See LICENSE for licensing information. - - vim: set sw=2 sts=2 ts=8 et syntax=xml: - --> - -<?xml-stylesheet href="chrome://global/skin/" type="text/css"?> -<?xml-stylesheet href="chrome://torlauncher/skin/network-settings.css" - type="text/css"?> - -<!DOCTYPE overlay SYSTEM "chrome://torlauncher/locale/network-settings.dtd"> - -<?xul-overlay href="chrome://torlauncher/content/network-settings-overlay.xul"?> - -<wizard id="TorNetworkSettings" - xmlns="http://www.mozilla.org/keymaster/gatekeeper/there.is.only.xul" - title="&torsettings.dialog.title;" - windowtype="TorLauncher:NetworkSettings" - persist="screenX screenY" - buttonlabelextra2="&torsettings.copyLog;" - onwizardfinish="return applySettings();" - onwizardcancel="return onCancel();" - onload="initDialog();"> - - <script type="application/x-javascript" - src="chrome://torlauncher/content/network-settings.js"/> - - <wizardpage label=" " pageid="first" next="proxy" onextra2="onCopyLog();" - onpageshow="setTimeout(function() { showWizardNavButtons(); }, 0);"> - <hbox class="tbb-header"> - <vbox class="tbb-logo-box" align="start"> - <image class="tbb-logo" /> - </vbox> - <separator orient="vertical" /> - <groupbox flex="1"> - <description>&torsettings.prompt;</description> - </groupbox> - </hbox> - <separator /> - <vbox class="firstResponses" align="start"> - <label class="question">&torSettings.firstQuestion;</label> - <separator/> - <label>&torSettings.connectPrompt2;</label> - <label>&torSettings.connectPrompt3;</label> - <button label="&torSettings.connect;" oncommand="useSettings();"/> - <separator class="tall"/> - <label>&torSettings.configurePrompt1;</label> - <label>&torSettings.configurePrompt2;</label> - <button label="&torSettings.configure;" oncommand="onWizardConfigure();"/> - </vbox> - </wizardpage> - - <wizardpage label=" " pageid="proxy" next="firewall" onextra2="onCopyLog();" - onpageshow="showWizardNavButtons();" - onpageadvanced="return onWizardProxyNext(this);"> - <vbox class="tbb-logo-box" align="start"> - <image class="tbb-logo" /> - </vbox> - <separator /> - <hbox> - <vbox flex="1"> - <label class="question">&torSettings.proxyQuestion;</label> - <radiogroup id="proxyRadioGroup"> - <radio id="proxyRadioYes" label="&torSettings.yes;" /> - <radio id="proxyRadioNo" label="&torSettings.no;" selected="true" /> - </radiogroup> - <description class="questionHelp">&torSettings.proxyHelp; - </description> - </vbox> - </hbox> - </wizardpage> - - <wizardpage pageid="proxyYES" next="firewall" onextra2="onCopyLog();" - onpageadvanced="return (getAndValidateProxySettings() != null)"> - <vbox class="tbb-logo-box" align="start"> - <image class="tbb-logo" /> - </vbox> - <separator /> - <label class="instructions">&torSettings.enterProxy;</label> - <groupbox id="proxySpecificSettings" /> - </wizardpage> - - <wizardpage pageid="firewall" next="bridges" onextra2="onCopyLog();" - onpageshow="showOrHideButton('next', true, true)" - onpageadvanced="return onWizardFirewallNext(this);"> - <vbox class="tbb-logo-box" align="start"> - <image class="tbb-logo" /> - </vbox> - <separator /> - <hbox> - <vbox flex="1"> - <label class="question">&torSettings.firewallQuestion;</label> - <radiogroup id="firewallRadioGroup"> - <radio id="firewallRadioYes" label="&torSettings.yes;" /> - <radio id="firewallRadioNo" label="&torSettings.no;" selected="true" /> - </radiogroup> - <description class="questionHelp">&torSettings.firewallHelp; - </description> - </vbox> - </hbox> - </wizardpage> - - <wizardpage pageid="firewallYES" next="bridges" onextra2="onCopyLog();" - onpageadvanced="return (getAndValidateFirewallSettings() != null)"> - <vbox class="tbb-logo-box" align="start"> - <image class="tbb-logo" /> - </vbox> - <separator /> - <vbox> - <label class="instructions">&torSettings.enterFirewall;</label> - <groupbox id="firewallSpecificSettings" /> - </vbox> - </wizardpage> - - <wizardpage pageid="bridges" onextra2="onCopyLog();" - onpageshow="onWizardUseBridgesRadioChange(this)"> - <vbox class="tbb-logo-box" align="start"> - <image class="tbb-logo" /> - </vbox> - <separator /> - <hbox> - <vbox flex="1"> - <label class="question">&torSettings.bridgeQuestion;</label> - <radiogroup id="useBridgesRadioGroup" - oncommand="onWizardUseBridgesRadioChange()"> - <radio id="bridgesRadioYes" label="&torSettings.yes;" /> - <radio id="bridgesRadioNo" label="&torSettings.no;" selected="true" /> - </radiogroup> - <description class="questionHelp">&torSettings.bridgeHelp; - </description> - </vbox> - </hbox> - </wizardpage> - - <wizardpage label=" " pageid="bridgeSettings" onextra2="onCopyLog();" - onpageshow="onWizardBridgeSettingsShow()"> - <vbox class="tbb-logo-box" align="start"> - <image class="tbb-logo" /> - </vbox> - <separator /> - <vbox> - <label id="bridgeSettingsPrompt" - class="question">&torSettings.bridgeSettingsPrompt;</label> - <groupbox id="bridgeSpecificSettings" /> - </vbox> - </wizardpage> - - <wizardpage label=" " pageid="startingTor" next="first"> - <spring flex="1" /> - <hbox> - <spring flex="1" /> - <description id="startingTorMessage">&torsettings.startingTor;</description> - <spring flex="1" /> - </hbox> - <hbox> - <spring flex="1" /> - <button id="restartButton" label="&torsettings.restart;" hidden="true" - oncommand="onRestartApp()" /> - <spring flex="1" /> - </hbox> - <spring flex="1" /> - </wizardpage> - - <wizardpage label=" " pageid="errorPanel" next="notUsed" - onextra2="onCopyLog();"> - </wizardpage> - - <wizardpage class="help" label=" " pageid="bridgeHelp" next="notUsed" - onpageadvanced="closeHelp(); return false;"> - <vbox id="bridgeHelpContent" /> - </wizardpage> - - <hbox pack="start"> - <label id="forAssistance" /> - </hbox> -</wizard> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/content/network-settings.js b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/content/network-settings.js deleted file mode 100644 index 31f8d6f60a830f913d3a700b66dfe7faa374c5b7..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/content/network-settings.js +++ /dev/null @@ -1,1371 +0,0 @@ -// Copyright (c) 2014, The Tor Project, Inc. -// See LICENSE for licensing information. -// -// vim: set sw=2 sts=2 ts=8 et syntax=javascript: - -// TODO: if clean start and "Unable to read Tor settings" error is displayed, we should not bootstrap Tor or start the browser. - -const Cc = Components.classes; -const Ci = Components.interfaces; -const Cu = Components.utils; - -Cu.import("resource://gre/modules/XPCOMUtils.jsm"); -XPCOMUtils.defineLazyModuleGetter(this, "TorLauncherUtil", - "resource://torlauncher/modules/tl-util.jsm"); -XPCOMUtils.defineLazyModuleGetter(this, "TorLauncherLogger", - "resource://torlauncher/modules/tl-logger.jsm"); - -const kPrefDefaultBridgeRecommendedType = - "extensions.torlauncher.default_bridge_recommended_type"; -const kPrefDefaultBridgeType = "extensions.torlauncher.default_bridge_type"; - -const kSupportAddr = "help@rt.torproject.org"; - -const kTorProcessReadyTopic = "TorProcessIsReady"; -const kTorProcessExitedTopic = "TorProcessExited"; -const kTorProcessDidNotStartTopic = "TorProcessDidNotStart"; -const kTorBootstrapErrorTopic = "TorBootstrapError"; -const kTorLogHasWarnOrErrTopic = "TorLogHasWarnOrErr"; - -const kWizardProxyRadioGroup = "proxyRadioGroup"; -const kWizardFirewallRadioGroup = "firewallRadioGroup"; -const kWizardUseBridgesRadioGroup = "useBridgesRadioGroup"; - -const kUseProxyCheckbox = "useProxy"; -const kProxyTypeMenulist = "proxyType"; -const kProxyAddr = "proxyAddr"; -const kProxyPort = "proxyPort"; -const kProxyUsername = "proxyUsername"; -const kProxyPassword = "proxyPassword"; -const kUseFirewallPortsCheckbox = "useFirewallPorts"; -const kFirewallAllowedPorts = "firewallAllowedPorts"; -const kUseBridgesCheckbox = "useBridges"; -const kDefaultBridgeTypeMenuList = "defaultBridgeType"; -const kCustomBridgesRadio = "bridgeRadioCustom"; -const kBridgeList = "bridgeList"; - -const kTorConfKeyDisableNetwork = "DisableNetwork"; -const kTorConfKeySocks4Proxy = "Socks4Proxy"; -const kTorConfKeySocks5Proxy = "Socks5Proxy"; -const kTorConfKeySocks5ProxyUsername = "Socks5ProxyUsername"; -const kTorConfKeySocks5ProxyPassword = "Socks5ProxyPassword"; -const kTorConfKeyHTTPSProxy = "HTTPSProxy"; -const kTorConfKeyHTTPSProxyAuthenticator = "HTTPSProxyAuthenticator"; -const kTorConfKeyReachableAddresses = "ReachableAddresses"; -const kTorConfKeyUseBridges = "UseBridges"; -const kTorConfKeyBridgeList = "Bridge"; -const kTorConfKeyClientTransportPlugin = "ClientTransportPlugin"; - -var gProtocolSvc = null; -var gTorProcessService = null; -var gObsService = null; -var gIsInitialBootstrap = false; -var gIsBootstrapComplete = false; -var gRestoreAfterHelpPanelID = null; - - -function initDialog() -{ - var isWindows = TorLauncherUtil.isWindows; - if (isWindows) - document.documentElement.setAttribute("class", "os-windows"); - - var forAssistance = document.getElementById("forAssistance"); - if (forAssistance) - { - forAssistance.textContent = TorLauncherUtil.getFormattedLocalizedString( - "forAssistance", [kSupportAddr], 1); - } - - var cancelBtn = document.documentElement.getButton("cancel"); - gIsInitialBootstrap = window.arguments[0]; - - var startAtPanel; - if (window.arguments.length > 1) - startAtPanel = window.arguments[1]; - - if (gIsInitialBootstrap) - { - if (cancelBtn) - { - var quitKey = isWindows ? "quit_win" : "quit"; - cancelBtn.label = TorLauncherUtil.getLocalizedString(quitKey); - } - - var okBtn = document.documentElement.getButton("accept"); - if (okBtn) - okBtn.label = TorLauncherUtil.getLocalizedString("connect"); - } - - try - { - var svc = Cc["@torproject.org/torlauncher-protocol-service;1"] - .getService(Ci.nsISupports); - gProtocolSvc = svc.wrappedJSObject; - } - catch (e) { dump(e + "\n"); } - - try - { - var svc = Cc["@torproject.org/torlauncher-process-service;1"] - .getService(Ci.nsISupports); - gTorProcessService = svc.wrappedJSObject; - } - catch (e) { dump(e + "\n"); } - - gObsService = Cc["@mozilla.org/observer-service;1"] - .getService(Ci.nsIObserverService); - - var wizardElem = getWizard(); - var haveWizard = (wizardElem != null); - if (haveWizard) - { - // Set "Copy Tor Log" label and move it after the Quit (cancel) button. - var copyLogBtn = document.documentElement.getButton("extra2"); - if (copyLogBtn) - { - copyLogBtn.label = wizardElem.getAttribute("buttonlabelextra2"); - if (cancelBtn && TorLauncherUtil.isMac) - cancelBtn.parentNode.insertBefore(copyLogBtn, cancelBtn.nextSibling); - } - - if (gTorProcessService.TorBootstrapErrorOccurred || - gProtocolSvc.TorLogHasWarnOrErr) - { - showCopyLogButton(true); - } - - if (!TorLauncherUtil.shouldOnlyConfigureTor) - { - // Use "Connect" as the finish button label (on the last wizard page).. - var finishBtn = document.documentElement.getButton("finish"); - if (finishBtn) - finishBtn.label = TorLauncherUtil.getLocalizedString("connect"); - } - - // Add label and access key to Help button. - var helpBtn = document.documentElement.getButton("help"); - if (helpBtn) - { - var strBundle = Cc["@mozilla.org/intl/stringbundle;1"] - .getService(Ci.nsIStringBundleService) - .createBundle("chrome://global/locale/dialog.properties"); - helpBtn.setAttribute("label", strBundle.GetStringFromName("button-help")); - var accessKey = strBundle.GetStringFromName("accesskey-help"); - if (accessKey) - helpBtn.setAttribute("accesskey", accessKey); - } - } - - initDefaultBridgeTypeMenu(); - - gObsService.addObserver(gObserver, kTorBootstrapErrorTopic, false); - gObsService.addObserver(gObserver, kTorLogHasWarnOrErrTopic, false); - gObsService.addObserver(gObserver, kTorProcessExitedTopic, false); - - var status = gTorProcessService.TorProcessStatus; - if (TorLauncherUtil.shouldStartAndOwnTor && - (status != gTorProcessService.kStatusRunning)) - { - showStartingTorPanel(status == gTorProcessService.kStatusExited); - gObsService.addObserver(gObserver, kTorProcessReadyTopic, false); - gObsService.addObserver(gObserver, kTorProcessDidNotStartTopic, false); - } - else - { - readTorSettings(); - - if (startAtPanel) - advanceToWizardPanel(startAtPanel); - else - showPanel(); - } - - TorLauncherLogger.log(2, "initDialog done"); -} - - -function getWizard() -{ - var elem = document.getElementById("TorNetworkSettings"); - return (elem && (elem.tagName == "wizard")) ? elem : null; -} - - -function onWizardConfigure() -{ - getWizard().advance("proxy"); -} - - -function onWizardProxyNext(aWizPage) -{ - if (aWizPage) - { - var hasProxy = getElemValue("proxyRadioYes", false); - aWizPage.next = (hasProxy) ? "proxyYES" : "firewall"; - } - - return true; -} - - -function onWizardFirewallNext(aWizPage) -{ - if (aWizPage) - { - var hasFirewall = getElemValue("firewallRadioYes", false); - aWizPage.next = (hasFirewall) ? "firewallYES" : "bridges"; - } - - return true; -} - - -function onWizardUseBridgesRadioChange(aWizPage) -{ - var wizard = getWizard(); - if (!aWizPage) - aWizPage = wizard.currentPage; - if (aWizPage) - { - var useBridges = getElemValue("bridgesRadioYes", false); - aWizPage.next = (useBridges) ? "bridgeSettings" : ""; - wizard.setAttribute("lastpage", !useBridges); - wizard._wizardButtons.onPageChange(); - } -} - - -function onWizardBridgeSettingsShow() -{ - var wizard = getWizard(); - wizard.setAttribute("lastpage", true); - wizard._wizardButtons.onPageChange(); - var btn = document.documentElement.getButton("finish"); - if (btn) - btn.focus(); -} - - -function onCustomBridgesTextInput() -{ - var customBridges = document.getElementById(kCustomBridgesRadio); - if (customBridges) - customBridges.control.selectedItem = customBridges; - onBridgeTypeRadioChange(); -} - - -function onBridgeTypeRadioChange() -{ - var useCustom = getElemValue(kCustomBridgesRadio, false); - enableElemWithLabel(kDefaultBridgeTypeMenuList, !useCustom); - enableElemWithLabel(kBridgeList + "Label", useCustom); - var focusElemID = (useCustom) ? kBridgeList : kDefaultBridgeTypeMenuList; - var elem = document.getElementById(focusElemID); - if (elem) - elem.focus(); -} - - -function showWizardNavButtons() -{ - var curPage = getWizard().currentPage; - var isFirstPage = ("first" == curPage.pageid); - - showOrHideButton("back", !isFirstPage, false); - showOrHideButton("next", !isFirstPage && curPage.next, false); -} - - -var gObserver = { - observe: function(aSubject, aTopic, aData) - { - if ((kTorBootstrapErrorTopic == aTopic) || - (kTorLogHasWarnOrErrTopic == aTopic)) - { - showCopyLogButton(true); - return; - } - - if (kTorProcessReadyTopic == aTopic) - { - gObsService.removeObserver(gObserver, kTorProcessReadyTopic); - var haveWizard = (getWizard() != null); - showPanel(); - if (haveWizard) - { - showOrHideButton("back", true, false); - showOrHideButton("next", true, false); - } - readTorSettings(); - } - else if (kTorProcessDidNotStartTopic == aTopic) - { - gObsService.removeObserver(gObserver, kTorProcessDidNotStartTopic); - showErrorPanel(); - } - else if (kTorProcessExitedTopic == aTopic) - { - gObsService.removeObserver(gObserver, kTorProcessExitedTopic); - showStartingTorPanel(true); - } - } -}; - - -function readTorSettings() -{ - TorLauncherLogger.log(2, "readTorSettings " + - "----------------------------------------------"); - - var didSucceed = false; - try - { - // TODO: retrieve > 1 key at one time inside initProxySettings() et al. - didSucceed = initProxySettings() && initFirewallSettings() && - initBridgeSettings(); - } - catch (e) { TorLauncherLogger.safelog(4, "Error in readTorSettings: ", e); } - - if (!didSucceed) - { - // Unable to communicate with tor. Hide settings and display an error. - showErrorPanel(); - - setTimeout(function() - { - var details = TorLauncherUtil.getLocalizedString( - "ensure_tor_is_running"); - var s = TorLauncherUtil.getFormattedLocalizedString( - "failed_to_get_settings", [details], 1); - TorLauncherUtil.showAlert(window, s); - close(); - }, 0); - } - TorLauncherLogger.log(2, "readTorSettings done"); -} - - -// If aPanelID is undefined, the first panel is displayed. -function showPanel(aPanelID) -{ - var wizard = getWizard(); - if (!aPanelID) - aPanelID = (wizard) ? "first" : "settings"; - - var deckElem = document.getElementById("deck"); - if (deckElem) - { - deckElem.selectedPanel = document.getElementById(aPanelID); - showOrHideButton("extra2", (aPanelID != "bridgeHelp"), false); - } - else if (wizard.currentPage.pageid != aPanelID) - wizard.goTo(aPanelID); - - showOrHideButton("accept", (aPanelID == "settings"), true); -} - - -// This function assumes that you are starting on the first page. -function advanceToWizardPanel(aPanelID) -{ - var wizard = getWizard(); - if (!wizard) - return; - - onWizardConfigure(); // Equivalent to pressing "Configure" - - const kMaxTries = 10; - for (var count = 0; - ((count < kMaxTries) && - (wizard.currentPage.pageid != aPanelID) && - wizard.canAdvance); - ++count) - { - wizard.advance(); - } -} - - -function showStartingTorPanel(aTorExited) -{ - if (aTorExited) - { - // Show "Tor exited; please restart" message and Restart button. - var elem = document.getElementById("startingTorMessage"); - if (elem) - { - var s1 = TorLauncherUtil.getLocalizedString("tor_exited"); - var s2 = TorLauncherUtil.getLocalizedString("please_restart_app"); - elem.textContent = s1 + "\n\n" + s2; - } - var btn = document.getElementById("restartButton"); - if (btn) - btn.removeAttribute("hidden"); - } - - showPanel("startingTor"); - var haveWizard = (getWizard() != null); - if (haveWizard) - { - showOrHideButton("back", false, false); - showOrHideButton("next", false, false); - } -} - - -function showErrorPanel() -{ - showPanel("errorPanel"); - var haveErrorOrWarning = (gTorProcessService.TorBootstrapErrorOccurred || - gProtocolSvc.TorLogHasWarnOrErr) - showCopyLogButton(haveErrorOrWarning); -} - - -function showCopyLogButton(aHaveErrorOrWarning) -{ - var copyLogBtn = document.documentElement.getButton("extra2"); - if (copyLogBtn) - { - if (getWizard()) - copyLogBtn.setAttribute("wizardCanCopyLog", true); - - copyLogBtn.removeAttribute("hidden"); - - if (aHaveErrorOrWarning) - { - var clz = copyLogBtn.getAttribute("class"); - copyLogBtn.setAttribute("class", clz ? clz + " torWarning" - : "torWarning"); - } - } -} - - -function showOrHideButton(aID, aShow, aFocus) -{ - var btn = setButtonAttr(aID, "hidden", !aShow); - if (btn && aFocus) - btn.focus() -} - - -// Returns the button element (if found). -function enableButton(aID, aEnable) -{ - return setButtonAttr(aID, "disabled", !aEnable); -} - - -// Returns the button element (if found). -function setButtonAttr(aID, aAttr, aValue) -{ - if (!aID || !aAttr) - return null; - - var btn = document.documentElement.getButton(aID); - if (btn) - { - if (aValue) - btn.setAttribute(aAttr, aValue); - else - btn.removeAttribute(aAttr); - } - - return btn; -} - - -// Enables / disables aID as well as optional aID+"Label" element. -function enableElemWithLabel(aID, aEnable) -{ - if (!aID) - return; - - var elem = document.getElementById(aID); - if (elem) - { - var label = document.getElementById(aID + "Label"); - if (aEnable) - { - if (label) - label.removeAttribute("disabled"); - - elem.removeAttribute("disabled"); - } - else - { - if (label) - label.setAttribute("disabled", true); - - elem.setAttribute("disabled", true); - } - } -} - - -// Removes placeholder text when disabled. -function enableTextBox(aID, aEnable) -{ - enableElemWithLabel(aID, aEnable); - var textbox = document.getElementById(aID); - if (textbox) - { - if (aEnable) - { - var s = textbox.getAttribute("origPlaceholder"); - if (s) - textbox.setAttribute("placeholder", s); - } - else - { - textbox.setAttribute("origPlaceholder", textbox.placeholder); - textbox.removeAttribute("placeholder"); - } - } -} - - -function overrideButtonLabel(aID, aLabelKey) -{ - var btn = document.documentElement.getButton(aID); - if (btn) - { - btn.setAttribute("origLabel", btn.label); - btn.label = TorLauncherUtil.getLocalizedString(aLabelKey); - } -} - - -function restoreButtonLabel(aID) -{ - var btn = document.documentElement.getButton(aID); - if (btn) - { - var oldLabel = btn.getAttribute("origLabel"); - if (oldLabel) - { - btn.label = oldLabel; - btn.removeAttribute("origLabel"); - } - } -} - - -function onProxyTypeChange() -{ - var proxyType = getElemValue(kProxyTypeMenulist, null); - var mayHaveCredentials = (proxyType != "SOCKS4"); - enableTextBox(kProxyUsername, mayHaveCredentials); - enableTextBox(kProxyPassword, mayHaveCredentials); -} - - -function onRestartApp() -{ - if (gIsInitialBootstrap) - { - // If the browser has not fully started yet, we cannot use the app startup - // service to restart it... so we use a delayed approach. - try - { - var obsSvc = Cc["@mozilla.org/observer-service;1"] - .getService(Ci.nsIObserverService); - obsSvc.notifyObservers(null, "TorUserRequestedQuit", "restart"); - - window.close(); - } catch (e) {} - } - else - { - // Restart now. - var asSvc = Cc["@mozilla.org/toolkit/app-startup;1"] - .getService(Ci.nsIAppStartup); - asSvc.quit(asSvc.eAttemptQuit | asSvc.eRestart); - } -} - - -function onCancel() -{ - if (gRestoreAfterHelpPanelID) // Is help open? - { - closeHelp(); - return false; - } - - if (gIsInitialBootstrap) try - { - var obsSvc = Cc["@mozilla.org/observer-service;1"] - .getService(Ci.nsIObserverService); - obsSvc.notifyObservers(null, "TorUserRequestedQuit", null); - } catch (e) {} - - return true; -} - - -function onCopyLog() -{ - var chSvc = Cc["@mozilla.org/widget/clipboardhelper;1"] - .getService(Ci.nsIClipboardHelper); - chSvc.copyString(gProtocolSvc.TorGetLog()); -} - - -function onOpenHelp() -{ - if (gRestoreAfterHelpPanelID) // Already open? - return; - - var deckElem = document.getElementById("deck"); - if (deckElem) - gRestoreAfterHelpPanelID = deckElem.selectedPanel.id; - else - gRestoreAfterHelpPanelID = getWizard().currentPage.pageid; - - showPanel("bridgeHelp"); - - if (getWizard()) - { - showOrHideButton("cancel", false, false); - showOrHideButton("back", false, false); - showOrHideButton("extra2", false, false); - overrideButtonLabel("next", "done"); - var forAssistance = document.getElementById("forAssistance"); - if (forAssistance) - forAssistance.setAttribute("hidden", true); - } - else - overrideButtonLabel("cancel", "done"); -} - - -function closeHelp() -{ - if (!gRestoreAfterHelpPanelID) // Already closed? - return; - - if (getWizard()) - { - showOrHideButton("cancel", true, false); - showOrHideButton("back", true, false); - var copyLogBtn = document.documentElement.getButton("extra2"); - if (copyLogBtn && copyLogBtn.hasAttribute("wizardCanCopyLog")) - copyLogBtn.removeAttribute("hidden"); - restoreButtonLabel("next"); - var forAssistance = document.getElementById("forAssistance"); - if (forAssistance) - forAssistance.removeAttribute("hidden"); - } - else - restoreButtonLabel("cancel"); - - showPanel(gRestoreAfterHelpPanelID); - gRestoreAfterHelpPanelID = null; -} - - -// Returns true if successful. -function initProxySettings() -{ - var proxyType, proxyAddrPort, proxyUsername, proxyPassword; - var reply = gProtocolSvc.TorGetConfStr(kTorConfKeySocks4Proxy, null); - if (!gProtocolSvc.TorCommandSucceeded(reply)) - return false; - - if (reply.retVal) - { - proxyType = "SOCKS4"; - proxyAddrPort = reply.retVal; - } - else - { - var reply = gProtocolSvc.TorGetConfStr(kTorConfKeySocks5Proxy, null); - if (!gProtocolSvc.TorCommandSucceeded(reply)) - return false; - - if (reply.retVal) - { - proxyType = "SOCKS5"; - proxyAddrPort = reply.retVal; - var reply = gProtocolSvc.TorGetConfStr(kTorConfKeySocks5ProxyUsername, - null); - if (!gProtocolSvc.TorCommandSucceeded(reply)) - return false; - - proxyUsername = reply.retVal; - var reply = gProtocolSvc.TorGetConfStr(kTorConfKeySocks5ProxyPassword, - null); - if (!gProtocolSvc.TorCommandSucceeded(reply)) - return false; - - proxyPassword = reply.retVal; - } - else - { - var reply = gProtocolSvc.TorGetConfStr(kTorConfKeyHTTPSProxy, null); - if (!gProtocolSvc.TorCommandSucceeded(reply)) - return false; - - if (reply.retVal) - { - proxyType = "HTTP"; - proxyAddrPort = reply.retVal; - var reply = gProtocolSvc.TorGetConfStr( - kTorConfKeyHTTPSProxyAuthenticator, null); - if (!gProtocolSvc.TorCommandSucceeded(reply)) - return false; - - var values = parseColonStr(reply.retVal); - proxyUsername = values[0]; - proxyPassword = values[1]; - } - } - } - - var haveProxy = (proxyType != undefined); - setYesNoRadioValue(kWizardProxyRadioGroup, haveProxy); - setElemValue(kUseProxyCheckbox, haveProxy); - setElemValue(kProxyTypeMenulist, proxyType); - onProxyTypeChange(); - - var proxyAddr, proxyPort; - if (proxyAddrPort) - { - var values = parseColonStr(proxyAddrPort); - proxyAddr = values[0]; - proxyPort = values[1]; - } - - setElemValue(kProxyAddr, proxyAddr); - setElemValue(kProxyPort, proxyPort); - setElemValue(kProxyUsername, proxyUsername); - setElemValue(kProxyPassword, proxyPassword); - - return true; -} // initProxySettings - - -// Returns true if successful. -function initFirewallSettings() -{ - var allowedPorts; - var reply = gProtocolSvc.TorGetConfStr(kTorConfKeyReachableAddresses, null); - if (!gProtocolSvc.TorCommandSucceeded(reply)) - return false; - - if (reply.retVal) - { - var portStrArray = reply.retVal.split(','); - for (var i = 0; i < portStrArray.length; i++) - { - var values = parseColonStr(portStrArray[i]); - if (values[1]) - { - if (allowedPorts) - allowedPorts += ',' + values[1]; - else - allowedPorts = values[1]; - } - } - } - - var haveFirewall = (allowedPorts != undefined); - setYesNoRadioValue(kWizardFirewallRadioGroup, haveFirewall); - setElemValue(kUseFirewallPortsCheckbox, haveFirewall); - if (allowedPorts) - setElemValue(kFirewallAllowedPorts, allowedPorts); - - return true; -} - - -// Returns true if successful. -function initBridgeSettings() -{ - var typeList = TorLauncherUtil.defaultBridgeTypes; - var canUseDefaultBridges = (typeList && (typeList.length > 0)); - var defaultType = TorLauncherUtil.getCharPref(kPrefDefaultBridgeType); - var useDefault = canUseDefaultBridges && !!defaultType; - - // If not configured to use a default set of bridges, get UseBridges setting - // from tor. - var useBridges = useDefault; - if (!useDefault) - { - var reply = gProtocolSvc.TorGetConfBool(kTorConfKeyUseBridges, false); - if (!gProtocolSvc.TorCommandSucceeded(reply)) - return false; - - useBridges = reply.retVal; - - // Get bridge list from tor. - var bridgeReply = gProtocolSvc.TorGetConf(kTorConfKeyBridgeList); - if (!gProtocolSvc.TorCommandSucceeded(bridgeReply)) - return false; - - if (!setBridgeListElemValue(bridgeReply.lineArray)) - { - if (canUseDefaultBridges) - useDefault = true; // We have no custom values... back to default. - else - useBridges = false; // No custom or default bridges are available. - } - } - - setElemValue(kUseBridgesCheckbox, useBridges); - setYesNoRadioValue(kWizardUseBridgesRadioGroup, useBridges); - - if (!canUseDefaultBridges) - { - var label = document.getElementById("bridgeSettingsPrompt"); - if (label) - label.setAttribute("hidden", true); - - var radioGroup = document.getElementById("bridgeTypeRadioGroup"); - if (radioGroup) - radioGroup.setAttribute("hidden", true); - } - - var radioID = (useDefault) ? "bridgeRadioDefault" : "bridgeRadioCustom"; - var radio = document.getElementById(radioID); - if (radio) - radio.control.selectedItem = radio; - onBridgeTypeRadioChange(); - - return true; -} - - -// Returns true if settings were successfully applied. -function applySettings() -{ - TorLauncherLogger.log(2, "applySettings ---------------------" + - "----------------------------------------------"); - var didSucceed = false; - try - { - didSucceed = applyProxySettings() && applyFirewallSettings() && - applyBridgeSettings(); - } - catch (e) { TorLauncherLogger.safelog(4, "Error in applySettings: ", e); } - - if (didSucceed) - useSettings(); - - TorLauncherLogger.log(2, "applySettings done"); - - return false; -} - - -function useSettings() -{ - var settings = {}; - settings[kTorConfKeyDisableNetwork] = false; - this.setConfAndReportErrors(settings, null); - - gProtocolSvc.TorSendCommand("SAVECONF"); - gTorProcessService.TorClearBootstrapError(); - - gIsBootstrapComplete = gTorProcessService.TorIsBootstrapDone; - if (!gIsBootstrapComplete) - openProgressDialog(); - - if (gIsBootstrapComplete) - close(); -} - -function openProgressDialog() -{ - var chromeURL = "chrome://torlauncher/content/progress.xul"; - var features = "chrome,dialog=yes,modal=yes,dependent=yes"; - window.openDialog(chromeURL, "_blank", features, - gIsInitialBootstrap, onProgressDialogClose); -} - - -function onProgressDialogClose(aBootstrapCompleted) -{ - gIsBootstrapComplete = aBootstrapCompleted; -} - - -// Returns true if settings were successfully applied. -function applyProxySettings() -{ - var settings = getAndValidateProxySettings(); - if (!settings) - return false; - - return this.setConfAndReportErrors(settings, "proxyYES"); -} - - -// Return a settings object if successful and null if not. -function getAndValidateProxySettings() -{ - // TODO: validate user-entered data. See Vidalia's NetworkPage::save() - - var settings = {}; - settings[kTorConfKeySocks4Proxy] = null; - settings[kTorConfKeySocks5Proxy] = null; - settings[kTorConfKeySocks5ProxyUsername] = null; - settings[kTorConfKeySocks5ProxyPassword] = null; - settings[kTorConfKeyHTTPSProxy] = null; - settings[kTorConfKeyHTTPSProxyAuthenticator] = null; - - var proxyType, proxyAddrPort, proxyUsername, proxyPassword; - var useProxy = (getWizard()) ? getYesNoRadioValue(kWizardProxyRadioGroup) - : getElemValue(kUseProxyCheckbox, false); - if (useProxy) - { - proxyAddrPort = createColonStr(getElemValue(kProxyAddr, null), - getElemValue(kProxyPort, null)); - if (!proxyAddrPort) - { - reportValidationError("error_proxy_addr_missing"); - return null; - } - - proxyType = getElemValue(kProxyTypeMenulist, null); - if (!proxyType) - { - reportValidationError("error_proxy_type_missing"); - return null; - } - - if ("SOCKS4" != proxyType) - { - proxyUsername = getElemValue(kProxyUsername); - proxyPassword = getElemValue(kProxyPassword); - } - } - - // ClientTransportPlugin is mutually exclusive with any of the - // *Proxy settings. - if (proxyType) - settings[kTorConfKeyClientTransportPlugin] = null; - - if ("SOCKS4" == proxyType) - { - settings[kTorConfKeySocks4Proxy] = proxyAddrPort; - } - else if ("SOCKS5" == proxyType) - { - settings[kTorConfKeySocks5Proxy] = proxyAddrPort; - settings[kTorConfKeySocks5ProxyUsername] = proxyUsername; - settings[kTorConfKeySocks5ProxyPassword] = proxyPassword; - } - else if ("HTTP" == proxyType) - { - settings[kTorConfKeyHTTPSProxy] = proxyAddrPort; - // TODO: Does any escaping need to be done? - settings[kTorConfKeyHTTPSProxyAuthenticator] = - createColonStr(proxyUsername, proxyPassword); - } - - return settings; -} // applyProxySettings - - -function reportValidationError(aStrKey) -{ - showSaveSettingsAlert(TorLauncherUtil.getLocalizedString(aStrKey)); -} - - -// Returns true if settings were successfully applied. -function applyFirewallSettings() -{ - var settings = getAndValidateFirewallSettings(); - if (!settings) - return false; - - return this.setConfAndReportErrors(settings, "firewallYES"); -} - - -// Return a settings object if successful and null if not. -function getAndValidateFirewallSettings() -{ - // TODO: validate user-entered data. See Vidalia's NetworkPage::save() - - var settings = {}; - settings[kTorConfKeyReachableAddresses] = null; - - var useFirewallPorts = (getWizard()) - ? getYesNoRadioValue(kWizardFirewallRadioGroup) - : getElemValue(kUseFirewallPortsCheckbox, false); - var allowedPorts = getElemValue(kFirewallAllowedPorts, null); - if (useFirewallPorts && allowedPorts) - { - var portsConfStr; - var portsArray = allowedPorts.split(','); - for (var i = 0; i < portsArray.length; ++i) - { - var s = portsArray[i].trim(); - if (s.length > 0) - { - if (!portsConfStr) - portsConfStr = "*:" + s; - else - portsConfStr += ",*:" + s; - } - } - - if (portsConfStr) - settings[kTorConfKeyReachableAddresses] = portsConfStr; - } - - return settings; -} - - -function initDefaultBridgeTypeMenu() -{ - var menu = document.getElementById(kDefaultBridgeTypeMenuList); - if (!menu) - return; - - menu.removeAllItems(); - - var typeArray = TorLauncherUtil.defaultBridgeTypes; - if (!typeArray || typeArray.length == 0) - return; - - var recommendedType = TorLauncherUtil.getCharPref( - kPrefDefaultBridgeRecommendedType, null); - var selectedType = TorLauncherUtil.getCharPref(kPrefDefaultBridgeType, null); - if (!selectedType) - selectedType = recommendedType; - - for (var i=0; i < typeArray.length; i++) - { - var bridgeType = typeArray[i]; - - var menuItemLabel = bridgeType; - if (bridgeType == recommendedType) - { - const key = "recommended_bridge"; - menuItemLabel += " " + TorLauncherUtil.getLocalizedString(key); - } - - var mi = menu.appendItem(menuItemLabel, bridgeType); - if (bridgeType == selectedType) - menu.selectedItem = mi; - } -} - - -// Returns true if settings were successfully applied. -function applyBridgeSettings() -{ - var settings = getAndValidateBridgeSettings(); - if (!settings) - return false; - - return this.setConfAndReportErrors(settings, "bridgeSettings"); -} - -function extractTransportPlugins(bridgeList) { - if (!bridgeList) - return null; - - var transports = new Array; - - for (var i = 0; i < bridgeList.length; i++) - { - let t = bridgeList[i].split(/\s+/)[0]; - // XXX: use real IPv{4,6} validator from library? - if (!t.match(/^\d{1,3}\.\d{1,3}\.\d{1,3}\.\d{1,3}(:\d{1,5})?$/) && - transports.indexOf(t) == -1) - transports.push(t); - } - - return (0 == transports.length) ? null : transports.join(','); -} - -// Return a settings object if successful and null if not. -function getAndValidateBridgeSettings() -{ - var settings = {}; - settings[kTorConfKeyUseBridges] = null; - settings[kTorConfKeyBridgeList] = null; - settings[kTorConfKeyClientTransportPlugin] = null; - - var useBridges = (getWizard()) ? getElemValue("bridgesRadioYes", false) - : getElemValue(kUseBridgesCheckbox, false); - - var defaultBridgeType; - var bridgeList; - if (useBridges) - { - var useCustom = getElemValue(kCustomBridgesRadio, false); - if (useCustom) - { - var bridgeStr = getElemValue(kBridgeList, null); - bridgeList = parseAndValidateBridges(bridgeStr); - if (!bridgeList) - { - reportValidationError("error_bridges_missing"); - return null; - } - - setBridgeListElemValue(bridgeList); - } - else - { - defaultBridgeType = getElemValue(kDefaultBridgeTypeMenuList, null); - if (!defaultBridgeType) - { - reportValidationError("error_default_bridges_type_missing"); - return null; - } - } - } - - // Since it returns a filterd list of bridges, TorLauncherUtil.defaultBridges - // must be called after setting the kPrefDefaultBridgeType pref. - TorLauncherUtil.setCharPref(kPrefDefaultBridgeType, defaultBridgeType); - if (defaultBridgeType) - bridgeList = TorLauncherUtil.defaultBridges; - - setBridgeListElemValue(bridgeList); - if (useBridges && bridgeList) - { - settings[kTorConfKeyUseBridges] = true; - settings[kTorConfKeyBridgeList] = bridgeList; - - var transportPlugins = extractTransportPlugins(bridgeList); - var kPrefTransportProxyPath = "extensions.torlauncher.transportproxy_path"; - var transportProxyPath = TorLauncherUtil.getCharPref(kPrefTransportProxyPath, null); - if (transportPlugins && transportProxyPath) - settings[kTorConfKeyClientTransportPlugin] = - transportPlugins + " exec " + transportProxyPath + " managed"; - } - - return settings; -} - - -// Returns an array or null. -function parseAndValidateBridges(aStr) -{ - if (!aStr) - return null; - - var resultStr = aStr; - resultStr = resultStr.replace(/bridge/gi, ""); // Remove "bridge" everywhere. - resultStr = resultStr.replace(/\r\n/g, "\n"); // Convert \r\n pairs into \n. - resultStr = resultStr.replace(/\r/g, "\n"); // Convert \r into \n. - resultStr = resultStr.replace(/\n\n/g, "\n"); // Condense blank lines. - - var resultArray = new Array; - var tmpArray = resultStr.split('\n'); - for (var i = 0; i < tmpArray.length; i++) - { - let s = tmpArray[i].trim(); // Remove extraneous whitespace. - resultArray.push(s); - } - - return (0 == resultArray.length) ? null : resultArray; -} - - -// Returns true if successful. -function setConfAndReportErrors(aSettingsObj, aShowOnErrorPanelID) -{ - var errObj = {}; - var didSucceed = gProtocolSvc.TorSetConfWithReply(aSettingsObj, errObj); - if (!didSucceed) - { - if (aShowOnErrorPanelID) - { - var wizardElem = getWizard(); - if (wizardElem) try - { - const kMaxTries = 10; - for (var count = 0; - ((count < kMaxTries) && - (wizardElem.currentPage.pageid != aShowOnErrorPanelID) && - wizardElem.canRewind); - ++count) - { - wizardElem.rewind(); - } - } catch (e) {} - } - - showSaveSettingsAlert(errObj.details); - } - - return didSucceed; -} - - -function showSaveSettingsAlert(aDetails) -{ - TorLauncherUtil.showSaveSettingsAlert(window, aDetails); - showOrHideButton("extra2", true, false); - gWizIsCopyLogBtnShowing = true; -} - - -function setElemValue(aID, aValue) -{ - var elem = document.getElementById(aID); - if (elem) - { - var val = aValue; - switch (elem.tagName) - { - case "checkbox": - elem.checked = val; - toggleElemUI(elem); - break; - case "textbox": - if (Array.isArray(aValue)) - { - val = ""; - for (var i = 0; i < aValue.length; ++i) - { - if (val.length > 0) - val += '\n'; - val += aValue[i]; - } - } - // fallthru - case "menulist": - elem.value = (val) ? val : ""; - break; - } - } -} - - -// Returns true if one or more values were set. -function setBridgeListElemValue(aBridgeArray) -{ - // To be consistent with bridges.torproject.org, pre-pend "bridge" to - // each line as it is displayed in the UI. - var bridgeList = []; - if (aBridgeArray) - { - for (var i = 0; i < aBridgeArray.length; ++i) - { - var s = aBridgeArray[i].trim(); - if (s.length > 0) - { - if (s.toLowerCase().indexOf("bridge") != 0) - s = "bridge " + s; - bridgeList.push(s); - } - } - } - - setElemValue(kBridgeList, bridgeList); - return (bridgeList.length > 0); -} - - -// Returns a Boolean (for checkboxes/radio buttons) or a -// string (textbox and menulist). -// Leading and trailing white space is trimmed from strings. -function getElemValue(aID, aDefaultValue) -{ - var rv = aDefaultValue; - var elem = document.getElementById(aID); - if (elem) - { - switch (elem.tagName) - { - case "checkbox": - rv = elem.checked; - break; - case "radio": - rv = elem.selected; - break; - case "textbox": - case "menulist": - rv = elem.value; - break; - } - } - - if (rv && ("string" == (typeof rv))) - rv = rv.trim(); - - return rv; -} - - -// This assumes that first radio button is yes. -function setYesNoRadioValue(aGroupID, aIsYes) -{ - var elem = document.getElementById(aGroupID); - if (elem) - elem.selectedIndex = (aIsYes) ? 0 : 1; -} - - -// This assumes that first radio button is yes. -function getYesNoRadioValue(aGroupID) -{ - var elem = document.getElementById(aGroupID); - return (elem) ? (0 == elem.selectedIndex) : false; -} - - -function toggleElemUI(aElem) -{ - if (!aElem) - return; - - var gbID = aElem.getAttribute("groupboxID"); - if (gbID) - { - var gb = document.getElementById(gbID); - if (gb) - gb.hidden = !aElem.checked; - } -} - - -// Separate aStr at the first colon. Always return a two-element array. -function parseColonStr(aStr) -{ - var rv = ["", ""]; - if (!aStr) - return rv; - - var idx = aStr.indexOf(":"); - if (idx >= 0) - { - if (idx > 0) - rv[0] = aStr.substring(0, idx); - rv[1] = aStr.substring(idx + 1); - } - else - rv[0] = aStr; - - return rv; -} - - -function createColonStr(aStr1, aStr2) -{ - var rv = aStr1; - if (aStr2) - { - if (!rv) - rv = ""; - rv += ':' + aStr2; - } - - return rv; -} diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/content/network-settings.xul b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/content/network-settings.xul deleted file mode 100644 index 4c4eeedc709f32cf2875e5ab1a9606e1420e9bee..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/content/network-settings.xul +++ /dev/null @@ -1,78 +0,0 @@ -<?xml version="1.0"?> -<!-- - - Copyright (c) 2013, The Tor Project, Inc. - - See LICENSE for licensing information. - - vim: set sw=2 sts=2 ts=8 et syntax=xml: - --> - -<?xml-stylesheet href="chrome://global/skin/" type="text/css"?> -<?xml-stylesheet href="chrome://torlauncher/skin/network-settings.css" - type="text/css"?> - -<!DOCTYPE overlay SYSTEM "chrome://torlauncher/locale/network-settings.dtd"> - -<?xul-overlay href="chrome://torlauncher/content/network-settings-overlay.xul"?> - -<dialog id="TorNetworkSettings" - xmlns="http://www.mozilla.org/keymaster/gatekeeper/there.is.only.xul" - title="&torsettings.dialog.title;" - windowtype="TorLauncher:NetworkSettings" - persist="screenX screenY" - buttons="accept,cancel,extra2,help" - buttonlabelextra2="&torsettings.copyLog;" - ondialogaccept="return applySettings();" - ondialogcancel="return onCancel();" - ondialogextra2="onCopyLog();" - ondialoghelp="onOpenHelp();" - onload="initDialog();"> - - <script type="application/x-javascript" - src="chrome://torlauncher/content/network-settings.js"/> - - <deck id="deck"> - <vbox id="settings"> - <vbox> - <separator orient="horizontal" class="thin" /> - <checkbox id="useProxy" groupboxID="proxySpecificSettings" - label="&torsettings.useProxy.checkbox;" - oncommand="toggleElemUI(this)"/> - <groupbox id="proxySpecificSettings" /> - </vbox> - - <vbox> - <checkbox id="useFirewallPorts" groupboxID="firewallSpecificSettings" - label="&torsettings.firewall.checkbox;" - oncommand="toggleElemUI(this)"/> - <groupbox id="firewallSpecificSettings" /> - </vbox> - - <vbox> - <checkbox id="useBridges" groupboxID="bridgeSpecificSettings" - label="&torsettings.useBridges.checkbox;" - oncommand="toggleElemUI(this);" /> - <groupbox id="bridgeSpecificSettings" /> - </vbox> - </vbox> - <vbox id="startingTor"> - <spring flex="1" /> - <hbox> - <spring flex="1" /> - <description id="startingTorMessage">&torsettings.startingTor;</description> - <spring flex="1" /> - </hbox> - <hbox> - <spring flex="1" /> - <button id="restartButton" label="&torsettings.restart;" hidden="true" - oncommand="onRestartApp()" /> - <spring flex="1" /> - </hbox> - <spring flex="1" /> - </vbox> - <vbox id="errorPanel"/> - <vbox id="bridgeHelp" class="help"> - <vbox id="bridgeHelpContent" /> - </vbox> - </deck> - <spring flex="1" /> - <label id="forAssistance" /> -</dialog> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/content/progress.js b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/content/progress.js deleted file mode 100644 index 4cee3d6fa8c7241c18bc4198fcf040b6f63cad82..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/content/progress.js +++ /dev/null @@ -1,187 +0,0 @@ -// Copyright (c) 2014, The Tor Project, Inc. -// See LICENSE for licensing information. -// -// vim: set sw=2 sts=2 ts=8 et syntax=javascript: - -const Cc = Components.classes; -const Ci = Components.interfaces; -const Cu = Components.utils; - -const kTorProcessExitedTopic = "TorProcessExited"; -const kBootstrapStatusTopic = "TorBootstrapStatus"; -const kTorLogHasWarnOrErrTopic = "TorLogHasWarnOrErr"; - -Cu.import("resource://gre/modules/XPCOMUtils.jsm"); -XPCOMUtils.defineLazyModuleGetter(this, "TorLauncherUtil", - "resource://torlauncher/modules/tl-util.jsm"); - -var gObsSvc; -var gOpenerCallbackFunc; // Set when opened from network settings. - - -function initDialog() -{ - // If tor bootstrap has already finished, just close the progress dialog. - // This situation can occur if bootstrapping is very fast and/or if this - // window opens slowly (observed with Adblock Plus installed). - try - { - var processSvc = Cc["@torproject.org/torlauncher-process-service;1"] - .getService(Ci.nsISupports).wrappedJSObject; - if (processSvc.TorIsBootstrapDone || processSvc.TorBootstrapErrorOccurred) - { - closeThisWindow(processSvc.TorIsBootstrapDone); - return; - } - } - catch (e) { dump(e + "\n"); } - - try - { - gObsSvc = Cc["@mozilla.org/observer-service;1"] - .getService(Ci.nsIObserverService); - gObsSvc.addObserver(gObserver, kTorProcessExitedTopic, false); - gObsSvc.addObserver(gObserver, kBootstrapStatusTopic, false); - gObsSvc.addObserver(gObserver, kTorLogHasWarnOrErrTopic, false); - } - catch (e) {} - - var isBrowserStartup = false; - if (window.arguments) - { - isBrowserStartup = window.arguments[0]; - - if (window.arguments.length > 1) - gOpenerCallbackFunc = window.arguments[1]; - } - - if (gOpenerCallbackFunc) - { - // Dialog was opened from network settings: hide Open Settings button. - var extraBtn = document.documentElement.getButton("extra2"); - extraBtn.setAttribute("hidden", true); - } - else - { - // Dialog was not opened from network settings: change Cancel to Quit. - var cancelBtn = document.documentElement.getButton("cancel"); - var quitKey = (TorLauncherUtil.isWindows) ? "quit_win" : "quit"; - cancelBtn.label = TorLauncherUtil.getLocalizedString(quitKey); - } - - // If opened during browser startup, display the "please wait" message. - if (isBrowserStartup) - { - var pleaseWait = document.getElementById("progressPleaseWait"); - if (pleaseWait) - pleaseWait.removeAttribute("hidden"); - } -} - - -function cleanup() -{ - if (gObsSvc) - { - gObsSvc.removeObserver(gObserver, kTorProcessExitedTopic); - gObsSvc.removeObserver(gObserver, kBootstrapStatusTopic); - gObsSvc.removeObserver(gObserver, kTorLogHasWarnOrErrTopic); - } -} - - -function closeThisWindow(aBootstrapDidComplete) -{ - cleanup(); - - if (gOpenerCallbackFunc) - gOpenerCallbackFunc(aBootstrapDidComplete); - - window.close(); -} - - -function onCancel() -{ - cleanup(); - - if (gOpenerCallbackFunc) - { - // TODO: stop the bootstrapping process? - gOpenerCallbackFunc(false); - } - else try - { - var obsSvc = Cc["@mozilla.org/observer-service;1"] - .getService(Ci.nsIObserverService); - obsSvc.notifyObservers(null, "TorUserRequestedQuit", null); - } catch (e) {} - - return true; -} - - -function onOpenSettings() -{ - cleanup(); - window.close(); -} - - -var gObserver = { - // nsIObserver implementation. - observe: function(aSubject, aTopic, aParam) - { - if (kTorProcessExitedTopic == aTopic) - { - // TODO: provide a way to access tor log e.g., leave this dialog open - // and display the open settings button. - onCancel(); - window.close(); - } - else if (kBootstrapStatusTopic == aTopic) - { - var statusObj = aSubject.wrappedJSObject; - var labelText = - TorLauncherUtil.getLocalizedBootstrapStatus(statusObj, "TAG"); - var percentComplete = (statusObj.PROGRESS) ? statusObj.PROGRESS : 0; - - var meter = document.getElementById("progressMeter"); - if (meter) - meter.value = percentComplete; - - var bootstrapDidComplete = (percentComplete >= 100); - if (percentComplete >= 100) - { - // To ensure that 100% progress is displayed, wait a short while - // before closing this window. - window.setTimeout(function() { closeThisWindow(true); }, 250); - } - else if (statusObj._errorOccurred) - { - var s = TorLauncherUtil.getLocalizedBootstrapStatus(statusObj, "REASON"); - if (s) - labelText = s; - - if (meter) - meter.setAttribute("hidden", true); - - var pleaseWait = document.getElementById("progressPleaseWait"); - if (pleaseWait) - pleaseWait.setAttribute("hidden", true); - } - - var desc = document.getElementById("progressDesc"); - if (labelText && desc) - desc.textContent = labelText; - } - else if (kTorLogHasWarnOrErrTopic == aTopic) - { - var extra2Btn = document.documentElement.getButton("extra2"); - var clz = extra2Btn.getAttribute("class"); - extra2Btn.setAttribute("class", clz ? clz + " torWarning" : "torWarning"); - - // TODO: show error / warning message in this dialog? - } - }, -}; diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/content/progress.xul b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/content/progress.xul deleted file mode 100644 index fe85e391dedcbeb234b9779960f3f998c943795f..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/content/progress.xul +++ /dev/null @@ -1,44 +0,0 @@ -<?xml version="1.0"?> -<!-- - - Copyright (c) 2013, The Tor Project, Inc. - - See LICENSE for licensing information. - - vim: set sw=2 sts=2 ts=8 et syntax=xml: - --> - -<?xml-stylesheet href="chrome://global/skin/" type="text/css"?> -<?xml-stylesheet href="chrome://torlauncher/skin/progress.css" - type="text/css"?> - -<!DOCTYPE overlay SYSTEM "chrome://torlauncher/locale/progress.dtd"> - -<dialog id="TorProgress" - xmlns="http://www.mozilla.org/keymaster/gatekeeper/there.is.only.xul" - title="&torprogress.dialog.title;" - windowtype="TorLauncher:Progress" - persist="screenX screenY" - buttons="cancel,extra2" - buttonlabelextra2="&torprogress.openSettings;" - ondialogcancel="return onCancel();" - ondialogextra2="onOpenSettings();" - onload="initDialog();"> - - <script type="application/x-javascript" - src="chrome://torlauncher/content/progress.js"/> - <vbox> - <hbox> - <vbox> - <spacer flex="1" /> - <image id="tbb-icon" /> - <spacer flex="1" /> - </vbox> - <separator orient="vertical" /> - <vbox> - <label id="progressHeading" value="&torprogress.heading;" /> - <description id="progressDesc" /> - </vbox> - </hbox> - <progressmeter id="progressMeter" mode="determined" value="0" /> - <description id="progressPleaseWait" - hidden="true">&torprogress.pleaseWait;</description> - </vbox> -</dialog> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/ar/network-settings.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/ar/network-settings.dtd deleted file mode 100644 index 508b47adf27d24942e2c0e8f99f3aa1f9a4d6c71..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/ar/network-settings.dtd +++ /dev/null @@ -1,64 +0,0 @@ -<!ENTITY torsettings.dialog.title "إعدادات الشبكة الخاصة بتور"> - -<!-- For "first run" wizard: --> - -<!ENTITY torsettings.prompt "عليك توفير معلومات حول اتصال هذا الحاسب بالإنترنت قبل أن تحاول الاتصال بشبكة Tor."> - -<!ENTITY torSettings.yes "نعم"> -<!ENTITY torSettings.no "لا"> - -<!ENTITY torSettings.firstQuestion "أي مما يلي يعتبر وصف افضل لموقفك؟"> -<!ENTITY torSettings.configurePrompt1 " اتصال الإنترنت لهذا الكمبيوتر مُراقب، أو مصفى، أو يعمل ببروكسي."> -<!ENTITY torSettings.configurePrompt2 "علي تكوين إعدادات الجسر أو جدار الحماية أو الوكيل."> -<!ENTITY torSettings.configure "تكوين"> -<!ENTITY torSettings.connectPrompt2 "أود الاتصال مباشرة إلى شبكة تور."> -<!ENTITY torSettings.connectPrompt3 "سيفيد هذا في معظم الحالات."> -<!ENTITY torSettings.connect "اتصل"> - -<!ENTITY torSettings.proxyQuestion "هل يحتاج هذا الجهاز إلي بروكسي حتي يصل إلي شبكة الإنترنت؟"> -<!-- see https://www.torproject.org/docs/proxychain.html.en --> -<!ENTITY torSettings.proxyHelp "إذا لم تكن متأكدا من كيفية الإجابة على هذا السؤال، إلقي نظرة على إعدادات الإنترنت في متصفح آخر حتي تتأكد إذا كان يستخدام بروكسي."> -<!ENTITY torSettings.enterProxy "أدخل إعدادات البروكسي."> -<!ENTITY torSettings.firewallQuestion "هل اتصال الإنترنت لهذا الكمبيوتر يمر بجدار حماية يسمح بالاتصال فقط من خلال منافذ معينة؟"> -<!ENTITY torSettings.firewallHelp "إذا لم تكن متأكدا من كيفية الإجابة على هذا السؤال، اختار لا. إذا واجهتك مشاكل في الاتصال بشبكة تور, غيير هذا الإعداد."> -<!ENTITY torSettings.enterFirewall "إدخل قائمة مفصولة بفواصل من المنافذ التي يسمح بها جدار الحماية."> -<!ENTITY torSettings.bridgeQuestion "هل يقوم مقدم خدمة الإنترنت (ISP) الذي تتعامل معه بحجب الاتصالات بشبكة Tor أو مراقبتها بطريقة أخرى؟"> -<!ENTITY torSettings.bridgeHelp "إذا لم تكن متأكدا من إجابة هذا السؤال، قم باختيار لا.   إذا قمت باختيار نعم، فسيطلب منك تكوين جسور Tor والتي هي منافذ ترحيل غير مدرجة تصعب عملية حظر الاتصالات بشبكة Tor."> -<!ENTITY torSettings.bridgeSettingsPrompt "يمكنك استخدام مجموعة الجسور المتوفرة أو الحصول على مجموعة مخصصة من الجسور."> - -<!-- Other: --> - -<!ENTITY torsettings.startingTor "في انتظار تور حتي يبدء بالعمل..."> -<!ENTITY torsettings.restart "إعادة تشغيل"> - -<!ENTITY torsettings.optional "اختياري"> - -<!ENTITY torsettings.useProxy.checkbox "يحتاج هذا الجهاز إلي استخدام بروكسي للوصل إلي شبكة الإنترنت"> -<!ENTITY torsettings.useProxy.type "نوع البروكسي:"> -<!ENTITY torsettings.useProxy.address "العنوان:"> -<!ENTITY torsettings.useProxy.address.placeholder "عنوان الإنترنت IP أو اسم المضيف"> -<!ENTITY torsettings.useProxy.port "المنفذ:"> -<!ENTITY torsettings.useProxy.username "اسم المستخدم:"> -<!ENTITY torsettings.useProxy.password "كلمة السر:"> -<!ENTITY torsettings.useProxy.type.socks4 "SOCKS 4"> -<!ENTITY torsettings.useProxy.type.socks5 "SOCKS 5"> -<!ENTITY torsettings.useProxy.type.http "HTTP / HTTPS"> -<!ENTITY torsettings.firewall.checkbox "اتصال الإنترنت لهذا الكمبيوتر يمر بجدار حماية يسمح بالاتصال فقط من خلال منافذ معينة"> -<!ENTITY torsettings.firewall.allowedPorts "المنافذ المسموح بها:"> -<!ENTITY torsettings.useBridges.checkbox "مزود خدمة الإنترنت الخاص بي (ISP) يمنع الاتصالات بشبكة تور"> -<!ENTITY torsettings.useBridges.default "الاتصال بالجسور المتوفرة"> -<!ENTITY torsettings.useBridges.type "نوع النقل:"> -<!ENTITY torsettings.useBridges.custom "إدخال جسور مخصصة"> -<!ENTITY torsettings.useBridges.label "ادخل جسر او اكثر (جسر واحد في كل سطر)."> -<!ENTITY torsettings.useBridges.placeholder "اكتب العنوان:المنفذ"> - -<!ENTITY torsettings.copyLog "نسخ سجل تور إلي الحافظة"> -<!ENTITY torsettings.bridgeHelpTitle "المساعدة الخاصة بالجسور المُرحلة"> -<!ENTITY torsettings.bridgeHelp1 "قد يكون السبب في عدم قدرتك علي الاتصال بشبكة تورهو ان مزود خدمة الإنترنت الخاص بك (ISP) أو منظمة اخري يمنع محاولات الاتصال بشبكة تور. وغالباً، تستطيع تخطي هذا المنع عن طريق استخدام جسور تور و الجسور عبارة عن مُرحلات مخفية صعب منعها."> -<!ENTITY torsettings.bridgeHelp1B "يمكنك استخدام مجموعة عناوين الجسور المتوفرة التي تم تكوينها مسبقا أو الحصول على مجموعة مخصصة من العناوين باستخدام إحدى هذه الطرق الثلاث:"> -<!ENTITY torsettings.bridgeHelp2Heading "من خلال الويب"> -<!ENTITY torsettings.bridgeHelp2 "استخدم متصفح ويب لزيارة https://bridges.torproject.org"> -<!ENTITY torsettings.bridgeHelp3Heading "من خلال المستجيب التلقائي للبريد الإلكتروني"> -<!ENTITY torsettings.bridgeHelp3 "ارسل بريد إلكتروني إلى bridges@torproject.org يحتوي علي 'get bridges' في قلب البريد. و حتي تضمن وصول ذلك البريد لنا بنجاح استخدم إما gmail.com أو yahoo.com"> -<!ENTITY torsettings.bridgeHelp4Heading "من خلال مكتب المساعدة"> -<!ENTITY torsettings.bridgeHelp4 "يمكنك طلب عناوين الجسر، كحل أخير، من خلال إرسال رسالة بريد إلكتروني مهذبة إلى help@rt.torproject.org.  يرجى ملاحظة أنه يجب أن يرد شخص ما على كل طلب."> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/ar/progress.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/ar/progress.dtd deleted file mode 100644 index 6f4907de66b39fc797113cf13037fb41cc99114e..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/ar/progress.dtd +++ /dev/null @@ -1,4 +0,0 @@ -<!ENTITY torprogress.dialog.title "حالة تور"> -<!ENTITY torprogress.openSettings "افتح الإعدادات"> -<!ENTITY torprogress.heading "جاري الاتصال بشبكة تور"> -<!ENTITY torprogress.pleaseWait "الرجاء الانتظار، يتم الان إنشاء اتصال بشبكة تور."> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/ar/torlauncher.properties b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/ar/torlauncher.properties deleted file mode 100644 index ff393f78716a7b46d383f3c7cc2faea2278855dd..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/ar/torlauncher.properties +++ /dev/null @@ -1,58 +0,0 @@ -### Copyright (c) 2014, The Tor Project, Inc. -### See LICENSE for licensing information. - -torlauncher.error_title=مُشغل تور - -torlauncher.tor_exited=توقف تور عن العمل بشكل غير متوقع. -torlauncher.please_restart_app=يرجي إعادة تشغيل هذا البرنامج. -torlauncher.tor_controlconn_failed=تعذر الاتصال بمنفذ التحكم الخاص بتور. -torlauncher.tor_failed_to_start=تور فشل في بدء التشغيل. -torlauncher.tor_control_failed=تعذر التحكم في تور. -torlauncher.tor_bootstrap_failed=فشل تور في إنشاء اتصال بشبكة تور. -torlauncher.tor_bootstrap_failed_details=%1$S فشل(%2$S). - -torlauncher.unable_to_start_tor=غير قادر علي بدء تشغيل تور.\n\n%S -torlauncher.tor_missing=الملف التنفيذي لتور مفقود. -torlauncher.torrc_missing=ملف torrc مفقود. -torlauncher.datadir_missing=مجلد data الخاص بتور غير موجود. -torlauncher.password_hash_missing=فشل في الحصول على كلمة المرور المجزأة. - -torlauncher.failed_to_get_settings=غير قادر علي جلب إعدادات تور.\n\n%S -torlauncher.failed_to_save_settings=غير قادر علي حفظ إعدادات تور.\n\n%S -torlauncher.ensure_tor_is_running=الرجاء التأكد أن تور يعمل. - -torlauncher.error_proxy_addr_missing=من الضروري تحديد كل من عنوان الانترنت IP أو عنوان مستضيف واحد و منفذ وذلك لتهيئة تور لأستخدام بروكسي حتي يستطيع الوصول إلي شبكة الانترنت. -torlauncher.error_proxy_type_missing=من الضروري تحديد نوع البروكسي. -torlauncher.error_bridges_missing=من الضروري تحديد جسر واحد أو أكثر. -torlauncher.error_default_bridges_type_missing=يجب عليك تحديد نوع الجسور المقدمة مع المتصفح. -torlauncher.error_bridge_bad_default_type=هذا النوع غير متوفر بداخل الجسور المقدمة مع المتصفح. الرجاء تعديل إعداداتك. - -torlauncher.recommended_bridge=(موصى به) - -torlauncher.connect=اتصل -torlauncher.quit=إنهاء -torlauncher.quit_win=خروج -torlauncher.done=تم - -torlauncher.forAssistance=للمساعدة, اتصل بـ %S - -torlauncher.bootstrapStatus.conn_dir=جارٍ الاتصال بدليل التحويلات -torlauncher.bootstrapStatus.handshake_dir=ينشئ اتصالا معمًى بالدليل -torlauncher.bootstrapStatus.requesting_status=يسترجع حالة الشبكة -torlauncher.bootstrapStatus.loading_status=يحمل حالة الشبكة -torlauncher.bootstrapStatus.loading_keys=يحمل شهادات السلطة -torlauncher.bootstrapStatus.requesting_descriptors=يطلب معلومات التحويلة -torlauncher.bootstrapStatus.loading_descriptors=يحمل معلومات التحويلة -torlauncher.bootstrapStatus.conn_or=جاري الاتصال بشبكة تور -torlauncher.bootstrapStatus.handshake_or=ينشئ دائرة تور -torlauncher.bootstrapStatus.done=تم الاتصال بشبكة تور - -torlauncher.bootstrapWarning.done=تم -torlauncher.bootstrapWarning.connectrefused=تم رفض الاتصال -torlauncher.bootstrapWarning.misc=متفرقات -torlauncher.bootstrapWarning.resourcelimit=الموارد غير كافية -torlauncher.bootstrapWarning.identity=لم تتطابق الهوية -torlauncher.bootstrapWarning.timeout=الاتصال عاطل -torlauncher.bootstrapWarning.noroute=لا طريق للمضيف -torlauncher.bootstrapWarning.ioerror=خطأ في القراءة/الكتابة -torlauncher.bootstrapWarning.pt_missing=missing pluggable transport diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/de/network-settings.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/de/network-settings.dtd deleted file mode 100644 index c7d747cf3f2c394269a75db89f5eaea49546f331..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/de/network-settings.dtd +++ /dev/null @@ -1,64 +0,0 @@ -<!ENTITY torsettings.dialog.title "Tor-Netzwerkeinstellungen"> - -<!-- For "first run" wizard: --> - -<!ENTITY torsettings.prompt "Bevor Sie sich zum Tor-Netzwerk verbinden können, müssen Sie Informationen über den Internetanschluss Ihres Rechners bereitstellen."> - -<!ENTITY torSettings.yes "Ja"> -<!ENTITY torSettings.no "Nein"> - -<!ENTITY torSettings.firstQuestion "Was beschreibt Ihre Situation am besten?"> -<!ENTITY torSettings.configurePrompt1 "Die Internetverbindung dieses Rechner ist zensiert, gefiltert oder vermittelt."> -<!ENTITY torSettings.configurePrompt2 "Ich muss die Einstellungen der Brücke, der Firewall oder des Vermittlungsservers einstellen."> -<!ENTITY torSettings.configure "Konfigurieren"> -<!ENTITY torSettings.connectPrompt2 "Ich würde gerne direkt eine Verbindung zum Tor-Netzwerk herstellen."> -<!ENTITY torSettings.connectPrompt3 "Das wird in den meisten Situationen funktionieren."> -<!ENTITY torSettings.connect "Verbinden"> - -<!ENTITY torSettings.proxyQuestion "Benötigt dieser Rechner einen Vermittlungsserver um eine Verbindung zum Internet herzustellen?"> -<!-- see https://www.torproject.org/docs/proxychain.html.en --> -<!ENTITY torSettings.proxyHelp "Wenn Sie sich nicht sicher sind, dann schauen Sie in die Einstellungen ihres normalen Browsers ob dort ein Vermittlungsserver eingerichtet ist."> -<!ENTITY torSettings.enterProxy "Vermittlungseinstellungen eingeben."> -<!ENTITY torSettings.firewallQuestion "Benutzt die Internetverbindung dieses Rechners eine Firewall, die nur Verbindungen zu bestimmten Anschlüssen zulässt?"> -<!ENTITY torSettings.firewallHelp "Wenn Sie sich nicht sicher sind, wählen Sie Nein. Wenn Sie dann Probleme haben eine Verbindung zum Tor-Netzwerk herzustellen, ändern Sie diese Einstellung."> -<!ENTITY torSettings.enterFirewall "Geben Sie hier die Anschlüsse ein, die von der Firewall erlaubt werden. Trennen Sie die Anschlüsse jeweils mit einem Komma."> -<!ENTITY torSettings.bridgeQuestion "Blockiert oder zensiert Ihr Internetdienstanbieter (ISP) Verbindungen zum Tor-Netzwerk?"> -<!ENTITY torSettings.bridgeHelp "Wenn Sie sich nicht sicher sind, wie Sie diese Frage beantworten sollen, wählen Sie Nr.  Wenn Sie Ja wählen, werden Sie aufgefordert, die Torbrücken zu konfigurieren. Die nicht aufgeführte Relais sind, was es schwieriger macht, Verbindungen zum Tor-Netzwerk zu blockieren."> -<!ENTITY torSettings.bridgeSettingsPrompt "Sie könne den bereitgestellten Satz an Brücken verwenden oder Sie können welche erhalten, und geben einen benutzerdefinierten Satz an Brücken ein."> - -<!-- Other: --> - -<!ENTITY torsettings.startingTor "Auf den Start von Tor wird gewartet …"> -<!ENTITY torsettings.restart "Neustart"> - -<!ENTITY torsettings.optional "Optional"> - -<!ENTITY torsettings.useProxy.checkbox "Dieser Rechner benötigt einen Vermittlungsserver, um sich mit dem Internet zu verbinden"> -<!ENTITY torsettings.useProxy.type "Vermittlungstyp:"> -<!ENTITY torsettings.useProxy.address "Adresse:"> -<!ENTITY torsettings.useProxy.address.placeholder "IP-Adresse oder Rechnername"> -<!ENTITY torsettings.useProxy.port "Anschluss:"> -<!ENTITY torsettings.useProxy.username "Nutzername:"> -<!ENTITY torsettings.useProxy.password "Passwort:"> -<!ENTITY torsettings.useProxy.type.socks4 "SOCKS 4"> -<!ENTITY torsettings.useProxy.type.socks5 "SOCKS 5"> -<!ENTITY torsettings.useProxy.type.http "HTTP / HTTPS"> -<!ENTITY torsettings.firewall.checkbox "Die Verbindung dieses Rechner geht durch eine Firewall, die nur bestimmte Anschlüsse zulässt"> -<!ENTITY torsettings.firewall.allowedPorts "Erlaubte Anschlüsse:"> -<!ENTITY torsettings.useBridges.checkbox "Mein Internetdienstanbieter (ISP) blockiert Verbindungen zum Tor-Netzwerk"> -<!ENTITY torsettings.useBridges.default "Mit bereitgestellten Brücken verbinden "> -<!ENTITY torsettings.useBridges.type "Transporttyp:"> -<!ENTITY torsettings.useBridges.custom "Benutzerdefinierte Brücken eingeben"> -<!ENTITY torsettings.useBridges.label "Ein oder mehrere Brückenrelais eingeben (eins pro Zeile)."> -<!ENTITY torsettings.useBridges.placeholder "Typ Adresse:Anschluss"> - -<!ENTITY torsettings.copyLog "Tor-Protokoll in die Zwischenablage kopieren"> -<!ENTITY torsettings.bridgeHelpTitle "Hilfe zum Brückenrelais"> -<!ENTITY torsettings.bridgeHelp1 "Sollten Sie sich nicht mit dem Tor-Netzwerk verbinden können, ist es möglich, dass Ihr Internetdienstanbieter (ISP) oder eine andere Organisation, Tor blockiert.  Dieses Problem kann meist mit der Benutzung von Torbrücken umgangen werden, das sind versteckte Relais und damit schwerer zu blocken."> -<!ENTITY torsettings.bridgeHelp1B "Sie können den vorkonfigurierten und bereitgestellten Satz an Brückenadressen verwenden, oder Sie können einen benutzerdefinierten Satz von Adressen, mit einer dieser drei Methoden erhalten:"> -<!ENTITY torsettings.bridgeHelp2Heading "Durch das Internet"> -<!ENTITY torsettings.bridgeHelp2 "Benutzen Sie einen Browser und besuchen Sie https://bridges.torproject.org"> -<!ENTITY torsettings.bridgeHelp3Heading "Durch die automatische E-Mail-Antwort"> -<!ENTITY torsettings.bridgeHelp3 "Schreiben Sie eine E-Mail an bridges@torproject.org mit dem Nachrichteninhalt »get bridges«.  Doch um es schwieriger für einen Angreifer zu machen, eine Menge von Brückenadressen zu erfahren, müssen Sie diese Anfrage von einer gmail.com oder yahoo.com E-Mail-Adresse schicken."> -<!ENTITY torsettings.bridgeHelp4Heading "Durch die Beratungsstelle"> -<!ENTITY torsettings.bridgeHelp4 "Brückenadressen können auch mit Hilfe einer höflichen E-Mail an help@rt.torproject.org angefordert werden.  Bitte beachten Sie, dass jede Anfrage einzeln bearbeitet werden muss."> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/de/progress.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/de/progress.dtd deleted file mode 100644 index 45bd6d6d29e5ee898e3ca7e1fca377d9283f6bc4..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/de/progress.dtd +++ /dev/null @@ -1,4 +0,0 @@ -<!ENTITY torprogress.dialog.title "Tor-Status"> -<!ENTITY torprogress.openSettings "Einstellungen öffnen"> -<!ENTITY torprogress.heading "Mit dem Tor-Netzwerk verbinden"> -<!ENTITY torprogress.pleaseWait "Bitte warten Sie während die Verbindung zum Tor-Netzwerk hergestellt wird."> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/de/torlauncher.properties b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/de/torlauncher.properties deleted file mode 100644 index 8ba8ae19c4c0d2741b62da4315f72e74417855b7..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/de/torlauncher.properties +++ /dev/null @@ -1,58 +0,0 @@ -### Copyright (c) 2014, The Tor Project, Inc. -### See LICENSE for licensing information. - -torlauncher.error_title=Tor-Starter - -torlauncher.tor_exited=Tor wurde unerwartet geschlossen. -torlauncher.please_restart_app=Bitte starten Sie die Anwendung neu. -torlauncher.tor_controlconn_failed=Zum Tor-Kontrollanschluss konnte keine Verbindung hergestellt werden. -torlauncher.tor_failed_to_start=Der Start von Tor ist fehlgeschlagen. -torlauncher.tor_control_failed=Fehler, die Kontrolle über Tor zu übernehmen. -torlauncher.tor_bootstrap_failed=Tor konnte keine Verbindung zum Tor-Netzwerk herstellen. -torlauncher.tor_bootstrap_failed_details=%1$S gescheitert (%2$S). - -torlauncher.unable_to_start_tor=Tor kann nicht gestartet werden.\n\n%S -torlauncher.tor_missing=Die Tor-Programmdatei ist nicht vorhanden. -torlauncher.torrc_missing=Die torrc-Datei ist nicht vorhanden. -torlauncher.datadir_missing=Das Tor-Datenverzeichniss existiert nicht. -torlauncher.password_hash_missing=Erhalt des Hash-Passwortes ist fehlgeschlagen. - -torlauncher.failed_to_get_settings=Die Tor-Einstellungen können nicht abgefragt werden.\n\n%S -torlauncher.failed_to_save_settings=Die Tor-Einstellungen können nicht gespeichert werden.\n\n%S -torlauncher.ensure_tor_is_running=Bitte stellen Sie sicher, dass Tor läuft. - -torlauncher.error_proxy_addr_missing=Damit Tor einen Vermittlungsserver benutzt, um auf das Internet zuzugreifen, muss eine IP-Adresse oder ein Rechnername und eine Anschlussnummer angegeben werden. -torlauncher.error_proxy_type_missing=Sie müssen eine Vermittlungstyp auswählen. -torlauncher.error_bridges_missing=Sie müssen eine oder mehrere Brücken eingeben. -torlauncher.error_default_bridges_type_missing=Sie müssen eine Transporttyp für die bereitgestellten Brücken auswählen. -torlauncher.error_bridge_bad_default_type=Es sind keine bereitgestellten Brücken verfügbar, die den Transporttyp %S haben. Bitte passen Sie Ihre Einstellungen an. - -torlauncher.recommended_bridge=(empfohlen) - -torlauncher.connect=Verbinden -torlauncher.quit=Schließen -torlauncher.quit_win=Beenden -torlauncher.done=Fertig - -torlauncher.forAssistance=Falls Sie Hilfe benötigen, kontaktieren Sie %S - -torlauncher.bootstrapStatus.conn_dir=Zu einem Relaisverzeichnis wird verbunden -torlauncher.bootstrapStatus.handshake_dir=Es wird eine verschlüsselte Verbindung zu einem Verzeichnis hergestellt -torlauncher.bootstrapStatus.requesting_status=Netzwerkstatus wird abgerufen -torlauncher.bootstrapStatus.loading_status=Netzwerkstatus wird geladen -torlauncher.bootstrapStatus.loading_keys=Autorisierungszertifikate werden geladen -torlauncher.bootstrapStatus.requesting_descriptors=Relaisinformationen werden angefordert -torlauncher.bootstrapStatus.loading_descriptors=Relaisinformationen werden geladen -torlauncher.bootstrapStatus.conn_or=Zum Tor-Netzwerk wird verbinden -torlauncher.bootstrapStatus.handshake_or=Tor-Verbindung wird hergestellt -torlauncher.bootstrapStatus.done=Zum Tor-Netzwerk wird verbunden! - -torlauncher.bootstrapWarning.done=abgeschlossen -torlauncher.bootstrapWarning.connectrefused=Verbindung verweigert -torlauncher.bootstrapWarning.misc=Verschiedenes -torlauncher.bootstrapWarning.resourcelimit=Unzureichende Ressourcen -torlauncher.bootstrapWarning.identity=Nichtübereinstimmung der Identitäten -torlauncher.bootstrapWarning.timeout=Verbindungszeitüberschreitung -torlauncher.bootstrapWarning.noroute=Kein Pfad zum Rechner -torlauncher.bootstrapWarning.ioerror=Lese-/Schreibfehler -torlauncher.bootstrapWarning.pt_missing=Pluggable Transport fehlt diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/en-US/network-settings.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/en-US/network-settings.dtd deleted file mode 100644 index a3462749e357ab78a15cbe962db225fc9e658955..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/en-US/network-settings.dtd +++ /dev/null @@ -1,64 +0,0 @@ -<!ENTITY torsettings.dialog.title "Tor Network Settings"> - -<!-- For "first run" wizard: --> - -<!ENTITY torsettings.prompt "Before you connect to the Tor network, you need to provide information about this computer's Internet connection."> - -<!ENTITY torSettings.yes "Yes"> -<!ENTITY torSettings.no "No"> - -<!ENTITY torSettings.firstQuestion "Which of the following best describes your situation?"> -<!ENTITY torSettings.configurePrompt1 "This computer's Internet connection is censored, filtered, or proxied."> -<!ENTITY torSettings.configurePrompt2 "I need to configure bridge, firewall, or proxy settings."> -<!ENTITY torSettings.configure "Configure"> -<!ENTITY torSettings.connectPrompt2 "I would like to connect directly to the Tor network."> -<!ENTITY torSettings.connectPrompt3 "This will work in most situations."> -<!ENTITY torSettings.connect "Connect"> - -<!ENTITY torSettings.proxyQuestion "Does this computer need to use a proxy to access the Internet?"> -<!-- see https://www.torproject.org/docs/proxychain.html.en --> -<!ENTITY torSettings.proxyHelp "If you are not sure how to answer this question, look at the Internet settings in another browser to see whether it is configured to use a proxy."> -<!ENTITY torSettings.enterProxy "Enter the proxy settings."> -<!ENTITY torSettings.firewallQuestion "Does this computer's Internet connection go through a firewall that only allows connections to certain ports?"> -<!ENTITY torSettings.firewallHelp "If you are not sure how to answer this question, choose No. If you encounter problems connecting to the Tor network, change this setting."> -<!ENTITY torSettings.enterFirewall "Enter a comma-separated list of ports that are allowed by the firewall."> -<!ENTITY torSettings.bridgeQuestion "Does your Internet Service Provider (ISP) block or otherwise censor connections to the Tor Network?"> -<!ENTITY torSettings.bridgeHelp "If you are not sure how to answer this question, choose No.  If you choose Yes, you will be asked to configure Tor Bridges, which are unlisted relays that make it more difficult to block connections to the Tor Network."> -<!ENTITY torSettings.bridgeSettingsPrompt "You may use the provided set of bridges or you may obtain and enter a custom set of bridges."> - -<!-- Other: --> - -<!ENTITY torsettings.startingTor "Waiting for Tor to start…"> -<!ENTITY torsettings.restart "Restart"> - -<!ENTITY torsettings.optional "Optional"> - -<!ENTITY torsettings.useProxy.checkbox "This computer needs to use a proxy to access the Internet"> -<!ENTITY torsettings.useProxy.type "Proxy Type:"> -<!ENTITY torsettings.useProxy.address "Address:"> -<!ENTITY torsettings.useProxy.address.placeholder "IP address or hostname"> -<!ENTITY torsettings.useProxy.port "Port:"> -<!ENTITY torsettings.useProxy.username "Username:"> -<!ENTITY torsettings.useProxy.password "Password:"> -<!ENTITY torsettings.useProxy.type.socks4 "SOCKS 4"> -<!ENTITY torsettings.useProxy.type.socks5 "SOCKS 5"> -<!ENTITY torsettings.useProxy.type.http "HTTP / HTTPS"> -<!ENTITY torsettings.firewall.checkbox "This computer goes through a firewall that only allows connections to certain ports"> -<!ENTITY torsettings.firewall.allowedPorts "Allowed Ports:"> -<!ENTITY torsettings.useBridges.checkbox "My Internet Service Provider (ISP) blocks connections to the Tor network"> -<!ENTITY torsettings.useBridges.default "Connect with provided bridges"> -<!ENTITY torsettings.useBridges.type "Transport type:"> -<!ENTITY torsettings.useBridges.custom "Enter custom bridges"> -<!ENTITY torsettings.useBridges.label "Enter one or more bridge relays (one per line)."> -<!ENTITY torsettings.useBridges.placeholder "type address:port"> - -<!ENTITY torsettings.copyLog "Copy Tor Log To Clipboard"> -<!ENTITY torsettings.bridgeHelpTitle "Bridge Relay Help"> -<!ENTITY torsettings.bridgeHelp1 "If you are unable to connect to the Tor network, it could be that your Internet Service Provider (ISP) or another agency is blocking Tor.  Often, you can work around this problem by using Tor Bridges, which are unlisted relays that are more difficult to block."> -<!ENTITY torsettings.bridgeHelp1B "You may use the preconfigured, provided set of bridge addresses or you may obtain a custom set of addresses by using one of these three methods:"> -<!ENTITY torsettings.bridgeHelp2Heading "Through the Web"> -<!ENTITY torsettings.bridgeHelp2 "Use a web browser to visit https://bridges.torproject.org"> -<!ENTITY torsettings.bridgeHelp3Heading "Through the Email Autoresponder"> -<!ENTITY torsettings.bridgeHelp3 "Send email to bridges@torproject.org with the line 'get bridges' by itself in the body of the message.  However, to make it harder for an attacker to learn a lot of bridge addresses, you must send this request from a gmail.com or yahoo.com email address."> -<!ENTITY torsettings.bridgeHelp4Heading "Through the Help Desk"> -<!ENTITY torsettings.bridgeHelp4 "As a last resort, you can request bridge addresses by sending a polite email message to help@rt.torproject.org.  Please note that a person will need to respond to each request."> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/en-US/progress.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/en-US/progress.dtd deleted file mode 100644 index ebd9cef1806952bdb25fad49c48cd0c28ae6e39b..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/en-US/progress.dtd +++ /dev/null @@ -1,4 +0,0 @@ -<!ENTITY torprogress.dialog.title "Tor Status"> -<!ENTITY torprogress.openSettings "Open Settings"> -<!ENTITY torprogress.heading "Connecting to the Tor network"> -<!ENTITY torprogress.pleaseWait "Please wait while we establish a connection to the Tor network."> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/en-US/torlauncher.properties b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/en-US/torlauncher.properties deleted file mode 100644 index d04cac5580c21d71a76df1c76019d20a18179a99..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/en-US/torlauncher.properties +++ /dev/null @@ -1,58 +0,0 @@ -### Copyright (c) 2014, The Tor Project, Inc. -### See LICENSE for licensing information. - -torlauncher.error_title=Tor Launcher - -torlauncher.tor_exited=Tor unexpectedly exited. -torlauncher.please_restart_app=Please restart this application. -torlauncher.tor_controlconn_failed=Could not connect to Tor control port. -torlauncher.tor_failed_to_start=Tor failed to start. -torlauncher.tor_control_failed=Failed to take control of Tor. -torlauncher.tor_bootstrap_failed=Tor failed to establish a Tor network connection. -torlauncher.tor_bootstrap_failed_details=%1$S failed (%2$S). - -torlauncher.unable_to_start_tor=Unable to start Tor.\n\n%S -torlauncher.tor_missing=The Tor executable is missing. -torlauncher.torrc_missing=The torrc file is missing. -torlauncher.datadir_missing=The Tor data directory does not exist. -torlauncher.password_hash_missing=Failed to get hashed password. - -torlauncher.failed_to_get_settings=Unable to retrieve Tor settings.\n\n%S -torlauncher.failed_to_save_settings=Unable to save Tor settings.\n\n%S -torlauncher.ensure_tor_is_running=Please ensure that Tor is running. - -torlauncher.error_proxy_addr_missing=You must specify both an IP address or hostname and a port number to configure Tor to use a proxy to access the Internet. -torlauncher.error_proxy_type_missing=You must select the proxy type. -torlauncher.error_bridges_missing=You must specify one or more bridges. -torlauncher.error_default_bridges_type_missing=You must select a transport type for the provided bridges. -torlauncher.error_bridge_bad_default_type=No provided bridges that have the transport type %S are available. Please adjust your settings. - -torlauncher.recommended_bridge=(recommended) - -torlauncher.connect=Connect -torlauncher.quit=Quit -torlauncher.quit_win=Exit -torlauncher.done=Done - -torlauncher.forAssistance=For assistance, contact %S - -torlauncher.bootstrapStatus.conn_dir=Connecting to a relay directory -torlauncher.bootstrapStatus.handshake_dir=Establishing an encrypted directory connection -torlauncher.bootstrapStatus.requesting_status=Retrieving network status -torlauncher.bootstrapStatus.loading_status=Loading network status -torlauncher.bootstrapStatus.loading_keys=Loading authority certificates -torlauncher.bootstrapStatus.requesting_descriptors=Requesting relay information -torlauncher.bootstrapStatus.loading_descriptors=Loading relay information -torlauncher.bootstrapStatus.conn_or=Connecting to the Tor network -torlauncher.bootstrapStatus.handshake_or=Establishing a Tor circuit -torlauncher.bootstrapStatus.done=Connected to the Tor network! - -torlauncher.bootstrapWarning.done=done -torlauncher.bootstrapWarning.connectrefused=connection refused -torlauncher.bootstrapWarning.misc=miscellaneous -torlauncher.bootstrapWarning.resourcelimit=insufficient resources -torlauncher.bootstrapWarning.identity=identity mismatch -torlauncher.bootstrapWarning.timeout=connection timeout -torlauncher.bootstrapWarning.noroute=no route to host -torlauncher.bootstrapWarning.ioerror=read/write error -torlauncher.bootstrapWarning.pt_missing=missing pluggable transport diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/es/network-settings.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/es/network-settings.dtd deleted file mode 100644 index 2bce6c550cb4c4d100435886f0f484c03a353901..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/es/network-settings.dtd +++ /dev/null @@ -1,65 +0,0 @@ -<!ENTITY torsettings.dialog.title "Configuración de red de Tor"> - -<!-- For "first run" wizard: --> - -<!ENTITY torsettings.prompt "Antes de que se conecte a la red Tor, necesita proporcionar información sobre la conexión a Internet de este equipo."> - -<!ENTITY torSettings.yes "Sí"> -<!ENTITY torSettings.no "No"> - -<!ENTITY torSettings.firstQuestion "¿Cuál de las siguientes describe mejor su situación?"> -<!ENTITY torSettings.configurePrompt1 "La conexión a Internet de esta computadora está censurada, filtrada o proxificada."> -<!ENTITY torSettings.configurePrompt2 "Necesito configurar las preferencias de repetidor puente ('bridge'), cortafuegos ('firewall'), o proxy."> -<!ENTITY torSettings.configure "Configurar"> -<!ENTITY torSettings.connectPrompt2 "Me gustaría conectar directamente a la red Tor."> -<!ENTITY torSettings.connectPrompt3 "Esto funcionará en la mayoría de las situaciones."> -<!ENTITY torSettings.connect "Conectar"> - -<!ENTITY torSettings.proxyQuestion "¿Necesita usar un proxy de acceso a Internet esta computadora ?"> -<!-- see https://www.torproject.org/docs/proxychain.html.en --> -<!ENTITY torSettings.proxyHelp "Si no está seguro de cómo responder a esta pregunta, eche un vistazo a las configuraciones de Internet en otro navegador para ver si está configurado para usar un proxy."> -<!ENTITY torSettings.enterProxy "Introduzca las preferencias para proxy."> -<!ENTITY torSettings.firewallQuestion "¿Va la conexión a Internet de esta computadora a través de un cortafuegos ('firewall') que sólo permite conexiones a ciertos puertos?"> -<!ENTITY torSettings.firewallHelp "Si no está seguro de cómo responder a esta pregunta, elija No. Si encuentra problemas conectando a la red Tor, cambie esta configuración."> -<!ENTITY torSettings.enterFirewall "Introduzca una lista de puertos separada por comas que esté permitida por el cortafuegos ('firewall')."> -<!ENTITY torSettings.bridgeQuestion "Su proveedor de servicios de Internet (ISP) bloquea o censura de alguna forma las conexiones hacia la red Tor?"> -<!ENTITY torSettings.bridgeHelp "Si no está seguro como responder a esta pregunta, elija No.  Si usted elige Sí, se le pedirá configurar puentes Tor, los cuales son repetidores no listados que hacen más difícil el bloqueo de conexiones hacia la red Tor."> -<!ENTITY torSettings.bridgeSettingsPrompt "Puede usar el juego de repetidores puente ('bridge') proporcionado, o puede obtener e introducir un juego de puentes personalizado."> - -<!-- Other: --> - -<!ENTITY torsettings.startingTor "Esperando a que Tor arranque..."> -<!ENTITY torsettings.restart "Reiniciar"> - -<!ENTITY torsettings.optional "Opcional"> - -<!ENTITY torsettings.useProxy.checkbox "Esta computadora necesita usar usar un proxy de acceso a Internet"> -<!ENTITY torsettings.useProxy.type "Tipo de Proxy:"> -<!ENTITY torsettings.useProxy.address "Dirección:"> -<!ENTITY torsettings.useProxy.address.placeholder "Dirección IP o nombre de máquina ('hostname')"> -<!ENTITY torsettings.useProxy.port "Puerto:"> -<!ENTITY torsettings.useProxy.username "Nombre de usuario:"> -<!ENTITY torsettings.useProxy.password "Contraseña:"> -<!ENTITY torsettings.useProxy.type.socks4 "SOCKS 4"> -<!ENTITY torsettings.useProxy.type.socks5 "SOCKS 5"> -<!ENTITY torsettings.useProxy.type.http "HTTP / HTTPS"> -<!ENTITY torsettings.firewall.checkbox "Esta computadora va a través de un cortafuegos ('firewall') que sólo permite conexiones a ciertos puertos"> -<!ENTITY torsettings.firewall.allowedPorts "Puertos permitidos:"> -<!ENTITY torsettings.useBridges.checkbox "Mi Proveedor de Servicios de Internet (ISP) bloquea las conexiones a la red Tor"> -<!ENTITY torsettings.useBridges.default "Conectar con los puentes proporcionados"> -<!ENTITY torsettings.useBridges.type "Tipo de transporte:"> -<!ENTITY torsettings.useBridges.custom "Introducir puentes personalizados"> -<!ENTITY torsettings.useBridges.label "Introduzca uno o más repetidores puente ('bridge', uno por línea)."> -<!ENTITY torsettings.useBridges.placeholder "ingrese dirección:puerto"> - -<!ENTITY torsettings.copyLog "Copiar el registro de mensajes ('log') de Tor al portapapeles"> -<!ENTITY torsettings.bridgeHelpTitle "Ayuda de Repetidores Puente ('Bridge Relays')"> -<!ENTITY torsettings.bridgeHelp1 "Si no puede conectar a la red Tor, podría ser que su proveedor de servicios de Internet (ISP) u otra agencia, esté bloqueando Tor.  A menudo, puede evitar este problema usando puentes ('bridges') de Tor, que son repetidores ('relays') de salida de la red Tor que no son publicitados, y es más difícil que sean bloqueados."> -<!ENTITY torsettings.bridgeHelp1B "Puede usar el juego de direcciones de repetidores puente ('bridge') preconfigurado proporcionado, o puede obtener un juego de direcciones personalizado usando uno de estos tres métodos:"> -<!ENTITY torsettings.bridgeHelp2Heading "Mediante la web"> -<!ENTITY torsettings.bridgeHelp2 "Use un navegador web para visitar https://bridges.torproject.org"> -<!ENTITY torsettings.bridgeHelp3Heading "Mediante el correo electrónico automático"> -<!ENTITY torsettings.bridgeHelp3 "Envíe un correo a bridges@torproject.org con la línea 'get bridges' por si misma en el cuerpo del mensaje.  Sin embargo, para hacer más difícil a un atacante aprender muchas direcciones de puentes, ha de enviar esta solicitud desde una dirección de correo de gmail.com o yahoo.com ."> -<!ENTITY torsettings.bridgeHelp4Heading "Mediante el gabinete de ayuda"> -<!ENTITY torsettings.bridgeHelp4 "Como último recurso, puede pedir direcciones de repetidores puente enviando un cortés mensaje de correo a help@rt.torproject.org .  -Por favor observe que es una persona la que tendrá que responder a cada petición."> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/es/progress.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/es/progress.dtd deleted file mode 100644 index c07d8fbce8b522cd4a0f99e1fc4d406a6802e3c7..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/es/progress.dtd +++ /dev/null @@ -1,4 +0,0 @@ -<!ENTITY torprogress.dialog.title "Estado de Tor"> -<!ENTITY torprogress.openSettings "Abrir Preferencias"> -<!ENTITY torprogress.heading "Conectando a la red Tor"> -<!ENTITY torprogress.pleaseWait "Por favor, espere mientras se establece una conexión con la red Tor."> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/es/torlauncher.properties b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/es/torlauncher.properties deleted file mode 100644 index 4c1fc307a4ae7cff082299dd6d6efcead0844243..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/es/torlauncher.properties +++ /dev/null @@ -1,58 +0,0 @@ -### Copyright (c) 2014, The Tor Project, Inc. -### See LICENSE for licensing information. - -torlauncher.error_title=Arranque de Tor - -torlauncher.tor_exited=Tor se cerró inesperadamente. -torlauncher.please_restart_app=Por favor reinicie esta aplicación. -torlauncher.tor_controlconn_failed=No se pudo conectar al puerto de control de Tor -torlauncher.tor_failed_to_start=Tor no pudo iniciarse. -torlauncher.tor_control_failed=Fallo al tomar control de Tor. -torlauncher.tor_bootstrap_failed=Tor no pudo establecer una conexión a la red Tor. -torlauncher.tor_bootstrap_failed_details=%1$S falló (%2$S). - -torlauncher.unable_to_start_tor=No fue posible iniciar Tor.\n\n%S -torlauncher.tor_missing=No se encuentra el fichero ejecutable de Tor. -torlauncher.torrc_missing=No se encuentra el archivo "torrc" -torlauncher.datadir_missing=El directorio de datos de Tor no existe. -torlauncher.password_hash_missing=Fallo al obtener la contraseña cifrada. - -torlauncher.failed_to_get_settings=No se pudo recuperar las preferencias de Tor.\n\n%S -torlauncher.failed_to_save_settings=No fue posible guardar los ajustes de Tor.\n\n%S -torlauncher.ensure_tor_is_running=Por favor, asegúrese de que Tor se está ejecutando. - -torlauncher.error_proxy_addr_missing=Debe especificar tanto una dirección IP o nombre de máquina ('hostname') como un número de puerto para configurar Tor para que utilice un 'proxy' para acceder a la Internet. -torlauncher.error_proxy_type_missing=Debe seleccionar el tipo de 'proxy'. -torlauncher.error_bridges_missing=Debe especificar uno o más puentes ('bridges'). -torlauncher.error_default_bridges_type_missing=Debe seleccionar un tipo de transporte para los repetidores puente ('bridges') proporcionados. -torlauncher.error_bridge_bad_default_type=No hay disponible ningún repetidor puente proporcionado que tenga el tipo de transporte %S. Por favor ajuste sus preferencias. - -torlauncher.recommended_bridge=(recomendado) - -torlauncher.connect=Conectar -torlauncher.quit=Salir -torlauncher.quit_win=Salir -torlauncher.done=Listo - -torlauncher.forAssistance=Para obtener ayuda, contacte con %S - -torlauncher.bootstrapStatus.conn_dir=Conectando a un repositorio ('Directory') de repetidores ('relays') -torlauncher.bootstrapStatus.handshake_dir=Estableciendo una conexión cifrada con el repositorio de repetidores -torlauncher.bootstrapStatus.requesting_status=Recopilando el estado de la red -torlauncher.bootstrapStatus.loading_status=Cargando el estado de la red -torlauncher.bootstrapStatus.loading_keys=Cargando los certificados de autoridades -torlauncher.bootstrapStatus.requesting_descriptors=Solicitando información del repetidor -torlauncher.bootstrapStatus.loading_descriptors=Cargando la información del repetidor -torlauncher.bootstrapStatus.conn_or=Conectando a la red Tor -torlauncher.bootstrapStatus.handshake_or=Estableciendo un circuito a través de Tor -torlauncher.bootstrapStatus.done=¡Conectado a la red Tor! - -torlauncher.bootstrapWarning.done=terminado -torlauncher.bootstrapWarning.connectrefused=conexión rechazada -torlauncher.bootstrapWarning.misc=miscelánea -torlauncher.bootstrapWarning.resourcelimit=recursos insuficientes -torlauncher.bootstrapWarning.identity=las identidades no coinciden -torlauncher.bootstrapWarning.timeout=tiempo de espera de conexión agotado -torlauncher.bootstrapWarning.noroute=no hay ruta hacia el servidor ('host') -torlauncher.bootstrapWarning.ioerror=error de lectura/escritura -torlauncher.bootstrapWarning.pt_missing=transporte enchufable desaparecido diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/fa/network-settings.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/fa/network-settings.dtd deleted file mode 100644 index 634ca2207b0ad10e675073adfc9252b261ca9525..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/fa/network-settings.dtd +++ /dev/null @@ -1,65 +0,0 @@ -<!ENTITY torsettings.dialog.title "تنظیمات شبکه تور"> - -<!-- For "first run" wizard: --> - -<!ENTITY torsettings.prompt "قبل از اتصال به شبکه تور، باید اطلاعاتی از نحوه اتصال این کامپیوتر به اینترنت فراهم کنید."> - -<!ENTITY torSettings.yes "بله"> -<!ENTITY torSettings.no "نه"> - -<!ENTITY torSettings.firstQuestion "کدام یک از موارد زیر وضعیت شما را بهتر بیان میکند؟"> -<!ENTITY torSettings.configurePrompt1 "اینترنت استفاده شده در این رایانه ها سانسور شده٫فیلتر شده و یا عبور کرده از روی پراکسی می باشند."> -<!ENTITY torSettings.configurePrompt2 "من نیاز دارم که «پل ها»، «پروکسی» و یا «فایروال» را تنظیم کنم."> -<!ENTITY torSettings.configure "پیکربندی"> -<!ENTITY torSettings.connectPrompt2 "تمایل دارم مستقیما به شبکهی تور متصل شوم."> -<!ENTITY torSettings.connectPrompt3 "این در بیشتر مواقع کار خواهد کرد."> -<!ENTITY torSettings.connect "اتصال"> - -<!ENTITY torSettings.proxyQuestion "آیا این رایانه برای اتصال به اینترنت نیاز به استفاده از پراکسی دارد؟"> -<!-- see https://www.torproject.org/docs/proxychain.html.en --> -<!ENTITY torSettings.proxyHelp "اگر مطمئن نیستید چطور به اسن سوال پاسخ دهید، به تنظیمات سایر مرورگرهای خود نگاهی بیاندازید تا متوجه شوید که آیا باید یک پروکسی استفاده شود یا خیر."> -<!ENTITY torSettings.enterProxy "تنظیمات پراکسی را وارد کنید."> -<!ENTITY torSettings.firewallQuestion "آیا در مسیر ارتباط شما به اینترنت یک فایروال وجود دارد؟ و فقط اجازه اتصال از یک درگاه خاص را می دهد؟"> -<!ENTITY torSettings.firewallHelp "اگر مطمئن نیستید چه جوابی به این سوال دهید، «نه» و یا «خیر» را انتخاب کنید. سپس اگر مشکلی در ارتباط با شبکه تور داشتید، این مورد را تغییر دهید."> -<!ENTITY torSettings.enterFirewall "یک لیست جداشده با ویرگول از پورتهایی که توسط فایروال مجاز هستند."> -<!ENTITY torSettings.bridgeQuestion "آیا شرکتی که از آن اینترنت گرفته اید (ISP)، دسترسی به شبکه تور را فیلتر، سانسور و یا مسدود می کند؟"> -<!ENTITY torSettings.bridgeHelp "اگر مطمئن نیستید چطور به این سوال پاسخ دهید، «نه» یا انتخاب کنید.  اگر «بله» را انتخاب کنید، می بایست تنظیمات مربوط به «پل های» تور را انجام دهید. پل ها مسیرهای دور زدن فیلتر هستند که لیست مشخصی از آن ها وجود ندارد و فیلتر کردن آن ها بسیار مشکل است."> -<!ENTITY torSettings.bridgeSettingsPrompt "شما میتوانید از مجموعهای از پلهای آماده و یا پلهای شخصی خودتان استفاده کنید."> - -<!-- Other: --> - -<!ENTITY torsettings.startingTor "در انتظار آغاز به کار تور..."> -<!ENTITY torsettings.restart "شروع دوباره"> - -<!ENTITY torsettings.optional "اختیاری"> - -<!ENTITY torsettings.useProxy.checkbox "این رایانه برای اتصال به اینترنت نیاز به استفاده از پراکسی دارد."> -<!ENTITY torsettings.useProxy.type "نوع پراکسی:"> -<!ENTITY torsettings.useProxy.address "آدرس:"> -<!ENTITY torsettings.useProxy.address.placeholder "آدرس آیپی یا نام میزبان"> -<!ENTITY torsettings.useProxy.port "پورت:"> -<!ENTITY torsettings.useProxy.username "نام کاربری:"> -<!ENTITY torsettings.useProxy.password "رمز عبور"> -<!ENTITY torsettings.useProxy.type.socks4 "ساکس ۴"> -<!ENTITY torsettings.useProxy.type.socks5 "ساکس ۵"> -<!ENTITY torsettings.useProxy.type.http "HTTP / HTTPS"> -<!ENTITY torsettings.firewall.checkbox "به نظر می رسد شبکه ارتباطی شما به اینترنت، از یک فایروال استفاده می کند. یعنی فقط اجازه اتصال از یک سری درگاه های به خصوص را می دهد."> -<!ENTITY torsettings.firewall.allowedPorts "پورت های مجاز:"> -<!ENTITY torsettings.useBridges.checkbox "سرویس دهنده اینترنت (ISP) من اتصال به شبکه تور را مسدود میکند."> -<!ENTITY torsettings.useBridges.default "اتصال از طریق پلهای انتخاب شده"> -<!ENTITY torsettings.useBridges.type "نوع انتقال:"> -<!ENTITY torsettings.useBridges.custom "پلهای شخصی را وارد کنید"> -<!ENTITY torsettings.useBridges.label "یک یا چند پل ارتباطی را وارد نمایید. (در هر خط یکی)"> -<!ENTITY torsettings.useBridges.placeholder "آدرس آیپی:پورت را وارد کنید"> - -<!ENTITY torsettings.copyLog "کپی گزارش وقایع تور"> -<!ENTITY torsettings.bridgeHelpTitle "کمک برای پل ارتباطی"> -<!ENTITY torsettings.bridgeHelp1 "اگر نمی توانید به شبکه تور متصل شوید، ممکن است به این دلیل باشد که شرکت ارایه کننده اینترنت شما(ISP) و یا سازمان های دیگر شبکه تور را بسته اند.  -غالباً می توانید این محدودیت را با استفاده از «پل» های تور دور بزنید. پل ها مسیرهای اضافی دور زدن فیلتر هستند که لیست آن در دسترس نیست و فیلتر کردن آن ها بسیار مشکل است."> -<!ENTITY torsettings.bridgeHelp1B "شما میتوانید از پلهای موجود استفاده کنید و یا برای بهدست آوردن مجموعهای از پلهای شخصی از یکی از سه روش زیر بهره بگیرید:"> -<!ENTITY torsettings.bridgeHelp2Heading "از طریق اینترنت"> -<!ENTITY torsettings.bridgeHelp2 "با استفاده از یک مرورگر به آدرس https://bridges.torproject.org بروید."> -<!ENTITY torsettings.bridgeHelp3Heading "از طریق آدرس ایمیل پاسخگوی خودکار"> -<!ENTITY torsettings.bridgeHelp3 "یک ایمیل حاوی عبارت 'get bridges' به آدرس bridges@torproject.org ارسال کنید.  برای اینکه بتوانیم جلوی فیلتر شدن پل ها را بگیریم، مجبوریم شما را محدود کنیم تا فقط از یک آدرس ایمیل yahoo.com و یا gmail.com درخواست خود را ارسال کنید. لطفاً صبور باشید. از چند دقیقه تا چند ساعت طول خواهد کشید تا به طور خودکار پل ها برای شما ارسال شوند."> -<!ENTITY torsettings.bridgeHelp4Heading "از طریق واحد کمک رسانی"> -<!ENTITY torsettings.bridgeHelp4 "اگر از طریق هیچ کدام از راه حل های فوق به نتیجه نرسیدید، یک درخواست مودبانه به آدرس help@rt.torproject.org ارسال کنید.  در نظر داشته باشید که یک نفر باید ایمیل شما را بخواند و به آن پاسخ دهد. پس صبور باشید."> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/fa/progress.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/fa/progress.dtd deleted file mode 100644 index 5f8eee1a553f9ab88e188571601d15ae4794757f..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/fa/progress.dtd +++ /dev/null @@ -1,4 +0,0 @@ -<!ENTITY torprogress.dialog.title "وضعیت تور"> -<!ENTITY torprogress.openSettings "تنظیماترا باز کنید"> -<!ENTITY torprogress.heading "درحال اتصال به شبکه تُر"> -<!ENTITY torprogress.pleaseWait "لطفا برای اتصال به شبکه تور منتظر بمانید."> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/fa/torlauncher.properties b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/fa/torlauncher.properties deleted file mode 100644 index fc8ac3b6fe145bc9ea45983552a7a8779ef6689e..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/fa/torlauncher.properties +++ /dev/null @@ -1,58 +0,0 @@ -### Copyright (c) 2014, The Tor Project, Inc. -### See LICENSE for licensing information. - -torlauncher.error_title=اجرا کننده تور - -torlauncher.tor_exited=تور بدلیلی نامشخص خارج شد. -torlauncher.please_restart_app=لطفا نرم افزار را مجددا راه اندازی نمایید. -torlauncher.tor_controlconn_failed=اتصال به پورت کنترل تور امکان پذیر نمی باشد. -torlauncher.tor_failed_to_start=خطا در راه اندازی. -torlauncher.tor_control_failed=بهدست گرفتن کنترل تور ناموفق بود. -torlauncher.tor_bootstrap_failed=تور در برقراری یک ارتباط شبکهای توری ناموفق بود. -torlauncher.tor_bootstrap_failed_details=%1$S ناموفق بود (%2$S). - -torlauncher.unable_to_start_tor=راه اندازی تور امکان پذیر نمی باشد.\n\n%S -torlauncher.tor_missing=تور اجرا شونده یافت نشد. -torlauncher.torrc_missing=فایل torrc پیدا نشدهاست. -torlauncher.datadir_missing=لیست داده تور وجود ندارد. -torlauncher.password_hash_missing=ناموفق در دریافت کلمه عبور رمزنگاری شده. - -torlauncher.failed_to_get_settings=ناموفق در بازگردانی تنظیمات تور.\n\n%S -torlauncher.failed_to_save_settings=ناموفق در ذخیره تنظیمات تور.\n\n%S -torlauncher.ensure_tor_is_running=لطفا از فعال بودن تور اطمینان حاصل کنید. - -torlauncher.error_proxy_addr_missing=شما میبایست یک آدرس آی پی یا یک نام میزبان و یک شماره درگاه برای پیکربندی تُر مشخص کنید جهت استفاده ار یک پیشکار برای دسترسی به اینترنت. -torlauncher.error_proxy_type_missing=شما باید نوع پراکسی را انتخاب کنید. -torlauncher.error_bridges_missing=شما باید یک یا پل های بیشتری را مشخص کنید. -torlauncher.error_default_bridges_type_missing=نوع انتقال باید برای پلها مشخص گردد. -torlauncher.error_bridge_bad_default_type=هیچ پلی از نوع %S موجود نیست. لطفا تنظیمات را اصلاح کنید. - -torlauncher.recommended_bridge=(توصیه شده) - -torlauncher.connect=اتصال -torlauncher.quit=خروج -torlauncher.quit_win=خروج -torlauncher.done=انجام شد - -torlauncher.forAssistance=برای دریافت کمک٫ با %S تماس بگیرید - -torlauncher.bootstrapStatus.conn_dir=اتصال به یک فهرست بازپخش -torlauncher.bootstrapStatus.handshake_dir=برپایی یک اتصال فهرست رمزبندی شده -torlauncher.bootstrapStatus.requesting_status=بازیابی وضیعت شبکه -torlauncher.bootstrapStatus.loading_status=بارگذاری وضیعت شبکه -torlauncher.bootstrapStatus.loading_keys=بارگذاری مجوز ها -torlauncher.bootstrapStatus.requesting_descriptors=درخواست اطلاعات باز پخش -torlauncher.bootstrapStatus.loading_descriptors=بارگذاری اطلاعات بازپخش -torlauncher.bootstrapStatus.conn_or=درحال اتصال به شبکه تُر -torlauncher.bootstrapStatus.handshake_or=برپایی یک جریان تُر -torlauncher.bootstrapStatus.done=متصل شده به شبکه تُر - -torlauncher.bootstrapWarning.done=انجام شد -torlauncher.bootstrapWarning.connectrefused=اتصال ردشد -torlauncher.bootstrapWarning.misc=گوناگون -torlauncher.bootstrapWarning.resourcelimit=منابع ناکافی -torlauncher.bootstrapWarning.identity=عدم تطبیق هویت -torlauncher.bootstrapWarning.timeout=اتمام وقت اتصال -torlauncher.bootstrapWarning.noroute=نبود مسیر به میزبان -torlauncher.bootstrapWarning.ioerror=خطای خواندن/نوشتن -torlauncher.bootstrapWarning.pt_missing=انتقال جایگزین مفقود است. diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/fr/network-settings.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/fr/network-settings.dtd deleted file mode 100644 index 2a4b64ecef6028396bc6d29104738d98e1ddbe19..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/fr/network-settings.dtd +++ /dev/null @@ -1,64 +0,0 @@ -<!ENTITY torsettings.dialog.title "Paramètres du réseau Tor"> - -<!-- For "first run" wizard: --> - -<!ENTITY torsettings.prompt "Vous devez fournir des informations concernant la connexion à Internet de cet ordinateur afin que vous puissiez vous connecter au réseau Tor."> - -<!ENTITY torSettings.yes "Oui"> -<!ENTITY torSettings.no "Non"> - -<!ENTITY torSettings.firstQuestion "Laquelle des phrases suivantes décrit le mieux votre situation ?"> -<!ENTITY torSettings.configurePrompt1 "La connexion Internet de cet ordinateur est censurée, filtrée ou nécessite un proxy."> -<!ENTITY torSettings.configurePrompt2 "J'ai besoin de configurer une passerelle, le pare-feu, ou les paramètres du proxy."> -<!ENTITY torSettings.configure "Configurer"> -<!ENTITY torSettings.connectPrompt2 "Je souhaite me connecter directement au réseau Tor."> -<!ENTITY torSettings.connectPrompt3 "Cela fonctionnera dans la plupart des situations."> -<!ENTITY torSettings.connect "Se connecter"> - -<!ENTITY torSettings.proxyQuestion "Est-ce que cet ordinateur a besoin d'un proxy pour accéder à internet ?"> -<!-- see https://www.torproject.org/docs/proxychain.html.en --> -<!ENTITY torSettings.proxyHelp "Si vous ne savez pas comment répondre à cette question, vous pouvez regarder les paramètres de connexion d'un autre navigateur afin de voir s'il est configuré pour utiliser un proxy."> -<!ENTITY torSettings.enterProxy "Entrez les paramètres de votre proxy."> -<!ENTITY torSettings.firewallQuestion "Est-ce que votre connexion Internet est filtré par un pare-feu qui n'autorise les connexions que vers certains ports ?"> -<!ENTITY torSettings.firewallHelp "Si vous ne savez par comment répondre à cette question, choisissez Non. Vous pourrez changer ce paramètre plus tard en cas de problèmes de connexion au réseau Tor."> -<!ENTITY torSettings.enterFirewall "Entrez la liste de ports, séparés par des virgules, qui sont autorisés par le pare-feu."> -<!ENTITY torSettings.bridgeQuestion "Est-ce que votre Fournisseur d'Accès Internet (FAI) bloque les connexions au réseau Tor ?"> -<!ENTITY torSettings.bridgeHelp "Si vous ne savez pas comment répondre à cette question, choisissez Non.  Si vous choisissez Oui, il vous sera demandé de configurer les bridges Tor qui sont des relais non listés et qui rendent plus difficile le blocage du réseau Tor."> -<!ENTITY torSettings.bridgeSettingsPrompt "Vous pouvez utiliser les bridges fournis ou bien saisir votre liste de bridges personnels."> - -<!-- Other: --> - -<!ENTITY torsettings.startingTor "En attente du démarrage de Tor..."> -<!ENTITY torsettings.restart "Redémarrer"> - -<!ENTITY torsettings.optional "Optionnel"> - -<!ENTITY torsettings.useProxy.checkbox "Cet ordinateur a besoin d'utiliser un proxy pour accéder à Internet"> -<!ENTITY torsettings.useProxy.type "Type de proxy :"> -<!ENTITY torsettings.useProxy.address "Adresse :"> -<!ENTITY torsettings.useProxy.address.placeholder "Adresse IP ou nom d'hôte"> -<!ENTITY torsettings.useProxy.port "Port :"> -<!ENTITY torsettings.useProxy.username "Nom d'utilisateur :"> -<!ENTITY torsettings.useProxy.password "Mot de passe :"> -<!ENTITY torsettings.useProxy.type.socks4 "SOCKS 4"> -<!ENTITY torsettings.useProxy.type.socks5 "SOCKS 5"> -<!ENTITY torsettings.useProxy.type.http "HTTP / HTTPS"> -<!ENTITY torsettings.firewall.checkbox "Cet ordinateur passe par un pare-feu qui autorise uniquement les connexions à certains ports"> -<!ENTITY torsettings.firewall.allowedPorts "Ports autorisés :"> -<!ENTITY torsettings.useBridges.checkbox "Mon Fournisseur d'Accès à Internet (FAI) bloque les connexions au réseau Tor"> -<!ENTITY torsettings.useBridges.default "Se connecter en utilisant les bridges préconfigurés"> -<!ENTITY torsettings.useBridges.type "Mode de transport:"> -<!ENTITY torsettings.useBridges.custom "Entrez vos bridges personnels"> -<!ENTITY torsettings.useBridges.label "Saisir un ou davantage de bridges relais (un par ligne)."> -<!ENTITY torsettings.useBridges.placeholder "type adresse:port"> - -<!ENTITY torsettings.copyLog "Copier le journal des messages de Tor dans le presse-papier"> -<!ENTITY torsettings.bridgeHelpTitle "Aide pour les bridges"> -<!ENTITY torsettings.bridgeHelp1 "Si vous ne pouvez pas vous connecter au réseau Tor, il se pourrait que votre fournisseur d'accès à Internet (FAI) ou une autre agence bloque le Tor.  Souvent, vous pouvez contourner ce problème en utilisant des ponts Tor, qui sont des relais non listés qui sont plus difficiles à bloquer."> -<!ENTITY torsettings.bridgeHelp1B "Vous pouvez utiliser les liste de bridges préconfigurés par défaut ou en obtenir une liste personnalisée d'adresses en utilisant l'une des trois méthodes ci-dessous :"> -<!ENTITY torsettings.bridgeHelp2Heading "Par le Web"> -<!ENTITY torsettings.bridgeHelp2 "Utilisez un navigateur web pour visiter https://bridges.torproject.org"> -<!ENTITY torsettings.bridgeHelp3Heading "Par l'auto-répondeur de courrier électronique"> -<!ENTITY torsettings.bridgeHelp3 "Envoyer un email à bridges@torproject.org avec la ligne 'get bridges' en elle-même obtiennent dans le corps du message.  Cependant, pour rendre plus difficile à un attaquant d'apprendre beaucoup d'adresses de pont, vous devez envoyer cette demande depuis une adresse électronique gmail.com ou yahoo.com."> -<!ENTITY torsettings.bridgeHelp4Heading "Par le bureau d'aide"> -<!ENTITY torsettings.bridgeHelp4 "En dernier ressort, vous pouvez demander des adresses de pont en envoyant un message électronique poli à help@rt.torproject.org.  Veuillez noter qu'une personne devra répondre à chaque demande."> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/fr/progress.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/fr/progress.dtd deleted file mode 100644 index 936d2201b9499ef284efa63be5de64290823d45c..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/fr/progress.dtd +++ /dev/null @@ -1,4 +0,0 @@ -<!ENTITY torprogress.dialog.title "État de Tor"> -<!ENTITY torprogress.openSettings "Ouvrir les paramètres"> -<!ENTITY torprogress.heading "Connexion au réseau Tor"> -<!ENTITY torprogress.pleaseWait "Veuillez patienter pendant que la connexion au réseau Tor est établie."> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/fr/torlauncher.properties b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/fr/torlauncher.properties deleted file mode 100644 index d113f540eb6a33cdb305c78e0056de9f014df4cb..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/fr/torlauncher.properties +++ /dev/null @@ -1,58 +0,0 @@ -### Copyright (c) 2014, The Tor Project, Inc. -### See LICENSE for licensing information. - -torlauncher.error_title=Lanceur Tor - -torlauncher.tor_exited=Le programme Tor s'est terminé de manière inatendue. -torlauncher.please_restart_app=Veuillez redémarrer l'application. -torlauncher.tor_controlconn_failed=Impossible de se connecter au port de contrôle de Tor. -torlauncher.tor_failed_to_start=Tor n'a pas pu démarrer. -torlauncher.tor_control_failed=Échec lors de la prise de contrôle de Tor. -torlauncher.tor_bootstrap_failed=Tor n'a pas réussi à établir une connexion au réseau Tor. -torlauncher.tor_bootstrap_failed_details=%1$S échoué (%2$S). - -torlauncher.unable_to_start_tor=Impossible de démarrer Tor.\n\n%S -torlauncher.tor_missing=L'exécutable Tor est introuvable. -torlauncher.torrc_missing=Le fichier torrc est manquant. -torlauncher.datadir_missing=Le répertoire de données de Tor n'existe pas. -torlauncher.password_hash_missing=Impossible d'obtenir le mot de passe chiffré. - -torlauncher.failed_to_get_settings=Impossible de récupérer les paramètres de Tor.\n\n%S -torlauncher.failed_to_save_settings=Impossible de sauvegarder les paramètres de Tor.\n\n%S -torlauncher.ensure_tor_is_running=Veuillez-vous assurer que Tor est lancé. - -torlauncher.error_proxy_addr_missing=Pour configurer Tor afin qu'il utilise un proxy, vous devez spécifier une adresse IP ou un nom d'hôte ainsi qu'un numéro de port. -torlauncher.error_proxy_type_missing=Vous devez sélectionner un type de proxy. -torlauncher.error_bridges_missing=Vous devez spécifier un ou plusieurs bridges. -torlauncher.error_default_bridges_type_missing=Vous devez sélectionner un type de transport pour les bridges fournis. -torlauncher.error_bridge_bad_default_type=Aucun des bridges fournis n'a le type de transport %S. Merci d'ajuster vos paramètres. - -torlauncher.recommended_bridge=(recommandé) - -torlauncher.connect=Se connecter -torlauncher.quit=Quitter -torlauncher.quit_win=Sortir -torlauncher.done=Terminé - -torlauncher.forAssistance=Pour obtenir de l'aide, contactez %S - -torlauncher.bootstrapStatus.conn_dir=Connexion à un annuaire de relais -torlauncher.bootstrapStatus.handshake_dir=Établissement d'une connexion annuaire chiffrée -torlauncher.bootstrapStatus.requesting_status=Récupération de l'état du réseau -torlauncher.bootstrapStatus.loading_status=Chargement de l'état du réseau -torlauncher.bootstrapStatus.loading_keys=Chargement des certificats d'autorité -torlauncher.bootstrapStatus.requesting_descriptors=Demande d'informations sur le relai -torlauncher.bootstrapStatus.loading_descriptors=Chargement des informations sur le relais -torlauncher.bootstrapStatus.conn_or=Connexion au réseau Tor -torlauncher.bootstrapStatus.handshake_or=Réalisation d'un circuit Tor -torlauncher.bootstrapStatus.done=Connecté au réseau Tor ! - -torlauncher.bootstrapWarning.done=effectué -torlauncher.bootstrapWarning.connectrefused=connexion refusée -torlauncher.bootstrapWarning.misc=divers -torlauncher.bootstrapWarning.resourcelimit=ressources insuffisantes -torlauncher.bootstrapWarning.identity=identité incorrecte -torlauncher.bootstrapWarning.timeout=temps de connexion expiré -torlauncher.bootstrapWarning.noroute=pas de route vers l'hôte -torlauncher.bootstrapWarning.ioerror=erreur de lecture/écriture -torlauncher.bootstrapWarning.pt_missing=un transport câblé est manquant diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/it/network-settings.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/it/network-settings.dtd deleted file mode 100644 index 09b068f7262e16c39ee169c337eba832aeed22a6..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/it/network-settings.dtd +++ /dev/null @@ -1,64 +0,0 @@ -<!ENTITY torsettings.dialog.title "Impostazioni rete Tor"> - -<!-- For "first run" wizard: --> - -<!ENTITY torsettings.prompt "Prima di connetterti alla rete Tor, devi fornire le informazioni riguardo la connessione internet di questo computer."> - -<!ENTITY torSettings.yes "Sì"> -<!ENTITY torSettings.no "No"> - -<!ENTITY torSettings.firstQuestion "Quale delle seguenti descrizioni raffigura meglio la tua situazione?"> -<!ENTITY torSettings.configurePrompt1 "La connessione ad Internet di questo computer è censurata, filtrata, o passa attraverso un proxy."> -<!ENTITY torSettings.configurePrompt2 "Ho bisogno di configurare un bridge, firewall o settaggi proxy."> -<!ENTITY torSettings.configure "Configura"> -<!ENTITY torSettings.connectPrompt2 "Vorrei connettermi direttamente alla rete Tor."> -<!ENTITY torSettings.connectPrompt3 "Questo funzionerà nella maggior parte delle situazioni."> -<!ENTITY torSettings.connect "Connetti"> - -<!ENTITY torSettings.proxyQuestion "Questo computer usa un proxy per accedere ad Internet?"> -<!-- see https://www.torproject.org/docs/proxychain.html.en --> -<!ENTITY torSettings.proxyHelp "Se non sei sicuro su come rispondere a questa domanda, controlla le impostazioni Internet di un altro browser web per vedere se sia configurato l'uso di un proxy."> -<!ENTITY torSettings.enterProxy "Inserisci le impostazioni del proxy."> -<!ENTITY torSettings.firewallQuestion "La connessione ad Internet di questo computer passa attraverso un firewall che permette le connessioni solo ad alcune porte?"> -<!ENTITY torSettings.firewallHelp "Se non sei sicuro su come rispondere a questa domanda, seleziona No. Nel caso in cui si verifichino problemi di connessione alla rete Tor, cambia queste impostazioni."> -<!ENTITY torSettings.enterFirewall "Inserisci una lista di porte consentite dal firewall, separate da una virgola."> -<!ENTITY torSettings.bridgeQuestion "Il tuo fornitore di servizi internet (ISP) blocca o censura la connessione alla rete Tor?"> -<!ENTITY torSettings.bridgeHelp "Se non sei sicuro di come rispondere alla domanda, scegli No.  Se scegli Sì, ti verrà chiesto di configurare Tor Bridges, che consiste in relay non elencati che rendono più difficile bloccare le connessioni alla Rete Tor."> -<!ENTITY torSettings.bridgeSettingsPrompt "Puoi usare il set preconfigurato di bridge o ottenere ed inserire un set personale di bridge."> - -<!-- Other: --> - -<!ENTITY torsettings.startingTor "In attesa di avviare Tor..."> -<!ENTITY torsettings.restart "Riavvia"> - -<!ENTITY torsettings.optional "Facoltativo"> - -<!ENTITY torsettings.useProxy.checkbox "Questo computer utilizza un proxy per accedere ad Internet"> -<!ENTITY torsettings.useProxy.type "Tipo di proxy:"> -<!ENTITY torsettings.useProxy.address "Indirizzo:"> -<!ENTITY torsettings.useProxy.address.placeholder "Indirizzo IP oppure hostname"> -<!ENTITY torsettings.useProxy.port "Porta:"> -<!ENTITY torsettings.useProxy.username "Nome utente:"> -<!ENTITY torsettings.useProxy.password "Password:"> -<!ENTITY torsettings.useProxy.type.socks4 "SOCKS 4"> -<!ENTITY torsettings.useProxy.type.socks5 "SOCKS 5"> -<!ENTITY torsettings.useProxy.type.http "HTTP / HTTPS"> -<!ENTITY torsettings.firewall.checkbox "Questo computer passa attraverso un firewall che permette le connessioni solo ad alcune porte"> -<!ENTITY torsettings.firewall.allowedPorts "Porte consentite:"> -<!ENTITY torsettings.useBridges.checkbox "Il mio fornitore di servizi Internet (ISP) blocca le connessioni alla rete Tor"> -<!ENTITY torsettings.useBridges.default "Collegati usando i bridge preconfigurati"> -<!ENTITY torsettings.useBridges.type "Tipo di trasporto:"> -<!ENTITY torsettings.useBridges.custom "Inserire bridge personaizzati"> -<!ENTITY torsettings.useBridges.label "Inserisci uno o più bridge relay (uno per riga)"> -<!ENTITY torsettings.useBridges.placeholder "Inserisci indirizzo:porta"> - -<!ENTITY torsettings.copyLog "Copia il log di Tor negli "appunti" di sistema"> -<!ENTITY torsettings.bridgeHelpTitle "Aiuto per i ponti relé"> -<!ENTITY torsettings.bridgeHelp1 "Se non ti riesci a connettere alla rete Tor, è possibile che il tuo Internet Service Provider (ISP) o una qualche altra agenzia stiano bloccando Tor.  Spesso puoi aggirare questo problema utilizzando un Bridge Tor, che è un relay non tracciato più difficile da bloccare."> -<!ENTITY torsettings.bridgeHelp1B "Puoi usare il set preconfigurato di indirizzi bridge o ottenere un set personale di indirizzi attraverso uno di questi tre metodi:"> -<!ENTITY torsettings.bridgeHelp2Heading "Attraverso il web"> -<!ENTITY torsettings.bridgeHelp2 "Usa un browser per visitare https://bridges.torproject.org"> -<!ENTITY torsettings.bridgeHelp3Heading "Attraverso l'autorisponditore Email"> -<!ENTITY torsettings.bridgeHelp3 "Manda una mail a bridges@torproject.org con scritto 'get bridges' nel corpo del messaggio.  Tuttavia, per rendere più difficile il riconoscimento di molti indirizzi bridge, manda questa richiesta da un account gmail.com o yahoo.com."> -<!ENTITY torsettings.bridgeHelp4Heading "Attraverso l'Help Desk"> -<!ENTITY torsettings.bridgeHelp4 "Come ultima spiaggia, puoi richiedere un indirizzo bridge mandando una cortese mail a help@rt.torproject.org.  Tieni conto che una persona dovrà rispondere ad ogni singola richiesta."> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/it/progress.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/it/progress.dtd deleted file mode 100644 index fcc4b0893d10b5b09ea421aeeffc10a2f16eecbb..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/it/progress.dtd +++ /dev/null @@ -1,4 +0,0 @@ -<!ENTITY torprogress.dialog.title "Stato di Tor"> -<!ENTITY torprogress.openSettings "Apertura impostazioni"> -<!ENTITY torprogress.heading "Connessione in corso alla rete Tor"> -<!ENTITY torprogress.pleaseWait "Si prega di attendere: stiamo stabilendo una connessione alla rete Tor."> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/it/torlauncher.properties b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/it/torlauncher.properties deleted file mode 100644 index cd514cf61967a605c61856f7f4357566159bbdf1..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/it/torlauncher.properties +++ /dev/null @@ -1,58 +0,0 @@ -### Copyright (c) 2014, The Tor Project, Inc. -### See LICENSE for licensing information. - -torlauncher.error_title=Avviatore di Tor - -torlauncher.tor_exited=Tor si è arrestato inaspettatamente. -torlauncher.please_restart_app=Per favore riavvia questa applicazione. -torlauncher.tor_controlconn_failed=Impossibile connettersi alla porta di controllo di Tor. -torlauncher.tor_failed_to_start=Si è verificato un errore nell'avvio di Tor. -torlauncher.tor_control_failed=Impossibile ottenere il controllo di Tor. -torlauncher.tor_bootstrap_failed=Tor ha fallito a stabilire una connessione Tor -torlauncher.tor_bootstrap_failed_details=%1$S failed (%2$S). - -torlauncher.unable_to_start_tor=Impossibile avviare Tor.⏎\n⏎\n%S -torlauncher.tor_missing=Il file eseguibile di Tor è mancante. -torlauncher.torrc_missing=Il file di configurazione torrc è mancante. -torlauncher.datadir_missing=La directory dei dati di Tor non esiste. -torlauncher.password_hash_missing=Tentativo di ottenere la password fallito. - -torlauncher.failed_to_get_settings=Impossibile recuperare le impostazioni di Tor.⏎\n⏎\n%S -torlauncher.failed_to_save_settings=Impossibile salvare le impostazioni di Tor.⏎\n⏎\n%S -torlauncher.ensure_tor_is_running=Per favore assicurati che Tor sia in esecuzione. - -torlauncher.error_proxy_addr_missing=Affinché Tor sia configurato all'utilizzo di un proxy per l'accesso ad Internet, devi specificare sia un indirizzo IP o nome Host, sia un numero di porta. -torlauncher.error_proxy_type_missing=Devi selezionare il tipo di proxy. -torlauncher.error_bridges_missing=Devi specificare uno o più ponti. -torlauncher.error_default_bridges_type_missing=È necessario selezionare un tipo di trasporto per il bridge preconfigurato. -torlauncher.error_bridge_bad_default_type=Non è disponibile alcun bridge con il tipo di trasporto %S. Modificare le proprie impostazioni. - -torlauncher.recommended_bridge=(raccomandato) - -torlauncher.connect=Connetti -torlauncher.quit=Esci -torlauncher.quit_win=Esci -torlauncher.done=Fatto - -torlauncher.forAssistance=Per richiedere assistenza, contattare %S - -torlauncher.bootstrapStatus.conn_dir=Connessione ad una directory dei relay -torlauncher.bootstrapStatus.handshake_dir=Sto creando una connessione cifrata alla directory -torlauncher.bootstrapStatus.requesting_status=Sto ottenendo informazioni sullo stato della rete -torlauncher.bootstrapStatus.loading_status=Caricamento dello stato della rete -torlauncher.bootstrapStatus.loading_keys=Caricamento dei certificati delle authority -torlauncher.bootstrapStatus.requesting_descriptors=Richiesta di informazioni sui relay -torlauncher.bootstrapStatus.loading_descriptors=Caricamento delle informazioni sui relay -torlauncher.bootstrapStatus.conn_or=Connessione in corso alla rete Tor -torlauncher.bootstrapStatus.handshake_or=Sto creando un circuito Tor -torlauncher.bootstrapStatus.done=Connesso alla rete Tor! - -torlauncher.bootstrapWarning.done=fatto -torlauncher.bootstrapWarning.connectrefused=connessione rifiutata -torlauncher.bootstrapWarning.misc=varie -torlauncher.bootstrapWarning.resourcelimit=risorse insufficienti -torlauncher.bootstrapWarning.identity=discordanza di identità -torlauncher.bootstrapWarning.timeout=timeout della connessione -torlauncher.bootstrapWarning.noroute=nessun rotta per l'host -torlauncher.bootstrapWarning.ioerror=errore di lettura/scrittura -torlauncher.bootstrapWarning.pt_missing=pluggable transport mancante diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/ko/network-settings.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/ko/network-settings.dtd deleted file mode 100644 index 2af691c1701675c4d3021db75eea8c5d5fe03a3e..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/ko/network-settings.dtd +++ /dev/null @@ -1,64 +0,0 @@ -<!ENTITY torsettings.dialog.title "Tor 네트워크 설정"> - -<!-- For "first run" wizard: --> - -<!ENTITY torsettings.prompt "Tor 네트워크에 연결을 시도하기 전에, 이 컴퓨터의 인터넷 연결에 대한 정보를 제공해야합니다."> - -<!ENTITY torSettings.yes "예"> -<!ENTITY torSettings.no "아니오"> - -<!ENTITY torSettings.firstQuestion "어떤 것이 귀하의 상황에 가깝습니까?"> -<!ENTITY torSettings.configurePrompt1 "이 컴퓨터의 인터넷 연결은 검열되거나 필터링되거나 프록시를 사용하고 있습니다."> -<!ENTITY torSettings.configurePrompt2 "브릿지, 방화벽, 프록시 설정 구성을 해야 합니다."> -<!ENTITY torSettings.configure "구성"> -<!ENTITY torSettings.connectPrompt2 "Tor 네트워크에 직접 연결하고 싶습니다."> -<!ENTITY torSettings.connectPrompt3 "This will work in most situations."> -<!ENTITY torSettings.connect "연결"> - -<!ENTITY torSettings.proxyQuestion "이 컴퓨터는 인터넷에 접속하는 데 프록시가 필요한가요?"> -<!-- see https://www.torproject.org/docs/proxychain.html.en --> -<!ENTITY torSettings.proxyHelp "이 질문에 어떻게 대답해야 할지 확신이 서지 않으면 프록시의 사용이 어떻게 설정되어 있는지 확인하기 위해 다른 브라우저의 인터넷 설정을 보세요."> -<!ENTITY torSettings.enterProxy "프록시 설정에 들어갑니다."> -<!ENTITY torSettings.firewallQuestion "이 컴퓨터의 인터넷 연결은 방화벽을 통해서 특정 포트 접속만 허가합니까?"> -<!ENTITY torSettings.firewallHelp "이 질문에 어떻게 대답해야 할지 확신이 서지 않으면 아니오를 선택하세요. Tor 네트워크에 접속할 때 문제를 만났다면 이 설정을 변경해 주세요."> -<!ENTITY torSettings.enterFirewall "방화벽에 따라 허가되고 있는 포트 목록 입력해 주세요. 포트 번호는 콤마로 구분됩니다."> -<!ENTITY torSettings.bridgeQuestion "인터넷 서비스 공급자(ISP)가 Tor 네트워크 접속을 차단하거나 검열하고 있나요?"> -<!ENTITY torSettings.bridgeHelp "If you are not sure how to answer this question, choose No.  If you choose Yes, you will be asked to configure Tor Bridges, which are unlisted relays that make it more difficult to block connections to the Tor Network."> -<!ENTITY torSettings.bridgeSettingsPrompt "You may use the provided set of bridges or you may obtain and enter a custom set of bridges."> - -<!-- Other: --> - -<!ENTITY torsettings.startingTor "Tor 시작 대기 중..."> -<!ENTITY torsettings.restart "다시 시작"> - -<!ENTITY torsettings.optional "선택"> - -<!ENTITY torsettings.useProxy.checkbox "이 컴퓨터는 인터넷 접속에 프록시를 사용해야 합니다."> -<!ENTITY torsettings.useProxy.type "프록시 종류:"> -<!ENTITY torsettings.useProxy.address "주소:"> -<!ENTITY torsettings.useProxy.address.placeholder "IP 주소 또는 호스트 네임"> -<!ENTITY torsettings.useProxy.port "포트:"> -<!ENTITY torsettings.useProxy.username "사용자명:"> -<!ENTITY torsettings.useProxy.password "암호:"> -<!ENTITY torsettings.useProxy.type.socks4 "SOCKS 4"> -<!ENTITY torsettings.useProxy.type.socks5 "SOCKS 5"> -<!ENTITY torsettings.useProxy.type.http "HTTP / HTTPS"> -<!ENTITY torsettings.firewall.checkbox "이 컴퓨터는 특정 포트만 통과하는 방화벽을 지나 연결됩니다."> -<!ENTITY torsettings.firewall.allowedPorts "허용된 포트:"> -<!ENTITY torsettings.useBridges.checkbox "인터넷 서비스 공급자(ISP)가 Tor 네트워크 접속을 차단합니다."> -<!ENTITY torsettings.useBridges.default "제공된 브릿지에 연결"> -<!ENTITY torsettings.useBridges.type "Transport type:"> -<!ENTITY torsettings.useBridges.custom "이용자 브릿지 접속"> -<!ENTITY torsettings.useBridges.label "1개 이상의 브릿지 중계 서버를 입력해 주세요. (각 줄에 한 개씩)"> -<!ENTITY torsettings.useBridges.placeholder "주소 입력 : 포트 번호"> - -<!ENTITY torsettings.copyLog "Tor log를 클립보드에 복사하기"> -<!ENTITY torsettings.bridgeHelpTitle "브릿지 중계 서버 도움말"> -<!ENTITY torsettings.bridgeHelp1 "Tor 네트워크에 접속할 수 없는 경우, 귀하의 인터넷 서비스 공급자(ISP)나 별도의 기관이 Tor를 차단하고 있을 가능성이 있습니다.  그럴 때는 숨겨진 중계 서버를 통해 Tor 브릿지를 사용함으로써 이 문제를 해결할 수도 있습니다."> -<!ENTITY torsettings.bridgeHelp1B "You may use the preconfigured, provided set of bridge addresses or you may obtain a custom set of addresses by using one of these three methods:"> -<!ENTITY torsettings.bridgeHelp2Heading "Through the Web"> -<!ENTITY torsettings.bridgeHelp2 "https://bridges.torproject.org 를 방문하십시오."> -<!ENTITY torsettings.bridgeHelp3Heading "Through the Email Autoresponder"> -<!ENTITY torsettings.bridgeHelp3 "공개 브릿지 주소를 찾는 또 하나의 방법은 본문에 'get bridges'라고 적은 E-mail을 bridges@torproject.org 앞으로 보내는 것입니다.  단, 브릿지 주소를 크래커들이 수집하기 어렵게 하기 위해 gmail.com 이나 yahoo.com 으로 보내주시면 감사하겠습니다."> -<!ENTITY torsettings.bridgeHelp4Heading "Through the Help Desk"> -<!ENTITY torsettings.bridgeHelp4 "As a last resort, you can request bridge addresses by sending a polite email message to help@rt.torproject.org.  Please note that a person will need to respond to each request."> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/ko/progress.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/ko/progress.dtd deleted file mode 100644 index bb931d0f1b6147e738125b17fba9bee66c9d956a..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/ko/progress.dtd +++ /dev/null @@ -1,4 +0,0 @@ -<!ENTITY torprogress.dialog.title "Tor 상태"> -<!ENTITY torprogress.openSettings "시작 설정"> -<!ENTITY torprogress.heading "Tor 네트워크에 연결중"> -<!ENTITY torprogress.pleaseWait "Tor네트워크로 확실히 연결할 때까지 기다리세요."> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/ko/torlauncher.properties b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/ko/torlauncher.properties deleted file mode 100644 index 8714f804bc84680a79775b4b10ef941fc8808a8f..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/ko/torlauncher.properties +++ /dev/null @@ -1,58 +0,0 @@ -### Copyright (c) 2014, The Tor Project, Inc. -### See LICENSE for licensing information. - -torlauncher.error_title=Tor 브라우저 Launcher - -torlauncher.tor_exited=Tor가 예기치 않게 종료되었습니다. -torlauncher.please_restart_app=이 응용프로그램을 다시 시작해 주세요. -torlauncher.tor_controlconn_failed=Tor 제어 포트에 연결이 어렵습니다. -torlauncher.tor_failed_to_start=Tor 시작 실패. -torlauncher.tor_control_failed=Tor 제어에 실패했습니다. -torlauncher.tor_bootstrap_failed=Tor 네트워크 연결 설정 실패 -torlauncher.tor_bootstrap_failed_details=%1$S 실패 (%2$S) - -torlauncher.unable_to_start_tor=Tor를 시작할 수 없습니다.\n\n%S -torlauncher.tor_missing=Tor 실행 파일이 없습니다. -torlauncher.torrc_missing=torrc 파일이 없습니다. -torlauncher.datadir_missing=Tor 데이터 목록이 존재하지 않습니다. -torlauncher.password_hash_missing=해쉬 암호 획득 실패 - -torlauncher.failed_to_get_settings=Tor 설정을 찾을 수 없습니다.\n\n%S -torlauncher.failed_to_save_settings=Tor 설정을 저장할 수 없습니다.\n\n%S -torlauncher.ensure_tor_is_running=Tor가 실행중인 지 확인하여 주십시오. - -torlauncher.error_proxy_addr_missing=인터넷에 접속하기 위해 프록시를 사용한다면, Ip주소나 호스트 이름, 그리고 포트 번호를 입력해야 합니다. -torlauncher.error_proxy_type_missing=프록시 유형을 선택해 주십시오. -torlauncher.error_bridges_missing=하나 이상의 bridge를 지정해야 합니다. -torlauncher.error_default_bridges_type_missing=You must select a transport type for the provided bridges. -torlauncher.error_bridge_bad_default_type=No provided bridges that have the transport type %S are available. Please adjust your settings. - -torlauncher.recommended_bridge=(권장함) - -torlauncher.connect=연결 -torlauncher.quit=끝내기 -torlauncher.quit_win=종료 -torlauncher.done=완료 - -torlauncher.forAssistance=지원자 연결 %S - -torlauncher.bootstrapStatus.conn_dir=중계서버 디렉토리에 연결 -torlauncher.bootstrapStatus.handshake_dir=암호화된 디렉터리 연결을 설정 -torlauncher.bootstrapStatus.requesting_status=네트워크의 상태를 가져오는중 -torlauncher.bootstrapStatus.loading_status=네트워크의 상태를 요청중 -torlauncher.bootstrapStatus.loading_keys=권한 인증서를 로딩중 -torlauncher.bootstrapStatus.requesting_descriptors=중계서버 정보를 요청중 -torlauncher.bootstrapStatus.loading_descriptors=중계서버 정보를 로딩중 -torlauncher.bootstrapStatus.conn_or=Tor 네트워크에 연결중 -torlauncher.bootstrapStatus.handshake_or=토르 서킷의 연결을 성공 -torlauncher.bootstrapStatus.done=Tor 네트워크에 연결 성공! - -torlauncher.bootstrapWarning.done=완료 -torlauncher.bootstrapWarning.connectrefused=연결이 거부됨 -torlauncher.bootstrapWarning.misc=잡동사니 -torlauncher.bootstrapWarning.resourcelimit=리소스 부족 -torlauncher.bootstrapWarning.identity=계정 불일치 -torlauncher.bootstrapWarning.timeout=연결 타임아웃 -torlauncher.bootstrapWarning.noroute=호스트로의 연결 경로가 없음 -torlauncher.bootstrapWarning.ioerror=읽기 / 쓰기 오류 -torlauncher.bootstrapWarning.pt_missing=missing pluggable transport diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/nl/network-settings.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/nl/network-settings.dtd deleted file mode 100644 index c362a5f09d785583b490c9b71dd608ed67d772f0..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/nl/network-settings.dtd +++ /dev/null @@ -1,64 +0,0 @@ -<!ENTITY torsettings.dialog.title "Tor Netwerk Instellingen"> - -<!-- For "first run" wizard: --> - -<!ENTITY torsettings.prompt "Voordat je verbind met het Tor Netwerk, moet je eerst wat meer informatie geven over deze computers internet connectie."> - -<!ENTITY torSettings.yes "Ja"> -<!ENTITY torSettings.no "Nee"> - -<!ENTITY torSettings.firstQuestion "Welke van de volgende beschrijft het best jouw situatie?"> -<!ENTITY torSettings.configurePrompt1 "De internetverbinding van deze computer wordt gecensureerd, gefilterd of geproxyed."> -<!ENTITY torSettings.configurePrompt2 "Ik moet bridge, firewall, of proxy instellingen wijzigen."> -<!ENTITY torSettings.configure "Configureer"> -<!ENTITY torSettings.connectPrompt2 "Ik zou graag rechtstreeks met het Tor netwerk verbinden."> -<!ENTITY torSettings.connectPrompt3 "Dit zal in de meeste omstandigheden werken"> -<!ENTITY torSettings.connect "Verbind"> - -<!ENTITY torSettings.proxyQuestion "Heeft deze computer een proxy nodig om met het internet te verbinden?"> -<!-- see https://www.torproject.org/docs/proxychain.html.en --> -<!ENTITY torSettings.proxyHelp "Als je niet zeker bent over het antwoord op deze vraag, bekijk dan de verbindingsinstellingen van een andere browser om te zien of die is ingesteld om gebruik te maken van een proxy."> -<!ENTITY torSettings.enterProxy "Voer de proxy-instellingen in."> -<!ENTITY torSettings.firewallQuestion "Loopt de internetverbinding van deze computer door een firewall die enkel toegang tot bepaalde poorten toestaat?"> -<!ENTITY torSettings.firewallHelp "Als je niet zeker bent hoe je deze vraag moet beantwoorden, kies dan Nee. Als je op problemen botst tijdens het verbinden met het Tor netwerk, verander dan deze instelling."> -<!ENTITY torSettings.enterFirewall "Voer de poorten in die toegestaan zijn door de firewall, gescheiden door komma's."> -<!ENTITY torSettings.bridgeQuestion "Doet je Internet Service Provider (ISP) het Tor netwerk verbieden of filteren?"> -<!ENTITY torSettings.bridgeHelp "Als je niet zeker weet hoe je deze vraag moet beantwoorden, kies dan Nee.  Als je Ja kiest, moet je Tor bridges instellen, die doordat ze geen bekende relays zijn het dus moeilijker maken om verbinding te maken met het Tor Netwerk. "> -<!ENTITY torSettings.bridgeSettingsPrompt "Je kunt de ingegeven bridges gebruiken, of je kunt een eigen bridge instellen. "> - -<!-- Other: --> - -<!ENTITY torsettings.startingTor "Aan het wachten tot Tor gestart is..."> -<!ENTITY torsettings.restart "Herstart"> - -<!ENTITY torsettings.optional "Optioneel"> - -<!ENTITY torsettings.useProxy.checkbox "Deze computer moet een proxy gebruiken om het internet te raadplegen."> -<!ENTITY torsettings.useProxy.type "Proxy Type:"> -<!ENTITY torsettings.useProxy.address "Adres:"> -<!ENTITY torsettings.useProxy.address.placeholder "IP adres of hostnaam"> -<!ENTITY torsettings.useProxy.port "Poort:"> -<!ENTITY torsettings.useProxy.username "Gebruikersnaam:"> -<!ENTITY torsettings.useProxy.password "Wachtwoord:"> -<!ENTITY torsettings.useProxy.type.socks4 "SOCKS 4"> -<!ENTITY torsettings.useProxy.type.socks5 "SOCKS 5"> -<!ENTITY torsettings.useProxy.type.http "HTTP / HTTPS"> -<!ENTITY torsettings.firewall.checkbox "Deze computer gebruikt een firewall die enkel verbindingen tot bepaalde poorten toestaat."> -<!ENTITY torsettings.firewall.allowedPorts "Toegestane poorten:"> -<!ENTITY torsettings.useBridges.checkbox "Mijn Internet Service Provider (ISP) blokkeert verbindingen naar het Tor netwerk"> -<!ENTITY torsettings.useBridges.default "Verbind met ingestelde bridges"> -<!ENTITY torsettings.useBridges.type "Transport type:"> -<!ENTITY torsettings.useBridges.custom "Eigen bridge instellingen"> -<!ENTITY torsettings.useBridges.label "Voer een of meer bridge relays in (een per regel)"> -<!ENTITY torsettings.useBridges.placeholder "type adres:poortnummer"> - -<!ENTITY torsettings.copyLog "Kopieer Tor log naar het klembord"> -<!ENTITY torsettings.bridgeHelpTitle "Bridge Relay Hulp"> -<!ENTITY torsettings.bridgeHelp1 "Indien u geen verbinding kan maken met het Tor netwerk, zou het kunnen dat uw Internet Service Provider (ISP) of dergelijke Tor blokkeert.  Vaak kan u dit voorkomen door gebruikt te maken van Tor Bridges, dit zijn ongeregistreerde routers die moeilijker te blokkeren zijn."> -<!ENTITY torsettings.bridgeHelp1B "Je kan de voor geconfigureerde bridge adres instellingen gebruiken, of je kan hier zelf een eigen adres instellen met 1 van de volgende 3 methodes: "> -<!ENTITY torsettings.bridgeHelp2Heading "Door middel van het Web"> -<!ENTITY torsettings.bridgeHelp2 "Gebruik een browser om https://bridges.torproject.org te bezoeken"> -<!ENTITY torsettings.bridgeHelp3Heading "Door middel van de E-mail Autoresponder"> -<!ENTITY torsettings.bridgeHelp3 "Zend een e-mail naar bridges@torproject.org met als inhoud van de mail de tekst 'get bridges'.  Let wel, om het aanvallers te bemoeilijken informatie te krijgen over bridge adressen, dient u uw aanvraag te versturen van een gmail.com of yahoo.com e-mailadres."> -<!ENTITY torsettings.bridgeHelp4Heading "Door middel van de helpdesk"> -<!ENTITY torsettings.bridgeHelp4 "Als laatste redmiddel, kan u bridge adressen aanvraag door een zeer vriendelijke e-mail te sturen naar help@rt.torproject.org.  Houd er wel rekening mee dat deze persoon elke aanvraag moet behandelen."> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/nl/progress.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/nl/progress.dtd deleted file mode 100644 index 89b7b7c5dd2b4ea48852a973420f847212e992dd..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/nl/progress.dtd +++ /dev/null @@ -1,4 +0,0 @@ -<!ENTITY torprogress.dialog.title "Tor status"> -<!ENTITY torprogress.openSettings "Open Instellingen"> -<!ENTITY torprogress.heading "Bezig met verbinden met het Tor-netwerk"> -<!ENTITY torprogress.pleaseWait "Wacht alstublieft terwijl we een verbinding met het Tor-netwerk tot stand brengen."> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/nl/torlauncher.properties b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/nl/torlauncher.properties deleted file mode 100644 index f10434552b2217b5fd6687d47fb3aeb02e574e0c..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/nl/torlauncher.properties +++ /dev/null @@ -1,58 +0,0 @@ -### Copyright (c) 2014, The Tor Project, Inc. -### See LICENSE for licensing information. - -torlauncher.error_title=Tor Starter - -torlauncher.tor_exited=Tor is onverwacht afgesloten. -torlauncher.please_restart_app=Herstart deze applicatie alstublieft. -torlauncher.tor_controlconn_failed=Kon niet verbinden met een Tor controlepoort. -torlauncher.tor_failed_to_start=Tor kon niet starten. -torlauncher.tor_control_failed=Controle over Tor mislukt. -torlauncher.tor_bootstrap_failed=Tor kon geen Tor netwerkverbinding maken -torlauncher.tor_bootstrap_failed_details=%1$S mislukte (%2$S). - -torlauncher.unable_to_start_tor=Kon Tor niet starten.\n\n%S -torlauncher.tor_missing=Het Tor uitvoerbare bestand ontbreekt. -torlauncher.torrc_missing=Het torrc bestand ontbreekt. -torlauncher.datadir_missing=De Tor data map bestaat niet. -torlauncher.password_hash_missing=Ophalen van een gehashed wachtwoord is mislukt. - -torlauncher.failed_to_get_settings=Kon Tor instellingen niet ophalen.\n\n%S -torlauncher.failed_to_save_settings=Kon Tor instellingen niet opslaan.\n\n%S -torlauncher.ensure_tor_is_running=Controleer dat Tor actief is alstublieft. - -torlauncher.error_proxy_addr_missing=Je moet zowel een IP-adres of hostnaam en een poortnummer invoeren om Tor te configureren om een proxy te gebruiken om toegang te krijgen tot het internet. -torlauncher.error_proxy_type_missing=Je moet het proxy-type kiezen. -torlauncher.error_bridges_missing=Je moet één of meerdere bridges opgeven. -torlauncher.error_default_bridges_type_missing=U dient een transport-type te selecteren voor de verstrekte bridges. -torlauncher.error_bridge_bad_default_type=Géén van de verstrekte bridges met het transport-type %S zijn beschikbaar. Pas aub uw instellingen aan. - -torlauncher.recommended_bridge=(aanbevolen) - -torlauncher.connect=Verbind -torlauncher.quit=Stop -torlauncher.quit_win=Sluit af -torlauncher.done=OK - -torlauncher.forAssistance=Voor hulp, contacteer %S - -torlauncher.bootstrapStatus.conn_dir=Verbinden met een relay directory -torlauncher.bootstrapStatus.handshake_dir=Maken van een versleutelde verbinding met de lijst -torlauncher.bootstrapStatus.requesting_status=Ontvangen van de netwerkstatus -torlauncher.bootstrapStatus.loading_status=Laden van de netwerkstatus -torlauncher.bootstrapStatus.loading_keys=Laden van de authoriteitcertificaten -torlauncher.bootstrapStatus.requesting_descriptors=Opvragen van verbindingsinformatie -torlauncher.bootstrapStatus.loading_descriptors=Laden van verbindingsinformatie -torlauncher.bootstrapStatus.conn_or=Bezig met verbinden met het Tor-netwerk -torlauncher.bootstrapStatus.handshake_or=Maken van een Tor circuit -torlauncher.bootstrapStatus.done=Verbonden met het Tor-netwerk! - -torlauncher.bootstrapWarning.done=uitgevoerd -torlauncher.bootstrapWarning.connectrefused=verbinding geweigerd -torlauncher.bootstrapWarning.misc=willekeurig -torlauncher.bootstrapWarning.resourcelimit=onvoldoende resources -torlauncher.bootstrapWarning.identity=identiteitsfout -torlauncher.bootstrapWarning.timeout=verbindingstimeout -torlauncher.bootstrapWarning.noroute=geen route naar de server -torlauncher.bootstrapWarning.ioerror=lees/schrijffout -torlauncher.bootstrapWarning.pt_missing=ontbrekend plugbaar vervoer diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/pl/network-settings.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/pl/network-settings.dtd deleted file mode 100644 index 312be05fae768d133e752b3522eda12fccdf648a..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/pl/network-settings.dtd +++ /dev/null @@ -1,64 +0,0 @@ -<!ENTITY torsettings.dialog.title "Ustawienia Sieci"> - -<!-- For "first run" wizard: --> - -<!ENTITY torsettings.prompt "Zanim podłączysz się do sieci Tor, uzupełnij informacje o parametrach połączenia tego komputera z internetem."> - -<!ENTITY torSettings.yes "Tak"> -<!ENTITY torSettings.no "Nie"> - -<!ENTITY torSettings.firstQuestion "Które z poniższych najlepiej opisuje Twoją sytuację?"> -<!ENTITY torSettings.configurePrompt1 "Połączenie tego komputera jest cenzurowane, filtrowane lub przekierowywane."> -<!ENTITY torSettings.configurePrompt2 "Muszę skonfigurować most, firewall lub ustawienia serwera proxy."> -<!ENTITY torSettings.configure "Konfiguruj"> -<!ENTITY torSettings.connectPrompt2 "Chcę połączyć się bezpośrednio z siecią Tor."> -<!ENTITY torSettings.connectPrompt3 "To zadziała w większości sytuacji."> -<!ENTITY torSettings.connect "Połącz"> - -<!ENTITY torSettings.proxyQuestion "Czy ten komputer potrzebuje proxy w celu połączenia się z Internetem?"> -<!-- see https://www.torproject.org/docs/proxychain.html.en --> -<!ENTITY torSettings.proxyHelp "Jeśli nie jesteś pewny odpowiedzi sprawdź ustawienia internetowe innej przeglądarki, czy jest skonfigurowana do użycia serwera proxy."> -<!ENTITY torSettings.enterProxy "Wprowadź ustawienia serwera proxy"> -<!ENTITY torSettings.firewallQuestion "Czy połączenie internetowe Twojego komputera pozwala przejść przez zaporę sieciową w celu nawiązania połączenia z ustalonymi portami?"> -<!ENTITY torSettings.firewallHelp "Jeśli nie jesteś pewien jak odpowiedzieć na to pytanie, wybierz Nie. W przypadku wystąpienia problemów z połączeniem, zmień tą opcję."> -<!ENTITY torSettings.enterFirewall "Wprowadź listę portów dozwolonych przez zaporę (kolejne porty oddzielaj przecinkiem)."> -<!ENTITY torSettings.bridgeQuestion "Czy Twój dostawca usług internetowych (ISP) blokuje lub cenzuruje połączenia sieci Tor?"> -<!ENTITY torSettings.bridgeHelp "Jeśli nie jesteś pewny odpowiedzi na to pytanie proszę wybrać odpowiedź Nie.  Jeśli wybierzesz Tak, to będziesz poproszony o skonfigurowanie mostków Tora, które nie są publicznie wymienione, dzięki czemu będzie trudniej zablokować połączenia do sieci Tor."> -<!ENTITY torSettings.bridgeSettingsPrompt "Możesz wybrać dostępny zestaw mostków, albo możesz uzyskać i wprowadzić niestandardowy zestaw mostów."> - -<!-- Other: --> - -<!ENTITY torsettings.startingTor "Uruchamianie oprogramowania Tor"> -<!ENTITY torsettings.restart "Restart"> - -<!ENTITY torsettings.optional "(opcjonalnie)"> - -<!ENTITY torsettings.useProxy.checkbox "Ten komputer musi używać proxy w celu połączenia z Internetem"> -<!ENTITY torsettings.useProxy.type "Typ Proxy:"> -<!ENTITY torsettings.useProxy.address "Adres:"> -<!ENTITY torsettings.useProxy.address.placeholder "Nazwa hosta lub adres IP"> -<!ENTITY torsettings.useProxy.port "Port:"> -<!ENTITY torsettings.useProxy.username "Użytkownik:"> -<!ENTITY torsettings.useProxy.password "Hasło:"> -<!ENTITY torsettings.useProxy.type.socks4 "SOCKS 4"> -<!ENTITY torsettings.useProxy.type.socks5 "SOCKS 5"> -<!ENTITY torsettings.useProxy.type.http "HTTP / HTTPS"> -<!ENTITY torsettings.firewall.checkbox "Ten komputer pozwala na połączenie z ustalonymi portami"> -<!ENTITY torsettings.firewall.allowedPorts "Dozwolone porty:"> -<!ENTITY torsettings.useBridges.checkbox "Mój dostawca internetu blokuje połączenia do sieci Tor"> -<!ENTITY torsettings.useBridges.default "Połącz z dostępnymi mostami."> -<!ENTITY torsettings.useBridges.type "Typ Transportu:"> -<!ENTITY torsettings.useBridges.custom "Wprowadź własne mosty"> -<!ENTITY torsettings.useBridges.label "Dodaj jeden lub więcej przekaźników mostowych (jeden w każdej linijce)"> -<!ENTITY torsettings.useBridges.placeholder "wpisz adres:port"> - -<!ENTITY torsettings.copyLog "Skopiuj log do schowka"> -<!ENTITY torsettings.bridgeHelpTitle "Pomoc Przekaźników Mostkowych"> -<!ENTITY torsettings.bridgeHelp1 "Jeśli nie jesteś w stanie połączyć się z siecią Tor, może to oznaczać, że Twój Dostawca Usług Internetowych (ISP) lub inna agencja blokuje dostęp do sieci Tor.  Często można obejść ten problem używając Mostów Tor, które są nienotowanymi przekaźnikami, dzięki czemu trudniej je zablokować."> -<!ENTITY torsettings.bridgeHelp1B "Możesz użyć wstępnie skonfigurowany, domyślny zestaw adresów mostów lub możesz uzyskać własny zestaw adresów za pomocą jednej z tych trzech metod:"> -<!ENTITY torsettings.bridgeHelp2Heading "Za pośrednictwem sieci Web"> -<!ENTITY torsettings.bridgeHelp2 "Użyj przeglądarki internetowej do odwiedzenia https://bridges.torproject.org"> -<!ENTITY torsettings.bridgeHelp3Heading "Poprzez Email Autoresponder"> -<!ENTITY torsettings.bridgeHelp3 "Wyślij e-mail do bridges@torproject.org z linią "get bridges" w treści wiadomości.  Aby jednak, utrudnić napastnikom naukę o adresach mostów, należy wysłać prośbę z adresu email gmail.com lub yahoo.com."> -<!ENTITY torsettings.bridgeHelp4Heading "Przez Help Desk"> -<!ENTITY torsettings.bridgeHelp4 "W ostateczności, można zażądać adresów mostów, wysyłając uprzejmą wiadomość e-mail do help@rt.torproject.org.  Należy pamiętać, że osoba będzie musiała odpowiedzieć na każde żądanie."> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/pl/progress.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/pl/progress.dtd deleted file mode 100644 index f8d75cc1b74d041207b9d11932ab4a950e5b41f5..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/pl/progress.dtd +++ /dev/null @@ -1,4 +0,0 @@ -<!ENTITY torprogress.dialog.title "Status sieci Tor"> -<!ENTITY torprogress.openSettings "Ustawienia"> -<!ENTITY torprogress.heading "Łączenie z siecią Tor"> -<!ENTITY torprogress.pleaseWait "Poczekaj chwilę, aż ustanowimy połączenie z siecią Tor."> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/pl/torlauncher.properties b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/pl/torlauncher.properties deleted file mode 100644 index 32feaa8df9800a8f63ab31be15a98bd8f6469beb..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/pl/torlauncher.properties +++ /dev/null @@ -1,58 +0,0 @@ -### Copyright (c) 2014, The Tor Project, Inc. -### See LICENSE for licensing information. - -torlauncher.error_title=Tor Launcher - -torlauncher.tor_exited=Tor wyłączył się niespodziewanie. -torlauncher.please_restart_app=Proszę zrestartuj tą aplikację. -torlauncher.tor_controlconn_failed=Nie można połączyć się z portem kontrolnym Tora. -torlauncher.tor_failed_to_start=Nie powiodło się włączenie Tora. -torlauncher.tor_control_failed=Nie udało się przejąć kontroli nad Tor'em. -torlauncher.tor_bootstrap_failed=Tor nie nawiązał połączenia z siecią Tora. -torlauncher.tor_bootstrap_failed_details=%1$S błąd (%2$S). - -torlauncher.unable_to_start_tor=Nie można wystartować aplikacji Tor.\n\n%S -torlauncher.tor_missing=Brakuje pliku wykonywalnego Tora. -torlauncher.torrc_missing=Brakuje pliku torrc -torlauncher.datadir_missing=Katalog danych Tora nie istnieje. -torlauncher.password_hash_missing=Nie można uzyskać hasha hasła. - -torlauncher.failed_to_get_settings=Nie można odzyskać ustawień Tora.\n\n%S -torlauncher.failed_to_save_settings=Nie można zapisać ustawień Tora.\n\n%S -torlauncher.ensure_tor_is_running=Proszę upewnić się, czy Tor jest włączony. - -torlauncher.error_proxy_addr_missing=Musisz określić adres IP lub nazwę hosta oraz numer portu, aby Tor mógł używać serwera proxy w dostępie do Internetu. -torlauncher.error_proxy_type_missing=Musisz wybrać typ proxy. -torlauncher.error_bridges_missing=Musisz podać jeden lub więcej mostów. (bridges) -torlauncher.error_default_bridges_type_missing=Musisz wybrać rodzaj transportu dla dostępnych mostów. -torlauncher.error_bridge_bad_default_type=Brak dostępnych mostków, które mają typ transportu %S. Proszę zmienić swoje ustawienia. - -torlauncher.recommended_bridge=(zalecane) - -torlauncher.connect=Połącz -torlauncher.quit=Wyjście -torlauncher.quit_win=Wyjście -torlauncher.done=Gotowe - -torlauncher.forAssistance=By uzyskać pomoc, skontaktuj się - -torlauncher.bootstrapStatus.conn_dir=Podłączanie do katalogu węzłów -torlauncher.bootstrapStatus.handshake_dir=Ustanawianie szyfrowanego połączenia z katalogiem -torlauncher.bootstrapStatus.requesting_status=Odczytywanie stanu sieci -torlauncher.bootstrapStatus.loading_status=Wczytywanie stanu sieci -torlauncher.bootstrapStatus.loading_keys=Wczytywanie certyfikatów uwierzytelnienia -torlauncher.bootstrapStatus.requesting_descriptors=Żądanie informacji o węźle -torlauncher.bootstrapStatus.loading_descriptors=Wczytywanie informacji o węźle -torlauncher.bootstrapStatus.conn_or=Łączenie z siecią Tor -torlauncher.bootstrapStatus.handshake_or=Ustanawianie ścieżki Tora -torlauncher.bootstrapStatus.done=Połączony z siecią Tor! - -torlauncher.bootstrapWarning.done=zrobione -torlauncher.bootstrapWarning.connectrefused=połączenie odrzucone -torlauncher.bootstrapWarning.misc=różne -torlauncher.bootstrapWarning.resourcelimit=niewystarczające zasoby -torlauncher.bootstrapWarning.identity=niezgodność tożsamości -torlauncher.bootstrapWarning.timeout=upłynął czas połączenia -torlauncher.bootstrapWarning.noroute=brak trasy do hosta -torlauncher.bootstrapWarning.ioerror=błąd zapisu/odczytu -torlauncher.bootstrapWarning.pt_missing=brak podłączanego transportu diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/pt/network-settings.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/pt/network-settings.dtd deleted file mode 100644 index c231e10bd88bd7dbfdd321ec45a88b0efa64917d..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/pt/network-settings.dtd +++ /dev/null @@ -1,64 +0,0 @@ -<!ENTITY torsettings.dialog.title "Definições da rede Tor"> - -<!-- For "first run" wizard: --> - -<!ENTITY torsettings.prompt "Antes de se ligar à rede Tor precisa de fornecer informações sobre a ligação deste computador à Internet."> - -<!ENTITY torSettings.yes "Sim"> -<!ENTITY torSettings.no "Não"> - -<!ENTITY torSettings.firstQuestion "Qual das seguintes frases melhor descreve a sua situação?"> -<!ENTITY torSettings.configurePrompt1 "A ligação à Internet deste computador está a ser censurada, filtrada ou utilizada através de um proxy."> -<!ENTITY torSettings.configurePrompt2 "Eu preciso de configurar o bridge, o firewall e as definições do proxy."> -<!ENTITY torSettings.configure "Configurar"> -<!ENTITY torSettings.connectPrompt2 "Gostaria de me ligar diretamente à rede Tor."> -<!ENTITY torSettings.connectPrompt3 "Isto funciona na maior parte das situações."> -<!ENTITY torSettings.connect "Ligar"> - -<!ENTITY torSettings.proxyQuestion "Este computador precisa de usar uma proxy para aceder a Internet?"> -<!-- see https://www.torproject.org/docs/proxychain.html.en --> -<!ENTITY torSettings.proxyHelp "Se não tem a certeza de como responder esta questão, olhe para as definições de Internet noutro navegador para ver se está configurado para usar um proxy."> -<!ENTITY torSettings.enterProxy "Introduza as definições de proxy."> -<!ENTITY torSettings.firewallQuestion "A ligação à Internet deste computador atravessa uma firewall que só permite algumas ligações a certos portos?"> -<!ENTITY torSettings.firewallHelp "Se não tem a certeza de como responder esta questão, escolha Não. Se encontrar quaisquer problemas ao ligar-se à rede Tor, mude esta definição."> -<!ENTITY torSettings.enterFirewall "Introduza uma lista de portos separada por vírgulas que são permitidas pela firewall."> -<!ENTITY torSettings.bridgeQuestion "O seu fornecedor de serviços de internet bloqueia ou censura ligações à rede Tor ?"> -<!ENTITY torSettings.bridgeHelp "Se não tem a certeza de como responder a esta questão, escolha o Nº.  Se escolher Sim, vai-lhe ser pedido para configurar as Tor Bridges, que são pontos de passagem não listados mais difíceis de bloquear ligações à rede Tor."> -<!ENTITY torSettings.bridgeSettingsPrompt "Pode usar o conjunto de bridges pré-configurado fornecido, ou pode obter um conjunto de bridges personalizadas."> - -<!-- Other: --> - -<!ENTITY torsettings.startingTor "À espera que o Tor inicie..."> -<!ENTITY torsettings.restart "Reiniciar"> - -<!ENTITY torsettings.optional "Opcional"> - -<!ENTITY torsettings.useProxy.checkbox "Este computador precisa de usar uma proxy para aceder à Internet."> -<!ENTITY torsettings.useProxy.type "Tipo de Proxy:"> -<!ENTITY torsettings.useProxy.address "Endereço:"> -<!ENTITY torsettings.useProxy.address.placeholder "Endereço IP ou nome de anfitrião"> -<!ENTITY torsettings.useProxy.port "Porto:"> -<!ENTITY torsettings.useProxy.username "Nome do utilizador:"> -<!ENTITY torsettings.useProxy.password "Palavra-Chave:"> -<!ENTITY torsettings.useProxy.type.socks4 "SOCKS 4"> -<!ENTITY torsettings.useProxy.type.socks5 "SOCKS 5"> -<!ENTITY torsettings.useProxy.type.http "HTTP / HTTPS"> -<!ENTITY torsettings.firewall.checkbox "Este computador está protegido por um firewall que permite apenas algumas ligações a alguns portos."> -<!ENTITY torsettings.firewall.allowedPorts "Portos permitidos:"> -<!ENTITY torsettings.useBridges.checkbox "O meu Internet Service Provider (ISP) bloqueia ligações à rede Tor"> -<!ENTITY torsettings.useBridges.default "Ligar com as bridges fornecidas"> -<!ENTITY torsettings.useBridges.type "Tipo de transporte:"> -<!ENTITY torsettings.useBridges.custom "Introduza bridges personalizadas"> -<!ENTITY torsettings.useBridges.label "Introduza um ou mais relays bridge (um por linha)."> -<!ENTITY torsettings.useBridges.placeholder "escreva endereço:porto"> - -<!ENTITY torsettings.copyLog "Copiar o log Tor para a Área de Transferência"> -<!ENTITY torsettings.bridgeHelpTitle "Ajuda Bridge Relay"> -<!ENTITY torsettings.bridgeHelp1 "Se não consegue ligar-se à rede Tor, pode ser devido a algum bloqueio do seu provedor de internet (ISP) ou outro intermediário está a bloquear o Tor.  Normalmente, pode contornar este problema usando Tor Bridges, que são pontos de passagem não listados mais difíceis de bloquear."> -<!ENTITY torsettings.bridgeHelp1B "Pode usar o conjunto de bridges pré-configurado fornecido, ou pode obter um conjunto de endereços personalizados usando um dos três métodos:"> -<!ENTITY torsettings.bridgeHelp2Heading "Pela rede"> -<!ENTITY torsettings.bridgeHelp2 "Use um navegador internet para visitar https://bridges.torproject.org"> -<!ENTITY torsettings.bridgeHelp3Heading "Pelo respondedor de email automático"> -<!ENTITY torsettings.bridgeHelp3 "Envie um email para bridges@torproject.org com a linha 'get bridges' no próprio corpo da mensagem.  No entanto, para tornar mais difícil para um atacante apreender o conjunto de endereços de bridge, tem que enviar este pedido de uma conta gmail.com ou yahoo.com."> -<!ENTITY torsettings.bridgeHelp4Heading "Pelo Helpdesk"> -<!ENTITY torsettings.bridgeHelp4 "Em último caso, pode pedir endereços bridge enviando um email cordial para help@rt.torproject.org.  Por favor tenha em conta que cada pedido será respondido por uma pessoa."> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/pt/progress.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/pt/progress.dtd deleted file mode 100644 index 473438c934f2f9a07b0c8d6ac34de55ad5d256b5..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/pt/progress.dtd +++ /dev/null @@ -1,4 +0,0 @@ -<!ENTITY torprogress.dialog.title "Estado do Tor"> -<!ENTITY torprogress.openSettings "Abrir Configurações"> -<!ENTITY torprogress.heading "A conetar à rede Tor"> -<!ENTITY torprogress.pleaseWait "Por favor, aguarde, enquanto nós estabelecemos uma ligação à rede Tor"> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/pt/torlauncher.properties b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/pt/torlauncher.properties deleted file mode 100644 index 87b8aeb0d035b58e2304643f5166b2e89b6b8430..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/pt/torlauncher.properties +++ /dev/null @@ -1,58 +0,0 @@ -### Copyright (c) 2014, The Tor Project, Inc. -### See LICENSE for licensing information. - -torlauncher.error_title=Iniciador Tor - -torlauncher.tor_exited=O Tor fechou-se insperadamente. -torlauncher.please_restart_app=Por favor, reinicie a aplicação. -torlauncher.tor_controlconn_failed=Não foi possível ligar ao porto de controlo do Tor. -torlauncher.tor_failed_to_start=O Tor falhou a inicialização. -torlauncher.tor_control_failed=Falha ao tentar controlar o Tor -torlauncher.tor_bootstrap_failed=O Tor falhou ao estabelecer uma ligação de rede Tor. -torlauncher.tor_bootstrap_failed_details=%1$S falhou (%2$S). - -torlauncher.unable_to_start_tor=Não é possível iniciar o Tor.\n\n %S -torlauncher.tor_missing=O executável do Tor está em falta. -torlauncher.torrc_missing=O ficheiro torrc está em falta. -torlauncher.datadir_missing=A pasta dos dados do Tor não existe. -torlauncher.password_hash_missing=Não foi possível obter a senha "hashed". - -torlauncher.failed_to_get_settings=Não é possível obter as definições do Tor\n\n %S -torlauncher.failed_to_save_settings=Não é possível guardar as definições do Tor\n\n %S -torlauncher.ensure_tor_is_running=Por favor, verifique se o Tor está em execução. - -torlauncher.error_proxy_addr_missing=Deve especificar tanto um endereço IP ou nome do hospedeiro como um número de porto, para configurar o Tor para utilizar um proxy para aceder à Internet. -torlauncher.error_proxy_type_missing=Deve selecionar o tipo de proxy. -torlauncher.error_bridges_missing=Deve especificar uma ou mais pontes. -torlauncher.error_default_bridges_type_missing=Deve selecionar o tipo de transporte para as pontes fornecidas -torlauncher.error_bridge_bad_default_type=Não há pontes disponíveis que tenham o tipo de transport %S. Por favor ajuste as configurações. - -torlauncher.recommended_bridge=(recomendado) - -torlauncher.connect=Ligar -torlauncher.quit=Sair -torlauncher.quit_win=Sair -torlauncher.done=Completo - -torlauncher.forAssistance=Para assistência, contacte %S - -torlauncher.bootstrapStatus.conn_dir=A ligar ao diretório do retransmissor -torlauncher.bootstrapStatus.handshake_dir=A estabelecer uma ligação de diretório encriptada -torlauncher.bootstrapStatus.requesting_status=A obter o estado da rede -torlauncher.bootstrapStatus.loading_status=A carregar o estado da rede -torlauncher.bootstrapStatus.loading_keys=A carregar os certificados de autoridade -torlauncher.bootstrapStatus.requesting_descriptors=A pedir informação do retransmissor -torlauncher.bootstrapStatus.loading_descriptors=A carregar informações do retransmissor -torlauncher.bootstrapStatus.conn_or=A ligar à rede Tor -torlauncher.bootstrapStatus.handshake_or=A estabelecer um circuito Tor -torlauncher.bootstrapStatus.done=Ligado à rede Tor - -torlauncher.bootstrapWarning.done=finalizado -torlauncher.bootstrapWarning.connectrefused=ligação recusada -torlauncher.bootstrapWarning.misc=diversos -torlauncher.bootstrapWarning.resourcelimit=recursos insuficientes -torlauncher.bootstrapWarning.identity=identidade não correspondente -torlauncher.bootstrapWarning.timeout=Tempo de ligação expirado -torlauncher.bootstrapWarning.noroute=sem rota para o hospedeiro -torlauncher.bootstrapWarning.ioerror=Erro de leitura/escrita -torlauncher.bootstrapWarning.pt_missing=missing pluggable transport diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/ru/network-settings.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/ru/network-settings.dtd deleted file mode 100644 index ea2ee8208e22760c00f875ad681c177c628c5f63..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/ru/network-settings.dtd +++ /dev/null @@ -1,64 +0,0 @@ -<!ENTITY torsettings.dialog.title "Сетевые настройки Tor"> - -<!-- For "first run" wizard: --> - -<!ENTITY torsettings.prompt "Прежде чем вы подключитесь к сети Tor, вам нужно указать информацию об интернет-соединении этого компьютера."> - -<!ENTITY torSettings.yes "Да"> -<!ENTITY torSettings.no "Нет"> - -<!ENTITY torSettings.firstQuestion "Что лучше описывает вашу ситуацию?"> -<!ENTITY torSettings.configurePrompt1 "Интернет-соединение этого компьютера цензурируется, фильтруется или находятся за прокси."> -<!ENTITY torSettings.configurePrompt2 "Мне требуется настроить мост, брандмауэр или прокси."> -<!ENTITY torSettings.configure "Настроить"> -<!ENTITY torSettings.connectPrompt2 "Я бы хотел соединиться с сетью Tor напрямую."> -<!ENTITY torSettings.connectPrompt3 "Это должно работать в большинстве ситуаций."> -<!ENTITY torSettings.connect "Соединиться"> - -<!ENTITY torSettings.proxyQuestion "Этому компьютеру нужен прокси для доступа в Интернет?"> -<!-- see https://www.torproject.org/docs/proxychain.html.en --> -<!ENTITY torSettings.proxyHelp "Если вы не знаете как отвечать, посмотрите в настройки другого браузера - прописан ли там прокси."> -<!ENTITY torSettings.enterProxy "Введите настройки прокси."> -<!ENTITY torSettings.firewallQuestion "Защищено ли соединение брандмауэром, разрешающим связь только через некоторые порты?"> -<!ENTITY torSettings.firewallHelp "Если вы не уверены как отвечать, выберите нет. Если возникнут проблемы соединения с сетью Tor, измените эту настройку."> -<!ENTITY torSettings.enterFirewall "Введите список портов через запятую, которые брандмауэр не блокирует."> -<!ENTITY torSettings.bridgeQuestion "Ваш провайдер (ISP) блокирует или как-либо цензурирует подключения к сети Tor?"> -<!ENTITY torSettings.bridgeHelp "Если вы не знаете, как ответить на этот вопрос, выбирайте Нет.  Если вы выберете Да, вас попросят настроить мосты Tor, которые являются неопубликованными маршрутизаторами, что затрудняет их блокировку."> -<!ENTITY torSettings.bridgeSettingsPrompt "Вы можете использовать предопределенный набор мостов или получить и ввести список мостов вручную."> - -<!-- Other: --> - -<!ENTITY torsettings.startingTor "Ожидание запуска Tor..."> -<!ENTITY torsettings.restart "Перезапустить"> - -<!ENTITY torsettings.optional "Необязательно"> - -<!ENTITY torsettings.useProxy.checkbox "Этому компьютеру нужен прокси для доступа в Интернет"> -<!ENTITY torsettings.useProxy.type "Тип Прокси:"> -<!ENTITY torsettings.useProxy.address "Адрес:"> -<!ENTITY torsettings.useProxy.address.placeholder "IP адрес или имя узла"> -<!ENTITY torsettings.useProxy.port "Порт:"> -<!ENTITY torsettings.useProxy.username "Имя пользователя:"> -<!ENTITY torsettings.useProxy.password "Пароль:"> -<!ENTITY torsettings.useProxy.type.socks4 "SOCKS 4"> -<!ENTITY torsettings.useProxy.type.socks5 "SOCKS 5"> -<!ENTITY torsettings.useProxy.type.http "HTTP / HTTPS"> -<!ENTITY torsettings.firewall.checkbox "Мой сетевой экран позволяет мне подключиться только к определенным портам"> -<!ENTITY torsettings.firewall.allowedPorts "Разрешенные порты:"> -<!ENTITY torsettings.useBridges.checkbox "Мой провайдер блокирует доступ к сети Tor"> -<!ENTITY torsettings.useBridges.default "Подключиться к предопределенным мостам"> -<!ENTITY torsettings.useBridges.type "Тип транспорта:"> -<!ENTITY torsettings.useBridges.custom "Ввести мосты вручную"> -<!ENTITY torsettings.useBridges.label "Введите один или несколько ретрансляторов типа мост (один на строку)"> -<!ENTITY torsettings.useBridges.placeholder "введите адрес:порт"> - -<!ENTITY torsettings.copyLog "Скопировать журнал Tor в буфер обмена"> -<!ENTITY torsettings.bridgeHelpTitle "Помощь по ретрансляторам типа мост"> -<!ENTITY torsettings.bridgeHelp1 "Если вы не можете подключиться к сети Tor, возможно ваш провайдер (ISP) или иная организация блокирует Tor.  Часто эту проблему можно обойти при помощи мостов Tor, не перечисленных в публичных списках, которые сложнее заблокировать."> -<!ENTITY torsettings.bridgeHelp1B "Вы можете использовать стандартный предопределенный набор мостов или получить и ввести список мостов вручную при помощи одного из этих трёх методов:"> -<!ENTITY torsettings.bridgeHelp2Heading "Из Веб"> -<!ENTITY torsettings.bridgeHelp2 "Откройте в веб-браузере https://bridges.torproject.org"> -<!ENTITY torsettings.bridgeHelp3Heading "Через автоответчик электронной почты"> -<!ENTITY torsettings.bridgeHelp3 "Отправьте письмо по адресу bridges@torproject.org со строкой 'get bridges' в теле сообщения.  Однако чтобы усложнить сбор атакующими адресов всех мостов, от Вас требуется отправить запрос с адреса gmail.com или yahoo.com."> -<!ENTITY torsettings.bridgeHelp4Heading "В справочной службе"> -<!ENTITY torsettings.bridgeHelp4 "В крайнем случае, Вы можете вежливо попросить адреса мостов по адресу help@rt.torproject.org.  Пожалуйста, имейте в виду, что каждый запрос обрабатывается человеком."> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/ru/progress.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/ru/progress.dtd deleted file mode 100644 index 47827da471cc36fb40bfd4fd8bd2d5e610618742..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/ru/progress.dtd +++ /dev/null @@ -1,4 +0,0 @@ -<!ENTITY torprogress.dialog.title "Статус Tor"> -<!ENTITY torprogress.openSettings "Открыть Настройки"> -<!ENTITY torprogress.heading "Подключение к сети Tor"> -<!ENTITY torprogress.pleaseWait "Пожалуйста, подождите, пока будет установлено соединение с сетью Tor."> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/ru/torlauncher.properties b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/ru/torlauncher.properties deleted file mode 100644 index ad50365066dd6c301e8eb4340570827eec213226..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/ru/torlauncher.properties +++ /dev/null @@ -1,58 +0,0 @@ -### Copyright (c) 2014, The Tor Project, Inc. -### See LICENSE for licensing information. - -torlauncher.error_title=Загрузчик Tor - -torlauncher.tor_exited=Tor неожиданно завершился. -torlauncher.please_restart_app=Пожалуйста, перезапустите приложение -torlauncher.tor_controlconn_failed=Невозможно соединиться с портом управления Tor. -torlauncher.tor_failed_to_start=Невозможно запустить Tor. -torlauncher.tor_control_failed=Не удалось взять контроль над Tor. -torlauncher.tor_bootstrap_failed=Тор не удалось установить подключение к сети Tor. -torlauncher.tor_bootstrap_failed_details=%1$S неудачно (%2$S). - -torlauncher.unable_to_start_tor=Невозможно запустить Tor.\n\n%S -torlauncher.tor_missing=Исполняемый файл Tor отсутствует. -torlauncher.torrc_missing=Файл torrc отсутствует. -torlauncher.datadir_missing=Каталог данных Tor не существует. -torlauncher.password_hash_missing=Не удаётся получить хэшированный пароль. - -torlauncher.failed_to_get_settings=Не удаётся считать настройки Tor.\n\n%S -torlauncher.failed_to_save_settings=Не удаётся сохранить настройки Tor.\n\n%S -torlauncher.ensure_tor_is_running=Убедитесь что Tor запущен. - -torlauncher.error_proxy_addr_missing=Вы должны указать IP-адрес или имя хоста и порт, чтобы настроить Tor и использовать прокси для доступа в Интернет. -torlauncher.error_proxy_type_missing=Необходимо выбрать тип прокси. -torlauncher.error_bridges_missing=Необходимо задать один или несколько мостов. -torlauncher.error_default_bridges_type_missing=Вы должны выбрать тип транспорта предопределенных мостов. -torlauncher.error_bridge_bad_default_type=Предопределенные мосты не поддерживают тип транспорта %S. Пожалуйста, исправьте ваши настройки. - -torlauncher.recommended_bridge=(рекомендуемый) - -torlauncher.connect=Соединиться -torlauncher.quit=Выйти -torlauncher.quit_win=Выход -torlauncher.done=Готово - -torlauncher.forAssistance=Для помощи свяжитесь с %S - -torlauncher.bootstrapStatus.conn_dir=Подключение к каталогy ретрансляторов -torlauncher.bootstrapStatus.handshake_dir=Создание шифрованного соединения каталогa -torlauncher.bootstrapStatus.requesting_status=Получение статуса сети -torlauncher.bootstrapStatus.loading_status=Загрузка состояния сети -torlauncher.bootstrapStatus.loading_keys=Загрузка сертификатов -torlauncher.bootstrapStatus.requesting_descriptors=Запрос информации ретранслятора -torlauncher.bootstrapStatus.loading_descriptors=Загрузка информации ретранслятора -torlauncher.bootstrapStatus.conn_or=Подключение к сети Tor -torlauncher.bootstrapStatus.handshake_or=Создание цепочки Tor -torlauncher.bootstrapStatus.done=Подключен к сети Tor! - -torlauncher.bootstrapWarning.done=cделано -torlauncher.bootstrapWarning.connectrefused=в подключении отказано -torlauncher.bootstrapWarning.misc=pазное -torlauncher.bootstrapWarning.resourcelimit=нехватка ресурсов -torlauncher.bootstrapWarning.identity=несоответствие идентификации -torlauncher.bootstrapWarning.timeout=Тайм-аут соединения -torlauncher.bootstrapWarning.noroute=не указан путь к хосту -torlauncher.bootstrapWarning.ioerror=ошибка чтения / записи -torlauncher.bootstrapWarning.pt_missing=отсутствует подключаемый транспорт diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/tr/network-settings.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/tr/network-settings.dtd deleted file mode 100644 index 9e0aff50db6de8bcbdf299df7a2e711d70ee4939..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/tr/network-settings.dtd +++ /dev/null @@ -1,64 +0,0 @@ -<!ENTITY torsettings.dialog.title "Tor Ağ Ayarları"> - -<!-- For "first run" wizard: --> - -<!ENTITY torsettings.prompt "Tor ağa bağlanmadan önce, bu bilgisayarın İnternet bağlantısı hakkında bilgi vermeniz gerekir."> - -<!ENTITY torSettings.yes "Evet"> -<!ENTITY torSettings.no "Hayır"> - -<!ENTITY torSettings.firstQuestion "Aşağıdakilerden hangisi durumunuzu en iyi açıklıyor?"> -<!ENTITY torSettings.configurePrompt1 "İnternet bağlantınız sansürlenmiş,filtrelenmiş veyahut proxylenmiş."> -<!ENTITY torSettings.configurePrompt2 "Köprü, güvenlik duvarı ve vekil sunucu ayarlarının konfigürasyonunu yapmam lazım."> -<!ENTITY torSettings.configure "Yapılandır"> -<!ENTITY torSettings.connectPrompt2 "Doğrudan Tor ağına bağlanmak istiyorum"> -<!ENTITY torSettings.connectPrompt3 "Bu çoğu durumlarda çalışır."> -<!ENTITY torSettings.connect "Bağlan"> - -<!ENTITY torSettings.proxyQuestion "Bu bilgisayarın İnternete erişirken bir vekil kullanması gerekiyor mu?"> -<!-- see https://www.torproject.org/docs/proxychain.html.en --> -<!ENTITY torSettings.proxyHelp "Eğer bu soruyu nasıl yanıtlayacağınızdan emin değilseniz, farklı bir tarayıcıda İnternet seçeneklerine bakın ve bir vekil kullanmak üzere yapılandırılıp yapılandırılmadığına bakın"> -<!ENTITY torSettings.enterProxy "Vekil ayarlarını girin."> -<!ENTITY torSettings.firewallQuestion "Bu bilgisayarın İnternet bağlantısı, sadece belirli bağlantı noktalarına izin veren bir güvenlik duvarından geçiyor mu?"> -<!ENTITY torSettings.firewallHelp "Eğer bu soruya nasıl cevap vereceğinizden emin değilseniz, Hayır seçin. Eğer Tor ağına bağlanırken sorunla karşılaşırsanız, bu ayarı değiştirin."> -<!ENTITY torSettings.enterFirewall "Güvenlik duvarı tarafından izin verilen bağlantı noktalarının virgülle ayrılmış bir listesini girin."> -<!ENTITY torSettings.bridgeQuestion "İnternet Servis Sağlayıcınızı (ISS) engellesin veya ayrıcaTor Bağlantınızı sansürlesin mi?"> -<!ENTITY torSettings.bridgeHelp "Bu soruyu nasıl cevaplayacağınızdan emin değilseniz Hayır 'ı Secin.  Eğer Evet'i seçerseniz, Tor Ağ bağlantıları engellemek için, daha zor hale getirilip listelenmeyen aktarmalar için Tor Köprülerini yapılandırmanız istenecektir."> -<!ENTITY torSettings.bridgeSettingsPrompt "Sağlanan köprülerin kümesini kullanabilirsiniz veya özel bir köprü seti girebilir veya sağlayabilirsiniz."> - -<!-- Other: --> - -<!ENTITY torsettings.startingTor "Tor'un başlaması bekleniyor..."> -<!ENTITY torsettings.restart "Yeniden Başlat"> - -<!ENTITY torsettings.optional "İsteğe Bağlı"> - -<!ENTITY torsettings.useProxy.checkbox "Bu bilgisayarın İnternet'e erişebilmek için bir vekil sunucu kullanması gerekiyor"> -<!ENTITY torsettings.useProxy.type "Vekil Sunucu Türü:"> -<!ENTITY torsettings.useProxy.address "Adres:"> -<!ENTITY torsettings.useProxy.address.placeholder "IP adresi veya sunucu adı"> -<!ENTITY torsettings.useProxy.port "Port:"> -<!ENTITY torsettings.useProxy.username "Kullanıcı adı:"> -<!ENTITY torsettings.useProxy.password "Parola:"> -<!ENTITY torsettings.useProxy.type.socks4 "SOCKS 4"> -<!ENTITY torsettings.useProxy.type.socks5 "SOCKS 5"> -<!ENTITY torsettings.useProxy.type.http "HTTP / HTTPS"> -<!ENTITY torsettings.firewall.checkbox "Bu bilgisayar, sadece belirli bağlantı noktalarına izin veren bir güvenlik duvarı ile bağlanıyor"> -<!ENTITY torsettings.firewall.allowedPorts "İzin verilen portlar:"> -<!ENTITY torsettings.useBridges.checkbox "İnternet Servis Sağlayıcım (İSS) Tor Ağı ile bağlantılarımı engelliyor"> -<!ENTITY torsettings.useBridges.default "Sağlanan köprüler ile bağlan"> -<!ENTITY torsettings.useBridges.type "Taşıma türü:"> -<!ENTITY torsettings.useBridges.custom "Özel köprüler girin"> -<!ENTITY torsettings.useBridges.label "Bir veya daha fazla köprü aynası girin (her satıra bir tane)."> -<!ENTITY torsettings.useBridges.placeholder "adresi yazın:port"> - -<!ENTITY torsettings.copyLog "Tor Günlüğünü Panoya Kopyala"> -<!ENTITY torsettings.bridgeHelpTitle "Köprü Ayna Yardımı"> -<!ENTITY torsettings.bridgeHelp1 "Tor ağına bağlanamıyorsanız, nedeni kullandığınız İnternet Servis Sağlayıcısı (ISS) veya başka bir kurum Tor'u engelliyor olabilir.  Çoğunlukla bu problemi Tor köprüleri ile çözebilirisiniz bunlar engellenmesi daha zor olan listede olmayan aktarma noktalarıdır"> -<!ENTITY torsettings.bridgeHelp1B "Önceden yapılandırılan sağlanan köprü adresleri setini kullanabilirsiniz veya bu üç yöntemden birini kullanarak adres kümesinden özel bir set sağlayabilirsiniz:"> -<!ENTITY torsettings.bridgeHelp2Heading "Web aracılığıyla."> -<!ENTITY torsettings.bridgeHelp2 "https://bridges.torproject.org sitesini ziyaret etmek için web tarayıcısı kullanın."> -<!ENTITY torsettings.bridgeHelp3Heading "Eposta otomatik cevaplandırıcı aracılığıyla."> -<!ENTITY torsettings.bridgeHelp3 "bridges@torproject.org adresine, iletide sadece 'get bridges' satırını yazarak bir e-posta gönderin.  Ancak, bir saldırganın çok sayıda köprü adresi öğrenmesini zorlaştırmak için bu epostayı gmail.com veya yahoo.com adreslerinden yollamanız gerekmektedir."> -<!ENTITY torsettings.bridgeHelp4Heading "Help Desk aracılığıyla."> -<!ENTITY torsettings.bridgeHelp4 "Son bir çare olarak köprü adres taleplerini help@rt.torproject.org adresine posta göndererek rica edebilirsiniz.  Birisinin bu talebi cevaplayacağını unutmayın."> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/tr/progress.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/tr/progress.dtd deleted file mode 100644 index c61e5ace34419efc847a3ea3978a1d8ab0ce35f6..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/tr/progress.dtd +++ /dev/null @@ -1,4 +0,0 @@ -<!ENTITY torprogress.dialog.title "Tor Durumu"> -<!ENTITY torprogress.openSettings "Ayarları Aç"> -<!ENTITY torprogress.heading "Tor ağına bağlanıyor"> -<!ENTITY torprogress.pleaseWait "Biz Tor şebekesi ile bağlantı kurana lütfen bekleyin."> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/tr/torlauncher.properties b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/tr/torlauncher.properties deleted file mode 100644 index 1a0226b0f9ea4cc16908446467b8d7fce66cf8f2..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/tr/torlauncher.properties +++ /dev/null @@ -1,58 +0,0 @@ -### Copyright (c) 2014, The Tor Project, Inc. -### See LICENSE for licensing information. - -torlauncher.error_title=Tor Başlatıcı - -torlauncher.tor_exited=Tor beklenmedik bir şekilde kapandı. -torlauncher.please_restart_app=Lütfen bu uygulamayı yeniden başlatın. -torlauncher.tor_controlconn_failed=Tor yönetim portuna bağlanılamadı. -torlauncher.tor_failed_to_start=Tor başlatılamadı. -torlauncher.tor_control_failed=Tor'u kontrol altına alma başarısız -torlauncher.tor_bootstrap_failed=Tor'un ağ bağlantısı kurulumu başarısız oldu. -torlauncher.tor_bootstrap_failed_details=%1$S başarısız oldu (%2$S). - -torlauncher.unable_to_start_tor=Tor başlatılamıyor.\n\n%S -torlauncher.tor_missing=Çalıştırılabilir Tor dosyası bulunamadı. -torlauncher.torrc_missing=torrc dosyası kayıp. -torlauncher.datadir_missing=Tor veri klasörü bulunamadı. -torlauncher.password_hash_missing=Hash'lenmiş şifreye ulaşılamadı. - -torlauncher.failed_to_get_settings=Tor ayarlarına ulaşılamıyor.\n\n%S -torlauncher.failed_to_save_settings=Tor ayarları kaydedilemiyor.\n\n%S -torlauncher.ensure_tor_is_running=Lütfen Tor'un çalıştığından emin olun. - -torlauncher.error_proxy_addr_missing=İnternet bağlanırken proxy kullanmak için IP adresi veya Sunucu ve port numarası girmeniz gerekiyor. -torlauncher.error_proxy_type_missing=Vekil sunucu türünü seçmelisiniz. -torlauncher.error_bridges_missing=Bir ya da daha fazla köprü belirtmelisiniz. -torlauncher.error_default_bridges_type_missing=Sağlanan köprüler için bir taşıma türü seçmelisiniz. -torlauncher.error_bridge_bad_default_type=%S taşıma türü için sağlanan kullanılabilir köprüler yok. Ayarlarınızı lütfen ayarlayın. - -torlauncher.recommended_bridge=(önerilen) - -torlauncher.connect=Bağlan -torlauncher.quit=Çık -torlauncher.quit_win=Çıkış -torlauncher.done=Tamamlandı - -torlauncher.forAssistance=Yardım için %S ile bağlantıya geçin. - -torlauncher.bootstrapStatus.conn_dir=Aktarım klasörüne bağlanıyor -torlauncher.bootstrapStatus.handshake_dir=Şifrelenmiş dizin bağlantısı kuruluyor -torlauncher.bootstrapStatus.requesting_status=Ağ durumu güncelliyor -torlauncher.bootstrapStatus.loading_status=Ağ yükleniyor -torlauncher.bootstrapStatus.loading_keys=Doğrulama sertifikalarını yüklüyor -torlauncher.bootstrapStatus.requesting_descriptors=Ayna bilgisi isteniyor -torlauncher.bootstrapStatus.loading_descriptors=Ayna bilgisi yükleniyor -torlauncher.bootstrapStatus.conn_or=Tor ağına bağlanıyor -torlauncher.bootstrapStatus.handshake_or=Tor ağına bağlantı sağlanıyor -torlauncher.bootstrapStatus.done=Tor ağına bağlandı! - -torlauncher.bootstrapWarning.done=tamam -torlauncher.bootstrapWarning.connectrefused=Bağlantı red edildi -torlauncher.bootstrapWarning.misc=Diğer -torlauncher.bootstrapWarning.resourcelimit=Yetersiz kaynak -torlauncher.bootstrapWarning.identity=kimlik uyumsuz -torlauncher.bootstrapWarning.timeout=Zaman aşımı -torlauncher.bootstrapWarning.noroute=Yönlendirilecek sunucu yok -torlauncher.bootstrapWarning.ioerror=Okuma/yazma hatası -torlauncher.bootstrapWarning.pt_missing=takılabilir taşıma kayıp diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/vi/network-settings.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/vi/network-settings.dtd deleted file mode 100644 index a52ee40266c0191269aa1e34ea54213a1e76c27a..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/vi/network-settings.dtd +++ /dev/null @@ -1,64 +0,0 @@ -<!ENTITY torsettings.dialog.title "Cài đặt mạng Tor"> - -<!-- For "first run" wizard: --> - -<!ENTITY torsettings.prompt "Trước khi kết nối đến mạng lưới Tor, bạn cần phải cung cấp thông tin về kết nối Internet của máy tính này."> - -<!ENTITY torSettings.yes "Có"> -<!ENTITY torSettings.no "Không"> - -<!ENTITY torSettings.firstQuestion "Những mục này có miêu tả đúng vị trí của bạn không?"> -<!ENTITY torSettings.configurePrompt1 "This computer's Internet connection is censored, filtered, or proxied."> -<!ENTITY torSettings.configurePrompt2 "Tôi cần phải cấu hình cầu nối, tường lửa, hoặc thiết lập máy chủ uỷ quyền."> -<!ENTITY torSettings.configure "Cấu hình"> -<!ENTITY torSettings.connectPrompt2 "Tôi muốn kết nối trực tiếp đến mạng Tor,"> -<!ENTITY torSettings.connectPrompt3 "This will work in most situations."> -<!ENTITY torSettings.connect "Kết nối"> - -<!ENTITY torSettings.proxyQuestion "Máy tính này có cần dùng proxy để kết nối đến Internet?"> -<!-- see https://www.torproject.org/docs/proxychain.html.en --> -<!ENTITY torSettings.proxyHelp "If you are not sure how to answer this question, look at the Internet settings in another browser to see whether it is configured to use a proxy."> -<!ENTITY torSettings.enterProxy "Enter the proxy settings."> -<!ENTITY torSettings.firewallQuestion "Does this computer's Internet connection go through a firewall that only allows connections to certain ports?"> -<!ENTITY torSettings.firewallHelp "Nếu như bạn không chắc chắn làm thế nào trả lời câu hỏi này, chọn Không. Nếu như bạn gặp vấn đề kết nối đến mạng Tor, thay đổi thiết lập này."> -<!ENTITY torSettings.enterFirewall "Enter a comma-separated list of ports that are allowed by the firewall."> -<!ENTITY torSettings.bridgeQuestion "Nhà cung cấp dịch vụ (ISP) của bạn có ngăn chặn hoặc kiểm duyệt kết nối đến mạng Tor không?"> -<!ENTITY torSettings.bridgeHelp "If you are not sure how to answer this question, choose No.  If you choose Yes, you will be asked to configure Tor Bridges, which are unlisted relays that make it more difficult to block connections to the Tor Network."> -<!ENTITY torSettings.bridgeSettingsPrompt "You may use the provided set of bridges or you may obtain and enter a custom set of bridges."> - -<!-- Other: --> - -<!ENTITY torsettings.startingTor "Chờ đợi để Tor khởi động.."> -<!ENTITY torsettings.restart "Khởi động lại"> - -<!ENTITY torsettings.optional "Tuỳ chọn"> - -<!ENTITY torsettings.useProxy.checkbox "Máy chủ này cần phải dùng proxy để truy cập Internet"> -<!ENTITY torsettings.useProxy.type "Dạng proxy:"> -<!ENTITY torsettings.useProxy.address "Địa chỉ:"> -<!ENTITY torsettings.useProxy.address.placeholder "Địa chỉ IP hoặc hostname"> -<!ENTITY torsettings.useProxy.port "Cổng:"> -<!ENTITY torsettings.useProxy.username "Tên đăng nhập:"> -<!ENTITY torsettings.useProxy.password "Mật khẩu:"> -<!ENTITY torsettings.useProxy.type.socks4 "SOCK 4"> -<!ENTITY torsettings.useProxy.type.socks5 "SOCK 5"> -<!ENTITY torsettings.useProxy.type.http "HTTP / HTTPS"> -<!ENTITY torsettings.firewall.checkbox "This computer goes through a firewall that only allows connections to certain ports"> -<!ENTITY torsettings.firewall.allowedPorts "Những Cổng Được phép:"> -<!ENTITY torsettings.useBridges.checkbox "Nhà cung cấp dịch vụ của tôi (ISP) đã chặn kết nối đến mạng Tor"> -<!ENTITY torsettings.useBridges.default "Connect with provided bridges"> -<!ENTITY torsettings.useBridges.type "Transport type:"> -<!ENTITY torsettings.useBridges.custom "Enter custom bridges"> -<!ENTITY torsettings.useBridges.label "Enter one or more bridge relays (one per line)."> -<!ENTITY torsettings.useBridges.placeholder "type address:port"> - -<!ENTITY torsettings.copyLog "Copy Tor Log To Clipboard"> -<!ENTITY torsettings.bridgeHelpTitle "Bridge Relay Help"> -<!ENTITY torsettings.bridgeHelp1 "Nếu như bạn không thể kết nối đến mạng Tor, có thể là nhà cung cấp dịch vụ của bạn (ISP) hoặc cơ quan khác đã chặn kết nối đến Tor. Thông thường, bạn có thể giải quyết vấn này bằng cách sử dụng Tor Bridges, các Tor Bridges này sẽ không được liệt kê để làm cho việc ngăn chặn khó khăn hơn."> -<!ENTITY torsettings.bridgeHelp1B "You may use the preconfigured, provided set of bridge addresses or you may obtain a custom set of addresses by using one of these three methods:"> -<!ENTITY torsettings.bridgeHelp2Heading "Đi qua Web"> -<!ENTITY torsettings.bridgeHelp2 "Sử dụng trình duyệt web truy cập vào https://bridges.torproject.org"> -<!ENTITY torsettings.bridgeHelp3Heading "Through the Email Autoresponder"> -<!ENTITY torsettings.bridgeHelp3 "Gửi email đến bridges@torproject.org với dòng get bridges trong phần thân của email. Tuy nhiên, để làm cho kẻ tấn công khó khăn hơn trong việc biết được địa chỉ cầu nối, bạn phải gửi yêu cầu này từ email của yahoo.com hoặc gmail.com."> -<!ENTITY torsettings.bridgeHelp4Heading "Through the Help Desk"> -<!ENTITY torsettings.bridgeHelp4 "As a last resort, you can request bridge addresses by sending a polite email message to help@rt.torproject.org.  Please note that a person will need to respond to each request."> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/vi/progress.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/vi/progress.dtd deleted file mode 100644 index 507803b6999576f32b58e209dc4335064acc6321..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/vi/progress.dtd +++ /dev/null @@ -1,4 +0,0 @@ -<!ENTITY torprogress.dialog.title "Trạng thái Tor"> -<!ENTITY torprogress.openSettings "Cài đặt Mở"> -<!ENTITY torprogress.heading "Kết nối với mạng Tor"> -<!ENTITY torprogress.pleaseWait "Vui lòng chờ đợi để chúng tôi kết nối đến mạng lưới Tor."> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/vi/torlauncher.properties b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/vi/torlauncher.properties deleted file mode 100644 index e70b4c140bb88df76d4fed1e68b1c5d4760112ae..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/vi/torlauncher.properties +++ /dev/null @@ -1,58 +0,0 @@ -### Copyright (c) 2014, The Tor Project, Inc. -### See LICENSE for licensing information. - -torlauncher.error_title=Tor Launcher - -torlauncher.tor_exited=Tor unexpectedly exited. -torlauncher.please_restart_app=Vui lòng khởi động lại ứng dụng này. -torlauncher.tor_controlconn_failed=Could not connect to Tor control port. -torlauncher.tor_failed_to_start=Chạy Tor thất bại. -torlauncher.tor_control_failed=Failed to take control of Tor. -torlauncher.tor_bootstrap_failed=Tor đã thất bại khi thiết lập kết nối đến mạng Tor -torlauncher.tor_bootstrap_failed_details=%1$S failed (%2$S). - -torlauncher.unable_to_start_tor=Unable to start Tor.\n\n%S -torlauncher.tor_missing=Tập tin thực thi của Tor bị thiếu. -torlauncher.torrc_missing=Thiếu tập tin torrc. -torlauncher.datadir_missing=Thư mục data trong Tor không tồn tại. -torlauncher.password_hash_missing=Failed to get hashed password. - -torlauncher.failed_to_get_settings=Không thể nhận được cài đặt Tor. -torlauncher.failed_to_save_settings=Không thể lưu lại các cài đặt của Tor. -torlauncher.ensure_tor_is_running=Hãy chắc chắn rằng Tor đang chạy. - -torlauncher.error_proxy_addr_missing=Bạn phải xác định cả hai một địa chỉ IP hay tên máy và số cổng để cấu hình Tor để sử dụng một proxy ủy quyền truy cập vào Liên mạng -torlauncher.error_proxy_type_missing=Bạn phải chọn kiểu proxy. -torlauncher.error_bridges_missing=Bạn phải chỉ dẫn một hoặc nhiều cầu nối. -torlauncher.error_default_bridges_type_missing=You must select a transport type for the provided bridges. -torlauncher.error_bridge_bad_default_type=No provided bridges that have the transport type %S are available. Please adjust your settings. - -torlauncher.recommended_bridge=(khuyên dùng) - -torlauncher.connect=Kết nối -torlauncher.quit=Thoát -torlauncher.quit_win=Thoát -torlauncher.done=Hoàn thành - -torlauncher.forAssistance=Để được trợ giúp, liên hệ %S - -torlauncher.bootstrapStatus.conn_dir=Kết nối vào một thư mục chuyển tiếp -torlauncher.bootstrapStatus.handshake_dir=Thành lập một kết nối thư mục được mã hóa -torlauncher.bootstrapStatus.requesting_status=Khôi phục trạng thái mạng -torlauncher.bootstrapStatus.loading_status=Nap tình trạng mạng -torlauncher.bootstrapStatus.loading_keys=Nạp giấy chứng nhận quyền -torlauncher.bootstrapStatus.requesting_descriptors=Yêu cầu thông tin tiếp sức -torlauncher.bootstrapStatus.loading_descriptors=Tải thông tin tiếp sức -torlauncher.bootstrapStatus.conn_or=Kết nối với mạng Tor -torlauncher.bootstrapStatus.handshake_or=Thành lập một mạch Tor -torlauncher.bootstrapStatus.done=Kết nối với mạng Tor! - -torlauncher.bootstrapWarning.done=làm xong -torlauncher.bootstrapWarning.connectrefused=kết nối từ chối -torlauncher.bootstrapWarning.misc=hỗn hợp -torlauncher.bootstrapWarning.resourcelimit=không đủ nguồn lực -torlauncher.bootstrapWarning.identity=nhận dạng không phù hợp -torlauncher.bootstrapWarning.timeout=kết nối timeout -torlauncher.bootstrapWarning.noroute=không có lộ trình để lưu trữ -torlauncher.bootstrapWarning.ioerror=lỗi đọc / ghi -torlauncher.bootstrapWarning.pt_missing=missing pluggable transport diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/zh-CN/network-settings.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/zh-CN/network-settings.dtd deleted file mode 100644 index 28b973d512476cbe40e8eecc6b0dcd76cc7fde73..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/zh-CN/network-settings.dtd +++ /dev/null @@ -1,64 +0,0 @@ -<!ENTITY torsettings.dialog.title "Tor 网络设置"> - -<!-- For "first run" wizard: --> - -<!ENTITY torsettings.prompt "在连接 Tor 网络之前,需提供相关的网络连接信息。"> - -<!ENTITY torSettings.yes "是"> -<!ENTITY torSettings.no "否"> - -<!ENTITY torSettings.firstQuestion "以下哪个描述与你的情况最为匹配?"> -<!ENTITY torSettings.configurePrompt1 "该计算机的网络连接受到审查或过滤,或者需要使用代理。"> -<!ENTITY torSettings.configurePrompt2 "我需要配置网桥、防火墙或者代理设置。"> -<!ENTITY torSettings.configure "配置"> -<!ENTITY torSettings.connectPrompt2 "我想要直接连接 Tor 网络。"> -<!ENTITY torSettings.connectPrompt3 "通常这种方式是有效的。"> -<!ENTITY torSettings.connect "连接"> - -<!ENTITY torSettings.proxyQuestion "该计算机是否需要通过代理访问互联网?"> -<!-- see https://www.torproject.org/docs/proxychain.html.en --> -<!ENTITY torSettings.proxyHelp "如果不知道如何回答该问题,请在其他浏览器中查看互联网设置,检查是否使用了代理。"> -<!ENTITY torSettings.enterProxy "输入代理设置。"> -<!ENTITY torSettings.firewallQuestion "该计算机的防火墙是否仅允许特定端口的互联网连接?"> -<!ENTITY torSettings.firewallHelp "如果不知道如何回答该问题,请选择否。如果连接 Tor 网络时出现问题,请更改该设置。"> -<!ENTITY torSettings.enterFirewall "请输入防火墙允许的端口,中间用逗号隔开。"> -<!ENTITY torSettings.bridgeQuestion "互联网服务提供商 (ISP) 是否对 Tor 网络连接进行了封锁或审查?"> -<!ENTITY torSettings.bridgeHelp "如果不理解该问题,请选择“否”。如果选择“是”,那么需要对 Tor 网桥进行配置。网桥指用于连接 Tor 网络的非公开网络中继,更难于封锁。"> -<!ENTITY torSettings.bridgeSettingsPrompt "可以使用集成的网桥,也可以获取网桥,以自定义方式手动输入。"> - -<!-- Other: --> - -<!ENTITY torsettings.startingTor "等待 Tor 启动..."> -<!ENTITY torsettings.restart "重新启动"> - -<!ENTITY torsettings.optional "可选"> - -<!ENTITY torsettings.useProxy.checkbox "该计算机需使用代理访问互联网。"> -<!ENTITY torsettings.useProxy.type "代理类型:"> -<!ENTITY torsettings.useProxy.address "地址:"> -<!ENTITY torsettings.useProxy.address.placeholder "IP 地址或主机名"> -<!ENTITY torsettings.useProxy.port "端口:"> -<!ENTITY torsettings.useProxy.username "用户名:"> -<!ENTITY torsettings.useProxy.password "密码:"> -<!ENTITY torsettings.useProxy.type.socks4 "SOCKS 4"> -<!ENTITY torsettings.useProxy.type.socks5 "SOCKS 5"> -<!ENTITY torsettings.useProxy.type.http "HTTP / HTTPS"> -<!ENTITY torsettings.firewall.checkbox "该计算机的防火墙仅允许特定端口的互联网连接"> -<!ENTITY torsettings.firewall.allowedPorts "允许的端口:"> -<!ENTITY torsettings.useBridges.checkbox "我的互联网服务提供商 (ISP) 封锁了 Tor 网络连接"> -<!ENTITY torsettings.useBridges.default "使用集成的网桥进行连接"> -<!ENTITY torsettings.useBridges.type "传输类型:"> -<!ENTITY torsettings.useBridges.custom "输入自定义网桥"> -<!ENTITY torsettings.useBridges.label "输入一个或多个网桥中继(一行一个)。"> -<!ENTITY torsettings.useBridges.placeholder "输入 地址:端口"> - -<!ENTITY torsettings.copyLog "请将 Tor 日志复制到剪贴板"> -<!ENTITY torsettings.bridgeHelpTitle "网桥中继帮助"> -<!ENTITY torsettings.bridgeHelp1 "如果 Tor 网络无法连接,可能是因为互联网服务提供商 (ISP) 或其他机构对 Tor 进行了封锁。通常,使用 Tor 网桥可以解决这种问题。网桥指未公开的网络中继,更难于封锁。"> -<!ENTITY torsettings.bridgeHelp1B "你可以使用本软件集成的一组网桥,也可以通过以下三种方法获取网桥。"> -<!ENTITY torsettings.bridgeHelp2Heading "网页方式"> -<!ENTITY torsettings.bridgeHelp2 "使用浏览器访问 https://bridges.torproject.org"> -<!ENTITY torsettings.bridgeHelp3Heading "电子邮件自动回复方式"> -<!ENTITY torsettings.bridgeHelp3 "发送电子邮件至 bridges@torproject.org,并且正文中需包含“get bridges” 2 个单词(如需获取 obfs3 网桥,请写“transport obfs3”)。由于为了防止封锁者获取大量网桥地址,你必须使用 gmail.com 或者 yahoo.com 的电子邮件地址发送这一请求。"> -<!ENTITY torsettings.bridgeHelp4Heading "联系客服方式"> -<!ENTITY torsettings.bridgeHelp4 "如果以上方式无法获取所需网桥,作为最后的网桥获取方式,你可以写一封礼貌的邮件发送到 help@rt.torproject.org(中文可发送至 help-zh@rt.torproject.org)。请注意,每封这种邮件都是人工响应。"> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/zh-CN/progress.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/zh-CN/progress.dtd deleted file mode 100644 index c0148127ab67bb092346b7124db73b151eb794cc..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/zh-CN/progress.dtd +++ /dev/null @@ -1,4 +0,0 @@ -<!ENTITY torprogress.dialog.title "Tor 状态"> -<!ENTITY torprogress.openSettings "打开设置"> -<!ENTITY torprogress.heading "正在连接 Tor 网络"> -<!ENTITY torprogress.pleaseWait "请等待建立Tor网络连接"> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/zh-CN/torlauncher.properties b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/zh-CN/torlauncher.properties deleted file mode 100644 index 1f17dbadb3880252b42daff84e00a9fb00d03a6d..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/zh-CN/torlauncher.properties +++ /dev/null @@ -1,58 +0,0 @@ -### Copyright (c) 2014, The Tor Project, Inc. -### See LICENSE for licensing information. - -torlauncher.error_title=Tor 启动器 - -torlauncher.tor_exited=Tor 意外退出。 -torlauncher.please_restart_app=请重启该应用程序。 -torlauncher.tor_controlconn_failed=无法连接 Tor 控制端口。 -torlauncher.tor_failed_to_start=Tor 无法启动。 -torlauncher.tor_control_failed=控制 Tor 失败。 -torlauncher.tor_bootstrap_failed=Tor 建立到 Tor 网络的连接失败。 -torlauncher.tor_bootstrap_failed_details=%1$S 失败 (%2$S)。 - -torlauncher.unable_to_start_tor=无法启动 Tor。\n\n%S -torlauncher.tor_missing=缺少 Tor 可执行文件。 -torlauncher.torrc_missing=缺少 torrc 文件。 -torlauncher.datadir_missing=Tor 数据目录不存在。 -torlauncher.password_hash_missing=无法获取哈希密码。 - -torlauncher.failed_to_get_settings=无法获取 Tor 设置。\n\n%S -torlauncher.failed_to_save_settings=无法保持 Tor 设置。\n\n%S -torlauncher.ensure_tor_is_running=请确保 Tor 正在运行。 - -torlauncher.error_proxy_addr_missing=为了将 Tor 配置为使用代理访问互联网,必须指定 IP 地址或主机名以及端口号。 -torlauncher.error_proxy_type_missing=必须选择代理类型。 -torlauncher.error_bridges_missing=必须指定一个或多个网桥。 -torlauncher.error_default_bridges_type_missing=您必须对提供的网桥选择传输类型。 -torlauncher.error_bridge_bad_default_type=没有提供传输类型为 %S 的可用网桥。请调整你的设置。 - -torlauncher.recommended_bridge=(推荐) - -torlauncher.connect=连接 -torlauncher.quit=退出 -torlauncher.quit_win=关闭 -torlauncher.done=完成 - -torlauncher.forAssistance=如需帮助,请联系 %S - -torlauncher.bootstrapStatus.conn_dir=正在连接中继目录 -torlauncher.bootstrapStatus.handshake_dir=正在建立加密的目录连接 -torlauncher.bootstrapStatus.requesting_status=正在接收网络状态 -torlauncher.bootstrapStatus.loading_status=正在载入网络状态 -torlauncher.bootstrapStatus.loading_keys=正在载入权威证书 -torlauncher.bootstrapStatus.requesting_descriptors=正在请求中继信息 -torlauncher.bootstrapStatus.loading_descriptors=正在载入中继信息 -torlauncher.bootstrapStatus.conn_or=正在连接 Tor 网络 -torlauncher.bootstrapStatus.handshake_or=正在建立 Tor 线路 -torlauncher.bootstrapStatus.done=Tor 网络已经连接! - -torlauncher.bootstrapWarning.done=完成 -torlauncher.bootstrapWarning.connectrefused=连接被拒绝 -torlauncher.bootstrapWarning.misc=杂项 -torlauncher.bootstrapWarning.resourcelimit=资源不够 -torlauncher.bootstrapWarning.identity=身份不一致 -torlauncher.bootstrapWarning.timeout=连接超时 -torlauncher.bootstrapWarning.noroute=没有可用链路 -torlauncher.bootstrapWarning.ioerror=读写错误 -torlauncher.bootstrapWarning.pt_missing=缺少 pluggable 传输类型网桥 diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/zh/network-settings.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/zh/network-settings.dtd deleted file mode 100644 index 899a543550e8863a0b7bb05a6109e50a953af63d..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/zh/network-settings.dtd +++ /dev/null @@ -1,59 +0,0 @@ -<!ENTITY torsettings.dialog.title "Tor Network Settings"> - -<!-- For "first run" wizard: --> - -<!ENTITY torsettings.prompt "Before the Tor Browser Bundle tries to connect to the Tor network, you need to provide information about this computer's Internet connection."> - -<!ENTITY torSettings.yes "Yes"> -<!ENTITY torSettings.no "No"> - -<!ENTITY torSettings.firstQuestion "Which of the following best describes your situation?"> -<!ENTITY torSettings.configurePrompt1 "This computer's Internet connection is censored, filtered, or proxied."> -<!ENTITY torSettings.configurePrompt2 "I need to configure bridge, firewall, or proxy settings."> -<!ENTITY torSettings.configure "Configure"> -<!ENTITY torSettings.connectPrompt2 "I would like to connect directly to the Tor network."> -<!ENTITY torSettings.connectPrompt3 "This will work in most situations."> -<!ENTITY torSettings.connect "Connect"> - -<!ENTITY torSettings.proxyQuestion "Does this computer need to use a proxy to access the Internet?"> -<!-- see https://www.torproject.org/docs/proxychain.html.en --> -<!ENTITY torSettings.proxyHelp "If you are not sure how to answer this question, look at the Internet settings in another browser to see whether it is configured to use a proxy."> -<!ENTITY torSettings.enterProxy "Enter the proxy settings."> -<!ENTITY torSettings.firewallQuestion "Does this computer's Internet connection go through a firewall that only allows connections to certain ports?"> -<!ENTITY torSettings.firewallHelp "If you are not sure how to answer this question, choose No. If you encounter problems connecting to the Tor network, change this setting."> -<!ENTITY torSettings.enterFirewall "Enter a comma-separated list of ports that are allowed by the firewall."> -<!ENTITY torSettings.bridgeQuestion "If this computer's Internet connection is censored, you will need to obtain and use bridge relays.  If not, just click Connect."> - -<!-- Other: --> - -<!ENTITY torsettings.startingTor "Waiting for Tor to start…"> -<!ENTITY torsettings.restart "Restart"> - -<!ENTITY torsettings.optional "Optional"> - -<!ENTITY torsettings.useProxy.checkbox "This computer needs to use a proxy to access the Internet"> -<!ENTITY torsettings.useProxy.type "Proxy Type:"> -<!ENTITY torsettings.useProxy.address "Address:"> -<!ENTITY torsettings.useProxy.address.placeholder "IP address or hostname"> -<!ENTITY torsettings.useProxy.port "Port:"> -<!ENTITY torsettings.useProxy.username "Username:"> -<!ENTITY torsettings.useProxy.password "Password:"> -<!ENTITY torsettings.useProxy.type.socks4 "SOCKS 4"> -<!ENTITY torsettings.useProxy.type.socks5 "SOCKS 5"> -<!ENTITY torsettings.useProxy.type.http "HTTP / HTTPS"> -<!ENTITY torsettings.firewall.checkbox "This computer goes through a firewall that only allows connections to certain ports"> -<!ENTITY torsettings.firewall.allowedPorts "Allowed Ports:"> -<!ENTITY torsettings.useBridges.checkbox "My Internet Service Provider (ISP) blocks connections to the Tor network"> -<!ENTITY torsettings.useBridges.label "Enter one or more bridge relays (one per line)."> -<!ENTITY torsettings.useBridges.placeholder "address:port OR transport address:port"> - -<!ENTITY torsettings.copyLog "Copy Tor Log To Clipboard"> -<!ENTITY torsettings.bridgeHelpTitle "Bridge Relay Help"> -<!ENTITY torsettings.bridgeHelp1 "If you are unable to connect to the Tor network, it could be that your Internet Service Provider (ISP) or another agency is blocking Tor.  Often, you can work around this problem by using Tor Bridges, which are unlisted relays that are more difficult to block."> -<!ENTITY torsettings.bridgeHelp1B "Here are three ways to obtain bridge addresses:"> -<!ENTITY torsettings.bridgeHelp2Heading "Through the Web"> -<!ENTITY torsettings.bridgeHelp2 "Use a web browser to visit https://bridges.torproject.org"> -<!ENTITY torsettings.bridgeHelp3Heading "Through the Email Autoresponder"> -<!ENTITY torsettings.bridgeHelp3 "Send email to bridges@torproject.org with the line 'get bridges' by itself in the body of the message.  However, to make it harder for an attacker to learn a lot of bridge addresses, you must send this request from a gmail.com or yahoo.com email address."> -<!ENTITY torsettings.bridgeHelp4Heading "Through the Help Desk"> -<!ENTITY torsettings.bridgeHelp4 "As a last resort, you can request bridge addresses by sending a polite email message to help@rt.torproject.org.  Please note that a person will need to respond to each request."> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/zh/progress.dtd b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/zh/progress.dtd deleted file mode 100644 index 16491f980c1379486ccc891550893157dc3687e3..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/zh/progress.dtd +++ /dev/null @@ -1,4 +0,0 @@ -<!ENTITY torprogress.dialog.title "Tor Status"> -<!ENTITY torprogress.openSettings "Open Settings"> -<!ENTITY torprogress.heading "Connecting to the Tor network"> -<!ENTITY torprogress.pleaseWait "The Tor Browser will open after a Tor network connection is established."> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/zh/torlauncher.properties b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/zh/torlauncher.properties deleted file mode 100644 index d82d68809cfb4b48a1d36cde369b1483291f98da..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/locale/zh/torlauncher.properties +++ /dev/null @@ -1,52 +0,0 @@ -### Copyright (c) 2014, The Tor Project, Inc. -### See LICENSE for licensing information. - -# torlauncher.error_title=Tor Launcher - -# torlauncher.tor_exited=Tor unexpectedly exited. -# torlauncher.please_restart_app=Please restart this application. -# torlauncher.tor_controlconn_failed=Could not connect to Tor control port. -# torlauncher.tor_failed_to_start=Tor failed to start. -# torlauncher.tor_bootstrap_failed=Tor failed to establish a Tor network connection. -# torlauncher.tor_bootstrap_failed_details=%1$S failed (%2$S). - -# torlauncher.unable_to_start_tor=Unable to start Tor.\n\n%S -# torlauncher.tor_missing=The Tor executable is missing. -# torlauncher.torrc_missing=The torrc file is missing. -# torlauncher.datadir_missing=The Tor data directory does not exist. -# torlauncher.password_hash_missing=Failed to get hashed password. - -# torlauncher.failed_to_get_settings=Unable to retrieve Tor settings.\n\n%S -# torlauncher.failed_to_save_settings=Unable to save Tor settings.\n\n%S -# torlauncher.ensure_tor_is_running=Please ensure that Tor is running. - -# torlauncher.error_proxy_addr_missing=You must specify both an IP address or hostname and a port number to configure Tor to use a proxy to access the Internet. -# torlauncher.error_proxy_type_missing=You must select the proxy type. -# torlauncher.error_bridges_missing=You must specify one or more bridges. - -# torlauncher.connect=Connect -# torlauncher.quit=Quit -# torlauncher.quit_win=Exit -# torlauncher.done=Done - -# torlauncher.forAssistance=For assistance, contact %S - -# torlauncher.bootstrapStatus.conn_dir=Connecting to a relay directory -# torlauncher.bootstrapStatus.handshake_dir=Establishing an encrypted directory connection -# torlauncher.bootstrapStatus.requesting_status=Retrieving network status -# torlauncher.bootstrapStatus.loading_status=Loading network status -# torlauncher.bootstrapStatus.loading_keys=Loading authority certificates -# torlauncher.bootstrapStatus.requesting_descriptors=Requesting relay information -# torlauncher.bootstrapStatus.loading_descriptors=Loading relay information -# torlauncher.bootstrapStatus.conn_or=Connecting to the Tor network -# torlauncher.bootstrapStatus.handshake_or=Establishing a Tor circuit -# torlauncher.bootstrapStatus.done=Connected to the Tor network! - -# torlauncher.bootstrapWarning.done=done -# torlauncher.bootstrapWarning.connectrefused=connection refused -# torlauncher.bootstrapWarning.misc=miscellaneous -# torlauncher.bootstrapWarning.resourcelimit=insufficient resources -# torlauncher.bootstrapWarning.identity=identity mismatch -# torlauncher.bootstrapWarning.timeout=connection timeout -# torlauncher.bootstrapWarning.noroute=no route to host -# torlauncher.bootstrapWarning.ioerror=read/write error diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/skin/default48.png b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/skin/default48.png deleted file mode 100644 index 5f445aea1a19355abdfc0c8fec9b70679b598f72..0000000000000000000000000000000000000000 Binary files a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/skin/default48.png and /dev/null differ diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/skin/network-settings.css b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/skin/network-settings.css deleted file mode 100644 index b1f7f92c3d267d5a7e34719133e823251ed8605b..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/skin/network-settings.css +++ /dev/null @@ -1,167 +0,0 @@ -/* - * Copyright (c) 2014, The Tor Project, Inc. - * See LICENSE for licensing information. - * - * vim: set sw=2 sts=2 ts=8 et syntax=css: - */ - -dialog { - width: 45em; - height: 41em; - font: -moz-dialog; -} - -dialog.os-windows { - width: 49em; - height: 42em; -} - -wizard { - width: 43em; - height: 34em; - font: -moz-dialog; - padding-top: 0px; -} - -wizard.os-windows { - width: 45em; - height: 39em; -} - -.wizard-page-box { - padding: 0px; - margin: 14px 20px 18px 20px; -} - -wizard .wizard-header { display: none; } - -#forAssistance { - margin-left: 12px; - margin-bottom: 6px; - -moz-user-select: text; - -moz-user-focus: normal; - cursor: text; -} - -wizard label { - margin: 0px; -} - -wizard radiogroup { - margin: 5px 0px 8px 25px; -} - -.tbb-header groupbox { - margin-left: 0px; - margin-top: 0px; - margin-bottom: 0px; -} - -.firstResponses button { - min-width: 85px; - margin-top: 9px; -} - -separator.tall { - height: 2.1em; -} - -.help .heading, -.question { - font-weight: bold; -} - -.questionHelp { - margin-right: 20px; -} - -.instructions { - margin-bottom: 8px; -} - -button.firstAnswer { - margin-top: 0px; -} - -.tbb-logo-box { - height: 80px; -} - -.tbb-logo { - list-style-image: url("chrome://torlauncher/skin/tbb-logo.png"); - width: 198px; - height: 70px; -} - -#bridgeCustomEntry { - margin-left: 30px; -} - -#startingTor { - min-height: 300px; -} - -wizardpage[pageid="startingTor"] description, -#startingTor description { - font-size: 120%; - font-weight: bold; - white-space: pre-wrap; -} - -#restartButton { - margin-top: 20px; -} - -dialog .help { - margin: 30px; -} - -.help label { - font-size: 120%; - font-weight: bold; - margin: 0px 0px 12px 0px; -} - -.help div { - -moz-user-select: text; - -moz-user-focus: normal; -} - -.help description { - margin-bottom: 10px; - -moz-user-select: text; - -moz-user-focus: normal; - cursor: text; -} - -.help description.prelist { - margin-bottom: 0px; -} - -.help ol { - padding-top: 0px; - margin-top: 5px; - margin-bottom: 0px; -} - -.help li { - margin-bottom: 8px; -} - -/* Increase font size on Windows for readability */ -.os-windows div, -.os-windows label, -.os-windows description, -.os-windows textbox -{ - font-size: 120%; -} - -.torWarning { - list-style-image: url("chrome://torlauncher/skin/warning.png"); -} - -/* Ensure that our caution icon is always shown on GTK-based platforms. */ -.torWarning .button-icon { - display: inline !important; -} diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/skin/progress.css b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/skin/progress.css deleted file mode 100644 index 711a6799e43c8b4e3610e2275755760bbd8296ae..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/skin/progress.css +++ /dev/null @@ -1,44 +0,0 @@ -/* - * Copyright (c) 2013, The Tor Project, Inc. - * See LICENSE for licensing information. - * - * vim: set sw=2 sts=2 ts=8 et syntax=css: - */ - -dialog { - width: 370px; -} - -#progressHeading { - font-size: 110%; - margin: 8px 0px 8px 0px; - font-weight: bold; -} - -#progressPleaseWait { - font-size: 110%; - margin-bottom: 15px; -} - -#tbb-icon { - list-style-image: url("chrome://torlauncher/skin/default48.png"); - width: 48px; - height: 48px; -} - -#progressDesc { - height: 32px; -} - -#progressMeter { - margin-bottom: 16px; -} - -.torWarning { - list-style-image: url("chrome://torlauncher/skin/warning.png"); -} - -/* Ensure that our caution icon is always shown on GTK-based platforms. */ -.torWarning .button-icon { - display: inline !important; -} diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/skin/tbb-logo.png b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/skin/tbb-logo.png deleted file mode 100644 index d6744aeeb47aaaecb77744d44db42796a2ddbc59..0000000000000000000000000000000000000000 Binary files a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/skin/tbb-logo.png and /dev/null differ diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/skin/warning.png b/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/skin/warning.png deleted file mode 100644 index da90d1ae0a1a35b55f516384b720f205b5d79cf6..0000000000000000000000000000000000000000 Binary files a/config/chroot_local-includes/usr/share/tor-launcher-standalone/chrome/skin/warning.png and /dev/null differ diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/components/tl-process.js b/config/chroot_local-includes/usr/share/tor-launcher-standalone/components/tl-process.js deleted file mode 100644 index 2efea9964b8405f8372a3ebb74aa8957ddb25993..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/components/tl-process.js +++ /dev/null @@ -1,767 +0,0 @@ -// Copyright (c) 2014, The Tor Project, Inc. -// See LICENSE for licensing information. -// -// vim: set sw=2 sts=2 ts=8 et syntax=javascript: - -const Cc = Components.classes; -const Ci = Components.interfaces; -const Cr = Components.results; -const Cu = Components.utils; - -// ctypes can be disabled at build time -try { Cu.import("resource://gre/modules/ctypes.jsm"); } catch(e) {} -Cu.import("resource://gre/modules/XPCOMUtils.jsm"); - -XPCOMUtils.defineLazyModuleGetter(this, "TorLauncherUtil", - "resource://torlauncher/modules/tl-util.jsm"); -XPCOMUtils.defineLazyModuleGetter(this, "TorLauncherLogger", - "resource://torlauncher/modules/tl-logger.jsm"); - -function TorProcessService() -{ - this.wrappedJSObject = this; - this.mProtocolSvc = Cc["@torproject.org/torlauncher-protocol-service;1"] - .getService(Ci.nsISupports).wrappedJSObject; -} - - -TorProcessService.prototype = -{ - kContractID : "@torproject.org/torlauncher-process-service;1", - kServiceName : "Tor Launcher Process Service", - kClassID: Components.ID("{FE7B4CAF-BCF4-4848-8BFF-EFA66C9AFDA1}"), - kThunderbirdID: "{3550f703-e582-4d05-9a08-453d09bdfdc6}", - kInstantbirdID: "{33cb9019-c295-46dd-be21-8c4936574bee}", - kTorLauncherExtPath: "tor-launcher@torproject.org", // This could vary. - - kPrefPromptAtStartup: "extensions.torlauncher.prompt_at_startup", - kPrefDefaultBridgeType: "extensions.torlauncher.default_bridge_type", - - kInitialControlConnDelayMS: 25, - kMaxControlConnRetryMS: 500, - kControlConnTimeoutMS: 30000, // Wait at most 30 seconds for tor to start. - - kStatusUnknown: 0, // Tor process status. - kStatusStarting: 1, - kStatusRunning: 2, - kStatusExited: 3, // Exited or failed to start. - - kDefaultBridgesStatus_NotInUse: 0, - kDefaultBridgesStatus_InUse: 1, - kDefaultBridgesStatus_BadConfig: 2, - - // nsISupports implementation. - QueryInterface: function(aIID) - { - if (!aIID.equals(Ci.nsISupports) && - !aIID.equals(Ci.nsIFactory) && - !aIID.equals(Ci.nsIObserver) && - !aIID.equals(Ci.nsIClassInfo)) - { - throw Cr.NS_ERROR_NO_INTERFACE; - } - - return this; - }, - - // nsIFactory implementation. - createInstance: function(aOuter, aIID) - { - if (null != aOuter) - throw Cr.NS_ERROR_NO_AGGREGATION; - - return this.QueryInterface(aIID); - }, - - lockFactory: function(aDoLock) {}, - - // nsIObserver implementation. - observe: function(aSubject, aTopic, aParam) - { - const kOpenNetworkSettingsTopic = "TorOpenNetworkSettings"; - const kUserQuitTopic = "TorUserRequestedQuit"; - const kBootstrapStatusTopic = "TorBootstrapStatus"; - - if (!this.mObsSvc) - { - this.mObsSvc = Cc["@mozilla.org/observer-service;1"] - .getService(Ci.nsIObserverService); - } - - if ("profile-after-change" == aTopic) - { - this.mObsSvc.addObserver(this, "quit-application-granted", false); - this.mObsSvc.addObserver(this, kOpenNetworkSettingsTopic, false); - this.mObsSvc.addObserver(this, kUserQuitTopic, false); - this.mObsSvc.addObserver(this, kBootstrapStatusTopic, false); - - if (TorLauncherUtil.shouldOnlyConfigureTor) - { - this._controlTor(); - } - else if (TorLauncherUtil.shouldStartAndOwnTor) - { - this._startTor(); - this._controlTor(); - } - } - else if ("quit-application-granted" == aTopic) - { - this.mIsQuitting = true; - this.mObsSvc.removeObserver(this, "quit-application-granted"); - this.mObsSvc.removeObserver(this, kOpenNetworkSettingsTopic); - this.mObsSvc.removeObserver(this, kUserQuitTopic); - this.mObsSvc.removeObserver(this, kBootstrapStatusTopic); - if (this.mTorProcess) - { - // We now rely on the TAKEOWNERSHIP feature to shut down tor when we - // close the control port connection. - // - // Previously, we sent a SIGNAL HALT command to the tor control port, - // but that caused hangs upon exit in the Firefox 24.x based browser. - // Apparently, Firefox does not like to process socket I/O while - // quitting if the browser did not finish starting up (e.g., when - // someone presses the Quit button on our Network Settings or progress - // window during startup). - TorLauncherLogger.log(4, "Disconnecting from tor process (pid " - + this.mTorProcess.pid + ")"); - this.mProtocolSvc.TorCleanupConnection(); - - this.mTorProcess = null; - } - } - else if (("process-failed" == aTopic) || ("process-finished" == aTopic)) - { - if (this.mControlConnTimer) - { - this.mControlConnTimer.cancel(); - this.mControlConnTimer = null; - } - - this.mTorProcess = null; - this.mTorProcessStatus = this.kStatusExited; - - this.mObsSvc.notifyObservers(null, "TorProcessExited", null); - - if (!this.mIsQuitting) - { - var s = TorLauncherUtil.getLocalizedString("tor_exited"); - TorLauncherUtil.showAlert(null, s); - TorLauncherLogger.log(4, s); - } - } - else if ("timer-callback" == aTopic) - { - if (aSubject == this.mControlConnTimer) - { - var haveConnection = this.mProtocolSvc.TorHaveControlConnection(); - if (haveConnection) - { - this.mControlConnTimer = null; - this.mTorProcessStatus = this.kStatusRunning; - this.mProtocolSvc.TorStartEventMonitor(); - - this.mProtocolSvc.TorRetrieveBootstrapStatus(); - - if (this._defaultBridgesStatus == this.kDefaultBridgesStatus_InUse) - { - // We configure default bridges each time we start tor in case - // new default bridge preference values are available (e.g., due - // to a TBB update). - this._configureDefaultBridges(); - } - - this.mObsSvc.notifyObservers(null, "TorProcessIsReady", null); - } - else if ((Date.now() - this.mTorProcessStartTime) - > this.kControlConnTimeoutMS) - { - this.mObsSvc.notifyObservers(null, "TorProcessDidNotStart", null); - var s = TorLauncherUtil.getLocalizedString("tor_controlconn_failed"); - TorLauncherUtil.showAlert(null, s); - TorLauncherLogger.log(4, s); - } - else - { - this.mControlConnDelayMS *= 2; - if (this.mControlConnDelayMS > this.kMaxControlConnRetryMS) - this.mControlConnDelayMS = this.kMaxControlConnRetryMS; - this.mControlConnTimer = Cc["@mozilla.org/timer;1"] - .createInstance(Ci.nsITimer); - this.mControlConnTimer.init(this, this.mControlConnDelayMS, - this.mControlConnTimer .TYPE_ONE_SHOT); - } - } - } - else if (kBootstrapStatusTopic == aTopic) - this._processBootstrapStatus(aSubject.wrappedJSObject); - else if (kOpenNetworkSettingsTopic == aTopic) - this._openNetworkSettings(false); - else if (kUserQuitTopic == aTopic) - { - this.mQuitSoon = true; - this.mRestartWithQuit = ("restart" == aParam); - } - }, - - canUnload: function(aCompMgr) { return true; }, - - // nsIClassInfo implementation. - getInterfaces: function(aCount) - { - var iList = [ Ci.nsISupports, - Ci.nsIFactory, - Ci.nsIObserver, - Ci.nsIClassInfo ]; - aCount.value = iList.length; - return iList; - }, - - getHelperForLanguage: function (aLanguage) { return null; }, - - contractID: this.kContractID, - classDescription: this.kServiceName, - classID: this.kClassID, - implementationLanguage: Ci.nsIProgrammingLanguage.JAVASCRIPT, - flags: Ci.nsIClassInfo.DOM_OBJECT, - - // nsIFactory implementation. - createInstance: function (aOuter, aIID) - { - if (null != aOuter) - throw Cr.NS_ERROR_NO_AGGREGATION; - - return this.QueryInterface(aIID); - }, - - lockFactory: function (aDoLock) {}, - - - // Public Properties and Methods /////////////////////////////////////////// - get TorProcessStatus() - { - return this.mTorProcessStatus; - }, - - get TorIsBootstrapDone() - { - return this.mIsBootstrapDone; - }, - - get TorBootstrapErrorOccurred() - { - return this.mBootstrapErrorOccurred; - }, - - - TorClearBootstrapError: function() - { - this.mLastTorWarningPhase = null; - this.mLastTorWarningReason = null; - }, - - - // Private Member Variables //////////////////////////////////////////////// - mTorProcessStatus: 0, // kStatusUnknown - mIsBootstrapDone: false, - mBootstrapErrorOccurred: false, - mIsQuitting: false, - mObsSvc: null, - mProtocolSvc: null, - mTorProcess: null, // nsIProcess - mTorProcessStartTime: null, // JS Date.now() - mTorFileBaseDir: null, // nsIFile (cached) - mControlConnTimer: null, - mControlConnDelayMS: 0, - mQuitSoon: false, // Quit was requested by the user; do so soon. - mRestartWithQuit: false, - mLastTorWarningPhase: null, - mLastTorWarningReason: null, - - - // Private Methods ///////////////////////////////////////////////////////// - _startTor: function() - { - this.mTorProcessStatus = this.kStatusUnknown; - - try - { - // Ideally, we would cd to the Firefox application directory before - // starting tor (but we don't know how to do that). Instead, we - // rely on the TBB launcher to start Firefox from the right place. - var exeFile = this._getTorFile("tor"); - var torrcFile = this._getTorFile("torrc"); - var torrcDefaultsFile = this._getTorFile("torrc-defaults"); - var dataDir = this._getTorFile("tordatadir"); - var hashedPassword = this.mProtocolSvc.TorGetPassword(true); - - var detailsKey; - if (!exeFile) - detailsKey = "tor_missing"; - else if (!torrcFile) - detailsKey = "torrc_missing"; - else if (!dataDir) - detailsKey = "datadir_missing"; - else if (!hashedPassword) - detailsKey = "password_hash_missing"; - - if (detailsKey) - { - var details = TorLauncherUtil.getLocalizedString(detailsKey); - var key = "unable_to_start_tor"; - var err = TorLauncherUtil.getFormattedLocalizedString(key, - [details], 1); - TorLauncherUtil.showAlert(null, err); - return; - } - - var geoipFile = dataDir.clone(); - geoipFile.append("geoip"); - - var args = []; - if (torrcDefaultsFile) - { - args.push("--defaults-torrc"); - args.push(torrcDefaultsFile.path); - } - args.push("-f"); - args.push(torrcFile.path); - args.push("DataDirectory"); - args.push(dataDir.path); - args.push("GeoIPFile"); - args.push(geoipFile.path); - args.push("HashedControlPassword"); - args.push(hashedPassword); - - var pid = this._getpid(); - if (0 != pid) - { - args.push("__OwningControllerProcess"); - args.push("" + pid); - } - - // Start tor with networking disabled if first run or if the - // "Use Default Bridges of Type" option is turned on. Networking will - // be enabled after initial settings are chosen or after the default - // bridge settings have been configured. - var defaultBridgeType = - TorLauncherUtil.getCharPref(this.kPrefDefaultBridgeType); - var bridgeConfigIsBad = (this._defaultBridgesStatus == - this.kDefaultBridgesStatus_BadConfig); - if (bridgeConfigIsBad) - { - var key = "error_bridge_bad_default_type"; - var err = TorLauncherUtil.getFormattedLocalizedString(key, - [defaultBridgeType], 1); - TorLauncherUtil.showAlert(null, err); - } - - if (TorLauncherUtil.shouldShowNetworkSettings || defaultBridgeType) - { - args.push("DisableNetwork"); - args.push("1"); - } - - this.mTorProcessStatus = this.kStatusStarting; - - var p = Cc["@mozilla.org/process/util;1"].createInstance(Ci.nsIProcess); - p.init(exeFile); - - TorLauncherLogger.log(2, "Starting " + exeFile.path); - for (var i = 0; i < args.length; ++i) - TorLauncherLogger.log(2, " " + args[i]); - - p.runwAsync(args, args.length, this, false); - this.mTorProcess = p; - this.mTorProcessStartTime = Date.now(); - } - catch (e) - { - this.mTorProcessStatus = this.kStatusExited; - var s = TorLauncherUtil.getLocalizedString("tor_failed_to_start"); - TorLauncherUtil.showAlert(null, s); - TorLauncherLogger.safelog(4, "_startTor error: ", e); - } - }, // _startTor() - - - _controlTor: function() - { - try - { - this._monitorTorProcessStartup(); - - var bridgeConfigIsBad = (this._defaultBridgesStatus == - this.kDefaultBridgesStatus_BadConfig); - if (TorLauncherUtil.shouldShowNetworkSettings || bridgeConfigIsBad) - { - if (this.mProtocolSvc) - { - // Show network settings wizard. Blocks until dialog is closed. - var panelID = (bridgeConfigIsBad) ? "bridgeSettings" : undefined; - this._openNetworkSettings(true, panelID); - } - } - else - { - this._openProgressDialog(); - - // Assume that the "Open Settings" button was pressed if Quit was - // not pressed and bootstrapping did not finish. - if (!this.mQuitSoon && !this.TorIsBootstrapDone) - this._openNetworkSettings(true); - } - - // If the user pressed "Quit" within settings/progress, exit. - if (this.mQuitSoon) try - { - this.mQuitSoon = false; - - var asSvc = Cc["@mozilla.org/toolkit/app-startup;1"] - .getService(Ci.nsIAppStartup); - var flags = asSvc.eAttemptQuit; - if (this.mRestartWithQuit) - flags |= asSvc.eRestart; - asSvc.quit(flags); - } - catch (e) - { - TorLauncherLogger.safelog(4, "unable to quit browser", e); - } - } - catch (e) - { - this.mTorProcessStatus = this.kStatusExited; - var s = TorLauncherUtil.getLocalizedString("tor_control_failed"); - TorLauncherUtil.showAlert(null, s); - TorLauncherLogger.safelog(4, "_controlTor error: ", e); - } - }, // controlTor() - - _monitorTorProcessStartup: function() - { - this.mControlConnDelayMS = this.kInitialControlConnDelayMS; - this.mControlConnTimer = Cc["@mozilla.org/timer;1"] - .createInstance(Ci.nsITimer); - this.mControlConnTimer.init(this, this.mControlConnDelayMS, - this.mControlConnTimer.TYPE_ONE_SHOT); - }, - - _processBootstrapStatus: function(aStatusObj) - { - if (!aStatusObj) - return; - - if (100 == aStatusObj.PROGRESS) - { - this.mIsBootstrapDone = true; - this.mBootstrapErrorOccurred = false; - TorLauncherUtil.setBoolPref(this.kPrefPromptAtStartup, false); - } - else - { - this.mIsBootstrapDone = false; - - if (aStatusObj._errorOccurred) - { - this.mBootstrapErrorOccurred = true; - TorLauncherUtil.setBoolPref(this.kPrefPromptAtStartup, true); - var phase = TorLauncherUtil.getLocalizedBootstrapStatus(aStatusObj, - "TAG"); - var reason = TorLauncherUtil.getLocalizedBootstrapStatus(aStatusObj, - "REASON"); - var details = TorLauncherUtil.getFormattedLocalizedString( - "tor_bootstrap_failed_details", [phase, reason], 2); - TorLauncherLogger.log(5, "Tor bootstrap error: [" + aStatusObj.TAG + - "/" + aStatusObj.REASON + "] " + details); - - if ((aStatusObj.TAG != this.mLastTorWarningPhase) || - (aStatusObj.REASON != this.mLastTorWarningReason)) - { - this.mLastTorWarningPhase = aStatusObj.TAG; - this.mLastTorWarningReason = aStatusObj.REASON; - - var msg = TorLauncherUtil.getLocalizedString("tor_bootstrap_failed"); - TorLauncherUtil.showAlert(null, msg + "\n\n" + details); - - this.mObsSvc.notifyObservers(null, "TorBootstrapError", reason); - } - } - } - }, // _processBootstrapStatus() - - // Returns a kDefaultBridgesStatus value. - get _defaultBridgesStatus() - { - var defaultBridgeType = - TorLauncherUtil.getCharPref(this.kPrefDefaultBridgeType); - if (!defaultBridgeType) - return this.kDefaultBridgesStatus_NotInUse; - - var bridgeArray = TorLauncherUtil.defaultBridges; - if (!bridgeArray || (0 == bridgeArray.length)) - return this.kDefaultBridgesStatus_BadConfig; - - return this.kDefaultBridgesStatus_InUse; - }, - - _configureDefaultBridges: function() - { - var settings = {}; - var bridgeArray = TorLauncherUtil.defaultBridges; - var useBridges = (bridgeArray && (bridgeArray.length > 0)); - settings["UseBridges"] = useBridges; - settings["Bridge"] = bridgeArray; - var errObj = {}; - var didSucceed = this.mProtocolSvc.TorSetConfWithReply(settings, errObj); - - settings = {}; - settings["DisableNetwork"] = false; - if (!this.mProtocolSvc.TorSetConfWithReply(settings, - (didSucceed) ? errObj : null)) - { - didSucceed = false; - } - - if (didSucceed) - this.mProtocolSvc.TorSendCommand("SAVECONF"); - else - TorLauncherUtil.showSaveSettingsAlert(null, errObj.details); - }, - - // Blocks until network settings dialog is closed. - _openNetworkSettings: function(aIsInitialBootstrap, aStartAtWizardPanel) - { - const kSettingsURL = "chrome://torlauncher/content/network-settings.xul"; - const kWizardURL = "chrome://torlauncher/content/network-settings-wizard.xul"; - - var wwSvc = Cc["@mozilla.org/embedcomp/window-watcher;1"] - .getService(Ci.nsIWindowWatcher); - var winFeatures = "chrome,dialog=yes,modal,all"; - var argsArray = this._createOpenWindowArgsArray(aIsInitialBootstrap, - aStartAtWizardPanel); - var url = (aIsInitialBootstrap) ? kWizardURL : kSettingsURL; - wwSvc.openWindow(null, url, "_blank", winFeatures, argsArray); - }, - - _openProgressDialog: function() - { - var chromeURL = "chrome://torlauncher/content/progress.xul"; - var wwSvc = Cc["@mozilla.org/embedcomp/window-watcher;1"] - .getService(Ci.nsIWindowWatcher); - var winFeatures = "chrome,dialog=yes,modal,all"; - var argsArray = this._createOpenWindowArgsArray(true); - wwSvc.openWindow(null, chromeURL, "_blank", winFeatures, argsArray); - }, - - _createOpenWindowArgsArray: function(aArg1, aArg2) - { - var argsArray = Cc["@mozilla.org/array;1"] - .createInstance(Ci.nsIMutableArray); - var variant = Cc["@mozilla.org/variant;1"] - .createInstance(Ci.nsIWritableVariant); - variant.setFromVariant(aArg1); - argsArray.appendElement(variant, false); - - if (aArg2) - { - variant = Cc["@mozilla.org/variant;1"] - .createInstance(Ci.nsIWritableVariant); - variant.setFromVariant(aArg2); - argsArray.appendElement(variant, false); - } - - return argsArray; - }, - - // Returns an nsIFile. - // If file doesn't exist, null is returned. - _getTorFile: function(aTorFileType) - { - if (!aTorFileType) - return null; - - var isRelativePath = true; - var prefName = "extensions.torlauncher." + aTorFileType + "_path"; - var path = TorLauncherUtil.getCharPref(prefName); - if (path) - { - var re = (TorLauncherUtil.isWindows) ? /^[A-Za-z]:\\/ : /^\//; - isRelativePath = !re.test(path); - } - else - { - // Get default path. - if (TorLauncherUtil.isWindows) - { - if ("tor" == aTorFileType) - path = "Tor\\tor.exe"; - else if ("torrc-defaults" == aTorFileType) - path = "Data\\Tor\\torrc-defaults"; - else if ("torrc" == aTorFileType) - path = "Data\\Tor\\torrc"; - else if ("tordatadir" == aTorFileType) - path = "Data\\Tor"; - } - else // Linux, Mac OS and others. - { - if ("tor" == aTorFileType) - path = "Tor/tor"; - else if ("torrc-defaults" == aTorFileType) - path = "Data/Tor/torrc-defaults"; - else if ("torrc" == aTorFileType) - path = "Data/Tor/torrc"; - else if ("tordatadir" == aTorFileType) - path = "Data/Tor/"; - } - } - - if (!path) - return null; - - try - { - var f; - if (isRelativePath) - { - // Turn into an absolute path. - if (!this.mTorFileBaseDir) - { - var topDir; - var appInfo = Cc["@mozilla.org/xre/app-info;1"] - .getService(Ci.nsIXULAppInfo); - if (appInfo.ID == this.kThunderbirdID || appInfo.ID == this.kInstantbirdID) - { - // For Thunderbird and Instantbird, paths are relative to this extension's folder. - topDir = Cc["@mozilla.org/file/directory_service;1"] - .getService(Ci.nsIProperties).get("ProfD", Ci.nsIFile); - topDir.append("extensions"); - topDir.append(this.kTorLauncherExtPath); - } - else - { - // For Firefox, paths are relative to the top of the TBB install. - var tbbBrowserDepth = 1; // Windows and Linux - if (TorLauncherUtil.isAppVersionAtLeast("21.0")) - { - // In FF21+, CurProcD is the "browser" directory that is next to - // the firefox binary, e.g., <TorFileBaseDir>/Browser/browser - ++tbbBrowserDepth; - } - if (TorLauncherUtil.isMac) - tbbBrowserDepth += 4; - - topDir = Cc["@mozilla.org/file/directory_service;1"] - .getService(Ci.nsIProperties).get("CurProcD", Ci.nsIFile); - while (tbbBrowserDepth > 0) - { - var didRemove = (topDir.leafName != "."); - topDir = topDir.parent; - if (didRemove) - tbbBrowserDepth--; - } - } - - this.mTorFileBaseDir = topDir; - } - - f = this.mTorFileBaseDir.clone(); - f.appendRelativePath(path); - } - else - { - f = Cc['@mozilla.org/file/local;1'].createInstance(Ci.nsIFile); - f.initWithPath(path); - } - - if (f.exists()) - { - try { f.normalize(); } catch(e) {} - - return f; - } - - TorLauncherLogger.log(4, aTorFileType + " file not found: " + f.path); - } - catch(e) - { - TorLauncherLogger.safelog(4, "_getTorFile " + aTorFileType + - " failed for " + path + ": ", e); - } - - return null; // File not found or error (logged above). - }, // _getTorFile() - - _getpid: function() - { - // Use nsIXULRuntime.processID if it is available. - var pid = 0; - - try - { - var xreSvc = Cc["@mozilla.org/xre/app-info;1"] - .getService(Ci.nsIXULRuntime); - pid = xreSvc.processID; - } - catch (e) - { - TorLauncherLogger.safelog(2, "failed to get process ID via XUL runtime:", - e); - } - - // Try libc.getpid() via js-ctypes. - if (!pid) try - { - var getpid; - if (TorLauncherUtil.isMac) - { - var libc = ctypes.open("libc.dylib"); - getpid = libc.declare("getpid", ctypes.default_abi, ctypes.uint32_t); - } - else if (TorLauncherUtil.isWindows) - { - var libc = ctypes.open("Kernel32.dll"); - getpid = libc.declare("GetCurrentProcessId", ctypes.default_abi, - ctypes.uint32_t); - } - else // Linux and others. - { - var libc; - try - { - libc = ctypes.open("libc.so.6"); - } - catch(e) - { - libc = ctypes.open("libc.so"); - } - - getpid = libc.declare("getpid", ctypes.default_abi, ctypes.int); - } - - pid = getpid(); - } - catch(e) - { - TorLauncherLogger.safelog(4, "unable to get process ID: ", e); - } - - return pid; - }, - - endOfObject: true -}; - - -var gTorProcessService = new TorProcessService; - - -// TODO: Mark wants to research use of XPCOMUtils.generateNSGetFactory -// Components.utils.import("resource://gre/modules/XPCOMUtils.jsm"); -function NSGetFactory(aClassID) -{ - if (!aClassID.equals(gTorProcessService.kClassID)) - throw Cr.NS_ERROR_FACTORY_NOT_REGISTERED; - - return gTorProcessService; -} diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/components/tl-protocol.js b/config/chroot_local-includes/usr/share/tor-launcher-standalone/components/tl-protocol.js deleted file mode 100644 index bcff6ab91312fc4129b7fb898fcbd31dbe00ea59..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/components/tl-protocol.js +++ /dev/null @@ -1,1328 +0,0 @@ -// Copyright (c) 2014, The Tor Project, Inc. -// See LICENSE for licensing information. -// TODO: Some code came from torbutton.js (pull in copyright and license?) -// -// vim: set sw=2 sts=2 ts=8 et syntax=javascript: - -// To avoid deadlock due to JavaScript threading limitations, this component -// should never make a direct call into the process component. - -const Cc = Components.classes; -const Ci = Components.interfaces; -const Cr = Components.results; -const Cu = Components.utils; - -Cu.import("resource://gre/modules/XPCOMUtils.jsm"); -XPCOMUtils.defineLazyModuleGetter(this, "TorLauncherUtil", - "resource://torlauncher/modules/tl-util.jsm"); -XPCOMUtils.defineLazyModuleGetter(this, "TorLauncherLogger", - "resource://torlauncher/modules/tl-logger.jsm"); - - -function TorProtocolService() -{ - this.wrappedJSObject = this; - - try - { - var env = Cc["@mozilla.org/process/environment;1"] - .getService(Ci.nsIEnvironment); - - if (env.exists("TOR_CONTROL_HOST")) - this.mControlHost = env.get("TOR_CONTROL_HOST"); - else - { - this.mControlHost = TorLauncherUtil.getCharPref( - "extensions.torlauncher.control_host", "127.0.0.1"); - } - - if (env.exists("TOR_CONTROL_PORT")) - this.mControlPort = parseInt(env.get("TOR_CONTROL_PORT"), 10); - else - { - this.mControlPort = TorLauncherUtil.getIntPref( - "extensions.torlauncher.control_port", 9151); - } - - // Populate mControlPassword so it is available when starting tor. - if (env.exists("TOR_CONTROL_PASSWD")) - this.mControlPassword = env.get("TOR_CONTROL_PASSWD"); - else if (env.exists("TOR_CONTROL_COOKIE_AUTH_FILE")) - { - // TODO: test this code path (TOR_CONTROL_COOKIE_AUTH_FILE). - var cookiePath = env.get("TOR_CONTROL_COOKIE_AUTH_FILE"); - if ("" != cookiePath) - this.mControlPassword = this._read_authentication_cookie(cookiePath); - } - - if (!this.mControlPassword) - this.mControlPassword = this._generateRandomPassword(); - } - catch(e) - { - TorLauncherLogger.log(4, "failed to get environment variables"); - return null; - } -} // TorProtocolService constructor - - -TorProtocolService.prototype = -{ - kContractID : "@torproject.org/torlauncher-protocol-service;1", - kServiceName : "Tor Launcher Protocol Service", - kClassID: Components.ID("{4F476361-23FB-43EF-A427-B36A14D3208E}"), - - kPrefMaxTorLogEntries: "extensions.torlauncher.max_tor_log_entries", - - // nsISupports implementation. - QueryInterface: function(aIID) - { - if (!aIID.equals(Ci.nsISupports) && - !aIID.equals(Ci.nsIFactory) && - !aIID.equals(Ci.nsIObserver) && - !aIID.equals(Ci.nsIClassInfo)) - { - throw Cr.NS_ERROR_NO_INTERFACE; - } - - return this; - }, - - // nsIFactory implementation. - createInstance: function(aOuter, aIID) - { - if (null != aOuter) - throw Cr.NS_ERROR_NO_AGGREGATION; - - return this.QueryInterface(aIID); - }, - - lockFactory: function(aDoLock) {}, - - canUnload: function(aCompMgr) { return true; }, - - // nsIClassInfo implementation. - getInterfaces: function(aCount) - { - var iList = [ Ci.nsISupports, - Ci.nsIFactory, - Ci.nsIObserver, - Ci.nsIClassInfo ]; - aCount.value = iList.length; - return iList; - }, - - getHelperForLanguage: function (aLanguage) { return null; }, - - contractID: this.kContractID, - classDescription: this.kServiceName, - classID: this.kClassID, - implementationLanguage: Ci.nsIProgrammingLanguage.JAVASCRIPT, - flags: Ci.nsIClassInfo.DOM_OBJECT, - - // nsIFactory implementation. - createInstance: function (aOuter, aIID) - { - if (null != aOuter) - throw Cr.NS_ERROR_NO_AGGREGATION; - - return this.QueryInterface(aIID); - }, - - lockFactory: function (aDoLock) {}, - - // Public Constants and Methods //////////////////////////////////////////// - kCmdStatusOK: 250, - kCmdStatusEventNotification: 650, - - // Returns Tor password string or null if an error occurs. - TorGetPassword: function(aPleaseHash) - { - var pw = this.mControlPassword; - return (aPleaseHash) ? this._hashPassword(pw) : pw; - }, - - // NOTE: Many Tor protocol functions return a reply object, which is a - // a JavaScript object that has the following fields: - // reply.statusCode -- integer, e.g., 250 - // reply.lineArray -- an array of strings returned by tor - // For GetConf calls, the aKey prefix is removed from the lineArray strings. - - // Perform a GETCONF command. - // If a fatal error occurs, null is returned. Otherwise, a reply object is - // returned. - TorGetConf: function(aKey) - { - if (!aKey || (aKey.length < 1)) - return null; - - var cmd = "GETCONF"; - var reply = this.TorSendCommand(cmd, aKey); - if (!this.TorCommandSucceeded(reply)) - return reply; - - return this._parseReply(cmd, aKey, reply); - }, - - // Returns a reply object. If the GETCONF command succeeded, reply.retVal - // is set (if there is no setting for aKey, it is set to aDefault). - TorGetConfStr: function(aKey, aDefault) - { - var reply = this.TorGetConf(aKey); - if (this.TorCommandSucceeded(reply)) - { - if (reply.lineArray.length > 0) - reply.retVal = reply.lineArray[0]; - else - reply.retVal = aDefault; - } - - return reply; - }, - - // Returns a reply object. If the GETCONF command succeeded, reply.retVal - // is set (if there is no setting for aKey, it is set to aDefault). - TorGetConfBool: function(aKey, aDefault) - { - var reply = this.TorGetConf(aKey); - if (this.TorCommandSucceeded(reply)) - { - if (reply.lineArray.length > 0) - reply.retVal = ("1" == reply.lineArray[0]); - else - reply.retVal = aDefault; - } - - return reply; - }, - - // Perform a SETCONF command. - // aSettingsObj should be a JavaScript object with keys (property values) - // that correspond to tor config. keys. The value associated with each - // key should be a simple string, a string array, or a Boolean value. - // If a fatal error occurs, null is returned. Otherwise, a reply object is - // returned. - TorSetConf: function(aSettingsObj) - { - if (!aSettingsObj) - return null; - - var cmdArgs; - for (var key in aSettingsObj) - { - if (!cmdArgs) - cmdArgs = key; - else - cmdArgs += ' ' + key; - var val = aSettingsObj[key]; - if (val) - { - var valType = (typeof val); - if ("boolean" == valType) - cmdArgs += '=' + ((val) ? '1' : '0'); - else if (Array.isArray(val)) - { - for (var i = 0; i < val.length; ++i) - { - if (i > 0) - cmdArgs += ' ' + key; - cmdArgs += '=' + this._strEscape(val[i]); - } - } - else if ("string" == valType) - cmdArgs += '=' + this._strEscape(val); - else - { - TorLauncherLogger.safelog(4, "TorSetConf: unsupported type '" + - valType + "' for ", key); - return null; - } - } - } - - if (!cmdArgs) - { - TorLauncherLogger.log(4, "TorSetConf: no settings to set"); - return null; - } - - return this.TorSendCommand("SETCONF", cmdArgs); - }, // TorSetConf() - - // Returns true if successful. - // Upon failure, aErrorObj.details will be set to a string. - TorSetConfWithReply: function(aSettingsObj, aErrorObj) - { - var reply = this.TorSetConf(aSettingsObj); - var didSucceed = this.TorCommandSucceeded(reply); - if (!didSucceed) - { - var details = ""; - if (reply && reply.lineArray) - { - for (var i = 0; i < reply.lineArray.length; ++i) - { - if (i > 0) - details += '\n'; - details += reply.lineArray[i]; - } - } - - if (aErrorObj) - aErrorObj.details = details; - } - - return didSucceed; - }, - - // If successful, sends a "TorBootstrapStatus" notification. - TorRetrieveBootstrapStatus: function() - { - var cmd = "GETINFO"; - var key = "status/bootstrap-phase"; - var reply = this.TorSendCommand(cmd, key); - if (!this.TorCommandSucceeded(reply)) - { - TorLauncherLogger.log(4, "TorRetrieveBootstrapStatus: command failed"); - return; - } - - // A typical reply looks like: - // 250-status/bootstrap-phase=NOTICE BOOTSTRAP PROGRESS=100 TAG=done SUMMARY="Done" - // 250 OK - reply = this._parseReply(cmd, key, reply); - if (reply.lineArray) - this._parseBootstrapStatus(reply.lineArray[0]); - }, - - // If successful, returns a JS object with these fields: - // status.TYPE -- "NOTICE" or "WARN" - // status.PROGRESS -- integer - // status.TAG -- string - // status.SUMMARY -- string - // status.WARNING -- string (optional) - // status.REASON -- string (optional) - // status.COUNT -- integer (optional) - // status.RECOMMENDATION -- string (optional) - // A "TorBootstrapStatus" notification is also sent. - // Returns null upon failure. - _parseBootstrapStatus: function(aStatusMsg) - { - if (!aStatusMsg || (0 == aStatusMsg.length)) - return null; - - var sawBootstrap = false; - var sawCircuitEstablished = false; - var statusObj = {}; - statusObj.TYPE = "NOTICE"; - - // The following code assumes that this is a one-line response. - var paramArray = this._splitReplyLine(aStatusMsg); - for (var i = 0; i < paramArray.length; ++i) - { - var tokenAndVal = paramArray[i]; - var token, val; - var idx = tokenAndVal.indexOf('='); - if (idx < 0) - token = tokenAndVal; - else - { - token = tokenAndVal.substring(0, idx); - var valObj = {}; - if (!this._strUnescape(tokenAndVal.substring(idx + 1), valObj)) - continue; // skip this token/value pair. - - val = valObj.result; - } - - if ("BOOTSTRAP" == token) - sawBootstrap = true; - else if ("CIRCUIT_ESTABLISHED" == token) - sawCircuitEstablished = true; - else if (("WARN" == token) || ("NOTICE" == token) || ("ERR" == token)) - statusObj.TYPE = token; - else if (("COUNT" == token) || ("PROGRESS" == token)) - statusObj[token] = parseInt(val, 10); - else - statusObj[token] = val; - } - - if (!sawBootstrap) - { - var logLevel = ("NOTICE" == statusObj.TYPE) ? 3 : 4; - TorLauncherLogger.log(logLevel, aStatusMsg); - return null; - } - - // this._dumpObj("BootstrapStatus", statusObj); - statusObj._errorOccurred = (("NOTICE" != statusObj.TYPE) && - ("warn" == statusObj.RECOMMENDATION)); - - // Notify observers. - var obsSvc = Cc["@mozilla.org/observer-service;1"] - .getService(Ci.nsIObserverService); - statusObj.wrappedJSObject = statusObj; - obsSvc.notifyObservers(statusObj, "TorBootstrapStatus", null); - return statusObj; - }, // _parseBootstrapStatus() - - // Executes a command on the control port. - // Return a reply object or null if a fatal error occurs. - TorSendCommand: function(aCmd, aArgs) - { - var reply; - for (var attempt = 0; !reply && (attempt < 2); ++attempt) - { - var conn; - try - { - conn = this._getConnection(); - if (conn) - { - reply = this._sendCommand(conn, aCmd, aArgs) - if (reply) - this._returnConnection(conn); // Return for reuse. - else - this._closeConnection(conn); // Connection is bad. - } - } - catch(e) - { - TorLauncherLogger.log(4, "Exception on control port " + e); - this._closeConnection(conn); - } - } - - return reply; - }, // TorSendCommand() - - TorCommandSucceeded: function(aReply) - { - return !!(aReply && (this.kCmdStatusOK == aReply.statusCode)); - }, - - // TorCleanupConnection() is called during browser shutdown. - TorCleanupConnection: function() - { - this._closeConnection(); - this._closeConnection(this.mEventMonitorConnection); - this.mEventMonitorConnection = null; - }, - - TorStartEventMonitor: function() - { - if (this.mEventMonitorConnection) - return; - - var conn = this._openAuthenticatedConnection(true); - if (!conn) - { - TorLauncherLogger.log(4, - "TorStartEventMonitor failed to create control port connection"); - return; - } - - // TODO: optionally monitor INFO and DEBUG log messages. - var events = "STATUS_CLIENT NOTICE WARN ERR"; - var reply = this._sendCommand(conn, "SETEVENTS", events); - if (!this.TorCommandSucceeded(reply)) - { - TorLauncherLogger.log(4, "SETEVENTS failed"); - this._closeConnection(conn); - return; - } - - this.mEventMonitorConnection = conn; - this._waitForEventData(); - }, - - // Returns true if the log messages we have captured contain WARN or ERR. - get TorLogHasWarnOrErr() - { - if (!this.mTorLog) - return false; - - for (var i = this.mTorLog.length - 1; i >= 0; i--) - { - var logObj = this.mTorLog[i]; - if ((logObj.type == "WARN") || (logObj.type == "ERR")) - return true; - } - - return false; - }, - - // Returns captured log message as a text string (one message per line). - TorGetLog: function() - { - let s = ""; - if (this.mTorLog) - { - let dateFmtSvc = Cc["@mozilla.org/intl/scriptabledateformat;1"] - .getService(Ci.nsIScriptableDateFormat); - let dateFormat = dateFmtSvc.dateFormatShort; - let timeFormat = dateFmtSvc.timeFormatSecondsForce24Hour; - let eol = (TorLauncherUtil.isWindows) ? "\r\n" : "\n"; - for (let i = 0; i < this.mTorLog.length; ++i) - { - let logObj = this.mTorLog[i]; - let secs = logObj.date.getSeconds(); - let timeStr = dateFmtSvc.FormatDateTime("", dateFormat, timeFormat, - logObj.date.getFullYear(), logObj.date.getMonth() + 1, - logObj.date.getDate(), logObj.date.getHours(), - logObj.date.getMinutes(), secs); - if (' ' == timeStr.substr(-1)) - timeStr = timeStr.substr(0, timeStr.length - 1); - let fracSecsStr = "" + logObj.date.getMilliseconds(); - while (fracSecsStr.length < 3) - fracSecsStr += "0"; - timeStr += '.' + fracSecsStr; - - s += timeStr + " [" + logObj.type + "] " + logObj.msg + eol; - } - } - - return s; - }, - - - // Return true if a control connection is established (will create a - // connection if necessary). - TorHaveControlConnection: function() - { - var conn = this._getConnection(); - this._returnConnection(conn); - return (conn != null); - }, - - - // Private Member Variables //////////////////////////////////////////////// - mControlPort: null, - mControlHost: null, - mControlPassword: null, // JS string that contains hex-encoded password. - mControlConnection: null, // This is cached and reused. - mEventMonitorConnection: null, - mEventMonitorBuffer: null, - mEventMonitorInProgressReply: null, - mTorLog: null, // Array of objects with date, type, and msg properties. - - mCheckPasswordHash: false, // set to true to perform a unit test - - // Private Methods ///////////////////////////////////////////////////////// - - // Returns a JS object that contains these fields: - // inUse // Boolean - // useCount // Integer - // socket // nsISocketTransport - // inStream // nsIInputStream - // binInStream // nsIBinaryInputStream - // binOutStream // nsIBinaryOutputStream - _getConnection: function() - { - if (this.mControlConnection) - { - if (this.mControlConnection.inUse) - { - TorLauncherLogger.log(4, "control connection is in use"); - return null; - } - } - else - this.mControlConnection = this._openAuthenticatedConnection(false); - - if (this.mControlConnection) - this.mControlConnection.inUse = true; - - return this.mControlConnection; - }, - - _returnConnection: function(aConn) - { - if (aConn && (aConn == this.mControlConnection)) - this.mControlConnection.inUse = false; - }, - - _openAuthenticatedConnection: function(aIsEventConnection) - { - var conn; - try - { - var sts = Cc["@mozilla.org/network/socket-transport-service;1"] - .getService(Ci.nsISocketTransportService); - TorLauncherLogger.log(2, "Opening control connection to " + - this.mControlHost + ":" + this.mControlPort); - var socket = sts.createTransport(null, 0, this.mControlHost, - this.mControlPort, null); - - // Our event monitor connection is non-blocking and unbuffered (an - // asyncWait() call is used so we only read data when we know that - // some is available). - // Our main control connection is blocking and unbuffered (using - // buffering may prevent data from being sent before we enter a - // blocking readBytes() call. - var flags = (aIsEventConnection) ? 0 - : socket.OPEN_BLOCKING | socket.OPEN_UNBUFFERED; - // If using a blocking socket, we set segment size and count to 1 to - // avoid buffering inside the Mozilla code. See Tor ticket # 8642. - var segSize = (aIsEventConnection) ? 0 : 1; - var segCount = (aIsEventConnection) ? 0 : 1; - var inStream = socket.openInputStream(flags, segSize, segCount); - var outStream = socket.openOutputStream(flags, segSize, segCount); - - var binInStream = Cc["@mozilla.org/binaryinputstream;1"] - .createInstance(Ci.nsIBinaryInputStream); - var binOutStream = Cc["@mozilla.org/binaryoutputstream;1"] - .createInstance(Ci.nsIBinaryOutputStream); - binInStream.setInputStream(inStream); - binOutStream.setOutputStream(outStream); - conn = { useCount: 0, socket: socket, inStream: inStream, - binInStream: binInStream, binOutStream: binOutStream }; - - // AUTHENTICATE - var pwdArg = this._strEscape(this.mControlPassword); - if (pwdArg && (pwdArg.length > 0) && (pwdArg.charAt(0) != '"')) - { - // Surround non-hex strings with double quotes. - const kIsHexRE = /^[A-Fa-f0-9]*$/; - if (!kIsHexRE.test(pwdArg)) - pwdArg = '"' + pwdArg + '"'; - } - var reply = this._sendCommand(conn, "AUTHENTICATE", pwdArg); - if (!this.TorCommandSucceeded(reply)) - { - TorLauncherLogger.log(4, "authenticate failed"); - return null; - } - - if (!aIsEventConnection && TorLauncherUtil.shouldStartAndOwnTor && - !TorLauncherUtil.shouldOnlyConfigureTor) - { - // Try to become the primary controller (TAKEOWNERSHIP). - reply = this._sendCommand(conn, "TAKEOWNERSHIP", null); - if (!this.TorCommandSucceeded(reply)) - TorLauncherLogger.log(4, "take ownership failed"); - else - { - reply = this._sendCommand(conn, "RESETCONF", - "__OwningControllerProcess"); - if (!this.TorCommandSucceeded(reply)) - TorLauncherLogger.log(4, "clear owning controller process failed"); - } - } - } - catch(e) - { - TorLauncherLogger.safelog(4, - "failed to open authenticated connection: ", e); - return null; - } - - return conn; - }, // _openAuthenticatedConnection() - - // If aConn is omitted, the cached connection is closed. - _closeConnection: function(aConn) - { - if (!aConn) - aConn = this.mControlConnection; - - if (aConn && aConn.socket) - { - if (aConn.binInStream) - aConn.binInStream.close(); - if (aConn.binOutStream) - aConn.binOutStream.close(); - - aConn.socket.close(Cr.NS_OK); - } - - if (aConn == this.mControlConnection) - this.mControlConnection = null; - }, - - _setSocketTimeout: function(aConn) - { - if (aConn && aConn.socket) - aConn.socket.setTimeout(Ci.nsISocketTransport.TIMEOUT_READ_WRITE, 15); - }, - - _clearSocketTimeout: function(aConn) - { - if (aConn && aConn.socket) - { - var secs = Math.pow(2,32) - 1; // UINT32_MAX - aConn.socket.setTimeout(Ci.nsISocketTransport.TIMEOUT_READ_WRITE, secs); - } - }, - - _sendCommand: function(aConn, aCmd, aArgs) - { - var reply; - if (aConn) - { - var cmd = aCmd; - if (aArgs) - cmd += ' ' + aArgs; - TorLauncherLogger.safelog(2, "Sending Tor command: ", cmd); - cmd += "\r\n"; - - ++aConn.useCount; - this._setSocketTimeout(aConn); - // TODO: should handle NS_BASE_STREAM_WOULD_BLOCK here. - aConn.binOutStream.writeBytes(cmd, cmd.length); - reply = this._torReadReply(aConn.binInStream); - this._clearSocketTimeout(aConn); - } - - return reply; - }, - - // Returns a reply object. Blocks until entire reply has been received. - _torReadReply: function(aInput) - { - var replyObj = {}; - do - { - var line = this._torReadLine(aInput); - TorLauncherLogger.safelog(2, "Command response: ", line); - } while (!this._parseOneReplyLine(line, replyObj)); - - return (replyObj._parseError) ? null : replyObj; - }, - - // Returns a string. Blocks until a line has been received. - _torReadLine: function(aInput) - { - var str = ""; - while(true) - { - try - { -// TODO: readBytes() will sometimes hang if the control connection is opened -// immediately after tor opens its listener socket. Why? - let bytes = aInput.readBytes(1); - if ('\n' == bytes) - break; - - str += bytes; - } - catch (e) - { - if (e.result != Cr.NS_BASE_STREAM_WOULD_BLOCK) - throw e; - } - } - - var len = str.length; - if ((len > 0) && ('\r' == str.substr(len - 1))) - str = str.substr(0, len - 1); - return str; - }, - - // Returns false if more lines are needed. The first time, callers - // should pass an empty aReplyObj. - // Parsing errors are indicated by aReplyObj._parseError = true. - _parseOneReplyLine: function(aLine, aReplyObj) - { - if (!aLine || !aReplyObj) - return false; - - if (!("_parseError" in aReplyObj)) - { - aReplyObj.statusCode = 0; - aReplyObj.lineArray = []; - aReplyObj._parseError = false; - } - - if (aLine.length < 4) - { - TorLauncherLogger.safelog(4, "Unexpected response: ", aLine); - aReplyObj._parseError = true; - return true; - } - - // TODO: handle + separators (data) - aReplyObj.statusCode = parseInt(aLine.substr(0, 3), 10); - var s = (aLine.length < 5) ? "" : aLine.substr(4); - // Include all lines except simple "250 OK" ones. - if ((aReplyObj.statusCode != this.kCmdStatusOK) || (s != "OK")) - aReplyObj.lineArray.push(s); - - return (aLine.charAt(3) == ' '); - }, - - // _parseReply() understands simple GETCONF and GETINFO replies. - _parseReply: function(aCmd, aKey, aReply) - { - if (!aCmd || !aKey || !aReply) - return; - - var lcKey = aKey.toLowerCase(); - var prefix = lcKey + '='; - var prefixLen = prefix.length; - var tmpArray = []; - for (var i = 0; i < aReply.lineArray.length; ++i) - { - var line = aReply.lineArray[i]; - var lcLine = line.toLowerCase(); - if (lcLine == lcKey) - tmpArray.push(""); - else if (0 != lcLine.indexOf(prefix)) - { - TorLauncherLogger.safelog(4, "Unexpected " + aCmd + " response: ", - line); - } - else - { - var valObj = {}; - if (!this._strUnescape(line.substring(prefixLen), valObj)) - { - TorLauncherLogger.safelog(4, "Invalid string within " + aCmd + - " response: ", line); - } - else - tmpArray.push(valObj.result); - } - } - - aReply.lineArray = tmpArray; - return aReply; - }, // _parseReply - - // Split aStr at spaces, accounting for quoted values. - // Returns an array of strings. - _splitReplyLine: function(aStr) - { - var rv = []; - if (!aStr) - return rv; - - var inQuotedStr = false; - var val = ""; - for (var i = 0; i < aStr.length; ++i) - { - var c = aStr.charAt(i); - if ((' ' == c) && !inQuotedStr) - { - rv.push(val); - val = ""; - } - else - { - if ('"' == c) - inQuotedStr = !inQuotedStr; - - val += c; - } - } - - if (val.length > 0) - rv.push(val); - - return rv; - }, - - // Escape non-ASCII characters for use within the Tor Control protocol. - // Based on Vidalia's src/common/stringutil.cpp:string_escape(). - // Returns the new string. - _strEscape: function(aStr) - { - // Just return if all characters are printable ASCII excluding SP and " - const kSafeCharRE = /^[\x21\x23-\x7E]*$/; - if (!aStr || kSafeCharRE.test(aStr)) - return aStr; - - var rv = '"'; - for (var i = 0; i < aStr.length; ++i) - { - var c = aStr.charAt(i); - switch (c) - { - case '\"': - rv += "\\\""; - break; - case '\\': - rv += "\\\\"; - break; - case '\n': - rv += "\\n"; - break; - case '\r': - rv += "\\r"; - break; - case '\t': - rv += "\\t"; - break; - default: - var charCode = aStr.charCodeAt(i); - if ((charCode >= 0x0020) && (charCode <= 0x007E)) - rv += c; - else - { - // Generate \xHH encoded UTF-8. - var utf8bytes = unescape(encodeURIComponent(c)); - for (var j = 0; j < utf8bytes.length; ++j) - rv += "\\x" + this._toHex(utf8bytes.charCodeAt(j), 2); - } - } - } - - rv += '"'; - return rv; - }, // _strEscape() - - // Unescape Tor Control string aStr (removing surrounding "" and \ escapes). - // Based on Vidalia's src/common/stringutil.cpp:string_unescape(). - // Returns true if successful and sets aResultObj.result. - _strUnescape: function(aStr, aResultObj) - { - if (!aResultObj) - return false; - - if (!aStr) - { - aResultObj.result = aStr; - return true; - } - - var len = aStr.length; - if ((len < 2) || ('"' != aStr.charAt(0)) || ('"' != aStr.charAt(len - 1))) - { - aResultObj.result = aStr; - return true; - } - - var rv = ""; - var i = 1; - var lastCharIndex = len - 2; - while (i <= lastCharIndex) - { - var c = aStr.charAt(i); - if ('\\' == c) - { - if (++i > lastCharIndex) - return false; // error: \ without next character. - - c = aStr.charAt(i); - if ('n' == c) - rv += '\n'; - else if ('r' == c) - rv += '\r'; - else if ('t' == c) - rv += '\t'; - else if ('x' == c) - { - if ((i + 2) > lastCharIndex) - return false; // error: not enough hex characters. - - var val = parseInt(aStr.substr(i, 2), 16); - if (isNaN(val)) - return false; // error: invalid hex characters. - - rv += String.fromCharCode(val); - i += 2; - } - else if (this._isDigit(c)) - { - if ((i + 3) > lastCharIndex) - return false; // error: not enough octal characters. - - var val = parseInt(aStr.substr(i, 3), 8); - if (isNaN(val)) - return false; // error: invalid octal characters. - - rv += String.fromCharCode(val); - i += 3; - } - else // "\\" and others - { - rv += c; - ++i; - } - } - else if ('"' == c) - return false; // error: unescaped double quote in middle of string. - else - { - rv += c; - ++i; - } - } - - // Convert from UTF-8 to Unicode. TODO: is UTF-8 always used in protocol? - rv = decodeURIComponent(escape(rv)); - - aResultObj.result = rv; - return true; - }, // _strUnescape() - - // Returns a random 16 character password, hex-encoded. - _generateRandomPassword: function() - { - if (this.mCheckPasswordHash) - return "3322693f6e4f6b2a2536736b4429343f"; - - // Similar to Vidalia's crypto_rand_string(). - const kPasswordLen = 16; - const kMinCharCode = '!'.charCodeAt(0); - const kMaxCharCode = '~'.charCodeAt(0); - var pwd = ""; - for (var i = 0; i < kPasswordLen; ++i) - { - var val = this._crypto_rand_int(kMaxCharCode - kMinCharCode + 1); - if (val < 0) - { - TorLauncherLogger.log(4, "_crypto_rand_int() failed"); - return null; - } - - pwd += this._toHex(kMinCharCode + val, 2); - } - - return pwd; - }, - - // Based on Vidalia's TorSettings::hashPassword(). - _hashPassword: function(aHexPassword) - { - if (!aHexPassword) - return null; - - // Generate a random, 8 byte salt value. - var salt; - if (this.mCheckPasswordHash) - { - salt = new Array(8); - salt[0] = 0x33; - salt[1] = 0x9E; - salt[2] = 0x10; - salt[3] = 0x73; - salt[4] = 0xCA; - salt[5] = 0x36; - salt[6] = 0x26; - salt[7] = 0x9D; - } - else - salt = this._RNGService.generateRandomBytes(8); - - // Convert hex-encoded password to an array of bytes. - var len = aHexPassword.length / 2; - var password = new Array(len); - for (var i = 0; i < len; ++i) - password[i] = parseInt(aHexPassword.substr(i * 2, 2), 16); - - // Run through the S2K algorithm and convert to a string. - const kCodedCount = 96; - var hashVal = this._crypto_secret_to_key(password, salt, kCodedCount); - if (!hashVal) - { - TorLauncherLogger.log(4, "_crypto_secret_to_key() failed"); - return null; - } - - var rv = "16:"; - rv += this._ArrayToHex(salt); - rv += this._toHex(kCodedCount, 2); - rv += this._ArrayToHex(hashVal); - - if (this.mCheckPasswordHash) - { - dump("hash for:\n" + aHexPassword + "\nis\n" + rv + "\n"); - const kExpected = "16:339e1073ca36269d6014964b08e1e13b08564e3957806999cd3435acdd"; - dump("should be:\n" + kExpected + "\n"); - if (kExpected != rv) - dump("\n\nHASH DOES NOT MATCH\n\n\n"); - else - dump("\n\nHASH IS CORRECT!\n\n\n"); - } - - return rv; - }, // _hashPassword() - - // Returns -1 upon failure. - _crypto_rand_int: function(aMax) - { - // Based on tor's crypto_rand_int(). - const kMaxUInt = 0xffffffff; - if (aMax <= 0 || (aMax > kMaxUInt)) - return -1; - - var cutoff = kMaxUInt - (kMaxUInt % aMax); - while (true) - { - var bytes = this._RNGService.generateRandomBytes(4); - var val = 0; - for (var i = 0; i < bytes.length; ++i) - { - val = val << 8; - val |= bytes[i]; - } - - val = (val>>>0); // Convert to unsigned. - if (val < cutoff) - return val % aMax; - } - }, - - // _crypto_secret_to_key() is similar to Vidalia's crypto_secret_to_key(). - // It generates and returns a hash of aPassword by following the iterated - // and salted S2K algorithm (see RFC 2440 section 3.6.1.3). - // Returns an array of bytes. - _crypto_secret_to_key: function(aPassword, aSalt, aCodedCount) - { - if (!aPassword || !aSalt) - return null; - - var inputArray = aSalt.concat(aPassword); - - var hasher = Cc["@mozilla.org/security/hash;1"] - .createInstance(Ci.nsICryptoHash); - hasher.init(hasher.SHA1); - const kEXPBIAS = 6; - var count = (16 + (aCodedCount & 15)) << ((aCodedCount >> 4) + kEXPBIAS); - while (count > 0) - { - if (count > inputArray.length) - { - hasher.update(inputArray, inputArray.length); - count -= inputArray.length; - } - else - { - var finalArray = inputArray.slice(0, count); - hasher.update(finalArray, finalArray.length); - count = 0; - } - } - - var hashResult = hasher.finish(false); - if (!hashResult || (0 == hashResult.length)) - return null; - - var hashLen = hashResult.length; - var rv = new Array(hashLen); - for (var i = 0; i < hashLen; ++i) - rv[i] = hashResult.charCodeAt(i); - - return rv; - }, - - _isDigit: function(aChar) - { - const kRE = /^\d$/; - return aChar && kRE.test(aChar); - }, - - _toHex: function(aValue, aMinLen) - { - var rv = aValue.toString(16); - while (rv.length < aMinLen) - rv = '0' + rv; - - return rv; - }, - - _ArrayToHex: function(aArray) - { - var rv = ""; - if (aArray) - { - for (var i = 0; i < aArray.length; ++i) - rv += this._toHex(aArray[i], 2); - } - - return rv; - }, - - _read_authentication_cookie: function(aPath) - { - var file = Cc['@mozilla.org/file/local;1'].createInstance(Ci.nsILocalFile); - file.initWithPath(aPath); - var fileStream = Cc["@mozilla.org/network/file-input-stream;1"] - .createInstance(Ci.nsIFileInputStream); - fileStream.init(file, 1, 0, false); - var binaryStream = Cc['@mozilla.org/binaryinputstream;1'] - .createInstance(Ci.nsIBinaryInputStream); - binaryStream.setInputStream(fileStream); - var array = binaryStream.readByteArray(fileStream.available()); - binaryStream.close(); - fileStream.close(); - return array.map(function(c) { - return String("0" + c.toString(16)).slice(-2) - }).join(''); - }, - - get _RNGService() - { - if (!this.mRNGService) - { - this.mRNGService = Cc["@mozilla.org/security/random-generator;1"] - .createInstance(Ci.nsIRandomGenerator); - } - - return this.mRNGService; - }, - - _waitForEventData: function() - { - if (!this.mEventMonitorConnection) - return; - - var _this = this; - var eventReader = // An implementation of nsIInputStreamCallback. - { - onInputStreamReady: function(aInStream) - { - if (!_this.mEventMonitorConnection || - (_this.mEventMonitorConnection.inStream != aInStream)) - { - return; - } - - var binStream = _this.mEventMonitorConnection.binInStream; - var bytes = binStream.readBytes(binStream.available()); - if (!_this.mEventMonitorBuffer) - _this.mEventMonitorBuffer = bytes; - else - _this.mEventMonitorBuffer += bytes; - _this._processEventData(); - - _this._waitForEventData(); - } - }; - - var curThread = Cc["@mozilla.org/thread-manager;1"].getService() - .currentThread; - var asyncInStream = this.mEventMonitorConnection.inStream - .QueryInterface(Ci.nsIAsyncInputStream); - asyncInStream.asyncWait(eventReader, 0, 0, curThread); - }, - - _processEventData: function() - { - var replyData = this.mEventMonitorBuffer; - if (!replyData) - return; - - var idx = -1; - do - { - idx = replyData.indexOf('\n'); - if (idx >= 0) - { - let line = replyData.substring(0, idx); - replyData = replyData.substring(idx + 1); - let len = line.length; - if ((len > 0) && ('\r' == line.substr(len - 1))) - line = line.substr(0, len - 1); - - TorLauncherLogger.safelog(2, "Event response: ", line); - if (!this.mEventMonitorInProgressReply) - this.mEventMonitorInProgressReply = {}; - var replyObj = this.mEventMonitorInProgressReply; - var isComplete = this._parseOneReplyLine(line, replyObj); - if (isComplete) - { - this._processEventReply(replyObj); - this.mEventMonitorInProgressReply = null; - } - } - } while ((idx >= 0) && replyData) - - this.mEventMonitorBuffer = replyData; - }, - - _processEventReply: function(aReply) - { - if (aReply._parseError || (0 == aReply.lineArray.length)) - return; - - if (aReply.statusCode != this.kCmdStatusEventNotification) - { - TorLauncherLogger.log(4, "Unexpected event status code: " - + aReply.statusCode); - return; - } - - // TODO: do we need to handle multiple lines? - let s = aReply.lineArray[0]; - let idx = s.indexOf(' '); - if ((idx > 0)) - { - let eventType = s.substring(0, idx); - let msg = s.substr(idx + 1); - switch (eventType) - { - case "WARN": - case "ERR": - // Notify so that Copy Log can be enabled. - var obsSvc = Cc["@mozilla.org/observer-service;1"] - .getService(Ci.nsIObserverService); - obsSvc.notifyObservers(null, "TorLogHasWarnOrErr", null); - // fallthru - case "DEBUG": - case "INFO": - case "NOTICE": - var now = new Date(); - let logObj = { date: now, type: eventType, msg: msg }; - if (!this.mTorLog) - this.mTorLog = []; - else - { - var maxEntries = - TorLauncherUtil.getIntPref(this.kPrefMaxTorLogEntries, 0); - if ((maxEntries > 0) && (this.mTorLog.length >= maxEntries)) - this.mTorLog.splice(0, 1); - } - this.mTorLog.push(logObj); - break; - case "STATUS_CLIENT": - this._parseBootstrapStatus(msg); - break; - default: - this._dumpObj(eventType + "_event", aReply); - } - } - }, - - // Debugging Methods /////////////////////////////////////////////////////// - _dumpObj: function(aObjDesc, aObj) - { - if (!aObjDesc) - aObjDesc = "JS object"; - - if (!aObj) - { - dump(aObjDesc + " is undefined" + "\n"); - return; - } - - for (var prop in aObj) - { - let val = aObj[prop]; - if (Array.isArray(val)) - { - for (let i = 0; i < val.length; ++i) - dump(aObjDesc + "." + prop + "[" + i + "]: " + val + "\n"); - } - else - dump(aObjDesc + "." + prop + ": " + val + "\n"); - } - }, - - endOfObject: true -}; - - -var gTorProtocolService = new TorProtocolService; - - -// TODO: Mark wants to research use of XPCOMUtils.generateNSGetFactory -// Cu.import("resource://gre/modules/XPCOMUtils.jsm"); -function NSGetFactory(aClassID) -{ - if (!aClassID.equals(gTorProtocolService.kClassID)) - throw Cr.NS_ERROR_FACTORY_NOT_REGISTERED; - - return gTorProtocolService; -} diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/defaults/preferences/prefs.js b/config/chroot_local-includes/usr/share/tor-launcher-standalone/defaults/preferences/prefs.js deleted file mode 100644 index 8013e1600cf037a8cc32b99a5a2ddcf967581555..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/defaults/preferences/prefs.js +++ /dev/null @@ -1,22 +0,0 @@ -pref("extensions.torlauncher.loglevel", 4); // 1=verbose, 2=debug, 3=info, 4=note, 5=warn -pref("extensions.torlauncher.logmethod", 1); // 0=stdout, 1=errorconsole, 2=debuglog -pref("extensions.torlauncher.max_tor_log_entries", 1000); - -pref("extensions.torlauncher.control_host", "127.0.0.1"); -pref("extensions.torlauncher.control_port", 9151); - -pref("extensions.torlauncher.start_tor", true); -pref("extensions.torlauncher.prompt_at_startup", true); - -// All path prefs. are relative to the firefox executable's directory -pref("extensions.torlauncher.tor_path", ""); -pref("extensions.torlauncher.torrc_path", ""); -pref("extensions.torlauncher.tordatadir_path", ""); -pref("extensions.torlauncher.transportproxy_path", ""); - -// Recommended default bridge type (can be set per localized bundle). -// pref("extensions.torlauncher.default_bridge_recommended_type", "obfs3"); - -// Default bridges. -// pref("extensions.torlauncher.default_bridge.TYPE.1", "TYPE x.x.x.x:yy"); -// pref("extensions.torlauncher.default_bridge.TYPE.2", "TYPE x.x.x.x:yy"); diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/icon.png b/config/chroot_local-includes/usr/share/tor-launcher-standalone/icon.png deleted file mode 100644 index 7ab63b7e648e08be1b6b4ef3835b8c449f739fd8..0000000000000000000000000000000000000000 Binary files a/config/chroot_local-includes/usr/share/tor-launcher-standalone/icon.png and /dev/null differ diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/install.rdf b/config/chroot_local-includes/usr/share/tor-launcher-standalone/install.rdf deleted file mode 100644 index 495b8cabfc95d87ff0b9086b59d5b6c2a31fd025..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/install.rdf +++ /dev/null @@ -1,42 +0,0 @@ -<?xml version="1.0"?> -<RDF xmlns="http://www.w3.org/1999/02/22-rdf-syntax-ns#" - xmlns:em="http://www.mozilla.org/2004/em-rdf#"> - - <Description about="urn:mozilla:install-manifest"> - <em:name>TorLauncher</em:name> - <em:creator>The Tor Project, Inc.</em:creator> - <em:contributor>Pearl Crescent, LLC</em:contributor> - <em:id>tor-launcher@torproject.org</em:id> - <em:version>0.2.5.4</em:version> - <em:homepageURL>https://www.torproject.org/projects/torbrowser.html</em:homepageURL> - <em:updateURL>https://127.0.0.1/</em:updateURL> -<!-- - <em:optionsURL>chrome://torlauncher/content/preferences.xul</em:optionsURL> ---> - <!-- firefox --> - <em:targetApplication> - <Description> - <em:id>{ec8030f7-c20a-464f-9b0e-13a3a9e97384}</em:id> - <em:minVersion>24.0</em:minVersion> - <em:maxVersion>*.*.*</em:maxVersion> - </Description> - </em:targetApplication> - <!-- thunderbird --> - <em:targetApplication> - <Description> - <em:id>{3550f703-e582-4d05-9a08-453d09bdfdc6}</em:id> - <em:minVersion>10.0</em:minVersion> - <em:maxVersion>*.*.*</em:maxVersion> - </Description> - </em:targetApplication> - <!-- instantbird --> - <em:targetApplication> - <Description> - <em:id>{33cb9019-c295-46dd-be21-8c4936574bee}</em:id> - <em:minVersion>1.4</em:minVersion> - <em:maxVersion>*.*.*</em:maxVersion> - </Description> - </em:targetApplication> - - </Description> -</RDF> diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/modules/tl-logger.jsm b/config/chroot_local-includes/usr/share/tor-launcher-standalone/modules/tl-logger.jsm deleted file mode 100644 index 19168d28039d58cf12f17e0ee679f94ad371af90..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/modules/tl-logger.jsm +++ /dev/null @@ -1,164 +0,0 @@ -// Copyright (c) 2013, The Tor Project, Inc. -// See LICENSE for licensing information. -// TODO: Based on torbutton-logger.js (pull in copyright and license?) -// -// vim: set sw=2 sts=2 ts=8 et syntax=javascript: - -/************************************************************************* - * Tor Launcher Logger JS Module - * - * Allows loglevel-based logging to different logging mechanisms. - *************************************************************************/ - -let EXPORTED_SYMBOLS = [ "TorLauncherLogger" ]; - -const Cc = Components.classes; -const Ci = Components.interfaces; -const Cr = Components.results; -const Cu = Components.utils; - -const kLogString = { 1:"VERB", 2:"DBUG", 3: "INFO", 4:"NOTE", 5:"WARN" }; - -Cu.import("resource://gre/modules/XPCOMUtils.jsm"); -XPCOMUtils.defineLazyModuleGetter(this, "TorLauncherUtil", - "resource://torlauncher/modules/tl-util.jsm"); - - -let TorLauncherLogger = // Public -{ - formatLog: function(str, level) - { - var d = new Date(); - var logLevelStr = kLogString[level]; - if (!logLevelStr) - logLevelStr = "-"; - var now = TLLoggerInternal.padInt(d.getUTCMonth() + 1) + "-" + - TLLoggerInternal.padInt(d.getUTCDate()) + " " + - TLLoggerInternal.padInt(d.getUTCHours()) + ":" + - TLLoggerInternal.padInt(d.getUTCMinutes()) + ":" + - TLLoggerInternal.padInt(d.getUTCSeconds()); - return "[" + now + "] TorLauncher " + logLevelStr + ": " + str; - }, - - // error console log - eclog: function(level, str) - { - switch (TLLoggerInternal.mLogMethod) - { - case 0: // stderr - if (TLLoggerInternal.mLogLevel <= level) - dump(this.formatLog(str, level) + "\n"); - break; - - default: // errorconsole - if (TLLoggerInternal.mLogLevel <= level) - TLLoggerInternal.mConsole.logStringMessage(this.formatLog(str,level)); - break; - } - }, - - safelog: function(level, str, scrub) - { - if (TLLoggerInternal.mLogLevel < 4) - this.eclog(level, str + scrub); - else - this.eclog(level, str + " [scrubbed]"); - }, - - log: function(level, str) - { - switch (TLLoggerInternal.mLogMethod) - { - case 2: // debuglogger - if (TLLoggerInternal.mDebugLog) - { - TLLoggerInternal.mDebugLog.log((6-level), this.formatLog(str,level)); - break; - } - // fallthrough - - case 0: // stderr - if (TLLoggerInternal.mLogLevel <= level) - dump(this.formatLog(str,level) + "\n"); - break; - - default: - dump("Bad log method: " + TLLoggerInternal.mLogMethod); - // fallthrough - - case 1: // errorconsole - if (TLLoggerInternal.mLogLevel <= level) - TLLoggerInternal.mConsole.logStringMessage(this.formatLog(str,level)); - break; - } - }, -}; - -Object.freeze(TorLauncherLogger); - - -let TLLoggerInternal = // Private -{ - mLogLevel : 0, - mLogMethod : 1, - mDebugLog : false, - mConsole : null, - - _init: function() - { - // Register observer - var prefs = Cc["@mozilla.org/preferences-service;1"] - .getService(Ci.nsIPrefBranchInternal) - .QueryInterface(Ci.nsIPrefBranchInternal); - prefs.addObserver("extensions.torlauncher", this, false); - - this.mLogLevel = TorLauncherUtil.getIntPref( - "extensions.torlauncher.loglevel", 0); - this.mLogMethod = TorLauncherUtil.getIntPref( - "extensions.torlauncher.logmethod", 1); - - // Get loggers. - try - { - var logMngr = Cc["@mozmonkey.com/debuglogger/manager;1"] - .getService(Ci.nsIDebugLoggerManager); - this.mDebugLog = logMngr.registerLogger("torlauncher"); - } - catch (e) - { - this.mDebugLog = false; - } - - this.mConsole = Cc["@mozilla.org/consoleservice;1"] - .getService(Ci.nsIConsoleService); - - TorLauncherLogger.log(3, "debug output ready"); - }, - - padInt: function(i) - { - return (i < 10) ? '0' + i : i; - }, - - // Pref Observer Implementation //////////////////////////////////////////// - // topic: what event occurred - // subject: what nsIPrefBranch we're observing - // data: which pref has been changed (relative to subject) - observe: function(subject, topic, data) - { - if (topic != "nsPref:changed") return; - switch (data) { - case "extensions.torlauncher.logmethod": - this.mLogMethod = TorLauncherUtil.getIntPref( - "extensions.torlauncher.logmethod"); - break; - case "extensions.torlauncher.loglevel": - this.mLogLevel = TorLauncherUtil.getIntPref( - "extensions.torlauncher.loglevel"); - break; - } - } -}; - - -TLLoggerInternal._init(); diff --git a/config/chroot_local-includes/usr/share/tor-launcher-standalone/modules/tl-util.jsm b/config/chroot_local-includes/usr/share/tor-launcher-standalone/modules/tl-util.jsm deleted file mode 100644 index 17545451125179ab7c2d8d7b540b503170dd7f0f..0000000000000000000000000000000000000000 --- a/config/chroot_local-includes/usr/share/tor-launcher-standalone/modules/tl-util.jsm +++ /dev/null @@ -1,350 +0,0 @@ -// Copyright (c) 2014, The Tor Project, Inc. -// See LICENSE for licensing information. -// -// vim: set sw=2 sts=2 ts=8 et syntax=javascript: - -/************************************************************************* - * Tor Launcher Util JS Module - *************************************************************************/ - -let EXPORTED_SYMBOLS = [ "TorLauncherUtil" ]; - -const Cc = Components.classes; -const Ci = Components.interfaces; -const kPropBundleURI = "chrome://torlauncher/locale/torlauncher.properties"; -const kPropNamePrefix = "torlauncher."; - -let TorLauncherUtil = // Public -{ - get isMac() - { - return ("Darwin" == TLUtilInternal._OS); - }, - - get isWindows() - { - return ("WINNT" == TLUtilInternal._OS); - }, - - isAppVersionAtLeast: function(aVersion) - { - var appInfo = Cc["@mozilla.org/xre/app-info;1"] - .getService(Ci.nsIXULAppInfo); - var vc = Cc["@mozilla.org/xpcom/version-comparator;1"] - .getService(Ci.nsIVersionComparator); - return (vc.compare(appInfo.version, aVersion) >= 0); - }, - - // Error Reporting / Prompting - showAlert: function(aParentWindow, aMsg) - { - // TODO: alert() does not always resize correctly to fit the message. - try - { - if (!aParentWindow) - { - var wm = Cc["@mozilla.org/appshell/window-mediator;1"] - .getService(Ci.nsIWindowMediator); - aParentWindow = wm.getMostRecentWindow("TorLauncher:NetworkSettings"); - if (!aParentWindow) - aParentWindow = wm.getMostRecentWindow("navigator:browser"); - } - - var ps = Cc["@mozilla.org/embedcomp/prompt-service;1"] - .getService(Ci.nsIPromptService); - var title = this.getLocalizedString("error_title"); - ps.alert(aParentWindow, title, aMsg); - } - catch (e) - { - alert(aMsg); - } - }, - - showSaveSettingsAlert: function(aParentWindow, aDetails) - { - if (!aDetails) - aDetails = TorLauncherUtil.getLocalizedString("ensure_tor_is_running"); - - var s = TorLauncherUtil.getFormattedLocalizedString( - "failed_to_save_settings", [aDetails], 1); - this.showAlert(aParentWindow, s); - }, - - // Localized Strings - - // "torlauncher." is prepended to aStringName. - getLocalizedString: function(aStringName) - { - if (!aStringName) - return aStringName; - - try - { - var key = kPropNamePrefix + aStringName; - return TLUtilInternal._stringBundle.GetStringFromName(key); - } catch(e) {} - - return aStringName; - }, - - // "torlauncher." is prepended to aStringName. - getFormattedLocalizedString: function(aStringName, aArray, aLen) - { - if (!aStringName || !aArray) - return aStringName; - - try - { - var key = kPropNamePrefix + aStringName; - return TLUtilInternal._stringBundle.formatStringFromName(key, - aArray, aLen); - } catch(e) {} - - return aStringName; - }, - - getLocalizedBootstrapStatus: function(aStatusObj, aKeyword) - { - if (!aStatusObj || !aKeyword) - return ""; - - var result; - var fallbackStr; - if (aStatusObj[aKeyword]) - { - var val = aStatusObj[aKeyword].toLowerCase(); - var key; - if (aKeyword == "TAG") - { - if ("onehop_create" == val) - val = "handshake_dir"; - else if ("circuit_create" == val) - val = "handshake_or"; - - key = "bootstrapStatus." + val; - fallbackStr = aStatusObj.SUMMARY; - } - else if (aKeyword == "REASON") - { - if ("connectreset" == val) - val = "connectrefused"; - - key = "bootstrapWarning." + val; - fallbackStr = aStatusObj.WARNING; - } - - result = TorLauncherUtil.getLocalizedString(key); - if (result == key) - result = undefined; - } - - if (!result) - result = fallbackStr; - - return (result) ? result : ""; - }, - - // Preferences - getBoolPref: function(aPrefName, aDefaultVal) - { - var rv = (undefined != aDefaultVal) ? aDefaultVal : false; - - try - { - rv = TLUtilInternal.mPrefsSvc.getBoolPref(aPrefName); - } catch (e) {} - - return rv; - }, - - setBoolPref: function(aPrefName, aVal) - { - var val = (undefined != aVal) ? aVal : false; - try - { - TLUtilInternal.mPrefsSvc.setBoolPref(aPrefName, val); - } catch (e) {} - }, - - getIntPref: function(aPrefName, aDefaultVal) - { - var rv = aDefaultVal ? aDefaultVal : 0; - - try - { - rv = TLUtilInternal.mPrefsSvc.getIntPref(aPrefName); - } catch (e) {} - - return rv; - }, - - getCharPref: function(aPrefName, aDefaultVal) - { - var rv = aDefaultVal ? aDefaultVal : ""; - - try - { - rv = TLUtilInternal.mPrefsSvc.getCharPref(aPrefName); - } catch (e) {} - - return rv; - }, - - setCharPref: function(aPrefName, aVal) - { - try - { - TLUtilInternal.mPrefsSvc.setCharPref(aPrefName, aVal ? aVal : ""); - } catch (e) {} - }, - - get shouldStartAndOwnTor() - { - const kPrefStartTor = "extensions.torlauncher.start_tor"; - try - { - const kEnvSkipLaunch = "TOR_SKIP_LAUNCH"; - - var env = Cc["@mozilla.org/process/environment;1"] - .getService(Ci.nsIEnvironment); - if (env.exists(kEnvSkipLaunch)) - return ("1" != env.get(kEnvSkipLaunch)); - } catch(e) {} - - return this.getBoolPref(kPrefStartTor, true); - }, - - get shouldShowNetworkSettings() - { - const kPrefPromptAtStartup = "extensions.torlauncher.prompt_at_startup"; - try - { - const kEnvForceShowNetConfig = "TOR_FORCE_NET_CONFIG"; - - var env = Cc["@mozilla.org/process/environment;1"] - .getService(Ci.nsIEnvironment); - if (env.exists(kEnvForceShowNetConfig)) - return ("1" == env.get(kEnvForceShowNetConfig)); - } catch(e) {} - - return this.getBoolPref(kPrefPromptAtStartup, true); - }, - - get shouldOnlyConfigureTor() - { - const kPrefOnlyConfigureTor = "extensions.torlauncher.only_configure_tor"; - try - { - const kEnvOnlyConfigureTor = "TOR_CONFIGURE_ONLY"; - - var env = Cc["@mozilla.org/process/environment;1"] - .getService(Ci.nsIEnvironment); - if (env.exists(kEnvOnlyConfigureTor)) - return ("1" == env.get(kEnvOnlyConfigureTor)); - } catch(e) {} - - return this.getBoolPref(kPrefOnlyConfigureTor, false); - }, - - // Returns an array of strings or undefined if none are available. - get defaultBridgeTypes() - { - try - { - var prefBranch = Cc["@mozilla.org/preferences-service;1"] - .getService(Ci.nsIPrefService) - .getBranch("extensions.torlauncher.default_bridge."); - var childPrefs = prefBranch.getChildList("", []); - var typeArray = []; - for (var i = 0; i < childPrefs.length; ++i) - { - var s = childPrefs[i].replace(/\..*$/, ""); - if (-1 == typeArray.lastIndexOf(s)) - typeArray.push(s); - } - - return typeArray.sort(); - } catch(e) {}; - - return undefined; - }, - - // Returns an array of strings or undefined if none are available. - // The list is filtered by the default_bridge_type pref value. - get defaultBridges() - { - const kPrefName = "extensions.torlauncher.default_bridge_type"; - var filterType = this.getCharPref(kPrefName); - if (!filterType) - return undefined; - - try - { - var prefBranch = Cc["@mozilla.org/preferences-service;1"] - .getService(Ci.nsIPrefService) - .getBranch("extensions.torlauncher.default_bridge."); - var childPrefs = prefBranch.getChildList("", []); - var bridgeArray = []; - // The pref service seems to return the values in reverse order, so - // we compensate by traversing in reverse order. - for (var i = childPrefs.length - 1; i >= 0; --i) - { - var bridgeType = childPrefs[i].replace(/\..*$/, ""); - if (bridgeType == filterType) - { - var s = prefBranch.getCharPref(childPrefs[i]); - if (s) - bridgeArray.push(s); - } - } - - return bridgeArray; - } catch(e) {}; - - return undefined; - }, -}; - - -Object.freeze(TorLauncherUtil); - - -let TLUtilInternal = // Private -{ - mPrefsSvc : null, - mStringBundle : null, - mOS : "", - - _init: function() - { - this.mPrefsSvc = Cc["@mozilla.org/preferences-service;1"] - .getService(Ci.nsIPrefBranch); - }, - - get _stringBundle() - { - if (!this.mStringBundle) - { - this.mStringBundle = Cc["@mozilla.org/intl/stringbundle;1"] - .getService(Ci.nsIStringBundleService) - .createBundle(kPropBundleURI); - } - - return this.mStringBundle; - }, - - get _OS() - { - if (!this.mOS) try - { - var xr = Cc["@mozilla.org/xre/app-info;1"].getService(Ci.nsIXULRuntime); - this.mOS = xr.OS; - } catch (e) {} - - return this.mOS; - }, -}; - - -TLUtilInternal._init(); diff --git a/config/chroot_local-packageslists/tails-common.list b/config/chroot_local-packageslists/tails-common.list index b174c4f79c6cf4c9121ed1e6433d50455a3d4542..3b87f70aeb129f91a43776af6a827f0c218cfc0a 100644 --- a/config/chroot_local-packageslists/tails-common.list +++ b/config/chroot_local-packageslists/tails-common.list @@ -8,12 +8,10 @@ whisperback python-pyinotify # contains mkpasswd, needed in chroot_local-hooks/01-password whois +# needed by getTorBrowserUserAgent +unzip # needed in chroot_local-includes/etc/NetworkManager/dispatcher.d/50-htp.sh bind9-host -# needed by WhisperBack -python-gnutls -python-gtk2 -python-pyme # needed by tails-security-check libcarp-assert-perl libcarp-assert-more-perl @@ -24,7 +22,7 @@ liblwp-protocol-socks-perl libnet-ssleay-perl libwww-perl libxml-atom-perl -# needed by the upcoming virtualization environment warning +# needed by the virtualization environment warning virt-what # needed by htpdate curl @@ -36,11 +34,9 @@ libtry-tiny-perl pv # needed by our chroot_local-hooks live-build -# needed for initramfs-tools' COMPRESS=lzma -lzma # needed by tordate inotify-tools -# needed by gpgSymEncApplet +# needed by gpgApplet libencode-perl libglib-perl libgnupg-interface-perl @@ -52,8 +48,6 @@ gir1.2-panelapplet # needed by 20-time.sh libnotify-bin notification-daemon -# needed by unsafe-browser -zenity # needed by tails-documentation yelp # for /usr/local/sbin/tails-blocked-network-detector @@ -62,7 +56,7 @@ libparse-syslog-perl # needed by live-persist acl # needed by the Unsafe Browser -unzip +zenity # ships gksudo, needed by various wrappers of ours gksu @@ -93,12 +87,15 @@ dmz-cursor-theme dosfstools eatmydata ekeyd +electrum eog evince exiv2 file-roller florence fonts-cantarell +fonts-liberation +fonts-linuxlibertine gcalctool gdm3 gedit @@ -121,6 +118,7 @@ gnome-themes-standard gnome-user-guide gnupg-agent gnupg-curl +gnupg2 gobi-loader gobby-0.5 ## breaks lb because of desktop-base.postinst (see Debian bug #467620) @@ -147,6 +145,7 @@ isolinux ferm keepassx kexec-tools +keyringer memlockd less laptop-mode-tools @@ -164,16 +163,14 @@ monkeysign monkeysphere # our vidialia-wrapper needs lckdo moreutils -msmtp msva-perl -mutt nautilus nautilus-wipe nautilus-gtkhash network-manager-gnome ntfs-3g ntfsprogs -obfsproxy +obfs4proxy libreoffice-calc libreoffice-draw libreoffice-gnome @@ -191,6 +188,7 @@ libreoffice-l10n-ru libreoffice-l10n-vi libreoffice-l10n-zh-cn openssh-client +paperkey parted pidgin pidgin-otr @@ -200,11 +198,13 @@ plymouth poedit ppp pulseaudio +pulseaudio-utils pwgen p7zip-full resolvconf rfkill sane-utils +scdaemon scribus seahorse seahorse-daemon @@ -224,7 +224,6 @@ torsocks totem-plugins traverso ttf-dejavu -fonts-liberation tcpdump tcpflow tor @@ -241,6 +240,8 @@ vidalia vim-nox virtualbox-guest-utils wireless-tools +# needed for initramfs-tools' COMPRESS=xz +xz-utils #if ARCHITECTURE i386 amd64 open-vm-tools @@ -280,6 +281,8 @@ ibus-pinyin ibus-anthy ## Korean ibus-hangul +## Vietnamese +ibus-unikey ### l10n, i18n ## precompiled locales @@ -314,6 +317,7 @@ fonts-thai-tlwg ### CD burning brasero +cdrdao ### Accessibility ## mouse accessibility enhancements @@ -363,6 +367,7 @@ hpijs-ppds hplip hplip-cups printer-driver-escpr +printer-driver-gutenprint ### Make the MAT more powerful gir1.2-poppler-0.18 @@ -372,16 +377,6 @@ python-mutagen python-pdfrw python-poppler -### USB installer -python-qt4 -syslinux -gdisk -isomd5sum -mtools -python-configobj -python-qt4-dbus -python-urlgrabber - ### Windows8 theme ### gnome-theme-windows8 window-picker-applet diff --git a/config/chroot_local-patches/gdm-background.diff b/config/chroot_local-patches/gdm-background.diff index bc3c159ead3152d59d6c606239232181ccea6006..e1d43a912e96c766ac07ad28f776eeeb8295d42c 100644 --- a/config/chroot_local-patches/gdm-background.diff +++ b/config/chroot_local-patches/gdm-background.diff @@ -6,7 +6,7 @@ +[org.gnome.desktop.background] +picture-options='none' -+primary-color='#0064BA' ++primary-color='#204A87' + # Greeter session choice # ====================== diff --git a/config/chroot_local-patches/torsocks_liferea.patch b/config/chroot_local-patches/torsocks_liferea.patch new file mode 100644 index 0000000000000000000000000000000000000000..41921ccde614f3dadd02e3b235e36a4bcb56d3b9 --- /dev/null +++ b/config/chroot_local-patches/torsocks_liferea.patch @@ -0,0 +1,12 @@ +--- a/usr/share/applications/liferea.desktop 2015-02-15 12:58:23.564000000 +0000 ++++ b/usr/share/applications/liferea.desktop 2015-02-15 12:58:40.708000000 +0000 +@@ -124,7 +124,7 @@ + Comment[tr]=Haber kaynaklarını indir ve görüntüle + Comment[uk]=Звантаження і перегляд подач + Comment[zh_CN]=下载并查看 Feed +-Exec=liferea ++Exec=torsocks liferea + Icon=liferea + StartupNotify=true + Terminal=false + diff --git a/config/chroot_sources/jessie.binary b/config/chroot_sources/jessie.binary new file mode 120000 index 0000000000000000000000000000000000000000..945d62bc989306f993e7969b4470e2985ab12ce7 --- /dev/null +++ b/config/chroot_sources/jessie.binary @@ -0,0 +1 @@ +jessie.chroot \ No newline at end of file diff --git a/config/chroot_sources/jessie.chroot b/config/chroot_sources/jessie.chroot new file mode 100644 index 0000000000000000000000000000000000000000..b7f9385a9e157e461496ddf7429d7ae9206dda44 --- /dev/null +++ b/config/chroot_sources/jessie.chroot @@ -0,0 +1 @@ +deb http://ftp.us.debian.org/debian/ jessie main contrib non-free diff --git a/config/chroot_sources/tails.chroot.gpg b/config/chroot_sources/tails.chroot.gpg index 58e083e0eeec567ff207320c4ec1b6861bdbad8c..9bdedcffd1a51a5b9974619085783dd54cbd1988 100644 --- a/config/chroot_sources/tails.chroot.gpg +++ b/config/chroot_sources/tails.chroot.gpg @@ -1,5 +1,5 @@ -----BEGIN PGP PUBLIC KEY BLOCK----- -Version: GnuPG v1.4.11 (GNU/Linux) +Version: GnuPG v1.4.12 (GNU/Linux) mQINBE8tABgBEACoF5dsd+HJKGc65Y4OyfRnty8NS+VxCNdipUmXWH2xNNkFLwzr A/sYqveKJ/NJluqpfx5x8J2OA7pHSuzYlM6pV6ZMdGt1ojqNghoydYAHHvig5yN9 @@ -13,17 +13,17 @@ qoFIlB9E15cmHFCyg3YghdB4hFKoGQRnOJMJfhkwJwUtr+siAWVEmECm37xFwcYu +hr9uj1MLtA4rLwUdlss6w/mW/VFS3L2yemO1oT9FpADE/miAVEPdbOTtZN64rkp dUcYGw/5ChaiaBaBtMjLsGeNINLvxJ/TVbLYCE6/Tqfu74DNxn2GftNiNwARAQAB tCZkZWIudGFpbHMuYm91bS5vcmcgYXJjaGl2ZSBzaWduaW5nIGtleYkCPgQTAQIA -KAUCTy0AGAIbAwUJBaOagAYLCQgHAwIGFQgCCQoLBBYCAwECHgECF4AACgkQx5iO -p6NY2C50ag//XG8c0FQPSLkfUeuM2TTjlKW1ogA/LifvuuG8ORfewt5fMADC9A/f -sxURkhZ9q8+dQnVgF7pPtF57NCe69UoCB6PLR01nc98ruzOHhPC0Hu9wXX254iTr -cQvUCmI/9e5okEt64BaRSs/0e1Q3iuajkY+IknjI7MYD8HbNbKPbKyKZdZoxqB6b -I2RgFPgvviP0e2ZHnAQJ2N7VApoM+KN2UZoQ3iRzqkbgaSNWYwSP6IqgtHNityNv -aYvufGtFHb1kS3i9VrkHk+AIZtY9iMlGrR5VTVLMm4CYgU4Cy0yFszWC6QFJYc02 -ogyOqxkbokbiFoqIbRfphKxbrfzqnUh2xhoTRQU7/bLQcX7vYjJm28k4hLqwgOu9 -RKVK1BI+hMJz6h9zU7UlOcl1hcoBNCr5r8kNM/y6g6DG/jN8lW7qlyopq/qCWHsE -w2RbkOeqTRsKj8QKdfMnSqKakVvLdrKIIidnX7ktOmhKn6UNPE0W/ld1G2BErLlR -0Ez+pyK2fPDVf9CwFNIEQxFEyRgToCzkT7xZYFGB1VwE1A2YPJpn4toU/ts/rTvo -TnSmtZezhTOa6yruUP8BgNHWx80jnHT5qGHyZAqAIxsGEv3o9Ne9RzntV7MFGrqJ -yY/pHJBobD/b5h1XB8WQ727Wy1nzyfzJvaQCuowLGGuRJKzS6Tr7ejY= -=zQqL +KAIbAwYLCQgHAwIGFQgCCQoLBBYCAwECHgECF4AFAlTE33wFCQd5EtsACgkQx5iO +p6NY2C4Zhg//bqLuRrXdZVPd9pgttwvTaqL4BxHloDK5eNKipYc/xYiL9dL8BDIT +SPiFDyLZmZ5bwr0eALtw68QbJI5+IzfhI5s1Xp5XW+qa1Of0JchL1NGLjoCXtyP8 +FI23qVV7ib38oCrHsnxhmAy+T8OldhUed/tVVMsnNyty/eSoofyjsC60RfBRSeM8 +/C6AnqF0POv5x8GcKonocykkcZIQWFgCjrwEFcfdzt67aqBDR+qD6hd+W4BquL8x +wFIKpDJwJh+QDfg8wC8K9h2nHfPY+yTqe77PQ3NPGQ4whtTE4y2+X/JPRAQ20Mwe +jraoEfKAQ34v73sgcBYqC1LPZA1/hNn7hJJYm+By0aQA1cB/wlx4iGMRdfqGLF/N +S1rLNwqNxl08wvhuzCcZ44qZPN0E5cqJWZJzun9zKo3HoaUycNS1AdGlS/mBDpsO +VhsASnTanOvoKc3SiqGLJaGUJDT8WvSSw2Kh7AhrvBuWcdivFN/9Ax6+q/Tb+sn1 +IuH8TDjOUTUfZejswkW7KFxz8wxHuzHVGI8C5dgm7OWuC/SBsB7FBu3Y088p2zpi +6ukcvMSg6MlHQtIQuLNpG6EI4CvR3LFWzRheUkY7hmizIBZfoJowlZEG9mI6wMTT +/TeS0U1mjhBrsxk/N04BRatezMwvtrIb+Pnb4ERWtJaGyhAiDvYoZys= +=XL2I -----END PGP PUBLIC KEY BLOCK----- diff --git a/config/chroot_sources/torproject-obfs4proxy.binary b/config/chroot_sources/torproject-obfs4proxy.binary new file mode 120000 index 0000000000000000000000000000000000000000..aba02739452e8bf50a5703b7367c2714cf650145 --- /dev/null +++ b/config/chroot_sources/torproject-obfs4proxy.binary @@ -0,0 +1 @@ +torproject-obfs4proxy.chroot \ No newline at end of file diff --git a/config/chroot_sources/torproject-obfs4proxy.chroot b/config/chroot_sources/torproject-obfs4proxy.chroot new file mode 100644 index 0000000000000000000000000000000000000000..59e336415f2463b1cea5d3edbe8de010d6e3f16c --- /dev/null +++ b/config/chroot_sources/torproject-obfs4proxy.chroot @@ -0,0 +1 @@ +deb http://deb.torproject.org/torproject.org obfs4proxy main diff --git a/debian/changelog b/debian/changelog index d3c526f00d2c64ed6cfc418d379029529faa85b1..a4f3021542f2eb58e490caff0c5ff7a1fbe819bd 100644 --- a/debian/changelog +++ b/debian/changelog @@ -1,8 +1,518 @@ -tails (1.3) UNRELEASED; urgency=medium +tails (1.4.1) UNRELEASED; urgency=medium - * Placeholder for next major release. + * Dummy entry. - -- Tails developers <tails@boum.org> Wed, 15 Oct 2014 20:47:37 +0200 + -- Tails developers <tails@boum.org> Tue, 12 May 2015 17:19:13 +0200 + +tails (1.4) unstable; urgency=medium + + * Major new features + - Upgrade Tor Browser to 4.5.1, based on Firefox 31.7.0 ESR, which + introduces many major new features for usability, security and + privacy. Unfortunately its per-tab circuit view did not make it + into Tails yet since it requires exposing more Tor state to the + user running the Tor Browser than we are currently comfortable + with. (Closes: #9031, #9369) + - Upgrade Tor to 0.2.6.7-1~d70.wheezy+1+tails2. Like in the Tor + bundled with the Tor Browser, we patch it so that circuits used + for SOCKSAuth streams have their lifetime increased indefinitely + while in active use. This currently only affects the Tor Browser + in Tails, and should improve the experience on certain web sites + that otherwise would switch language or log you out every ten + minutes or so when Tor switches circuit. (Closes: #7934) + + * Security fixes + - tor-browser wrapper script: avoid offering avenues to arbitrary + code execution to e.g. an exploited Pidgin. AppArmor Ux rules + don't sanitize $PATH, which can lead to an exploited application + (that's allowed to run this script unconfined, e.g. Pidgin) + having this script run arbitrary code, violating that + application's confinement. Let's prevent that by setting PATH to + a list of directories where only root can write. (Closes: #9370) + - Upgrade Linux to 3.16.7-ckt9-3. + - Upgrade curl to 7.26.0-1+wheezy13. + - Upgrade dpkg to 1.16.16. + - Upgrade gstreamer0.10-plugins-bad to 0.10.23-7.1+deb7u2. + - Upgrade libgd2-xpm to 2.0.36~rc1~dfsg-6.1+deb7u1. + - Upgrade openldap to 2.4.31-2. + - Upgrade LibreOffice to 1:3.5.4+dfsg2-0+deb7u4. + - Upgrade libruby1.9.1 to 1.9.3.194-8.1+deb7u5. + - Upgrade libtasn1-3 to 2.13-2+deb7u2. + - Upgrade libx11 to 2:1.5.0-1+deb7u2. + - Upgrade libxml-libxml-perl to 2.0001+dfsg-1+deb7u1. + - Upgrade libxml2 to 2.8.0+dfsg1-7+wheezy4. + - Upgrade OpenJDK to 7u79-2.5.5-1~deb7u1. + - Upgrade ppp to 2.4.5-5.1+deb7u2. + + * Bugfixes + - Disable security warnings when connecting to POP3 and IMAP ports. + (Closes: #9327) + - Make the Windows 8 browser theme compatible with the Unsafe and I2P + browsers. (Closes: #9138) + - Hide Torbutton's "Tor Network Settings..." context menu entry. + (Closes: #7647) + - Upgrade the syslinux packages to support booting Tails on + Chromebook C720-2800. (Closes: #9044) + - Enable localization in Tails Upgrader. (Closes: #9190) + - Make sure the system clock isn't before the build date during + early boot. Our live-config hook that imports our signing keys + depend on that the system clock isn't before the date when the + keys where created. (Closes: #9149) + - Set GNOME's OpenPGP keys via desktop.gnome.crypto.pgp to prevent + us from getting GNOME's default keyserver in addition to our + own. (Closes: #9233) + - Prevent Firefox from crashing when Orca is enabled: grant + it access to assistive technologies in its Apparmor + profile. (Closes: #9261) + - Add Jessie APT source. (Closes: #9278) + - Fix set_simple_config_key(). If the key already existed in the + config file before the call, all other lines would be removed + due to the sed option -n and p combo. (Closes: #9122) + - Remove illegal instance of local outside of function definition. + Together with `set -e` that error has prevented this script from + restarting Vidalia, like it should. (Closes: #9328) + + * Minor improvements + - Upgrade I2P to 0.9.19-3~deb7u+1. + - Install Tor Browser's bundled Torbutton instead of custom .deb. + As of Torbutton 1.9.1.0 everything we need has been upstreamed. + - Install Tor Browser's bundled Tor Launcher instead of our + in-tree version. With Tor 0.2.6.x our custom patches for the + ClientTransportPlugin hacks are not needed any more. (Closes: + #7283) + - Don't install msmtp and mutt. (Closes: #8727) + - Install fonts-linuxlibertine for improved Vietnamese support in + LibreOffice. (Closes: #8996) + - Remove obsoletete #i2p-help IRC channel from the Pidgin + configuration (Closes: #9137) + - Add Gedit shortcut to gpgApplet's context menu. Thanks to Ivan + Bliminse for the patch. (Closes: #9069). + - Install printer-driver-gutenprint to support more printer + models. (Closes: #8994). + - Install paperkey for off-line OpenPGP key backup. (Closes: #8957) + - Hide the Tor logo in Tor Launcher. (Closes: #8696) + - Remove useless log() instance in tails-unblock-network. (Closes: + #9034) + - Install cdrdao: this enables Brasero to burn combined data/audio + CDs and to do byte-to-byte disc copy. + - Hide access to the Add-ons manager in the Unsafe Browser. It's + currently broken (#9307) but we any way do not want users to + install add-ons in the Unsafe Browser. (Closes: #9305) + - Disable warnings on StartTLS for POP3 and IMAP (Will-fix: #9327) + The default value of this option activates warnings on ports + 23,109,110,143. This commit disables the warnings for POP3 and + IMAP as these could be equally used in encrypted StartTLS + connections. (Closes: #9327) + - Completely rework how we localize our browser by generating our + branding add-on, and search plugins programatically. This + improves the localization for the ar, es, fa, ko, nl, pl, ru, + tr, vi and zh_CN locales by localizing the Startpage and + Disconnect.me search plugins. Following Tor Browser 4.5's recent + switch, we now use Disconnect.me as the default search + engine. (Closes: #9309) + * Actively set Google as the Unsafe Browser's default search + engine. + + * Build system + - Encode in Git which APT suites to include when building Tails. + (Closes: #8654) + - Clean up the list of packages we install. (Closes: #6073) + - Run auto/{build,clean,config} under `set -x' for improved + debugging. + - Zero-pad our ISO images so their size is divisible by 2048. + The data part of an ISO image's sectors is 2048 bytes, which + implies that ISO images should always have a size divisible + by 2048. Some applications, e.g. VirtualBox, use this as a sanity + check, treating ISO images for which this isn't true as garbage. + Our isohybrid post-processing does not ensure this, + however. Also Output ISO size before/after isohybrid'ing and + truncate'ing it. This will help detect if/when truncate is + needed at all, so that we can report back to syslinux + maintainers more useful information. (Closes: #8891) + - Vagrant: raise apt-cacher-ng's ExTreshold preference to 50. The + goal here is to avoid Tor Browser tarballs being deleted by + apt-cacher-ng's daily expiration cronjob: they're not listed in + any APT repo's index file, so acng will be quite eager to clean + them up. + + * Test suite + - Bring dependency checks up-to-date (Closes: #8988). + - Adapt test suite to be run on Debian Jessie, which includes + removing various Wheezy-specific workarounds, adding a few + specific to Jessie, migrating from ffmpeg to libav, and + more. (Closes: #8165) + - Test that MAT can see that a PDF is dirty (Closes: #9136). + - Allow throwing Timeout::Error in try_for() blocks, as well as + nested try_for() (Closes: #9189, #9290). + - Read test suite configuration files from the features/config/local.d + directory. (Closes: #9220) + - Kill virt-viewer with SIGTERM, not SIGINT, to prevent hordes of + zombie processes from appearing. (Closes: #9139) + - Kill Xvfb with SIGTERM, not SIGKILL, on test suite exit to allow + it to properly clean up. (Closes: #8707) + - Split SSH & SFTP configs in the test suite. (Closes: #9257) + - Improve how we start subprocesses in the test suite, mostly by + bypassing the shell for greater security and robustness (Closes: + #9253) + - Add Electrum test feature. (Closes #8963) + - Test that Tails Installer detects when USB devices are + removed. (Closes: #9131) + - Test Tails Installer with devices which are too small. (Closes: + #9129) + - Test that the Report an Error launcher works in German. (Closes: + #9143) + - Verify that no extensions are installed in the Unsafe Browser + using about:support instead of about:addons, which is broken + (#9307). (Closes: #9306) + - Retry GNOME application menu actions when they glitch. The + GNOME application menus seem to have issues with clicks or + hovering actions not registering, and hence sometimes submenus + are not opened when they should, and sometimes clicks on the + final application shortcut are lost. There seems to be a + correlation between this and CPU load on the host running the + test suite. We workaround this by simply re-trying the last + action when it seems to fail. (Closes: #8928) + - Work around Seahorse GUI glitchiness (Closes: #9343): + * When Seahorse appears to be frozen--apparently due to network + issues--it can often be worked around by refreshing the screen + or activating a new window. + * Open Seahorse's preferences dialog using the mouse. + * Access menu entries with the mouse. + - Wait for systray icons to finish loading before interacting with + the systray. (Closes: #9258) + - Test suite configuration: generalize local.d support to *.d. We + now load features/config/*.d/*.yml. + - Use code blocks in "After Scenario" hooks. This is much simpler + to use (and more readable!) compared to hooking functions and + arguments like we used to do. + - Create filesystem share sources in the temporary directory and + make them world-readable. (Closes: #8950) + + -- Tails developers <tails@boum.org> Mon, 11 May 2015 16:45:04 +0200 + +tails (1.3.2) unstable; urgency=medium + + * Security fixes + - Upgrade Tor Browser to 4.0.6, based on Firefox 31.6.0 ESR. + - Upgrade OpenSSL to 1.0.1e-2+deb7u16. + + * Bugfixes + - Make Florence usable with touchpads by forcing syndaemon to + always use the `-t` option, which only disables tapping and + scrolling and not mouse movements (Closes: #9011). + - Make tails-spoof-mac log the correct macchanger exit code on + failure (Closes: #8687). + - Tails Installer: + · Ignore devices with less than 3.5 GB of storage since they + do not fit a Tails installation (Closes: #6538). + · Remove devices from the device list as they are unplugged + (Closes: #8691). + + * Minor improvements + - Install obfs4proxy 0.0.4-1~tpo1, which adds support for + client-mode ScrambleSuit. + - Don't start Vidalia if Windows Camouflage is enabled. (Closes: + #7400) + - I2P Browser: + · Remove "Add-ons" from the Tools menu, and hide "Keyboard + Shortcuts" and "Take a Tour" since they point to resources on + the open Internet (Closes: #7970). + · Hide TorButton button from the customize toolbar options, and + remove configs whose only purpose was to make Torbutton "green" + (Closes: #8893). + + * Test suite + - New tests: + · Test non-LAN SSH, and SFTP via GNOME's "Connect to Server" + (Closes: #6308). + · Verify that Tails' Tor binary has the expected Tor authorities + hard coded (Closes: #8960). + - Improvements: + · Programmatically determine the supported languages when testing + the Unsafe Browser (Closes: #8918). + · Rename --temp-dir to --tmpdir and make it behave more like + mktemp, and honour TMPDIR if set in the environment. (Closes: + #8709). + - Bugfixes: + · Make --temp-dir (now --tmpdir) actually work. + + -- Tails developers <tails@boum.org> Mon, 30 Mar 2015 16:54:20 +0200 + +tails (1.3.1) unstable; urgency=medium + + * Security fixes + - Upgrade Tor Browser to 4.0.5, based on Firefox 31.5.3 ESR. This addresses: + · https://www.mozilla.org/en-US/security/advisories/mfsa2015-28/ + · https://www.mozilla.org/en-US/security/advisories/mfsa2015-29/ + - Upgrade Linux to 3.16.7-ckt7-1. + - Upgrade libxfont to 1:1.4.5-5. + - Upgrade OpenSSL to 1.0.1e-2+deb7u15. + - Upgrade tcpdump to 4.3.0-1+deb7u2. + - Upgrade bsdtar to 3.0.4-3+wheezy1. + - Upgrade CUPS to 1.5.3-5+deb7u5. + - Upgrade file and libmagic to 5.11-2+deb7u8. + - Upgrade GnuPG to 1.4.12-7+deb7u7. + - Upgrade libarchive to 3.0.4-3+wheezy1. + - Upgrade libav to 6:0.8.17-1. + - Upgrade FreeType 2 to 2.4.9-1.1+deb7u1. + - Upgrade libgcrypt11 1.5.0-5+deb7u3. + - Upgrade libgnutls26 to 2.12.20-8+deb7u3. + - Upgrade libgtk2-perl to 2:1.244-1+deb7u1. + - Upgrade ICU to 4.8.1.1-12+deb7u2. + - Upgrade NSS to 2:3.14.5-1+deb7u4. + - Upgrade libssh2 to 1.4.2-1.1+deb7u1. + + * Bugfixes + - Upgrade Tor to 0.2.5.11-1~d70.wheezy+1+tails1. Changes include: + · Directory authority changes. + · Fix assertion errors that may trigger under high DNS load. + · No longer break on HUP with seccomp2 enabled. + · and more - please consult the upstream changelog. + - Upgrade Tor Launcher to 0.2.7.2, and update the test suite accordingly + (Closes: #8964, #6985). Changes include: + · Ask about bridges before proxy in wizard. + · Hide logo if TOR_HIDE_BROWSER_LOGO set. + · Remove firewall prompt from wizard. + · Feedback when “Copy Tor Log” is clicked. + · Improve behavior if tor exits. + · Add option to hide TBB's logo + · Change "Tor Browser Bundle" to "Tor Browser" + · Update translations from Transifex. + - Fix the Tor Launcher killer. (Closes: #9067) + - Allow Seahorse to communicate with keyservers when run from Tails + OpenPGP Applet. (Closes: #6394) + - SSH client: don't proxy connections to 172.17.* to 172.31.*. + (Closes: #6558) + - Repair config/chroot_local-packages feature, that was broken in Tails 1.3 + by 19-install-tor-browser-AppArmor-profile. (Closes: #8910) + - language_statistics.sh: count original words instead of translated words. + Otherwise we get >100% translation if translated strings are longer than + original strings. (Closes: #9016) + + * Minor improvements + - Only ship the new Tails signing key, and have Tails Upgrader stop trusting + the old one. Update the documentation and test suite accordingly. + (Closes: #8735, #8736, #8882, #8769, #8951) + - Polish and harden a bit the WhisperBack configuration (Closes: #8991): + · Only allow the `amnesia' user to run tails-debugging info as root + with no arguments. + · Fix spelling and grammar mistakes, improve phrasing a bit. + · Quote variables consistently. + + * Test suite + - New tests: + · Chatting over XMPP in Pidgin, both peer-to-peer and in a multi-user + chatroom. (Closes: #8002) + · Chatting with OTR enabled over XMPP in Pidgin. (Closes: #8001) + · Check that Pidgin only responds to the expected CTCP requests. + (Closes: #8966) + · Fetching keys using Seahorse started via the OpenPGP Applet. + · Sync'ing keys using Seahorse. + - Bugfixes: + · Fix a race condition between the remote shell's and Tails Greeter's + startup, by making sure the remote shell is ready before we start + GDM. (Closes: #8941) + · Kill virt-viewer properly. (Closes: #9070) + · Make sure the display is stopped on destroy_and_undefine(). + Where we had it earlier, it could be skipped if anything else in the + block threw an exception. + · Fix wrong use of "$@". (Closes: #9071) + · Enable the pipefail option in run_test_suite. + · Improve the GNOME screenshot test's robustness. (Closes: #8952) + - Refactoring: + · turn the focus_pidgin_window() helper into a more generic + VM.focus_xorg_window() one. + · Reorganize the Display class. + · Use clearer method to check process status in the Display class. + - New developer-oriented features: + · Add a --log-to-file option to run_test_suite. (Closes: #8894) + · Add helpers for generating random strings. + · Make it possible to hook arbitrary calls on scenario end. This is useful + for dynamically adding cleanup functions, instead of having + to explicitly deal with them in some After hook. + + -- Tails developers <tails@boum.org> Mon, 23 Mar 2015 12:34:56 +0000 + +tails (1.3) unstable; urgency=medium + + * Major new features + - Produce the Tails image in hybrid mode (again) so that the same + image can be installed both on DVD *and* "hard disks" like USB + storage and similar. (Closes: #8510) + - Confine the Tor Browser using AppArmor. (Closes: #5525) + - Install the Electrum bitcoin client from wheezy-backports, and + add a persistence preset for the Live user's bitcoin wallet. If + electrum is started without the persistence preset enabled, a + warning is shown. (Closes: #6739) + + * Security fixes + - Upgrade Tor Browser to 4.0.4 (based on Firefox 31.5.0esr) + (Closes: #8938). + + * Bugfixes + - Have tor_bootstrap_progress echo 0 if no matching log line is + found. (Closes: #8257) + - Always pass arguments through wrappers (connect-socks, totem, + wget, whois) with "$@". $* doesn't handle arguments with + e.g. embedded spaces correctly. (Closes: #8603, #8830) + - Upgrade Linux to 3.16.7-ckt4-3. + + * Minor improvements + - Install a custom-built Tor package with Seccomp enabled; + enable the Seccomp sandbox when no pluggable transport is used. + (Closes: #8174) + - Install obfs4proxy instead of obfsproxy, which adds support for + the obfs4 Tor pluggable transport. (Closes: #7980) + - Install GnuPG v2 and associated tools from wheezy-backports, + primarily for its improved support for OpenPGP smartcards. It + lives side-by-side with GnuPG v1, which still is the + default. (Closes: #6241) + - Install ibus-unikey, a Vietnamese input method for IBus. (Closes: + #7999) + - Install torsocks (2.x) from wheezy-backports. (Closes: #8220) + - Install keyringer from Debian Jessie. (Closes: #7752) + - Install pulseaudio-utils. + - Remove all traces of Polipo: we don't use it anymore. This + closes #5379 and #6115 because: + * Have APT directly use the Tor SOCKS proxy. (Closes: #8194) + * Wrap wget with torsocks. (Closes: #6623) + * Wrap Totem to torify it with torsocks. (Closes: #8219) + * Torify Git with tsocks, instead of setting GIT_PROXY_COMMAND. + (Closes: #8680) + - Use torsocks for whois and Gobby, instead of torify. + - Upgrade I2P to 0.9.18-1~deb7u+1. + - Refactor the Unsafe and I2P browser code into a common shell + library. A lot of duplicated code is now shared, and the code + has been cleaned up and made more reliable. Several + optimizations of memory usage and startup time were also + implemented. (Closes: #7951) + - Invert Exit and About in gpgApplet context menu. This is a + short-term workaround for making it harder to exit the + application by mistake (e.g. a double right-click). (Closes: + #7450) + - Implement new touchpad settings. This enables tap-to-click, + 2-fingers scrolling, and disable while typing. We don't enable + reverse scrolling nor horizontal scrolling. (Closes: #7779) + - Include the mount(8) output and live-additional-software.conf in + WhisperBack bug reports (Closes: #8719, #8491). + - Reduce brightness and saturation of background color. (Closes: + #7963) + - Have ALSA output sound via PulseAudio by default. This gives us + centralized sound volume controls, and... allows to easily, and + automatically, test that audio output works from Tor Browser, + thanks to the PulseAudio integration into the GNOME sound + control center. + - Import the new Tails signing key, which we will use for Tails + 1.3.1, and have Tails Upgrader trust both it and the "old" + (current) Tails signing key. (Closes: #8732) + - tails-security-check: error out when passed an invalid CA file. + Unfortunately, the underlying HTTPS stack we use here fails open + in those case, so we have to check it ourselves. Currently, we + check that the file exists, is readable, is a plain file and is + not empty. Also support specifying the CA file via an + environment variable. This will ease development and bug-fixing + quite a bit. + - Fix racy code in Tails Installer that sometimes made the + automated test suite stall for scenarios installing Tails + to USB disks. (Closes: #6092) + - Make it possible to use Tails Upgrader to upgrade a Tails + installation that has cruft files on the system partition. + (Closes: #7678) + + * Build system + - Install syslinux-utils from our builder-wheezy APT repository in + Vagrant. We need version 6.03~pre20 to make the Tails ISO image + in hybrid mode + - Update deb.tails.boum.org apt repo signing key. (Closes: #8747) + - Revert "Workaround build failure in lb_source, after creating + the ISO." This is not needed anymore given the move to the Tor + SOCKS proxy. (Closes: #5307) + - Remove the bootstrap stage usage option and disable all + live-build caching in Vagrant. It introduces complexity and + potential for strange build inconsistencies for a meager + reduction in build time. (Closes: #8725) + - Hardcode the mirrors used at build and boot time in auto/config. + Our stuff will be more consistent, easier to reproduce, and our + QA process will be more reliable if we all use the same mirrors + at build time as the ones we configure in the ISO. E.g. we won't + have issues such as #8715 again. (Closes: #8726) + - Don't attempt to retrieve source packages from local-packages so + local packages can be installed via + config/chroot_local-packages. (Closes: #8756) + - Use our own Tor Browser archive when building an ISO. (Closes: + #8125) + + * Test suite + - Use libguestfs instead of parted when creating partitions and + filsystems, and to check that only the expected files + persist. We also switch to qcow2 as the default disk image + format everywhere to reduce disk usage, enable us to use + snapshots that includes the disks (in the future), and to use + the same steps for creating disks in all tests. (Closes: #8673) + - Automatically test that Tails ignores persistence volumes stored + on non-removable media, and doesn't enable swaps. (Closes: + #7822) + - Actually make sure that Tails can boot from live systems stored + on a hard drive. Running the 'I start Tails from DVD ...' step + will override the earlier 'the computer is set to boot from ide + drive "live_hd"' step, so let's make the "from DVD" part + optional; it will be the default any way. + - Make it possible to use an old iso with different persistence + presets. (Closes: #8091) + - Hide the cursor between steps when navigating the GNOME + applications menu. This makes it a bit more robust, again: + sometimes the cursor is partially hiding the menu entry we're + looking for, hence preventing Sikuli from finding it (in + particular when it's "Accessories", since we've just clicked on + "Applications" which is nearby). (Closes: #8875) + - Ensure that the test will fail if "apt-get X" commands fail. + - Test 'Tor is ready' notification in a separate scenario. (Closes: + #8714) + - Add automated tests for torified wget and whois. This should + help us identify future regressions such as #8603 in their + torifying wrappers. + - Add automated test for opening an URL from Pidgin. + - And add automated tests for the Tor Browser's AppArmor + sandboxing. + - Test that "Report an Error Launcher" opens the support + documentation. + - Test that the Unsafe Browser: + * starts in various locales. + * complains when DNS isn't configured. + * tears down its chroot on shutdown. + * runs as the correct user. + * has no plugins or add-ons installed. + * has no unexpected bookmarks. + * has no proxy configured. + - Bump the "I2P router console is ready" timeout in its test to + deal with slow Internet connections. + - Make the automatic tests of gpgApplet more robust by relying + more on graphical elements instead of keyboard shortcuts and + static sleep():s. (Closes: #5632) + - Make sure that enough disk space is available when creating + virtual storage media. (Closes: #8907) + - Test that the Unsafe Browser doesn't generate any non-user + initiated traffic, and in particular that it doesn't check for + upgrades, which is a regression test for #8694. (Closes: #8702) + - Various robustness improvements to the Synaptic tests. (Closes: + #8742) + - Automatically test Git. (Closes: #6307) + - Automatically test GNOME Screenshot, which is a regression test + for #8087. (Closes: #8688) + - Fix a quoting issue with `tails_persistence_enabled?`. (Closes: + #8919) + - Introduce an improved configuration system that also can store + local secrets, like user credentials needed for some + tests. (Closes: #6301, #8188) + - Actually verify that we successfully set the time in our time + syncing tests. (Closes: #5836) + - Automatically test Tor. This includes normal functionality and + the use pluggable transports, that our Tor enforcement is + effective (e.g. only the Tor network or configured bridges are + contacted) and that our stream isolation configuration is + working. (Closes: #5644, #6305, #7821) + + -- Tails developers <tails@boum.org> Mon, 23 Feb 2015 17:14:00 +0100 tails (1.2.3) unstable; urgency=medium diff --git a/features/apt.feature b/features/apt.feature index e86d3c60d41b508e3763ea3e21c589b5e6e41e97..0aa70ed3d3ae06028cddac81d93c309d047b3c36 100644 --- a/features/apt.feature +++ b/features/apt.feature @@ -7,13 +7,12 @@ Feature: Installing packages through APT Background: Given a computer - And I capture all network traffic And I start the computer And the computer boots Tails And I enable more Tails Greeter options And I set sudo password "asdf" And I log in to a new session - And GNOME has started + And the Tails desktop is ready And Tor is ready And all notifications have disappeared And available upgrades have been checked @@ -22,13 +21,13 @@ Feature: Installing packages through APT Scenario: APT sources are configured correctly Then the only hosts in APT sources are "ftp.us.debian.org,security.debian.org,backports.debian.org,deb.tails.boum.org,deb.torproject.org,mozilla.debian.net" + @check_tor_leaks Scenario: Install packages using apt-get When I update APT using apt-get Then I should be able to install a package using apt-get - And all Internet traffic has only flowed through Tor + @check_tor_leaks Scenario: Install packages using Synaptic When I start Synaptic And I update APT using Synaptic Then I should be able to install a package using Synaptic - And all Internet traffic has only flowed through Tor diff --git a/features/build.feature b/features/build.feature index 4cc0b65053d70e84842a9a6601fb1f7808c1de50..74d314de243474a88ba51690f2ae0824c543a17f 100644 --- a/features/build.feature +++ b/features/build.feature @@ -4,72 +4,209 @@ Feature: custom APT sources to build branches the proper APT sources were automatically picked depending on which Git branch I am working on. - Scenario: build from an untagged stable branch - Given I am working on the stable branch - And last released version mentioned in debian/changelog is 1.0 + Scenario: build from an untagged stable branch where the config/APT_overlays.d directory is empty + Given I am working on the stable base branch + And the last version mentioned in debian/changelog is 1.0 And Tails 1.0 has not been released yet - When I run tails-custom-apt-sources + And the config/APT_overlays.d directory is empty + When I successfully run tails-custom-apt-sources + Then I should see only the 'stable' suite + + Scenario: build from an untagged stable branch where config/APT_overlays.d is not empty + Given I am working on the stable base branch + And the last version mentioned in debian/changelog is 1.0 + And Tails 1.0 has not been released yet + And config/APT_overlays.d contains 'feature-foo' + And config/APT_overlays.d contains 'bugfix-bar' + When I successfully run tails-custom-apt-sources Then I should see the 'stable' suite - Then I should not see the '1.0' suite + And I should see the 'feature-foo' suite + And I should see the 'bugfix-bar' suite + But I should not see the '1.0' suite - Scenario: build from a tagged stable branch + Scenario: build from a tagged stable branch where the config/APT_overlays.d directory is empty Given Tails 0.10 has been released - And last released version mentioned in debian/changelog is 0.10 - And I am working on the stable branch - When I run tails-custom-apt-sources - Then I should see the '0.10' suite + And the last version mentioned in debian/changelog is 0.10 + And I am working on the stable base branch + And the config/APT_overlays.d directory is empty + When I successfully run tails-custom-apt-sources + Then I should see only the '0.10' suite - Scenario: build from a bugfix branch for a stable release + Scenario: build from a tagged stable branch where config/APT_overlays.d is not empty Given Tails 0.10 has been released - And last released version mentioned in debian/changelog is 0.10 - And I am working on the bugfix/disable_gdomap branch based on 0.10 + And the last version mentioned in debian/changelog is 0.10 + And I am working on the stable base branch + And config/APT_overlays.d contains 'feature-foo' When I run tails-custom-apt-sources - Then I should see the '0.10' suite + Then it should fail + + Scenario: build from a bugfix branch without overlays for a stable release + Given Tails 0.10 has been released + And the last version mentioned in debian/changelog is 0.10.1 + And Tails 0.10.1 has not been released yet + And I am working on the bugfix/disable_gdomap branch based on stable + And the config/APT_overlays.d directory is empty + When I successfully run tails-custom-apt-sources + Then I should see only the 'stable' suite + + Scenario: build from a bugfix branch with overlays for a stable release + Given Tails 0.10 has been released + And the last version mentioned in debian/changelog is 0.10.1 + And Tails 0.10.1 has not been released yet + And I am working on the bugfix/disable_gdomap branch based on stable + And config/APT_overlays.d contains 'bugfix-disable-gdomap' + And config/APT_overlays.d contains 'bugfix-bar' + When I successfully run tails-custom-apt-sources + Then I should see the 'stable' suite And I should see the 'bugfix-disable-gdomap' suite + And I should see the 'bugfix-bar' suite + But I should not see the '0.10' suite - Scenario: build from an untagged testing branch - Given I am working on the testing branch - And last released version mentioned in debian/changelog is 0.11 + Scenario: build from an untagged testing branch where the config/APT_overlays.d directory is empty + Given I am working on the testing base branch + And the last version mentioned in debian/changelog is 0.11 And Tails 0.11 has not been released yet - When I run tails-custom-apt-sources + And the config/APT_overlays.d directory is empty + When I successfully run tails-custom-apt-sources Then I should see the 'testing' suite And I should not see the '0.11' suite + And I should not see the 'feature-foo' suite + And I should not see the 'bugfix-bar' suite - Scenario: build from a tagged testing branch - Given I am working on the testing branch - And last released version mentioned in debian/changelog is 0.11 + Scenario: build from an untagged testing branch where config/APT_overlays.d is not empty + Given I am working on the testing base branch + And the last version mentioned in debian/changelog is 0.11 + And Tails 0.11 has not been released yet + And config/APT_overlays.d contains 'feature-foo' + And config/APT_overlays.d contains 'bugfix-bar' + When I successfully run tails-custom-apt-sources + Then I should see the 'testing' suite + And I should see the 'feature-foo' suite + And I should see the 'bugfix-bar' suite + But I should not see the '0.11' suite + + Scenario: build from a tagged testing branch where the config/APT_overlays.d directory is empty + Given I am working on the testing base branch + And the last version mentioned in debian/changelog is 0.11 And Tails 0.11 has been released + And the config/APT_overlays.d directory is empty + When I successfully run tails-custom-apt-sources + Then I should see only the '0.11' suite + + Scenario: build from a tagged testing branch where config/APT_overlays.d is not empty + Given I am working on the testing base branch + And the last version mentioned in debian/changelog is 0.11 + And Tails 0.11 has been released + And config/APT_overlays.d contains 'feature-foo' When I run tails-custom-apt-sources - Then I should see the '0.11' suite - And I should not see the 'testing' suite + Then it should fail Scenario: build a release candidate from a tagged testing branch - Given I am working on the testing branch + Given I am working on the testing base branch And Tails 0.11 has been released - And last released version mentioned in debian/changelog is 0.12~rc1 + And the last version mentioned in debian/changelog is 0.12~rc1 And Tails 0.12-rc1 has been tagged - When I run tails-custom-apt-sources - Then I should see the '0.12-rc1' suite - And I should not see the 'testing' suite + And the config/APT_overlays.d directory is empty + When I successfully run tails-custom-apt-sources + Then I should see only the '0.12-rc1' suite - Scenario: build from the devel branch - Given I am working on the devel branch + Scenario: build a release candidate from a tagged testing branch where config/APT_overlays.d is not empty + Given I am working on the testing base branch + And Tails 0.11 has been released + And the last version mentioned in debian/changelog is 0.12~rc1 + And Tails 0.12-rc1 has been tagged + And config/APT_overlays.d contains 'bugfix-bar' When I run tails-custom-apt-sources + Then it should fail + + Scenario: build from the devel branch without overlays + Given I am working on the devel base branch + And the config/APT_overlays.d directory is empty + When I successfully run tails-custom-apt-sources + Then I should see only the 'devel' suite + + Scenario: build from the devel branch with overlays + Given I am working on the devel base branch + And config/APT_overlays.d contains 'feature-foo' + And config/APT_overlays.d contains 'bugfix-bar' + When I successfully run tails-custom-apt-sources Then I should see the 'devel' suite + And I should see the 'feature-foo' suite + And I should see the 'bugfix-bar' suite + + Scenario: build from the feature/jessie branch without overlays + Given I am working on the feature/jessie base branch + And the config/APT_overlays.d directory is empty + When I successfully run tails-custom-apt-sources + Then I should see only the 'feature-jessie' suite + + Scenario: build from the feature/jessie branch with overlays + Given I am working on the feature/jessie base branch + And config/APT_overlays.d contains 'feature-7756-reintroduce-whisperback' + When I successfully run tails-custom-apt-sources + Then I should see the 'feature-jessie' suite + And I should see the 'feature-7756-reintroduce-whisperback' suite Scenario: build from the experimental branch - Given I am working on the experimental branch - When I run tails-custom-apt-sources - Then I should see the 'experimental' suite + Given I am working on the experimental branch based on devel + And config/APT_overlays.d contains 'feature-foo' + And config/APT_overlays.d contains 'bugfix-bar' + When I successfully run tails-custom-apt-sources + Then I should see the 'devel' suite + And I should see the 'feature-foo' suite + And I should see the 'bugfix-bar' suite - Scenario: build from a feature branch based on devel + Scenario: build from a feature branch with overlays based on devel Given I am working on the feature/icedove branch based on devel - When I run tails-custom-apt-sources + And config/APT_overlays.d contains 'feature-icedove' + And config/APT_overlays.d contains 'bugfix-bar' + When I successfully run tails-custom-apt-sources Then I should see the 'devel' suite And I should see the 'feature-icedove' suite + And I should see the 'bugfix-bar' suite + + Scenario: build from a feature branch without overlays based on devel + Given I am working on the feature/icedove branch based on devel + And the config/APT_overlays.d directory is empty + When I successfully run tails-custom-apt-sources + Then I should see only the 'devel' suite + + Scenario: build from a feature branch with overlays based on feature/jessie + Given I am working on the feature/7756-reintroduce-whisperback branch based on feature/jessie + And config/APT_overlays.d contains 'feature-7756-reintroduce-whisperback' + And config/APT_overlays.d contains 'bugfix-bar' + When I successfully run tails-custom-apt-sources + Then I should see the 'feature-jessie' suite + And I should see the 'feature-7756-reintroduce-whisperback' suite + And I should see the 'bugfix-bar' suite + + Scenario: build from a feature branch without overlays based on feature/jessie + Given I am working on the feature/icedove branch based on feature/jessie + And the config/APT_overlays.d directory is empty + When I successfully run tails-custom-apt-sources + Then I should see only the 'feature-jessie' suite Scenario: build from a feature branch based on devel with dots in its name Given I am working on the feature/live-boot-3.x branch based on devel - When I run tails-custom-apt-sources + And config/APT_overlays.d contains 'feature-live-boot-3.x' + When I successfully run tails-custom-apt-sources Then I should see the 'devel' suite And I should see the 'feature-live-boot-3.x' suite + + Scenario: build from a branch that has no config/APT_overlays.d directory + Given I am working on the stable base branch + And the config/APT_overlays.d directory does not exist + When I run tails-custom-apt-sources + Then it should fail + + Scenario: build from a branch that has no config/base_branch file + Given I am working on the stable base branch + And the config/base_branch file does not exist + When I run tails-custom-apt-sources + Then it should fail + + Scenario: build from a branch where config/base_branch is empty + Given I am working on the stable base branch + And the config/base_branch file is empty + When I run tails-custom-apt-sources + Then it should fail diff --git a/features/checks.feature b/features/checks.feature index 0d28784390276c9e68a2e0ba8f096f56921d1aa5..304864f6bcd4c3d25d99b029149ff17803ecf49c 100644 --- a/features/checks.feature +++ b/features/checks.feature @@ -10,20 +10,30 @@ Feature: Various checks Then AppArmor is enabled And some AppArmor profiles are enforced + Scenario: GNOME Screenshot has a sane default save directory + Then GNOME Screenshot is configured to save files to the live user's home directory + + Scenario: GNOME Screenshot takes a screenshot when the PRINTSCREEN key is pressed + Given there is no screenshot in the live user's home directory + When I press the "PRINTSCREEN" key + Then a screenshot is saved to the live user's home directory + Scenario: VirtualBox guest modules are available When Tails has booted a 64-bit kernel Then the VirtualBox guest modules are available - Scenario: The 'Tor is ready' notification is shown when Tor has bootstrapped - Given the network is plugged - When I see the 'Tor is ready' notification - Then Tor is ready + Scenario: The shipped Tails signing key is up-to-date + Then the shipped Tails signing key will be valid for the next 3 months + + Scenario: The Tails Debian repository key is up-to-date + Then the shipped Tails Debian repository key will be valid for the next 3 months - Scenario: The shipped Tails signing key is up-to-date + Scenario: The "Report an Error" launcher will open the support documentation Given the network is plugged And Tor is ready And all notifications have disappeared - Then the shipped Tails signing key is not outdated + When I double-click the Report an Error launcher on the desktop + Then the support documentation page opens in Tor Browser Scenario: The live user is setup correctly Then the live user has been setup by live-boot @@ -38,6 +48,16 @@ Feature: Various checks And the time has synced And process "vidalia" is running within 30 seconds + Scenario: The 'Tor is ready' notification is shown when Tor has bootstrapped + Given the network is plugged + When I see the 'Tor is ready' notification + Then Tor is ready + + Scenario: The tor process should be confined with Seccomp + Given the network is plugged + And Tor is ready + Then the running process "tor" is confined with Seccomp in filter mode + Scenario: No unexpected network services When the network is plugged And Tor is ready @@ -60,3 +80,14 @@ Feature: Various checks And I setup a filesystem share containing a sample PDF And I start Tails from DVD with network unplugged and I login Then MAT can clean some sample PDF file + + Scenario: The Report an Error launcher will open the support documentation in supported non-English locales + Given a computer + And the network is plugged + And I start the computer + And the computer boots Tails + And I log in to a new session in German + And Tails seems to have booted normally + And Tor is ready + When I double-click the Report an Error launcher on the desktop + Then the support documentation page opens in Tor Browser diff --git a/features/config/defaults.yml b/features/config/defaults.yml new file mode 100644 index 0000000000000000000000000000000000000000..2b7a3e5ed4b18ff280153a6db48545a0a21a5ef1 --- /dev/null +++ b/features/config/defaults.yml @@ -0,0 +1,34 @@ +DEBUG: false +PAUSE_ON_FAIL: false +SIKULI_RETRY_FINDFAILED: false +TMPDIR: "/tmp/TailsToaster" + +Unsafe_SSH_private_key: | + -----BEGIN RSA PRIVATE KEY----- + MIIEowIBAAKCAQEAvMUNgUUM/kyuo26m+Xw7igG6zgGFMFbS3u8m5StGsJOn7zLi + J8P5Mml/R+4tdOS6owVU4RaZTPsNZZK/ClYmOPhmNvJ04pVChk2DZ8AARg/TANj3 + qjKs3D+MeKbk1bt6EsA55kgGsTUky5Ti8cc2Wna25jqjagIiyM822PGG9mmI6/zL + YR6QLUizNaciXrRM3Q4R4sQkEreVlHeonPEiGUs9zx0swCpLtPM5UIYte1PVHgkw + ePsU6vM8UqVTK/VwtLLgLanXnsMFuzq7DTAXPq49+XSFNq4JlxbEF6+PQXZvYZ5N + eW00Gq7NSpPP8uoHr6f1J+mMxxnM85jzYtRx+QIDAQABAoIBAA8Bs1MlhCTrP67q + awfGYo1UGd+qq0XugREL/hGV4SbEdkNDzkrO/46MaHv1aVOzo0q2b8r9Gu7NvoDm + q51Mv/kjdizEFZq1tvYqT1n+H4dyVpnopbe4E5nmy2oECokbQFchRPkTnMSVrvko + OupxpdaHPX8MBlW1GcLRBlE00j/gfK1SXX5rcxkF5EHVND1b6iHddTPearDbU8yr + wga1XO6WeohAYzqmGtMD0zk6lOk0LmnTNG6WvHiFTAc/0yTiKub6rNOIEMS/82+V + l437H0hKcIN/7/mf6FpqRNPJTuhOVFf+L4G/ZQ8zHoMGVIbhuTiIPqZ/KMu3NaUF + R634jckCgYEA+jJ31hom/d65LfxWPkmiSkNTEOTfjbfcgpfc7sS3enPsYnfnmn5L + O3JJzAKShSVP8NVuPN5Mg5FGp9QLKrN3kV6QWQ3EnqeW748DXMU6zKGJQ5wo7ZVm + w2DhJ/3PAuBTL/5X4mjPQL+dr86Aq2JBDC7LHJs40I8O7UbhnsdMxKcCgYEAwSXc + 3znAkAX8o2g37RiAl36HdONgxr2eaGK7OExp03pbKmoISw6bFbVpicBy6eTytn0A + 2PuFcBKJRfKrViHyiE8UfAJ31JbUaxpg4bFF6UEszN4CmgKS8fnwEe1aX0qSjvkE + NQSuhN5AfykXY/1WVIaWuC500uB7Ow6M16RDyF8CgYEAqFTeNYlg5Hs+Acd9SukF + rItBTuN92P5z+NUtyuNFQrjNuK5Nf68q9LL/Hag5ZiVldHZUddVmizpp3C6Y2MDo + WEDUQ2Y0/D1rGoAQ1hDIb7bbAEcHblmPSzJaKirkZV4B+g9Yl7bGghypfggkn6o6 + c3TkKLnybrdhZpjC4a3bY48CgYBnWRYdD27c4Ycz/GDoaZLs/NQIFF5FGVL4cdPR + pPl/IdpEEKZNWwxaik5lWedjBZFlWe+pKrRUqmZvWhCZruJyUzYXwM5Tnz0b7epm + +Q76Z1hMaoKj27q65UyymvkfQey3ucCpic7D45RJNjiA1R5rbfSZqqnx6BGoIPn1 + rLxkKwKBgDXiWeUKJCydj0NfHryGBkQvaDahDE3Yigcma63b8vMZPBrJSC4SGAHJ + NWema+bArbaF0rKVJpwvpkZWGcr6qRn94Ts0kJAzR+VIVTOjB9sVwdxjadwWHRs5 + kKnpY0tnSF7hyVRwN7GOsNDJEaFjCW7k4+55D2ZNBy2iN3beW8CZ + -----END RSA PRIVATE KEY----- +Unsafe_SSH_public_key: = "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQC8xQ2BRQz+TK6jbqb5fDuKAbrOAYUwVtLe7yblK0awk6fvMuInw/kyaX9H7i105LqjBVThFplM+w1lkr8KViY4+GY28nTilUKGTYNnwABGD9MA2PeqMqzcP4x4puTVu3oSwDnmSAaxNSTLlOLxxzZadrbmOqNqAiLIzzbY8Yb2aYjr/MthHpAtSLM1pyJetEzdDhHixCQSt5WUd6ic8SIZSz3PHSzAKku08zlQhi17U9UeCTB4+xTq8zxSpVMr9XC0suAtqdeewwW7OrsNMBc+rj35dIU2rgmXFsQXr49Bdm9hnk15bTQars1Kk8/y6gevp/Un6YzHGczzmPNi1HH5 amnesia@amnesia" diff --git a/features/dhcp.feature b/features/dhcp.feature index c15ae0c10efb9f0756effa477a3f773b49340265..82daa1d24dcf224095ae63bfd1340170e8806ab7 100644 --- a/features/dhcp.feature +++ b/features/dhcp.feature @@ -11,7 +11,7 @@ Feature: Getting a DHCP lease without leaking too much information And I start the computer And the computer boots Tails And I log in to a new session - And GNOME has started + And the Tails desktop is ready And Tor is ready And all notifications have disappeared And available upgrades have been checked @@ -23,7 +23,7 @@ Feature: Getting a DHCP lease without leaking too much information And I start the computer And the computer boots Tails And I log in to a new session - And GNOME has started + And the Tails desktop is ready And Tor is ready And all notifications have disappeared And available upgrades have been checked diff --git a/features/electrum.feature b/features/electrum.feature new file mode 100644 index 0000000000000000000000000000000000000000..89de323322b6a1cee6fc2db4dd463ea33fbb3477 --- /dev/null +++ b/features/electrum.feature @@ -0,0 +1,38 @@ +@product @check_tor_leaks +Feature: Electrum Bitcoin client + As a Tails user + I might want to use a Bitcoin client + And all Internet traffic should flow only through Tor + + Scenario: A warning will be displayed if Electrum is not persistent + Given a computer + And I capture all network traffic + And I start the computer + And the computer boots Tails + And I log in to a new session + And the Tails desktop is ready + And Tor is ready + And available upgrades have been checked + And all notifications have disappeared + When I start Electrum through the GNOME menu + But persistence for "electrum" is not enabled + Then I see a warning that Electrum is not persistent + + Scenario: Using a persistent Electrum configuration + Given the USB drive "current" contains Tails with persistence configured and password "asdf" + And a computer + And I start Tails from USB drive "current" and I login with persistence password "asdf" + And persistence for "electrum" is enabled + When I start Electrum through the GNOME menu + But a bitcoin wallet is not present + Then I am prompted to create a new wallet + When I create a new bitcoin wallet + Then a bitcoin wallet is present + And I see the main Electrum client window + And I shutdown Tails and wait for the computer to power off + Given a computer + And I start Tails from USB drive "current" and I login with persistence password "asdf" + When I start Electrum through the GNOME menu + And a bitcoin wallet is present + And I see the main Electrum client window + Then Electrum successfully connects to the network diff --git a/features/firewall_leaks.feature b/features/firewall_leaks.feature deleted file mode 100644 index 775c6e135615bbeeefa018e9d8a9483cbc3b21f5..0000000000000000000000000000000000000000 --- a/features/firewall_leaks.feature +++ /dev/null @@ -1,37 +0,0 @@ -@product -Feature: - As a Tails developer - I want to ensure that the automated test suite detects firewall leaks reliably - - Background: - Given a computer - And I capture all network traffic - And I start the computer - And the computer boots Tails - And I log in to a new session - And Tor is ready - And all notifications have disappeared - And available upgrades have been checked - And all Internet traffic has only flowed through Tor - And I save the state so the background can be restored next scenario - - Scenario: Detecting IPv4 TCP leaks from the Unsafe Browser - When I successfully start the Unsafe Browser - And I open the address "https://check.torproject.org" in the Unsafe Browser - And I see "UnsafeBrowserTorCheckFail.png" after at most 60 seconds - Then the firewall leak detector has detected IPv4 TCP leaks - - Scenario: Detecting IPv4 TCP leaks of TCP DNS lookups - Given I disable Tails' firewall - When I do a TCP DNS lookup of "torproject.org" - Then the firewall leak detector has detected IPv4 TCP leaks - - Scenario: Detecting IPv4 non-TCP leaks (UDP) of UDP DNS lookups - Given I disable Tails' firewall - When I do a UDP DNS lookup of "torproject.org" - Then the firewall leak detector has detected IPv4 non-TCP leaks - - Scenario: Detecting IPv4 non-TCP (ICMP) leaks of ping - Given I disable Tails' firewall - When I send some ICMP pings - Then the firewall leak detector has detected IPv4 non-TCP leaks diff --git a/features/i2p.feature b/features/i2p.feature index 810c6304c23cc691c3af4f73f6ce37d2782e2f1d..7295a0e801cec8c7100e0993584b68f931f3c291 100644 --- a/features/i2p.feature +++ b/features/i2p.feature @@ -8,7 +8,7 @@ Feature: I2P And I start the computer And the computer boots Tails And I log in to a new session - And GNOME has started + And the Tails desktop is ready And Tor is ready And all notifications have disappeared Then the I2P Browser desktop file is not present @@ -21,7 +21,7 @@ Feature: I2P And I start the computer And the computer boots Tails And I log in to a new session - And GNOME has started + And the Tails desktop is ready And Tor is ready And I2P is running And the I2P router console is ready diff --git a/features/images/DesktopReportAnError.png b/features/images/DesktopReportAnError.png new file mode 100644 index 0000000000000000000000000000000000000000..f0991c5b010c65e534d943a6de72e1bf41cbec59 Binary files /dev/null and b/features/images/DesktopReportAnError.png differ diff --git a/features/images/DesktopTailsDocumentationIcon.png b/features/images/DesktopTailsDocumentationIcon.png new file mode 100644 index 0000000000000000000000000000000000000000..5128b605459014c6fefe436da70542e3b5249e5c Binary files /dev/null and b/features/images/DesktopTailsDocumentationIcon.png differ diff --git a/features/images/ElectrumConnectServer.png b/features/images/ElectrumConnectServer.png new file mode 100644 index 0000000000000000000000000000000000000000..7f29abcca8cc16a91c18ae6a281fbcd6a3334f0a Binary files /dev/null and b/features/images/ElectrumConnectServer.png differ diff --git a/features/images/ElectrumEncryptWallet.png b/features/images/ElectrumEncryptWallet.png new file mode 100644 index 0000000000000000000000000000000000000000..793421ee497f414a02fa09c1085d62a54a8ddd9e Binary files /dev/null and b/features/images/ElectrumEncryptWallet.png differ diff --git a/features/images/ElectrumNextButton.png b/features/images/ElectrumNextButton.png new file mode 100644 index 0000000000000000000000000000000000000000..a58073a6b99f0592298e25f54419b8ff1649d30e Binary files /dev/null and b/features/images/ElectrumNextButton.png differ diff --git a/features/images/ElectrumNoWallet.png b/features/images/ElectrumNoWallet.png new file mode 100644 index 0000000000000000000000000000000000000000..e8992fedb0a2379c42778cac86a3ce001e607dce Binary files /dev/null and b/features/images/ElectrumNoWallet.png differ diff --git a/features/images/ElectrumPreferencesButton.png b/features/images/ElectrumPreferencesButton.png new file mode 100644 index 0000000000000000000000000000000000000000..09e0718803643b7379cd6fd23b32c2d10f2616d2 Binary files /dev/null and b/features/images/ElectrumPreferencesButton.png differ diff --git a/features/images/ElectrumStartVerification.png b/features/images/ElectrumStartVerification.png new file mode 120000 index 0000000000000000000000000000000000000000..bff9844d3b135450156ca3246429dca00be4095a --- /dev/null +++ b/features/images/ElectrumStartVerification.png @@ -0,0 +1 @@ +UnsafeBrowserStartVerification.png \ No newline at end of file diff --git a/features/images/ElectrumStatus.png b/features/images/ElectrumStatus.png new file mode 100644 index 0000000000000000000000000000000000000000..769a2fe40e018005dae133b3e45cbb2e03eed1b4 Binary files /dev/null and b/features/images/ElectrumStatus.png differ diff --git a/features/images/ElectrumWalletGenerationSeed.png b/features/images/ElectrumWalletGenerationSeed.png new file mode 100644 index 0000000000000000000000000000000000000000..003b8252a08f7f859e91291f4de8a980ece26380 Binary files /dev/null and b/features/images/ElectrumWalletGenerationSeed.png differ diff --git a/features/images/ElectrumWalletSeedTextbox.png b/features/images/ElectrumWalletSeedTextbox.png new file mode 100644 index 0000000000000000000000000000000000000000..b04a9bbbd114858c4d5f36dbfcb0ceaec720c83d Binary files /dev/null and b/features/images/ElectrumWalletSeedTextbox.png differ diff --git a/features/images/GeditCopy.png b/features/images/GeditCopy.png new file mode 100644 index 0000000000000000000000000000000000000000..ef93b7e3808d57bd98709c9aaa8d10b79f650f3c Binary files /dev/null and b/features/images/GeditCopy.png differ diff --git a/features/images/GeditEdit.png b/features/images/GeditEdit.png new file mode 100644 index 0000000000000000000000000000000000000000..5b42d64041905fb1612e6a224622381175d84bf4 Binary files /dev/null and b/features/images/GeditEdit.png differ diff --git a/features/images/GeditNewDocument.png b/features/images/GeditNewDocument.png new file mode 100644 index 0000000000000000000000000000000000000000..000326dfa20cd661a4fa3e1c80495e536136be5f Binary files /dev/null and b/features/images/GeditNewDocument.png differ diff --git a/features/images/GeditPaste.png b/features/images/GeditPaste.png new file mode 100644 index 0000000000000000000000000000000000000000..704354314941933cb6ba5ec0fc2f8912566df5f5 Binary files /dev/null and b/features/images/GeditPaste.png differ diff --git a/features/images/GeditSelectAll.png b/features/images/GeditSelectAll.png new file mode 100644 index 0000000000000000000000000000000000000000..276e6ea93758852e35ac438b23a8fc435ff4ca02 Binary files /dev/null and b/features/images/GeditSelectAll.png differ diff --git a/features/images/GnomeApplicationsElectrum.png b/features/images/GnomeApplicationsElectrum.png new file mode 100644 index 0000000000000000000000000000000000000000..f20ce3aca1b93e61be1ea9f4a99f16f13c61174b Binary files /dev/null and b/features/images/GnomeApplicationsElectrum.png differ diff --git a/features/images/GnomeApplicationsGobby.png b/features/images/GnomeApplicationsGobby.png new file mode 100644 index 0000000000000000000000000000000000000000..dced881b39bf3fc8f3bf10e19b8add1b7e184ab0 Binary files /dev/null and b/features/images/GnomeApplicationsGobby.png differ diff --git a/features/images/GnomeApplicationsMenuGerman.png b/features/images/GnomeApplicationsMenuGerman.png new file mode 100644 index 0000000000000000000000000000000000000000..db487433305e3fd045633093910743e742fd1c34 Binary files /dev/null and b/features/images/GnomeApplicationsMenuGerman.png differ diff --git a/features/images/GnomeCloseButton.png b/features/images/GnomeCloseButton.png new file mode 100644 index 0000000000000000000000000000000000000000..bf1efe13f547fa594c03c030fc7da32d41bbed1e Binary files /dev/null and b/features/images/GnomeCloseButton.png differ diff --git a/features/images/GnomePlaces.png b/features/images/GnomePlaces.png new file mode 100644 index 0000000000000000000000000000000000000000..98036cce09175b7e75b95946ea9f930fe963f10f Binary files /dev/null and b/features/images/GnomePlaces.png differ diff --git a/features/images/GnomePlacesConnectToServer.png b/features/images/GnomePlacesConnectToServer.png new file mode 100644 index 0000000000000000000000000000000000000000..c1b9dc95ba2c18cb3ea2b1f6933078dbde580cec Binary files /dev/null and b/features/images/GnomePlacesConnectToServer.png differ diff --git a/features/images/GnomePlacesWithoutTorBrowserPersistent.png b/features/images/GnomePlacesWithoutTorBrowserPersistent.png new file mode 100644 index 0000000000000000000000000000000000000000..710cb5d59df1ea67e65063942ce19c33ef2f19e0 Binary files /dev/null and b/features/images/GnomePlacesWithoutTorBrowserPersistent.png differ diff --git a/features/images/GnomeSSHConnect.png b/features/images/GnomeSSHConnect.png new file mode 100644 index 0000000000000000000000000000000000000000..cd93749ea07a4b3c783782021c13c0dce506e257 Binary files /dev/null and b/features/images/GnomeSSHConnect.png differ diff --git a/features/images/GnomeSSHConnectButton.png b/features/images/GnomeSSHConnectButton.png new file mode 100644 index 0000000000000000000000000000000000000000..d04a1c336a1e9ea28d7a61b8971be1fd9bd2f142 Binary files /dev/null and b/features/images/GnomeSSHConnectButton.png differ diff --git a/features/images/GnomeSSHFTP.png b/features/images/GnomeSSHFTP.png new file mode 100644 index 0000000000000000000000000000000000000000..7f6ec251ab8285b1c2a4f6f67caba8026f3b6574 Binary files /dev/null and b/features/images/GnomeSSHFTP.png differ diff --git a/features/images/GnomeSSHServerSSH.png b/features/images/GnomeSSHServerSSH.png new file mode 100644 index 0000000000000000000000000000000000000000..bfa52a12e4a1b8c94d2d5355744b4c2f3e64a97e Binary files /dev/null and b/features/images/GnomeSSHServerSSH.png differ diff --git a/features/images/GnomeSSHSuccess.png b/features/images/GnomeSSHSuccess.png new file mode 100644 index 0000000000000000000000000000000000000000..30177777a0a7442874df158324cbe6f11441812f Binary files /dev/null and b/features/images/GnomeSSHSuccess.png differ diff --git a/features/images/GnomeSSHVerificationConfirm.png b/features/images/GnomeSSHVerificationConfirm.png new file mode 100644 index 0000000000000000000000000000000000000000..5a0c09e022b5e484199d469ae2157e8a9fc5fb4f Binary files /dev/null and b/features/images/GnomeSSHVerificationConfirm.png differ diff --git a/features/images/GnomeSystrayFlorence.png b/features/images/GnomeSystrayFlorence.png new file mode 100644 index 0000000000000000000000000000000000000000..d9f0e83c2b75bff93a282c33301c26be9106ddb7 Binary files /dev/null and b/features/images/GnomeSystrayFlorence.png differ diff --git a/features/images/GobbyConnectPrompt.png b/features/images/GobbyConnectPrompt.png new file mode 100644 index 0000000000000000000000000000000000000000..03c358b980e0fdd60498c7f98b1811772fd94de0 Binary files /dev/null and b/features/images/GobbyConnectPrompt.png differ diff --git a/features/images/GobbyConnectionComplete.png b/features/images/GobbyConnectionComplete.png new file mode 100644 index 0000000000000000000000000000000000000000..db904c78fcc968204e85b68d692fba1848fafc34 Binary files /dev/null and b/features/images/GobbyConnectionComplete.png differ diff --git a/features/images/GobbyWelcomePrompt.png b/features/images/GobbyWelcomePrompt.png new file mode 100644 index 0000000000000000000000000000000000000000..861a5f1791e73f256e547085527113df6a4728ef Binary files /dev/null and b/features/images/GobbyWelcomePrompt.png differ diff --git a/features/images/GobbyWindow.png b/features/images/GobbyWindow.png new file mode 100644 index 0000000000000000000000000000000000000000..873f3916f5e3456ffd07fa39ac7617c3901440e5 Binary files /dev/null and b/features/images/GobbyWindow.png differ diff --git a/features/images/GpgAppletDecryptVerify.png b/features/images/GpgAppletDecryptVerify.png new file mode 100644 index 0000000000000000000000000000000000000000..59594d89d427942587ffd34c0f5b09a6c3e758e5 Binary files /dev/null and b/features/images/GpgAppletDecryptVerify.png differ diff --git a/features/images/GpgAppletEncryptPassphrase.png b/features/images/GpgAppletEncryptPassphrase.png new file mode 100644 index 0000000000000000000000000000000000000000..d8ffe119630a9bb491f29721c43cc55d499196fc Binary files /dev/null and b/features/images/GpgAppletEncryptPassphrase.png differ diff --git a/features/images/GpgAppletManageKeys.png b/features/images/GpgAppletManageKeys.png new file mode 100644 index 0000000000000000000000000000000000000000..df93beee2b6b8a4ad626e7489170982865eb3cb4 Binary files /dev/null and b/features/images/GpgAppletManageKeys.png differ diff --git a/features/images/GpgAppletSignEncrypt.png b/features/images/GpgAppletSignEncrypt.png new file mode 100644 index 0000000000000000000000000000000000000000..e8e42cdefc83cfcf60d458688652b9705842e846 Binary files /dev/null and b/features/images/GpgAppletSignEncrypt.png differ diff --git a/features/images/GtkTorBrowserPersistentBookmark.png b/features/images/GtkTorBrowserPersistentBookmark.png new file mode 100644 index 0000000000000000000000000000000000000000..aa6e93643653bd0a78a25d64eabf2ffd06c5d8a3 Binary files /dev/null and b/features/images/GtkTorBrowserPersistentBookmark.png differ diff --git a/features/images/GtkTorBrowserPersistentBookmarkSelected.png b/features/images/GtkTorBrowserPersistentBookmarkSelected.png new file mode 100644 index 0000000000000000000000000000000000000000..f084ba70a7299f721746ffc9ffc218b8ed5441db Binary files /dev/null and b/features/images/GtkTorBrowserPersistentBookmarkSelected.png differ diff --git a/features/images/KeyImportedNotification.png b/features/images/KeyImportedNotification.png new file mode 100644 index 0000000000000000000000000000000000000000..f3e07182b285f134d6ca15b5a643f598dd1d4faf Binary files /dev/null and b/features/images/KeyImportedNotification.png differ diff --git a/features/images/OpenWithImportKey.png b/features/images/OpenWithImportKey.png new file mode 100644 index 0000000000000000000000000000000000000000..5cca550dae70d5fabc3d10e20184dc5257734373 Binary files /dev/null and b/features/images/OpenWithImportKey.png differ diff --git a/features/images/PidginAccountManagerAddButton.png b/features/images/PidginAccountManagerAddButton.png new file mode 100644 index 0000000000000000000000000000000000000000..ac00ea3f4ade0118484c8f1c8f3098cc1847d62f Binary files /dev/null and b/features/images/PidginAccountManagerAddButton.png differ diff --git a/features/images/PidginAddAccountProtocolLabel.png b/features/images/PidginAddAccountProtocolLabel.png new file mode 100644 index 0000000000000000000000000000000000000000..8c680c0a4ab8df1c3996eccc3d792d0e88c4e60c Binary files /dev/null and b/features/images/PidginAddAccountProtocolLabel.png differ diff --git a/features/images/PidginAddAccountProtocolXMPP.png b/features/images/PidginAddAccountProtocolXMPP.png new file mode 100644 index 0000000000000000000000000000000000000000..2d42f0f8801c6095a793db4fccd9e5fde781dc36 Binary files /dev/null and b/features/images/PidginAddAccountProtocolXMPP.png differ diff --git a/features/images/PidginAddAccountWindow.png b/features/images/PidginAddAccountWindow.png new file mode 100644 index 0000000000000000000000000000000000000000..e6dc1f03b6f26ea120e43ded3ff67a5e6cf57b7a Binary files /dev/null and b/features/images/PidginAddAccountWindow.png differ diff --git a/features/images/PidginAddAccountXMPPAddButton.png b/features/images/PidginAddAccountXMPPAddButton.png new file mode 100644 index 0000000000000000000000000000000000000000..5dc1587c1e3a6651e3e842571914db075abacf72 Binary files /dev/null and b/features/images/PidginAddAccountXMPPAddButton.png differ diff --git a/features/images/PidginAddAccountXMPPAdvancedTab.png b/features/images/PidginAddAccountXMPPAdvancedTab.png new file mode 100644 index 0000000000000000000000000000000000000000..41de6269939430189147b36e74a7d7c1346886f1 Binary files /dev/null and b/features/images/PidginAddAccountXMPPAdvancedTab.png differ diff --git a/features/images/PidginAddAccountXMPPConnectServer.png b/features/images/PidginAddAccountXMPPConnectServer.png new file mode 100644 index 0000000000000000000000000000000000000000..99ebdde63976df7ca167ab76b2274f30e82d7286 Binary files /dev/null and b/features/images/PidginAddAccountXMPPConnectServer.png differ diff --git a/features/images/PidginAddAccountXMPPDomain.png b/features/images/PidginAddAccountXMPPDomain.png new file mode 100644 index 0000000000000000000000000000000000000000..02b25684d7fbb6af8f5dc540eae0968751e70ed2 Binary files /dev/null and b/features/images/PidginAddAccountXMPPDomain.png differ diff --git a/features/images/PidginAddAccountXMPPPassword.png b/features/images/PidginAddAccountXMPPPassword.png new file mode 100644 index 0000000000000000000000000000000000000000..cb75b2340535e9fe6f2c1a62bd54b7fc073fe52e Binary files /dev/null and b/features/images/PidginAddAccountXMPPPassword.png differ diff --git a/features/images/PidginAddAccountXMPPRememberPassword.png b/features/images/PidginAddAccountXMPPRememberPassword.png new file mode 100644 index 0000000000000000000000000000000000000000..dd2844388889f756666c67d8e9da9e410f8861b3 Binary files /dev/null and b/features/images/PidginAddAccountXMPPRememberPassword.png differ diff --git a/features/images/PidginAddAccountXMPPUsername.png b/features/images/PidginAddAccountXMPPUsername.png new file mode 100644 index 0000000000000000000000000000000000000000..a8a5189e75df6eb6d90cb73bf3839f5e72cd6a4c Binary files /dev/null and b/features/images/PidginAddAccountXMPPUsername.png differ diff --git a/features/images/PidginAvailableStatus.png b/features/images/PidginAvailableStatus.png new file mode 100644 index 0000000000000000000000000000000000000000..fb9f5b78cbf6be368f075444aafd6b146cecb116 Binary files /dev/null and b/features/images/PidginAvailableStatus.png differ diff --git a/features/images/PidginBuddiesMenu.png b/features/images/PidginBuddiesMenu.png new file mode 100644 index 0000000000000000000000000000000000000000..45c936ecbb5bd0077ca45951608828261169c995 Binary files /dev/null and b/features/images/PidginBuddiesMenu.png differ diff --git a/features/images/PidginBuddiesMenuJoinChat.png b/features/images/PidginBuddiesMenuJoinChat.png new file mode 100644 index 0000000000000000000000000000000000000000..34e2f2eda7fad1c15b68e9bcbca6e185f3de7f07 Binary files /dev/null and b/features/images/PidginBuddiesMenuJoinChat.png differ diff --git a/features/images/PidginChat1UserInRoom.png b/features/images/PidginChat1UserInRoom.png new file mode 100644 index 0000000000000000000000000000000000000000..e40455485f2ffa0b78c3e055b2ae0aa36a14661e Binary files /dev/null and b/features/images/PidginChat1UserInRoom.png differ diff --git a/features/images/PidginChat2UsersInRoom.png b/features/images/PidginChat2UsersInRoom.png new file mode 100644 index 0000000000000000000000000000000000000000..cabc208ec61ee47360ecab14ae225dfa28468d2f Binary files /dev/null and b/features/images/PidginChat2UsersInRoom.png differ diff --git a/features/images/PidginConversationMenu.png b/features/images/PidginConversationMenu.png new file mode 100644 index 0000000000000000000000000000000000000000..0643c0cbbaca94d986b276ae102f9cbea98fc523 Binary files /dev/null and b/features/images/PidginConversationMenu.png differ diff --git a/features/images/PidginConversationMenuClearScrollback.png b/features/images/PidginConversationMenuClearScrollback.png new file mode 100644 index 0000000000000000000000000000000000000000..0ac2a11604557a1a394c5c4aceb96c19ad9d2408 Binary files /dev/null and b/features/images/PidginConversationMenuClearScrollback.png differ diff --git a/features/images/PidginConversationOTRMenu.png b/features/images/PidginConversationOTRMenu.png new file mode 100644 index 0000000000000000000000000000000000000000..90570f8616753b4fb18ec9f714a163aea535e0cd Binary files /dev/null and b/features/images/PidginConversationOTRMenu.png differ diff --git a/features/images/PidginConversationOTRUnverifiedSessionStarted.png b/features/images/PidginConversationOTRUnverifiedSessionStarted.png new file mode 100644 index 0000000000000000000000000000000000000000..ef0bd28f3fe592200aca285060ead50a51e793d9 Binary files /dev/null and b/features/images/PidginConversationOTRUnverifiedSessionStarted.png differ diff --git a/features/images/PidginConversationWindowMenuBar.png b/features/images/PidginConversationWindowMenuBar.png new file mode 100644 index 0000000000000000000000000000000000000000..0932542577057cc5fef9545d21b555fab1fd80f9 Binary files /dev/null and b/features/images/PidginConversationWindowMenuBar.png differ diff --git a/features/images/PidginCreateNewRoomAcceptDefaultsButton.png b/features/images/PidginCreateNewRoomAcceptDefaultsButton.png new file mode 100644 index 0000000000000000000000000000000000000000..34a90f33e1572931614a1237d289b27081891002 Binary files /dev/null and b/features/images/PidginCreateNewRoomAcceptDefaultsButton.png differ diff --git a/features/images/PidginCreateNewRoomPrompt.png b/features/images/PidginCreateNewRoomPrompt.png new file mode 100644 index 0000000000000000000000000000000000000000..ab0bab8da168d295ce15e025fbfcf27b975379bc Binary files /dev/null and b/features/images/PidginCreateNewRoomPrompt.png differ diff --git a/features/images/PidginFriendExpectedAnswer.png b/features/images/PidginFriendExpectedAnswer.png new file mode 100644 index 0000000000000000000000000000000000000000..ddb51a701337a2e4e1236e018f4649ad71ca2f38 Binary files /dev/null and b/features/images/PidginFriendExpectedAnswer.png differ diff --git a/features/images/PidginFriendOnline.png b/features/images/PidginFriendOnline.png new file mode 100644 index 0000000000000000000000000000000000000000..49096067b230cebb5aaba8f12d06d5b86def3423 Binary files /dev/null and b/features/images/PidginFriendOnline.png differ diff --git a/features/images/PidginJoinChatButton.png b/features/images/PidginJoinChatButton.png new file mode 100644 index 0000000000000000000000000000000000000000..e4f07476a6065603f0a01a719066d78b031adaae Binary files /dev/null and b/features/images/PidginJoinChatButton.png differ diff --git a/features/images/PidginJoinChatRoomLabel.png b/features/images/PidginJoinChatRoomLabel.png new file mode 100644 index 0000000000000000000000000000000000000000..3fbee48d7f43e47128b63a0e5158eb727bad38f0 Binary files /dev/null and b/features/images/PidginJoinChatRoomLabel.png differ diff --git a/features/images/PidginJoinChatServerLabel.png b/features/images/PidginJoinChatServerLabel.png new file mode 100644 index 0000000000000000000000000000000000000000..6386617b6100299ef35ff4505f9155b09849f79c Binary files /dev/null and b/features/images/PidginJoinChatServerLabel.png differ diff --git a/features/images/PidginJoinChatWindow.png b/features/images/PidginJoinChatWindow.png new file mode 100644 index 0000000000000000000000000000000000000000..82ce19ed80b876d292b777f70f14eff18721106c Binary files /dev/null and b/features/images/PidginJoinChatWindow.png differ diff --git a/features/images/PidginOTRKeyGenPrompt.png b/features/images/PidginOTRKeyGenPrompt.png new file mode 100644 index 0000000000000000000000000000000000000000..194e04478b610e9c7be146e54520944fb0c0c3e5 Binary files /dev/null and b/features/images/PidginOTRKeyGenPrompt.png differ diff --git a/features/images/PidginOTRKeyGenPromptDoneButton.png b/features/images/PidginOTRKeyGenPromptDoneButton.png new file mode 100644 index 0000000000000000000000000000000000000000..c48a953372583079756b214409d231b6f092faca Binary files /dev/null and b/features/images/PidginOTRKeyGenPromptDoneButton.png differ diff --git a/features/images/PidginOTRMenuStartSession.png b/features/images/PidginOTRMenuStartSession.png new file mode 100644 index 0000000000000000000000000000000000000000..3be7de99643699fc8b453fdc2efbdfaf47829028 Binary files /dev/null and b/features/images/PidginOTRMenuStartSession.png differ diff --git a/features/images/PidginTailsRoadmapUrl.png b/features/images/PidginTailsRoadmapUrl.png new file mode 100644 index 0000000000000000000000000000000000000000..98ece019471fa0d25b02f634d796b9fb00d6bd38 Binary files /dev/null and b/features/images/PidginTailsRoadmapUrl.png differ diff --git a/features/images/EvincePrintToFile.png b/features/images/PrintToFile.png similarity index 100% rename from features/images/EvincePrintToFile.png rename to features/images/PrintToFile.png diff --git a/features/images/SSHAuthVerification.png b/features/images/SSHAuthVerification.png new file mode 100644 index 0000000000000000000000000000000000000000..abfa39a9adfd3b4f651cc5f606bb67ece0f5f978 Binary files /dev/null and b/features/images/SSHAuthVerification.png differ diff --git a/features/images/SSHFingerprint.png b/features/images/SSHFingerprint.png new file mode 100644 index 0000000000000000000000000000000000000000..7ae087bef0b175e9660a867edb75ade663f6c3df Binary files /dev/null and b/features/images/SSHFingerprint.png differ diff --git a/features/images/SSHLoggedInPrompt.png b/features/images/SSHLoggedInPrompt.png new file mode 100644 index 0000000000000000000000000000000000000000..4a7e29e5f30c4a7b042eed4e935f131172995276 Binary files /dev/null and b/features/images/SSHLoggedInPrompt.png differ diff --git a/features/images/SeahorseEdit.png b/features/images/SeahorseEdit.png new file mode 120000 index 0000000000000000000000000000000000000000..bb58968f259da9efc269a2319f1753fdc9c60281 --- /dev/null +++ b/features/images/SeahorseEdit.png @@ -0,0 +1 @@ +GeditEdit.png \ No newline at end of file diff --git a/features/images/SeahorseEditPreferences.png b/features/images/SeahorseEditPreferences.png new file mode 100644 index 0000000000000000000000000000000000000000..def8ac4486fcd76388cf9a305424944bf3d24535 Binary files /dev/null and b/features/images/SeahorseEditPreferences.png differ diff --git a/features/images/SeahorseImport.png b/features/images/SeahorseImport.png new file mode 100644 index 0000000000000000000000000000000000000000..959c160205d0899101829fd78c277a2bda842502 Binary files /dev/null and b/features/images/SeahorseImport.png differ diff --git a/features/images/SeahorseKeyResultWindow.png b/features/images/SeahorseKeyResultWindow.png new file mode 100644 index 0000000000000000000000000000000000000000..43544b0fce9308f32f6027365b5363fc2a7886c7 Binary files /dev/null and b/features/images/SeahorseKeyResultWindow.png differ diff --git a/features/images/SeahorsePreferences.png b/features/images/SeahorsePreferences.png new file mode 100644 index 0000000000000000000000000000000000000000..76a64b48fd1702738f707ec9fcbe4853d7b7282b Binary files /dev/null and b/features/images/SeahorsePreferences.png differ diff --git a/features/images/SeahorseRemoteMenu.png b/features/images/SeahorseRemoteMenu.png new file mode 100644 index 0000000000000000000000000000000000000000..7359a4fb458742e51b32c3a1160f290c059b551d Binary files /dev/null and b/features/images/SeahorseRemoteMenu.png differ diff --git a/features/images/SeahorseRemoteMenuFind.png b/features/images/SeahorseRemoteMenuFind.png new file mode 100644 index 0000000000000000000000000000000000000000..c70511f7374b671487e75b565c59107b32137a1c Binary files /dev/null and b/features/images/SeahorseRemoteMenuFind.png differ diff --git a/features/images/SeahorseRemoteMenuSync.png b/features/images/SeahorseRemoteMenuSync.png new file mode 100644 index 0000000000000000000000000000000000000000..6f83b32f6847b2fdd2aaa17caf1e95fb2af8417a Binary files /dev/null and b/features/images/SeahorseRemoteMenuSync.png differ diff --git a/features/images/SeahorseSearch.png b/features/images/SeahorseSearch.png new file mode 100644 index 0000000000000000000000000000000000000000..70477e9dbaa8769a514c7e860351a0b6aaf8fca2 Binary files /dev/null and b/features/images/SeahorseSearch.png differ diff --git a/features/images/SeahorseSyncKeys.png b/features/images/SeahorseSyncKeys.png new file mode 100644 index 0000000000000000000000000000000000000000..e0ff372d13e922b8e464178c73e5a407a2b1eddc Binary files /dev/null and b/features/images/SeahorseSyncKeys.png differ diff --git a/features/images/SeahorseSynchronizing.png b/features/images/SeahorseSynchronizing.png new file mode 100644 index 0000000000000000000000000000000000000000..b28cb053a565a53101ff234cdb310635551c69c8 Binary files /dev/null and b/features/images/SeahorseSynchronizing.png differ diff --git a/features/images/SupportDocumentation.png b/features/images/SupportDocumentation.png new file mode 100644 index 0000000000000000000000000000000000000000..6275f01aea1f51217eeaf00b9c477a5f7b361627 Binary files /dev/null and b/features/images/SupportDocumentation.png differ diff --git a/features/images/SupportDocumentationGerman.png b/features/images/SupportDocumentationGerman.png new file mode 100644 index 0000000000000000000000000000000000000000..1cede63a60e60d28ec983d29113f2669b0df7224 Binary files /dev/null and b/features/images/SupportDocumentationGerman.png differ diff --git a/features/images/SynapticApply.png b/features/images/SynapticApply.png new file mode 100644 index 0000000000000000000000000000000000000000..81408484ec3f41e14d8ec78713214be6d029b788 Binary files /dev/null and b/features/images/SynapticApply.png differ diff --git a/features/images/SynapticCowsayMarked.png b/features/images/SynapticCowsayMarked.png new file mode 100644 index 0000000000000000000000000000000000000000..b6d1a301b1dabdb3d538396d1ff8263ea5d7ca9d Binary files /dev/null and b/features/images/SynapticCowsayMarked.png differ diff --git a/features/images/SynapticCowsaySearchResultSelected.png b/features/images/SynapticCowsaySearchResultSelected.png new file mode 100644 index 0000000000000000000000000000000000000000..65156bf024791fca98eeb5f553ce431d29ff12b9 Binary files /dev/null and b/features/images/SynapticCowsaySearchResultSelected.png differ diff --git a/features/images/SynapticPackageList.png b/features/images/SynapticPackageList.png new file mode 100644 index 0000000000000000000000000000000000000000..cf0cbc7807df301d5e44f35c573e3d30d546e4d5 Binary files /dev/null and b/features/images/SynapticPackageList.png differ diff --git a/features/images/TailsBootSplash.png b/features/images/TailsBootSplash.png index 693d6b7340737a329f608557533a0d8c6b5fc7d9..2bed76d854ed2a00312026b1538c2f1e36277faf 100644 Binary files a/features/images/TailsBootSplash.png and b/features/images/TailsBootSplash.png differ diff --git a/features/images/TailsBootSplashPostReset.png b/features/images/TailsBootSplashPostReset.png deleted file mode 100644 index 2bed76d854ed2a00312026b1538c2f1e36277faf..0000000000000000000000000000000000000000 Binary files a/features/images/TailsBootSplashPostReset.png and /dev/null differ diff --git a/features/images/TailsBootSplashTabMsg.png b/features/images/TailsBootSplashTabMsg.png index 00972735620d9eef056f08fd6d103b80dad9fdf9..cad57b3cb429b8762dbbde28cf8404c88fc87de8 100644 Binary files a/features/images/TailsBootSplashTabMsg.png and b/features/images/TailsBootSplashTabMsg.png differ diff --git a/features/images/TailsBootSplashTabMsgPostReset.png b/features/images/TailsBootSplashTabMsgPostReset.png deleted file mode 100644 index cad57b3cb429b8762dbbde28cf8404c88fc87de8..0000000000000000000000000000000000000000 Binary files a/features/images/TailsBootSplashTabMsgPostReset.png and /dev/null differ diff --git a/features/images/TailsBootSplashTabMsgUEFI.png b/features/images/TailsBootSplashTabMsgUEFI.png index ee4e9daa242ba3de501b8329a73755098b3eacdf..85051c15a73d24ab76ba39fab2790468d71dc31b 100644 Binary files a/features/images/TailsBootSplashTabMsgUEFI.png and b/features/images/TailsBootSplashTabMsgUEFI.png differ diff --git a/features/images/TailsBootSplashUEFI.png b/features/images/TailsBootSplashUEFI.png index 4c0015b0e4e69109cf6cfff8b2d2c9ecdfe247f1..445f6dc786699975c059b2cfaf14257db6978fb7 100644 Binary files a/features/images/TailsBootSplashUEFI.png and b/features/images/TailsBootSplashUEFI.png differ diff --git a/features/images/TailsGreeterLanguage.png b/features/images/TailsGreeterLanguage.png new file mode 100644 index 0000000000000000000000000000000000000000..561b169e66d9f52dacaf81268d8f657200af0a02 Binary files /dev/null and b/features/images/TailsGreeterLanguage.png differ diff --git a/features/images/TailsGreeterLanguageGerman.png b/features/images/TailsGreeterLanguageGerman.png new file mode 100644 index 0000000000000000000000000000000000000000..29f1fe32cf4921a50c8ab8e9e061a6d2c98c226f Binary files /dev/null and b/features/images/TailsGreeterLanguageGerman.png differ diff --git a/features/images/TailsGreeterLoginButtonGerman.png b/features/images/TailsGreeterLoginButtonGerman.png new file mode 100644 index 0000000000000000000000000000000000000000..9233343302242ad448e2a899d20a01d9a765b266 Binary files /dev/null and b/features/images/TailsGreeterLoginButtonGerman.png differ diff --git a/features/images/TailsGreeterTorConf.png b/features/images/TailsGreeterTorConf.png new file mode 100644 index 0000000000000000000000000000000000000000..b2464ef7e27e0b0b4b9c46038eecc6988360b6de Binary files /dev/null and b/features/images/TailsGreeterTorConf.png differ diff --git a/features/images/TailsInstallerNoDevice.png b/features/images/TailsInstallerNoDevice.png new file mode 100644 index 0000000000000000000000000000000000000000..31f01aac0306608b98ce91ce6c205fe2247fa75a Binary files /dev/null and b/features/images/TailsInstallerNoDevice.png differ diff --git a/features/images/TailsInstallerNoQEMUHardDisk.png b/features/images/TailsInstallerNoQEMUHardDisk.png new file mode 100644 index 0000000000000000000000000000000000000000..7e8a7c0212d04ea8e95c1b390bb2f79ba1da8ef2 Binary files /dev/null and b/features/images/TailsInstallerNoQEMUHardDisk.png differ diff --git a/features/images/TailsInstallerQEMUHardDisk.png b/features/images/TailsInstallerQEMUHardDisk.png new file mode 100644 index 0000000000000000000000000000000000000000..4c13ef3a1bd226bc1ae8d91c439fd3d4be305aea Binary files /dev/null and b/features/images/TailsInstallerQEMUHardDisk.png differ diff --git a/features/images/TailsOfflineDocHomepage.png b/features/images/TailsOfflineDocHomepage.png new file mode 100644 index 0000000000000000000000000000000000000000..95d5ea6ef689377ac41a9f3a47745b3e6142109c Binary files /dev/null and b/features/images/TailsOfflineDocHomepage.png differ diff --git a/features/images/TorBrowserAmnesicFilesBookmark.png b/features/images/TorBrowserAmnesicFilesBookmark.png new file mode 100644 index 0000000000000000000000000000000000000000..c256450cc265b1e2d1327e12a4937068981f997b Binary files /dev/null and b/features/images/TorBrowserAmnesicFilesBookmark.png differ diff --git a/features/images/TorBrowserBlockedVideo.png b/features/images/TorBrowserBlockedVideo.png new file mode 100644 index 0000000000000000000000000000000000000000..a4916cc0a247df5270823050523ad81eecd2423c Binary files /dev/null and b/features/images/TorBrowserBlockedVideo.png differ diff --git a/features/images/TorBrowserCouldNotReadTheContentsOfWarning.png b/features/images/TorBrowserCouldNotReadTheContentsOfWarning.png new file mode 100644 index 0000000000000000000000000000000000000000..20beef8f88a6f420920dddcb98bcdb6243c99a03 Binary files /dev/null and b/features/images/TorBrowserCouldNotReadTheContentsOfWarning.png differ diff --git a/features/images/TorBrowserHtml5PlayButton.png b/features/images/TorBrowserHtml5PlayButton.png new file mode 100644 index 0000000000000000000000000000000000000000..11d0eaf16253dd80ea08a6931de9a344d5b13918 Binary files /dev/null and b/features/images/TorBrowserHtml5PlayButton.png differ diff --git a/features/images/TorBrowserNoScriptTemporarilyAllowDialog.png b/features/images/TorBrowserNoScriptTemporarilyAllowDialog.png new file mode 100644 index 0000000000000000000000000000000000000000..45b60bf1d646b5050a167942cc9d26372cca8503 Binary files /dev/null and b/features/images/TorBrowserNoScriptTemporarilyAllowDialog.png differ diff --git a/features/images/TorBrowserOkButton.png b/features/images/TorBrowserOkButton.png new file mode 100644 index 0000000000000000000000000000000000000000..662d90f6442623241d0d5b86fb8e27e20c34f1cc Binary files /dev/null and b/features/images/TorBrowserOkButton.png differ diff --git a/features/images/TorBrowserPersistentFilesBookmark.png b/features/images/TorBrowserPersistentFilesBookmark.png new file mode 100644 index 0000000000000000000000000000000000000000..47dea26b4bea3952d1a6f8136295e0d22cacd73c Binary files /dev/null and b/features/images/TorBrowserPersistentFilesBookmark.png differ diff --git a/features/images/TorBrowserPrintDialog.png b/features/images/TorBrowserPrintDialog.png new file mode 100644 index 0000000000000000000000000000000000000000..77404f305a3e5e4944f225fae06a08ef89533eb5 Binary files /dev/null and b/features/images/TorBrowserPrintDialog.png differ diff --git a/features/images/TorBrowserPrintOutputFile.png b/features/images/TorBrowserPrintOutputFile.png new file mode 100644 index 0000000000000000000000000000000000000000..e940ad9899c433cdbde0f14bd3a12948fa60658c Binary files /dev/null and b/features/images/TorBrowserPrintOutputFile.png differ diff --git a/features/images/TorBrowserPrintOutputFileSelected.png b/features/images/TorBrowserPrintOutputFileSelected.png new file mode 100644 index 0000000000000000000000000000000000000000..dc625ad2122c8b9a2d3becabd8dd017862f7e202 Binary files /dev/null and b/features/images/TorBrowserPrintOutputFileSelected.png differ diff --git a/features/images/TorBrowserSampleRemoteHTML5VideoFrame.png b/features/images/TorBrowserSampleRemoteHTML5VideoFrame.png new file mode 100644 index 0000000000000000000000000000000000000000..2ba8ae7531308a83a915dd6a199de6e211af69c7 Binary files /dev/null and b/features/images/TorBrowserSampleRemoteHTML5VideoFrame.png differ diff --git a/features/images/TorBrowserSampleRemoteWebMVideoFrame.png b/features/images/TorBrowserSampleRemoteWebMVideoFrame.png new file mode 100644 index 0000000000000000000000000000000000000000..36e7301954e97e9411f54a1527a44b58f85737b2 Binary files /dev/null and b/features/images/TorBrowserSampleRemoteWebMVideoFrame.png differ diff --git a/features/images/TorBrowserSaveOutputFileSelected.png b/features/images/TorBrowserSaveOutputFileSelected.png new file mode 100644 index 0000000000000000000000000000000000000000..8addb178f1996071b02863e301ca3dcecec29efd Binary files /dev/null and b/features/images/TorBrowserSaveOutputFileSelected.png differ diff --git a/features/images/TorBrowserSavedStartupPage.png b/features/images/TorBrowserSavedStartupPage.png new file mode 100644 index 0000000000000000000000000000000000000000..17cbd88810f5f61d59f51675bc24bd09143f06da Binary files /dev/null and b/features/images/TorBrowserSavedStartupPage.png differ diff --git a/features/images/TorBrowserSynapticManual.png b/features/images/TorBrowserSynapticManual.png new file mode 100644 index 0000000000000000000000000000000000000000..f8ffa3eb0c82acd5e836048dbc877404ddf39102 Binary files /dev/null and b/features/images/TorBrowserSynapticManual.png differ diff --git a/features/images/TorBrowserTailsRoadmap.png b/features/images/TorBrowserTailsRoadmap.png new file mode 100644 index 0000000000000000000000000000000000000000..80d8976369260ed778949a8a038b7e0ad09f9c40 Binary files /dev/null and b/features/images/TorBrowserTailsRoadmap.png differ diff --git a/features/images/TorBrowserUnableToOpen.png b/features/images/TorBrowserUnableToOpen.png new file mode 100644 index 0000000000000000000000000000000000000000..f0faa264c44b69efa34f1629e5e7a3d034d4a014 Binary files /dev/null and b/features/images/TorBrowserUnableToOpen.png differ diff --git a/features/images/TorBrowserWarningDialogOkButton.png b/features/images/TorBrowserWarningDialogOkButton.png new file mode 100644 index 0000000000000000000000000000000000000000..59c010265271d0b0269929a50be5dda9ab28f28c Binary files /dev/null and b/features/images/TorBrowserWarningDialogOkButton.png differ diff --git a/features/images/TorLauncherBridgeList.png b/features/images/TorLauncherBridgeList.png new file mode 100644 index 0000000000000000000000000000000000000000..cb28a1eb885ef44c01b2ca7f4ef863710b2bb476 Binary files /dev/null and b/features/images/TorLauncherBridgeList.png differ diff --git a/features/images/TorLauncherBridgePrompt.png b/features/images/TorLauncherBridgePrompt.png new file mode 100644 index 0000000000000000000000000000000000000000..d03e7517d36d5cb96be33a7840fe0716ca8185c5 Binary files /dev/null and b/features/images/TorLauncherBridgePrompt.png differ diff --git a/features/images/TorLauncherConfigureButton.png b/features/images/TorLauncherConfigureButton.png new file mode 100644 index 0000000000000000000000000000000000000000..21a5d337942c67e43522d558a7242893032d4ce4 Binary files /dev/null and b/features/images/TorLauncherConfigureButton.png differ diff --git a/features/images/TorLauncherConnectingWindow.png b/features/images/TorLauncherConnectingWindow.png new file mode 100644 index 0000000000000000000000000000000000000000..e28fae70e97ee59c053f342272493ac7bfb7339e Binary files /dev/null and b/features/images/TorLauncherConnectingWindow.png differ diff --git a/features/images/TorLauncherFinishButton.png b/features/images/TorLauncherFinishButton.png new file mode 100644 index 0000000000000000000000000000000000000000..6d763b5cfa6072243973e450e32aa855fc4e039a Binary files /dev/null and b/features/images/TorLauncherFinishButton.png differ diff --git a/features/images/TorLauncherNextButton.png b/features/images/TorLauncherNextButton.png new file mode 100644 index 0000000000000000000000000000000000000000..d8bc6841d47296efb1d7eb002da05b10fddfc0dc Binary files /dev/null and b/features/images/TorLauncherNextButton.png differ diff --git a/features/images/TorLauncherWindow.png b/features/images/TorLauncherWindow.png new file mode 100644 index 0000000000000000000000000000000000000000..7dbc41795690e135217d9c7fce2066b1bbb66cd4 Binary files /dev/null and b/features/images/TorLauncherWindow.png differ diff --git a/features/images/TorLauncherYesRadioOption.png b/features/images/TorLauncherYesRadioOption.png new file mode 100644 index 0000000000000000000000000000000000000000..44418627434099aeac6c8cea4ac94486b8ab29da Binary files /dev/null and b/features/images/TorLauncherYesRadioOption.png differ diff --git a/features/images/UnsafeBrowserAddressBar.png b/features/images/UnsafeBrowserAddressBar.png new file mode 120000 index 0000000000000000000000000000000000000000..af820bdf815b4cc912148e2aa10ab78a02129759 --- /dev/null +++ b/features/images/UnsafeBrowserAddressBar.png @@ -0,0 +1 @@ +TorBrowserAddressBar.png \ No newline at end of file diff --git a/features/images/UnsafeBrowserDNSError.png b/features/images/UnsafeBrowserDNSError.png new file mode 100644 index 0000000000000000000000000000000000000000..cdf3dffbaeb5f897ead5b7c2252e9890248a9d05 Binary files /dev/null and b/features/images/UnsafeBrowserDNSError.png differ diff --git a/features/images/UnsafeBrowserExportBookmarksButton.png b/features/images/UnsafeBrowserExportBookmarksButton.png new file mode 100644 index 0000000000000000000000000000000000000000..a9e8c6295e2e2a63c25227466d56b353de4259c0 Binary files /dev/null and b/features/images/UnsafeBrowserExportBookmarksButton.png differ diff --git a/features/images/UnsafeBrowserExportBookmarksMenuEntry.png b/features/images/UnsafeBrowserExportBookmarksMenuEntry.png new file mode 100644 index 0000000000000000000000000000000000000000..fdea806ebd675ed4d8b604351eaf1e08e00a668a Binary files /dev/null and b/features/images/UnsafeBrowserExportBookmarksMenuEntry.png differ diff --git a/features/images/UnsafeBrowserExportBookmarksSavePrompt.png b/features/images/UnsafeBrowserExportBookmarksSavePrompt.png new file mode 100644 index 0000000000000000000000000000000000000000..01ba6d43fe52e8819a72011712868533e3cb2264 Binary files /dev/null and b/features/images/UnsafeBrowserExportBookmarksSavePrompt.png differ diff --git a/features/images/UnsafeBrowserNewTabButton.png b/features/images/UnsafeBrowserNewTabButton.png new file mode 100644 index 0000000000000000000000000000000000000000..6fa2f7509074724b5e00beee9aa79eb687f5a784 Binary files /dev/null and b/features/images/UnsafeBrowserNewTabButton.png differ diff --git a/features/images/UnsafeBrowserNoAddons.png b/features/images/UnsafeBrowserNoAddons.png new file mode 100644 index 0000000000000000000000000000000000000000..f71eb710f15efe0685d23e37763f0f3c9d5c070d Binary files /dev/null and b/features/images/UnsafeBrowserNoAddons.png differ diff --git a/features/images/UnsafeBrowserNoProxySelected.png b/features/images/UnsafeBrowserNoProxySelected.png new file mode 100644 index 0000000000000000000000000000000000000000..8368cd9b1258dc05141619afed29afad1a13b7e8 Binary files /dev/null and b/features/images/UnsafeBrowserNoProxySelected.png differ diff --git a/features/images/UnsafeBrowserStartVerification.png b/features/images/UnsafeBrowserStartVerification.png index 9ef264a264515a7b6fb93a09ca64ce810e256972..7e87ee4ea27654d4f080822b309491d96a0261b7 100644 Binary files a/features/images/UnsafeBrowserStartVerification.png and b/features/images/UnsafeBrowserStartVerification.png differ diff --git a/features/images/WindowsApplicationsTails.png b/features/images/WindowsApplicationsTails.png new file mode 100644 index 0000000000000000000000000000000000000000..152755927f5e4926aa92a32ed262cda0f40a7c24 Binary files /dev/null and b/features/images/WindowsApplicationsTails.png differ diff --git a/features/pidgin.feature b/features/pidgin.feature index 51d4a77694e259f8bcd640a2bad225f847b64fd6..27a8034118814a69f38b849fc28ef167b0dd941b 100644 --- a/features/pidgin.feature +++ b/features/pidgin.feature @@ -9,11 +9,52 @@ Feature: Chatting anonymously using Pidgin Background: Given a computer - And I capture all network traffic When I start Tails from DVD and I login Then Pidgin has the expected accounts configured with random nicknames And I save the state so the background can be restored next scenario + @check_tor_leaks + Scenario: Chatting with some friend over XMPP + When I start Pidgin through the GNOME menu + Then I see Pidgin's account manager window + When I create my XMPP account + And I close Pidgin's account manager window + Then Pidgin automatically enables my XMPP account + Given my XMPP friend goes online + When I start a conversation with my friend + And I say something to my friend + Then I receive a response from my friend + + @check_tor_leaks + Scenario: Chatting with some friend over XMPP in a multi-user chat + When I start Pidgin through the GNOME menu + Then I see Pidgin's account manager window + When I create my XMPP account + And I close Pidgin's account manager window + Then Pidgin automatically enables my XMPP account + When I join some empty multi-user chat + And I clear the multi-user chat's scrollback + And my XMPP friend goes online and joins the multi-user chat + Then I can see that my friend joined the multi-user chat + And I say something to my friend in the multi-user chat + Then I receive a response from my friend in the multi-user chat + + @check_tor_leaks + Scenario: Chatting with some friend over XMPP and with OTR + When I start Pidgin through the GNOME menu + Then I see Pidgin's account manager window + When I create my XMPP account + And I close Pidgin's account manager window + Then Pidgin automatically enables my XMPP account + Given my XMPP friend goes online + When I start a conversation with my friend + And I start an OTR session with my friend + Then Pidgin automatically generates an OTR key + And an OTR session was successfully started with my friend + When I say something to my friend + Then I receive a response from my friend + + @check_tor_leaks Scenario: Connecting to the #tails IRC channel with the pre-configured account When I start Pidgin through the GNOME menu Then I see Pidgin's account manager window @@ -21,7 +62,12 @@ Feature: Chatting anonymously using Pidgin And I close Pidgin's account manager window Then Pidgin successfully connects to the "irc.oftc.net" account And I can join the "#tails" channel on "irc.oftc.net" - And all Internet traffic has only flowed through Tor + When I type "/topic" + And I press the "ENTER" key + Then I see the Tails roadmap URL + When I click on the Tails roadmap URL + Then the Tor Browser has started and loaded the Tails roadmap + And the "irc.oftc.net" account only responds to PING and VERSION CTCP requests Scenario: Adding a certificate to Pidgin And I start Pidgin through the GNOME menu @@ -35,7 +81,7 @@ Feature: Chatting anonymously using Pidgin And I close Pidgin's account manager window Then I cannot add a certificate from the "/home/amnesia/.gnupg" directory to Pidgin - @keep_volumes + @keep_volumes @check_tor_leaks Scenario: Using a persistent Pidgin configuration Given the USB drive "current" contains Tails with persistence configured and password "asdf" And a computer @@ -47,7 +93,6 @@ Feature: Chatting anonymously using Pidgin # And I take note of the OTR key for Pidgin's "irc.oftc.net" account And I shutdown Tails and wait for the computer to power off Given a computer - And I capture all network traffic And I start Tails from USB drive "current" and I login with persistence password "asdf" And Pidgin has the expected persistent accounts configured # And Pidgin has the expected persistent OTR keys @@ -57,7 +102,6 @@ Feature: Chatting anonymously using Pidgin And I close Pidgin's account manager window Then Pidgin successfully connects to the "irc.oftc.net" account And I can join the "#tails" channel on "irc.oftc.net" - And all Internet traffic has only flowed through Tor # Exercise Pidgin AppArmor profile with persistence enabled. # This should really be in dedicated scenarios, but it would be # too costly to set up the virtual USB drive with persistence more diff --git a/features/root_access_control.feature b/features/root_access_control.feature index 9aa45de87c019259eb8ca62408c79fdbd01d0577..d89b35a8e32a9f4592873dcd365146c882ff1eb7 100644 --- a/features/root_access_control.feature +++ b/features/root_access_control.feature @@ -32,13 +32,13 @@ Feature: Root access control enforcement And I set sudo password "asdf" And I log in to a new session And Tails Greeter has dealt with the sudo password - And GNOME has started + And the Tails desktop is ready And running a command as root with pkexec requires PolicyKit administrator privileges Then I should be able to run a command as root with pkexec Scenario: If no administrative password is set in Tails Greeter the live user should not be able to get administrative privileges through PolicyKit with the standard passwords. Given I log in to a new session And Tails Greeter has dealt with the sudo password - And GNOME has started + And the Tails desktop is ready And running a command as root with pkexec requires PolicyKit administrator privileges Then I should not be able to run a command as root with pkexec and the standard passwords diff --git a/features/scripts/convertkey.py b/features/scripts/convertkey.py new file mode 100755 index 0000000000000000000000000000000000000000..ba7867542a79bb2492c928758825c427a5587cd9 --- /dev/null +++ b/features/scripts/convertkey.py @@ -0,0 +1,56 @@ +#!/usr/bin/python +# Copyright 2011 Kjell Braden <afflux@pentabarf.de> +# +# This file is part of the python-potr library. +# +# python-potr is free software; you can redistribute it and/or modify +# it under the terms of the GNU Lesser General Public License as published by +# the Free Software Foundation; either version 3 of the License, or +# any later version. +# +# python-potr is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU Lesser General Public License for more details. +# +# You should have received a copy of the GNU Lesser General Public License +# along with this library. If not, see <http://www.gnu.org/licenses/>. + +from potr.compatcrypto.pycrypto import DSAKey + +def parse(tokens): + key = tokens.pop(0)[1:] + + parsed = {key:{}} + + while tokens: + token = tokens.pop(0) + if token.endswith(')'): + if token[:-1]: + val = token[:-1].strip('"') + if val.startswith('#') and val.endswith('#'): + val = int(val[1:-1], 16) + parsed[key] = val + return parsed, tokens + if token.startswith('('): + pdata, tokens = parse([token]+tokens) + parsed[key].update(pdata) + + return parsed, [] + +def convert(path): + with open(path, 'r') as f: + text = f.read().strip() + tokens = text.split() + oldkey = parse(tokens)[0]['privkeys']['account'] + + k = oldkey['private-key']['dsa'] + newkey = DSAKey((k['y'],k['g'],k['p'],k['q'],k['x']), private=True) + print('Writing converted key for %s/%s to %s' % (oldkey['name'], + oldkey['protocol'], path+'2')) + with open(path+'3', 'wb') as f: + f.write(newkey.serializePrivateKey()) + +if __name__ == '__main__': + import sys + convert(sys.argv[1]) diff --git a/features/scripts/otr-bot.py b/features/scripts/otr-bot.py new file mode 100755 index 0000000000000000000000000000000000000000..dad41c60b0603de806c88faddd5505568af7c8b7 --- /dev/null +++ b/features/scripts/otr-bot.py @@ -0,0 +1,197 @@ +#!/usr/bin/python +import sys +import jabberbot +import xmpp +import potr +from argparse import ArgumentParser + +class OtrContext(potr.context.Context): + + def __init__(self, account, peer): + super(OtrContext, self).__init__(account, peer) + + def getPolicy(self, key): + return True + + def inject(self, msg, appdata = None): + mess = appdata["base_reply"] + mess.setBody(msg) + appdata["send_raw_message_fn"](mess) + + +class BotAccount(potr.context.Account): + + def __init__(self, jid, keyFilePath): + protocol = 'xmpp' + max_message_size = 10*1024 + super(BotAccount, self).__init__(jid, protocol, max_message_size) + self.keyFilePath = keyFilePath + + def loadPrivkey(self): + with open(self.keyFilePath, 'rb') as keyFile: + return potr.crypt.PK.parsePrivateKey(keyFile.read())[0] + + +class OtrContextManager: + + def __init__(self, jid, keyFilePath): + self.account = BotAccount(jid, keyFilePath) + self.contexts = {} + + def start_context(self, other): + if not other in self.contexts: + self.contexts[other] = OtrContext(self.account, other) + return self.contexts[other] + + def get_context_for_user(self, other): + return self.start_context(other) + + +class OtrBot(jabberbot.JabberBot): + + PING_FREQUENCY = 60 + + def __init__(self, account, password, otr_key_path, connect_server = None): + self.__connect_server = connect_server + self.__password = password + super(OtrBot, self).__init__(account, password) + self.__otr_manager = OtrContextManager(account, otr_key_path) + self.send_raw_message_fn = super(OtrBot, self).send_message + self.__default_otr_appdata = { + "send_raw_message_fn": self.send_raw_message_fn + } + + def __otr_appdata_for_mess(self, mess): + appdata = self.__default_otr_appdata.copy() + appdata["base_reply"] = mess + return appdata + + # Unfortunately Jabberbot's connect() is not very friendly to + # overriding in subclasses so we have to re-implement it + # completely (copy-paste mostly) in order to add support for using + # an XMPP "Connect Server". + def connect(self): + if not self.conn: + conn = xmpp.Client(self.jid.getDomain(), debug=[]) + if self.__connect_server: + try: + conn_server, conn_port = self.__connect_server.split(":", 1) + except ValueError: + conn_server = self.__connect_server + conn_port = 5222 + conres = conn.connect((conn_server, int(conn_port))) + else: + conres = conn.connect() + if not conres: + return None + authres = conn.auth(self.jid.getNode(), self.__password, self.res) + if not authres: + return None + self.conn = conn + self.conn.sendInitPresence() + self.roster = self.conn.Roster.getRoster() + for (handler, callback) in self.handlers: + self.conn.RegisterHandler(handler, callback) + return self.conn + + # Wrap OTR encryption around Jabberbot's most low-level method for + # sending messages. + def send_message(self, mess): + body = str(mess.getBody()) + user = str(mess.getTo().getStripped()) + otrctx = self.__otr_manager.get_context_for_user(user) + if otrctx.state == potr.context.STATE_ENCRYPTED: + otrctx.sendMessage(potr.context.FRAGMENT_SEND_ALL, body, + appdata = self.__otr_appdata_for_mess(mess)) + else: + self.send_raw_message_fn(mess) + + # Wrap OTR decryption around Jabberbot's callback mechanism. + def callback_message(self, conn, mess): + body = str(mess.getBody()) + user = str(mess.getFrom().getStripped()) + otrctx = self.__otr_manager.get_context_for_user(user) + if mess.getType() == "chat": + try: + appdata = self.__otr_appdata_for_mess(mess.buildReply()) + decrypted_body, tlvs = otrctx.receiveMessage(body, + appdata = appdata) + otrctx.processTLVs(tlvs) + except potr.context.NotEncryptedError: + otrctx.authStartV2(appdata = appdata) + return + except (potr.context.UnencryptedMessage, potr.context.NotOTRMessage): + decrypted_body = body + else: + decrypted_body = body + if decrypted_body == None: + return + if mess.getType() == "groupchat": + bot_prefix = self.jid.getNode() + ": " + if decrypted_body.startswith(bot_prefix): + decrypted_body = decrypted_body[len(bot_prefix):] + else: + return + mess.setBody(decrypted_body) + super(OtrBot, self).callback_message(conn, mess) + + # Override Jabberbot quitting on keep alive failure. + def on_ping_timeout(self): + self.__lastping = None + + @jabberbot.botcmd + def ping(self, mess, args): + """Why not just test it?""" + return "pong" + + @jabberbot.botcmd + def say(self, mess, args): + """Unleash my inner parrot""" + return args + + @jabberbot.botcmd + def clear_say(self, mess, args): + """Make me speak in the clear even if we're in an OTR chat""" + self.send_raw_message_fn(mess.buildReply(args)) + return "" + + @jabberbot.botcmd + def start_otr(self, mess, args): + """Make me *initiate* (but not refresh) an OTR session""" + if mess.getType() == "groupchat": + return + return "?OTRv2?" + + @jabberbot.botcmd + def end_otr(self, mess, args): + """Make me gracefully end the OTR session if there is one""" + if mess.getType() == "groupchat": + return + user = str(mess.getFrom().getStripped()) + self.__otr_manager.get_context_for_user(user).disconnect(appdata = + self.__otr_appdata_for_mess(mess.buildReply())) + return "" + +if __name__ == '__main__': + parser = ArgumentParser() + parser.add_argument("account", + help = "the user account, given as user@domain") + parser.add_argument("password", + help = "the user account's password") + parser.add_argument("otr_key_path", + help = "the path to the account's OTR key file") + parser.add_argument("-c", "--connect-server", metavar = 'ADDRESS', + help = "use a Connect Server, given as host[:port] " + + "(port defaults to 5222)") + parser.add_argument("-j", "--auto-join", nargs = '+', metavar = 'ROOMS', + help = "auto-join multi-user chatrooms on start") + args = parser.parse_args() + otr_bot_opt_args = dict() + if args.connect_server: + otr_bot_opt_args["connect_server"] = args.connect_server + otr_bot = OtrBot(args.account, args.password, args.otr_key_path, + **otr_bot_opt_args) + if args.auto_join: + for room in args.auto_join: + otr_bot.join_room(room) + otr_bot.serve_forever() diff --git a/features/scripts/vm-execute b/features/scripts/vm-execute new file mode 100755 index 0000000000000000000000000000000000000000..f1c285ff0b5f72686a3af15ceeb93f05568eb8e9 --- /dev/null +++ b/features/scripts/vm-execute @@ -0,0 +1,52 @@ +#!/usr/bin/env ruby + +require 'optparse' +begin + require "#{`git rev-parse --show-toplevel`.chomp}/features/support/helpers/exec_helper.rb" +rescue LoadError => e + raise "This script must be run from within Tails' Git directory." +end +$config = Hash.new +$config["DEBUG"] = false + +class FakeVM + def get_remote_shell_port + 1337 + end +end + +cmd_opts = { + :spawn => false, + :user => "root" +} + +opt_parser = OptionParser.new do |opts| + opts.banner = "Usage: features/scripts/vm-execute [opts] COMMAND" + opts.separator "" + opts.separator "Runs commands in the VM guest being tested. This script " \ + "must be run from within Tails' Git directory." + opts.separator "" + opts.separator "Options:" + + opts.on("-h", "--help", "Show this message") do + puts opts + exit + end + + opts.on("-u", "--user USER", "Run command as USER") do |user| + cmd_opts[:user] = user + end + + opts.on("-t", "--type TYPE", + "Run command as blocking with 'call' (default) or " \ + "non-blocking with 'spawn'") do |type| + cmd_opts[:type] = (type == "spawn") + end +end +opt_parser.parse!(ARGV) +cmd = ARGV.join(" ") +c = VMCommand.new(FakeVM.new, cmd, cmd_opts) +puts "Return status: #{c.returncode}" +puts "STDOUT:\n#{c.stdout}" +puts "STDERR:\n#{c.stderr}" +exit c.returncode diff --git a/features/ssh.feature b/features/ssh.feature new file mode 100644 index 0000000000000000000000000000000000000000..2ebcc9f893ecfdef9fc3a76b8e15971eff59f5c0 --- /dev/null +++ b/features/ssh.feature @@ -0,0 +1,30 @@ +@product +Feature: Logging in via SSH + As a Tails user + When I connect to SSH servers on the Internet + all Internet traffic should flow only through Tor + + Background: + Given a computer + And I start the computer + And the computer boots Tails + And I log in to a new session + And the Tails desktop is ready + And Tor is ready + And available upgrades have been checked + And all notifications have disappeared + And I save the state so the background can be restored next scenario + + @check_tor_leaks + Scenario: Connecting to an SSH server on the Internet + Given I have the SSH key pair for an SSH server + When I connect to an SSH server on the Internet + And I verify the SSH fingerprint for the SSH server + Then I have sucessfully logged into the SSH server + + @check_tor_leaks + Scenario: Connecting to an SFTP server on the Internet using the GNOME "Connect to a Server" feature + Given I have the SSH key pair for an SFTP server + When I connect to an SFTP server on the Internet + And I verify the SSH fingerprint for the SFTP server + Then I successfully connect to the SFTP server diff --git a/features/step_definitions/apt.rb b/features/step_definitions/apt.rb index 6f2e39ab48431e47b60d95f6f17057ad61f7b30b..8be9e6d1ab674457dc6de6c931962bfb9167fe75 100644 --- a/features/step_definitions/apt.rb +++ b/features/step_definitions/apt.rb @@ -15,11 +15,8 @@ end When /^I update APT using apt-get$/ do next if @skip_steps_while_restoring_background Timeout::timeout(30*60) do - cmd = @vm.execute("echo #{@sudo_password} | " + - "sudo -S apt-get update", $live_user) - if !cmd.success? - STDERR.puts cmd.stderr - end + @vm.execute_successfully("echo #{@sudo_password} | " + + "sudo -S apt-get update", LIVE_USER) end end @@ -27,11 +24,8 @@ Then /^I should be able to install a package using apt-get$/ do next if @skip_steps_while_restoring_background package = "cowsay" Timeout::timeout(120) do - cmd = @vm.execute("echo #{@sudo_password} | " + - "sudo -S apt-get install #{package}", $live_user) - if !cmd.success? - STDERR.puts cmd.stderr - end + @vm.execute_successfully("echo #{@sudo_password} | " + + "sudo -S apt-get install #{package}", LIVE_USER) end step "package \"#{package}\" is installed" end @@ -47,23 +41,21 @@ When /^I update APT using Synaptic$/ do @screen.find('SynapticReloadPrompt.png') } @screen.waitVanish('SynapticReloadPrompt.png', 30*60) + # After this next image is displayed, the GUI should be responsive. + @screen.wait('SynapticPackageList.png', 30) end Then /^I should be able to install a package using Synaptic$/ do next if @skip_steps_while_restoring_background package = "cowsay" - # We do this after a Reload, so the interface will be frozen until - # the package list has been loaded - try_for(60, :msg => "Failed to open the Synaptic 'Find' window") { - @screen.type("f", Sikuli::KeyModifier.CTRL) # Find key - @screen.find('SynapticSearch.png') - } + @screen.type("f", Sikuli::KeyModifier.CTRL) # Find key + @screen.wait_and_click('SynapticSearch.png', 10) @screen.type(package + Sikuli::Key.ENTER) @screen.wait_and_click('SynapticCowsaySearchResult.png', 20) - sleep 5 + @screen.wait('SynapticCowsaySearchResultSelected.png', 20) @screen.type("i", Sikuli::KeyModifier.CTRL) # Mark for installation - sleep 5 - @screen.type("p", Sikuli::KeyModifier.CTRL) # Apply + @screen.wait('SynapticCowsayMarked.png', 10) + @screen.wait_and_click('SynapticApply.png', 10) @screen.wait('SynapticApplyPrompt.png', 60) @screen.type("a", Sikuli::KeyModifier.ALT) # Verify apply @screen.wait('SynapticChangesAppliedPrompt.png', 120) diff --git a/features/step_definitions/build.rb b/features/step_definitions/build.rb index 2e597a4da4a856d25aa6809e066b94f1c19e2fc4..fd001ff431fa36110a0e0827fc0b0b0ae7f44f2a 100644 --- a/features/step_definitions/build.rb +++ b/features/step_definitions/build.rb @@ -1,6 +1,8 @@ Given /^Tails ([[:alnum:].]+) has been released$/ do |version| create_git unless git_exists? + old_branch = current_branch + fatal_system "git checkout --quiet stable" old_entries = File.open('debian/changelog') { |f| f.read } File.open('debian/changelog', 'w') do |changelog| @@ -16,6 +18,11 @@ END_OF_CHANGELOG end fatal_system "git commit --quiet debian/changelog -m 'Release #{version}'" fatal_system "git tag '#{version}'" + + if old_branch != 'stable' + fatal_system "git checkout --quiet '#{old_branch}'" + fatal_system "git merge --quiet 'stable'" + end end Given /^Tails ([[:alnum:].-]+) has been tagged$/ do |version| @@ -26,7 +33,7 @@ Given /^Tails ([[:alnum:].]+) has not been released yet$/ do |version| !File.exists? ".git/refs/tags/#{version}" end -Given /^last released version mentioned in debian\/changelog is ([[:alnum:]~.]+)$/ do |version| +Given /^the last version mentioned in debian\/changelog is ([[:alnum:]~.]+)$/ do |version| last = `dpkg-parsechangelog | awk '/^Version: / { print $2 }'`.strip raise StandardError.new('dpkg-parsechangelog failed.') if $? != 0 @@ -35,37 +42,74 @@ Given /^last released version mentioned in debian\/changelog is ([[:alnum:]~.]+) end end -Given %r{I am working on the ([[:alnum:]./_-]+) branch$} do |branch| +Given %r{I am working on the ([[:alnum:]./_-]+) base branch$} do |branch| create_git unless git_exists? - current_branch = `git branch | awk '/^\*/ { print $2 }'`.strip - raise StandardError.new('git-branch failed.') if $? != 0 - if current_branch != branch fatal_system "git checkout --quiet '#{branch}'" end + + File.open('config/base_branch', 'w+') do |base_branch_file| + base_branch_file.write("#{branch}\n") + end end Given %r{I am working on the ([[:alnum:]./_-]+) branch based on ([[:alnum:]./_-]+)$} do |branch, base| create_git unless git_exists? - current_branch = `git branch | awk '/^\*/ { print $2 }'`.strip - raise StandardError.new('git-branch failed.') if $? != 0 - if current_branch != branch fatal_system "git checkout --quiet -b '#{branch}' '#{base}'" end + + File.open('config/base_branch', 'w+') do |base_branch_file| + base_branch_file.write("#{base}\n") + end end -When /^I run ([[:alnum:]-]+)$/ do |command| +When /^I successfully run ([[:alnum:]-]+)$/ do |command| @output = `#{File.expand_path("../../../auto/scripts/#{command}", __FILE__)}` raise StandardError.new("#{command} failed. Exit code: #{$?}") if $? != 0 end +When /^I run ([[:alnum:]-]+)$/ do |command| + @output = `#{File.expand_path("../../../auto/scripts/#{command}", __FILE__)}` + @exit_code = $?.exitstatus +end + Then /^I should see the ['"]?([[:alnum:].-]+)['"]? suite$/ do |suite| @output.should have_suite(suite) end +Then /^I should see only the ['"]?([[:alnum:].-]+)['"]? suite$/ do |suite| + assert_equal(1, @output.lines.count) + @output.should have_suite(suite) +end + Then /^I should not see the ['"]?([[:alnum:].-]+)['"]? suite$/ do |suite| @output.should_not have_suite(suite) end + +Given(/^the config\/APT_overlays\.d directory is empty$/) do + Dir.glob('config/APT_overlays.d/*').empty? \ + or raise "config/APT_overlays.d/ is not empty" +end + +Given(/^config\/APT_overlays\.d contains ['"]?([[:alnum:].-]+)['"]?$/) do |suite| + FileUtils.touch("config/APT_overlays.d/#{suite}") +end + +Then(/^it should fail$/) do + assert_not_equal(0, @exit_code) +end + +Given(/^the (config\/base_branch) file does not exist$/) do |file| + File.delete(file) +end + +Given(/^the (config\/APT_overlays\.d) directory does not exist$/) do |dir| + Dir.rmdir(dir) +end + +Given(/^the config\/base_branch file is empty$/) do + File.truncate('config/base_branch', 0) +end diff --git a/features/step_definitions/checks.rb b/features/step_definitions/checks.rb index 76cfe670a2d7a95f62d8e3ad009df9e89ab9624d..7ba7a9d492f9b7b6d32f34cb9dcc527aad1d5c78 100644 --- a/features/step_definitions/checks.rb +++ b/features/step_definitions/checks.rb @@ -1,25 +1,26 @@ -Then /^the shipped Tails signing key is not outdated$/ do - # "old" here is w.r.t. the one we fetch from Tails' website - next if @skip_steps_while_restoring_background - sig_key_fingerprint = "0D24B36AA9A2A651787876451202821CBE2CD9C1" - fresh_sig_key = "/tmp/tails-signing.key" - tmp_keyring = "/tmp/tmp-keyring.gpg" - key_url = "https://tails.boum.org/tails-signing.key" - @vm.execute("curl --silent --socks5-hostname localhost:9062 " + - "#{key_url} -o #{fresh_sig_key}", $live_user) - @vm.execute("gpg --batch --no-default-keyring --keyring #{tmp_keyring} " + - "--import #{fresh_sig_key}", $live_user) - fresh_sig_key_info = - @vm.execute("gpg --batch --no-default-keyring --keyring #{tmp_keyring} " + - "--list-key #{sig_key_fingerprint}", $live_user).stdout - shipped_sig_key_info = @vm.execute("gpg --batch --list-key #{sig_key_fingerprint}", - $live_user).stdout - assert_equal(fresh_sig_key_info, shipped_sig_key_info, - "The Tails signing key shipped inside Tails is outdated:\n" + - "Shipped key:\n" + - shipped_sig_key_info + - "Newly fetched key from #{key_url}:\n" + - fresh_sig_key_info) +Then /^the shipped Tails (signing|Debian repository) key will be valid for the next (\d+) months$/ do |key_type, max_months| + next if @skip_steps_while_restoring_background + case key_type + when 'signing' + sig_key_fingerprint = TAILS_SIGNING_KEY + cmd = 'gpg' + user = LIVE_USER + when 'Debian repository' + sig_key_fingerprint = TAILS_DEBIAN_REPO_KEY + cmd = 'apt-key adv' + user = 'root' + else + raise 'Unknown key type #{key_type}' + end + shipped_sig_key_info = @vm.execute_successfully("#{cmd} --batch --list-key #{sig_key_fingerprint}", user).stdout + expiration_date = Date.parse(/\[expires: ([0-9-]*)\]/.match(shipped_sig_key_info)[1]) + assert((expiration_date << max_months.to_i) > DateTime.now, + "The shipped signing key will expire within the next #{max_months} months.") +end + +Then /^I double-click the Report an Error launcher on the desktop$/ do + next if @skip_steps_while_restoring_background + @screen.wait_and_double_click('DesktopReportAnError.png', 30) end Then /^the live user has been setup by live\-boot$/ do @@ -28,13 +29,13 @@ Then /^the live user has been setup by live\-boot$/ do "live-boot failed its user-setup") actual_username = @vm.execute(". /etc/live/config/username.conf; " + "echo $LIVE_USERNAME").stdout.chomp - assert_equal($live_user, actual_username) + assert_equal(LIVE_USER, actual_username) end Then /^the live user is a member of only its own group and "(.*?)"$/ do |groups| next if @skip_steps_while_restoring_background - expected_groups = groups.split(" ") << $live_user - actual_groups = @vm.execute("groups #{$live_user}").stdout.chomp.sub(/^#{$live_user} : /, "").split(" ") + expected_groups = groups.split(" ") << LIVE_USER + actual_groups = @vm.execute("groups #{LIVE_USER}").stdout.chomp.sub(/^#{LIVE_USER} : /, "").split(" ") unexpected = actual_groups - expected_groups missing = expected_groups - actual_groups assert_equal(0, unexpected.size, @@ -45,12 +46,12 @@ end Then /^the live user owns its home dir and it has normal permissions$/ do next if @skip_steps_while_restoring_background - home = "/home/#{$live_user}" + home = "/home/#{LIVE_USER}" assert(@vm.execute("test -d #{home}").success?, "The live user's home doesn't exist or is not a directory") owner = @vm.execute("stat -c %U:%G #{home}").stdout.chomp perms = @vm.execute("stat -c %a #{home}").stdout.chomp - assert_equal("#{$live_user}:#{$live_user}", owner) + assert_equal("#{LIVE_USER}:#{LIVE_USER}", owner) assert_equal("700", perms) end @@ -79,8 +80,8 @@ Then /^no unexpected services are listening for network connections$/ do proc = splitted[proc_index].split("/")[1] # Services listening on loopback is not a threat if /127(\.[[:digit:]]{1,3}){3}/.match(laddr).nil? - if $services_expected_on_all_ifaces.include? [proc, laddr, lport] or - $services_expected_on_all_ifaces.include? [proc, laddr, "*"] + if SERVICES_EXPECTED_ON_ALL_IFACES.include? [proc, laddr, lport] or + SERVICES_EXPECTED_ON_ALL_IFACES.include? [proc, laddr, "*"] puts "Service '#{proc}' is listening on #{laddr}:#{lport} " + "but has an exception" else @@ -96,40 +97,70 @@ When /^Tails has booted a 64-bit kernel$/ do "Tails has not booted a 64-bit kernel.") end +Then /^GNOME Screenshot is configured to save files to the live user's home directory$/ do + next if @skip_steps_while_restoring_background + home = "/home/#{LIVE_USER}" + save_path = @vm.execute_successfully( + "gsettings get org.gnome.gnome-screenshot auto-save-directory", + LIVE_USER).stdout.chomp.tr("'","") + assert_equal("file://#{home}", save_path, + "The GNOME screenshot auto-save-directory is not set correctly.") +end + +Then /^there is no screenshot in the live user's home directory$/ do + next if @skip_steps_while_restoring_background + home = "/home/#{LIVE_USER}" + assert(@vm.execute("find '#{home}' -name 'Screenshot*.png' -maxdepth 1").stdout.empty?, + "Existing screenshots were found in the live user's home directory.") +end + +Then /^a screenshot is saved to the live user's home directory$/ do + next if @skip_steps_while_restoring_background + home = "/home/#{LIVE_USER}" + try_for(10, :msg=> "No screenshot was created in #{home}") { + !@vm.execute("find '#{home}' -name 'Screenshot*.png' -maxdepth 1").stdout.empty? + } +end + Then /^the VirtualBox guest modules are available$/ do next if @skip_steps_while_restoring_background assert(@vm.execute("modinfo vboxguest").success?, "The vboxguest module is not available.") end -def shared_pdf_dir_on_guest - "/tmp/shared_pdf_dir" +Given /^I setup a filesystem share containing a sample PDF$/ do + next if @skip_steps_while_restoring_background + shared_pdf_dir_on_host = "#{$config["TMPDIR"]}/shared_pdf_dir" + @shared_pdf_dir_on_guest = "/tmp/shared_pdf_dir" + FileUtils.mkdir_p(shared_pdf_dir_on_host) + Dir.glob("#{MISC_FILES_DIR}/*.pdf") do |pdf_file| + FileUtils.cp(pdf_file, shared_pdf_dir_on_host) + end + add_after_scenario_hook { FileUtils.rm_r(shared_pdf_dir_on_host) } + @vm.add_share(shared_pdf_dir_on_host, @shared_pdf_dir_on_guest) end -Given /^I setup a filesystem share containing a sample PDF$/ do +Then /^the support documentation page opens in Tor Browser$/ do next if @skip_steps_while_restoring_background - @vm.add_share($misc_files_dir, shared_pdf_dir_on_guest) + @screen.wait("SupportDocumentation#{@language}.png", 120) end Then /^MAT can clean some sample PDF file$/ do next if @skip_steps_while_restoring_background - for pdf_on_host in Dir.glob("#{$misc_files_dir}/*.pdf") do + for pdf_on_host in Dir.glob("#{MISC_FILES_DIR}/*.pdf") do pdf_name = File.basename(pdf_on_host) - pdf_on_guest = "/home/#{$live_user}/#{pdf_name}" - step "I copy \"#{shared_pdf_dir_on_guest}/#{pdf_name}\" to \"#{pdf_on_guest}\" as user \"#{$live_user}\"" - @vm.execute("mat --display '#{pdf_on_guest}'", - $live_user).stdout - check_before = @vm.execute("mat --check '#{pdf_on_guest}'", - $live_user).stdout - if check_before.include?("#{pdf_on_guest} is clean") - STDERR.puts "warning: '#{pdf_on_host}' is already clean so it is a " + - "bad candidate for testing MAT" - end - @vm.execute("mat '#{pdf_on_guest}'", $live_user) - check_after = @vm.execute("mat --check '#{pdf_on_guest}'", - $live_user).stdout + pdf_on_guest = "/home/#{LIVE_USER}/#{pdf_name}" + step "I copy \"#{@shared_pdf_dir_on_guest}/#{pdf_name}\" to \"#{pdf_on_guest}\" as user \"#{LIVE_USER}\"" + check_before = @vm.execute_successfully("mat --check '#{pdf_on_guest}'", + LIVE_USER).stdout + assert(check_before.include?("#{pdf_on_guest} is not clean"), + "MAT failed to see that '#{pdf_on_host}' is dirty") + @vm.execute_successfully("mat '#{pdf_on_guest}'", LIVE_USER) + check_after = @vm.execute_successfully("mat --check '#{pdf_on_guest}'", + LIVE_USER).stdout assert(check_after.include?("#{pdf_on_guest} is clean"), "MAT failed to clean '#{pdf_on_host}'") + @vm.execute_successfully("rm '#{pdf_on_guest}'") end end @@ -141,3 +172,22 @@ Then /^some AppArmor profiles are enforced$/ do assert(@vm.execute("aa-status --enforced").stdout.chomp.to_i > 0, "No AppArmor profile is enforced") end + +def get_seccomp_status(process) + assert(@vm.has_process?(process), "Process #{process} not running.") + pid = @vm.pidof(process)[0] + status = @vm.file_content("/proc/#{pid}/status") + return status.match(/^Seccomp:\s+([0-9])/)[1].chomp.to_i +end + +Then /^the running process "(.+)" is confined with Seccomp in (filter|strict) mode$/ do |process,mode| + next if @skip_steps_while_restoring_background + status = get_seccomp_status(process) + if mode == 'strict' + assert_equal(1, status, "#{process} not confined with Seccomp in strict mode") + elsif mode == 'filter' + assert_equal(2, status, "#{process} not confined with Seccomp in filter mode") + else + raise "Unsupported mode #{mode} passed" + end +end diff --git a/features/step_definitions/common_steps.rb b/features/step_definitions/common_steps.rb index 0e4323587b40a3647f11c6b9d6d4f8d04b96c2d6..79e713ce0dc9edc6d5873a720ea4ee37eb06aa02 100644 --- a/features/step_definitions/common_steps.rb +++ b/features/step_definitions/common_steps.rb @@ -56,14 +56,16 @@ def restore_background @vm.host_to_guest_time_sync @vm.execute("service tor start") wait_until_tor_is_working - @vm.spawn("/usr/local/sbin/restart-vidalia") + @vm.spawn("restart-vidalia") end + else + @vm.host_to_guest_time_sync end end Given /^a computer$/ do - @vm.destroy if @vm - @vm = VM.new($vm_xml_path, $x_display) + @vm.destroy_and_undefine if @vm + @vm = VM.new($virt, VM_XML_PATH, $vmnet, $vmstorage, DISPLAY) end Given /^the computer has (\d+) ([[:alpha:]]+) of RAM$/ do |size, unit| @@ -73,7 +75,7 @@ end Given /^the computer is set to boot from the Tails DVD$/ do next if @skip_steps_while_restoring_background - @vm.set_cdrom_boot($tails_iso) + @vm.set_cdrom_boot(TAILS_ISO) end Given /^the computer is set to boot from (.+?) drive "(.+?)"$/ do |type, name| @@ -81,7 +83,13 @@ Given /^the computer is set to boot from (.+?) drive "(.+?)"$/ do |type, name| @vm.set_disk_boot(name, type.downcase) end -Given /^I plug ([[:alpha:]]+) drive "([^"]+)"$/ do |bus, name| +Given /^I create a (\d+) ([[:alpha:]]+) disk named "([^"]+)"$/ do |size, unit, name| + next if @skip_steps_while_restoring_background + @vm.storage.create_new_disk(name, {:size => size, :unit => unit, + :type => "qcow2"}) +end + +Given /^I plug (.+) drive "([^"]+)"$/ do |bus, name| next if @skip_steps_while_restoring_background @vm.plug_drive(name, bus.downcase) if @vm.is_running? @@ -102,12 +110,14 @@ Then /^drive "([^"]+)" is detected by Tails$/ do |name| end Given /^the network is plugged$/ do - next if @skip_steps_while_restoring_background + # We don't skip this step when restoring the background to ensure + # that the network state is actually the same after restoring as + # when the snapshot was made. @vm.plug_network end Given /^the network is unplugged$/ do - next if @skip_steps_while_restoring_background + # See comment in the step "the network is plugged". @vm.unplug_network end @@ -115,8 +125,12 @@ Given /^I capture all network traffic$/ do # Note: We don't want skip this particular stpe if # @skip_steps_while_restoring_background is set since it starts # something external to the VM state. - @sniffer = Sniffer.new("TestSniffer", @vm.net.bridge_name) + @sniffer = Sniffer.new("sniffer", $vmnet) @sniffer.capture + add_after_scenario_hook do + @sniffer.stop + @sniffer.clear + end end Given /^I set Tails to boot with options "([^"]*)"$/ do |options| @@ -132,11 +146,11 @@ When /^I start the computer$/ do post_vm_start_hook end -Given /^I start Tails from DVD(| with network unplugged) and I login$/ do |network_unplugged| +Given /^I start Tails( from DVD)?( with network unplugged)? and I login$/ do |dvd_boot, network_unplugged| # we don't @skip_steps_while_restoring_background as we're only running # other steps, that are taking care of it *if* they have to - step "the computer is set to boot from the Tails DVD" - if network_unplugged.empty? + step "the computer is set to boot from the Tails DVD" if dvd_boot + if network_unplugged.nil? step "the network is plugged" else step "the network is unplugged" @@ -145,7 +159,7 @@ Given /^I start Tails from DVD(| with network unplugged) and I login$/ do |netwo step "the computer boots Tails" step "I log in to a new session" step "Tails seems to have booted normally" - if network_unplugged.empty? + if network_unplugged.nil? step "Tor is ready" step "all notifications have disappeared" step "available upgrades have been checked" @@ -199,28 +213,23 @@ end When /^I destroy the computer$/ do next if @skip_steps_while_restoring_background - @vm.destroy + @vm.destroy_and_undefine end Given /^the computer (re)?boots Tails$/ do |reboot| next if @skip_steps_while_restoring_background + boot_timeout = 30 + # We need some extra time for memory wiping if rebooting + boot_timeout += 90 if reboot + case @os_loader when "UEFI" - assert(!reboot, "Testing of reboot with UEFI enabled is not implemented") bootsplash = 'TailsBootSplashUEFI.png' bootsplash_tab_msg = 'TailsBootSplashTabMsgUEFI.png' - boot_timeout = 30 else - if reboot - bootsplash = 'TailsBootSplashPostReset.png' - bootsplash_tab_msg = 'TailsBootSplashTabMsgPostReset.png' - boot_timeout = 120 - else - bootsplash = 'TailsBootSplash.png' - bootsplash_tab_msg = 'TailsBootSplashTabMsg.png' - boot_timeout = 30 - end + bootsplash = 'TailsBootSplash.png' + bootsplash_tab_msg = 'TailsBootSplashTabMsg.png' end @screen.wait(bootsplash, boot_timeout) @@ -235,9 +244,19 @@ Given /^the computer (re)?boots Tails$/ do |reboot| activate_filesystem_shares end -Given /^I log in to a new session$/ do +Given /^I log in to a new session(?: in )?(|German)$/ do |lang| next if @skip_steps_while_restoring_background - @screen.wait_and_click('TailsGreeterLoginButton.png', 10) + case lang + when 'German' + @language = "German" + @screen.wait_and_click('TailsGreeterLanguage.png', 10) + @screen.wait_and_click("TailsGreeterLanguage#{@language}.png", 10) + @screen.wait_and_click("TailsGreeterLoginButton#{@language}.png", 10) + when '' + @screen.wait_and_click('TailsGreeterLoginButton.png', 10) + else + raise "Unsupported language: #{lang}" + end end Given /^I enable more Tails Greeter options$/ do @@ -248,6 +267,11 @@ Given /^I enable more Tails Greeter options$/ do @screen.wait('TailsGreeterLoginButton.png', 20) end +Given /^I enable the specific Tor configuration option$/ do + next if @skip_steps_while_restoring_background + @screen.click('TailsGreeterTorConf.png') +end + Given /^I set sudo password "([^"]*)"$/ do |password| @sudo_password = password next if @skip_steps_while_restoring_background @@ -266,20 +290,24 @@ Given /^Tails Greeter has dealt with the sudo password$/ do } end -Given /^GNOME has started$/ do +Given /^the Tails desktop is ready$/ do next if @skip_steps_while_restoring_background case @theme when "windows" desktop_started_picture = 'WindowsStartButton.png' else - desktop_started_picture = 'GnomeApplicationsMenu.png' + desktop_started_picture = "GnomeApplicationsMenu#{@language}.png" + # We wait for the Florence icon to be displayed to ensure reliable systray icon clicking. + # By this point the only icon left is Vidalia and it will not cause the other systray + # icons to shift positions. + @screen.wait("GnomeSystrayFlorence.png", 180) end @screen.wait(desktop_started_picture, 180) end Then /^Tails seems to have booted normally$/ do next if @skip_steps_while_restoring_background - step "GNOME has started" + step "the Tails desktop is ready" end When /^I see the 'Tor is ready' notification$/ do @@ -325,10 +353,18 @@ Given /^the Tor Browser has started$/ do @screen.wait(tor_browser_picture, 60) end -Given /^the Tor Browser has started and loaded the startup page$/ do +Given /^the Tor Browser has started and loaded the (startup page|Tails roadmap)$/ do |page| next if @skip_steps_while_restoring_background + case page + when "startup page" + picture = "TorBrowserStartupPage.png" + when "Tails roadmap" + picture = "TorBrowserTailsRoadmap.png" + else + raise "Unsupported page: #{page}" + end step "the Tor Browser has started" - @screen.wait("TorBrowserStartupPage.png", 120) + @screen.wait(picture, 120) end Given /^the Tor Browser has started in offline mode$/ do @@ -397,29 +433,8 @@ end Then /^all Internet traffic has only flowed through Tor$/ do next if @skip_steps_while_restoring_background - leaks = FirewallLeakCheck.new(@sniffer.pcap_file, get_tor_relays) - if !leaks.empty? - if !leaks.ipv4_tcp_leaks.empty? - puts "The following IPv4 TCP non-Tor Internet hosts were contacted:" - puts leaks.ipv4_tcp_leaks.join("\n") - puts - end - if !leaks.ipv4_nontcp_leaks.empty? - puts "The following IPv4 non-TCP Internet hosts were contacted:" - puts leaks.ipv4_nontcp_leaks.join("\n") - puts - end - if !leaks.ipv6_leaks.empty? - puts "The following IPv6 Internet hosts were contacted:" - puts leaks.ipv6_leaks.join("\n") - puts - end - if !leaks.nonip_leaks.empty? - puts "Some non-IP packets were sent\n" - end - save_pcap_file - raise "There were network leaks!" - end + leaks = FirewallLeakCheck.new(@sniffer.pcap_file, get_all_tor_nodes) + leaks.assert_no_leaks end Given /^I enter the sudo password in the gksu prompt$/ do @@ -438,7 +453,6 @@ end def deal_with_polkit_prompt (image, password) @screen.wait(image, 60) - sleep 1 # wait for weird fade-in to unblock the "Ok" button @screen.type(password) @screen.type(Sikuli::Key.ENTER) @screen.waitVanish(image, 10) @@ -463,6 +477,14 @@ Given /^process "([^"]+)" is running within (\d+) seconds$/ do |process, time| end end +Given /^process "([^"]+)" has stopped running after at most (\d+) seconds$/ do |process, time| + next if @skip_steps_while_restoring_background + try_for(time.to_i, :msg => "Process '#{process}' is still running after " + + "waiting for #{time} seconds") do + not @vm.has_process?(process) + end +end + Given /^process "([^"]+)" is not running$/ do |process| next if @skip_steps_while_restoring_background assert(!@vm.has_process?(process), @@ -489,7 +511,7 @@ end Then /^Tails eventually restarts$/ do next if @skip_steps_while_restoring_background nr_gibs_of_ram = (detected_ram_in_MiB.to_f/(2**10)).ceil - @screen.wait('TailsBootSplashPostReset.png', nr_gibs_of_ram*5*60) + @screen.wait('TailsBootSplash.png', nr_gibs_of_ram*5*60) end Given /^I shutdown Tails and wait for the computer to power off$/ do @@ -543,6 +565,70 @@ When /^I start the Tor Browser in offline mode$/ do end end +def xul_application_info(application) + binary = @vm.execute_successfully( + '. /usr/local/lib/tails-shell-library/tor-browser.sh; ' + + 'echo ${TBB_INSTALL}/firefox' + ).stdout.chomp + case application + when "Tor Browser" + user = LIVE_USER + cmd_regex = "#{binary} .* -profile /home/#{user}/\.tor-browser/profile\.default" + chroot = "" + new_tab_button_image = "TorBrowserNewTabButton.png" + address_bar_image = "TorBrowserAddressBar.png" + when "Unsafe Browser" + user = "clearnet" + cmd_regex = "#{binary} .* -profile /home/#{user}/\.unsafe-browser/profile\.default" + chroot = "/var/lib/unsafe-browser/chroot" + new_tab_button_image = "UnsafeBrowserNewTabButton.png" + address_bar_image = "UnsafeBrowserAddressBar.png" + when "I2P Browser" + user = "i2pbrowser" + cmd_regex = "#{binary} .* -profile /home/#{user}/\.i2p-browser/profile\.default" + chroot = "/var/lib/i2p-browser/chroot" + new_tab_button_image = nil + address_bar_image = nil + when "Tor Launcher" + user = "tor-launcher" + cmd_regex = "#{binary} -app /home/#{user}/\.tor-launcher/tor-launcher-standalone/application\.ini" + chroot = "" + new_tab_button_image = nil + address_bar_image = nil + else + raise "Invalid browser or XUL application: #{application}" + end + return { + :user => user, + :cmd_regex => cmd_regex, + :chroot => chroot, + :new_tab_button_image => new_tab_button_image, + :address_bar_image => address_bar_image, + } +end + +When /^I open a new tab in the (.*)$/ do |browser| + next if @skip_steps_while_restoring_background + info = xul_application_info(browser) + @screen.click(info[:new_tab_button_image]) + @screen.wait(info[:address_bar_image], 10) +end + +When /^I open the address "([^"]*)" in the (.*)$/ do |address, browser| + next if @skip_steps_while_restoring_background + step "I open a new tab in the #{browser}" + info = xul_application_info(browser) + @screen.click(info[:address_bar_image]) + sleep 0.5 + @screen.type(address + Sikuli::Key.ENTER) +end + +Then /^the (.*) has no plugins installed$/ do |browser| + next if @skip_steps_while_restoring_background + step "I open the address \"about:plugins\" in the #{browser}" + step "I see \"TorBrowserNoPlugins.png\" after at most 30 seconds" +end + def xul_app_shared_lib_check(pid, chroot) expected_absent_tbb_libs = ['libnssdbm3.so'] absent_tbb_libs = [] @@ -574,35 +660,32 @@ def xul_app_shared_lib_check(pid, chroot) "Native libs that we don't want: #{unwanted_native_libs}") end -Then /^(.*) uses all expected TBB shared libraries$/ do |application| +Then /^the (.*) uses all expected TBB shared libraries$/ do |application| next if @skip_steps_while_restoring_background - binary = @vm.execute_successfully( - '. /usr/local/lib/tails-shell-library/tor-browser.sh; ' + - 'echo ${TBB_INSTALL}/firefox' - ).stdout.chomp - case application - when "the Tor Browser" - user = $live_user - cmd_regex = "#{binary} .* -profile /home/#{user}/\.tor-browser/profile\.default" - chroot = "" - when "the Unsafe Browser" - user = "clearnet" - cmd_regex = "#{binary} .* -profile /home/#{user}/\.unsafe-browser/profile\.default" - chroot = "/var/lib/unsafe-browser/chroot" - when "the I2P Browser" - user = "i2pbrowser" - cmd_regex = "#{binary} .* -profile /home/#{user}/\.i2p-browser/profile\.default" - chroot = "/var/lib/i2p-browser/chroot" - when "Tor Launcher" - user = "tor-launcher" - cmd_regex = "#{binary} -app /home/#{user}/\.tor-launcher/tor-launcher-standalone/application\.ini" - chroot = "" - else - raise "Invalid browser or XUL application: #{application}" - end - pid = @vm.execute_successfully("pgrep --uid #{user} --full --exact '#{cmd_regex}'").stdout.chomp + info = xul_application_info(application) + pid = @vm.execute_successfully("pgrep --uid #{info[:user]} --full --exact '#{info[:cmd_regex]}'").stdout.chomp assert(/\A\d+\z/.match(pid), "It seems like #{application} is not running") - xul_app_shared_lib_check(pid, chroot) + xul_app_shared_lib_check(pid, info[:chroot]) +end + +Then /^the (.*) chroot is torn down$/ do |browser| + next if @skip_steps_while_restoring_background + info = xul_application_info(browser) + try_for(30, :msg => "The #{browser} chroot '#{info[:chroot]}' was " \ + "not removed") do + !@vm.execute("test -d '#{info[:chroot]}'").success? + end +end + +Then /^the (.*) runs as the expected user$/ do |browser| + next if @skip_steps_while_restoring_background + info = xul_application_info(browser) + assert_vmcommand_success(@vm.execute( + "pgrep --full --exact '#{info[:cmd_regex]}'"), + "The #{browser} is not running") + assert_vmcommand_success(@vm.execute( + "pgrep --uid #{info[:user]} --full --exact '#{info[:cmd_regex]}'"), + "The #{browser} is not running as the #{info[:user]} user") end Given /^I add a wired DHCP NetworkManager connection called "([^"]+)"$/ do |con_name| @@ -649,25 +732,65 @@ end When /^I run "([^"]+)" in GNOME Terminal$/ do |command| next if @skip_steps_while_restoring_background - step "I start and focus GNOME Terminal" + if !@vm.has_process?("gnome-terminal") + step "I start and focus GNOME Terminal" + else + @screen.wait_and_click('GnomeTerminalWindow.png', 20) + end @screen.type(command + Sikuli::Key.ENTER) end -When /^the file "([^"]+)" exists$/ do |file| +When /^the file "([^"]+)" exists(?:| after at most (\d+) seconds)$/ do |file, timeout| next if @skip_steps_while_restoring_background - assert(@vm.file_exist?(file)) + timeout = 0 if timeout.nil? + try_for( + timeout.to_i, + :msg => "The file #{file} does not exist after #{timeout} seconds" + ) { + @vm.file_exist?(file) + } +end + +When /^the file "([^"]+)" does not exist$/ do |file| + next if @skip_steps_while_restoring_background + assert(! (@vm.file_exist?(file))) +end + +When /^the directory "([^"]+)" exists$/ do |directory| + next if @skip_steps_while_restoring_background + assert(@vm.directory_exist?(directory)) +end + +When /^the directory "([^"]+)" does not exist$/ do |directory| + next if @skip_steps_while_restoring_background + assert(! (@vm.directory_exist?(directory))) end When /^I copy "([^"]+)" to "([^"]+)" as user "([^"]+)"$/ do |source, destination, user| next if @skip_steps_while_restoring_background - c = @vm.execute("cp \"#{source}\" \"#{destination}\"", $live_user) + c = @vm.execute("cp \"#{source}\" \"#{destination}\"", LIVE_USER) assert(c.success?, "Failed to copy file:\n#{c.stdout}\n#{c.stderr}") end +def is_persistent?(app) + conf = get_persistence_presets(true)["#{app}"] + @vm.execute("findmnt --noheadings --output SOURCE --target '#{conf}'").success? +end + +Then /^persistence for "([^"]+)" is (|not )enabled$/ do |app, enabled| + next if @skip_steps_while_restoring_background + case enabled + when '' + assert(is_persistent?(app), "Persistence should be enabled.") + when 'not ' + assert(!is_persistent?(app), "Persistence should not be enabled.") + end +end + Given /^the USB drive "([^"]+)" contains Tails with persistence configured and password "([^"]+)"$/ do |drive, password| step "a computer" step "I start Tails from DVD with network unplugged and I login" - step "I create a new 4 GiB USB drive named \"#{drive}\"" + step "I create a 4 GiB disk named \"#{drive}\"" step "I plug USB drive \"#{drive}\"" step "I \"Clone & Install\" Tails to USB drive \"#{drive}\"" step "there is no persistence partition on USB drive \"#{drive}\"" @@ -679,6 +802,15 @@ Given /^the USB drive "([^"]+)" contains Tails with persistence configured and p step "I shutdown Tails and wait for the computer to power off" end +def gnome_app_menu_click_helper(click_me, verify_me = nil) + try_for(60) do + @screen.hide_cursor + @screen.wait_and_click(click_me, 10) + @screen.wait(verify_me, 10) if verify_me + return + end +end + Given /^I start "([^"]+)" via the GNOME "([^"]+)" applications menu$/ do |app, submenu| next if @skip_steps_while_restoring_background case @theme @@ -687,9 +819,12 @@ Given /^I start "([^"]+)" via the GNOME "([^"]+)" applications menu$/ do |app, s else prefix = 'Gnome' end - @screen.wait_and_click(prefix + "ApplicationsMenu.png", 10) - @screen.wait_and_hover(prefix + "Applications" + submenu + ".png", 40) - @screen.wait_and_click(prefix + "Applications" + app + ".png", 40) + menu_button = prefix + "ApplicationsMenu.png" + sub_menu_entry = prefix + "Applications" + submenu + ".png" + application_entry = prefix + "Applications" + app + ".png" + gnome_app_menu_click_helper(menu_button, sub_menu_entry) + gnome_app_menu_click_helper(sub_menu_entry, application_entry) + gnome_app_menu_click_helper(application_entry) end Given /^I start "([^"]+)" via the GNOME "([^"]+)"\/"([^"]+)" applications menu$/ do |app, submenu, subsubmenu| @@ -700,8 +835,144 @@ Given /^I start "([^"]+)" via the GNOME "([^"]+)"\/"([^"]+)" applications menu$/ else prefix = 'Gnome' end - @screen.wait_and_click(prefix + "ApplicationsMenu.png", 10) - @screen.wait_and_hover(prefix + "Applications" + submenu + ".png", 20) - @screen.wait_and_hover(prefix + "Applications" + subsubmenu + ".png", 20) - @screen.wait_and_click(prefix + "Applications" + app + ".png", 20) + menu_button = prefix + "ApplicationsMenu.png" + sub_menu_entry = prefix + "Applications" + submenu + ".png" + sub_sub_menu_entry = prefix + "Applications" + subsubmenu + ".png" + application_entry = prefix + "Applications" + app + ".png" + gnome_app_menu_click_helper(menu_button, sub_menu_entry) + gnome_app_menu_click_helper(sub_menu_entry, sub_sub_menu_entry) + gnome_app_menu_click_helper(sub_sub_menu_entry, application_entry) + gnome_app_menu_click_helper(application_entry) +end + +When /^I type "([^"]+)"$/ do |string| + next if @skip_steps_while_restoring_background + @screen.type(string) +end + +When /^I press the "([^"]+)" key$/ do |key| + next if @skip_steps_while_restoring_background + begin + @screen.type(eval("Sikuli::Key.#{key}")) + rescue RuntimeError + raise "unsupported key #{key}" + end +end + +Then /^the (amnesiac|persistent) Tor Browser directory (exists|does not exist)$/ do |persistent_or_not, mode| + next if @skip_steps_while_restoring_background + case persistent_or_not + when "amnesiac" + dir = "/home/#{LIVE_USER}/Tor Browser" + when "persistent" + dir = "/home/#{LIVE_USER}/Persistent/Tor Browser" + end + step "the directory \"#{dir}\" #{mode}" +end + +Then /^there is a GNOME bookmark for the (amnesiac|persistent) Tor Browser directory$/ do |persistent_or_not| + next if @skip_steps_while_restoring_background + case persistent_or_not + when "amnesiac" + bookmark_image = 'TorBrowserAmnesicFilesBookmark.png' + when "persistent" + bookmark_image = 'TorBrowserPersistentFilesBookmark.png' + end + @screen.wait_and_click('GnomePlaces.png', 10) + @screen.wait(bookmark_image, 40) + @screen.type(Sikuli::Key.ESC) +end + +Then /^there is no GNOME bookmark for the persistent Tor Browser directory$/ do + next if @skip_steps_while_restoring_background + @screen.wait_and_click('GnomePlaces.png', 10) + @screen.wait("GnomePlacesWithoutTorBrowserPersistent.png", 40) + @screen.type(Sikuli::Key.ESC) +end + +def pulseaudio_sink_inputs + pa_info = @vm.execute_successfully('pacmd info', LIVE_USER).stdout + sink_inputs_line = pa_info.match(/^\d+ sink input\(s\) available\.$/)[0] + return sink_inputs_line.match(/^\d+/)[0].to_i +end + +When /^(no|\d+) application(?:s?) (?:is|are) playing audio(?:| after (\d+) seconds)$/ do |nb, wait_time| + next if @skip_steps_while_restoring_background + nb = 0 if nb == "no" + sleep wait_time.to_i if ! wait_time.nil? + assert_equal(nb.to_i, pulseaudio_sink_inputs) +end + +When /^I double-click on the "Tails documentation" link on the Desktop$/ do + next if @skip_steps_while_restoring_background + @screen.wait_and_double_click("DesktopTailsDocumentationIcon.png", 10) +end + +When /^I click the blocked video icon$/ do + next if @skip_steps_while_restoring_background + @screen.wait_and_click("TorBrowserBlockedVideo.png", 30) +end + +When /^I accept to temporarily allow playing this video$/ do + next if @skip_steps_while_restoring_background + @screen.wait_and_click("TorBrowserOkButton.png", 10) +end + +When /^I click the HTML5 play button$/ do + next if @skip_steps_while_restoring_background + @screen.wait_and_click("TorBrowserHtml5PlayButton.png", 30) +end + +When /^I can save the current page as "([^"]+[.]html)" to the (default downloads|persistent Tor Browser) directory$/ do |output_file, output_dir| + next if @skip_steps_while_restoring_background + @screen.type("s", Sikuli::KeyModifier.CTRL) + if output_dir == "persistent Tor Browser" + output_dir = "/home/#{LIVE_USER}/Persistent/Tor Browser" + @screen.wait_and_click("GtkTorBrowserPersistentBookmark.png", 10) + @screen.wait("GtkTorBrowserPersistentBookmarkSelected.png", 10) + # The output filename (without its extension) is already selected, + # let's use the keyboard shortcut to focus its field + @screen.type("n", Sikuli::KeyModifier.ALT) + @screen.wait("TorBrowserSaveOutputFileSelected.png", 10) + else + output_dir = "/home/#{LIVE_USER}/Tor Browser" + end + # Only the part of the filename before the .html extension can be easily replaced + # so we have to remove it before typing it into the arget filename entry widget. + @screen.type(output_file.sub(/[.]html$/, '')) + @screen.type(Sikuli::Key.ENTER) + try_for(10, :msg => "The page was not saved to #{output_dir}/#{output_file}") { + @vm.file_exist?("#{output_dir}/#{output_file}") + } +end + +When /^I can print the current page as "([^"]+[.]pdf)" to the (default downloads|persistent Tor Browser) directory$/ do |output_file, output_dir| + next if @skip_steps_while_restoring_background + if output_dir == "persistent Tor Browser" + output_dir = "/home/#{LIVE_USER}/Persistent/Tor Browser" + else + output_dir = "/home/#{LIVE_USER}/Tor Browser" + end + @screen.type("p", Sikuli::KeyModifier.CTRL) + @screen.wait("TorBrowserPrintDialog.png", 10) + @screen.wait_and_click("PrintToFile.png", 10) + # Tor Browser is not allowed to read /home/#{LIVE_USER}, and I found no way + # to change the default destination directory for "Print to File", + # so let's click through the warning + @screen.wait("TorBrowserCouldNotReadTheContentsOfWarning.png", 10) + @screen.wait_and_click("TorBrowserWarningDialogOkButton.png", 10) + @screen.wait_and_double_click("TorBrowserPrintOutputFile.png", 10) + @screen.hide_cursor + @screen.wait("TorBrowserPrintOutputFileSelected.png", 10) + # Only the file's basename is selected by double-clicking, + # so we type only the desired file's basename to replace it + @screen.type(output_dir + '/' + output_file.sub(/[.]pdf$/, '') + Sikuli::Key.ENTER) + try_for(30, :msg => "The page was not printed to #{output_dir}/#{output_file}") { + @vm.file_exist?("#{output_dir}/#{output_file}") + } +end + +When /^I accept to import the key with Seahorse$/ do + next if @skip_steps_while_restoring_background + @screen.wait_and_click("TorBrowserOkButton.png", 10) end diff --git a/features/step_definitions/electrum.rb b/features/step_definitions/electrum.rb new file mode 100644 index 0000000000000000000000000000000000000000..54fb556bc3a1063f00a1d52631737c2b94df4fd3 --- /dev/null +++ b/features/step_definitions/electrum.rb @@ -0,0 +1,58 @@ +Then /^I start Electrum through the GNOME menu$/ do + next if @skip_steps_while_restoring_background + step "I start \"Electrum\" via the GNOME \"Internet\" applications menu" +end + +When /^a bitcoin wallet is (|not )present$/ do |existing| + next if @skip_steps_while_restoring_background + wallet = "/home/#{LIVE_USER}/.electrum/wallets/default_wallet" + case existing + when "" + step "the file \"#{wallet}\" exists after at most 10 seconds" + when "not " + step "the file \"#{wallet}\" does not exist" + else + raise "Unknown value specified for #{existing}" + end +end + +When /^I create a new bitcoin wallet$/ do + next if @skip_steps_while_restoring_background + @screen.wait("ElectrumNoWallet.png", 10) + @screen.wait_and_click("ElectrumNextButton.png", 10) + @screen.wait("ElectrumWalletGenerationSeed.png", 15) + @screen.wait_and_click("ElectrumWalletSeedTextbox.png", 15) + @screen.type('a', Sikuli::KeyModifier.CTRL) # select wallet seed + @screen.type('c', Sikuli::KeyModifier.CTRL) # copy seed to clipboard + @screen.wait_and_click("ElectrumNextButton.png", 15) + @screen.wait("ElectrumWalletSeedTextbox.png", 15) + @screen.type('v', Sikuli::KeyModifier.CTRL) # Confirm seed + @screen.wait_and_click("ElectrumNextButton.png", 10) + @screen.wait_and_click("ElectrumEncryptWallet.png", 10) + @screen.type("asdf" + Sikuli::Key.TAB) # set password + @screen.type("asdf" + Sikuli::Key.TAB) # confirm password + @screen.type(Sikuli::Key.ENTER) + @screen.wait("ElectrumConnectServer.png", 20) + @screen.wait_and_click("ElectrumNextButton.png", 10) + @screen.wait("ElectrumPreferencesButton.png", 30) +end + +Then /^I see a warning that Electrum is not persistent$/ do + next if @skip_steps_while_restoring_background + @screen.wait('ElectrumStartVerification.png', 30) +end + +Then /^I am prompted to create a new wallet$/ do + next if @skip_steps_while_restoring_background + @screen.wait('ElectrumNoWallet.png', 60) +end + +Then /^I see the main Electrum client window$/ do + next if @skip_steps_while_restoring_background + @screen.wait('ElectrumPreferencesButton.png', 20) +end + +Then /^Electrum successfully connects to the network$/ do + next if @skip_steps_while_restoring_background + @screen.wait('ElectrumStatus.png', 180) +end diff --git a/features/step_definitions/encryption.rb b/features/step_definitions/encryption.rb index 291b7a48af85b6453647d56359ba75d89cd5247f..561b40a159012cd3ccc14bd5d6274a9909242cc2 100644 --- a/features/step_definitions/encryption.rb +++ b/features/step_definitions/encryption.rb @@ -15,9 +15,9 @@ Given /^I generate an OpenPGP key named "([^"]+)" with password "([^"]+)"$/ do | %commit EOF gpg_key_recipie.split("\n").each do |line| - @vm.execute("echo '#{line}' >> /tmp/gpg_key_recipie", $live_user) + @vm.execute("echo '#{line}' >> /tmp/gpg_key_recipie", LIVE_USER) end - c = @vm.execute("gpg --batch --gen-key < /tmp/gpg_key_recipie", $live_user) + c = @vm.execute("gpg --batch --gen-key < /tmp/gpg_key_recipie", LIVE_USER) assert(c.success?, "Failed to generate OpenPGP key:\n#{c.stderr}") end @@ -40,31 +40,32 @@ def maybe_deal_with_pinentry end end +def gedit_copy_all_text + @screen.click("GeditEdit.png") + @screen.wait_and_click("GeditSelectAll.png", 10) + @screen.click("GeditCopy.png") +end + +def paste_into_a_new_tab + @screen.click("GeditNewDocument.png") + @screen.click("GeditPaste.png") +end + def encrypt_sign_helper - @screen.wait_and_click("GeditWindow.png", 10) - @screen.type("a", Sikuli::KeyModifier.CTRL) - sleep 0.5 + gedit_copy_all_text @screen.click("GpgAppletIconNormal.png") - sleep 2 - @screen.type("k") + @screen.wait_and_click("GpgAppletSignEncrypt.png", 10) @screen.wait_and_click("GpgAppletChooseKeyWindow.png", 30) sleep 0.5 yield maybe_deal_with_pinentry - @screen.wait_and_click("GeditWindow.png", 10) - sleep 0.5 - @screen.type("n", Sikuli::KeyModifier.CTRL) - sleep 0.5 - @screen.type("v", Sikuli::KeyModifier.CTRL) + paste_into_a_new_tab end def decrypt_verify_helper(icon) - @screen.wait_and_click("GeditWindow.png", 10) - @screen.type("a", Sikuli::KeyModifier.CTRL) - sleep 0.5 + gedit_copy_all_text @screen.click(icon) - sleep 2 - @screen.type("d") + @screen.wait_and_click("GpgAppletDecryptVerify.png", 10) maybe_deal_with_pinentry @screen.wait("GpgAppletResults.png", 10) @screen.wait("GpgAppletResultsMsg.png", 10) @@ -87,8 +88,6 @@ When /^I sign the message using my OpenPGP key$/ do next if @skip_steps_while_restoring_background encrypt_sign_helper do @screen.type(Sikuli::Key.TAB + Sikuli::Key.DOWN + Sikuli::Key.ENTER) - @screen.wait("PinEntryPrompt.png", 10) - @screen.type(@passphrase + Sikuli::Key.ENTER) end end @@ -103,8 +102,6 @@ When /^I both encrypt and sign the message using my OpenPGP key$/ do encrypt_sign_helper do @screen.type(@key_name + Sikuli::Key.ENTER) @screen.type(Sikuli::Key.TAB + Sikuli::Key.DOWN + Sikuli::Key.ENTER) - @screen.wait("PinEntryPrompt.png", 10) - @screen.type(@passphrase + Sikuli::Key.ENTER) end end @@ -118,20 +115,10 @@ end When /^I symmetrically encrypt the message with password "([^"]+)"$/ do |pwd| @passphrase = pwd next if @skip_steps_while_restoring_background - @screen.wait_and_click("GeditWindow.png", 10) - @screen.type("a", Sikuli::KeyModifier.CTRL) - sleep 0.5 + gedit_copy_all_text @screen.click("GpgAppletIconNormal.png") - sleep 2 - @screen.type("p") - @screen.wait("PinEntryPrompt.png", 10) - @screen.type(@passphrase + Sikuli::Key.ENTER) - sleep 1 - @screen.wait("PinEntryPrompt.png", 10) - @screen.type(@passphrase + Sikuli::Key.ENTER) - @screen.wait_and_click("GeditWindow.png", 10) - sleep 0.5 - @screen.type("n", Sikuli::KeyModifier.CTRL) - sleep 0.5 - @screen.type("v", Sikuli::KeyModifier.CTRL) + @screen.wait_and_click("GpgAppletEncryptPassphrase.png", 10) + maybe_deal_with_pinentry # enter password + maybe_deal_with_pinentry # confirm password + paste_into_a_new_tab end diff --git a/features/step_definitions/erase_memory.rb b/features/step_definitions/erase_memory.rb index 171f997c5e7fd8fe72fc154f3b85eac00714d67f..d783ee8d6f73e8afc86ec10775910e29fa21346e 100644 --- a/features/step_definitions/erase_memory.rb +++ b/features/step_definitions/erase_memory.rb @@ -17,7 +17,7 @@ Given /^the computer is an old pentium without the PAE extension$/ do end def which_kernel - kernel_path = @vm.execute("/usr/local/bin/tails-get-bootinfo kernel").stdout.chomp + kernel_path = @vm.execute("tails-get-bootinfo kernel").stdout.chomp return File.basename(kernel_path) end @@ -52,7 +52,7 @@ Given /^at least (\d+) ([[:alpha:]]+) of RAM was detected$/ do |min_ram, unit| end def pattern_coverage_in_guest_ram - dump = "#{$tmp_dir}/memdump" + dump = "#{$config["TMPDIR"]}/memdump" # Workaround: when dumping the guest's memory via core_dump(), libvirt # will create files that only root can read. We therefore pre-create # them with more permissible permissions, which libvirt will preserve @@ -64,7 +64,7 @@ def pattern_coverage_in_guest_ram FileUtils.touch(dump) FileUtils.chmod(0666, dump) @vm.domain.core_dump(dump) - patterns = IO.popen("grep -c 'wipe_didnt_work' #{dump}").gets.to_i + patterns = IO.popen(['grep', '-c', 'wipe_didnt_work', dump]).gets.to_i File.delete dump # Pattern is 16 bytes long patterns_b = patterns*16 @@ -105,7 +105,7 @@ Given /^I fill the guest's memory with a known pattern(| without verifying)$/ do # since the others otherwise may continue re-filling the same memory # unnecessarily. instances = (@detected_ram_m.to_f/(2**10)).ceil - instances.times { @vm.spawn('/usr/local/sbin/fillram; killall fillram') } + instances.times { @vm.spawn('fillram; killall fillram') } # We make sure that the filling has started... try_for(10, { :msg => "fillram didn't start" }) { @vm.has_process?("fillram") @@ -156,7 +156,7 @@ end When /^I reboot without wiping the memory$/ do next if @skip_steps_while_restoring_background @vm.reset - @screen.wait('TailsBootSplashPostReset.png', 30) + @screen.wait('TailsBootSplash.png', 30) end When /^I shutdown and wait for Tails to finish wiping the memory$/ do diff --git a/features/step_definitions/evince.rb b/features/step_definitions/evince.rb index d9bb42c1051dc3bcb2248ec396f04e02b14991fa..1bb122d0f63c0789d077383985229d09931a15d1 100644 --- a/features/step_definitions/evince.rb +++ b/features/step_definitions/evince.rb @@ -7,7 +7,7 @@ Then /^I can print the current document to "([^"]+)"$/ do |output_file| next if @skip_steps_while_restoring_background @screen.type("p", Sikuli::KeyModifier.CTRL) @screen.wait("EvincePrintDialog.png", 10) - @screen.wait_and_click("EvincePrintToFile.png", 10) + @screen.wait_and_click("PrintToFile.png", 10) @screen.wait_and_double_click("EvincePrintOutputFile.png", 10) @screen.hide_cursor @screen.wait("EvincePrintOutputFileSelected.png", 10) diff --git a/features/step_definitions/firewall_leaks.rb b/features/step_definitions/firewall_leaks.rb index 79ae0de367e6e3210723774f962d3e750b5364ce..3174d0d9476b211a0679f388850e83dab1f4e7f6 100644 --- a/features/step_definitions/firewall_leaks.rb +++ b/features/step_definitions/firewall_leaks.rb @@ -1,25 +1,25 @@ Then(/^the firewall leak detector has detected (.*?) leaks$/) do |type| next if @skip_steps_while_restoring_background - leaks = FirewallLeakCheck.new(@sniffer.pcap_file, get_tor_relays) + leaks = FirewallLeakCheck.new(@sniffer.pcap_file, get_all_tor_nodes) case type.downcase when 'ipv4 tcp' if leaks.ipv4_tcp_leaks.empty? - save_pcap_file + leaks.save_pcap_file raise "Couldn't detect any IPv4 TCP leaks" end when 'ipv4 non-tcp' if leaks.ipv4_nontcp_leaks.empty? - save_pcap_file + leaks.save_pcap_file raise "Couldn't detect any IPv4 non-TCP leaks" end when 'ipv6' if leaks.ipv6_leaks.empty? - save_pcap_file + leaks.save_pcap_file raise "Couldn't detect any IPv6 leaks" end when 'non-ip' if leaks.nonip_leaks.empty? - save_pcap_file + leaks.save_pcap_file raise "Couldn't detect any non-IP leaks" end else @@ -29,7 +29,7 @@ end Given(/^I disable Tails' firewall$/) do next if @skip_steps_while_restoring_background - @vm.execute("/usr/local/sbin/do_not_ever_run_me") + @vm.execute("do_not_ever_run_me") iptables = @vm.execute("iptables -L -n -v").stdout.chomp.split("\n") for line in iptables do if !line[/Chain (INPUT|OUTPUT|FORWARD) \(policy ACCEPT/] and @@ -42,19 +42,19 @@ end When(/^I do a TCP DNS lookup of "(.*?)"$/) do |host| next if @skip_steps_while_restoring_background - lookup = @vm.execute("host -T #{host} #{$some_dns_server}", $live_user) + lookup = @vm.execute("host -T #{host} #{SOME_DNS_SERVER}", LIVE_USER) assert(lookup.success?, "Failed to resolve #{host}:\n#{lookup.stdout}") end When(/^I do a UDP DNS lookup of "(.*?)"$/) do |host| next if @skip_steps_while_restoring_background - lookup = @vm.execute("host #{host} #{$some_dns_server}", $live_user) + lookup = @vm.execute("host #{host} #{SOME_DNS_SERVER}", LIVE_USER) assert(lookup.success?, "Failed to resolve #{host}:\n#{lookup.stdout}") end When(/^I send some ICMP pings$/) do next if @skip_steps_while_restoring_background # We ping an IP address to avoid a DNS lookup - ping = @vm.execute("ping -c 5 #{$some_dns_server}", $live_user) - assert(ping.success?, "Failed to ping #{$some_dns_server}:\n#{ping.stderr}") + ping = @vm.execute("ping -c 5 #{SOME_DNS_SERVER}", LIVE_USER) + assert(ping.success?, "Failed to ping #{SOME_DNS_SERVER}:\n#{ping.stderr}") end diff --git a/features/step_definitions/git.rb b/features/step_definitions/git.rb new file mode 100644 index 0000000000000000000000000000000000000000..10fc236c6e27d21c0c23b47a2f5b2430ac01a042 --- /dev/null +++ b/features/step_definitions/git.rb @@ -0,0 +1,6 @@ +Then /^the Git repository "([\S]+)" has been cloned successfully$/ do |repo| + next if @skip_steps_while_restoring_background + assert(@vm.directory_exist?("/home/#{LIVE_USER}/#{repo}/.git")) + assert(@vm.file_exist?("/home/#{LIVE_USER}/#{repo}/.git/config")) + @vm.execute_successfully("cd '/home/#{LIVE_USER}/#{repo}/' && git status", LIVE_USER) +end diff --git a/features/step_definitions/i2p.rb b/features/step_definitions/i2p.rb index 78644ae22bf86c244537a3de8f7b1d6e1da474a9..4a20afa5f206f6aab26d19ed0533b35c7aaddb66 100644 --- a/features/step_definitions/i2p.rb +++ b/features/step_definitions/i2p.rb @@ -7,7 +7,7 @@ end Given /^the I2P router console is ready$/ do next if @skip_steps_while_restoring_background - try_for(60) do + try_for(120) do @vm.execute('. /usr/local/lib/tails-shell-library/i2p.sh; ' + 'i2p_router_console_is_ready').success? end @@ -50,8 +50,10 @@ Then /^the I2P firewall rules are (enabled|disabled)$/ do |mode| accept_rules_count = accept_rules.lines.count if mode == 'enabled' assert_equal(13, accept_rules_count) + step 'the firewall is configured to only allow the clearnet, i2psvc and debian-tor users to connect directly to the Internet over IPv4' elsif mode == 'disabled' assert_equal(0, accept_rules_count) + step 'the firewall is configured to only allow the clearnet and debian-tor users to connect directly to the Internet over IPv4' else raise "Unsupported mode passed: '#{mode}'" end diff --git a/features/step_definitions/pidgin.rb b/features/step_definitions/pidgin.rb index 5e673e3647eb1149597c944250bc3a1908e1bc62..7df4e64ee3d72f03f052a183f8bfcdda8c0531c0 100644 --- a/features/step_definitions/pidgin.rb +++ b/features/step_definitions/pidgin.rb @@ -1,7 +1,188 @@ +# Extracts the secrets for the XMMP account `account_name`. +def xmpp_account(account_name, required_options = []) + begin + account = $config["Pidgin"]["Accounts"]["XMPP"][account_name] + check_keys = ["username", "domain", "password"] + required_options + for key in check_keys do + assert(account.has_key?(key)) + assert_not_nil(account[key]) + assert(!account[key].empty?) + end + rescue NoMethodError, Test::Unit::AssertionFailedError + raise( +<<EOF +Your Pidgin:Accounts:XMPP:#{account} is incorrect or missing from your local configuration file (#{LOCAL_CONFIG_FILE}). See wiki/src/contribute/release_process/test/usage.mdwn for the format. +EOF +) + end + return account +end + +When /^I create my XMPP account$/ do + next if @skip_steps_while_restoring_background + account = xmpp_account("Tails_account") + @screen.click("PidginAccountManagerAddButton.png") + @screen.wait("PidginAddAccountWindow.png", 20) + @screen.click_mid_right_edge("PidginAddAccountProtocolLabel.png") + @screen.click("PidginAddAccountProtocolXMPP.png") + @screen.click_mid_right_edge("PidginAddAccountXMPPUsername.png") + @screen.type(account["username"]) + @screen.click_mid_right_edge("PidginAddAccountXMPPDomain.png") + @screen.type(account["domain"]) + @screen.click_mid_right_edge("PidginAddAccountXMPPPassword.png") + @screen.type(account["password"]) + @screen.click("PidginAddAccountXMPPRememberPassword.png") + if account["connect_server"] + @screen.click("PidginAddAccountXMPPAdvancedTab.png") + @screen.click_mid_right_edge("PidginAddAccountXMPPConnectServer.png") + @screen.type(account["connect_server"]) + end + @screen.click("PidginAddAccountXMPPAddButton.png") +end + +Then /^Pidgin automatically enables my XMPP account$/ do + next if @skip_steps_while_restoring_background + @vm.focus_window('Buddy List') + @screen.wait("PidginAvailableStatus.png", 120) +end + +Given /^my XMPP friend goes online( and joins the multi-user chat)?$/ do |join_chat| + next if @skip_steps_while_restoring_background + account = xmpp_account("Friend_account", ["otr_key"]) + bot_opts = account.select { |k, v| ["connect_server"].include?(k) } + if join_chat + bot_opts["auto_join"] = [@chat_room_jid] + end + @friend_name = account["username"] + @chatbot = ChatBot.new(account["username"] + "@" + account["domain"], + account["password"], account["otr_key"], bot_opts) + @chatbot.start + add_after_scenario_hook { @chatbot.stop } + @vm.focus_window('Buddy List') + @screen.wait("PidginFriendOnline.png", 60) +end + +When /^I start a conversation with my friend$/ do + next if @skip_steps_while_restoring_background + @vm.focus_window('Buddy List') + # Clicking the middle, bottom of this image should query our + # friend, given it's the only subscribed user that's online, which + # we assume. + r = @screen.find("PidginFriendOnline.png") + bottom_left = r.getBottomLeft() + x = bottom_left.getX + r.getW/2 + y = bottom_left.getY + @screen.doubleClick_point(x, y) + # Since Pidgin sets the window name to the contact, we have no good + # way to identify the conversation window. Let's just look for the + # expected menu bar. + @screen.wait("PidginConversationWindowMenuBar.png", 10) +end + +And /^I say something to my friend( in the multi-user chat)?$/ do |multi_chat| + next if @skip_steps_while_restoring_background + msg = "ping" + Sikuli::Key.ENTER + if multi_chat + @vm.focus_window(@chat_room_jid.split("@").first) + msg = @friend_name + ": " + msg + else + @vm.focus_window(@friend_name) + end + @screen.type(msg) +end + +Then /^I receive a response from my friend( in the multi-user chat)?$/ do |multi_chat| + next if @skip_steps_while_restoring_background + if multi_chat + @vm.focus_window(@chat_room_jid.split("@").first) + else + @vm.focus_window(@friend_name) + end + @screen.wait("PidginFriendExpectedAnswer.png", 20) +end + +When /^I start an OTR session with my friend$/ do + next if @skip_steps_while_restoring_background + @vm.focus_window(@friend_name) + @screen.click("PidginConversationOTRMenu.png") + @screen.hide_cursor + @screen.click("PidginOTRMenuStartSession.png") +end + +Then /^Pidgin automatically generates an OTR key$/ do + next if @skip_steps_while_restoring_background + @screen.wait("PidginOTRKeyGenPrompt.png", 30) + @screen.wait_and_click("PidginOTRKeyGenPromptDoneButton.png", 30) +end + +Then /^an OTR session was successfully started with my friend$/ do + next if @skip_steps_while_restoring_background + @vm.focus_window(@friend_name) + @screen.wait("PidginConversationOTRUnverifiedSessionStarted.png", 10) +end + +# The reason the chat must be empty is to guarantee that we don't mix +# up messages/events from other users with the ones we expect from the +# bot. +When /^I join some empty multi-user chat$/ do + next if @skip_steps_while_restoring_background + @vm.focus_window('Buddy List') + @screen.click("PidginBuddiesMenu.png") + @screen.wait_and_click("PidginBuddiesMenuJoinChat.png", 10) + @screen.wait_and_click("PidginJoinChatWindow.png", 10) + @screen.click_mid_right_edge("PidginJoinChatRoomLabel.png") + account = xmpp_account("Tails_account") + if account.has_key?("chat_room") && \ + !account["chat_room"].nil? && \ + !account["chat_room"].empty? + chat_room = account["chat_room"] + else + chat_room = random_alnum_string(10, 15) + end + @screen.type(chat_room) + + # We will need the conference server later, when starting the bot. + @screen.click_mid_right_edge("PidginJoinChatServerLabel.png") + @screen.type("a", Sikuli::KeyModifier.CTRL) + @screen.type("c", Sikuli::KeyModifier.CTRL) + conference_server = + @vm.execute_successfully("xclip -o", LIVE_USER).stdout.chomp + @chat_room_jid = chat_room + "@" + conference_server + + @screen.click("PidginJoinChatButton.png") + # The following will both make sure that the we joined the chat, and + # that it is empty. We'll also deal with the *potential* "Create New + # Room" prompt that Pidgin shows for some server configurations. + images = ["PidginCreateNewRoomPrompt.png", + "PidginChat1UserInRoom.png"] + image_found, _ = @screen.waitAny(images, 30) + if image_found == "PidginCreateNewRoomPrompt.png" + @screen.click("PidginCreateNewRoomAcceptDefaultsButton.png") + end + @vm.focus_window(@chat_room_jid) + @screen.wait("PidginChat1UserInRoom.png", 10) +end + +# Since some servers save the scrollback, and sends it when joining, +# it's safer to clear it so we do not get false positives from old +# messages when looking for a particular response, or similar. +When /^I clear the multi-user chat's scrollback$/ do + next if @skip_steps_while_restoring_background + @vm.focus_window(@chat_room_jid) + @screen.click("PidginConversationMenu.png") + @screen.wait_and_click("PidginConversationMenuClearScrollback.png", 10) +end + +Then /^I can see that my friend joined the multi-user chat$/ do + next if @skip_steps_while_restoring_background + @vm.focus_window(@chat_room_jid) + @screen.wait("PidginChat2UsersInRoom.png", 60) +end + def configured_pidgin_accounts - accounts = [] + accounts = Hash.new xml = REXML::Document.new(@vm.file_content('$HOME/.purple/accounts.xml', - $live_user)) + LIVE_USER)) xml.elements.each("account/account") do |e| account = e.elements["name"].text account_name, network = account.split("@") @@ -9,14 +190,14 @@ def configured_pidgin_accounts port = e.elements["settings/setting[@name='port']"].text nickname = e.elements["settings/setting[@name='username']"].text real_name = e.elements["settings/setting[@name='realname']"].text - accounts.push({ - 'name' => account_name, - 'network' => network, - 'protocol' => protocol, - 'port' => port, - 'nickname' => nickname, - 'real_name' => real_name, - }) + accounts[network] = { + 'name' => account_name, + 'network' => network, + 'protocol' => protocol, + 'port' => port, + 'nickname' => nickname, + 'real_name' => real_name, + } end return accounts @@ -43,7 +224,7 @@ def default_chan (account) end def pidgin_otr_keys - return @vm.file_content('$HOME/.purple/otr.private_key', $live_user) + return @vm.file_content('$HOME/.purple/otr.private_key', LIVE_USER) end Given /^Pidgin has the expected accounts configured with random nicknames$/ do @@ -52,7 +233,7 @@ Given /^Pidgin has the expected accounts configured with random nicknames$/ do ["irc.oftc.net", "prpl-irc", "6697"], ["127.0.0.1", "prpl-irc", "6668"], ] - configured_pidgin_accounts.each() do |account| + configured_pidgin_accounts.values.each() do |account| assert(account['nickname'] != "XXX_NICK_XXX", "Nickname was no randomised") assert_equal(account['nickname'], account['real_name'], "Nickname and real name are not identical: " + @@ -81,7 +262,7 @@ end When /^I see Pidgin's account manager window$/ do next if @skip_steps_while_restoring_background - @screen.wait("PidginAccountWindow.png", 20) + @screen.wait("PidginAccountWindow.png", 40) end When /^I close Pidgin's account manager window$/ do @@ -99,20 +280,30 @@ When /^I activate the "([^"]+)" Pidgin account$/ do |account| @screen.wait("PidginConnecting.png", 5) end -def focus_pidgin_buddy_list - @vm.execute_successfully( - "xdotool search --name 'Buddy List' windowactivate --sync", $live_user - ) -end - Then /^Pidgin successfully connects to the "([^"]+)" account$/ do |account| next if @skip_steps_while_restoring_background expected_channel_entry = chan_image(account, default_chan(account), 'roaster') # Sometimes the OFTC welcome notice window pops up over the buddy list one... - focus_pidgin_buddy_list + @vm.focus_window('Buddy List') @screen.wait(expected_channel_entry, 60) end +Then /^the "([^"]*)" account only responds to PING and VERSION CTCP requests$/ do |irc_server| + next if @skip_steps_while_restoring_background + ctcp_cmds = [ + "CLIENTINFO", "DATE", "ERRMSG", "FINGER", "PING", "SOURCE", "TIME", + "USERINFO", "VERSION" + ] + expected_ctcp_replies = { + "PING" => /^\d+$/, + "VERSION" => /^Purple IRC$/ + } + spam_target = configured_pidgin_accounts[irc_server]["nickname"] + ctcp_check = CtcpChecker.new(irc_server, 6667, spam_target, ctcp_cmds, + expected_ctcp_replies) + ctcp_check.verify_ctcp_responses +end + Then /^I can join the "([^"]+)" channel on "([^"]+)"$/ do |channel, account| next if @skip_steps_while_restoring_background @screen.doubleClick( chan_image(account, channel, 'roaster')) @@ -192,3 +383,11 @@ When /^I close Pidgin's certificate import failure dialog$/ do # @screen.wait_and_click('PidginCertificateManagerClose.png', 10) @screen.waitVanish('PidginCertificateImportFailed.png', 10) end + +When /^I see the Tails roadmap URL$/ do + @screen.wait('PidginTailsRoadmapUrl.png', 10) +end + +When /^I click on the Tails roadmap URL$/ do + @screen.click('PidginTailsRoadmapUrl.png') +end diff --git a/features/step_definitions/po.rb b/features/step_definitions/po.rb index bcb506b769476a7f3c079b1c721658feb9f7fcf7..23d9ee815e3aa17acf31edf99b96fa8f121e4273 100644 --- a/features/step_definitions/po.rb +++ b/features/step_definitions/po.rb @@ -1,8 +1,8 @@ Given /^I am in the Git branch being tested$/ do - File.exists?("$git_dir/wiki/src/contribute/l10n_tricks/check_po.sh") + File.exists?("#{GIT_DIR}/wiki/src/contribute/l10n_tricks/check_po.sh") end Given /^all the PO files should be correct$/ do - Dir.chdir($git_dir) - cmd_helper('./wiki/src/contribute/l10n_tricks/check_po.sh') + Dir.chdir(GIT_DIR) + cmd_helper(['./wiki/src/contribute/l10n_tricks/check_po.sh']) end diff --git a/features/step_definitions/root_access_control.rb b/features/step_definitions/root_access_control.rb index aaebb0df4171e04873b3aa5852a2da023fd6cb5d..026fa8e45e02ed31f2399044b74bcd0268acb657 100644 --- a/features/step_definitions/root_access_control.rb +++ b/features/step_definitions/root_access_control.rb @@ -1,13 +1,13 @@ Then /^I should be able to run administration commands as the live user$/ do next if @skip_steps_while_restoring_background - stdout = @vm.execute("echo #{@sudo_password} | sudo -S whoami", $live_user).stdout - actual_user = stdout.sub(/^\[sudo\] password for #{$live_user}: /, "").chomp + stdout = @vm.execute("echo #{@sudo_password} | sudo -S whoami", LIVE_USER).stdout + actual_user = stdout.sub(/^\[sudo\] password for #{LIVE_USER}: /, "").chomp assert_equal("root", actual_user, "Could not use sudo") end Then /^I should not be able to run administration commands as the live user with the "([^"]*)" password$/ do |password| next if @skip_steps_while_restoring_background - stderr = @vm.execute("echo #{password} | sudo -S whoami", $live_user).stderr + stderr = @vm.execute("echo #{password} | sudo -S whoami", LIVE_USER).stderr sudo_failed = stderr.include?("The administration password is disabled") || stderr.include?("is not allowed to execute") assert(sudo_failed, "The administration password is not disabled:" + stderr) end diff --git a/features/step_definitions/ssh.rb b/features/step_definitions/ssh.rb new file mode 100644 index 0000000000000000000000000000000000000000..7470a8961f1860fe482cd818fc21154d0781a63b --- /dev/null +++ b/features/step_definitions/ssh.rb @@ -0,0 +1,111 @@ +def read_and_validate_ssh_config srv_type + conf = $config[srv_type] + begin + required_settings = ["private_key", "public_key", "username", "hostname"] + required_settings.each do |key| + assert(conf.has_key?(key)) + assert_not_nil(conf[key]) + assert(!conf[key].empty?) + end + rescue NoMethodError + raise( + <<EOF +Your #{srv_type} config is incorrect or missing from your local configuration file (#{LOCAL_CONFIG_FILE}). See wiki/src/contribute/release_process/test/usage.mdwn for the format. +EOF + ) + end + + case srv_type + when 'SSH' + @ssh_host = conf["hostname"] + @ssh_port = conf["port"].to_i if conf["port"] + @ssh_username = conf["username"] + assert(!@ssh_host.match(/^(10|192\.168|172\.(1[6-9]|2[0-9]|3[01]))/), "#{@ssh_host} " + + "looks like a LAN IP address.") + + when 'SFTP' + @sftp_host = conf["hostname"] + @sftp_port = conf["port"].to_i if conf["port"] + @sftp_username = conf["username"] + + assert(!@sftp_host.match(/^(10|192\.168|172\.(1[6-9]|2[0-9]|3[01]))/), "#{@sftp_host} " + + "looks like a LAN IP address.") + end +end + +Given /^I have the SSH key pair for an? (Git|SSH|SFTP) (?:repository|server)$/ do |server_type| + next if @skip_steps_while_restoring_background + @vm.execute_successfully("install -m 0700 -d '/home/#{LIVE_USER}/.ssh/'", LIVE_USER) + unless server_type == 'Git' + read_and_validate_ssh_config server_type + secret_key = $config[server_type]["private_key"] + public_key = $config[server_type]["public_key"] + else + secret_key = $config["Unsafe_SSH_private_key"] + public_key = $config["Unsafe_SSH_public_key"] + end + + @vm.execute_successfully("echo '#{secret_key}' > '/home/#{LIVE_USER}/.ssh/id_rsa'", LIVE_USER) + @vm.execute_successfully("echo '#{public_key}' > '/home/#{LIVE_USER}/.ssh/id_rsa.pub'", LIVE_USER) + @vm.execute_successfully("chmod 0600 '/home/#{LIVE_USER}/.ssh/'id*", LIVE_USER) +end + +Given /^I verify the SSH fingerprint for the (?:Git|SSH) (?:repository|server)$/ do + next if @skip_steps_while_restoring_background + @screen.wait("SSHFingerprint.png", 60) + @screen.type('yes' + Sikuli::Key.ENTER) +end + +When /^I connect to an SSH server on the Internet$/ do + next if @skip_steps_while_restoring_background + + read_and_validate_ssh_config "SSH" + + ssh_port_suffix = "-p #{@ssh_port}" if @ssh_port + + cmd = "ssh #{@ssh_username}@#{@ssh_host} #{ssh_port_suffix}" + + step 'process "ssh" is not running' + step "I run \"#{cmd}\" in GNOME Terminal" + step 'process "ssh" is running within 10 seconds' +end + +Then /^I have sucessfully logged into the SSH server$/ do + next if @skip_steps_while_restoring_background + @screen.wait('SSHLoggedInPrompt.png', 60) +end + +Then /^I connect to an SFTP server on the Internet$/ do + next if @skip_steps_while_restoring_background + + read_and_validate_ssh_config "SFTP" + + @screen.wait_and_click("GnomePlaces.png", 20) + @screen.wait_and_click("GnomePlacesConnectToServer.png", 20) + @screen.wait("GnomeSSHConnect.png", 20) + @screen.click("GnomeSSHFTP.png") + @screen.click("GnomeSSHServerSSH.png") + @screen.type(Sikuli::Key.TAB, Sikuli::KeyModifier.SHIFT) # port + @screen.type(Sikuli::Key.TAB, Sikuli::KeyModifier.SHIFT) # host + @screen.type(@sftp_host + Sikuli::Key.TAB) + + if @sftp_port + @screen.type("#{@sftp_port}" + Sikuli::Key.TAB) + else + @screen.type("22" + Sikuli::Key.TAB) + end + @screen.type(Sikuli::Key.TAB) # type + @screen.type(Sikuli::Key.TAB) # folder + @screen.type(@sftp_username + Sikuli::Key.TAB) + @screen.wait_and_click("GnomeSSHConnectButton.png", 60) +end + +Then /^I verify the SSH fingerprint for the SFTP server$/ do + next if @skip_steps_while_restoring_background + @screen.wait_and_click("GnomeSSHVerificationConfirm.png", 60) +end + +Then /^I successfully connect to the SFTP server$/ do + next if @skip_steps_while_restoring_background + @screen.wait("GnomeSSHSuccess.png", 60) +end diff --git a/features/step_definitions/time_syncing.rb b/features/step_definitions/time_syncing.rb index 161a4162307305f6615dffd6a7dc0a7875365aaf..53875d9ceda2da5d1e00646efa17012385c835c9 100644 --- a/features/step_definitions/time_syncing.rb +++ b/features/step_definitions/time_syncing.rb @@ -1,11 +1,35 @@ +# In some steps below we allow some slack when verifying that the date +# was set appropriately because it may take time to send the `date` +# command over the remote shell and get the answer back, parsing and +# post-processing of the result, etc. +def max_time_drift + 5 +end + When /^I set the system time to "([^"]+)"$/ do |time| next if @skip_steps_while_restoring_background - @vm.execute("date -s '#{time}'") + @vm.execute_successfully("date -s '#{time}'") + new_time = DateTime.parse(@vm.execute_successfully("date").stdout).to_time + expected_time_lower_bound = DateTime.parse(time).to_time + expected_time_upper_bound = expected_time_lower_bound + max_time_drift + assert(expected_time_lower_bound <= new_time && + new_time <= expected_time_upper_bound, + "The guest's time was supposed to be set to " \ + "'#{expected_time_lower_bound}' but is '#{new_time}'") end When /^I bump the system time with "([^"]+)"$/ do |timediff| next if @skip_steps_while_restoring_background - @vm.execute("date -s 'now #{timediff}'") + old_time = DateTime.parse(@vm.execute_successfully("date").stdout).to_time + @vm.execute_successfully("date -s 'now #{timediff}'") + new_time = DateTime.parse(@vm.execute_successfully("date").stdout).to_time + expected_time_lower_bound = DateTime.parse( + cmd_helper(["date", "-d", "#{old_time} #{timediff}"])).to_time + expected_time_upper_bound = expected_time_lower_bound + max_time_drift + assert(expected_time_lower_bound <= new_time && + new_time <= expected_time_upper_bound, + "The guest's time was supposed to be bumped to " \ + "'#{expected_time_lower_bound}' but is '#{new_time}'") end Then /^Tails clock is less than (\d+) minutes incorrect$/ do |max_diff_mins| diff --git a/features/step_definitions/tor.rb b/features/step_definitions/tor.rb new file mode 100644 index 0000000000000000000000000000000000000000..797908b65952959429d955cd28adb7dcd904c93f --- /dev/null +++ b/features/step_definitions/tor.rb @@ -0,0 +1,393 @@ +def iptables_parse(iptables_output) + chains = Hash.new + cur_chain = nil + cur_chain_policy = nil + parser_state = :expecting_chain_def + + iptables_output.split("\n").each do |line| + line.strip! + if /^Chain /.match(line) + assert_equal(:expecting_chain_def, parser_state) + m = /^Chain (.+) \(policy (.+) \d+ packets, \d+ bytes\)$/.match(line) + if m.nil? + m = /^Chain (.+) \(\d+ references\)$/.match(line) + end + assert_not_nil m + _, cur_chain, cur_chain_policy = m.to_a + chains[cur_chain] = { + "policy" => cur_chain_policy, + "rules" => Array.new + } + parser_state = :expecting_col_descs + elsif /^pkts\s/.match(line) + assert_equal(:expecting_col_descs, parser_state) + assert_equal(["pkts", "bytes", "target", "prot", "opt", + "in", "out", "source", "destination"], + line.split(/\s+/)) + parser_state = :expecting_rule_or_empty + elsif line.empty? + assert_equal(:expecting_rule_or_empty, parser_state) + cur_chain = nil + parser_state = :expecting_chain_def + else + assert_equal(:expecting_rule_or_empty, parser_state) + pkts, _, target, prot, opt, in_iface, out_iface, source, destination, extra = + line.split(/\s+/, 10) + [pkts, target, prot, opt, in_iface, out_iface, source, destination].each do |var| + assert_not_empty(var) + assert_not_nil(var) + end + chains[cur_chain]["rules"] << { + "rule" => line, + "pkts" => pkts.to_i, + "target" => target, + "protocol" => prot, + "opt" => opt, + "in_iface" => in_iface, + "out_iface" => out_iface, + "source" => source, + "destination" => destination, + "extra" => extra + } + end + end + assert_equal(:expecting_rule_or_empty, parser_state) + return chains +end + +Then /^the firewall's policy is to (.+) all IPv4 traffic$/ do |expected_policy| + next if @skip_steps_while_restoring_background + expected_policy.upcase! + iptables_output = @vm.execute_successfully("iptables -L -n -v").stdout + chains = iptables_parse(iptables_output) + ["INPUT", "FORWARD", "OUTPUT"].each do |chain_name| + policy = chains[chain_name]["policy"] + assert_equal(expected_policy, policy, + "Chain #{chain_name} has unexpected policy #{policy}") + end +end + +Then /^the firewall is configured to only allow the (.+) users? to connect directly to the Internet over IPv4$/ do |users_str| + next if @skip_steps_while_restoring_background + users = users_str.split(/, | and /) + expected_uids = Set.new + users.each do |user| + expected_uids << @vm.execute_successfully("id -u #{user}").stdout.to_i + end + iptables_output = @vm.execute_successfully("iptables -L -n -v").stdout + chains = iptables_parse(iptables_output) + allowed_output = chains["OUTPUT"]["rules"].find_all do |rule| + !(["DROP", "REJECT", "LOG"].include? rule["target"]) && + rule["out_iface"] != "lo" + end + uids = Set.new + allowed_output.each do |rule| + case rule["target"] + when "ACCEPT" + expected_destination = "0.0.0.0/0" + assert_equal(expected_destination, rule["destination"], + "The following rule has an unexpected destination:\n" + + rule["rule"]) + next if rule["extra"] == "state RELATED,ESTABLISHED" + m = /owner UID match (\d+)/.match(rule["extra"]) + assert_not_nil(m) + uid = m[1].to_i + uids << uid + assert(expected_uids.include?(uid), + "The following rule allows uid #{uid} to access the network, " \ + "but we only expect uids #{expected_uids} (#{users_str}) to " \ + "have such access:\n#{rule["rule"]}") + when "lan" + lan_subnets = ["10.0.0.0/8", "172.16.0.0/12", "192.168.0.0/16"] + assert(lan_subnets.include?(rule["destination"]), + "The following lan-targeted rule's destination is " \ + "#{rule["destination"]} which may not be a private subnet:\n" + + rule["rule"]) + else + raise "Unexpected iptables OUTPUT chain rule:\n#{rule["rule"]}" + end + end + uids_not_found = expected_uids - uids + assert(uids_not_found.empty?, + "Couldn't find rules allowing uids #{uids_not_found.to_a.to_s} " \ + "access to the network") +end + +Then /^the firewall's NAT rules only redirect traffic for Tor's TransPort and DNSPort$/ do + next if @skip_steps_while_restoring_background + tor_onion_addr_space = "127.192.0.0/10" + iptables_nat_output = @vm.execute_successfully("iptables -t nat -L -n -v").stdout + chains = iptables_parse(iptables_nat_output) + chains.each_pair do |name, chain| + rules = chain["rules"] + if name == "OUTPUT" + good_rules = rules.find_all do |rule| + rule["target"] == "REDIRECT" && + ( + ( + rule["destination"] == tor_onion_addr_space && + rule["extra"] == "redir ports 9040" + ) || + rule["extra"] == "udp dpt:53 redir ports 5353" + ) + end + assert_equal(rules, good_rules, + "The NAT table's OUTPUT chain contains some unexptected " \ + "rules:\n" + + ((rules - good_rules).map { |r| r["rule"] }).join("\n")) + else + assert(rules.empty?, + "The NAT table contains unexpected rules for the #{name} " \ + "chain:\n" + (rules.map { |r| r["rule"] }).join("\n")) + end + end +end + +Then /^the firewall is configured to block all IPv6 traffic$/ do + next if @skip_steps_while_restoring_background + expected_policy = "DROP" + ip6tables_output = @vm.execute_successfully("ip6tables -L -n -v").stdout + chains = iptables_parse(ip6tables_output) + chains.each_pair do |name, chain| + policy = chain["policy"] + assert_equal(expected_policy, policy, + "The IPv6 #{name} chain has policy #{policy} but we " \ + "expected #{expected_policy}") + rules = chain["rules"] + bad_rules = rules.find_all do |rule| + !["DROP", "REJECT", "LOG"].include?(rule["target"]) + end + assert(bad_rules.empty?, + "The IPv6 table's #{name} chain contains some unexptected rules:\n" + + (bad_rules.map { |r| r["rule"] }).join("\n")) + end +end + +def firewall_has_dropped_packet_to?(proto, host, port) + regex = "Dropped outbound packet: .* DST=#{host} .* PROTO=#{proto} " + regex += ".* DPT=#{port} " if port + @vm.execute("grep -q '#{regex}' /var/log/syslog").success? +end + +When /^I open an untorified (TCP|UDP|ICMP) connections to (\S*)(?: on port (\d+))? that is expected to fail$/ do |proto, host, port| + next if @skip_steps_while_restoring_background + assert(!firewall_has_dropped_packet_to?(proto, host, port), + "A #{proto} packet to #{host}" + + (port.nil? ? "" : ":#{port}") + + " has already been dropped by the firewall") + @conn_proto = proto + @conn_host = host + @conn_port = port + case proto + when "TCP" + assert_not_nil(port) + cmd = "echo | netcat #{host} #{port}" + when "UDP" + assert_not_nil(port) + cmd = "echo | netcat -u #{host} #{port}" + when "ICMP" + cmd = "ping -c 5 #{host}" + end + @conn_res = @vm.execute(cmd, LIVE_USER) +end + +Then /^the untorified connection fails$/ do + next if @skip_steps_while_restoring_background + case @conn_proto + when "TCP" + expected_in_stderr = "Connection refused" + conn_failed = !@conn_res.success? && + @conn_res.stderr.chomp.end_with?(expected_in_stderr) + when "UDP", "ICMP" + conn_failed = !@conn_res.success? + end + assert(conn_failed, + "The untorified #{@conn_proto} connection didn't fail as expected:\n" + + @conn_res.to_s) +end + +Then /^the untorified connection is logged as dropped by the firewall$/ do + next if @skip_steps_while_restoring_background + assert(firewall_has_dropped_packet_to?(@conn_proto, @conn_host, @conn_port), + "No #{@conn_proto} packet to #{@conn_host}" + + (@conn_port.nil? ? "" : ":#{@conn_port}") + + " was dropped by the firewall") +end + +When /^the system DNS is(?: still)? using the local DNS resolver$/ do + next if @skip_steps_while_restoring_background + resolvconf = @vm.file_content("/etc/resolv.conf") + bad_lines = resolvconf.split("\n").find_all do |line| + !line.start_with?("#") && !/^nameserver\s+127\.0\.0\.1$/.match(line) + end + assert_empty(bad_lines, + "The following bad lines were found in /etc/resolv.conf:\n" + + bad_lines.join("\n")) +end + +def stream_isolation_info(application) + case application + when "htpdate" + { + :grep_monitor_expr => '/curl\>', + :socksport => 9062 + } + when "tails-security-check", "tails-upgrade-frontend-wrapper" + # We only grep connections with ESTABLISHED state since `perl` + # is also used by monkeysphere's validation agent, which LISTENs + { + :grep_monitor_expr => '\<ESTABLISHED\>.\+/perl\>', + :socksport => 9062 + } + when "Tor Browser" + { + :grep_monitor_expr => '/firefox\>', + :socksport => 9150 + } + when "Gobby" + { + :grep_monitor_expr => '/gobby\>', + :socksport => 9050 + } + when "SSH" + { + :grep_monitor_expr => '/\(connect-proxy\|ssh\)\>', + :socksport => 9050 + } + when "whois" + { + :grep_monitor_expr => '/whois\>', + :socksport => 9050 + } + else + raise "Unknown application '#{application}' for the stream isolation tests" + end +end + +When /^I monitor the network connections of (.*)$/ do |application| + next if @skip_steps_while_restoring_background + @process_monitor_log = "/tmp/netstat.log" + info = stream_isolation_info(application) + @vm.spawn("while true; do " + + " netstat -taupen | grep \"#{info[:grep_monitor_expr]}\"; " + + " sleep 0.1; " + + "done > #{@process_monitor_log}") +end + +Then /^I see that (.+) is properly stream isolated$/ do |application| + next if @skip_steps_while_restoring_background + expected_port = stream_isolation_info(application)[:socksport] + assert_not_nil(@process_monitor_log) + log_lines = @vm.file_content(@process_monitor_log).split("\n") + assert(log_lines.size > 0, + "Couldn't see any connection made by #{application} so " \ + "something is wrong") + log_lines.each do |line| + addr_port = line.split(/\s+/)[4] + assert_equal("127.0.0.1:#{expected_port}", addr_port, + "#{application} should use SocksPort #{expected_port} but " \ + "was seen connecting to #{addr_port}") + end +end + +And /^I re-run tails-security-check$/ do + next if @skip_steps_while_restoring_background + @vm.execute_successfully("tails-security-check", LIVE_USER) +end + +And /^I re-run htpdate$/ do + next if @skip_steps_while_restoring_background + @vm.execute_successfully("service htpdate stop && " \ + "rm -f /var/run/htpdate/* && " \ + "service htpdate start") + step "the time has synced" +end + +And /^I re-run tails-upgrade-frontend-wrapper$/ do + next if @skip_steps_while_restoring_background + @vm.execute_successfully("tails-upgrade-frontend-wrapper", LIVE_USER) +end + +When /^I connect Gobby to "([^"]+)"$/ do |host| + next if @skip_steps_while_restoring_background + @screen.wait("GobbyWindow.png", 30) + @screen.wait("GobbyWelcomePrompt.png", 10) + @screen.click("GnomeCloseButton.png") + @screen.wait("GobbyWindow.png", 10) + @screen.type("t", Sikuli::KeyModifier.CTRL) + @screen.wait("GobbyConnectPrompt.png", 10) + @screen.type(host + Sikuli::Key.ENTER) + @screen.wait("GobbyConnectionComplete.png", 60) +end + +When /^the Tor Launcher autostarts$/ do + next if @skip_steps_while_restoring_background + @screen.wait('TorLauncherWindow.png', 30) +end + +When /^I configure some (\w+) pluggable transports in Tor Launcher$/ do |bridge_type| + next if @skip_steps_while_restoring_background + bridge_type.downcase! + bridge_type.capitalize! + begin + @bridges = $config["Tor"]["Transports"][bridge_type] + assert_not_nil(@bridges) + assert(!@bridges.empty?) + rescue NoMethodError, Test::Unit::AssertionFailedError + raise( +<<EOF +It seems no '#{bridge_type}' pluggable transports are defined in your local configuration file (#{LOCAL_CONFIG_FILE}). See wiki/src/contribute/release_process/test/usage.mdwn for the format. +EOF +) + end + @bridge_hosts = [] + for bridge in @bridges do + @bridge_hosts << bridge["ipv4_address"] + end + + @screen.wait_and_click('TorLauncherConfigureButton.png', 10) + @screen.wait('TorLauncherBridgePrompt.png', 10) + @screen.wait_and_click('TorLauncherYesRadioOption.png', 10) + @screen.wait_and_click('TorLauncherNextButton.png', 10) + @screen.wait_and_click('TorLauncherBridgeList.png', 10) + for bridge in @bridges do + bridge_line = bridge_type.downcase + " " + + bridge["ipv4_address"] + ":" + + bridge["ipv4_port"].to_s + bridge_line += " " + bridge["fingerprint"].to_s if bridge["fingerprint"] + bridge_line += " " + bridge["extra"].to_s if bridge["extra"] + @screen.type(bridge_line + Sikuli::Key.ENTER) + end + @screen.wait_and_click('TorLauncherNextButton.png', 10) + @screen.hide_cursor + @screen.wait_and_click('TorLauncherFinishButton.png', 10) + @screen.wait('TorLauncherConnectingWindow.png', 10) + @screen.waitVanish('TorLauncherConnectingWindow.png', 120) +end + +When /^all Internet traffic has only flowed through the configured pluggable transports$/ do + next if @skip_steps_while_restoring_background + assert_not_nil(@bridge_hosts, "No bridges has been configured via the " + + "'I configure some ... bridges in Tor Launcher' step") + leaks = FirewallLeakCheck.new(@sniffer.pcap_file, @bridge_hosts) + leaks.assert_no_leaks +end + +Then /^the Tor binary is configured to use the expected Tor authorities$/ do + next if @skip_steps_while_restoring_background + tor_auths = Set.new + tor_binary_orport_strings = @vm.execute_successfully( + "strings /usr/bin/tor | grep -E 'orport=[0-9]+'").stdout.chomp.split("\n") + tor_binary_orport_strings.each do |potential_auth_string| + auth_regex = /^\S+ orport=\d+( bridge)?( no-v2)?( v3ident=[A-Z0-9]{40})? ([0-9\.]+):\d+( [A-Z0-9]{4}){10}$/ + m = auth_regex.match(potential_auth_string) + if m + auth_ipv4_addr = m[4] + tor_auths << auth_ipv4_addr + end + end + expected_tor_auths = Set.new(TOR_AUTHORITIES) + assert_equal(expected_tor_auths, tor_auths, + "The Tor binary does not have the expected Tor authorities " + + "configured") +end diff --git a/features/step_definitions/torified_browsing.rb b/features/step_definitions/torified_browsing.rb deleted file mode 100644 index 770fda52a255a2c01f21f8072d338bb8fc29869d..0000000000000000000000000000000000000000 --- a/features/step_definitions/torified_browsing.rb +++ /dev/null @@ -1,12 +0,0 @@ -When /^I open a new tab in the Tor Browser$/ do - next if @skip_steps_while_restoring_background - @screen.click("TorBrowserNewTabButton.png") -end - -When /^I open the address "([^"]*)" in the Tor Browser$/ do |address| - next if @skip_steps_while_restoring_background - step "I open a new tab in the Tor Browser" - @screen.click("TorBrowserAddressBar.png") - sleep 0.5 - @screen.type(address + Sikuli::Key.ENTER) -end diff --git a/features/step_definitions/torified_gnupg.rb b/features/step_definitions/torified_gnupg.rb index a993f9a0b41fd4b0e7b297c2e39a1ad2a7a2dfe8..2ce879651c1732cf81059118c77b9ee06c142edb 100644 --- a/features/step_definitions/torified_gnupg.rb +++ b/features/step_definitions/torified_gnupg.rb @@ -1,14 +1,38 @@ -When /^the "([^"]*)" OpenPGP key is not in the live user's public keyring$/ do |keyid| +def count_gpg_signatures(key) + output = @vm.execute_successfully("gpg --batch --list-sigs #{key}", + LIVE_USER).stdout + return output.scan(/^sig/).count +end + +Then /^the key "([^"]+)" has (only|more than) (\d+) signatures$/ do |key, qualifier, num| + next if @skip_steps_while_restoring_background + count = count_gpg_signatures(key) + case qualifier + when 'only' + assert_equal(count, num.to_i, "Expected #{num} signatures but instead found #{count}") + when 'more than' + assert(count > num.to_i, "Expected more than #{num} signatures but found #{count}") + else + raise "Unknown operator #{qualifier} passed" + end +end + +When /^the "([^"]+)" OpenPGP key is not in the live user's public keyring$/ do |keyid| next if @skip_steps_while_restoring_background - assert(!@vm.execute("gpg --batch --list-keys '#{keyid}'", $live_user).success?, + assert(!@vm.execute("gpg --batch --list-keys '#{keyid}'", LIVE_USER).success?, "The '#{keyid}' key is in the live user's public keyring.") end -When /^I fetch the "([^"]*)" OpenPGP key using the GnuPG CLI$/ do |keyid| +When /^I fetch the "([^"]+)" OpenPGP key using the GnuPG CLI( without any signatures)?$/ do |keyid, without| next if @skip_steps_while_restoring_background - @gnupg_recv_key_res = @vm.execute( - "gpg --batch --recv-key '#{keyid}'", - $live_user) + if without + importopts = '--keyserver-options import-clean' + else + importopts = '' + end + @gnupg_recv_key_res = @vm.execute_successfully( + "gpg --batch #{importopts} --recv-key '#{keyid}'", + LIVE_USER) end When /^the GnuPG fetch is successful$/ do @@ -19,33 +43,81 @@ end When /^GnuPG uses the configured keyserver$/ do next if @skip_steps_while_restoring_background - assert(@gnupg_recv_key_res.stderr[$configured_keyserver_hostname], - "GnuPG's stderr did not mention keyserver #{$configured_keyserver_hostname}") + assert(@gnupg_recv_key_res.stderr[CONFIGURED_KEYSERVER_HOSTNAME], + "GnuPG's stderr did not mention keyserver #{CONFIGURED_KEYSERVER_HOSTNAME}") end -When /^the "([^"]*)" key is in the live user's public keyring after at most (\d+) seconds$/ do |keyid, delay| +When /^the "([^"]+)" key is in the live user's public keyring after at most (\d+) seconds$/ do |keyid, delay| next if @skip_steps_while_restoring_background try_for(delay.to_f, :msg => "The '#{keyid}' key is not in the live user's public keyring") { - @vm.execute("gpg --batch --list-keys '#{keyid}'", $live_user).success? + @vm.execute("gpg --batch --list-keys '#{keyid}'", LIVE_USER).success? } end -When /^I start Seahorse$/ do +When /^I start Seahorse( via the Tails OpenPGP Applet)?$/ do |withgpgapplet| next if @skip_steps_while_restoring_background - step 'I start "Seahorse" via the GNOME "System"/"Preferences" applications menu' + if withgpgapplet + @screen.wait_and_click("GpgAppletIconNormal.png", 10) + @screen.wait_and_click("GpgAppletManageKeys.png", 10) + else + step 'I start "Seahorse" via the GNOME "System"/"Preferences" applications menu' + end end -When /^I fetch the "([^"]*)" OpenPGP key using Seahorse$/ do |keyid| +Then /^Seahorse has opened$/ do next if @skip_steps_while_restoring_background - step "I start Seahorse" @screen.wait("SeahorseWindow.png", 10) - @screen.type("r", Sikuli::KeyModifier.ALT) # Menu: "Remote" -> - @screen.type("f") # "Find Remote Keys...". +end + +Then /^I enable key synchronization in Seahorse$/ do + next if @skip_steps_while_restoring_background + step 'process "seahorse" is running' + @screen.wait_and_click("SeahorseWindow.png", 10) + @screen.wait_and_click("SeahorseEdit.png", 10) + @screen.wait_and_click("SeahorseEditPreferences.png", 10) + @screen.wait("SeahorsePreferences.png", 10) + @screen.type("p", Sikuli::KeyModifier.ALT) # Option: "Publish keys to...". + @screen.type(Sikuli::Key.DOWN) # select HKP server + @screen.type("c", Sikuli::KeyModifier.ALT) # Button: "Close" +end + +Then /^I synchronize keys in Seahorse$/ do + next if @skip_steps_while_restoring_background + step "process \"seahorse\" is running" + @screen.wait_and_click("SeahorseWindow.png", 10) + @screen.wait("SeahorseWindow.png", 10) + @screen.wait_and_click("SeahorseRemoteMenu.png", 10) + @screen.wait_and_click("SeahorseRemoteMenuSync.png", 10) + @screen.wait("SeahorseSyncKeys.png", 10) + @screen.type("s", Sikuli::KeyModifier.ALT) # Button: Sync + @screen.wait("SeahorseSynchronizing.png", 20) + @screen.wait("SeahorseWindow.png", 120) +end + +When /^I fetch the "([^"]+)" OpenPGP key using Seahorse( via the Tails OpenPGP Applet)?$/ do |keyid, withgpgapplet| + next if @skip_steps_while_restoring_background + if withgpgapplet + step "I start Seahorse via the Tails OpenPGP Applet" + else + step "I start Seahorse" + end + step "Seahorse has opened" + @screen.wait_and_click("SeahorseWindow.png", 10) + @screen.wait_and_click("SeahorseRemoteMenu.png", 10) + @screen.wait_and_click("SeahorseRemoteMenuFind.png", 10) @screen.wait("SeahorseFindKeysWindow.png", 10) # Seahorse doesn't seem to support searching for fingerprints @screen.type(keyid + Sikuli::Key.ENTER) - @screen.wait("SeahorseFoundKeyResult.png", 5*60) - @screen.type(Sikuli::Key.DOWN) # Select first item in result menu - @screen.type("f", Sikuli::KeyModifier.ALT) # Menu: "File" -> - @screen.type("i") # "Import" + begin + @screen.wait("SeahorseFoundKeyResult.png", 5*60) + rescue FindFailed + # We may end up here if Seahorse appears to be "frozen". + # Sometimes--but not always--if we click another window + # the main Seahorse window will unfreeze, allowing us + # to continue normally. + @screen.click("SeahorseSearch.png") + end + @screen.click("SeahorseKeyResultWindow.png") + @screen.click("SeahorseFoundKeyResult.png") + @screen.click("SeahorseImport.png") end diff --git a/features/step_definitions/torified_misc.rb b/features/step_definitions/torified_misc.rb new file mode 100644 index 0000000000000000000000000000000000000000..610234f1a64f659be5f98efe3cd36ac9856089c8 --- /dev/null +++ b/features/step_definitions/torified_misc.rb @@ -0,0 +1,35 @@ +When /^I query the whois directory service for "([^"]+)"$/ do |domain| + next if @skip_steps_while_restoring_background + @vm_execute_res = @vm.execute( + "whois '#{domain}'", + LIVE_USER) +end + +When /^I wget "([^"]+)" to stdout(?:| with the '([^']+)' options)$/ do |url, options| + next if @skip_steps_while_restoring_background + arguments = "-O - '#{url}'" + arguments = "#{options} #{arguments}" if options + @vm_execute_res = @vm.execute( + "wget #{arguments}", + LIVE_USER) +end + +Then /^the (wget|whois) command is successful$/ do |command| + next if @skip_steps_while_restoring_background + assert( + @vm_execute_res.success?, + "#{command} failed:\n" + + "#{@vm_execute_res.stdout}\n" + + "#{@vm_execute_res.stderr}" + ) +end + +Then /^the (wget|whois) standard output contains "([^"]+)"$/ do |command, text| + next if @skip_steps_while_restoring_background + assert( + @vm_execute_res.stdout[text], + "The #{command} standard output does not contain #{text}:\n" + + "#{@vm_execute_res.stdout}\n" + + "#{@vm_execute_res.stderr}" + ) +end diff --git a/features/step_definitions/totem.rb b/features/step_definitions/totem.rb index f8743d79b9853b073ba499e924821a5ea282e749..d535c255bc7444f1a67a77778772a33ea9a646cc 100644 --- a/features/step_definitions/totem.rb +++ b/features/step_definitions/totem.rb @@ -1,25 +1,26 @@ -def shared_video_dir_on_guest - "/tmp/shared_video_dir" -end - Given /^I create sample videos$/ do next if @skip_steps_while_restoring_background - fatal_system("ffmpeg -loop 1 -t 30 -f image2 " + + @shared_video_dir_on_host = "#{$config["TMPDIR"]}/shared_video_dir" + @shared_video_dir_on_guest = "/tmp/shared_video_dir" + FileUtils.mkdir_p(@shared_video_dir_on_host) + add_after_scenario_hook { FileUtils.rm_r(@shared_video_dir_on_host) } + fatal_system("avconv -loop 1 -t 30 -f image2 " + "-i 'features/images/TailsBootSplash.png' " + "-an -vcodec libx264 -y " + - "'#{$misc_files_dir}/video.mp4' >/dev/null 2>&1") + '-filter:v "crop=in_w-mod(in_w\,2):in_h-mod(in_h\,2)" ' + + "'#{@shared_video_dir_on_host}/video.mp4' >/dev/null 2>&1") end Given /^I setup a filesystem share containing sample videos$/ do next if @skip_steps_while_restoring_background - @vm.add_share($misc_files_dir, shared_video_dir_on_guest) + @vm.add_share(@shared_video_dir_on_host, @shared_video_dir_on_guest) end Given /^I copy the sample videos to "([^"]+)" as user "([^"]+)"$/ do |destination, user| next if @skip_steps_while_restoring_background - for video_on_host in Dir.glob("#{$misc_files_dir}/*.mp4") do + for video_on_host in Dir.glob("#{@shared_video_dir_on_host}/*.mp4") do video_name = File.basename(video_on_host) - src_on_guest = "#{shared_video_dir_on_guest}/#{video_name}" + src_on_guest = "#{@shared_video_dir_on_guest}/#{video_name}" dst_on_guest = "#{destination}/#{video_name}" step "I copy \"#{src_on_guest}\" to \"#{dst_on_guest}\" as user \"amnesia\"" end diff --git a/features/step_definitions/unsafe_browser.rb b/features/step_definitions/unsafe_browser.rb index f223fafdf9a4a1981e6436b9ff7096cdc0e5bde2..c0f47acd5b762ee2230843bf2207166ad99f5a54 100644 --- a/features/step_definitions/unsafe_browser.rb +++ b/features/step_definitions/unsafe_browser.rb @@ -1,7 +1,52 @@ When /^I see and accept the Unsafe Browser start verification$/ do next if @skip_steps_while_restoring_background @screen.wait("UnsafeBrowserStartVerification.png", 30) - @screen.type("l", Sikuli::KeyModifier.ALT) + @screen.type(Sikuli::Key.ESC) +end + +def supported_torbrowser_languages + langs = Array.new + exts = @vm.execute_successfully( + "find /usr/local/share/tor-browser-extensions -maxdepth 1 -name 'langpack*.xpi' -printf \"%f\n\"").stdout + + # Some of the TBB languages are shipped with both a language and country code, e.g. es-ES. + # We'll only keep track of the language code and let `guess_best_tor_browser_locale` + # try to get by with our approximated locales. + supported_langs = exts.scan(/langpack-([a-z]+).*/).flatten + locales = @vm.execute_successfully( + "find /usr/lib/locale -maxdepth 1 -name '*.utf8' -printf \"%f\n\"").stdout.split + + # Determine a valid locale for each language that we want to test. + supported_langs.each do |lang| + # If a language shipped by TBB is not a supported system locale (e.g. 'vi'), + # 'find(nomatch)' will use the locale xx_XX for language 'xx'. + nomatch = proc { "#{lang}_#{lang.upcase}.utf8" } + langs << locales.find(nomatch) { |l| l.match(/^#{lang}/) } + end + return langs +end + +Then /^I start the Unsafe Browser in the "([^"]+)" locale$/ do |loc| + next if @skip_steps_while_restoring_background + step "I run \"LANG=#{loc} LC_ALL=#{loc} sudo unsafe-browser\" in GNOME Terminal" + step "I see and accept the Unsafe Browser start verification" +end + +Then /^the Unsafe Browser works in all supported languages$/ do + next if @skip_steps_while_restoring_background + failed = Array.new + supported_torbrowser_languages.each do |lang| + step "I start the Unsafe Browser in the \"#{lang}\" locale" + begin + step "the Unsafe Browser has started" + rescue RuntimeError + failed << lang + next + end + step "I close the Unsafe Browser" + step "the Unsafe Browser chroot is torn down" + end + assert(failed.empty?, "Unsafe Browser failed to launch in the following locale(s): #{failed.join(', ')}") end Then /^I see the Unsafe Browser start notification and wait for it to close$/ do @@ -15,6 +60,68 @@ Then /^the Unsafe Browser has started$/ do @screen.wait("UnsafeBrowserHomepage.png", 360) end +Then /^the Unsafe Browser has no add-ons installed$/ do + next if @skip_steps_while_restoring_background + step "I open the address \"about:support\" in the Unsafe Browser" + try_for(60) do + begin + @screen.find('UnsafeBrowserNoAddons.png') + rescue FindFailed => e + @screen.type(Sikuli::Key.PAGE_DOWN) + raise e + end + end +end + +Then /^the Unsafe Browser has only Firefox's default bookmarks configured$/ do + next if @skip_steps_while_restoring_background + info = xul_application_info("Unsafe Browser") + # "Show all bookmarks" + @screen.type("o", Sikuli::KeyModifier.SHIFT + Sikuli::KeyModifier.CTRL) + @screen.wait_and_click("UnsafeBrowserExportBookmarksButton.png", 20) + @screen.wait_and_click("UnsafeBrowserExportBookmarksMenuEntry.png", 20) + @screen.wait("UnsafeBrowserExportBookmarksSavePrompt.png", 20) + path = "/home/#{info[:user]}/bookmarks" + @screen.type(path + Sikuli::Key.ENTER) + chroot_path = "#{info[:chroot]}/#{path}.json" + try_for(10) { @vm.file_exist?(chroot_path) } + dump = JSON.load(@vm.file_content(chroot_path)) + + def check_bookmarks_helper(a) + mozilla_uris_counter = 0 + places_uris_counter = 0 + a.each do |h| + h.each_pair do |k, v| + if k == "children" + m, p = check_bookmarks_helper(v) + mozilla_uris_counter += m + places_uris_counter += p + elsif k == "uri" + uri = v + if uri.match("^https://www\.mozilla\.org/") + mozilla_uris_counter += 1 + elsif uri.match("^place:(sort|folder|type)=") + places_uris_counter += 1 + else + raise "Unexpected Unsafe Browser bookmark for '#{uri}'" + end + end + end + end + return [mozilla_uris_counter, places_uris_counter] + end + + mozilla_uris_counter, places_uris_counter = + check_bookmarks_helper(dump["children"]) + assert_equal(5, mozilla_uris_counter, + "Unexpected number (#{mozilla_uris_counter}) of mozilla " \ + "bookmarks") + assert_equal(3, places_uris_counter, + "Unexpected number (#{places_uris_counter}) of places " \ + "bookmarks") + @screen.type(Sikuli::Key.F4, Sikuli::KeyModifier.ALT) +end + Then /^the Unsafe Browser has a red theme$/ do next if @skip_steps_while_restoring_background @screen.wait("UnsafeBrowserRedTheme.png", 10) @@ -59,20 +166,6 @@ Then /^I can start the Unsafe Browser again$/ do step "I start the Unsafe Browser" end -When /^I open a new tab in the Unsafe Browser$/ do - next if @skip_steps_while_restoring_background - @screen.wait_and_click("UnsafeBrowserWindow.png", 10) - @screen.type("t", Sikuli::KeyModifier.CTRL) -end - -When /^I open the address "([^"]*)" in the Unsafe Browser$/ do |address| - next if @skip_steps_while_restoring_background - step "I open a new tab in the Unsafe Browser" - @screen.type("l", Sikuli::KeyModifier.CTRL) - sleep 0.5 - @screen.type(address + Sikuli::Key.ENTER) -end - Then /^I cannot configure the Unsafe Browser to use any local proxies$/ do next if @skip_steps_while_restoring_background @screen.wait_and_click("UnsafeBrowserWindow.png", 10) @@ -132,3 +225,56 @@ Then /^I cannot configure the Unsafe Browser to use any local proxies$/ do end end end + +Then /^the Unsafe Browser has no proxy configured$/ do + next if @skip_steps_while_restoring_background + @screen.click('UnsafeBrowserMenuButton.png') + @screen.wait_and_click('UnsafeBrowserPreferencesButton.png', 10) + @screen.wait('UnsafeBrowserPreferencesWindow.png', 10) + @screen.wait_and_click('UnsafeBrowserAdvancedSettings.png', 10) + @screen.wait_and_click('UnsafeBrowserNetworkTab.png', 10) + @screen.type("e", Sikuli::KeyModifier.ALT) + @screen.wait('UnsafeBrowserProxySettings.png', 10) + @screen.wait('UnsafeBrowserNoProxySelected.png', 10) + @screen.type(Sikuli::Key.F4, Sikuli::KeyModifier.ALT) + @screen.type(Sikuli::Key.F4, Sikuli::KeyModifier.ALT) +end + +Then /^the Unsafe Browser complains that no DNS server is configured$/ do + next if @skip_steps_while_restoring_background + @screen.wait("UnsafeBrowserDNSError.png", 30) +end + +Then /^I configure the Unsafe Browser to check for updates more frequently$/ do + next if @skip_steps_while_restoring_background + prefs = '/usr/share/tails/unsafe-browser/prefs.js' + @vm.file_append(prefs, 'pref("app.update.idletime", 1);') + @vm.file_append(prefs, 'pref("app.update.promptWaitTime", 1);') + @vm.file_append(prefs, 'pref("app.update.interval", 5);') +end + +But /^checking for updates is disabled in the Unsafe Browser's configuration$/ do + next if @skip_steps_while_restoring_background + prefs = '/usr/share/tails/unsafe-browser/prefs.js' + assert(@vm.file_content(prefs).include?('pref("app.update.enabled", false)')) +end + +Then /^the clearnet user has (|not )sent packets out to the Internet$/ do |sent| + next if @skip_steps_while_restoring_background + pkts = 0 + uid = @vm.execute_successfully("id -u clearnet").stdout.chomp.to_i + iptables_output = @vm.execute_successfully("iptables -vnL").stdout.chomp + output_chain = iptables_parse(iptables_output)["OUTPUT"] + output_chain["rules"].each do |rule| + if /owner UID match \b#{uid}\b/.match(rule["extra"]) + pkts += rule["pkts"] + end + end + + case sent + when '' + assert(pkts > 0, "Packets have not gone out to the internet.") + when 'not' + assert_equal(pkts, 0, "Packets have gone out to the internet.") + end +end diff --git a/features/step_definitions/untrusted_partitions.rb b/features/step_definitions/untrusted_partitions.rb index de2e0a705dd961862e54ffb9d34cdb02e000416f..69651430f13522ecfea0f7d3f1d495c93af5167b 100644 --- a/features/step_definitions/untrusted_partitions.rb +++ b/features/step_definitions/untrusted_partitions.rb @@ -1,29 +1,53 @@ -Given /^I create a (\d+) ([[:alpha:]]+) disk named "([^"]+)"$/ do |size, unit, name| +Given /^I create an? ([[:alnum:]]+) swap partition on disk "([^"]+)"$/ do |parttype, name| next if @skip_steps_while_restoring_background - @vm.storage.create_new_disk(name, {:size => size, :unit => unit, - :type => "raw"}) + @vm.storage.disk_mkswap(name, parttype) end -Given /^I create a ([[:alpha:]]+) label on disk "([^"]+)"$/ do |type, name| +Then /^an? "([^"]+)" partition was detected by Tails on drive "([^"]+)"$/ do |type, name| next if @skip_steps_while_restoring_background - @vm.storage.disk_mklabel(name, type) + part_info = @vm.execute_successfully( + "parted -s '#{@vm.disk_dev(name)}' print 1").stdout.strip + assert(part_info.match("^File System:\s*#{Regexp.escape(type)}$"), + "No #{type} partition was detected by Tails on disk '#{name}'") end -Given /^I create a ([[:alnum:]]+) filesystem on disk "([^"]+)"$/ do |type, name| +Then /^Tails has no disk swap enabled$/ do next if @skip_steps_while_restoring_background - @vm.storage.disk_mkpartfs(name, type) + # Skip first line which contain column headers + swap_info = @vm.execute_successfully("tail -n+2 /proc/swaps").stdout + assert(swap_info.empty?, + "Disk swapping is enabled according to /proc/swaps:\n" + swap_info) + mem_info = @vm.execute_successfully("grep '^Swap' /proc/meminfo").stdout + assert(mem_info.match(/^SwapTotal:\s+0 kB$/), + "Disk swapping is enabled according to /proc/meminfo:\n" + + mem_info) end -Given /^I cat an ISO hybrid of the Tails image to disk "([^"]+)"$/ do |name| +Given /^I create an? ([[:alnum:]]+) partition( labeled "([^"]+)")? with an? ([[:alnum:]]+) filesystem( encrypted with password "([^"]+)")? on disk "([^"]+)"$/ do |parttype, has_label, label, fstype, is_encrypted, luks_password, name| next if @skip_steps_while_restoring_background - disk_path = @vm.storage.disk_path(name) - tails_iso_hybrid = "#{$tmp_dir}/#{File.basename($tails_iso)}" - begin - cmd_helper("cp '#{$tails_iso}' '#{tails_iso_hybrid}'") - cmd_helper("isohybrid '#{tails_iso_hybrid}' --entry 4 --type 0x1c") - cmd_helper("dd if='#{tails_iso_hybrid}' of='#{disk_path}' conv=notrunc") - ensure - cmd_helper("rm -f '#{tails_iso_hybrid}'") + opts = {} + opts.merge!(:label => label) if has_label + opts.merge!(:luks_password => luks_password) if is_encrypted + @vm.storage.disk_mkpartfs(name, parttype, fstype, opts) +end + +Given /^I cat an ISO of the Tails image to disk "([^"]+)"$/ do |name| + next if @skip_steps_while_restoring_background + src_disk = { + :path => TAILS_ISO, + :opts => { + :format => "raw", + :readonly => true + } + } + dest_disk = { + :path => @vm.storage.disk_path(name), + :opts => { + :format => @vm.storage.disk_format(name) + } + } + @vm.storage.guestfs_disk_helper(src_disk, dest_disk) do |g, src_disk_handle, dest_disk_handle| + g.copy_device_to_device(src_disk_handle, dest_disk_handle, {}) end end @@ -33,3 +57,12 @@ Then /^drive "([^"]+)" is not mounted$/ do |name| assert(!@vm.execute("grep -qs '^#{dev}' /proc/mounts").success?, "an untrusted partition from drive '#{name}' was automounted") end + +Then /^Tails Greeter has( not)? detected a persistence partition$/ do |no_persistence| + next if @skip_steps_while_restoring_background + expecting_persistence = no_persistence.nil? + @screen.find('TailsGreeter.png') + found_persistence = ! @screen.exists('TailsGreeterPersistence.png').nil? + assert_equal(expecting_persistence, found_persistence, + "Persistence is unexpectedly#{no_persistence} enabled") +end diff --git a/features/step_definitions/usb.rb b/features/step_definitions/usb.rb index 8a650618b6d42697a3aae9a9b7f9f317c11d6794..cfe58df2582c76ebb53c93520d9b07a54952ba79 100644 --- a/features/step_definitions/usb.rb +++ b/features/step_definitions/usb.rb @@ -1,26 +1,51 @@ -def persistent_mounts - { - "cups-configuration" => "/etc/cups", - "nm-system-connections" => "/etc/NetworkManager/system-connections", - "claws-mail" => "/home/#{$live_user}/.claws-mail", - "gnome-keyrings" => "/home/#{$live_user}/.gnome2/keyrings", - "gnupg" => "/home/#{$live_user}/.gnupg", - "bookmarks" => "/home/#{$live_user}/.mozilla/firefox/bookmarks", - "pidgin" => "/home/#{$live_user}/.purple", - "openssh-client" => "/home/#{$live_user}/.ssh", - "Persistent" => "/home/#{$live_user}/Persistent", - "apt/cache" => "/var/cache/apt/archives", - "apt/lists" => "/var/lib/apt/lists", +# Returns a hash that for each preset the running Tails is aware of +# maps the source to the destination. +def get_persistence_presets(skip_links = false) + # Perl script that prints all persistence presets (one per line) on + # the form: <mount_point>:<comma-separated-list-of-options> + script = <<-EOF + use strict; + use warnings FATAL => "all"; + use Tails::Persistence::Configuration::Presets; + foreach my $preset (Tails::Persistence::Configuration::Presets->new()->all) { + say $preset->destination, ":", join(",", @{$preset->options}); } +EOF + # VMCommand:s cannot handle newlines, and they're irrelevant in the + # above perl script any way + script.delete!("\n") + presets = @vm.execute_successfully("perl -E '#{script}'").stdout.chomp.split("\n") + assert presets.size >= 10, "Got #{presets.size} persistence presets, " + + "which is too few" + persistence_mapping = Hash.new + for line in presets + destination, options_str = line.split(":") + options = options_str.split(",") + is_link = options.include? "link" + next if is_link and skip_links + source_str = options.find { |option| /^source=/.match option } + # If no source is given as an option, live-boot's persistence + # feature defaults to the destination minus the initial "/". + if source_str.nil? + source = destination.partition("/").last + else + source = source_str.split("=")[1] + end + persistence_mapping[source] = destination + end + return persistence_mapping end -def persistent_volumes_mountpoints - @vm.execute("ls -1 -d /live/persistence/*_unlocked/").stdout.chomp.split +def persistent_dirs + get_persistence_presets end -Given /^I create a new (\d+) ([[:alpha:]]+) USB drive named "([^"]+)"$/ do |size, unit, name| - next if @skip_steps_while_restoring_background - @vm.storage.create_new_disk(name, {:size => size, :unit => unit}) +def persistent_mounts + get_persistence_presets(true) +end + +def persistent_volumes_mountpoints + @vm.execute("ls -1 -d /live/persistence/*_unlocked/").stdout.chomp.split end Given /^I clone USB drive "([^"]+)" to a new USB drive "([^"]+)"$/ do |from, to| @@ -35,7 +60,7 @@ end Given /^the computer is set to boot from the old Tails DVD$/ do next if @skip_steps_while_restoring_background - @vm.set_cdrom_boot($old_tails_iso) + @vm.set_cdrom_boot(OLD_TAILS_ISO) end Given /^the computer is set to boot in UEFI mode$/ do @@ -75,19 +100,48 @@ end When /^I start Tails Installer$/ do next if @skip_steps_while_restoring_background step 'I start "TailsInstaller" via the GNOME "Tails" applications menu' + @screen.wait('USBCloneAndInstall.png', 30) +end + +When /^I start Tails Installer in "([^"]+)" mode(?: with the )?(verbose)?(?: flag)?$/ do |mode, vbose| + next if @skip_steps_while_restoring_background + if vbose + step 'I run "liveusb-creator-launcher --verbose > /tmp/tails-installer.log 2>&1" in GNOME Terminal' + else + step 'I start Tails Installer' + end + + case mode + when 'Clone & Install' + @screen.wait_and_click('USBCloneAndInstall.png', 10) + when 'Clone & Upgrade' + @screen.wait_and_click('USBCloneAndUpgrade.png', 10) + when 'Upgrade from ISO' + @screen.wait_and_click('USBUpgradeFromISO.png', 10) + else + raise "Unsupported mode '#{mode}'" + end +end + +Then /^Tails Installer detects that the device "([^"]+)" is too small$/ do |name| + next if @skip_steps_while_restoring_background + assert(@vm.file_exist?('/tmp/tails-installer.log'), "Cannot find logfile containing output from Tails Installer") + device = @vm.udisks_disk_dev(name) + try_for(15, :msg => "Tails Installer did not reject the USB device as being too small") { + log = @vm.file_content('/tmp/tails-installer.log') + Regexp.new("Skipping too small device: #{device}$").match(log) + } end When /^I "Clone & Install" Tails to USB drive "([^"]+)"$/ do |name| next if @skip_steps_while_restoring_background - step "I start Tails Installer" - @screen.wait_and_click('USBCloneAndInstall.png', 30) + step 'I start Tails Installer in "Clone & Install" mode' usb_install_helper(name) end When /^I "Clone & Upgrade" Tails to USB drive "([^"]+)"$/ do |name| next if @skip_steps_while_restoring_background - step "I start Tails Installer" - @screen.wait_and_click('USBCloneAndUpgrade.png', 30) + step 'I start Tails Installer in "Clone & Upgrade" mode' usb_install_helper(name) end @@ -107,25 +161,25 @@ When /^I am suggested to do a "Clone & Install"$/ do @screen.find("USBSuggestsInstall.png") end -def shared_iso_dir_on_guest - "/tmp/shared_iso_dir" -end - Given /^I setup a filesystem share containing the Tails ISO$/ do next if @skip_steps_while_restoring_background - @vm.add_share(File.dirname($tails_iso), shared_iso_dir_on_guest) + shared_iso_dir_on_host = "#{$config["TMPDIR"]}/shared_iso_dir" + @shared_iso_dir_on_guest = "/tmp/shared_iso_dir" + FileUtils.mkdir_p(shared_iso_dir_on_host) + FileUtils.cp(TAILS_ISO, shared_iso_dir_on_host) + add_after_scenario_hook { FileUtils.rm_r(shared_iso_dir_on_host) } + @vm.add_share(shared_iso_dir_on_host, @shared_iso_dir_on_guest) end When /^I do a "Upgrade from ISO" on USB drive "([^"]+)"$/ do |name| next if @skip_steps_while_restoring_background - step "I start Tails Installer" - @screen.wait_and_click('USBUpgradeFromISO.png', 10) + step 'I start Tails Installer in "Upgrade from ISO" mode' @screen.wait('USBUseLiveSystemISO.png', 10) match = @screen.find('USBUseLiveSystemISO.png') @screen.click(match.getCenter.offset(0, match.h*2)) @screen.wait('USBSelectISO.png', 10) @screen.wait_and_click('GnomeFileDiagTypeFilename.png', 10) - iso = "#{shared_iso_dir_on_guest}/#{File.basename($tails_iso)}" + iso = "#{@shared_iso_dir_on_guest}/#{File.basename(TAILS_ISO)}" @screen.type(iso + Sikuli::Key.ENTER) usb_install_helper(name) end @@ -133,11 +187,12 @@ end Given /^I enable all persistence presets$/ do next if @skip_steps_while_restoring_background @screen.wait('PersistenceWizardPresets.png', 20) - # Mark first non-default persistence preset - @screen.type(Sikuli::Key.TAB*2) - # Check all non-default persistence presets - 12.times do - @screen.type(Sikuli::Key.SPACE + Sikuli::Key.TAB) + # Select the "Persistent" folder preset, which is checked by default. + @screen.type(Sikuli::Key.TAB) + # Check all non-default persistence presets, i.e. all *after* the + # "Persistent" folder, which are unchecked by default. + (persistent_dirs.size - 1).times do + @screen.type(Sikuli::Key.TAB + Sikuli::Key.SPACE) end @screen.wait_and_click('PersistenceWizardSave.png', 10) @screen.wait('PersistenceWizardDone.png', 20) @@ -179,7 +234,7 @@ def tails_is_installed_helper(name, tails_root, loader) c = @vm.execute("diff -qr '#{tails_root}/live' '#{target_root}/live'") assert(c.success?, - "USB drive '#{name}' has differences in /live:\n#{c.stdout}") + "USB drive '#{name}' has differences in /live:\n#{c.stdout}\n#{c.stderr}") syslinux_files = @vm.execute("ls -1 #{target_root}/syslinux").stdout.chomp.split # We deal with these files separately @@ -209,7 +264,7 @@ end Then /^the ISO's Tails is installed on USB drive "([^"]+)"$/ do |target_name| next if @skip_steps_while_restoring_background - iso = "#{shared_iso_dir_on_guest}/#{File.basename($tails_iso)}" + iso = "#{@shared_iso_dir_on_guest}/#{File.basename(TAILS_ISO)}" iso_root = "/mnt/iso" @vm.execute("mkdir -p #{iso_root}") @vm.execute("mount -o loop #{iso} #{iso_root}") @@ -278,18 +333,24 @@ end def tails_persistence_enabled? persistence_state_file = "/var/lib/live/config/tails.persistence" return @vm.execute("test -e '#{persistence_state_file}'").success? && - @vm.execute('. #{persistence_state_file} && ' + + @vm.execute(". '#{persistence_state_file}' && " + 'test "$TAILS_PERSISTENCE_ENABLED" = true').success? end -Given /^persistence is enabled$/ do +Given /^all persistence presets(| from the old Tails version) are enabled$/ do |old_tails| next if @skip_steps_while_restoring_background try_for(120, :msg => "Persistence is disabled") do tails_persistence_enabled? end # Check that all persistent directories are mounted + if old_tails.empty? + expected_mounts = persistent_mounts + else + assert_not_nil($remembered_persistence_mounts) + expected_mounts = $remembered_persistence_mounts + end mount = @vm.execute("mount").stdout.chomp - for _, dir in persistent_mounts do + for _, dir in expected_mounts do assert(mount.include?("on #{dir} "), "Persistent directory '#{dir}' is not mounted") end @@ -322,9 +383,16 @@ def boot_device_type return boot_dev_type end -Then /^Tails is running from USB drive "([^"]+)"$/ do |name| +Then /^Tails is running from (.*) drive "([^"]+)"$/ do |bus, name| next if @skip_steps_while_restoring_background - assert_equal("usb", boot_device_type) + bus = bus.downcase + case bus + when "ide" + expected_bus = "ata" + else + expected_bus = bus + end + assert_equal(expected_bus, boot_device_type) actual_dev = boot_device # The boot partition differs between a "normal" install using the # USB installer and isohybrid installations @@ -332,7 +400,7 @@ Then /^Tails is running from USB drive "([^"]+)"$/ do |name| expected_dev_isohybrid = @vm.disk_dev(name) + "4" assert(actual_dev == expected_dev_normal || actual_dev == expected_dev_isohybrid, - "We are running from device #{actual_dev}, but for USB drive " + + "We are running from device #{actual_dev}, but for #{bus} drive " + "'#{name}' we expected to run from either device " + "#{expected_dev_normal} (when installed via the USB installer) " + "or #{expected_dev_normal} (when installed from an isohybrid)") @@ -371,7 +439,7 @@ Then /^the boot device has safe access rights$/ do "Boot device '#{super_boot_dev}' is not system internal for udisks") end -Then /^persistent filesystems have safe access rights$/ do +Then /^all persistent filesystems have safe access rights$/ do persistent_volumes_mountpoints.each do |mountpoint| fs_owner = @vm.execute("stat -c %U #{mountpoint}").stdout.chomp fs_group = @vm.execute("stat -c %G #{mountpoint}").stdout.chomp @@ -382,7 +450,7 @@ Then /^persistent filesystems have safe access rights$/ do end end -Then /^persistence configuration files have safe access rights$/ do +Then /^all persistence configuration files have safe access rights$/ do persistent_volumes_mountpoints.each do |mountpoint| assert(@vm.execute("test -e #{mountpoint}/persistence.conf").success?, "#{mountpoint}/persistence.conf does not exist, while it should") @@ -401,19 +469,33 @@ Then /^persistence configuration files have safe access rights$/ do end end -Then /^persistent directories have safe access rights$/ do +Then /^all persistent directories(| from the old Tails version) have safe access rights$/ do |old_tails| next if @skip_steps_while_restoring_background - expected_perms = "700" + if old_tails.empty? + expected_dirs = persistent_dirs + else + assert_not_nil($remembered_persistence_dirs) + expected_dirs = $remembered_persistence_dirs + end persistent_volumes_mountpoints.each do |mountpoint| - # We also want to check that dotfiles' source has safe permissions - all_persistent_dirs = persistent_mounts.clone - all_persistent_dirs["dotfiles"] = "/home/#{$live_user}/" - persistent_mounts.each do |src, dest| - next unless dest.start_with?("/home/#{$live_user}/") - f = "#{mountpoint}/#{src}" - next unless @vm.execute("test -d #{f}").success? - file_perms = @vm.execute("stat -c %a '#{f}'").stdout.chomp - assert_equal(expected_perms, file_perms) + expected_dirs.each do |src, dest| + full_src = "#{mountpoint}/#{src}" + assert_vmcommand_success @vm.execute("test -d #{full_src}") + dir_perms = @vm.execute_successfully("stat -c %a '#{full_src}'").stdout.chomp + dir_owner = @vm.execute_successfully("stat -c %U '#{full_src}'").stdout.chomp + if dest.start_with?("/home/#{LIVE_USER}") + expected_perms = "700" + expected_owner = LIVE_USER + else + expected_perms = "755" + expected_owner = "root" + end + assert_equal(expected_perms, dir_perms, + "Persistent source #{full_src} has permission " \ + "#{dir_perms}, expected #{expected_perms}") + assert_equal(expected_owner, dir_owner, + "Persistent source #{full_src} has owner " \ + "#{dir_owner}, expected #{expected_owner}") end end end @@ -445,9 +527,21 @@ When /^I write some files not expected to persist$/ do end end -Then /^the expected persistent files are present in the filesystem$/ do +When /^I take note of which persistence presets are available$/ do next if @skip_steps_while_restoring_background - persistent_mounts.each do |_, dir| + $remembered_persistence_mounts = persistent_mounts + $remembered_persistence_dirs = persistent_dirs +end + +Then /^the expected persistent files(| created with the old Tails version) are present in the filesystem$/ do |old_tails| + next if @skip_steps_while_restoring_background + if old_tails.empty? + expected_mounts = persistent_mounts + else + assert_not_nil($remembered_persistence_mounts) + expected_mounts = $remembered_persistence_mounts + end + expected_mounts.each do |_, dir| assert(@vm.execute("test -e #{dir}/XXX_persist").success?, "Could not find expected file in persistent directory #{dir}") assert(!@vm.execute("test -e #{dir}/XXX_gone").success?, @@ -455,20 +549,43 @@ Then /^the expected persistent files are present in the filesystem$/ do end end -Then /^only the expected files should persist on USB drive "([^"]+)"$/ do |name| +Then /^only the expected files are present on the persistence partition encrypted with password "([^"]+)" on USB drive "([^"]+)"$/ do |password, name| next if @skip_steps_while_restoring_background - step "a computer" - step "the computer is set to boot from USB drive \"#{name}\"" - step "the network is unplugged" - step "I start the computer" - step "the computer boots Tails" - step "I enable read-only persistence with password \"asdf\"" - step "I log in to a new session" - step "persistence is enabled" - step "GNOME has started" - step "all notifications have disappeared" - step "the expected persistent files are present in the filesystem" - step "I shutdown Tails and wait for the computer to power off" + assert(!@vm.is_running?) + disk = { + :path => @vm.storage.disk_path(name), + :opts => { + :format => @vm.storage.disk_format(name), + :readonly => true + } + } + @vm.storage.guestfs_disk_helper(disk) do |g, disk_handle| + partitions = g.part_list(disk_handle).map do |part_desc| + disk_handle + part_desc["part_num"].to_s + end + partition = partitions.find do |part| + g.blkid(part)["PART_ENTRY_NAME"] == "TailsData" + end + assert_not_nil(partition, "Could not find the 'TailsData' partition " \ + "on disk '#{disk_handle}'") + luks_mapping = File.basename(partition) + "_unlocked" + g.luks_open(partition, password, luks_mapping) + luks_dev = "/dev/mapper/#{luks_mapping}" + mount_point = "/" + g.mount(luks_dev, mount_point) + assert_not_nil($remembered_persistence_mounts) + $remembered_persistence_mounts.each do |dir, _| + # Guestfs::exists may have a bug; if the file exists, 1 is + # returned, but if it doesn't exist false is returned. It seems + # the translation of C types into Ruby types is glitchy. + assert(g.exists("/#{dir}/XXX_persist") == 1, + "Could not find expected file in persistent directory #{dir}") + assert(g.exists("/#{dir}/XXX_gone") != 1, + "Found file that should not have persisted in persistent directory #{dir}") + end + g.umount(mount_point) + g.luks_close(luks_dev) + end end When /^I delete the persistent partition$/ do @@ -484,3 +601,23 @@ Then /^Tails has started in UEFI mode$/ do assert(@vm.execute("test -d /sys/firmware/efi").success?, "/sys/firmware/efi does not exist") end + +Given /^I create a ([[:alpha:]]+) label on disk "([^"]+)"$/ do |type, name| + next if @skip_steps_while_restoring_background + @vm.storage.disk_mklabel(name, type) +end + +Then /^a suitable USB device is (?:still )?not found$/ do + next if @skip_steps_while_restoring_background + @screen.wait("TailsInstallerNoDevice.png", 60) +end + +Then /^the "(?:[[:alpha:]]+)" USB drive is selected$/ do + next if @skip_steps_while_restoring_background + @screen.wait("TailsInstallerQEMUHardDisk.png", 30) +end + +Then /^no USB drive is selected$/ do + next if @skip_steps_while_restoring_background + @screen.wait("TailsInstallerNoQEMUHardDisk.png", 30) +end diff --git a/features/support/config.rb b/features/support/config.rb index 85d98eeedc7b6a31c2ba056bc4940c301e146635..9612f44319758fb0a42e48f222f4d33fa6091278 100644 --- a/features/support/config.rb +++ b/features/support/config.rb @@ -1,35 +1,68 @@ require 'fileutils' +require 'yaml' require "#{Dir.pwd}/features/support/helpers/misc_helpers.rb" -# Dynamic -$tails_iso = ENV['ISO'] || get_newest_iso -$old_tails_iso = ENV['OLD_ISO'] || get_oldest_iso -$tmp_dir = ENV['TEMP_DIR'] || "/tmp/TailsToaster" -$vm_xml_path = ENV['VM_XML_PATH'] || "#{Dir.pwd}/features/domains" -$misc_files_dir = "#{Dir.pwd}/features/misc_files" -$keep_snapshots = !ENV['KEEP_SNAPSHOTS'].nil? -$x_display = ENV['DISPLAY'] -$debug = !ENV['DEBUG'].nil? -$pause_on_fail = !ENV['PAUSE_ON_FAIL'].nil? -$time_at_start = Time.now -$live_user = cmd_helper(". config/chroot_local-includes/etc/live/config.d/username.conf; echo ${LIVE_USERNAME}").chomp -$sikuli_retry_findfailed = !ENV['SIKULI_RETRY_FINDFAILED'].nil? -$git_dir = ENV['PWD'] +# These files deal with options like some of the settings passed +# to the `run_test_suite` script, and "secrets" like credentials +# (passwords, SSH keys) to be used in tests. +CONFIG_DIR = "#{Dir.pwd}/features/config" +DEFAULTS_CONFIG_FILE = "#{CONFIG_DIR}/defaults.yml" +LOCAL_CONFIG_FILE = "#{CONFIG_DIR}/local.yml" +LOCAL_CONFIG_DIRS_FILES_GLOB = "#{CONFIG_DIR}/*.d/*.yml" -# Static -$configured_keyserver_hostname = 'hkps.pool.sks-keyservers.net' -$services_expected_on_all_ifaces = +assert File.exists?(DEFAULTS_CONFIG_FILE) +$config = YAML.load(File.read(DEFAULTS_CONFIG_FILE)) +config_files = Dir.glob(LOCAL_CONFIG_DIRS_FILES_GLOB).sort +config_files.insert(0, LOCAL_CONFIG_FILE) if File.exists?(LOCAL_CONFIG_FILE) +config_files.each do |config_file| + yaml_struct = YAML.load(File.read(config_file)) || Hash.new + if not(yaml_struct.instance_of?(Hash)) + raise "Local configuration file '#{config_file}' is malformed" + end + $config.merge!(yaml_struct) +end +# Options passed to the `run_test_suite` script will always take +# precedence. The way we import these keys is only safe for values +# with types boolean or string. If we need more, we'll have to invoke +# YAML's type autodetection on ENV some how. +$config.merge!(ENV) + +# Dynamic constants initialized through the environment or similar, +# e.g. options we do not want to be configurable through the YAML +# configuration files. +DISPLAY = ENV['DISPLAY'] +GIT_DIR = ENV['PWD'] +KEEP_SNAPSHOTS = !ENV['KEEP_SNAPSHOTS'].nil? +LIVE_USER = cmd_helper(". config/chroot_local-includes/etc/live/config.d/username.conf; echo ${LIVE_USERNAME}").chomp +OLD_TAILS_ISO = ENV['OLD_TAILS_ISO'] +TAILS_ISO = ENV['TAILS_ISO'] +TIME_AT_START = Time.now + +# Constants that are statically initialized. +CONFIGURED_KEYSERVER_HOSTNAME = 'hkps.pool.sks-keyservers.net' +MISC_FILES_DIR = "#{Dir.pwd}/features/misc_files" +SERVICES_EXPECTED_ON_ALL_IFACES = [ ["cupsd", "0.0.0.0", "631"], ["dhclient", "0.0.0.0", "*"] ] -$tor_authorities = +# OpenDNS +SOME_DNS_SERVER = "208.67.222.222" +TOR_AUTHORITIES = # List grabbed from Tor's sources, src/or/config.c:~750. [ - "128.31.0.39", "86.59.21.38", "194.109.206.212", - "82.94.251.203", "76.73.17.194", "212.112.245.170", - "193.23.244.244", "208.83.223.34", "171.25.193.9", - "154.35.32.5" + "86.59.21.38", + "128.31.0.39", + "194.109.206.212", + "82.94.251.203", + "199.254.238.52", + "131.188.40.189", + "193.23.244.244", + "208.83.223.34", + "171.25.193.9", + "154.35.175.225", ] -# OpenDNS -$some_dns_server = "208.67.222.222" +VM_XML_PATH = "#{Dir.pwd}/features/domains" + +TAILS_SIGNING_KEY = cmd_helper(". #{Dir.pwd}/config/amnesia; echo ${AMNESIA_DEV_KEYID}").tr(' ', '').chomp +TAILS_DEBIAN_REPO_KEY = "221F9A3C6FA3E09E182E060BC7988EA7A358D82E" diff --git a/features/support/env.rb b/features/support/env.rb index 523a1d1c4ffe3d3808f85be23e5941bf9c6059a1..685d703dcdeaf23fe9e24b0fdb0be46b1362f80d 100644 --- a/features/support/env.rb +++ b/features/support/env.rb @@ -14,6 +14,9 @@ def git_exists? end def create_git + Dir.mkdir 'config' + FileUtils.touch('config/base_branch') + Dir.mkdir('config/APT_overlays.d') Dir.mkdir 'debian' File.open('debian/changelog', 'w') do |changelog| changelog.write(<<END_OF_CHANGELOG) @@ -33,7 +36,14 @@ END_OF_CHANGELOG fatal_system "git branch -M stable" fatal_system "git branch testing stable" fatal_system "git branch devel stable" - fatal_system "git branch experimental devel" + fatal_system "git branch feature/jessie devel" +end + +def current_branch + branch = `git branch | awk '/^\*/ { print $2 }'`.strip + raise StandardError.new('git-branch failed.') if $? != 0 + + return branch end RSpec::Matchers.define :have_suite do |suite| diff --git a/features/support/helpers/chatbot_helper.rb b/features/support/helpers/chatbot_helper.rb new file mode 100644 index 0000000000000000000000000000000000000000..0eadd55be47ed210cacef1f768140cea2cfe68f7 --- /dev/null +++ b/features/support/helpers/chatbot_helper.rb @@ -0,0 +1,61 @@ +require 'tempfile' + +class ChatBot + + def initialize(account, password, otr_key, opts = Hash.new) + @account = account + @password = password + @otr_key = otr_key + @opts = opts + @pid = nil + @otr_key_file = nil + end + + def start + @otr_key_file = Tempfile.new("otr_key.", $config["TMPDIR"]) + @otr_key_file << @otr_key + @otr_key_file.close + + # XXX: Once #9066 we should remove the convertkey.py script from + # our tree and use the one bundled in python-potr instead. + cmd_helper(["#{GIT_DIR}/features/scripts/convertkey.py", + @otr_key_file.path]) + cmd_helper(["mv", "#{@otr_key_file.path}3", @otr_key_file.path]) + + cmd = [ + "#{GIT_DIR}/features/scripts/otr-bot.py", + @account, + @password, + @otr_key_file.path + ] + cmd += ["--connect-server", @opts["connect_server"]] if @opts["connect_server"] + cmd += ["--auto-join"] + @opts["auto_join"] if @opts["auto_join"] + + job = IO.popen(cmd) + @pid = job.pid + end + + def stop + @otr_key_file.delete + begin + Process.kill("TERM", @pid) + rescue + # noop + end + end + + def active? + begin + ret = Process.kill(0, @pid) + rescue Errno::ESRCH => e + if e.message == "No such process" + return false + else + raise e + end + end + assert_equal(1, ret, "This shouldn't happen") + return true + end + +end diff --git a/features/support/helpers/ctcp_helper.rb b/features/support/helpers/ctcp_helper.rb new file mode 100644 index 0000000000000000000000000000000000000000..f7699a91dada1c816d311447c104d551af0eeb48 --- /dev/null +++ b/features/support/helpers/ctcp_helper.rb @@ -0,0 +1,125 @@ +require 'net/irc' +require 'timeout' + +class CtcpChecker < Net::IRC::Client + + CTCP_SPAM_DELAY = 5 + + # `spam_target`: the nickname of the IRC user to CTCP spam. + # `ctcp_cmds`: the Array of CTCP commands to send. + # `expected_ctcp_replies`: Hash where the keys are the exact set of replies + # we expect, and their values a regex the reply data must match. + def initialize(host, port, spam_target, ctcp_cmds, expected_ctcp_replies) + @spam_target = spam_target + @ctcp_cmds = ctcp_cmds + @expected_ctcp_replies = expected_ctcp_replies + nickname = self.class.random_irc_nickname + opts = { + :nick => nickname, + :user => nickname, + :real => nickname, + } + opts[:logger] = Logger.new("/dev/null") if !$config["DEBUG"] + super(host, port, opts) + end + + # Makes sure that only the expected CTCP replies are received. + def verify_ctcp_responses + @sent_ctcp_cmds = Set.new + @received_ctcp_replies = Set.new + + # Give 60 seconds for connecting to the server and other overhead + # beyond the expected time to spam all CTCP commands. + expected_ctcp_spam_time = @ctcp_cmds.length * CTCP_SPAM_DELAY + timeout = expected_ctcp_spam_time + 60 + + begin + Timeout::timeout(timeout) do + start + end + rescue Timeout::Error + # Do nothing as we'll check for errors below. + ensure + finish + end + + ctcp_cmds_not_sent = @ctcp_cmds - @sent_ctcp_cmds.to_a + expected_ctcp_replies_not_received = + @expected_ctcp_replies.keys - @received_ctcp_replies.to_a + if !ctcp_cmds_not_sent.empty? || !expected_ctcp_replies_not_received.empty? + raise "Failed to spam all CTCP commands and receive the expected " + + "replies within #{timeout} seconds.\n" + + (ctcp_cmds_not_sent.empty? ? "" : + "CTCP commands not sent: #{ctcp_cmds_not_sent}\n") + + (expected_ctcp_replies_not_received.empty? ? "" : + "Expected CTCP replies not received: " + + expected_ctcp_replies_not_received.to_s) + end + + end + + # Generate a random IRC nickname, in this case an alpha-numeric + # string with length 10 to 15. To make it legal, the first character + # is forced to be alpha. + def self.random_irc_nickname + random_alpha_string(1) + random_alnum_string(9, 14) + end + + def spam(spam_target) + post(NOTICE, spam_target, "Hi! I'm gonna test your CTCP capabilities now.") + @ctcp_cmds.each do |cmd| + sleep CTCP_SPAM_DELAY + full_cmd = cmd + case cmd + when "PING" + full_cmd += " #{Time.now.to_i}" + when "ACTION" + full_cmd += " barfs on the floor." + when "ERRMSG" + full_cmd += " Pidgin should not respond to this." + end + post(PRIVMSG, spam_target, ctcp_encode(full_cmd)) + @sent_ctcp_cmds << cmd + end + end + + def on_rpl_welcome(m) + super + Thread.new { spam(@spam_target) } + end + + def on_message(m) + if m.command == ERR_NICKNAMEINUSE + finish + new_nick = self.class.random_irc_nickname + @opts.marshal_load({ + :nick => new_nick, + :user => new_nick, + :real => new_nick, + }) + start + return + end + + if m.ctcp? and /^:#{@spam_target}!/.match(m) + m.ctcps.each do |ctcp_reply| + reply_type, _, reply_data = ctcp_reply.partition(" ") + if @expected_ctcp_replies.has_key?(reply_type) + if @expected_ctcp_replies[reply_type].match(reply_data) + @received_ctcp_replies << reply_type + else + raise "Received expected CTCP reply '#{reply_type}' but with " + + "unexpected data '#{reply_data}' " + end + else + raise "Received unexpected CTCP reply '#{reply_type}' with " + + "data '#{reply_data}'" + end + end + end + if Set.new(@ctcp_cmds) == @sent_ctcp_cmds && \ + Set.new(@expected_ctcp_replies.keys) == @received_ctcp_replies + finish + end + end +end diff --git a/features/support/helpers/display_helper.rb b/features/support/helpers/display_helper.rb index 354935f0354bb5e0088a9e66c07db609de5a4c30..f94d30e2e453adc68dd40d0437fed6a747fd5d14 100644 --- a/features/support/helpers/display_helper.rb +++ b/features/support/helpers/display_helper.rb @@ -6,8 +6,22 @@ class Display @x_display = x_display end + def active? + p = IO.popen(["xprop", "-display", @x_display, + "-name", "#{@domain} (1) - Virt Viewer", + :err => ["/dev/null", "w"]]) + Process.wait(p.pid) + $?.success? + end + def start - start_virtviewer(@domain) + @virtviewer = IO.popen(["virt-viewer", "--direct", + "--full-screen", + "--reconnect", + "--connect", "qemu:///system", + "--display", @x_display, + @domain, + :err => ["/dev/null", "w"]]) # We wait for the display to be active to not lose actions # (e.g. key presses via sikuli) that come immediately after # starting (or restoring) a vm @@ -17,35 +31,13 @@ class Display end def stop - stop_virtviewer + Process.kill("TERM", @virtviewer.pid) + @virtviewer.close end def restart - stop_virtviewer - start_virtviewer(@domain) - end - - def start_virtviewer(domain) - # virt-viewer forks, so we cannot (easily) get the child pid - # and use it in active? and stop_virtviewer below... - IO.popen(["virt-viewer", "-d", - "-f", - "-r", - "-c", "qemu:///system", - ["--display=", @x_display].join(''), - domain, - "&"].join(' ')) + stop + start end - def active? - p = IO.popen("xprop -display #{@x_display} " + - "-name '#{@domain} (1) - Virt Viewer' 2>/dev/null") - Process.wait(p.pid) - p.close - $? == 0 - end - - def stop_virtviewer - system("killall virt-viewer") - end end diff --git a/features/support/helpers/exec_helper.rb b/features/support/helpers/exec_helper.rb index b0d3a9cdb6c53a731953da44e0a5bea5b8691509..838a8a07ace3ce87b2e3e1cd4724bf8340120ccd 100644 --- a/features/support/helpers/exec_helper.rb +++ b/features/support/helpers/exec_helper.rb @@ -11,12 +11,10 @@ class VMCommand end def VMCommand.wait_until_remote_shell_is_up(vm, timeout = 30) - begin - Timeout::timeout(timeout) do - VMCommand.execute(vm, "true", { :user => "root", :spawn => false }) + try_for(timeout, :msg => "Remote shell seems to be down") do + Timeout::timeout(3) do + VMCommand.execute(vm, "echo 'hello?'") end - rescue Timeout::Error - raise "Remote shell seems to be down" end end @@ -34,14 +32,14 @@ class VMCommand options[:spawn] ||= false type = options[:spawn] ? "spawn" : "call" socket = TCPSocket.new("127.0.0.1", vm.get_remote_shell_port) - STDERR.puts "#{type}ing as #{options[:user]}: #{cmd}" if $debug + STDERR.puts "#{type}ing as #{options[:user]}: #{cmd}" if $config["DEBUG"] begin socket.puts(JSON.dump([type, options[:user], cmd])) s = socket.readline(sep = "\0").chomp("\0") ensure socket.close end - STDERR.puts "#{type} returned: #{s}" if $debug + STDERR.puts "#{type} returned: #{s}" if $config["DEBUG"] begin return JSON.load(s) rescue JSON::ParserError @@ -58,4 +56,12 @@ class VMCommand return @returncode == 0 end + def to_s + "Return status: #{@returncode}\n" + + "STDOUT:\n" + + @stdout + + "STDERR:\n" + + @stderr + end + end diff --git a/features/support/helpers/firewall_helper.rb b/features/support/helpers/firewall_helper.rb index 400965a51b6dc0b7eeb1179f3ec2e16e8c305277..04e68531a1fec3734459d2433f667be59ffef6c2 100644 --- a/features/support/helpers/firewall_helper.rb +++ b/features/support/helpers/firewall_helper.rb @@ -36,9 +36,9 @@ end class FirewallLeakCheck attr_reader :ipv4_tcp_leaks, :ipv4_nontcp_leaks, :ipv6_leaks, :nonip_leaks - def initialize(pcap_file, tor_relays) - packets = PacketFu::PcapFile.new.file_to_array(:filename => pcap_file) - @tor_relays = tor_relays + def initialize(pcap_file, hosts) + @pcap_file = pcap_file + packets = PacketFu::PcapFile.new.file_to_array(:filename => @pcap_file) ipv4_tcp_packets = [] ipv4_nontcp_packets = [] ipv6_packets = [] @@ -58,13 +58,19 @@ class FirewallLeakCheck end end ipv4_tcp_hosts = get_public_hosts_from_ippackets ipv4_tcp_packets - tor_nodes = Set.new(get_all_tor_contacts) - @ipv4_tcp_leaks = ipv4_tcp_hosts.select{|host| !tor_nodes.member?(host)} + accepted = Set.new(hosts) + @ipv4_tcp_leaks = ipv4_tcp_hosts.select { |host| !accepted.member?(host) } @ipv4_nontcp_leaks = get_public_hosts_from_ippackets ipv4_nontcp_packets @ipv6_leaks = get_public_hosts_from_ippackets ipv6_packets @nonip_leaks = nonip_packets end + def save_pcap_file + pcap_copy = "#{@pcap_file}-#{DateTime.now}" + FileUtils.cp(@pcap_file, pcap_copy) + puts "Full network capture available at: #{pcap_copy}" + end + # Returns a list of all unique non-LAN destination IP addresses # found in `packets`. def get_public_hosts_from_ippackets(packets) @@ -87,14 +93,27 @@ class FirewallLeakCheck hosts.uniq end - # Returns an array of all Tor relays and authorities, i.e. all - # Internet hosts Tails ever should contact. - def get_all_tor_contacts - @tor_relays + $tor_authorities - end - - def empty? - @ipv4_tcp_leaks.empty? and @ipv4_nontcp_leaks.empty? and @ipv6_leaks.empty? and @nonip_leaks.empty? + def assert_no_leaks + err = "" + if !@ipv4_tcp_leaks.empty? + err += "The following IPv4 TCP non-Tor Internet hosts were " + + "contacted:\n" + ipv4_tcp_leaks.join("\n") + end + if !@ipv4_nontcp_leaks.empty? + err += "The following IPv4 non-TCP Internet hosts were contacted:\n" + + ipv4_nontcp_leaks.join("\n") + end + if !@ipv6_leaks.empty? + err += "The following IPv6 Internet hosts were contacted:\n" + + ipv6_leaks.join("\n") + end + if !@nonip_leaks.empty? + err += "Some non-IP packets were sent\n" + end + if !err.empty? + save_pcap_file + raise err + end end end diff --git a/features/support/helpers/misc_helpers.rb b/features/support/helpers/misc_helpers.rb index 9b015b058df8cb7b7ffa28391030f232d4383fd6..a1ec6fc921ff35acc8e2915aaeca1020fb34f22e 100644 --- a/features/support/helpers/misc_helpers.rb +++ b/features/support/helpers/misc_helpers.rb @@ -12,36 +12,58 @@ def assert_vmcommand_success(p, msg = nil) msg) end -# Call block (ignoring any exceptions it may throw) repeatedly with one -# second breaks until it returns true, or until `t` seconds have -# passed when we throw Timeout::Error. As a precondition, the code -# block cannot throw Timeout::Error. -def try_for(t, options = {}) +# It's forbidden to throw this exception (or subclasses) in anything +# but try_for() below. Just don't use it anywhere else! +class UniqueTryForTimeoutError < Exception +end + +# Call block (ignoring any exceptions it may throw) repeatedly with +# one second breaks until it returns true, or until `timeout` seconds have +# passed when we throw a Timeout::Error exception. +def try_for(timeout, options = {}) options[:delay] ||= 1 - begin - Timeout::timeout(t) do - loop do - begin - return true if yield - rescue Timeout::Error => e - if options[:msg] - raise RuntimeError, options[:msg], caller - else - raise e - end - rescue Exception - # noop - end - sleep options[:delay] + # Create a unique exception used only for this particular try_for + # call's Timeout to allow nested try_for:s. If we used the same one, + # the innermost try_for would catch all outer ones', creating a + # really strange situation. + unique_timeout_exception = Class.new(UniqueTryForTimeoutError) + Timeout::timeout(timeout, unique_timeout_exception) do + loop do + begin + return if yield + rescue NameError, UniqueTryForTimeoutError => e + # NameError most likely means typos, and hiding that is rarely + # (never?) a good idea, so we rethrow them. See below why we + # also rethrow *all* the unique exceptions. + raise e + rescue Exception + # All other exceptions are ignored while trying the block. end - end - rescue Timeout::Error => e - if options[:msg] - raise RuntimeError, options[:msg], caller - else - raise e + sleep options[:delay] end end + # At this point the block above either succeeded and we'll return, + # or we are throwing an exception. If the latter, we either have a + # NameError that we'll not catch (and will any try_for below us in + # the stack), or we have a unique exception. That can mean one of + # two things: + # 1. it's the one unique to this try_for, and in that case we'll + # catch it, rethrowing it as something that will be ignored by + # inside the blocks of all try_for:s below us in the stack. + # 2. it's an exception unique to another try_for. Assuming that we + # do not throw the unique exceptions in any other place or way + # than we do it in this function, this means that there is a + # try_for below us in the stack to which this exception must be + # unique to. + # Let 1 be the base step, and 2 the inductive step, and we sort of + # an inductive proof for the correctness of try_for when it's + # nested. It shows that for an infinite stack of try_for:s, any of + # the unique exceptions will be caught only by the try_for instance + # it is unique to, and all try_for:s in between will ignore it so it + # ends up there immediately. +rescue unique_timeout_exception => e + msg = options[:msg] || 'try_for() timeout expired' + raise Timeout::Error.new(msg) end def wait_until_tor_is_working @@ -79,7 +101,12 @@ def convert_from_bytes(size, unit) end def cmd_helper(cmd) - IO.popen(cmd + " 2>&1") do |p| + if cmd.instance_of?(Array) + cmd << {:err => [:child, :out]} + elsif cmd.instance_of?(String) + cmd += " 2>&1" + end + IO.popen(cmd) do |p| out = p.readlines.join("\n") p.close ret = $? @@ -88,34 +115,40 @@ def cmd_helper(cmd) end end -def tails_iso_creation_date(path) - label = cmd_helper("/sbin/blkid -p -s LABEL -o value #{path}") - assert(label[/^TAILS \d+(\.\d+)+(~rc\d+)? - \d+$/], - "Got invalid label '#{label}' from Tails image '#{path}'") - return label[/\d+$/] -end - -def sort_isos_by_creation_date - Dir.glob("#{Dir.pwd}/*.iso").sort_by {|f| tails_iso_creation_date(f)} +# This command will grab all router IP addresses from the Tor +# consensus in the VM + the hardcoded TOR_AUTHORITIES. +def get_all_tor_nodes + cmd = 'awk "/^r/ { print \$6 }" /var/lib/tor/cached-microdesc-consensus' + @vm.execute(cmd).stdout.chomp.split("\n") + TOR_AUTHORITIES end -def get_newest_iso - return sort_isos_by_creation_date.last +def get_free_space(machine, path) + case machine + when 'host' + assert(File.exists?(path), "Path '#{path}' not found on #{machine}.") + free = cmd_helper(["df", path]) + when 'guest' + assert(@vm.file_exist?(path), "Path '#{path}' not found on #{machine}.") + free = @vm.execute_successfully("df '#{path}'") + else + raise 'Unsupported machine type #{machine} passed.' + end + output = free.split("\n").last + return output.match(/[^\s]\s+[0-9]+\s+[0-9]+\s+([0-9]+)\s+.*/)[1].chomp.to_i end -def get_oldest_iso - return sort_isos_by_creation_date.first +def random_string_from_set(set, min_len, max_len) + len = (min_len..max_len).to_a.sample + len ||= min_len + (0..len-1).map { |n| set.sample }.join end -# This command will grab all router IP addresses from the Tor -# consensus in the VM. -def get_tor_relays - cmd = 'awk "/^r/ { print \$6 }" /var/lib/tor/cached-microdesc-consensus' - @vm.execute(cmd).stdout.chomp.split("\n") +def random_alpha_string(min_len, max_len = 0) + alpha_set = ('A'..'Z').to_a + ('a'..'z').to_a + random_string_from_set(alpha_set, min_len, max_len) end -def save_pcap_file - pcap_copy = "#{$tmp_dir}/pcap_with_leaks-#{DateTime.now}" - FileUtils.cp(@sniffer.pcap_file, pcap_copy) - puts "Full network capture available at: #{pcap_copy}" +def random_alnum_string(min_len, max_len = 0) + alnum_set = ('A'..'Z').to_a + ('a'..'z').to_a + (0..9).to_a.map { |n| n.to_s } + random_string_from_set(alnum_set, min_len, max_len) end diff --git a/features/support/helpers/sikuli_helper.rb b/features/support/helpers/sikuli_helper.rb index 4e8b784d075c58223c1a332070ba03a6e586e2d9..8bc54b65f58f510d3f3c51c029290d68616cae23 100644 --- a/features/support/helpers/sikuli_helper.rb +++ b/features/support/helpers/sikuli_helper.rb @@ -64,7 +64,7 @@ $_original_sikuli_screen_new ||= Sikuli::Screen.method :new def sikuli_script_proxy.new(*args) s = $_original_sikuli_screen_new.call(*args) - if $sikuli_retry_findfailed + if $config["SIKULI_RETRY_FINDFAILED"] # The usage of `_invoke()` below exemplifies how one can wrap # around Java objects' methods when they're imported using RJB. It # isn't pretty. The seconds argument is the parameter signature, @@ -104,6 +104,18 @@ def sikuli_script_proxy.new(*args) self.click(Sikuli::Location.new(x, y)) end + def s.doubleClick_point(x, y) + self.doubleClick(Sikuli::Location.new(x, y)) + end + + def s.click_mid_right_edge(pic) + r = self.find(pic) + top_right = r.getTopRight() + x = top_right.getX + y = top_right.getY + r.getH/2 + self.click_point(x, y) + end + def s.wait_and_click(pic, time) self.click(self.wait(pic, time)) end @@ -112,10 +124,43 @@ def sikuli_script_proxy.new(*args) self.doubleClick(self.wait(pic, time)) end + def s.wait_and_right_click(pic, time) + self.rightClick(self.wait(pic, time)) + end + def s.wait_and_hover(pic, time) self.hover(self.wait(pic, time)) end + def s.findAny(images) + images.each do |image| + begin + return [image, self.find(image)] + rescue FindFailed + # Ignore. We deal we'll throw an appropriate exception after + # having looped through all images and found none of them. + end + end + # If we've reached this point, none of the images could be found. + Rjb::throw('org.sikuli.script.FindFailed', + "can not find any of the images #{images} on the screen") + end + + def s.waitAny(images, time) + Timeout::timeout(time) do + loop do + begin + return self.findAny(images) + rescue FindFailed + # Ignore. We want to retry until we timeout. + end + end + end + rescue Timeout::Error + Rjb::throw('org.sikuli.script.FindFailed', + "can not find any of the images #{images} on the screen") + end + def s.hover_point(x, y) self.hover(Sikuli::Location.new(x, y)) end @@ -137,13 +182,13 @@ java.lang.System.setProperty("SIKULI_IMAGE_PATH", "#{Dir.pwd}/features/images/") # required, ruby's require method complains that the method for the # field accessor is missing. sikuli_settings = Sikuli::Settings.new -sikuli_settings.OcrDataPath = $tmp_dir +sikuli_settings.OcrDataPath = $config["TMPDIR"] # sikuli_ruby, which we used before, defaulted to 0.9 minimum # similarity, so all our current images are adapted to that value. # Also, Sikuli's default of 0.7 is simply too low (many false # positives). sikuli_settings.MinSimilarity = 0.9 -sikuli_settings.ActionLogs = $debug -sikuli_settings.DebugLogs = $debug -sikuli_settings.InfoLogs = $debug -sikuli_settings.ProfileLogs = $debug +sikuli_settings.ActionLogs = $config["DEBUG"] +sikuli_settings.DebugLogs = $config["DEBUG"] +sikuli_settings.InfoLogs = $config["DEBUG"] +sikuli_settings.ProfileLogs = $config["DEBUG"] diff --git a/features/support/helpers/net_helper.rb b/features/support/helpers/sniffing_helper.rb similarity index 66% rename from features/support/helpers/net_helper.rb rename to features/support/helpers/sniffing_helper.rb index 29119195da5a94610aeae65b432e3bf1a071b889..8381d19e820be50439f89524bd47f527b80c6c5f 100644 --- a/features/support/helpers/net_helper.rb +++ b/features/support/helpers/sniffing_helper.rb @@ -14,15 +14,15 @@ class Sniffer attr_reader :name, :pcap_file, :pid - def initialize(name, bridge_name) + def initialize(name, vmnet) @name = name - @bridge_name = bridge_name - @bridge_mac = File.open("/sys/class/net/#{@bridge_name}/address", "rb").read.chomp - @pcap_file = "#{$tmp_dir}/#{name}.pcap" + @vmnet = vmnet + @pcap_file = "#{$config["TMPDIR"]}/#{name}.pcap" end - def capture(filter="not ether src host #{@bridge_mac} and not ether proto \\arp and not ether proto \\rarp") - job = IO.popen("/usr/sbin/tcpdump -n -i #{@bridge_name} -w #{@pcap_file} -U '#{filter}' >/dev/null 2>&1") + def capture(filter="not ether src host #{@vmnet.bridge_mac} and not ether proto \\arp and not ether proto \\rarp") + job = IO.popen(["/usr/sbin/tcpdump", "-n", "-i", @vmnet.bridge_name, "-w", + @pcap_file, "-U", filter, :err => ["/dev/null", "w"]]) @pid = job.pid end diff --git a/features/support/helpers/storage_helper.rb b/features/support/helpers/storage_helper.rb index 80a1e1e09515f361c70012a743c0bf2ca14f11ab..9674fa7bb94b459faf083f4435e582437c298ba9 100644 --- a/features/support/helpers/storage_helper.rb +++ b/features/support/helpers/storage_helper.rb @@ -7,28 +7,27 @@ # sense. require 'libvirt' +require 'guestfs' require 'rexml/document' require 'etc' class VMStorage - @@virt = nil - def initialize(virt, xml_path) - @@virt ||= virt + @virt = virt @xml_path = xml_path pool_xml = REXML::Document.new(File.read("#{@xml_path}/storage_pool.xml")) pool_name = pool_xml.elements['pool/name'].text begin - @pool = @@virt.lookup_storage_pool_by_name(pool_name) + @pool = @virt.lookup_storage_pool_by_name(pool_name) rescue Libvirt::RetrieveError # There's no pool with that name, so we don't have to clear it else VMStorage.clear_storage_pool(@pool) end - @pool_path = "#{$tmp_dir}/#{pool_name}" + @pool_path = "#{$config["TMPDIR"]}/#{pool_name}" pool_xml.elements['pool/target/path'].text = @pool_path - @pool = @@virt.define_storage_pool_xml(pool_xml.to_s) + @pool = @virt.define_storage_pool_xml(pool_xml.to_s) @pool.build @pool.create @pool.refresh @@ -69,6 +68,15 @@ class VMStorage options[:size] ||= 2 options[:unit] ||= "GiB" options[:type] ||= "qcow2" + # Require 'slightly' more space to be available to give a bit more leeway + # with rounding, temp file creation, etc. + reserved = 500 + needed = convert_to_MiB(options[:size].to_i, options[:unit]) + avail = convert_to_MiB(get_free_space('host', @pool_path), "KiB") + assert(avail - reserved >= needed, + "Error creating disk \"#{name}\" in \"#{@pool_path}\". " \ + "Need #{needed} MiB but only #{avail} MiB is available of " \ + "which #{reserved} MiB is reserved for other temporary files.") begin old_vol = @pool.lookup_volume_by_name(name) rescue Libvirt::RetrieveError @@ -116,28 +124,70 @@ class VMStorage @pool.lookup_volume_by_name(name).path end - # We use parted for the disk_mk* functions since it can format - # partitions "inside" the super block device; mkfs.* need a - # partition device (think /dev/sdaX), so we'd have to use something - # like losetup or kpartx, which would require administrative - # privileges. These functions only work for raw disk images. - - # TODO: We should switch to guestfish/libguestfs (which has - # ruby-bindings) so we could use qcow2 instead of raw, and more - # easily use LVM volumes. - - # For type, see label-type for mklabel in parted(8) - def disk_mklabel(name, type) - assert_equal("raw", disk_format(name)) - path = disk_path(name) - cmd_helper("/sbin/parted -s '#{path}' mklabel #{type}") + def disk_mklabel(name, parttype) + disk = { + :path => disk_path(name), + :opts => { + :format => disk_format(name) + } + } + guestfs_disk_helper(disk) do |g, disk_handle| + g.part_init(disk_handle, parttype) + end + end + + def disk_mkpartfs(name, parttype, fstype, opts = {}) + opts[:label] ||= nil + opts[:luks_password] ||= nil + disk = { + :path => disk_path(name), + :opts => { + :format => disk_format(name) + } + } + guestfs_disk_helper(disk) do |g, disk_handle| + g.part_disk(disk_handle, parttype) + g.part_set_name(disk_handle, 1, opts[:label]) if opts[:label] + primary_partition = g.list_partitions()[0] + if opts[:luks_password] + g.luks_format(primary_partition, opts[:luks_password], 0) + luks_mapping = File.basename(primary_partition) + "_unlocked" + g.luks_open(primary_partition, opts[:luks_password], luks_mapping) + luks_dev = "/dev/mapper/#{luks_mapping}" + g.mkfs(fstype, luks_dev) + g.luks_close(luks_dev) + else + g.mkfs(fstype, primary_partition) + end + end end - # For fstype, see fs-type for mkfs in parted(8) - def disk_mkpartfs(name, fstype) - assert(disk_format(name), "raw") - path = disk_path(name) - cmd_helper("/sbin/parted -s '#{path}' mkpartfs primary '#{fstype}' 0% 100%") + def disk_mkswap(name, parttype) + disk = { + :path => disk_path(name), + :opts => { + :format => disk_format(name) + } + } + guestfs_disk_helper(disk) do |g, disk_handle| + g.part_disk(disk_handle, parttype) + primary_partition = g.list_partitions()[0] + g.mkswap(primary_partition) + end + end + + def guestfs_disk_helper(*disks) + assert(block_given?) + g = Guestfs::Guestfs.new() + g.set_trace(1) if $config["DEBUG"] + g.set_autosync(1) + disks.each do |disk| + g.add_drive_opts(disk[:path], disk[:opts]) + end + g.launch() + yield(g, *g.list_devices()) + ensure + g.close end end diff --git a/features/support/helpers/vm_helper.rb b/features/support/helpers/vm_helper.rb index 2b5ad291700fe7bf809d49d3b0e4f5970cbf49b2..7a9624a674332954014eb03f43235e9025c1f96b 100644 --- a/features/support/helpers/vm_helper.rb +++ b/features/support/helpers/vm_helper.rb @@ -1,77 +1,83 @@ require 'libvirt' require 'rexml/document' -class VM +class VMNet + + attr_reader :net_name, :net + + def initialize(virt, xml_path) + @virt = virt + net_xml = File.read("#{xml_path}/default_net.xml") + update(net_xml) + rescue Exception => e + destroy_and_undefine + raise e + end + + # We lookup by name so we also catch networks from previous test + # suite runs that weren't properly cleaned up (e.g. aborted). + def destroy_and_undefine + begin + old_net = @virt.lookup_network_by_name(@net_name) + old_net.destroy if old_net.active? + old_net.undefine + rescue + end + end - # These class attributes will be lazily initialized during the first - # instantiation: - # This is the libvirt connection, of which we only want one and - # which can persist for different VM instances (even in parallel) - @@virt = nil - # This is a storage helper that deals with volume manipulation. The - # storage it deals with persists across VMs, by necessity. - @@storage = nil + def update(xml) + net_xml = REXML::Document.new(xml) + @net_name = net_xml.elements['network/name'].text + destroy_and_undefine + @net = @virt.define_network_xml(xml) + @net.create + end - def VM.storage - return @@storage + def bridge_name + @net.bridge_name end - def storage - return @@storage + def bridge_mac + File.open("/sys/class/net/#{bridge_name}/address", "rb").read.chomp end - attr_reader :domain, :display, :ip, :net +end + - def initialize(xml_path, x_display) - @@virt ||= Libvirt::open("qemu:///system") +class VM + + attr_reader :domain, :display, :vmnet, :storage + + def initialize(virt, xml_path, vmnet, storage, x_display) + @virt = virt @xml_path = xml_path + @vmnet = vmnet + @storage = storage default_domain_xml = File.read("#{@xml_path}/default.xml") - update_domain(default_domain_xml) - default_net_xml = File.read("#{@xml_path}/default_net.xml") - update_net(default_net_xml) + update(default_domain_xml) @display = Display.new(@domain_name, x_display) - set_cdrom_boot($tails_iso) + set_cdrom_boot(TAILS_ISO) plug_network - # unlike the domain and net the storage pool should survive VM - # teardown (so a new instance can use e.g. a previously created - # USB drive), so we only create a new one if there is none. - @@storage ||= VMStorage.new(@@virt, xml_path) rescue Exception => e - clean_up_net - clean_up_domain + destroy_and_undefine raise e end - def update_domain(xml) + def update(xml) domain_xml = REXML::Document.new(xml) @domain_name = domain_xml.elements['domain/name'].text - clean_up_domain - @domain = @@virt.define_domain_xml(xml) - end - - def update_net(xml) - net_xml = REXML::Document.new(xml) - @net_name = net_xml.elements['network/name'].text - @ip = net_xml.elements['network/ip/dhcp/host/'].attributes['ip'] - clean_up_net - @net = @@virt.define_network_xml(xml) - @net.create + destroy_and_undefine + @domain = @virt.define_domain_xml(xml) end - def clean_up_domain + # We lookup by name so we also catch domains from previous test + # suite runs that weren't properly cleaned up (e.g. aborted). + def destroy_and_undefine + @display.stop if @display && @display.active? begin - domain = @@virt.lookup_domain_by_name(@domain_name) - domain.destroy if domain.active? - domain.undefine - rescue - end - end - - def clean_up_net - begin - net = @@virt.lookup_network_by_name(@net_name) - net.destroy if net.active? - net.undefine + old_domain = @virt.lookup_domain_by_name(@domain_name) + old_domain.destroy if old_domain.active? + old_domain.undefine rescue end end @@ -82,7 +88,7 @@ class VM if is_running? @domain.update_device(domain_xml.elements['domain/devices/interface'].to_s) else - update_domain(domain_xml.to_s) + update(domain_xml.to_s) end end @@ -102,7 +108,7 @@ class VM if is_running? @domain.update_device(e.to_s) else - update_domain(domain_xml.to_s) + update(domain_xml.to_s) end end end @@ -122,7 +128,7 @@ class VM end domain_xml = REXML::Document.new(@domain.xml_desc) domain_xml.elements['domain/os/boot'].attributes['dev'] = dev - update_domain(domain_xml.to_s) + update(domain_xml.to_s) end def set_cdrom_image(image) @@ -136,7 +142,7 @@ class VM if is_running? @domain.update_device(e.to_s, Libvirt::Domain::DEVICE_MODIFY_FORCE) else - update_domain(domain_xml.to_s) + update(domain_xml.to_s) end end end @@ -156,6 +162,15 @@ class VM end def plug_drive(name, type) + removable_usb = nil + case type + when "removable usb", "usb" + type = "usb" + removable_usb = "on" + when "non-removable usb" + type = "usb" + removable_usb = "off" + end # Get the next free /dev/sdX on guest used_devs = [] domain_xml = REXML::Document.new(@domain.xml_desc) @@ -171,20 +186,18 @@ class VM assert letter <= 'z' xml = REXML::Document.new(File.read("#{@xml_path}/disk.xml")) - xml.elements['disk/source'].attributes['file'] = @@storage.disk_path(name) - xml.elements['disk/driver'].attributes['type'] = @@storage.disk_format(name) + xml.elements['disk/source'].attributes['file'] = @storage.disk_path(name) + xml.elements['disk/driver'].attributes['type'] = @storage.disk_format(name) xml.elements['disk/target'].attributes['dev'] = dev xml.elements['disk/target'].attributes['bus'] = type - if type == "usb" - xml.elements['disk/target'].attributes['removable'] = 'on' - end + xml.elements['disk/target'].attributes['removable'] = removable_usb if removable_usb if is_running? @domain.attach_device(xml.to_s) else domain_xml = REXML::Document.new(@domain.xml_desc) domain_xml.elements['domain/devices'].add_element(xml) - update_domain(domain_xml.to_s) + update(domain_xml.to_s) end end @@ -192,7 +205,7 @@ class VM domain_xml = REXML::Document.new(@domain.xml_desc) domain_xml.elements.each('domain/devices/disk') do |e| begin - if e.elements['source'].attribute('file').to_s == @@storage.disk_path(name) + if e.elements['source'].attribute('file').to_s == @storage.disk_path(name) return e.to_s end rescue @@ -212,6 +225,10 @@ class VM return "/dev/" + xml.elements['disk/target'].attribute('dev').to_s end + def udisks_disk_dev(name) + return disk_dev(name).gsub('/dev/', '/org/freedesktop/UDisks/devices/') + end + def disk_detected?(name) return execute("test -b #{disk_dev(name)}").success? end @@ -233,12 +250,17 @@ class VM if is_running? raise "shares can only be added to inactice vms" end + # The complete source directory must be group readable by the user + # running the virtual machine, and world readable so the user inside + # the VM can access it (since we use the passthrough security model). + FileUtils.chown_R(nil, "libvirt-qemu", source) + FileUtils.chmod_R("go+rX", source) xml = REXML::Document.new(File.read("#{@xml_path}/fs_share.xml")) xml.elements['filesystem/source'].attributes['dir'] = source xml.elements['filesystem/target'].attributes['dir'] = tag domain_xml = REXML::Document.new(@domain.xml_desc) domain_xml.elements['domain/devices'].add_element(xml) - update_domain(domain_xml.to_s) + update(domain_xml.to_s) end def list_shares @@ -257,7 +279,7 @@ class VM domain_xml.elements['domain/memory'].attributes['unit'] = unit domain_xml.elements['domain/currentMemory'].text = size domain_xml.elements['domain/currentMemory'].attributes['unit'] = unit - update_domain(domain_xml.to_s) + update(domain_xml.to_s) end def get_ram_size_in_bytes @@ -271,21 +293,21 @@ class VM raise "System architecture can only be set to inactice vms" if is_running? domain_xml = REXML::Document.new(@domain.xml_desc) domain_xml.elements['domain/os/type'].attributes['arch'] = arch - update_domain(domain_xml.to_s) + update(domain_xml.to_s) end def add_hypervisor_feature(feature) raise "Hypervisor features can only be added to inactice vms" if is_running? domain_xml = REXML::Document.new(@domain.xml_desc) domain_xml.elements['domain/features'].add_element(feature) - update_domain(domain_xml.to_s) + update(domain_xml.to_s) end def drop_hypervisor_feature(feature) raise "Hypervisor features can only be fropped from inactice vms" if is_running? domain_xml = REXML::Document.new(@domain.xml_desc) domain_xml.elements['domain/features'].delete_element(feature) - update_domain(domain_xml.to_s) + update(domain_xml.to_s) end def disable_pae_workaround @@ -300,7 +322,7 @@ class VM EOF domain_xml = REXML::Document.new(@domain.xml_desc) domain_xml.elements['domain'].add_element(REXML::Document.new(xml)) - update_domain(domain_xml.to_s) + update(domain_xml.to_s) end def set_os_loader(type) @@ -312,7 +334,7 @@ EOF domain_xml.elements['domain/os'].add_element(REXML::Document.new( '<loader>/usr/share/ovmf/OVMF.fd</loader>' )) - update_domain(domain_xml.to_s) + update(domain_xml.to_s) else raise "unsupported OS loader type" end @@ -361,8 +383,18 @@ EOF return execute("pidof -x -o '%PPID' " + process).stdout.chomp.split end + def focus_window(window_title, user = LIVE_USER) + execute_successfully( + "xdotool search --name '#{window_title}' windowactivate --sync", user + ) + end + def file_exist?(file) - execute("test -e #{file}").success? + execute("test -e '#{file}'").success? + end + + def directory_exist?(directory) + execute("test -d '#{directory}'").success? end def file_content(file, user = 'root') @@ -374,6 +406,13 @@ EOF return cmd.stdout end + def file_append(file, line, user = 'root') + cmd = execute("echo '#{line}' >> '#{file}'", user) + assert(cmd.success?, + "Could not append to '#{file}':\n#{cmd.stdout}\n#{cmd.stderr}") + return cmd.stdout + end + def save_snapshot(path) @domain.save(path) @display.stop @@ -381,9 +420,9 @@ EOF def restore_snapshot(path) # Clean up current domain so its snapshot can be restored - clean_up_domain - Libvirt::Domain::restore(@@virt, path) - @domain = @@virt.lookup_domain_by_name(@domain_name) + destroy_and_undefine + Libvirt::Domain::restore(@virt, path) + @domain = @virt.lookup_domain_by_name(@domain_name) @display.start end @@ -394,9 +433,7 @@ EOF end def reset - # ruby-libvirt 0.4 does not support the reset method. - # XXX: Once we use Jessie, use @domain.reset instead. - system("virsh -c qemu:///system reset " + @domain_name) if is_running? + @domain.reset if is_running? end def power_off @@ -404,12 +441,6 @@ EOF @display.stop end - def destroy - clean_up_domain - clean_up_net - power_off - end - def take_screenshot(description) @display.take_screenshot(description) end diff --git a/features/support/hooks.rb b/features/support/hooks.rb index 2f2f98c188c38c1db3055a5ab5690ed0301dfd4a..add453abd6b57202ced6bfaaa7584854f2b8f6f7 100644 --- a/features/support/hooks.rb +++ b/features/support/hooks.rb @@ -14,42 +14,47 @@ rescue Errno::EACCES => e end def delete_all_snapshots - Dir.glob("#{$tmp_dir}/*.state").each do |snapshot| + Dir.glob("#{$config["TMPDIR"]}/*.state").each do |snapshot| delete_snapshot(snapshot) end end +def add_after_scenario_hook(&block) + @after_scenario_hooks ||= Array.new + @after_scenario_hooks << block +end + BeforeFeature('@product') do |feature| - if File.exist?($tmp_dir) - if !File.directory?($tmp_dir) - raise "Temporary directory '#{$tmp_dir}' exists but is not a " + + if File.exist?($config["TMPDIR"]) + if !File.directory?($config["TMPDIR"]) + raise "Temporary directory '#{$config["TMPDIR"]}' exists but is not a " + "directory" end - if !File.owned?($tmp_dir) - raise "Temporary directory '#{$tmp_dir}' must be owned by the " + + if !File.owned?($config["TMPDIR"]) + raise "Temporary directory '#{$config["TMPDIR"]}' must be owned by the " + "current user" end - FileUtils.chmod(0755, $tmp_dir) + FileUtils.chmod(0755, $config["TMPDIR"]) else begin - Dir.mkdir($tmp_dir) + Dir.mkdir($config["TMPDIR"]) rescue Errno::EACCES => e raise "Cannot create temporary directory: #{e.to_s}" end end - delete_all_snapshots if !$keep_snapshots - if $tails_iso.nil? + delete_all_snapshots if !KEEP_SNAPSHOTS + if TAILS_ISO.nil? raise "No Tails ISO image specified, and none could be found in the " + "current directory" end - if File.exist?($tails_iso) + if File.exist?(TAILS_ISO) # Workaround: when libvirt takes ownership of the ISO image it may # become unreadable for the live user inside the guest in the # host-to-guest share used for some tests. - if !File.world_readable?($tails_iso) - if File.owned?($tails_iso) - File.chmod(0644, $tails_iso) + if !File.world_readable?(TAILS_ISO) + if File.owned?(TAILS_ISO) + File.chmod(0644, TAILS_ISO) else raise "warning: the Tails ISO image must be world readable or be " + "owned by the current user to be available inside the guest " + @@ -57,30 +62,35 @@ BeforeFeature('@product') do |feature| end end else - raise "The specified Tails ISO image '#{$tails_iso}' does not exist" + raise "The specified Tails ISO image '#{TAILS_ISO}' does not exist" end - puts "Testing ISO image: #{File.basename($tails_iso)}" + puts "Testing ISO image: #{File.basename(TAILS_ISO)}" base = File.basename(feature.file, ".feature").to_s - $background_snapshot = "#{$tmp_dir}/#{base}_background.state" + $background_snapshot = "#{$config["TMPDIR"]}/#{base}_background.state" + $virt = Libvirt::open("qemu:///system") + $vmnet = VMNet.new($virt, VM_XML_PATH) + $vmstorage = VMStorage.new($virt, VM_XML_PATH) end AfterFeature('@product') do - delete_snapshot($background_snapshot) if !$keep_snapshots - VM.storage.clear_volumes if VM.storage + delete_snapshot($background_snapshot) if !KEEP_SNAPSHOTS + $vmstorage.clear_pool + $vmnet.destroy_and_undefine + $virt.close end BeforeFeature('@product', '@old_iso') do - if $old_tails_iso.nil? + if OLD_TAILS_ISO.nil? raise "No old Tails ISO image specified, and none could be found in the " + "current directory" end - if !File.exist?($old_tails_iso) - raise "The specified old Tails ISO image '#{$old_tails_iso}' does not exist" + if !File.exist?(OLD_TAILS_ISO) + raise "The specified old Tails ISO image '#{OLD_TAILS_ISO}' does not exist" end - if $tails_iso == $old_tails_iso + if TAILS_ISO == OLD_TAILS_ISO raise "The old Tails ISO is the same as the Tails ISO we're testing" end - puts "Using old ISO image: #{File.basename($old_tails_iso)}" + puts "Using old ISO image: #{File.basename(OLD_TAILS_ISO)}" end # BeforeScenario @@ -92,37 +102,56 @@ Before('@product') do @skip_steps_while_restoring_background = false end @theme = "gnome" + # English will be assumed if this is not overridden + @language = "" @os_loader = "MBR" end # AfterScenario After('@product') do |scenario| if (scenario.status != :passed) - time_of_fail = Time.now - $time_at_start + time_of_fail = Time.now - TIME_AT_START secs = "%02d" % (time_of_fail % 60) mins = "%02d" % ((time_of_fail / 60) % 60) hrs = "%02d" % (time_of_fail / (60*60)) STDERR.puts "Scenario failed at time #{hrs}:#{mins}:#{secs}" base = File.basename(scenario.feature.file, ".feature").to_s tmp = @screen.capture.getFilename - out = "#{$tmp_dir}/#{base}-#{DateTime.now}.png" + out = "#{$config["TMPDIR"]}/#{base}-#{DateTime.now}.png" FileUtils.mv(tmp, out) STDERR.puts("Took screenshot \"#{out}\"") - if $pause_on_fail + if $config["PAUSE_ON_FAIL"] STDERR.puts "" STDERR.puts "Press ENTER to continue running the test suite" STDIN.gets end end - if @sniffer - @sniffer.stop - @sniffer.clear - end - @vm.destroy if @vm + @vm.destroy_and_undefine if @vm end After('@product', '~@keep_volumes') do - VM.storage.clear_volumes + $vmstorage.clear_volumes +end + +Before('@product', '@check_tor_leaks') do |scenario| + feature_file_name = File.basename(scenario.feature.file, ".feature").to_s + @tor_leaks_sniffer = Sniffer.new(feature_file_name + "_sniffer", $vmnet) + @tor_leaks_sniffer.capture +end + +After('@product', '@check_tor_leaks') do |scenario| + @tor_leaks_sniffer.stop + if (scenario.status == :passed) + if @bridge_hosts.nil? + expected_tor_nodes = get_all_tor_nodes + else + expected_tor_nodes = @bridge_hosts + end + leaks = FirewallLeakCheck.new(@tor_leaks_sniffer.pcap_file, + expected_tor_nodes) + leaks.assert_no_leaks + end + @tor_leaks_sniffer.clear end # For @source tests @@ -141,16 +170,21 @@ After('@source') do FileUtils.remove_entry_secure @git_clone end - # Common ######## +After do + if @after_scenario_hooks + @after_scenario_hooks.each { |block| block.call } + end + @after_scenario_hooks = Array.new +end + BeforeFeature('@product', '@source') do |feature| raise "Feature #{feature.file} is tagged both @product and @source, " + "which is an impossible combination" end at_exit do - delete_all_snapshots if !$keep_snapshots - VM.storage.clear_pool if VM.storage + delete_all_snapshots if !KEEP_SNAPSHOTS end diff --git a/features/time_syncing.feature b/features/time_syncing.feature index a32d5a70f4e088dd27f6f779af5c986939290094..9b979607d195669fb7051a2104fa7a310170d5ef 100644 --- a/features/time_syncing.feature +++ b/features/time_syncing.feature @@ -1,4 +1,4 @@ -@product +@product @check_tor_leaks Feature: Time syncing As a Tails user I want Tor to work properly @@ -39,3 +39,53 @@ Feature: Time syncing Then Tails clock is less than 5 minutes incorrect # Scenario: Clock vs Tor consensus' valid-{after,until} etc. + + Scenario: Create a new snapshot to the same state (w.r.t. Sikuli steps) as the Background except we're now in bridge mode + Given a computer + And the network is unplugged + And I start the computer + And the computer boots Tails + And I enable more Tails Greeter options + And I enable the specific Tor configuration option + And I log in to a new session + And the Tails desktop is ready + And I save the state so the background can be restored next scenario + + Scenario: Clock with host's time in bridge mode + When the network is plugged + And the Tor Launcher autostarts + And I configure some Bridge pluggable transports in Tor Launcher + And Tor is ready + Then Tails clock is less than 5 minutes incorrect + + Scenario: Clock is one day in the past in bridge mode + When I bump the system time with "-1 day" + And the network is plugged + And the Tor Launcher autostarts + And I configure some Bridge pluggable transports in Tor Launcher + And Tor is ready + Then Tails clock is less than 5 minutes incorrect + + Scenario: Clock way in the past in bridge mode + When I set the system time to "01 Jan 2000 12:34:56" + And the network is plugged + And the Tor Launcher autostarts + And I configure some Bridge pluggable transports in Tor Launcher + And Tor is ready + Then Tails clock is less than 5 minutes incorrect + + Scenario: Clock is one day in the future in bridge mode + When I bump the system time with "+1 day" + And the network is plugged + And the Tor Launcher autostarts + And I configure some Bridge pluggable transports in Tor Launcher + And Tor is ready + Then Tails clock is less than 5 minutes incorrect + + Scenario: Clock way in the future in bridge mode + When I set the system time to "01 Jan 2020 12:34:56" + And the network is plugged + And the Tor Launcher autostarts + And I configure some Bridge pluggable transports in Tor Launcher + And Tor is ready + Then Tails clock is less than 5 minutes incorrect diff --git a/features/tor_bridges.feature b/features/tor_bridges.feature new file mode 100644 index 0000000000000000000000000000000000000000..c52b18cce69f80138864f4c4ae86b23f422c0af2 --- /dev/null +++ b/features/tor_bridges.feature @@ -0,0 +1,52 @@ +@product +Feature: Using Tails with Tor pluggable transports + As a Tails user + I want to circumvent censorship of Tor by using Tor pluggable transports + And avoid connecting directly to the Tor Network + + Background: + Given a computer + And the network is unplugged + And I start the computer + And the computer boots Tails + And I enable more Tails Greeter options + And I enable the specific Tor configuration option + And I log in to a new session + And the Tails desktop is ready + And I save the state so the background can be restored next scenario + + Scenario: Using bridges + Given I capture all network traffic + When the network is plugged + And the Tor Launcher autostarts + And I configure some Bridge pluggable transports in Tor Launcher + Then Tor is ready + And available upgrades have been checked + And all Internet traffic has only flowed through the configured pluggable transports + + Scenario: Using obfs2 pluggable transports + Given I capture all network traffic + When the network is plugged + And the Tor Launcher autostarts + And I configure some obfs2 pluggable transports in Tor Launcher + Then Tor is ready + And available upgrades have been checked + And all Internet traffic has only flowed through the configured pluggable transports + + Scenario: Using obfs3 pluggable transports + Given I capture all network traffic + When the network is plugged + And the Tor Launcher autostarts + And I configure some obfs3 pluggable transports in Tor Launcher + Then Tor is ready + And available upgrades have been checked + And all Internet traffic has only flowed through the configured pluggable transports + + Scenario: Using obfs4 pluggable transports + Given I capture all network traffic + When the network is plugged + And the Tor Launcher autostarts + And I configure some obfs4 pluggable transports in Tor Launcher + Then Tor is ready + And available upgrades have been checked + And all Internet traffic has only flowed through the configured pluggable transports diff --git a/features/tor_enforcement.feature b/features/tor_enforcement.feature new file mode 100644 index 0000000000000000000000000000000000000000..810d8b32c15ccaf6820057ef55f9836f00feb5e6 --- /dev/null +++ b/features/tor_enforcement.feature @@ -0,0 +1,75 @@ +@product +Feature: The Tor enforcement is effective + As a Tails user + I want all direct Internet connections I do by mistake or applications do by misconfiguration or buggy leaks to be blocked + And as a Tails developer + I want to ensure that the automated test suite detects firewall leaks reliably + + Background: + Given a computer + When I start Tails from DVD and I login + And I save the state so the background can be restored next scenario + + Scenario: Tails' Tor binary is configured to use the expected Tor authorities + Then the Tor binary is configured to use the expected Tor authorities + + Scenario: The firewall configuration is very restrictive + Then the firewall's policy is to drop all IPv4 traffic + And the firewall is configured to only allow the clearnet and debian-tor users to connect directly to the Internet over IPv4 + And the firewall's NAT rules only redirect traffic for Tor's TransPort and DNSPort + And the firewall is configured to block all IPv6 traffic + + Scenario: Anti test: Detecting IPv4 TCP leaks from the Unsafe Browser with the firewall leak detector + Given I capture all network traffic + When I successfully start the Unsafe Browser + And I open the address "https://check.torproject.org" in the Unsafe Browser + And I see "UnsafeBrowserTorCheckFail.png" after at most 60 seconds + Then the firewall leak detector has detected IPv4 TCP leaks + + Scenario: Anti test: Detecting IPv4 TCP leaks of TCP DNS lookups with the firewall leak detector + Given I capture all network traffic + And I disable Tails' firewall + When I do a TCP DNS lookup of "torproject.org" + Then the firewall leak detector has detected IPv4 TCP leaks + + Scenario: Anti test: Detecting IPv4 non-TCP leaks (UDP) of UDP DNS lookups with the firewall leak detector + Given I capture all network traffic + And I disable Tails' firewall + When I do a UDP DNS lookup of "torproject.org" + Then the firewall leak detector has detected IPv4 non-TCP leaks + + Scenario: Anti test: Detecting IPv4 non-TCP (ICMP) leaks of ping with the firewall leak detector + Given I capture all network traffic + And I disable Tails' firewall + When I send some ICMP pings + Then the firewall leak detector has detected IPv4 non-TCP leaks + + @check_tor_leaks + Scenario: The Tor enforcement is effective at blocking untorified TCP connection attempts + When I open an untorified TCP connections to 1.2.3.4 on port 42 that is expected to fail + Then the untorified connection fails + And the untorified connection is logged as dropped by the firewall + + @check_tor_leaks + Scenario: The Tor enforcement is effective at blocking untorified UDP connection attempts + When I open an untorified UDP connections to 1.2.3.4 on port 42 that is expected to fail + Then the untorified connection fails + And the untorified connection is logged as dropped by the firewall + + @check_tor_leaks + Scenario: The Tor enforcement is effective at blocking untorified ICMP connection attempts + When I open an untorified ICMP connections to 1.2.3.4 that is expected to fail + Then the untorified connection fails + And the untorified connection is logged as dropped by the firewall + + Scenario: The system DNS is always set up to use Tor's DNSPort + Given a computer + And the network is unplugged + And I start the computer + And the computer boots Tails + And I log in to a new session + And the Tails desktop is ready + And the system DNS is using the local DNS resolver + And the network is plugged + And Tor is ready + Then the system DNS is still using the local DNS resolver diff --git a/features/tor_stream_isolation.feature b/features/tor_stream_isolation.feature new file mode 100644 index 0000000000000000000000000000000000000000..345888a8768599192b105fb29c462b271e0db310 --- /dev/null +++ b/features/tor_stream_isolation.feature @@ -0,0 +1,60 @@ +@product @check_tor_leaks +Feature: Tor stream isolation is effective + As a Tails user + I want my Torified sessions to be sensibly isolated from each other to prevent identity correlation + + Background: + Given a computer + When I start Tails from DVD and I login + And I save the state so the background can be restored next scenario + + Scenario: tails-security-check is using the Tails-specific SocksPort + When I monitor the network connections of tails-security-check + And I re-run tails-security-check + Then I see that tails-security-check is properly stream isolated + + Scenario: htpdate is using the Tails-specific SocksPort + When I monitor the network connections of htpdate + And I re-run htpdate + Then I see that htpdate is properly stream isolated + + Scenario: tails-upgrade-frontend-wrapper is using the Tails-specific SocksPort + When I monitor the network connections of tails-upgrade-frontend-wrapper + And I re-run tails-upgrade-frontend-wrapper + Then I see that tails-upgrade-frontend-wrapper is properly stream isolated + + Scenario: The Tor Browser is using the web browser-specific SocksPort + When I monitor the network connections of Tor Browser + And I start the Tor Browser + And the Tor Browser has started and loaded the startup page + Then I see that Tor Browser is properly stream isolated + + Scenario: Gobby is using the default SocksPort + When I monitor the network connections of Gobby + And I start "Gobby" via the GNOME "Internet" applications menu + And I connect Gobby to "gobby.debian.org" + Then I see that Gobby is properly stream isolated + + Scenario: SSH is using the default SocksPort + When I monitor the network connections of SSH + And I run "ssh lizard.tails.boum.org" in GNOME Terminal + And I see "SSHAuthVerification.png" after at most 60 seconds + Then I see that SSH is properly stream isolated + + Scenario: whois lookups use the default SocksPort + When I monitor the network connections of whois + And I query the whois directory service for "boum.org" + And the whois command is successful + Then I see that whois is properly stream isolated + + Scenario: Explicitly torify-wrapped applications are using the default SocksPort + When I monitor the network connections of Gobby + And I run "torify /usr/bin/gobby-0.5" in GNOME Terminal + And I connect Gobby to "gobby.debian.org" + Then I see that Gobby is properly stream isolated + + Scenario: Explicitly torsocks-wrapped applications are using the default SocksPort + When I monitor the network connections of Gobby + And I run "torsocks /usr/bin/gobby-0.5" in GNOME Terminal + And I connect Gobby to "gobby.debian.org" + Then I see that Gobby is properly stream isolated diff --git a/features/torified_browsing.feature b/features/torified_browsing.feature index cc9ddf1a1c8cee02ef36eacb7b0893a511a31e7a..0fef590ea9a61d01befa9848144e4adf30a65880 100644 --- a/features/torified_browsing.feature +++ b/features/torified_browsing.feature @@ -6,30 +6,80 @@ Feature: Browsing the web using the Tor Browser Background: Given a computer - And I capture all network traffic And I start the computer And the computer boots Tails And I log in to a new session - And GNOME has started + And the Tails desktop is ready And Tor is ready And available upgrades have been checked And all notifications have disappeared And I save the state so the background can be restored next scenario + Scenario: The Tor Browser directory is usable + Then the amnesiac Tor Browser directory exists + And there is a GNOME bookmark for the amnesiac Tor Browser directory + And the persistent Tor Browser directory does not exist + When I start the Tor Browser + And the Tor Browser has started and loaded the startup page + Then I can save the current page as "index.html" to the default downloads directory + And I can print the current page as "output.pdf" to the default downloads directory + + @check_tor_leaks + Scenario: Importing an OpenPGP key from a website + When I start the Tor Browser + And the Tor Browser has started and loaded the startup page + And I open the address "https://tails.boum.org/tails-signing.key" in the Tor Browser + Then I see "OpenWithImportKey.png" after at most 20 seconds + When I accept to import the key with Seahorse + Then I see "KeyImportedNotification.png" after at most 10 seconds + + @check_tor_leaks + Scenario: Playing HTML5 audio + When I start the Tor Browser + And the Tor Browser has started and loaded the startup page + And no application is playing audio + And I open the address "http://www.terrillthompson.com/tests/html5-audio.html" in the Tor Browser + And I click the HTML5 play button + And 1 application is playing audio after 10 seconds + + @check_tor_leaks + Scenario: Watching a WebM video + When I start the Tor Browser + And the Tor Browser has started and loaded the startup page + And I open the address "https://webm.html5.org/test.webm" in the Tor Browser + And I click the blocked video icon + And I see "TorBrowserNoScriptTemporarilyAllowDialog.png" after at most 10 seconds + And I accept to temporarily allow playing this video + Then I see "TorBrowserSampleRemoteWebMVideoFrame.png" after at most 180 seconds + + Scenario: I can view a file stored in "~/Tor Browser" but not in ~/.gnupg + Given I copy "/usr/share/synaptic/html/index.html" to "/home/amnesia/Tor Browser/synaptic.html" as user "amnesia" + And I copy "/usr/share/synaptic/html/index.html" to "/home/amnesia/.gnupg/synaptic.html" as user "amnesia" + And I start the Tor Browser + And the Tor Browser has started and loaded the startup page + When I open the address "file:///home/amnesia/Tor Browser/synaptic.html" in the Tor Browser + Then I see "TorBrowserSynapticManual.png" after at most 10 seconds + When I open the address "file:///home/amnesia/.gnupg/synaptic.html" in the Tor Browser + Then I see "TorBrowserUnableToOpen.png" after at most 10 seconds + + Scenario: The "Tails documentation" link on the Desktop works + When I double-click on the "Tails documentation" link on the Desktop + Then the Tor Browser has started + And I see "TailsOfflineDocHomepage.png" after at most 10 seconds + Scenario: The Tor Browser uses TBB's shared libraries When I start the Tor Browser And the Tor Browser has started Then the Tor Browser uses all expected TBB shared libraries + @check_tor_leaks Scenario: Opening check.torproject.org in the Tor Browser shows the green onion and the congratulations message When I start the Tor Browser And the Tor Browser has started and loaded the startup page And I open the address "https://check.torproject.org" in the Tor Browser Then I see "TorBrowserTorCheck.png" after at most 180 seconds - And all Internet traffic has only flowed through Tor Scenario: The Tor Browser should not have any plugins enabled When I start the Tor Browser And the Tor Browser has started and loaded the startup page - And I open the address "about:plugins" in the Tor Browser - Then I see "TorBrowserNoPlugins.png" after at most 60 seconds + Then the Tor Browser has no plugins installed diff --git a/features/torified_git.feature b/features/torified_git.feature new file mode 100644 index 0000000000000000000000000000000000000000..cdbecb14c98c0410aa75bd34719cc21ed6342e03 --- /dev/null +++ b/features/torified_git.feature @@ -0,0 +1,36 @@ +@product @check_tor_leaks +Feature: Cloning a Git repository + As a Tails user + when I clone a Git repository + all Internet traffic should flow only through Tor + + Background: + Given a computer + And I start the computer + And the computer boots Tails + And I log in to a new session + And the Tails desktop is ready + And Tor is ready + And available upgrades have been checked + And all notifications have disappeared + And I save the state so the background can be restored next scenario + + Scenario: Cloning a Git repository anonymously over HTTPS + When I run "git clone https://git-tails.immerda.ch/myprivatekeyispublic/testing" in GNOME Terminal + Then process "git" is running within 10 seconds + And process "git" has stopped running after at most 180 seconds + And the Git repository "testing" has been cloned successfully + + Scenario: Cloning a Git repository anonymously over the Git protocol + When I run "git clone git://git.tails.boum.org/myprivatekeyispublic/testing" in GNOME Terminal + Then process "git" is running within 10 seconds + And process "git" has stopped running after at most 180 seconds + And the Git repository "testing" has been cloned successfully + + Scenario: Cloning git repository over SSH + Given I have the SSH key pair for a Git repository + When I run "git clone tails@git.tails.boum.org:myprivatekeyispublic/testing" in GNOME Terminal + Then process "git" is running within 10 seconds + When I verify the SSH fingerprint for the Git repository + And process "git" has stopped running after at most 180 seconds + Then the Git repository "testing" has been cloned successfully diff --git a/features/torified_gnupg.feature b/features/torified_gnupg.feature index a582068131c91af575f9b5f18b77af7ec7d84854..527243924573652a2aa09aa9254fa4e577cafc1f 100644 --- a/features/torified_gnupg.feature +++ b/features/torified_gnupg.feature @@ -1,4 +1,4 @@ -@product +@product @check_tor_leaks Feature: Keyserver interaction with GnuPG As a Tails user when I interact with keyservers using various GnuPG tools @@ -7,11 +7,10 @@ Feature: Keyserver interaction with GnuPG Background: Given a computer - And I capture all network traffic And I start the computer And the computer boots Tails And I log in to a new session - And GNOME has started + And the Tails desktop is ready And Tor is ready And all notifications have disappeared And available upgrades have been checked @@ -23,9 +22,33 @@ Feature: Keyserver interaction with GnuPG Then GnuPG uses the configured keyserver And the GnuPG fetch is successful And the "10CC5BC7" key is in the live user's public keyring after at most 120 seconds - And all Internet traffic has only flowed through Tor Scenario: Fetching OpenPGP keys using Seahorse should work and be done over Tor. When I fetch the "10CC5BC7" OpenPGP key using Seahorse Then the "10CC5BC7" key is in the live user's public keyring after at most 120 seconds - And all Internet traffic has only flowed through Tor + + Scenario: Fetching OpenPGP keys using Seahorse via the Tails OpenPGP Applet should work and be done over Tor. + When I fetch the "10CC5BC7" OpenPGP key using Seahorse via the Tails OpenPGP Applet + Then the "10CC5BC7" key is in the live user's public keyring after at most 120 seconds + + Scenario: Syncing OpenPGP keys using Seahorse should work and be done over Tor. + Given I fetch the "10CC5BC7" OpenPGP key using the GnuPG CLI without any signatures + And the GnuPG fetch is successful + And the "10CC5BC7" key is in the live user's public keyring after at most 120 seconds + But the key "10CC5BC7" has only 2 signatures + When I start Seahorse + Then Seahorse has opened + And I enable key synchronization in Seahorse + And I synchronize keys in Seahorse + Then the key "10CC5BC7" has more than 2 signatures + + Scenario: Syncing OpenPGP keys using Seahorse started from the Tails OpenPGP Applet should work and be done over Tor. + Given I fetch the "10CC5BC7" OpenPGP key using the GnuPG CLI without any signatures + And the GnuPG fetch is successful + And the "10CC5BC7" key is in the live user's public keyring after at most 120 seconds + But the key "10CC5BC7" has only 2 signatures + When I start Seahorse via the Tails OpenPGP Applet + Then Seahorse has opened + And I enable key synchronization in Seahorse + And I synchronize keys in Seahorse + Then the key "10CC5BC7" has more than 2 signatures diff --git a/features/torified_misc.feature b/features/torified_misc.feature new file mode 100644 index 0000000000000000000000000000000000000000..c635bd64bf67d1e82ef810fdceaeec925cc61d53 --- /dev/null +++ b/features/torified_misc.feature @@ -0,0 +1,32 @@ +@product @check_tor_leaks +Feature: Various checks for torified software + + Background: + Given a computer + And I start the computer + And the computer boots Tails + And I log in to a new session + And the Tails desktop is ready + And Tor is ready + And all notifications have disappeared + And available upgrades have been checked + And I save the state so the background can be restored next scenario + + Scenario: wget(1) should work for HTTP and go through Tor. + When I wget "http://example.com/" to stdout + Then the wget command is successful + And the wget standard output contains "Example Domain" + + Scenario: wget(1) should work for HTTPS and go through Tor. + When I wget "https://example.com/" to stdout + Then the wget command is successful + And the wget standard output contains "Example Domain" + + Scenario: wget(1) with tricky options should work for HTTP and go through Tor. + When I wget "http://195.154.14.189/tails/stable/" to stdout with the '--spider --header="Host: dl.amnesia.boum.org"' options + Then the wget command is successful + + Scenario: whois(1) should work and go through Tor. + When I query the whois directory service for "torproject.org" + Then the whois command is successful + Then the whois standard output contains "The Tor Project" diff --git a/features/totem.feature b/features/totem.feature index 2729b2737c1bd22b72bcbfc37a924554f0aa1c7f..b5288d83c6bd9f81eb3f2799c176aa3baee558ad 100644 --- a/features/totem.feature +++ b/features/totem.feature @@ -24,9 +24,9 @@ Feature: Using Totem When I try to open "/home/amnesia/.gnupg/video.mp4" with Totem Then I see "TotemUnableToOpen.png" after at most 10 seconds + @check_tor_leaks Scenario: Watching a WebM video over HTTPS, with and without the command-line Given a computer - And I capture all network traffic And I start Tails from DVD and I login When I open "https://webm.html5.org/test.webm" with Totem Then I see "SampleRemoteWebMVideoFrame.png" after at most 10 seconds @@ -34,7 +34,6 @@ Feature: Using Totem And I start Totem through the GNOME menu When I load the "https://webm.html5.org/test.webm" URL in Totem Then I see "SampleRemoteWebMVideoFrame.png" after at most 10 seconds - And all Internet traffic has only flowed through Tor @keep_volumes Scenario: Installing Tails on a USB drive, creating a persistent partition, copying video files to it diff --git a/features/unsafe_browser.feature b/features/unsafe_browser.feature index 84e8eca93fc97c1100ae3689df5ca5fe19c44bfd..64b9b01fd118777a22b1f57d0636aacf388cb60b 100644 --- a/features/unsafe_browser.feature +++ b/features/unsafe_browser.feature @@ -9,7 +9,7 @@ Feature: Browsing the web using the Unsafe Browser And I start the computer And the computer boots Tails And I log in to a new session - And GNOME has started + And the Tails desktop is ready And Tor is ready And all notifications have disappeared And available upgrades have been checked @@ -17,14 +17,23 @@ Feature: Browsing the web using the Unsafe Browser Scenario: Starting the Unsafe Browser works as it should. When I successfully start the Unsafe Browser - Then the Unsafe Browser has a red theme + Then the Unsafe Browser runs as the expected user + And the Unsafe Browser has a red theme And the Unsafe Browser shows a warning as its start page + And the Unsafe Browser has no plugins installed + And the Unsafe Browser has no add-ons installed + And the Unsafe Browser has only Firefox's default bookmarks configured + And the Unsafe Browser has no proxy configured And the Unsafe Browser uses all expected TBB shared libraries - Scenario: Closing the Unsafe Browser shows a stop notification. + Scenario: The Unsafe Browser can be used in all languges supported in Tails + Then the Unsafe Browser works in all supported languages + + Scenario: Closing the Unsafe Browser shows a stop notification and properly tears down the chroot. When I successfully start the Unsafe Browser And I close the Unsafe Browser Then I see the Unsafe Browser stop notification + And the Unsafe Browser chroot is torn down Scenario: Starting a second instance of the Unsafe Browser results in an error message being shown. When I successfully start the Unsafe Browser @@ -35,7 +44,25 @@ Feature: Browsing the web using the Unsafe Browser When I successfully start the Unsafe Browser And I open the address "https://check.torproject.org" in the Unsafe Browser Then I see "UnsafeBrowserTorCheckFail.png" after at most 60 seconds + And the clearnet user has sent packets out to the Internet Scenario: The Unsafe Browser cannot be configured to use Tor and other local proxies. When I successfully start the Unsafe Browser Then I cannot configure the Unsafe Browser to use any local proxies + + Scenario: The Unsafe Browser will not make any connections to the Internet which are not user initiated + Given I capture all network traffic + And Tor is ready + And I configure the Unsafe Browser to check for updates more frequently + But checking for updates is disabled in the Unsafe Browser's configuration + When I successfully start the Unsafe Browser + Then the Unsafe Browser has started + And I wait between 60 and 120 seconds + And the clearnet user has not sent packets out to the Internet + And all Internet traffic has only flowed through Tor + + Scenario: Starting the Unsafe Browser without a network connection results in a complaint about no DNS server being configured + Given a computer + And I start Tails from DVD with network unplugged and I login + When I start the Unsafe Browser + Then the Unsafe Browser complains that no DNS server is configured diff --git a/features/untrusted_partitions.feature b/features/untrusted_partitions.feature index 816fbe7e839fd168df40a0cbc382f57e799351cc..1985896540b7e1671ea66f358a5dc5b5b34a8584 100644 --- a/features/untrusted_partitions.feature +++ b/features/untrusted_partitions.feature @@ -3,15 +3,53 @@ Feature: Untrusted partitions As a Tails user I don't want to touch other media than the one Tails runs from + Scenario: Tails will not enable disk swap + Given a computer + And I create a 100 MiB disk named "swap" + And I create a gpt swap partition on disk "swap" + And I plug ide drive "swap" + When I start Tails with network unplugged and I login + Then a "linux-swap(v1)" partition was detected by Tails on drive "swap" + But Tails has no disk swap enabled + + @keep_volumes + Scenario: Tails will detect LUKS-encrypted GPT partitions labeled "TailsData" stored on USB drives as persistence volumes when the removable flag is set + Given a computer + And I create a 100 MiB disk named "fake_TailsData" + And I create a gpt partition labeled "TailsData" with an ext4 filesystem encrypted with password "asdf" on disk "fake_TailsData" + And I plug removable usb drive "fake_TailsData" + When I start the computer + And the computer boots Tails + Then drive "fake_TailsData" is detected by Tails + And Tails Greeter has detected a persistence partition + + @keep_volumes + Scenario: Tails will not detect LUKS-encrypted GPT partitions labeled "TailsData" stored on USB drives as persistence volumes when the removable flag is unset + Given a computer + And I plug non-removable usb drive "fake_TailsData" + When I start the computer + And the computer boots Tails + Then drive "fake_TailsData" is detected by Tails + And Tails Greeter has not detected a persistence partition + + Scenario: Tails will not detect LUKS-encrypted GPT partitions labeled "TailsData" stored on local hard drives as persistence volumes + Given a computer + And I plug ide drive "fake_TailsData" + When I start the computer + And the computer boots Tails + Then drive "fake_TailsData" is detected by Tails + And Tails Greeter has not detected a persistence partition + @keep_volumes Scenario: Tails can boot from live systems stored on hard drives Given a computer And I create a 2 GiB disk named "live_hd" - And I cat an ISO hybrid of the Tails image to disk "live_hd" + And I cat an ISO of the Tails image to disk "live_hd" And the computer is set to boot from ide drive "live_hd" And I set Tails to boot with options "live-media=" - And I start Tails from DVD with network unplugged and I login - Then Tails seems to have booted normally + When I start Tails with network unplugged and I login + Then Tails is running from ide drive "live_hd" + And Tails seems to have booted normally Scenario: Tails booting from a DVD does not use live systems stored on hard drives Given a computer @@ -23,8 +61,7 @@ Feature: Untrusted partitions Scenario: Booting Tails does not automount untrusted ext2 partitions Given a computer And I create a 100 MiB disk named "gpt_ext2" - And I create a gpt label on disk "gpt_ext2" - And I create a ext2 filesystem on disk "gpt_ext2" + And I create a gpt partition with an ext2 filesystem on disk "gpt_ext2" And I plug ide drive "gpt_ext2" And I start Tails from DVD with network unplugged and I login Then drive "gpt_ext2" is detected by Tails @@ -33,8 +70,7 @@ Feature: Untrusted partitions Scenario: Booting Tails does not automount untrusted fat32 partitions Given a computer And I create a 100 MiB disk named "msdos_fat32" - And I create a msdos label on disk "msdos_fat32" - And I create a fat32 filesystem on disk "msdos_fat32" + And I create an msdos partition with a vfat filesystem on disk "msdos_fat32" And I plug ide drive "msdos_fat32" And I start Tails from DVD with network unplugged and I login Then drive "msdos_fat32" is detected by Tails diff --git a/features/usb_install.feature b/features/usb_install.feature index b40ca93bb02779d68f80d6f85b5f9276473288c5..3fdc265eac919138800e281aefa27691147510d6 100644 --- a/features/usb_install.feature +++ b/features/usb_install.feature @@ -5,17 +5,39 @@ Feature: Installing Tails to a USB drive, upgrading it, and using persistence and upgrade it to new Tails versions and use persistence + Scenario: Try installing Tails to a too small USB drive + Given a computer + And I start Tails from DVD with network unplugged and I login + And I create a 2 GiB disk named "current" + And I start Tails Installer in "Clone & Install" mode with the verbose flag + But a suitable USB device is not found + When I plug USB drive "current" + Then Tails Installer detects that the device "current" is too small + And a suitable USB device is not found + @keep_volumes Scenario: Installing Tails to a pristine USB drive Given a computer And I start Tails from DVD with network unplugged and I login - And I create a new 4 GiB USB drive named "current" + And I create a 4 GiB disk named "current" And I plug USB drive "current" And I "Clone & Install" Tails to USB drive "current" Then the running Tails is installed on USB drive "current" But there is no persistence partition on USB drive "current" And I unplug USB drive "current" + @keep_volumes + Scenario: Test that Tails installer can detect when a target USB drive is inserted or removed + Given a computer + And I start Tails from DVD with network unplugged and I login + And I start Tails Installer in "Clone & Install" mode + But a suitable USB device is not found + When I plug USB drive "current" + Then the "current" USB drive is selected + When I unplug USB drive "current" + Then no USB drive is selected + And a suitable USB device is not found + @keep_volumes Scenario: Booting Tails from a USB drive in UEFI mode Given a computer @@ -34,6 +56,7 @@ Feature: Installing Tails to a USB drive, upgrading it, and using persistence And Tails is running from USB drive "current" And the boot device has safe access rights And there is no persistence partition on USB drive "current" + And the persistent Tor Browser directory does not exist And I create a persistent partition with password "asdf" Then a Tails persistence partition with password "asdf" exists on USB drive "current" And I shutdown Tails and wait for the computer to power off @@ -47,6 +70,23 @@ Feature: Installing Tails to a USB drive, upgrading it, and using persistence And persistence is disabled But a Tails persistence partition with password "asdf" exists on USB drive "current" + @keep_volumes + Scenario: The persistent Tor Browser directory is usable + Given a computer + And I start Tails from USB drive "current" and I login with persistence password "asdf" + And Tails is running from USB drive "current" + And Tor is ready + And available upgrades have been checked + And all notifications have disappeared + Then the persistent Tor Browser directory exists + And there is a GNOME bookmark for the persistent Tor Browser directory + When I start the Tor Browser + And the Tor Browser has started and loaded the startup page + And I can save the current page as "index.html" to the persistent Tor Browser directory + When I open the address "file:///home/amnesia/Persistent/Tor Browser/index.html" in the Tor Browser + Then I see "TorBrowserSavedStartupPage.png" after at most 10 seconds + And I can print the current page as "output.pdf" to the persistent Tor Browser directory + @keep_volumes Scenario: Persistent browser bookmarks Given a computer @@ -58,12 +98,12 @@ Feature: Installing Tails to a USB drive, upgrading it, and using persistence And the boot device has safe access rights And I enable persistence with password "asdf" And I log in to a new session - And GNOME has started + And the Tails desktop is ready And all notifications have disappeared - And persistence is enabled - And persistent filesystems have safe access rights - And persistence configuration files have safe access rights - And persistent directories have safe access rights + And all persistence presets are enabled + And all persistent filesystems have safe access rights + And all persistence configuration files have safe access rights + And all persistent directories have safe access rights And I start the Tor Browser in offline mode And the Tor Browser has started in offline mode And I add a bookmark to eff.org in the Tor Browser @@ -71,7 +111,7 @@ Feature: Installing Tails to a USB drive, upgrading it, and using persistence And the computer reboots Tails And I enable read-only persistence with password "asdf" And I log in to a new session - And GNOME has started + And the Tails desktop is ready And I start the Tor Browser in offline mode And the Tor Browser has started in offline mode Then the Tor Browser has a bookmark to eff.org @@ -82,13 +122,14 @@ Feature: Installing Tails to a USB drive, upgrading it, and using persistence And I start Tails from USB drive "current" with network unplugged and I login with persistence password "asdf" Then Tails is running from USB drive "current" And the boot device has safe access rights - And persistence is enabled + And all persistence presets are enabled And I write some files expected to persist - And persistent filesystems have safe access rights - And persistence configuration files have safe access rights - And persistent directories have safe access rights + And all persistent filesystems have safe access rights + And all persistence configuration files have safe access rights + And all persistent directories have safe access rights + And I take note of which persistence presets are available And I shutdown Tails and wait for the computer to power off - Then only the expected files should persist on USB drive "current" + Then only the expected files are present on the persistence partition encrypted with password "asdf" on USB drive "current" @keep_volumes Scenario: Writing files to a read-only-enabled persistent partition @@ -96,11 +137,13 @@ Feature: Installing Tails to a USB drive, upgrading it, and using persistence And I start Tails from USB drive "current" with network unplugged and I login with read-only persistence password "asdf" Then Tails is running from USB drive "current" And the boot device has safe access rights - And persistence is enabled + And all persistence presets are enabled + And there is no GNOME bookmark for the persistent Tor Browser directory And I write some files not expected to persist And I remove some files expected to persist + And I take note of which persistence presets are available And I shutdown Tails and wait for the computer to power off - Then only the expected files should persist on USB drive "current" + Then only the expected files are present on the persistence partition encrypted with password "asdf" on USB drive "current" @keep_volumes Scenario: Deleting a Tails persistent partition @@ -122,9 +165,9 @@ Feature: Installing Tails to a USB drive, upgrading it, and using persistence And I start the computer When the computer boots Tails And I log in to a new session - And GNOME has started + And the Tails desktop is ready And all notifications have disappeared - And I create a new 4 GiB USB drive named "old" + And I create a 4 GiB disk named "old" And I plug USB drive "old" And I "Clone & Install" Tails to USB drive "old" Then the running Tails is installed on USB drive "old" @@ -137,6 +180,7 @@ Feature: Installing Tails to a USB drive, upgrading it, and using persistence And I start Tails from USB drive "old" with network unplugged and I login Then Tails is running from USB drive "old" And I create a persistent partition with password "asdf" + And I take note of which persistence presets are available Then a Tails persistence partition with password "asdf" exists on USB drive "old" And I shutdown Tails and wait for the computer to power off @@ -145,13 +189,14 @@ Feature: Installing Tails to a USB drive, upgrading it, and using persistence Given a computer And I start Tails from USB drive "old" with network unplugged and I login with persistence password "asdf" Then Tails is running from USB drive "old" - And persistence is enabled + And all persistence presets are enabled And I write some files expected to persist - And persistent filesystems have safe access rights - And persistence configuration files have safe access rights - And persistent directories have safe access rights + And all persistent filesystems have safe access rights + And all persistence configuration files have safe access rights + And all persistent directories from the old Tails version have safe access rights + And I take note of which persistence presets are available And I shutdown Tails and wait for the computer to power off - Then only the expected files should persist on USB drive "old" + Then only the expected files are present on the persistence partition encrypted with password "asdf" on USB drive "old" @keep_volumes Scenario: Upgrading an old Tails USB installation from a Tails DVD @@ -167,10 +212,11 @@ Feature: Installing Tails to a USB drive, upgrading it, and using persistence Scenario: Booting Tails from a USB drive upgraded from DVD with persistence enabled Given a computer And I start Tails from USB drive "to_upgrade" with network unplugged and I login with persistence password "asdf" + Then all persistence presets from the old Tails version are enabled Then Tails is running from USB drive "to_upgrade" And the boot device has safe access rights - And the expected persistent files are present in the filesystem - And persistent directories have safe access rights + And the expected persistent files created with the old Tails version are present in the filesystem + And all persistent directories from the old Tails version have safe access rights @keep_volumes Scenario: Upgrading an old Tails USB installation from another Tails USB drive @@ -189,11 +235,11 @@ Feature: Installing Tails to a USB drive, upgrading it, and using persistence Scenario: Booting Tails from a USB drive upgraded from USB with persistence enabled Given a computer And I start Tails from USB drive "to_upgrade" with network unplugged and I login with persistence password "asdf" - Then persistence is enabled + Then all persistence presets from the old Tails version are enabled And Tails is running from USB drive "to_upgrade" And the boot device has safe access rights - And the expected persistent files are present in the filesystem - And persistent directories have safe access rights + And the expected persistent files created with the old Tails version are present in the filesystem + And all persistent directories from the old Tails version have safe access rights @keep_volumes Scenario: Upgrading an old Tails USB installation from an ISO image, running on the old version @@ -220,11 +266,11 @@ Feature: Installing Tails to a USB drive, upgrading it, and using persistence Scenario: Booting a USB drive upgraded from ISO with persistence enabled Given a computer And I start Tails from USB drive "to_upgrade" with network unplugged and I login with persistence password "asdf" - Then persistence is enabled + Then all persistence presets from the old Tails version are enabled And Tails is running from USB drive "to_upgrade" And the boot device has safe access rights - And the expected persistent files are present in the filesystem - And persistent directories have safe access rights + And the expected persistent files created with the old Tails version are present in the filesystem + And all persistent directories from the old Tails version have safe access rights @keep_volumes Scenario: Installing Tails to a USB drive with an MBR partition table but no partitions @@ -249,7 +295,7 @@ Feature: Installing Tails to a USB drive, upgrading it, and using persistence Scenario: Cat:ing a Tails isohybrid to a USB drive and booting it Given a computer And I create a 4 GiB disk named "isohybrid" - And I cat an ISO hybrid of the Tails image to disk "isohybrid" + And I cat an ISO of the Tails image to disk "isohybrid" And I start Tails from USB drive "isohybrid" with network unplugged and I login Then Tails is running from USB drive "isohybrid" diff --git a/features/windows_camouflage.feature b/features/windows_camouflage.feature index 8ffbd1ec0b18e824d34901e6419edc1f5d2325d4..a850f1d4355daa920f8eb8ef997a91869c3ba729 100644 --- a/features/windows_camouflage.feature +++ b/features/windows_camouflage.feature @@ -12,7 +12,7 @@ Feature: Microsoft Windows Camouflage And I enable more Tails Greeter options And I enable Microsoft Windows camouflage And I log in to a new session - And GNOME has started + And the Tails desktop is ready And all notifications have disappeared And I save the state so the background can be restored next scenario diff --git a/ikiwiki-cgi.setup b/ikiwiki-cgi.setup index 9d25a70de44c337b3d02093e16fd351880789b4d..0a6d85427abe8df83a61baba2e677fe336e3aa12 100644 --- a/ikiwiki-cgi.setup +++ b/ikiwiki-cgi.setup @@ -52,6 +52,7 @@ add_plugins: - recentchanges - search - toggle + - underlay # plugins to disable disable_plugins: - anonok @@ -405,5 +406,5 @@ tag_autocreate_commit: 1 # underlay plugin # extra underlay directories to add -#add_underlays: -# - /home/user/wiki.underlay +add_underlays: + - /home/amnesia/Persistent/Tails/promotion-material diff --git a/ikiwiki.setup b/ikiwiki.setup index 2c9eb1690c1c0d4ec9a8ebba5c91b78a4668e5b1..5930fa53569e0d205c392fb8b1bbffb8c145887d 100644 --- a/ikiwiki.setup +++ b/ikiwiki.setup @@ -47,6 +47,7 @@ add_plugins: - pagestats - toggle - trail + - underlay # plugins to disable disable_plugins: - comments @@ -104,7 +105,7 @@ ENV: {} # regexp of normally excluded files to include include: '^\.htaccess$' # regexp of files that should be skipped -exclude: '(^blueprint\/.*|^promote\/slides\/.*|\/discussion\..*|\/Discussion\..*)' +exclude: '(^blueprint\/.*|^contribute\/how\/promote\/material\/.*|\/discussion\..*|\/Discussion\..*)' # specifies the characters that are allowed in source filenames wiki_file_chars: '-[:alnum:]+/._~' # allow symlinks in the path leading to the srcdir (potentially insecure) @@ -382,5 +383,5 @@ tag_autocreate_commit: 1 # underlay plugin # extra underlay directories to add -#add_underlays: -# - /home/user/wiki.underlay +add_underlays: + - /home/amnesia/Persistent/Tails/promotion-material diff --git a/po/POTFILES.in b/po/POTFILES.in index 3da5f72c5cd1b7d57c8254af9208f93aba476773..ad94e21e4378321d19a1afae3729943e300d0a2e 100644 --- a/po/POTFILES.in +++ b/po/POTFILES.in @@ -1,6 +1,7 @@ # Files updated without intltool-update -tmp/pot/60-tor-ready-notification.sh.pot +tmp/pot/60-tor-ready.sh.pot tmp/pot/config.py.pot +tmp/pot/electrum.pot tmp/pot/gpgApplet.pot tmp/pot/shutdown-helper-applet.pot tmp/pot/tails-about.pot diff --git a/po/ar.po b/po/ar.po index 5cc7acce5aa1a41a00ac75e7a0d7572af8b16c02..a38ee140b3f757b62161eb97cccadcc9ba15c388 100644 --- a/po/ar.po +++ b/po/ar.po @@ -19,7 +19,7 @@ msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" "PO-Revision-Date: 2014-12-05 17:21+0000\n" "Last-Translator: Osama M. Mneina <o.mneina@gmail.com>\n" "Language-Team: Arabic (http://www.transifex.com/projects/p/torproject/" @@ -31,30 +31,31 @@ msgstr "" "Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 " "&& n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "تور جاهز" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "يمكنك الأن تصفح الأنترنت." #: config/chroot_local-includes/etc/whisperback/config.py:64 -#, python-format +#, fuzzy, python-format msgid "" "<h1>Help us fix your bug!</h1>\n" "<p>Read <a href=\"%s\">our bug reporting instructions</a>.</p>\n" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" "<h1>ساعدنا في حل المشكلة!</h1>\n" "<p> اقرأ <a href=\"%s\">تعليمات الابلاغ عن مشكلة </a>.</p>\n" @@ -66,6 +67,31 @@ msgstr "" "<p>أي شخص يقرأ هذا الرد سيعلم انك تستخدم تايلز. يا ترى هل تثق بمزود الانترنت " "لديك أو مزود خدمة البريد الالكتروني؟</p>\n" +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Launch" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Exit" + #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" msgstr "إضافة OpenPGP للتشفير" @@ -94,45 +120,49 @@ msgstr "افتح تشفير/تحقق من التوقيع الالكتروني ع msgid "_Manage Keys" msgstr "إدارة المفاتيح" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "ذاكرة النسخ المؤقتة لا تحتوي مدخلات سليمة." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "غير موثوق به" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "ثقة جزئية" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "ثقة كاملة" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "ثقة نهائية" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "الاسم" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "هوية المفتاح" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "الحالة" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "بصمة المفتاح:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] " " @@ -142,19 +172,19 @@ msgstr[3] "هويات المستخدمين:" msgstr[4] "هويات المستخدمين:" msgstr[5] "هويات المستخدمين:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "دون اختيار (لا توقع الكترونيا)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "اختر المستلمين:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "إخفاء المستلمين" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -162,19 +192,19 @@ msgstr "" "اخفي هويات المستلمين لكل الرسائل المشفرة. اذا لم تقم بهذا فسيستطيع كل من " "يشاهد الرسائل المشفرة أن يعرف من أرسلت له." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "وقع الرسالة الكترونيا بصفة:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "اختار المفاتيح" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "هل تثق بهذه المفاتيح؟" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] " " @@ -184,7 +214,7 @@ msgstr[3] "المفاتيح التالية غير موثوقة بالكامل:" msgstr[4] "المفاتيح التالية غير موثوقة بالكامل:" msgstr[5] "المفاتيح التالية غير موثوقة بالكامل:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] " " @@ -194,11 +224,11 @@ msgstr[3] "هل تثق بهذه المفاتيح بالقدر الكافي لا msgstr[4] "هل تثق بهذه المفاتيح بالقدر الكافي لاستخدامها على أية حال؟" msgstr[5] "هل تثق بهذه المفاتيح بالقدر الكافي لاستخدامها على أية حال؟" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "لا يوجد مفاتيح محددة" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -206,34 +236,34 @@ msgstr "" "يجب عليك اختيار مفتاح تشفير خاص لتوقيع الرسالة الكترونيا، أو بعض المفاتيح " "العامة لتشفير الرسالة، أو كلاهما معاً:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "لا يوجد مفاتيح متاحة" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "تحتاج لمفتاح تشفير خاص لتوقيع الرسائل الكترونياً، أو مفتاح تشفير عام لتشفير " "الرسائل." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "خطأ في GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "ولهذا لا يمكن اتمام العملية." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "نتائج GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "مخرجات GnuPG:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "رسائل أخرى من GnuPG:" @@ -322,7 +352,7 @@ msgstr "" "first_steps/startup_options/mac_spoofing.en.html#blocked\\\">وثائق تغيير " "الـMAC</a>." -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "هذه النسخة من تيلز تحتوي مشاكل أمنية:" @@ -366,12 +396,12 @@ msgstr "" "html'>الوثائق</a>." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "خطأ:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "خطأ" @@ -411,9 +441,10 @@ msgstr "" "معرفة ما تفعله في تايلز." #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 +#, fuzzy msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" "virtualization.en.html'> لمعرفة المزيد...</a>" @@ -434,11 +465,11 @@ msgstr "أبدأ متصفح تور" msgid "Cancel" msgstr "إلغاء" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "هل حقاً تريد تشغيل المتصفح غير الآمن؟" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -448,36 +479,19 @@ msgstr "" "b>. فقط استخدم المتصفح غير الآمن عند الضرورة، مثلاً اذا احتجت لتسجيل الدخول " "أو الاشتراك لتفعيل خدمة الانترنت." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "_Launch" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "_Exit" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "جاري تشغيل المتصفح الغير آمن..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "قد يستغرق هذا بعض الوقت، يرجى التحلي بالصبر." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "فشلت محاولة تشغيل chroot." - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "المتصفح الغير الآمن" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "جاري إيقاف تشغيل المتصفح الغير الآمن..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." @@ -485,18 +499,29 @@ msgstr "" "هذه العملية قد تأخذ وقتاً طويلاً، وقد لا تتمكن من إعادة تشغيل المتصفح غير " "الآمن حتى يتم اغلاقه بشكل كامل." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "فشلت محاولة إعادة تشغيل تور." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "المتصفح الغير الآمن" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." msgstr "" "توجد نسخة أخرى تعمل أو يتم تنظيفها من المتصفح غير الآمن. رجاءً حاول بعد قليل." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." @@ -504,11 +529,25 @@ msgstr "" "لم يتم الحصول على سيرفر DNS من خلال بروتوكول DHCP أو عن طريق الادخال اليدوي " "في NetworkManager." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "فشلت محاولة تشغيل chroot." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +#, fuzzy +msgid "Failed to configure browser." +msgstr "فشلت محاولة إعادة تشغيل تور." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +#, fuzzy +msgid "Failed to run browser." +msgstr "فشلت محاولة إعادة تشغيل تور." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "I2P فشل في بدء التشغيل" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." @@ -516,19 +555,19 @@ msgstr "" "حدث خطأ ما خلال تشغيل I2P. افحص السجلات الموجودة في /var/log/i2p للمزيد من " "المعلومات." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" msgstr "إن طرفية موجِّه I2P جاهزة" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "يمكنك الوصول إلى طرفية موِّجه I2P عبر http://127.0.0.1:7657" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "I2P غير جاهز" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " @@ -538,11 +577,11 @@ msgstr "" "من نافذة الموجّه على http://127.0.0.1:7657/logs أو من خلال اللوائح في /var/" "log/i2p. الرجاء معاودة الاتصال بالشبكة للمحاولة مرة أخرى." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "I2P جاهز" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." msgstr "يمكن الوصول إلى الخدمات عبر I2P." diff --git a/po/az.po b/po/az.po index 007a2f19870f42280de69533b65c8e4da5b9b277..d5acef4a7a84072e6f92d7302fdfe15a9a796a8e 100644 --- a/po/az.po +++ b/po/az.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" "PO-Revision-Date: 2014-12-30 17:30+0000\n" "Last-Translator: E <ehuseynzade@gmail.com>\n" "Language-Team: Azerbaijani (http://www.transifex.com/projects/p/torproject/" @@ -19,30 +19,31 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Tor hazırdır" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "İndi internetə qoşula bilərsən." #: config/chroot_local-includes/etc/whisperback/config.py:64 -#, python-format +#, fuzzy, python-format msgid "" "<h1>Help us fix your bug!</h1>\n" "<p>Read <a href=\"%s\">our bug reporting instructions</a>.</p>\n" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" "<h1>Problemini həll etmək üçün bizə kömək et!</h1>\n" "<p><a href=\"%s\">Bizim problem haqqında xəbər qaydalarımızı</a> oxu.</p>\n" @@ -59,6 +60,31 @@ msgstr "" "İnternet və ya email təminatçılarına nə qədər inandığınla\n" "maraqlanmaq vaxtıdır?</p>\n" +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Başlat" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Çıxış" + #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" msgstr "OpenPGP şifrələnmə apleti" @@ -87,63 +113,67 @@ msgstr "Mübadilə Buferin/i _Şifrəsini Aç/Təsdiqlə" msgid "_Manage Keys" msgstr "Açarları _İdarə et" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "Mübadilə buferində düzgün giriş məlumatı yoxdur." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "Bilinməyən İnam" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "Son İnam" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "Tam İnam" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "Başlıca İnam" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "Name" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "Açar ID-si" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "Status" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "Barmaq izi:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "İstifadəçi ID-si:" msgstr[1] "İstifadəçi ID-ləri:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "Heç biri (Giriş etmə)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "Qəbul ediciləri seç:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "Qəbul ediciləri gizlə" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -151,36 +181,36 @@ msgstr "" "Şifrələnmiş mesajı qəbul edənlərin hamısının istifadəçi ID-ni gizlə. Əks " "halda, şifrələnmiş mesajı görən hər hansı şəxs onu qəbul edəni də görə bilər." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "Mesajı belə imzala:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "Açarları seç" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "Bu açarlara inanırsan?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "Bu seçilmiş açar tam inamlı deyil:" msgstr[1] "Bu seçilmiş açarlar tam inamlı deyil:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "Heç nəyə baxmayaraq bu açarı istifadə edəcək qədər ona inanırsan?" msgstr[1] "" "Heç nəyə baxmayaraq bu açarları istifadə edəcək qədər onlara inanırsan?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "Açar seçilməyib" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -188,33 +218,33 @@ msgstr "" "Mesajı imzalamaq üçün şəxsi açar, şifrələmək üçün hər hansı ictimai açar, ya " "da hər ikisini seçməlisən." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "Açar yoxdur" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "Mesajı imzalamaq üçün şəxsi, şifrələmək üçün isə ictimai açara ehtiyacın var." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "GnuPG xətası" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "Buna görə də əməliyyat yerinə yetirilə bilmir." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "GnuPG nəticələr" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "GnuPG nəticəsi:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "GnuPG tərəfindən təqdim edilmiş başqa mesajlar:" @@ -306,7 +336,7 @@ msgstr "" "usr/share/doc/tails/website/doc/first_steps/startup_options/mac_spoofing.en." "html#blocked\\\">MAC aldatma sənədləşməsi</a>nə bax." -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "Tails-in bu versiyasının bilinən təhlükəsizlik problemləri var:" @@ -350,12 +380,12 @@ msgstr "" "html'>Sənədləşmə</a>yə bax." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "xəta:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "Xəta" @@ -394,9 +424,10 @@ msgstr "" "görə bilir." #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 +#, fuzzy msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" "virtualization.en.html'>Daha ətraflı...</a>" @@ -417,11 +448,11 @@ msgstr "Tor Brauzerini Başlat" msgid "Cancel" msgstr "Ləğv et" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "Buna baxmayaraq Təhlükəli Brauzeri açmaq istəyirsən?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -431,36 +462,19 @@ msgstr "" "Brauzeri yalnız çox vacib hallarda istifadə et, məsələn, əgər internet " "əlaqəsi üçün sən qeydiyyatdan keçməli, ya da giriş etməlisənsə." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "_Başlat" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "_Çıxış" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "Təhlükəli Brauzerin açılması..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "Bu bir qədər vaxt ala bilər, lütfən, səbrli ol." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "Chroot-un quraşdırılması alınmadı." - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "Təhlükəli Brauzer" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "Təhlükəli Brauzerin bağlanması..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." @@ -468,11 +482,16 @@ msgstr "" "Bu bir qədər vaxt ala bilər və ola bilsin o tam bağlanana qədər sən " "Təhlükəli Brauzeri bağlaya bilməzsən." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "Tor-un yenidən başladılması alınmadı." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "Təhlükəli Brauzer" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -480,7 +499,13 @@ msgstr "" "Digər Təhlükəli Brauzer hazırda işləyir, ya da təmizlənir. Lütfən, birazdan " "yenidən sına." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." @@ -488,11 +513,25 @@ msgstr "" "Nə DHCP vasitəsilə heç bir DNS əldə edilmədi, nə də ŞəbəkəMenecerində manual " "olaraq konfiqurasiya edilmədi." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "Chroot-un quraşdırılması alınmadı." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +#, fuzzy +msgid "Failed to configure browser." +msgstr "Tor-un yenidən başladılması alınmadı." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +#, fuzzy +msgid "Failed to run browser." +msgstr "Tor-un yenidən başladılması alınmadı." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "I2P başlaya bilmədi" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." @@ -500,21 +539,21 @@ msgstr "" "I2P başlayan zaman nə isə səhv oldu. Daha çox məlumat üçün /var/log/i2p " "yazılarını oxu." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" msgstr "I2P istiqamətləndirici konsol hazırdır" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "" "İndi I2O istiqamətləndirici konsoluna burada baxa bilərsən: " "http://127.0.0.1:7657" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "I2P hazır deyil" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " @@ -524,11 +563,11 @@ msgstr "" "http://127.0.0.1:7657/logs linkində, daha ətraflı məlumata isə /var/log/i2p " "girişində baxa bilərsən. Şəbəkəyə yenidən qoşul və yenidən sına." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "I2P hazırdır" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." msgstr "İndi I2P xidmətlərinə daxil ola bilərsən." diff --git a/po/ca.po b/po/ca.po index 7cfe37fe6c974e473a000d52a161d2067952b071..df9b1dfae7bbd763482d1fdd94f4207780d33f0f 100644 --- a/po/ca.po +++ b/po/ca.po @@ -7,14 +7,14 @@ # Assumpta Anglada <assumptaanglada@gmail.com>, 2014 # Eloi García i Fargas, 2014 # Humbert <humbert.costas@gmail.com>, 2014 -# laia_ <laiaadorio@gmail.com>, 2014 +# laia_ <laiaadorio@gmail.com>, 2014-2015 msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" -"PO-Revision-Date: 2014-12-04 08:50+0000\n" -"Last-Translator: runasand <runa.sandvik@gmail.com>\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" +"PO-Revision-Date: 2015-03-20 19:32+0000\n" +"Last-Translator: laia_ <laiaadorio@gmail.com>\n" "Language-Team: Catalan (http://www.transifex.com/projects/p/torproject/" "language/ca/)\n" "Language: ca\n" @@ -23,11 +23,11 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Tor es troba actiu" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "Ara ja pots accedir a Internet." @@ -39,28 +39,60 @@ msgid "" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" -"<h1>Ajudeu-nos a solucionar l'error!</h1>\n" -"<p>Llegiu les nostres <a href=\"%s\">instruccions d'informes d'errors</a>.</" -"p>\n" -"<p><strong>No inclogueu més informació personal de la necessària.</strong></" -"p>\n" -"<h2>Pel que fa a donar-nos una adreça de correu electrònic</h2>\n" -"<p>Si no us importa desvetllar alguns trossets de la vostra identitat\n" -"als programadors de Tails, podeu donar-nos una adreça de correu per\n" -"a què us puguem preguntar més detalls sobre l'error. A més, si incloeu\n" -"una clau PGP pública, ens permetrà encriptar les comunicacions futures.</p>\n" -"<p>Qualsevol que pugui veure aquesta resposta podrà deduir probablement\n" -"que sou un usuari de Tails. ¿Potser és el moment d'imaginar fins on confieu\n" -"en els proveïdors d'Internet i del vostre compte de correu?</p>\n" +"<h1>Ajuda'ns a arreglar aquest error!</h1>\n" +"<p>Llegeix <a href=\"%s\">les nostres instruccions de comunicació d'errors</" +"a>.</p>\n" +"<p><strong>No incloeu més informació personal \n" +"que la necessària!</strong></p>\n" +"<h2>Sobre el fet de donar-nos una adreça de correu</h2>\n" +"<p>\n" +"Donar-nos una adreça de correu ens permet contactar amb vosaltres per " +"aclarir el\n" +"problema. Això és necessari per la majoria d'informes que rebem, ja que la " +"major part\n" +"d'informes sense informació de contacte són inútils. D'altra banda, aquest " +"fet també dóna\n" +"una oportunitat per als espies o al proveïdor d'internet per confirmar que " +"esteu usant el Tails.\n" +"</p> \n" + +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "La Persistència ha estat deshabilitada per l'Electrum" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" +"Quan reinicieu el Tails, totes les dades de l'Electrum es perdran, inclòs el " +"moneder de Bitcoins. És molt recomanable que només useu l'Electrum quan la " +"seva propietat de persistència és activada. " + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "Voleu iniciar l'Electrum de totes maneres?" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Launch" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Surt" #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" @@ -90,63 +122,67 @@ msgstr "_Desxifrar/Xifrar el Portapapers" msgid "_Manage Keys" msgstr "_Gestió de Claus" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "El portapapers no conté dades d'entrada vàlides." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "Confiança desconeguda" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "Confiança marginal" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "Plena confiança" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "Confiança fins al final" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "Nom" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "ID de la Clau" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "Estat" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "Empremta digital:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "ID d'usuari:" msgstr[1] "IDs d'usuari:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "Cap (no signat)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "Sel·lecciona destinataris" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "Oculta destinataris" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -155,35 +191,35 @@ msgstr "" "Altrament, qualsevol persona que vegi el missatge xifrat veurà qui són els " "destinataris." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "Signa el missatge com:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "Tria les claus" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "Confies en aquestes claus?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "La clau seleccionada no és de plena confiança:" msgstr[1] "Les claus seleccionades no són de plena confiança:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "Tens prou confiança amb aquesta clau per fer-ne ús?" msgstr[1] "Tens prou confiança amb aquestes claus per usar-les?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "Cap clau seleccionada" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -191,34 +227,34 @@ msgstr "" "Has de seleccionar una clau privada per signar el missatge, o alguna clau " "pública per xifrar el missatge, o ambdues." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "No hi ha claus disponibles" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "Necessites una clau privada per signar missatges o una clau pública per " "xifrar missatges." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "Error GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "Per tant, la operació no es pot realitzar." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "Resultats GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "Sortida de GnuPG:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "Altres missatges entregats per GnuPG:" @@ -310,7 +346,7 @@ msgstr "" "\"file:///usr/share/doc/tails/website/doc/first_steps/startup_options/" "mac_spoofing.en.html#blocked\\\">documentació MAC spoofing</a>." -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "Aquesta versió de Tails té problemes de seguretat coneguts:" @@ -355,12 +391,12 @@ msgstr "" "html'>documentació</a>." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "error:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "Error" @@ -402,10 +438,10 @@ msgstr "" #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Apreneu-ne més...</a>" +"virtualization.en.html#security'>Saber-ne més...</a>" #: config/chroot_local-includes/usr/local/bin/tor-browser:18 msgid "Tor is not ready" @@ -423,11 +459,11 @@ msgstr "Inicia el navegador Tor" msgid "Cancel" msgstr "Cancel·la" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "De debò vols obrir el Browser Insegur?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -437,36 +473,19 @@ msgstr "" "només el navegador insegur si és necessari, per exemple si heu d'iniciar " "sessió o registrar-vos per a activar la vostra connexió a internet. " -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "_Launch" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "_Surt" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "Iniciant el Navegador Insegur..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "Això pot portar una estona, siusplau esperi." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "Fallada en configurar chroot." - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "Navegador Insegur" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "Apagant el Navegador Insegur" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." @@ -474,11 +493,16 @@ msgstr "" "Això pot tardar una mica, no reinicii el Browser Insegur fins que no s'hagi " "tancat correctament." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "Error al reiniciar Tor." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "Navegador Insegur" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -486,7 +510,15 @@ msgstr "" "Un altre navegador insegur està essent executat o netejat. Si us plau, provi-" "ho d'aquí una estona. " -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" +"El gestor de la xarxa ens ha donat dades brossa quan intentàvem deduir el " +"servidor DNS." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." @@ -494,11 +526,23 @@ msgstr "" "No s'ha obtingut cap servidor DNS a través del DHCP o configurat manualment " "al NetworkManager. " -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "Fallada en configurar chroot." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +msgid "Failed to configure browser." +msgstr "Error en configurar el navegador." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +msgid "Failed to run browser." +msgstr "Error en executar el navegador." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "Error per iniciar I2P." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." @@ -506,19 +550,19 @@ msgstr "" "Hi ha hagut un error quan s'iniciava l' I2P. Reviseu els registres a /var/" "log/i2p per a més informació." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" msgstr "La consola I2P està preparada" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "Podeu accedir a la consola I2P a http://127.0.0.1:7657." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "L'I2P no està preparada" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " @@ -528,11 +572,11 @@ msgstr "" "http://127.0.0.1:7657/logs o els registres a /var/log/i2p per a més " "informació. Torneu-vos a connectar a la xarxa per tonar-ho a provar. " -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "L'I2P està preparada" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." msgstr "Podeu acedir a serveis a l'I2P." diff --git a/po/cs.po b/po/cs.po index 95e3ce843d4ca16495c01a70d2ecdbb05985bbee..00b46d18f5f21f114ba14f013320f361a1ac4111 100644 --- a/po/cs.po +++ b/po/cs.po @@ -6,15 +6,17 @@ # A5h8d0wf0x <littleslyfoxie28@gmail.com>, 2014 # Adam Slovacek <adamslovacek@gmail.com>, 2013 # Filip Hruska <fhr@fhrnet.eu>, 2014 +# Pivoj, 2015 # Jiří Vírava <appukonrad@gmail.com>, 2013-2014 # mxsedlacek, 2014 +# Tomas Palik <heidfeld@email.cz>, 2015 msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" -"PO-Revision-Date: 2014-12-04 08:50+0000\n" -"Last-Translator: runasand <runa.sandvik@gmail.com>\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" +"PO-Revision-Date: 2015-04-07 15:52+0000\n" +"Last-Translator: Tomas Palik <heidfeld@email.cz>\n" "Language-Team: Czech (http://www.transifex.com/projects/p/torproject/" "language/cs/)\n" "Language: cs\n" @@ -23,11 +25,11 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Tor je připraven" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "Nyní můžete přistupovat k Internetu." @@ -39,31 +41,57 @@ msgid "" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" -"<h1>Pomozte nám spravit váš problém!</h1>\n" -" <p>Přečtěte si <a href=\"%s\">naše instrukce pro nahlášení problému</a>.</" -"p>\n" -" <p><strong>Nepřikládejte více osobních informací než je \n" -" třeba!</strong></p>\n" -" <h2>Pokud nám chcete dát svou emailovou adresu</h2>\n" -" <p>Nevadí-li vám částečné odhalení vaší identity\n" -" vývojářům softwaru Tails, můžete poskytnout svou emailovou adresu\\n " -"abychom se vás mohli zeptat na podrobnosti kolem vámi pozorovaného " -"problému.. Přidáním\n" -" veřejného PGP klíče nám umožní naší budoucí korespondenci s vámi " -"zabezpečit \n" -" šifrováním.</p>\n" -" <p>Kdokoli kdo uvidí tuto odpověď, bude vědět že jste\n" -" uživatelem softwaru Tails. Není na čase zvážit, nakolik věříte vašemu\n" -" poskytovateli internetu a emailu?</p>\n" +"<h1>Pomožte nám opravit tuto chybu!</h1>\n" +"<p>Přečtěte si <a href=\"%s\">naše instrukce k reportování chyb</a>.</p>\n" +"<p><strong>Nevkládejte žádné osobní údaje, které nejsou nezbytně nutné!</" +"strong></p>\n" +"<h2>Jak je to s vaší emailovou adresou</h2>\n" +"<p>\n" +"Tím že uvedete váš email, nám umožníte, abychom Vás kontaktovali v případě, " +"že bude nutné upřesnit potíže. To je obvykle nutné u většinu ohlášených chyb " +"a pokud by nebylo možné Vás kontaktovat, bylo by vaše hlášení chyby k " +"ničemu. Na druhé straně musíte počítat s tím, že váš poskytovatel připojení " +"nebo provozovatel emailu může emailovou komunikaci odposlechnout a zjistit " +"tak, že používáte Tails.\n" +"</p>\n" + +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "Persistence je pro Electrum vypnuta" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" +"Doporučuje se aktivovat Persistence pro Electrum. Jinak se veškerá data z " +"Electrum ztratí při každém restartu Tails (včetně např. Bitcoinové " +"peněženky)." + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "Chcete i přesto spustit Electrum?" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Spustit" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Odejít" #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" @@ -93,64 +121,68 @@ msgstr "_Dešifrovat/Ověřit Schránku" msgid "_Manage Keys" msgstr "_Spravovat Klávesy" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "Schránka neobsahuje validní vstupní data." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "Neznámá důvěra" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "Marginální důvěra" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "Plná důvěra" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "Nekonečná důvěra" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "Jméno" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "ID klíče" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "Stav" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "Otisk:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "Uživatelské ID:" msgstr[1] "Uživatelská ID:" msgstr[2] "Uživatelská ID:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "Žádný (Nepřipojovat) " -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "Označit příjemce:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "Skrýtí příjemci" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -158,37 +190,37 @@ msgstr "" "Skrýt uživatelská jména všech příjemců šifrované zprávy. Jinak každý, kdo " "uvidí zašifrovanou zprávu můžete vidět, kdo jsou příjemci." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "Podepsat zprávu jako:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "Vybrat klíče" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "Důvěřujete těmto klíčům?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "Následující vybraný klíč není plně důvěryhodný:" msgstr[1] "Následující vybrané klíče nejsou plně důvěryhodné:" msgstr[2] "Následující vybrané klíče nejsou plně důvěryhodné:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "Věříte tomuto klíči dostatečně na to, abyste ho přesto použili?" msgstr[1] "Věříte těmto klíčům dostatečně na to, abyste je přesto použili?" msgstr[2] "Věříte těmto klíčům dostatečně na to, abyste je přesto použili?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "Nebyly vybrány žádné klíče" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -196,34 +228,34 @@ msgstr "" "Musíte vybrat soukromý klíč na podepsání nebo veřejný klíč na zašifrování " "zprávy nebo oba." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "Žádné dostupné klíče" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "Potřebujete soukromý klíč na podepsání zpráv nebo veřejný klíč na " "zašifrování zpráv." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "Chyba GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "Proto nemůže být operace provedena." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "GnuPG výsledky" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "Výstup z GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "Další zprávy poskytnuté GnuPG:" @@ -315,7 +347,7 @@ msgstr "" "website/doc/first_steps/startup_options/mac_spoofing.en.html#blocked\\\">MAC " "spoofing documentation</a>." -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "Tato verze Tails obsahuje následující bezpečnostní problémy:" @@ -358,12 +390,12 @@ msgstr "" "html'>documentation</a>." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "chyba:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "Chyba" @@ -406,10 +438,10 @@ msgstr "" #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Více informací ...</a>" +"virtualization.en.html#security'>Více zde...</a>" #: config/chroot_local-includes/usr/local/bin/tor-browser:18 msgid "Tor is not ready" @@ -427,11 +459,11 @@ msgstr "Nastartovat Tor Browser" msgid "Cancel" msgstr "Zrušit" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "Opravdu chcete spustit Nebezpečný prohlížeč?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -441,36 +473,19 @@ msgstr "" "Unsafe browser pouze pokud je to nutné například pokud se musíte přihlásit " "nebo registrovat při připojení k internetu." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "_Spustit" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "_Odejít" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "Spoštění nebezpečného prohlížeče..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "Může to nějakou dobu trvat, takže buďte trpěliví." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "Nepodařilo se nastavit \"chroot\"" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "Nebezpečný prohlížeč" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "Ukončování nebezpečného prohlížeče..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." @@ -478,11 +493,16 @@ msgstr "" "Tohle může chvíli trvat a nemusíte spustit Nebezpečný Prohlížeč dokud nebude " "spárvně vypnut." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "Znovuspuštění TORu nebylo úspěšné" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "Nebezpečný prohlížeč" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -490,7 +510,15 @@ msgstr "" "Další Nebezpečný Prohlížeč je nyní spuštěn nebo se čistí. Prosíme vraťte se " "později." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" +"Síťový manager poslal změť odpadních dat, když se snažil odvodit DNS server " +"v otevřeném webu." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." @@ -498,11 +526,23 @@ msgstr "" "Nebyl získán prostřednictvím DHCP nebo ručně nastaven v Síťovém správci " "žádný DNS server." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "Nepodařilo se nastavit \"chroot\"" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +msgid "Failed to configure browser." +msgstr "Nepodařilo se nakonfigurovat prohlížeč." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +msgid "Failed to run browser." +msgstr "Nepodařilo se spustit prohlížeč." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "I2P se nepodařilo spustit" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." @@ -510,20 +550,20 @@ msgstr "" "Něco se pokazilo při startu I2P. Zkontrolujte záznamy ve /var/log/i2p pro " "více informací." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" msgstr "I2P konzole routeru je připravena." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "" "Nyní se můžete připojit k I2P konzoli routeru na http://127.0.0.1:7657." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "I2P není připraveno." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " @@ -533,11 +573,11 @@ msgstr "" "routeru na http://127.0.0.1:7657/logs nebo zkontrolujte záznamy ve /var/log/" "i2p pro více informací. Znovu se připojte k síti a zkuste to prosím znovu." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "I2P je připraveno" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." msgstr "Nyní se můžete připojit ke službám na I2P." diff --git a/po/cy.po b/po/cy.po index 0e9c37a7ec502dfed4a59ec82d0daed6bcd5735a..5d1e54b6dc897de2ceeeb5c275a5e3e5d152a073 100644 --- a/po/cy.po +++ b/po/cy.po @@ -9,7 +9,7 @@ msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" "PO-Revision-Date: 2014-04-30 09:10+0000\n" "Last-Translator: runasand <runa.sandvik@gmail.com>\n" "Language-Team: Welsh (http://www.transifex.com/projects/p/torproject/" @@ -21,30 +21,31 @@ msgstr "" "Plural-Forms: nplurals=4; plural=(n==1) ? 0 : (n==2) ? 1 : (n != 8 && n != " "11) ? 2 : 3;\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Mae Tor yn barod" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "Yn awr, gallwch cysylltu a'r We." #: config/chroot_local-includes/etc/whisperback/config.py:64 -#, python-format +#, fuzzy, python-format msgid "" "<h1>Help us fix your bug!</h1>\n" "<p>Read <a href=\"%s\">our bug reporting instructions</a>.</p>\n" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" "<h1>Helpwch ni atgyweirio'ch byg!</h1>\n" "<p>Darllenwch <a href=\"%s\">ein cyfarwyddiadau i adroddi bygiau</a>.</p>\n" @@ -60,6 +61,31 @@ msgstr "" "yn tybu eich fod yn defnyddwyr Tails. Amser feddwl am faint o\n" "ymddiriediaeth rydych yn rhoi i'ch datparwyr We ac e-bost?</p>\n" +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Llwythwch" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Gadael" + #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" msgstr "Rhaglennig amgryptio OpenPGP" @@ -88,45 +114,49 @@ msgstr "Dadgryptio/Gwirio'r Clipfwrdd" msgid "_Manage Keys" msgstr "Rheoli Allweddi" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "Nid yw'r clipfwrdd yn cynnwys data mewnbwn ddilys." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "Ymddiriediaeth anhysbys" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "Ymddiriediaeth ymylol" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "Ymddiriediaeth llawn" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "Ymddiriediaeth terfynol" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "Enw" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "ID Allweddol" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "Statws" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "Olion Bysedd:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "ID Defnyddiwr:" @@ -134,19 +164,19 @@ msgstr[1] "IDau Defnyddiwr:" msgstr[2] "IDau Defnyddiwr:" msgstr[3] "IDau Defnyddiwr:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "Ddim (Peidiwch llofnodi)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "Dewiswch derbynwyr:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "Cyddiwch derbynwyr" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -154,19 +184,19 @@ msgstr "" "Cyddiwch yr IDau o phob derbynwr o neges amgryptiedig. Neu gall unrhyw un " "sy'n gweld y neges amlgryptiedig gallu gweld pwy yw'r derbynwyr." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "Llofnodwch y neges fel:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "Dewiswch allweddi" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "Ydych chi'n ymddiried yn yr allweddi rhain?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "Nid yw'r allwedd hon yn hollol ymddiriedig:" @@ -174,7 +204,7 @@ msgstr[1] "Nid yw'r allweddi hyn yn hollol ymddiriedig:" msgstr[2] "Nid yw'r allweddi hyn yn hollol ymddiriedig:" msgstr[3] "Nid yw'r allweddi hyn yn hollol ymddiriedig:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "Ydych chi'n ymddirio digon yn yr allwedd hon i'w ddefnyddio?" @@ -182,11 +212,11 @@ msgstr[1] "Ydych chi'n ymddirio digon yn yr allweddi hyn i'w ddefnyddio?" msgstr[2] "Ydych chi'n ymddirio digon yn yr allweddi hyn i'w ddefnyddio?" msgstr[3] "Ydych chi'n ymddirio digon yn yr allweddi hyn i'w ddefnyddio?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "Ddim allweddi wedi'i ddewis" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -194,34 +224,34 @@ msgstr "" "Maen rhaid i chithau dewis allwedd preifat i llofnodi'r neges, neu rhai " "allweddi gyhoeddus i amgryptio'r neges, neu'r ddwy." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "Ddim allweddi ar gael" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "Rydych chi angen allwedd preifat i llofnodi negeseuon, neu allwedd gyhoeddus " "i amgryptio negeseuon." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "Gwall GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "Felly, ni all yr gweithred fynd ymlaen." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "Canlyniadau GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "Allbwn o GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "Negeseuon eraill a ddarperir gan GnuPG:" @@ -313,7 +343,7 @@ msgstr "" "\"file:///usr/share/doc/tails/website/doc/first_steps/startup_options/" "mac_spoofing.en.html#blocked\\\">dogfenniaeth ffugio MAC Saesneg</a>." -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "Mae gan y fersiwn yma o Tails problemau diogelwich hysbys:" @@ -357,12 +387,12 @@ msgstr "" "startup_options/mac_spoofing.en.html'>dogfenniaeth Saesneg</a>." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "gwall:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "Gwall" @@ -402,9 +432,10 @@ msgstr "" "yn gwneud yn Tails." #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 +#, fuzzy msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" "virtualization.en.html'>Dysgwch fwy yn Saesneg...</a>" @@ -425,11 +456,11 @@ msgstr "Cychwyn Porwr Tor" msgid "Cancel" msgstr "Canslo" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "Ydych chi wir eisiau llwytho'r porwr anniogel?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -440,38 +471,21 @@ msgstr "" "engraifft os maen rhaid i chithai fewngofnodi neu gofrestru er mwyn llwytho " "eich cysylltiad We. " -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "_Llwythwch" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "_Gadael" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "Dechrau'r porwr anniogel..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "" "Efallai bydd hyn yn cymryd tipyn o amser, felly byddwch yn amineddgar, os " "gwelwch yn dda." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "Methu sefydlu'r croot." - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "Porwr anniogel" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "Yn cae lawr y porwr anniogel..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." @@ -479,11 +493,16 @@ msgstr "" "Efallai bydd hyn yn cymryd tipyn o amser. Ni allwch ailgychwyn y porwr " "anniogel tan ei fod wedi'i cau lawr yn iawn." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "Methu ailgychwyn Tor." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "Porwr anniogel" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -491,7 +510,13 @@ msgstr "" "Mae porwr anniogel arall yn rhedeg, neu yn cael ei daclyso. Ceisiwch eto " "mewn funud neu ddwy." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." @@ -499,11 +524,25 @@ msgstr "" "Doedd ddim gwasanaethwr DNS wedi'i sicrhau trwy DHCP, na trwy ffyrffweddiad " "â llaw yn NetworkManager." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "Methu sefydlu'r croot." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +#, fuzzy +msgid "Failed to configure browser." +msgstr "Methu ailgychwyn Tor." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +#, fuzzy +msgid "Failed to run browser." +msgstr "Methu ailgychwyn Tor." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "Methu dechrau I2P" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 #, fuzzy msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " @@ -512,33 +551,33 @@ msgstr "" "Wnaeth rhywbeth mynd yn anghywir pan roedd I2P yn llwytho. Am fwy o " "wybodaeth, edrychwch yn y cofnodau yn yr gyfeiriadur hon:" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 #, fuzzy msgid "I2P's router console is ready" msgstr "Bydd consol llwybrydd I2P yn agor wrth llwythi." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 #, fuzzy msgid "I2P is not ready" msgstr "Nid yw Tor yn barod" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " "Reconnect to the network to try again." msgstr "" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 #, fuzzy msgid "I2P is ready" msgstr "Mae Tor yn barod" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 #, fuzzy msgid "You can now access services on I2P." msgstr "Yn awr, gallwch cysylltu a'r We." diff --git a/po/da.po b/po/da.po index cf931732a14c24ff19c18e7d685de045c491153e..bef75924312ee4dea1ae005a5a47e6b24466d86b 100644 --- a/po/da.po +++ b/po/da.po @@ -6,17 +6,17 @@ # Anders Damsgaard <andersd@riseup.net>, 2013 # bna1605 <bna1605@gmail.com>, 2014 # christianflintrup <chr@agge.net>, 2014 -# Christian Villum <villum@autofunk.dk>, 2014 -# David Nielsen <gnomeuser@gmail.com>, 2014 +# Christian Villum <villum@autofunk.dk>, 2014-2015 +# David Nielsen <gnomeuser@gmail.com>, 2014-2015 # Niels, 2013 # Whiz Zurrd <Whizzurrd@hmamail.com>, 2014 msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" -"PO-Revision-Date: 2014-12-04 08:50+0000\n" -"Last-Translator: runasand <runa.sandvik@gmail.com>\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" +"PO-Revision-Date: 2015-02-26 12:35+0000\n" +"Last-Translator: David Nielsen <gnomeuser@gmail.com>\n" "Language-Team: Danish (http://www.transifex.com/projects/p/torproject/" "language/da/)\n" "Language: da\n" @@ -25,11 +25,11 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Tor er klar" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "Du kan nu forbinde til internettet" @@ -41,28 +41,59 @@ msgid "" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" -"<h1>Hjælp os med at rette din fejl!</h1>\n" -"<p>Se <a href=\"%s\">vores instruktioner vedrørende rapportering af fejl</a>." +"<h1>Hjælp os med at fikse din bug!</h1>\n" +"<p>Læs <a href=\"%s\">vores bug rapporteringsinstrukser</a>.</p>\n" +"<p><strong>Inkludér ikke mere personlig information end\n" +"behøvet!</strong></p>\n" +"<h2>Vedrørende at give os en mailadresse</h2>\n" +"<p>\n" +"Ved at give os en mailadresse tillader du os at kontakte dig for at " +"undersøge problemet. Dette\n" +"er nødvendigt for størstedelen af indsendte rapporter vi modtager, idet de " +"fleste rapporter\n" +"uden nogen kontaktinformation er ubrugelige. På den anden side åbner det dog " +"også\n" +"en mulighed for mellemmænd, såsom din email- eller Internetudbyder, for at\n" +"bekræfte at du bruger Tails.\n" "</p>\n" -"<p><strong>Inkluder ikke flere personlige oplysninger en højest nødvendigt!</" -"strong></p>\n" -"<h2>Om at give os din e-mail adresse</h2>\n" -"<p>Hvis du ikke har noget imod at oplyse en del af din identitet til Tails-" -"udviklerne, kan du oplyse din e-mail adresse så vi kan spørge ind til din " -"fejl. Hvis du indtaster din offentlige PGP nøgle, kan vi kryptere fremtidig " -"kommunikation.</p>\n" -"<p>Enhver som kan se dette svar, vil højst sandsynligt regne sig frem til at " -"du bruger Tails. I hvor høj grad kan du stole på din Internet og mail-" -"udbyder?</p>\n" + +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "Persistence er frakoblet for Electrum" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" +"Når du genstarter Tails vil alle Electrums data blive tabt, inklusiv din " +"Bitcoin pung. Det anbefales stærkt at du kun kører Electrum når persistence " +"funktionen er aktiveret." + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "Vil du starte Electrum alligevel?" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Start" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Afslut" #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" @@ -92,63 +123,67 @@ msgstr "Dekrypter/Godkend udklipsholder" msgid "_Manage Keys" msgstr "_Administrer nøgler" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "Udklipsholderen indeholder ikke gyldigt input data." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "Ukendt troværdighed" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "Marginal troværdighed" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "Fuld troværdighed" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "Ultimativ troværdighed" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "Navn" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "Nøgle ID" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "Status" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "Fingeraftryk:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "Bruger ID:" msgstr[1] "Bruger ID'er:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "Ingen (Signer ikke)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "Vælg modtagere:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "Skjul modtagere:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -156,25 +191,25 @@ msgstr "" "Skjul bruger ID'erne af alle modtagere af en krypteret besked. Ellers kan " "alle der ser den krypterede besked se hvem modtagerne er." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "Signer beskeden som:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "Vælg nøgler" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "Stoler du på disse nøgler?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "Stoler ikke fuldt på de følgende nøgler:" msgstr[1] "Stoler ikke fuldt på de følgende nøgler:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "" @@ -182,11 +217,11 @@ msgstr[0] "" msgstr[1] "" "Stoler du tilstrækkeligt på disse nøgler til at anvende dem alligevel?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "Ingen nøgler valgte" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -194,34 +229,34 @@ msgstr "" "Du skal vælge en privat nøgle til at signere beskeden, eller nogle " "offentlige nøgler til at kryptere beskeden, eller begge." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "Ingen nøgler tilgængelige" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "Du skal bruge en privat nøgle til at signere beskeder eller en offentlig " "nøgle til at kryptere dem." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "GnuPG fejl" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "Derfor kan denne handling ikke udføres." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "GnuPG resultater" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "GnuPG's output:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "Andre beskeder udbudt af GnuPG:" @@ -313,7 +348,7 @@ msgstr "" "usr/share/doc/tails/website/doc/first_steps/startup_options/mac_spoofing.en." "html#blocked\\\">MAC spoofing dokumentationen</a>" -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "Denne version af Tails har følgende kendte sikkerhedsproblemer:" @@ -357,12 +392,12 @@ msgstr "" "mac_spoofing.en.html'>dokumentationen</a>" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "fejl:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "Fejl" @@ -405,10 +440,10 @@ msgstr "" #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Læs mere...</a>" +"virtualization.en.html#security'>Lær mere...</a>" #: config/chroot_local-includes/usr/local/bin/tor-browser:18 msgid "Tor is not ready" @@ -426,11 +461,11 @@ msgstr "Start Tor Browser" msgid "Cancel" msgstr "Annullér" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "Er du sikker på at du vil starte den Usikre Browser?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -440,36 +475,19 @@ msgstr "" "den Usikre Browser hvis nødvendigt, for eksempel hvis du skal logge ind " "eller registrere for at aktivere din internetforbindelse." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "_Start" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "_Afslut" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "Starter den Usikre Browser..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "Dette kan tage et stykke tid, vær venligst tålmodig." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "Kunne ikke indstille chroot." - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "Usikker Browser" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "Afslutter den Usikre Browser" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." @@ -477,11 +495,16 @@ msgstr "" "Dette kan tage et stykke tid, og du må ikke genstarte den Usikre Browser " "indtil den er helt lukket ned." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "Kunne ikke genstarte Tor." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "Usikker Browser" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -489,7 +512,15 @@ msgstr "" "En anden Usikker Browser kører eller ryddes op. Forsøg igen om et kort " "stykke tid." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" +"NetworkManager sendte os dårlige data i forsøget på at fjerne clearnet DNS " +"serveren." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." @@ -497,11 +528,23 @@ msgstr "" "Ingen DNS server blev fundet gennem DHCP eller den manuelle konfiguration i " "NetværkManager." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "Kunne ikke indstille chroot." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +msgid "Failed to configure browser." +msgstr "Fejlede i konfigurationen af browseren" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +msgid "Failed to run browser." +msgstr "Kørslen af browseren fejlede." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "I2P kunne ikke starte" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." @@ -509,19 +552,19 @@ msgstr "" "Noget gik galt mens I2P startede. Se logfilerne i /var/log/i2p for flere " "detaljer." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" msgstr "I2Ps routerkonsol er klar." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "Du kan få adgang til I2Ps router konsol på http://127.0.0.1:7657." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "I2P er ikke klar" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " @@ -532,11 +575,11 @@ msgstr "" "i2p for mere information.\n" "Genopret forbindelsen til netværket og prøv igen" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "I2P er klar" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." msgstr "Du kan nu tilgå tjenester på I2P." diff --git a/po/de.po b/po/de.po index 695c4a74e4078ca984d5139775a00066727cab3f..496197acd24b83b581db559750113701caffb116 100644 --- a/po/de.po +++ b/po/de.po @@ -4,13 +4,17 @@ # # Translators: # Andreas Demmelbauer, 2014 +# Claudia <claudianied@web.de>, 2015 # trantor <clucko3@gmail.com>, 2014 +# DoKnGH26" 21 <dokngh2621@gmail.com>, 2015 +# D P, 2015 # Ettore Atalan <atalanttore@googlemail.com>, 2014 # gerhard <listmember@rinnberger.de>, 2013 # Larson März <lmaerz@emailn.de>, 2013 # Mario Baier <mario.baier26@gmx.de>, 2013 # malexmave <inactive+malexmave@transifex.com>, 2014 # Sandra R <drahtseilakt@live.com>, 2014 +# Sebastian <sebix+transifex@sebix.at>, 2015 # sycamoreone <sycamoreone@riseup.net>, 2014 # Tobias Bannert <tobannert@gmail.com>, 2014 # rike, 2014 @@ -18,9 +22,9 @@ msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" -"PO-Revision-Date: 2014-12-04 08:50+0000\n" -"Last-Translator: runasand <runa.sandvik@gmail.com>\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" +"PO-Revision-Date: 2015-03-21 22:52+0000\n" +"Last-Translator: DoKnGH26\" 21 <dokngh2621@gmail.com>\n" "Language-Team: German (http://www.transifex.com/projects/p/torproject/" "language/de/)\n" "Language: de\n" @@ -29,11 +33,11 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Tor ist bereit" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "Sie haben nun Zugriff auf das Internet." @@ -45,30 +49,59 @@ msgid "" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" -msgstr "" -"<h1>Helfen Sie uns den Fehler zu beheben!</h1>\n" -"<p>Lesen Sie <a href=\"%s\">unsere Anleitung zur Fehlerberichterstattung</a>." +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" "</p>\n" -"<p><strong>Geben Sie nicht mehr persönliche Informationen an als benötigt!</" -"strong></p>\n" -"<h2>Über die Angabe einer E-Mail-Adresse</h2>\n" -"<p>Wenn es Sie nicht stört, Teile Ihrer Identität gegenüber den Tails-" -"Entwicklern offenzulegen,\n" -"können Sie eine E-Mail-Adresse für Rückfragen angeben.\n" -"Ein zusätzlich angegebener PGP-Schlüssel, ermöglicht uns in Zukunft eine " -"verschlüsselte Kommunikation.</p>\n" -"<p>Jeder, der diese Antwort sehen kann, kann wahrscheinlich daraus " -"schlussfolgern,\n" -"dass Sie ein Tails-Nutzer sind. Zeit sich zu fragen, wie sehr\n" -"Sie Ihrem Internet und E-Mail-Anbieter vertrauen?</p>\n" +msgstr "" +"<h1>Helfen uns Ihren Fehler zu beheben!</h1>\n" +"<p>Lesen Sie <a href=\"%s\">unsere Fehlerberichtanleitung</a>.</p>\n" +"<p><strong>Geben Sie nur soviele persönliche Informationen an,\n" +"als unbedingt notwendig!</strong></p>\n" +"<h2>Über die Angabe von Email-Adressen</h2>\n" +"<p>\n" +"Die Angabe einer Email-Adresse erlaubt uns, Sie zu kontaktieren umd das " +"Problem\n" +"abzuklären. Dies ist notwendig für die große Mehrheit der erhaltenen " +"Berichte, da die\n" +"meisten Berichte ohne Kontaktinformationen nutzlos sind. Andererseits ist " +"dies eine\n" +"Einladung für böswillige Dritte, wie Ihr Email- oder Internetprovider, um " +"herauszufinden,\n" +"dass Sie Tails nutzen.</p>\n" + +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "Persistenz ist deaktiviert für Electrum." + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" +"Wenn Sie Tails neu starten, alle werden Daten von Electrum gelöscht, " +"inklusive Ihrer Bitcoin Geldbörse. Wir empfehlen endringlich Electrum mit " +"aktivierter Persistenz zu nutzen." + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "Wollen Sie Electrum trotzdem starten?" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Start" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Beenden" #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" @@ -98,63 +131,67 @@ msgstr "Zwischenablage _entschlüsseln/überprüfen" msgid "_Manage Keys" msgstr "Schlüssel _verwalten" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "Die Zwischenablage beinhaltet keine gültigen Eingabedaten." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "Unbekanntes Vertrauen" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "Geringfügiges Vertrauen" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "Volles Vertrauen" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "Unbegrenztes Vertrauen" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "Name" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "Schlüsselkennung" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "Status" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "Fingerabdruck:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "Benutzerkennung" msgstr[1] "Benutzerkennungen" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "Keine (Nicht signieren)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "Empfänger auswählen:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "Empfänger verstecken" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -162,35 +199,35 @@ msgstr "" "Verstecken Sie die Benutzerkennungen von allen Empfängern. Ansonsten weiß " "jeder, der die verschlüsselte Nachricht sieht, wer die Empfänger sind." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "Nachricht signieren als:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "Schlüssel auswählen" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "Vertrauen Sie diesen Schlüsseln?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "Dem folgenden ausgewählten Schlüssel wird nicht komplett vertraut:" msgstr[1] "Den folgenden ausgewählten Schlüsseln wird nicht komplett vertraut:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "Vertrauen Sie diesem Schlüssel genug, um ihn dennoch zu verwenden?" msgstr[1] "Vertrauen Sie diesen Schlüsseln genug, um sie dennoch zu verwenden?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "Keine Schlüssel ausgewählt" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -198,34 +235,34 @@ msgstr "" "Sie müssen einen privaten Schlüssel auswählen um die Nachricht zu signieren, " "oder öffentliche Schlüssel um die Nachricht zu verschlüsseln. Oder beides." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "Keine Schlüssel verfügbar" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "Sie benötigen private Schlüssel, um Nachrichten zu signieren oder einen " "öffentlichen Schlüssel um Nachrichten zu verschlüsseln." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "GnuPG-Fehler" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "Deshalb kann der Vorgang nicht ausgeführt werden." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "GnuPG-Ergebnisse" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "Ausgabe von GnuPG:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "Andere Nachrichten von GnuPG:" @@ -318,7 +355,7 @@ msgstr "" "startup_options/mac_spoofing.de.html#blocked\\\">Dokumentation zur MAC-" "Manipulation</a>." -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "Diese Tails-Version weist Sicherheitslücken auf:" @@ -363,12 +400,12 @@ msgstr "" "mac_spoofing.de.html'>Dokumentation</a> ansehen." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "Fehler:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "Fehler" @@ -413,10 +450,10 @@ msgstr "" #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Mehr erfahren …</a>" +"virtualization.de.html#security'>Mehr erfahren...</a>" #: config/chroot_local-includes/usr/local/bin/tor-browser:18 msgid "Tor is not ready" @@ -434,11 +471,11 @@ msgstr "Tor-Browser starten" msgid "Cancel" msgstr "Abbrechen" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "Möchten Sie wirklich den unsicheren Browser starten?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -448,36 +485,19 @@ msgstr "" "Benutzen Sie den unsicheren Browser nur wenn nötig, wie z.B. wenn Sie sich " "einloggen oder ihre Internetverbindung aktivieren müssen." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "_Start" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "_Beenden" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "Unsicherer Browser wird gestartet …" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "Dies könnte eine Weile dauern, bitte haben Sie etwas Geduld." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "Konnte chroot nicht einrichten." - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "Unsicherer Browser" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "Unsicherer Browser wird beendet …" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." @@ -485,11 +505,16 @@ msgstr "" "Dies könnte eine Weile dauern, und bevor der unsichere Browser geschlossen " "ist, können Sie ihn nicht noch einmal starten." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "Tor konnte nicht neu gestartet werden." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "Unsicherer Browser" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -497,7 +522,15 @@ msgstr "" "Ein anderer Unsicherer Browser ist derzeit offen oder wird gerade gesäubert. " "Bitte versuchen Sie es später noch einmal." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" +"Beim Versuch den Klarnetz-DNS-Server herauszufinden, hat NetworkManager " +"keine sinnvollen Daten geliefert." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." @@ -505,33 +538,45 @@ msgstr "" "Konnte keinen DNS-Server über DHCP oder aus den manuellen Einstellungen der " "Netzwerkverwaltung abrufen." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "Konnte chroot nicht einrichten." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +msgid "Failed to configure browser." +msgstr "Konfiguration des Browses fehlgeschlagen." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +msgid "Failed to run browser." +msgstr "Starten des Browsers fehlgeschlagen." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "I2P konnte nicht gestartet werden." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." msgstr "" -"Irgendetwas ist beim Start von I2P schiefgegangen. Überprüfen Sie die " +"Irgendetwas ist beim Start von I2P schief gegangen. Überprüfen Sie die " "Protokolle in var/log/i2p für weitere Informationen." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" msgstr "I2P-Routerkonsole ist bereit" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "" "Sie können nun hier auf die I2P-Routerkonsole zugreifen: " "http://127.0.0.1:7657." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "I2P ist noch nicht bereit" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " @@ -542,11 +587,11 @@ msgstr "" "Protokolle in /var/log/i2p für mehr Informationen. Verbinden Sie sich wieder " "mit dem Netzwerk, um es erneut zu versuchen." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "I2P ist bereit" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." msgstr "Sie können nun auf I2P-Dienste zugreifen." diff --git a/po/el.po b/po/el.po index 101d63b7141a17b0d427560656bec84ccfcc2276..cd6f8ab8ce34cdc08ae3b699f30eb41be6aa4609 100644 --- a/po/el.po +++ b/po/el.po @@ -17,7 +17,7 @@ msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" "PO-Revision-Date: 2014-12-04 08:50+0000\n" "Last-Translator: runasand <runa.sandvik@gmail.com>\n" "Language-Team: Greek (http://www.transifex.com/projects/p/torproject/" @@ -28,30 +28,31 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Το Tor είναι έτοιμο" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "Μπορείτε τώρα να έχετε πρόσβαση στο Διαδίκτυο." #: config/chroot_local-includes/etc/whisperback/config.py:64 -#, python-format +#, fuzzy, python-format msgid "" "<h1>Help us fix your bug!</h1>\n" "<p>Read <a href=\"%s\">our bug reporting instructions</a>.</p>\n" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" "<h1>Βοήθησε μας να φτιάξουμε το Bug σου!</h1>\n" "<p>Διάβασε<a href=\"%s\">τις οδηγίες για την αναφορά Bug</a>.</p>\n" @@ -69,6 +70,31 @@ msgstr "" "ένας χρήστης Tails . Έναι ώρα να αναρωτηθείς πόσο εμπιστέυεσε τον πάροχο " "Internet και email?</p>\n" +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Εκκίνηση" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Έξοδος" + #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" msgstr "Εφαρμογή OpenPGP κρυπτογράφησης" @@ -97,63 +123,67 @@ msgstr "_Αποκρυπτογράφηση/Επαλήθευση του Προχε msgid "_Manage Keys" msgstr "_Διαχείριση Κλειδιών" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "Το πρόχειρο δεν περιέχει έγκυρα δεδομένα εισόδου" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "Άγνωστη Εμπιστοσύνη" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "Οριακή Εμπιστοσύνη" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "Πλήρης Εμπιστοσύνη" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "Υπέρτατη Εμπιστοσύνη" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "Όνομα" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "ID Κλειδιού" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "Κατάσταση" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "Αποτύπωμα: " -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "ID χρήστη:" msgstr[1] "ID χρήστη:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "Κανένα (Μην υπογράφεις)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "Επιλογή παραληπτών:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "Απόκρυψη παραληπτών" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -162,35 +192,35 @@ msgstr "" "μηνύματος. Σε άλλη περίπτωση οποιοσδήποτε που βλέπει ένα κρυπτογραφημένο " "μήνυμα μπορεί να δει ποιοί είναι οι παραλήπτες." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "Υπογραφή μηνύματος σαν:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "Επιλογή κλειδιών" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "Εμπιστεύεστε αυτά τα κλειδιά;" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "Το ακόλουθο επιλεγμένο κλειδί δεν είναι πλήρως έμπιστο:" msgstr[1] "Το ακόλουθα επιλεγμένα κλειδιά δεν είναι πλήρως έμπιστα:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "Εμπιστεύεσαι αρκετά αυτό το κλειδί ώστε να το χρησιμοποιήσεις;" msgstr[1] "Εμπιστεύεσαι αρκετά αυτά τα κλειδιά ώστε να τα χρησιμοποιήσεις;" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "Δεν επιλέχθηκαν κλειδιά" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -198,34 +228,34 @@ msgstr "" "Πρέπει να επιλέξετε ένα ιδιωτικό κλειδί για να υπογράψετε το μήνυμα, ή " "κάποια δημόσια κλειδιά για να κρυπτογραφήσετε το μήνυμα, ή και τα δύο." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "Δεν υπάρχουν διαθέσιμα κλειδιά" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "Χρειάζεστε ένα ιδιωτικό κλειδί για να υπογράφετε μηνύματα ή ένα δημόσιο " "κλειδί για να κρυπτογραφείτε μηνύματα." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "Σφάλμα GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "Γι'αυτό δεν μπορεί να εκτελεστεί η λειτουργία." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "Αποτελέσματα GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "Έξοδος του GnuPG:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "Άλλα μηνύματα που παρέχονται από το GnuPG:" @@ -319,7 +349,7 @@ msgstr "" "startup_options/mac_spoofing.en.html#blocked\\\">MAC τεκμηρίωση " "πλαστογράφησης</ a>." -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "Αυτή η έκδοση του Tails έχει γνωστά προβλήματα ασφαλείας:" @@ -364,12 +394,12 @@ msgstr "" "startup_options/mac_spoofing.en.html'>τεκμηρίωση</a>." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "σφάλμα:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "Σφάλμα" @@ -411,9 +441,10 @@ msgstr "" "μέσα στο Tails." #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 +#, fuzzy msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" "virtualization.en.html'>Μάθετε περισσότερα...</a>" @@ -434,11 +465,11 @@ msgstr "Εκκίνηση του Tor Browser" msgid "Cancel" msgstr "Άκυρον" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "Θέλετε πραγματικά να ξεκινήσετε τον μη ασφαλή Browser;" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -449,36 +480,19 @@ msgstr "" "παράδειγμα εάν χρειάζεται να κάνετε login ή εγγραφή για να ενεργοποιήσετε τη " "συνδεσή σας στο διαδίκτυο." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "_Εκκίνηση" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "_Έξοδος" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "Εκκίνηση του μη ασφαλή Browser..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "Αυτό μπορεί να πάρει λίγο χρόνο, παρακαλούμε κάντε υπομονή." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "Αποτυχία ρύθμισης chroot." - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "Μη ασφαλής Browser" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "Κλείσιμο του μη ασφαλή Browser..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." @@ -486,11 +500,16 @@ msgstr "" "Αυτό μπορεί να πάρει λίγη ώρα, και δεν πρέπει να επανεκκινήσετε τον μη " "ασφαλή Browser μέχρι να κλείσει μόνος του σωστά." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "Αποτυχία επανεκκίνησης του Tor." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "Μη ασφαλής Browser" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -498,7 +517,13 @@ msgstr "" "Ένας άλλος Μη-Ασφαλής Browser εκτελείται αυτή τη στιγμή, ή του γίνεται " "εκκαθάριση. Παρακαλώ δοκιμάστε ξανά σε λίγο." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." @@ -506,11 +531,25 @@ msgstr "" "Δεν αποκτήθηκε DNS server μέσω DHCP ή μέσω χειροκίνητης ρύθμισης στο " "NetworkManager." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "Αποτυχία ρύθμισης chroot." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +#, fuzzy +msgid "Failed to configure browser." +msgstr "Αποτυχία επανεκκίνησης του Tor." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +#, fuzzy +msgid "Failed to run browser." +msgstr "Αποτυχία επανεκκίνησης του Tor." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "Το I2P απέτυχε να ξεκινήσει" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." @@ -518,21 +557,21 @@ msgstr "" "Κάτι δεν πήγε καλά όταν ξεκινούσε το I2P. Για περισσότερες πληροφορίες " "ελέγξτε τα αρχεία καταγραφής στο /var/log/i2p." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" msgstr "Η κονσόλα του δρομολογητή I2P είναι έτοιμη" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "" "Μπορείτε τώρα να έχετε πρόσβαση στην κονσόλα του ρούτερ I2P μέσω της " "διεύθυνσης http://127.0.0.1:7657." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "Ο I2P δεν είναι έτοιμος" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " @@ -543,11 +582,11 @@ msgstr "" "log / i2p για περισσότερες πληροφορίες. Επανασύνδεση με το δίκτυο για να " "προσπαθήσετε ξανά." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "Ο I2P είναι έτοιμος" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." msgstr "Μπορείτε τώρα να έχετε πρόσβαση στις υπηρεσίες I2P" diff --git a/po/en_GB.po b/po/en_GB.po index f7b00001ede90c5c521d45ad903aee8cb76ccb2e..f04ab35726a52befe6cd0883b53efc3873f52a36 100644 --- a/po/en_GB.po +++ b/po/en_GB.po @@ -3,16 +3,16 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: -# Andi Chandler <andi@gowling.com>, 2014 +# Andi Chandler <andi@gowling.com>, 2014-2015 # Billy Humphreys <sysop@enderbbs.enderservices.tk>, 2014 # Richard Shaylor <rshaylor@me.com>, 2014 msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" -"PO-Revision-Date: 2014-12-04 08:50+0000\n" -"Last-Translator: runasand <runa.sandvik@gmail.com>\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" +"PO-Revision-Date: 2015-03-21 20:37+0000\n" +"Last-Translator: Andi Chandler <andi@gowling.com>\n" "Language-Team: English (United Kingdom) (http://www.transifex.com/projects/p/" "torproject/language/en_GB/)\n" "Language: en_GB\n" @@ -21,11 +21,11 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Tor is ready." -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "You can now access the Internet" @@ -37,28 +37,58 @@ msgid "" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" "<h1>Help us fix your bug!</h1>\n" "<p>Read <a href=\"%s\">our bug reporting instructions</a>.</p>\n" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers? </p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" + +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "Persistence is disabled for Electrum" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "Do you want to start Electrum anyway?" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Launch" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Exit" #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" @@ -88,63 +118,67 @@ msgstr "_Decrypt/Verify Clipboard" msgid "_Manage Keys" msgstr "_Manage Keys" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "The clipboard does not contain valid input data." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "Unknown Trust" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "Marginal Trust" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "Full Trust" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "Ultimate Trust" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "Name" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "Key ID" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "Status" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "Fingerprint:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "User ID:" msgstr[1] "User IDs:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "None (Don't sign)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "Select recipients:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "Hide recipients" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -152,35 +186,35 @@ msgstr "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "Sign message as:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "Choose keys" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "Do you trust these keys?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "The following selected key is not fully trusted:" msgstr[1] "The following selected keys are not fully trusted:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "Do you trust this key enough to use it anyway?" msgstr[1] "Do you trust these keys enough to use them anyway?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "No keys selected" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -188,33 +222,33 @@ msgstr "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "No keys available" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "You need a private key to sign messages or a public key to encrypt messages." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "GnuPG error" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "Therefore the operation cannot be performed." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "GnuPG results" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "Output of GnuPG:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "Other messages provided by GnuPG:" @@ -306,7 +340,7 @@ msgstr "" "share/doc/tails/website/doc/first_steps/startup_options/mac_spoofing.en." "html#blocked\\\">MAC spoofing documentation</a>." -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "This version of Tails has known security issues:" @@ -350,12 +384,12 @@ msgstr "" "html'>documentation</a>." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "error:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "Error" @@ -396,10 +430,10 @@ msgstr "" #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" #: config/chroot_local-includes/usr/local/bin/tor-browser:18 msgid "Tor is not ready" @@ -417,11 +451,11 @@ msgstr "Start Tor Browser" msgid "Cancel" msgstr "Cancel" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "Do you really want to launch the Unsafe Browser?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -431,36 +465,19 @@ msgstr "" "the Unsafe Browser if necessary, for example if you have to login or " "register to activate your Internet connection." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "_Launch" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "_Exit" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "Starting the Unsafe Browser..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "This may take a while, so please be patient." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "Failed to setup chroot." - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "Unsafe Browser" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "Shutting down the Unsafe Browser..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." @@ -468,11 +485,16 @@ msgstr "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "Failed to restart Tor." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "Unsafe Browser" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -480,7 +502,15 @@ msgstr "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." @@ -488,11 +518,23 @@ msgstr "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "Failed to setup chroot." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +msgid "Failed to configure browser." +msgstr "Failed to configure browser." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +msgid "Failed to run browser." +msgstr "Failed to run browser." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "I2P failed to start" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." @@ -500,19 +542,19 @@ msgstr "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" msgstr "I2P's router console is ready" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "You can now access I2P's router console on http://127.0.0.1:7657." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "I2P isn't ready." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " @@ -522,11 +564,11 @@ msgstr "" "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " "Reconnect to the network to try again." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "I2P is now ready" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." msgstr "You can now access services on I2P." diff --git a/po/es.po b/po/es.po index df1548f98d369010ca377bec936da57cf655a67e..271f8d01e35ee3595d4c356a4eda8b7b3fffaeb3 100644 --- a/po/es.po +++ b/po/es.po @@ -4,16 +4,16 @@ # # Translators: # Cesar Enrique Sanchez Medina <cesare01@gmail.com>, 2014 -# Jose Luis <joseluis.tirado@gmail.com>, 2014 +# Jose Luis <joseluis.tirado@gmail.com>, 2014-2015 # Manuel Herrera <ma_herrer@yahoo.com.mx>, 2013 -# strel, 2013-2014 +# strel, 2013-2015 msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" -"PO-Revision-Date: 2014-12-04 08:50+0000\n" -"Last-Translator: runasand <runa.sandvik@gmail.com>\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" +"PO-Revision-Date: 2015-02-26 08:32+0000\n" +"Last-Translator: strel\n" "Language-Team: Spanish (http://www.transifex.com/projects/p/torproject/" "language/es/)\n" "Language: es\n" @@ -22,11 +22,11 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Tor está listo" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "Ahora puede acceder a Internet." @@ -38,29 +38,62 @@ msgid "" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" -"<h1>¡Ayúdenos a arreglar este fallo!</h1>\n" -"<p>Lea <a href=\"%s\">nuestas instrucciones para informar de errores</a>.</" -"p> \n" -"<p><strong>¡No incluya más información personal de la necesaria! </strong></" -"p> \n" -"<h2>En referencia a darnos una dirección de correo</h2> \n" -"<p>Si no le importa revelar algunos pequeños detalles de su identidad a los " -"desarrolladores de Tails, puede proporcionar un correo electrónico para " -"permitirnos preguntarle un poco más sobre el error. Además, introduciendo " -"una clave pública PGP nos permitirá encriptar estas futuras comunicaciones " -"con usted.</p> \n" -"<p>Cualquiera que pueda ver esta respuesta probablemente inferirá que usted " -"es un usuario de Tails. ¿Es el momento de preguntarse cuánto puede confiar " -"en sus proveedores de Internet y correo electrónico?</p>\n" +"<h1>¡Ayúdenos a solucionar su problema!<h1>\n" +"<p>Lea <a href=\"%s\">nuestras instrucciones para informar de errores</a>.</" +"p>\n" +"<p><strong>¡No incluya más información personal que \n" +"la imprescindible</strong></p>\n" +"<h2>Acerca de proporcionarnos su dirección de correo electrónico</h2>\n" +"<p>\n" +"Proporciónenos una dirección de correo electrónico que nos permita contactar " +"con\n" +"usted para aclarar el problema. Esto es necesario para la gran mayoría de " +"informes\n" +"que recibimos ya que el grueso de los que no incluyen información de " +"contacto\n" +"son inútiles. Por otra parte, también ofrece una oportunidad a fisgones, " +"como su \n" +"proveedor de correo electrónico o de Internet, para confirmar que está " +"usando Tails.\n" +"</p>\n" + +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "Persistencia desactivada por Electrum" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" +"Cuando reinicie Tails, todos los datos de Electrum se perderán, incluyendo " +"su cartera Bitcoin. Se recomienda firmemente que sólo ejecute Electrum " +"cuando su función de persistencia esté activada." + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "¿Quiere iniciar Electrum de todas formas?" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Iniciar" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Salir" #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" @@ -90,63 +123,67 @@ msgstr "_Descifrar/Verificar Portapapeles" msgid "_Manage Keys" msgstr "_Gestionar Claves" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "El portapapeles no contiene datos de entrada válidos." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "Confianza desconocida" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "Confianza reducida" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "Confianza completa" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "Confianza superior" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "Nombre" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "Identificador de Clave" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "Estado" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "Huella de validación:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "Identificador de usuario:" msgstr[1] "Identificadores de usuario:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "Ninguno (no firmar)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "Seleccionar destinatarios:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "Esconder destinatarios" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -155,35 +192,35 @@ msgstr "" "mensaje cifrado. De otra manera cualquiera que vea el mensaje cifrado puede " "ver quienes son los destinatarios." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "Firmar mensaje como:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "Elegir claves" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "¿Confía en estas claves?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "La siguiente clave seleccionada no goza de confianza completa:" msgstr[1] "Las siguientes claves seleccionadas no gozan de confianza completa:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "¿Confía lo suficiente en esta clave para usarla de todos modos?" msgstr[1] "¿Confía lo suficiente en estas claves para usarlas de todos modos?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "No se seleccionaron claves" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -191,34 +228,34 @@ msgstr "" "Debe seleccionar una clave privada para firmar este mensaje, o algunas " "claves públicas para cifrar el mensaje, o ambas." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "No hay claves disponibles" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "Necesita una clave privada para firmar mensajes o una clave pública para " "cifrar mensajes." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "Error de GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "Por lo tanto la operación no pudo ser realizada." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "Resultados de GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "Datos de salida de GnuPG:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "Otros mensajes emitidos por GnuPG:" @@ -313,7 +350,7 @@ msgstr "" "first_steps/startup_options/mac_spoofing.en.html#blocked\\\">documentación " "de simulación de la MAC</a>." -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "Esta versión de Tails tiene problemas de seguridad conocidos:" @@ -358,12 +395,12 @@ msgstr "" "es.html'>documentación</a>." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "error:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "Error" @@ -405,10 +442,10 @@ msgstr "" #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.es.html'>Conozca más...</a>" +"virtualization.es.html#security'>Conocer más...</a>" #: config/chroot_local-includes/usr/local/bin/tor-browser:18 msgid "Tor is not ready" @@ -426,11 +463,11 @@ msgstr "Iniciar Navegador Tor" msgid "Cancel" msgstr "Cancelar" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "¿De veras quiere iniciar el Navegador No Seguro?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -440,36 +477,19 @@ msgstr "" "el Navegador No Seguro sólo si es necesario, por ejemplo, si tiene que " "autentificarse o registrarse para activar su conexión a Internet." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "_Iniciar" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "_Salir" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "Iniciando el Navegador No Seguro..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "Esto puede llevar un tiempo, por favor, sea paciente." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "Fallo al establecer chroot." - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "Navegador No Seguro" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "Cerrando el Navegador No Seguro..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." @@ -477,11 +497,16 @@ msgstr "" "Esto puede llevar un tiempo, y no puede reiniciar el Navegador No Seguro " "hasta que se haya cerrado adecuadamente." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "Fallo al reiniciar Tor." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "Navegador No Seguro" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -489,7 +514,15 @@ msgstr "" "Otro Navegador No Seguro está ejecutándose actualmente, o está siendo " "limpiado. Inténtelo de nuevo dentro de un rato." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" +"NetworkManager (administrador de red) nos ha pasado datos basura al intentar " +"deducir el servidor DNS de clearnet." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." @@ -497,11 +530,23 @@ msgstr "" "Ningún servidor DNS fue obtenido a través de DHCP o configurado manualmente " "en el Administrador de Red (NetworkManager)." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "Fallo al establecer chroot." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +msgid "Failed to configure browser." +msgstr "Falló al configurar el navegador." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +msgid "Failed to run browser." +msgstr "Falló al iniciar el navegador." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "I2P falló al iniciarse" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." @@ -509,20 +554,20 @@ msgstr "" "Algo salió mal cuando I2P estaba iniciando. Revisar los registros en /var/" "log/i2p para mayor información." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" msgstr "La consola de router I2P esta listo" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "" "Ahora puedes acceder la consola de router I2P en http://127.0.0.1:7657." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "I2P no esta listo" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " @@ -532,11 +577,11 @@ msgstr "" "en http://127.0.0.1:7657/logs o los registros en /var/logs/i2p para mayor " "información. Reconectar a la red para intentar nuevamente." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "I2P esta listo" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." msgstr "Ahora puedes acceder a los servicios en I2P." diff --git a/po/fa.po b/po/fa.po index 694e6a68040e371173d65dbba905c8d8573d2273..159ce384a8c1e13b6055b194b39502ebfb6b7159 100644 --- a/po/fa.po +++ b/po/fa.po @@ -5,9 +5,10 @@ # Translators: # adriano <eb.ae@aol.com>, 2013 # signal89 <ali.faraji90@gmail.com>, 2014 +# Ali, 2015 # Danial Keshani <dani@daanial.com>, 2013 # Mohammad Hossein <desmati@gmail.com>, 2014 -# Gilberto, 2014 +# Gilberto, 2014-2015 # johnholzer <johnholtzer123@gmail.com>, 2014 # jonothan hipkey <j.hipkey4502@gmail.com>, 2014 # M. Heydar Elahi <m.heydar.elahi@gmail.com>, 2014 @@ -16,9 +17,9 @@ msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" -"PO-Revision-Date: 2014-12-04 08:50+0000\n" -"Last-Translator: runasand <runa.sandvik@gmail.com>\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" +"PO-Revision-Date: 2015-04-28 10:17+0000\n" +"Last-Translator: Ali\n" "Language-Team: Persian (http://www.transifex.com/projects/p/torproject/" "language/fa/)\n" "Language: fa\n" @@ -27,11 +28,11 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "تور آماده است" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "حالا می توانید به اینترنت دسترسی داشته باشید." @@ -43,26 +44,69 @@ msgid "" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" -"<h1>به ما کمک کنید تا باگ شما را رفع کنیم!</h1>\n" -"<p><a href=\"%s\">دستورالعمل اعلام باگ</a> را مطالعه کنید.</p>\n" -"<p><strong>از ارسال اطلاعات شخصی بیش از اندازه خودداری کنید!</strong></p>\n" -"<h2>اعلام آدرس ایمیل</h2>\n" -"<p>اگر شما با ارایه بخش کوچکی از هویت خودتان به تیم Tails مشکلی ندارید، " -"میتوانید آدرس ایمیل خودتان را اعلام کنید تا این امکان را به ما بدهید که در " -"صورت لزوم اطلاعات بیشتری در مورد باگ از شما بپرسیم. علاوه بر آن با وارد کردن " -"کلید عمومی PGP خودتان میتوانید به رمزنگاری ارتباطات آینده کمک کنید.</p>\n" -"<p>هر کسی که این پاسخ را ببیند میتواند حدس بزند که شما یک کاربر Tails هستید. " -"زمان آن رسیده است که بررسی کنید که شما چقدر به ارائه کنندگان سرویس اینترنت و " -"ایمیل خود اطمینان دارید؟</p>\n" +"<h1>برای رفع ایراد نرمافزاری به ما کمک کنید!</h1>\n" +"\n" +"<p><a href=\"%s\">راهنمای گزارش ایرادهای نرمافزاری ما</a> را بخوانید</p>\n" +"\n" +"<p><strong>Do not include more personal information than\n" +"\n" +"needed!</strong></p>\n" +"\n" +"<h2>دربارهی ارائهی یک آدرس رایانامه (ایمیل) به ما</h2>\n" +"\n" +"<p>\n" +"\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"\n" +"confirm that you are using Tails.\n" +"\n" +"</p>\n" + +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "اصرار است برای غیرفعال بودن Electrum" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" +"هنگامی که شما راه اندازی مجدد Tails، همه داده های Electrum از دست خواهد رفت، " +"از جمله کیف پول بیتکوین خود را. این است که به شدت توصیه می شود به تنهایی " +"اجرا شود Electrum هنگامی که ویژگی تداوم آن فعال می شود." + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "آیا شما می خواهید برای شروع های Electrum به هر حال؟" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "اجرا" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "خروج" #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" @@ -92,62 +136,66 @@ msgstr "رمزگشایی/تایید امضای کلیپبرد" msgid "_Manage Keys" msgstr "مدیریت کلیدها" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "کلیپبرد دادهٔ معتبری ندارد" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "قابل اطمینان نیست" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "به سختی قابل اطمینان است" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "قابل اطمینان است" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "کاملاً قابل اطمینان است" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "نام" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" -msgstr "آیدی کلید" +msgstr "کلید-شناسه" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "وضعیت" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "اثر انگشت:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "شناسههای کاربری:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "هیچ کدام (امضا نکن)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "دریافت کنندهها:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "دریافت کننده ها را مخفی کن" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -156,34 +204,34 @@ msgstr "" "اینصورت هر کسی که این پیغام رمزنگاری شده را دریافت می کند، می تواند بفهمد چه " "کسان دیگری آن را دریافت کرده اند." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "پیام را به این عنوان امضا کن:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "کلید رمزنگاری را انتخاب کن" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "آیا به این کلیدهای رمزنگاری اطمینان دارید؟" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "کلیدهایی زیر کاملاً قابل اطمینان نیستند:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "" "آیا به اندازی کافی به این کلیدها اطمینان دارید تا به هر حال استفاده شوند؟" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "کلیدی انتخاب نشده است" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -191,36 +239,36 @@ msgstr "" "با انتخاب یک کلید خصوصی میتوانید این پیام را امضا و با انتخاب کلید عمومی " "میتوانید آنرا رمزنگاری کنید؛ استفاده از هر دو مورد نیز امکانپذیر است." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" -msgstr "هیچ کلیدی در دسترس نیست" +msgstr "هیچ کلیدی در دسترس نیست" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "شما یک کلید خصوصی نیاز دارید تا پیامها را امضا کنید و یا یک کلید عمومی نیاز " "دارید تا بتوانید پیامها را رمزنگاری کنید." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "خطای GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "بنابراین عملیات قابل اجرا نیست." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "نتایج GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "خروجی GnuPG:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" -msgstr "سایر پیغام هایی که GnuPG محیا کرده است:" +msgstr "سایر پیغامهایی که GnuPG ارائه کرده است:" #: config/chroot_local-includes/usr/local/lib/shutdown-helper-applet:39 msgid "Shutdown Immediately" @@ -228,11 +276,11 @@ msgstr "فوراً خاموش کن" #: config/chroot_local-includes/usr/local/lib/shutdown-helper-applet:40 msgid "Reboot Immediately" -msgstr "فوراً راه اندازی مجدد کن" +msgstr "فوراً راهاندازی مجدد کن" #: config/chroot_local-includes/usr/local/bin/tails-about:16 msgid "not available" -msgstr "امکان پذیر نیست" +msgstr "امکانپذیر نیست" #: config/chroot_local-includes/usr/local/bin/tails-about:19 #: ../config/chroot_local-includes/usr/share/desktop-directories/Tails.directory.in.h:1 @@ -241,7 +289,7 @@ msgstr "Tails" #: config/chroot_local-includes/usr/local/bin/tails-about:24 msgid "The Amnesic Incognito Live System" -msgstr "سیستم عامل ناشناخته مبتلا به فراموشی" +msgstr "سیستمعامل ناشناخته مبتلا به فراموشی" #: config/chroot_local-includes/usr/local/bin/tails-about:25 #, python-format @@ -261,7 +309,7 @@ msgstr "دربارهٔ Tails" #: config/chroot_local-includes/usr/local/sbin/tails-additional-software:124 #: config/chroot_local-includes/usr/local/sbin/tails-additional-software:128 msgid "Your additional software" -msgstr "نرمافزارهای افزودهشدهٔ شما" +msgstr "نرمافزارهای افزوده شدهی شما" #: config/chroot_local-includes/usr/local/sbin/tails-additional-software:119 #: config/chroot_local-includes/usr/local/sbin/tails-additional-software:129 @@ -280,7 +328,7 @@ msgstr "بهروزرسانی موفقیت آمیز بود." #: config/chroot_local-includes/usr/local/bin/tails-htp-notify-user:52 msgid "Synchronizing the system's clock" -msgstr "در حال همزمان کردن ساعت سیستم" +msgstr "در حال همزمان کردن ساعت سیستم" #: config/chroot_local-includes/usr/local/bin/tails-htp-notify-user:53 msgid "" @@ -292,7 +340,7 @@ msgstr "" #: config/chroot_local-includes/usr/local/bin/tails-htp-notify-user:87 msgid "Failed to synchronize the clock!" -msgstr "همزمان سازی ساعت موفقیت آمیز نبود!" +msgstr "همزمانسازی ساعت موفقیتآمیز نبود!" #: config/chroot_local-includes/usr/local/sbin/tails-restricted-network-detector:38 msgid "Network connection blocked?" @@ -310,7 +358,7 @@ msgstr "" "tails/website/doc/first_steps/startup_options/mac_spoofing.en.html#blocked\\" "\">مستندات MAC Spoofing</a> مراجعه کنید." -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "این نسخه از Tails این مشکلات امنیت شناخته شده را دارد:" @@ -356,12 +404,12 @@ msgstr "" "first_steps/startup_options/mac_spoofing.en.html'>مستندات</a> رجوع کنید." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "خطا :" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "خطا" @@ -403,10 +451,10 @@ msgstr "" #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>بیشتر بدانید...</a>" +"virtualization.en.html#security'>بیشتر بدانید...</a>" #: config/chroot_local-includes/usr/local/bin/tor-browser:18 msgid "Tor is not ready" @@ -424,11 +472,11 @@ msgstr "اجرای مرورگر تور" msgid "Cancel" msgstr "لغو" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "آیا واقعا قصد دارید که مرورگر نا امن را اجرا کنید؟" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -438,48 +486,36 @@ msgstr "" "صورت لزوم از مرورگر نا امن استفاده کنید, بعنوان مثال درشرایطی که باید وارد " "شوید یا ثبت نام کنید تا اتصال اینترنت را برقرار کنید." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "اجرا" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "خروج" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." -msgstr "درحال اجرای مرورگر نا امن" +msgstr "در حال اجرای مرورگر نا امن" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "این ممکن است مدتی طول بکشد, بنابراین لطفا شکیبا باشید." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "عدم موفقیت در راه اندازی Chroot" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "مرورگر نا امن" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." -msgstr "درحال بستن مرورگر نا امن" +msgstr "در حال بستن مرورگر نا امن" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." msgstr "" -"این ممکن است مدتی طول بکشد, و تا زمانی که به درستی خاموش شود لطفا مرورگر " -"ناامن را ری استارت نکنید" +"ممکن است مدتی طول بکشد. تا زمانی که به درستی خاموش شود لطفا مرورگر ناامن را " +"ری استارت نکنید" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "عدم موفقیت در ری استارت کردن Tor" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "مرورگر ناامن" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -487,17 +523,35 @@ msgstr "" "یک مرورگر نا امن دیگر درحال اجرا, یا در حال پاکسازی است. لطفا کمی دیرتر " "دوباره امتحان کنید." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "شبکه ما گذشت داده زباله هنگام تلاش برای استنباط سرور DNS بخش عمومی." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." msgstr "هیچ سرور DNS از طریق DHCP یا تنظیم دستی در NetworkManager بدست نیامد." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "عدم موفقیت در راه اندازی Chroot" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +msgid "Failed to configure browser." +msgstr "پیکربندی مرورگر ناموفق بود." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +msgid "Failed to run browser." +msgstr "اجرای مرورگر ناموفق بود." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "I2P نتوانست شروع کند" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." @@ -505,21 +559,21 @@ msgstr "" "در زمان شروع به کار I2P اشکالی پیش آمد.برای اطلاعات بیشتر گزارش وقایع را " "در /var/log/i2p بررسی کنید." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" msgstr "صفحه تنظیمات مسیریاب I2P آماده است." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "" "حالا شما می توانید به صفحه تنظیمات مسیریاب I2P در آدرس http://127.0.0.1:7657 " "متصل شوید." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "I2P آماده نیست." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " @@ -529,11 +583,11 @@ msgstr "" "i2p\n" "را برسی کن برای اطلاعات بیشتر. دوباره به شبکه متصل کن که ببینی اگر کار کرد." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "I2P آماده است." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." msgstr "حالا شما می توانید به سرویس های روی I2P دسترسی داشته باشید." @@ -564,15 +618,15 @@ msgstr "اطلاعات بیشتر در مورد Tails را یاد بگیرید" #: ../config/chroot_local-includes/usr/share/applications/tails-reboot.desktop.in.h:1 msgid "Reboot" -msgstr "ری استارت." +msgstr "راهاندازی مجدد" #: ../config/chroot_local-includes/usr/share/applications/tails-reboot.desktop.in.h:2 msgid "Immediately reboot computer" -msgstr "فورا رایانه را ریستارت کن" +msgstr "فورا رایانه را دوباره راهاندازی کن" #: ../config/chroot_local-includes/usr/share/applications/tails-shutdown.desktop.in.h:1 msgid "Power Off" -msgstr "قطع برق رایانه" +msgstr "خاموش کردن رایانه" #: ../config/chroot_local-includes/usr/share/applications/tails-shutdown.desktop.in.h:2 msgid "Immediately shut down computer" @@ -584,16 +638,16 @@ msgstr "مرورگر تور" #: ../config/chroot_local-includes/usr/share/applications/tor-browser.desktop.in.h:2 msgid "Anonymous Web Browser" -msgstr "مرورگر شبکه با کاربر ناشناس" +msgstr "مرورگر ناشناس" #: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:2 msgid "Browse the World Wide Web without anonymity" -msgstr "شبکه جهانی را بدون ناشناس بودن مرور کنید." +msgstr "شبکه جهانی وب (اینترنت) را بدون ناشناس بودن مرور کنید" #: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:3 msgid "Unsafe Web Browser" -msgstr "مرورگر وب نا امن." +msgstr "مرورگر وب ناامن" #: ../config/chroot_local-includes/usr/share/desktop-directories/Tails.directory.in.h:2 msgid "Tails specific tools" -msgstr "ابزار های بارز Tails" +msgstr "ابزارهای بارز Tails" diff --git a/po/fi.po b/po/fi.po index 6e1e8eced5c5270daa0bfa73a9636a7b8551d8d5..b1e284c05a5cf92d88626e44429cabd1a7b75aba 100644 --- a/po/fi.po +++ b/po/fi.po @@ -3,7 +3,8 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: -# karvjorm <karvonen.jorma@gmail.com>, 2014 +# Jorma Karvonen <karvonen.jorma@gmail.com>, 2015 +# Jorma Karvonen <karvonen.jorma@gmail.com>, 2014 # Tomi Toivio <tomi@sange.fi>, 2013 # tonttula, 2013 # Finland355 <ville.ehrukainen2@gmail.com>, 2014 @@ -11,9 +12,9 @@ msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" -"PO-Revision-Date: 2014-12-04 08:50+0000\n" -"Last-Translator: runasand <runa.sandvik@gmail.com>\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" +"PO-Revision-Date: 2015-03-04 15:12+0000\n" +"Last-Translator: Jorma Karvonen <karvonen.jorma@gmail.com>\n" "Language-Team: Finnish (http://www.transifex.com/projects/p/torproject/" "language/fi/)\n" "Language: fi\n" @@ -22,11 +23,11 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Tor on valmis" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "Voit nyt päästä internettiin." @@ -38,27 +39,57 @@ msgid "" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" -"<h1>Auta meitä korjaamaan tämä ohjelmointivirhe!</h1>\n" +"<h1>Auta meitä korjaamaan löytämäsi virheen!</h1>\n" "<p>Lue <a href=\"%s\">vikailmoitusohjeemme</a>.</p>\n" -"<p><strong>Älä sisällytä henkilökohtaisia tietoja enempää kuin on " -"tarpeellista!</strong></p>\n" +"<p><strong>Älä sisällytä henkilökohtaisia tietoja enempää kuin välttämätöntä!" +"</strong></p>\n" "<h2>Sähköpostiosoitteen antamisesta meille</h2>\n" -"<p>Jos et pelkää henkilöllisyydestäsi paljastamista Tails-kehittäjille, voit " -"tarjota sähköpostiosoitteen, josta voimme kysyä lisätietoja viasta. Lisäksi " -"julkisen PGP-avaimen kirjoittaminen sallii meidän salakirjoittaa sellaisen " -"tulevan yhteydenpidon.</p>\n" -"<p>Kaikki, jotka voivat nähdä tämän vastauksen päättelevät luultavasti, että " -"olet Tails-käyttäjä. Aika miettiä, kuinka paljon luotat Internettiisi ja " -"sähköpostipalvelutarjoajiisi?</p>\n" +"<p>\n" +"Antamalla meille sähköpostiosoitteen sallit meidän ottaa yhteyttä pulman " +"selvittämiseksi. Tätä tarvitaan sillä ilmoitusten valtava enemmistö on ilman " +"yhteystietoja hyödyttömiä. Toisaalta se myös tarjoaa mahdollisuuden " +"salakuunteluun, kuten sähköposti- tai Internet-tarjoajallesi, vahvistaa, " +"että käytät Tails-ohjelmaa.\n" +"</p>\n" + +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "Säilyvyys on otettu pois käytöstä Electrumille" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" +"Kun käynnistät uudelleen Tails-sovelluksen, kaikki Electrum-tiedot katoavat, " +"mukaan lukien Bitcoin-lompakkosi. Suositellaan ponnekkaasti sitä, että " +"Electrum-sovellusta suoritetaan vain kun sen säilyvyysominaisuus on " +"aktivoitu." + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "Haluatko silti käynnistää Electrum-sovelluksen?" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Käynnistä" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Lopeta" #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" @@ -88,63 +119,67 @@ msgstr "_Pura/todenna leikepöydän salaus" msgid "_Manage Keys" msgstr "_Hallitse avaimia" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "Leikepöytä ei sisällä kelvollista syötetietoa." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "Tuntematon luotettavuus." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "Marginaalinen luottamus" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "Täysi luotettavuus." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "Rajoittamaton luottamus" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "Nimi" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "Avaintunniste" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "Tila" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "Sormenjälki:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "Käyttäjätunniste:" msgstr[1] "Käyttäjätunnisteet:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "Ei mitään (älä allekirjoita)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "Valitse vastaanottajat:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "Piilota vastaanottajat" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -153,35 +188,35 @@ msgstr "" "Muuten kaikki, jotka näkevät salakirjoitetun viestin, voivat nähdä ketkä " "ovat vastaanottajat." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "Allekirjoita viesti nimellä:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "Valitse avaimet" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "Luotatko näihin avaimiin?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "Seuraavaan valittuun avaimeen ei lueteta täysin:" msgstr[1] "Seuraaviin valittuihin avaimiin ei luoteta täysin:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "Luotatko tähän avaimeen kylliksi käyttääksesi sitä silti?" msgstr[1] "Luotatko näihin avaimiin kylliksi käyttääksesi niitä silti?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "Ei valittuja avaimia" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -189,34 +224,34 @@ msgstr "" "Sinun on valittava yksityinen avain viestin allekirjoitukseen, tai jonkun " "julkisista avaimista viestin salakirjoittamiseen, tai molemmat." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "Avaimia ei saatavilla" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "Tarvitset yksityisen avaimen viestin allekirjoitukseen tai julkisen avaimen " "viestin salakirjoittamiseen." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "GnuPG-virhe" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "Tämän vuoksi tehtävää ei voida suorittaa." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "GnuPG-tulokset" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "GnuPG-tuloste:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "Muut GnuPG-viestit:" @@ -308,7 +343,7 @@ msgstr "" "\"file:///usr/share/doc/tails/website/doc/first_steps/startup_options/" "mac_spoofing.en.html#blocked\\\">MAC-väärennysohjeet</a>." -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "Tässä Tails-versiossa on tunnettuja turvallisuusriskejä:" @@ -353,12 +388,12 @@ msgstr "" "mac_spoofing.en.html'>ohjeet</a>." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "virhe:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "Virhe" @@ -400,10 +435,10 @@ msgstr "" #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Opi lisää...</a>" +"virtualization.en.html#security'>Opi lisää...</a>" #: config/chroot_local-includes/usr/local/bin/tor-browser:18 msgid "Tor is not ready" @@ -421,11 +456,11 @@ msgstr "Käynnistä Tor-selain" msgid "Cancel" msgstr "Peruuta" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "Haluatko varmasti käynnistää turvattoman selaimen?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -435,36 +470,19 @@ msgstr "" "turvatonta webbiselainta vain kun se on välttämätöntä, esimerkiksi jos sinun " "on kirjauduttava tai rekisteröidyttävä Internet-yhteytesi aktivoimiseksi." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "_Käynnistä" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "_Lopeta" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "Käynnistetään turvaton selain..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "Tämä voi kestää hetken, odota rauhassa." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "Chroot-asennus epäonnistui." - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "Turvaton selain" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "Suljetaan turvaton selain..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." @@ -472,11 +490,16 @@ msgstr "" "Tämä saattaa kestää hetkisen, ja et saa käynnistää turvatonta webbiselainta " "uudelleen, kunnes se on suljettu oikein." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "Torin uudelleenkäynnistys epäonnistui." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "Turvaton selain" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -484,7 +507,15 @@ msgstr "" "Toinen turvaton webbiselain on käynnissä, tai sitä ollaan sulkemassa. Yritä " "uudelleen hetken kuluttua." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" +"Verkonhallinta välitti meille roskatietoja yrittäessään päätellä clearnet " +"DNS-palvelinta." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." @@ -492,11 +523,23 @@ msgstr "" "DHCP:stä tai manuaalisesti asetetusta Verkkohallinnasta ei saatu DNS-" "palvelinta." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "Chroot-asennus epäonnistui." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +msgid "Failed to configure browser." +msgstr "Selaimen asettaminen epäonnistui." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +msgid "Failed to run browser." +msgstr "Selaimen suorittaminen epäonnistui." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "I2P-käynnistys epäonnistui" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." @@ -504,19 +547,19 @@ msgstr "" "Jotain meni pieleen I2P:n käynnistyksen yhteydessä. Tarkista lisätietoja " "lokitiedostosta osoitteessa /var/log/i2p." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" msgstr "I2P:n reititinpääteikkuna on valmis" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "Pääset I2P:n reititinpääteikkunaan osoitteessa http://127.0.0.1:7657." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "I2P ei ole valmis" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " @@ -527,11 +570,11 @@ msgstr "" "tai lokitiedostoista osoitteessa /var/log/i2p. Yritä uudelleen kytkeytymällä " "taas verkkoon." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "I2P on valmis" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." msgstr "Sinulla on nyt pääsy I2P-palveluihin." diff --git a/po/fr.po b/po/fr.po index 80aa33191baae5b0055619f8222addb9a088e0ef..20dc964f9059f04c2dfa338909ea4b425f85295d 100644 --- a/po/fr.po +++ b/po/fr.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" -"PO-Revision-Date: 2014-11-10 17:34+0100\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" +"PO-Revision-Date: 2015-01-18 12:44-0000\n" "Last-Translator: amnesia <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" @@ -18,30 +18,31 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: Poedit 1.5.4\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Tor est prêt" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "Vous pouvez maintenant accéder à Internet." #: config/chroot_local-includes/etc/whisperback/config.py:64 -#, python-format +#, fuzzy, python-format msgid "" "<h1>Help us fix your bug!</h1>\n" "<p>Read <a href=\"%s\">our bug reporting instructions</a>.</p>\n" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" "<h1>Aidez-nous à résoudre votre problème !</h1>\n" "<p>Lire <a href=\"%s\">nos instructions sur le signalement de\n" @@ -61,6 +62,31 @@ msgstr "" "accordez à votre fournisseur d'accès à Internet et à votre\n" "hébergeur email...</p>\n" +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Lancer" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Sortir" + #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" msgstr "Applet de chiffrement OpenPGP" @@ -89,63 +115,67 @@ msgstr "_Déchiffrer/Vérifier le presse-papier" msgid "_Manage Keys" msgstr "_Gérer les Clés" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "Le presse-papier ne contient pas de données valides." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "Confiance inconnue" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "Confiance marginale" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "Confiance complète" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "Confiance ultime" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "Nom" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "Identifiant de la clé" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "Statut" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "Empreinte :" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "Identifiant de l'utilisateur :" msgstr[1] "Identifiants de l'utilisateur :" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "Aucun (ne pas signer)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "Choisir les destinataires :" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "Cacher les destinataires" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -154,26 +184,26 @@ msgstr "" "chiffré. Sans quoi n'importe qui voyant le message chiffré peut savoir à qui " "il est destiné." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "Signer le message en tant que :" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "Choisir les clés" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "Faites-vous confiance à ces clés ?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "La clé sélectionnée suivante n'est pas totalement de confiance :" msgstr[1] "" "Les clés sélectionnées suivantes ne sont pas totalement de confiance :" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "" @@ -181,11 +211,11 @@ msgstr[0] "" msgstr[1] "" "Faites-vous quand même assez confiance à ces clés pour les utiliser ?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "Aucune clé sélectionnée" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -193,34 +223,34 @@ msgstr "" "Vous devez sélectionner une clé privée pour signer le message, ou une clé " "publique pour le chiffrer, ou les deux." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "Pas de clé disponible" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "Vous avez besoin d'une clé privée pour signer les messages ou d'une clé " "publique pour les chiffrer." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "Erreur de GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "L'opération ne peut pas être effectuée." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "Résultat de GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "Voici la sortie de GnuPG :" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "Autres messages de GnuPG :" @@ -313,7 +343,7 @@ msgstr "" "startup_options/mac_spoofing.fr.html#blocked\\\">documentation sur " "l'usurpation d'adresse MAC</a>." -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "Cette version de Tails a des problèmes de sécurité connus :" @@ -358,12 +388,12 @@ msgstr "" "mac_spoofing.fr.html'>documentation</a>." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "erreur :" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "Erreur" @@ -405,12 +435,13 @@ msgstr "" "surveiller ce que vous faites dans Tails." #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 +#, fuzzy msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.fr.html'>En savoir plus...</a>" +"virtualization.fr.html#security'>En savoir plus...</a>" #: config/chroot_local-includes/usr/local/bin/tor-browser:18 msgid "Tor is not ready" @@ -428,11 +459,11 @@ msgstr "Démarrer Tor Browser" msgid "Cancel" msgstr "Annuler" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "Êtes-vous sûr de vouloir utiliser le Navigateur Non-sécurisé ?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -443,36 +474,19 @@ msgstr "" "si vous devez vous identifier ou vous enregistrer pour avoir accès à " "Internet." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "_Lancer" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "_Sortir" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "Lancement du Navigateur Non-sécurisé..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "Ceci peut prendre du temps, merci d'être patient." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "L'exécution de chroot a échoué." - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "Navigateur Non-sécurisé..." - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "Fermeture du Navigateur Non-sécurisé..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." @@ -480,11 +494,16 @@ msgstr "" "Ceci peut prendre du temps, il vaut mieux ne pas relancer le Navigateur Non-" "sécurisé avant sa fermeture complète." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "Le redémarrage de Tor a échoué." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "Navigateur Non-sécurisé..." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -492,7 +511,13 @@ msgstr "" "Un autre Navigateur Non-sécurisé est en cours d'utilisation, ou en train " "d'être nettoyé. Merci d'essayer à nouveau dans un instant." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." @@ -500,11 +525,25 @@ msgstr "" "Aucun serveur DNS n'a été obtenu en DHCP ou via une configuration manuelle " "dans NetworkManager." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "L'exécution de chroot a échoué." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +#, fuzzy +msgid "Failed to configure browser." +msgstr "Le redémarrage de Tor a échoué." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +#, fuzzy +msgid "Failed to run browser." +msgstr "Le redémarrage de Tor a échoué." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "Le redémarrage d'I2P a échoué." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." @@ -512,21 +551,21 @@ msgstr "" "Quelque chose n'a pas marché lors du lancement d'I2P. Pour plus " "d'informations, lisez les journaux dans /var/log/i2p." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" msgstr "La console du routeur I2P est prête" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "" "Vous pouvez maintenant avoir accès à la console du routeur I2P à l'adresse " "http://127.0.0.1:7657." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "I2P n'est pas prêt" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " @@ -536,11 +575,11 @@ msgstr "" "routeur à l'adresse http://127.0.0.1:7657/logs ou les journaux dans /var/log/" "i2p pour plus d'informations. Reconnectez le réseau pour essayer à nouveau." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "I2P est prêt" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." msgstr "Vous pouvez maintenant accéder à des services d'I2P." @@ -586,14 +625,12 @@ msgid "Immediately shut down computer" msgstr "Éteindre immédiatement l'ordinateur" #: ../config/chroot_local-includes/usr/share/applications/tor-browser.desktop.in.h:1 -#, fuzzy msgid "Tor Browser" -msgstr "Démarre Tor Browser" +msgstr "Démarre le navigateur Tor" #: ../config/chroot_local-includes/usr/share/applications/tor-browser.desktop.in.h:2 -#, fuzzy msgid "Anonymous Web Browser" -msgstr "Navigateur Web Non-sécurisé" +msgstr "Navigateur Web Anonyme" #: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:2 msgid "Browse the World Wide Web without anonymity" diff --git a/po/fr_CA.po b/po/fr_CA.po index 3e657fdac240024e5a2b63e67f7881be512ba126..23b5116eee4e60e09223c4a094f1cbbb4e61a016 100644 --- a/po/fr_CA.po +++ b/po/fr_CA.po @@ -7,14 +7,14 @@ # Jean-Yves Toumit <saiolar-c@yahoo.fr>, 2013 # Onizuka, 2013 # Towatowa441, 2013 -# yahoe.001, 2014 +# yahoe.001, 2014-2015 msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" -"PO-Revision-Date: 2014-12-04 08:50+0000\n" -"Last-Translator: runasand <runa.sandvik@gmail.com>\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" +"PO-Revision-Date: 2015-02-25 14:41+0000\n" +"Last-Translator: yahoe.001\n" "Language-Team: French (Canada) (http://www.transifex.com/projects/p/" "torproject/language/fr_CA/)\n" "Language: fr_CA\n" @@ -23,11 +23,11 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Tor est prêt" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "Vous pouvez maintenant accéder à Internet." @@ -39,29 +39,60 @@ msgid "" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" -"<h1>Aidez-nous à régler votre bogue!</h1>\n" -"<p>Lire <a href=\"%s\">comment rapporter un bogue</a>.</p>\n" -"<p><strong>Ne pas inclure plus d'informations personnelles\n" -"que nécessaire!</strong></p>\n" -"<h2>Pourquoi nous donner votre adresse courriel?</h2>\n" -"<p>Si cela ne vous dérange pas de divulguer quelque peu \n" -"votre identité aux développeurs de Tails, vous pouvez nous \n" -"fournir une adresse courriel pour nous permettre de demander\n" -"plus de détails sur le bogue. De plus, saisir une clef PGP publique\n" -"nous permet de chiffrer de telles communications futures.</p>\n" -"<p>N'importe qui pouvant voir cette réponse pourra probablement\n" -"déduire que vous êtes un utilisateur de Tails. C'est le moment de\n" -"vous demander si vous faites confiance à votre fournisseur d'accès\n" -"à Internet et à votre hébergeur de boite de courriel...</p>\n" +"<h1>Aidez-nous à corriger votre bogue!</h1>\n" +"<p>Lisez <a href=\"%s\">nos instructions de rapport de bogue</a>.</p>\n" +"<p><strong>N'incluez pas plus d'informations personnelles que nécessaire!</" +"strong></p>\n" +"<h2>Nous donner une adresse courriel</h2>\n" +"<p>\n" +"Nous donner une adresse courriel nous permet de vous contacter pour " +"clarifier le problème.\n" +"Ceci est nécessaire pour la vaste majorité des rapports que nous recevons " +"car la\n" +"plupart des rapports sans information de contact sont inutiles. D'un autre " +"côté,\n" +"cela donne l'occasion aux oreilles électroniques indiscrètes, comme votre " +"fournisseur\n" +"de service Internet ou de courriel, de confirmer que vous utilisez Tails.\n" +"</p>\n" + +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "La persistance est désactivée pour Electrum" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" +"Lorsque vous redémarrerez Tails, toutes les données d'Electrum seront " +"perdues, incluant votre portefeuille Bitcoin. Il est fortement recommandé de " +"n'utiliser Electrum qu'avec la fonction de persistance activée." + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "Voulez-vous quand même démarrer Electrum?" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Lancer" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Quitter" #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" @@ -91,63 +122,67 @@ msgstr "_Déchiffrer/vérifier le presse-papier" msgid "_Manage Keys" msgstr "_Gérer les clefs" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "Le presse-papier ne contient pas de donnée entrante valide." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "Confiance inconnue" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "Confiance marginale" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "Confiance complète" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "Confiance ultime" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "Nom" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "ID de la clef" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "État" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "Empreinte :" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "ID 'utilisateur :" msgstr[1] "IDs utilisateur :" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "Aucun (ne pas signer)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "Choisir les destinataires :" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "Cacher les destinataires" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -156,36 +191,36 @@ msgstr "" "Autrement n'importe qui voyant le message chiffré peut voir sont les " "destinataires." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "Signer le message en tant que :" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "Choisir les clefs" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "Faites-vous confiance à ces clefs?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "La clef choisie suivante n'est pas entièrement de confiance :" msgstr[1] "Les clefs choisies suivantes ne sont pas entièrement de confiance :" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "Faites-vous quand même assez confiance à cette clef pour l'utiliser" msgstr[1] "" "Faites-vous quand même assez confiance à ces clefs pour les utiliser" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "Aucune clef de choisie" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -193,34 +228,34 @@ msgstr "" "Vous devez sélectionner une clef privée pour signer le message, ou une clef " "publique pour le chiffrer, ou les deux." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" -msgstr "Aucune clef de disponible" +msgstr "Aucune clef proposée" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "Vous avez besoin d'une clef privée pour signer les messages ou d'une clef " "publique pour les chiffrer." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "Erreur de GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "Par conséquent l'opération ne peut pas être effectuée." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "Résultats de GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "Sortie de GnuPG :" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "Autres messages fournis par GnuPG :" @@ -313,7 +348,7 @@ msgstr "" "mac_spoofing.en.html#blocked\\\">documentation sur l'usurpation de l'adresse " "MAC</a>." -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "Cette version de Tails a des problèmes de sécurité connus :" @@ -358,12 +393,12 @@ msgstr "" "first_steps/startup_options/mac_spoofing.en.html'>documentation</a>." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "erreur :" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "Erreur" @@ -405,10 +440,10 @@ msgstr "" #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.fr.html'>En savoir plus...</a>" +"virtualization.en.html#security'>En apprendre davantage...</a>" #: config/chroot_local-includes/usr/local/bin/tor-browser:18 msgid "Tor is not ready" @@ -426,11 +461,11 @@ msgstr "Démarrer le navigateur Tor" msgid "Cancel" msgstr "Annuler" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "Voulez-vous vraiment lancer le navigateur non-sécurisé?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -441,36 +476,19 @@ msgstr "" "devez vous connecter ou vous enregistrer pour activer votre connexion à " "Internet." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "_Lancer" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "_Quitter" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "Lancement du navigateur non-sécurisé..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "Ceci peut prendre du temps, alors veuillez être patient." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "L'exécution de chroot a échoué" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "Navigateur non-sécurisé" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "Fermeture du navigateur non-sécurisé..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." @@ -478,11 +496,16 @@ msgstr "" "Ceci peut prendre du temps et vous ne pouvez pas redémarrer le navigateur " "non-sécurisé avant sa fermeture complète." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "Échec lors du redémarrage de Tor." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "Navigateur non-sécurisé" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -490,7 +513,15 @@ msgstr "" "Un autre navigateur non-sécurisé tourne, ou est en train d'être nettoyé. " "Veuillez ressayer dans un moment." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" +"Le gestionnaire de réseau nous a passé des données erronées en essayant de " +"déduire le serveur DSN clearnet." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." @@ -498,11 +529,23 @@ msgstr "" "Aucun serveur DNS n'a été obtenu par le DHCP ou n'est configuré manuellement " "dans gestionnaire de réseau." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "L'exécution de chroot a échoué" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +msgid "Failed to configure browser." +msgstr "Impossible de configurer le navigateur." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +msgid "Failed to run browser." +msgstr "Impossible d'exécuter le navigateur." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "Échec lors du démarrage d'I2P" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." @@ -510,21 +553,21 @@ msgstr "" "Quelque chose n'a pas été au lancement de I2P. Vérifiez les journaux dans /" "var/log/i2p pour plus d'informations." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" msgstr "La console du routeur d'I2P est prête" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "" "Vous pouvez maintenant accéder à la console du routeur d'I2P à " "http://127.0.0.1:7657" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "I2P n'est pas prêt" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " @@ -534,11 +577,11 @@ msgstr "" "console du routeur à http://127.0.0.1:7657/logs ou les journaux dans /var/" "log/i2p pour plus d'informations. Reconnectez-vous au réseau pour ressayer." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "I2P est prêt" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." msgstr "Vous pouvez maintenant accéder aux services sur i2P." diff --git a/po/hr_HR.po b/po/hr_HR.po index e93e8cb1d4feff27e3b6297c5796349463dc45c9..c4fe09fa819e8aec17d302be352e534d8d2b575a 100644 --- a/po/hr_HR.po +++ b/po/hr_HR.po @@ -5,13 +5,15 @@ # Translators: # Ana B, 2014 # Miskha <edinaaa.b@gmail.com>, 2014 +# skiddiep <lyricaltumor@gmail.com>, 2015 +# Neven Lovrić <neven@lovric.net>, 2014 msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" -"PO-Revision-Date: 2014-06-30 13:11+0000\n" -"Last-Translator: Ana B\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" +"PO-Revision-Date: 2015-02-25 13:32+0000\n" +"Last-Translator: skiddiep <lyricaltumor@gmail.com>\n" "Language-Team: Croatian (Croatia) (http://www.transifex.com/projects/p/" "torproject/language/hr_HR/)\n" "Language: hr_HR\n" @@ -21,13 +23,13 @@ msgstr "" "Plural-Forms: nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" "%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Tor je spreman " -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." -msgstr "Sada mozete pristupiti internetu. " +msgstr "Sad možete pristupiti internetu." #: config/chroot_local-includes/etc/whisperback/config.py:64 #, python-format @@ -37,32 +39,62 @@ msgid "" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" -"<h1>Pomozite nam da rijesimo vaš kvar !</h1>\n" -"<p>Pročitajte <a href=\"%s\">naše upute za prijavljivanje kvara</a>.</p>\n" -"<p><strong>Nemojte upisati više ličnih informacija nego što je\n" +"<h1>Pomozite nam da rješimo Vaš problem!</h1>\n" +"<p>Pročitajte <a href=\"%s\">naše upute za prijavu problema</a>.</p>\n" +"<p><strong>Ne uključujte više osobnih informacija nego što je\n" "potrebno!</strong></p>\n" -"<h2>O davanju vaše email adrese</h2>\n" -"<p>Ako nemate ništa protiv otkrivanja malih dijelova vašeg identiteta\n" -" Tail programerima, možete da nam obezbijedite svoju email adresu\n" -"i dozvolite nam da vas pitamo detalje o kvaru. Dodatni ulazak\n" -"javni PGP ključ omogućava nam da šifriramo takvu buduću\n" -"komunikaciju.</p>\n" -"<p>Svako ko može da vidi ovaj odgovor će vjerovatno zaključiti da ste\n" -" Tail korisnik. Vrijeme da se zapitate koliko vjerujete vašim \n" -"Internet i mailbox provajderima?</p>\n" +"<h2>O davanju email adrese</h2>\n" +"<p>\n" +"Davanje email adrese nam omogućava da Vas kontaktiramo i razjasnimo problem. " +"To\n" +"je potrebno za veliku većinu prijava koje zaprimimo jer je većina prijava " +"bez ikakvih kontakt informacija beskorisna. Također stvara\n" +"priliku za prisluškivače, kao što su Vaš davatelj email ili internet usluge, " +"da\n" +"potvrde da koristite Tails.\n" +"</p>\n" + +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "Trajnost je onemogućena za Electrum" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" +"Kad ponovno pokrenet Tails, svi Electrum-ovi podatci će biti izgubljeni, " +"uključujući i Vaš Bitcoin novčanik. Snažno je preporučeno da se Electrum " +"pokreće jedino kad je mogućnost trajnosti aktivirina." + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "Želite li svejedno pokrenuti Electrum?" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Pokreni" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Izlaz" #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" -msgstr "Otvori PGP aplet za kodiranje" +msgstr "OpenPGP aplikacija za kodiranje" #: config/chroot_local-includes/usr/local/bin/gpgApplet:139 msgid "Exit" @@ -74,155 +106,158 @@ msgstr "O" #: config/chroot_local-includes/usr/local/bin/gpgApplet:192 msgid "Encrypt Clipboard with _Passphrase" -msgstr "Šifriraj Clipboard sa lozinkom" +msgstr "Šifriraj Clipboard s _Lozinkom" #: config/chroot_local-includes/usr/local/bin/gpgApplet:195 msgid "Sign/Encrypt Clipboard with Public _Keys" -msgstr "Potpiši/ Šifriraj Clipboard sa Javnim_Ključevima" +msgstr "Potpiši/Šifriraj Clipboard s Javnim_Ključevima" #: config/chroot_local-includes/usr/local/bin/gpgApplet:200 msgid "_Decrypt/Verify Clipboard" -msgstr "Dešifruj/ Potvrdi Clipboard" +msgstr "_Dešifriraj/Potvrdi Clipboard" #: config/chroot_local-includes/usr/local/bin/gpgApplet:204 msgid "_Manage Keys" -msgstr "Upravljaj ključevima" +msgstr "_Upravljaj ključevima" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "Clipboard ne sadrži važeće ulazne podatke. " -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" -msgstr "Nepoznati Trust" +msgstr "Nepoznato Povjerenje" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" -msgstr "Rubni Trust" +msgstr "Rubno Povjerenje" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" -msgstr "Puno povjerenje" +msgstr "Potpuno Povjerenje" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" -msgstr "Konačno povjerenje" +msgstr "Ultimativno Povjerenje" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "Naziv" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "Identifikacija ključa" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "Status" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" -msgstr "Otisak" +msgstr "Otisak:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "ID korisnika" msgstr[1] "ID-i korisnika" -msgstr[2] "ID-i korisnika" +msgstr[2] "Identifikacije korisnik:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" -msgstr "Nijedan (ne prijavljuj) " +msgstr "Nijedan (Ne prijavljuj)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" -msgstr "Izaberi primaoce :" +msgstr "Izaberi primatelje:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" -msgstr "Sakrij sve primaoce" +msgstr "Sakrij primatelje" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." msgstr "" -"Sakrij identifikaciju svih primaoca kodirane poruke. Inače svako ko vidi " -"kodiranu poruku može da vidi ko su primaoci. " +"Sakrij identifikacije svih primatelja kodirane poruke. Inače svatko tko vidi " +"kodiranu poruku može vidjeti tko su primatelji." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" -msgstr "Potpiši poruku kao :" +msgstr "Potpiši poruku kao:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" -msgstr "Izaberi ključeve " +msgstr "Izaberi ključeve" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" -msgstr "Da li vjeruješ ovim ključevima ? " +msgstr "Vjerujete li ovim ključevima?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "Sljedeci izabrani ključ nije potpuno siguran :" msgstr[1] "Sljedeći izabrani ključevi nisu potpuno sigurni :" -msgstr[2] "Sljedeći izabrani ključevi nisu potpuno sigurni : " +msgstr[2] "Sljedećim izabranim ključevima se ne vjeruje u potpunosti:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "Da li vjeruješ ovom ključu dovoljno da ga svejedno upotrijebiš ? " msgstr[1] "" "Da li vjeruješ ovim ključevima dovoljno da ih svejedno upotrijebiš ? " -msgstr[2] "" -"Da li vjerujes ovim ključevima dovoljno da ih svejedno upotrijebiš ? " +msgstr[2] "Vjerujete li ovim ključevima dovoljno da ih svejedno upotrijebite?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "Nijedan ključ nije izabran " -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." msgstr "" "Morate izabrati privatni ključ da biste potpisali poruku , ili neke javne " -"ključeve da biste kodirali poruku ili oboje. " +"ključeve da biste kodirali poruku, ili oboje." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "Nema dostupnih ključeva" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "Trebate privatni ključ da biste potpisali poruke ili javni ključ da biste ih " "kodirali." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "GnuPG greška" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "Stoga operacija ne može biti izvršena." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "GnuPG rezultati" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" -msgstr "Izlazni GnuPG" +msgstr "GnuPG učinak:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" -msgstr "Druge poruke obezbijeđene od strane GnuPG:" +msgstr "Druge poruke pružene od strane GnuPG-a:" #: config/chroot_local-includes/usr/local/lib/shutdown-helper-applet:39 msgid "Shutdown Immediately" @@ -243,7 +278,7 @@ msgstr "Tails" #: config/chroot_local-includes/usr/local/bin/tails-about:24 msgid "The Amnesic Incognito Live System" -msgstr "Amnestic Incognito Live Siste" +msgstr "Amnesic Incognito Live Sustav" #: config/chroot_local-includes/usr/local/bin/tails-about:25 #, python-format @@ -251,13 +286,13 @@ msgid "" "Build information:\n" "%s" msgstr "" -"Izgraditi informacije:\n" +"Informacije o verziji:\n" "%s" #: config/chroot_local-includes/usr/local/bin/tails-about:27 #: ../config/chroot_local-includes/usr/share/applications/tails-about.desktop.in.h:1 msgid "About Tails" -msgstr "O Tail-u " +msgstr "O Tails-u" #: config/chroot_local-includes/usr/local/sbin/tails-additional-software:118 #: config/chroot_local-includes/usr/local/sbin/tails-additional-software:124 @@ -272,33 +307,33 @@ msgid "" "your network connection, try to restart Tails, or read the system log to " "understand better the problem." msgstr "" -"Poboljšanje je neuspjelo. Ovo može biti zbog problema s mrežom. Molimo Vas " -"provjerite vasu internet konekciju , pokusajte da restartujete Tails , ili " -"procitajte evidenciju sistema da bolje razumijete problem." +"Nadogradnja nije uspjela. Ovo može biti zbog problema s mrežom. Molimo Vas " +"provjerite Vašu internet vezu , pokušajte ponovno pokrenuti Tails , ili " +"pročitajte zapise sustava da bolje razumijete problem." #: config/chroot_local-includes/usr/local/sbin/tails-additional-software:125 msgid "The upgrade was successful." -msgstr "Poboljšanje je bilo uspješno." +msgstr "Nadogradnja je uspjela." #: config/chroot_local-includes/usr/local/bin/tails-htp-notify-user:52 msgid "Synchronizing the system's clock" -msgstr "Sikroniziranje sata sistema" +msgstr "Sikroniziranje sata sustava" #: config/chroot_local-includes/usr/local/bin/tails-htp-notify-user:53 msgid "" "Tor needs an accurate clock to work properly, especially for Hidden " "Services. Please wait..." msgstr "" -"Tor treba tačan sat da bi radio ispravno, posebno za sakrivene usluge. " -"Molimo pričekajte..." +"Tor treba točan sat da bi radio ispravno, posebno za skrivene usluge. Molimo " +"pričekajte..." #: config/chroot_local-includes/usr/local/bin/tails-htp-notify-user:87 msgid "Failed to synchronize the clock!" -msgstr "Neuspješno sikronizovanje sata ! " +msgstr "Neuspješno sinkroniziranje sata!" #: config/chroot_local-includes/usr/local/sbin/tails-restricted-network-detector:38 msgid "Network connection blocked?" -msgstr "Mrežna veza blokirana ? " +msgstr "Mrežna veza blokirana?" #: config/chroot_local-includes/usr/local/sbin/tails-restricted-network-detector:40 msgid "" @@ -307,19 +342,19 @@ msgid "" "share/doc/tails/website/doc/first_steps/startup_options/mac_spoofing.en." "html#blocked\\\">MAC spoofing documentation</a>." msgstr "" -"Izgleda da ste blokirani s mreže. Ovo moze biti povezano sa MAC osobinom " -"ometanja. Za vise informacija,pogledajte <a href=\\\"file:///usr/share/doc/" -"tails/website/doc/first_steps/startup_options/mac_spoofing.en.html#blocked\\" -"\">MAC dokumentacija za ometanje</a>." +"Čini se da ste blokirani s mreže. Ovo može biti povezano sa mogućnosti " +"maskiranja MAC-a. Za više informacija, pogledajte <a href=\\\"file:///usr/" +"share/doc/tails/website/doc/first_steps/startup_options/mac_spoofing.en." +"html#blocked\\\"> dokumentacija o maskiranju MAC-a</a>." -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" -msgstr "Ova verzija Tails-a ima poznate sigurnosne probleme : " +msgstr "Ova verzija Tails-a ima poznate sigurnosne probleme:" #: config/chroot_local-includes/usr/local/sbin/tails-spoof-mac:37 #, sh-format msgid "Network card ${nic} disabled" -msgstr "Mrežna kartica ${nic} onesposobljena" +msgstr "Mrežna kartica ${nic} je onesposobljena" #: config/chroot_local-includes/usr/local/sbin/tails-spoof-mac:38 #, sh-format @@ -330,15 +365,15 @@ msgid "" "href='file:///usr/share/doc/tails/website/doc/first_steps/startup_options/" "mac_spoofing.en.html'>documentation</a>." msgstr "" -"MAC ometanje neuspješno za mržnu karticu ${nic_name} (${nic}) tako da je " -"privremeno onemogućeno. Možda bi ste radije ponovno pokrenuli Tails i " -"onemogućili MAC ometanje. Pogledajte <a href='file:///usr/share/doc/tails/" +"MAC maskiranje nije uspjelo za mržnu karticu ${nic_name} (${nic}) tako da " +"je privremeno onemogućena. Možda bi ste radije ponovno pokrenuli Tails i " +"onemogućili MAC maskiranje. Pogledajte <a href='file:///usr/share/doc/tails/" "website/doc/first_steps/startup_options/mac_spoofing.en.html'>dokumentaciju</" "a>." #: config/chroot_local-includes/usr/local/sbin/tails-spoof-mac:47 msgid "All networking disabled" -msgstr "Sve mreže onemogućene" +msgstr "Sav mrežni rad onemogućen" #: config/chroot_local-includes/usr/local/sbin/tails-spoof-mac:48 #, sh-format @@ -349,19 +384,20 @@ msgid "" "href='file:///usr/share/doc/first_steps/startup_options/mac_spoofing.en." "html'>documentation</a>." msgstr "" -"MAC ometanje neuspješno za mrežnu karticu ${nic_name} (${nic}). Oporavak od " -"pogreške takođe nije uspio tako da je svo umrežavanje onemogućeno.\n" -"Možda biste radije ponovo pokrenuli Tails i onesposobili MAC ometanje. " +"MAC maskiranje nije uspjelo za mrežnu karticu ${nic_name} (${nic}). " +"Oporavak od pogreške također nije uspio tako da je sav mrežni rad " +"onemogućen.\n" +"Možda biste radije ponovo pokrenuli Tails i onesposobili MAC maskiranje. " "Pogledajte <a href='file:///usr/share/doc/first_steps/startup_options/" "mac_spoofing.en.html'>dokumentaciju</a>." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "Greška:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "Greška" @@ -377,98 +413,80 @@ msgid "" "Or do a manual upgrade.\n" "See https://tails.boum.org/doc/first_steps/upgrade#manual" msgstr "" -"<b>Nedovoljno slobodne memorije za provjeru nadogradnje.</b>\n" +"<b>Nedovoljno memorije za provjeru nadogradnje.</b>\n" "\n" -"Uvjerite se da sistem zadovoljava sve zahtjeve za pokretanje Tails-a.\n" +"Osigurajte da sustav zadovoljava sve zahtjeve za pokretanje Tails-a.\n" "Pogledajte datoteku :///usr/share/doc/tails/website/doc/about/requirements." "en.html\n" "\n" -"Pokušajte da ponovo pokrenete Tails i potrazite moguće nadogradnje.\n" +"Pokušajte ponovno pokrenuti Tails i da bi ponovno potražili nadogradnje.\n" "\n" -"Ili nadogradnju izvrsite manuelno.\n" +"Ili izvršite manualnu nadogradnju.\n" "Pogledajte https://tails.boum.org/doc/first_steps/upgrade#manual" #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:53 msgid "Warning: virtual machine detected!" -msgstr "Upozorenje : Virtualna mašina otkrivena ! " +msgstr "Upozorenje : Virtualna mašina otkrivena!" #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:55 msgid "" "Both the host operating system and the virtualization software are able to " "monitor what you are doing in Tails." msgstr "" -"I domaći operativni sustav i softver za virtualizaciju su u mogućnosti da " -"prate što radite u Tails." +"Domaćinski operativni sustav i softver za virtualizaciju mogu pratiti što " +"radite u Tails-u." #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Nauči više...</a>" +"virtualization.en.html#security'>Saznajte više...</a>" #: config/chroot_local-includes/usr/local/bin/tor-browser:18 msgid "Tor is not ready" -msgstr "Tor nije spreman." +msgstr "Tor nije spreman" #: config/chroot_local-includes/usr/local/bin/tor-browser:19 msgid "Tor is not ready. Start Tor Browser anyway?" -msgstr "Tor nije spreman. Svejedno pokrenuti pretraživač ? " +msgstr "Tor nije spreman. Svejedno pokrenuti Tor Preglednik?" #: config/chroot_local-includes/usr/local/bin/tor-browser:20 msgid "Start Tor Browser" -msgstr "Pokrenite Tor pretraživač" +msgstr "Pokreni Tor Preglednik" #: config/chroot_local-includes/usr/local/bin/tor-browser:21 msgid "Cancel" msgstr "Otkaži" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" -msgstr "Da li sigurno želite da pokrenete nesiguran pretraživač ? " +msgstr "Da li sigurno želite pokrenuti nesiguran pretraživač?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " "register to activate your Internet connection." msgstr "" -"Aktivnost na mreži prilikom koristenja nesigurnog pretraživača <b>nije " -"anonimna</b> . Koristite nesiguran pretraživač samo ako je to neophodno , na " -"primjer ako se morate prijaviti ili registrovati da aktivirate vašu internet " -"konekciju. " - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "Pokreni" +"Mrežna aktivnost unutar nesigurnog pretraživača <b>nije anonimna</b> . " +"Koristite nesiguran pretraživač samo ako je to neophodno, na primjer ako se " +"morate prijaviti ili registrirati da aktivirate Vašu internet vezu. " -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "Izlaz" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "Pokretanje nesigurnog pretraživača..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "Ovo može potrajati, molimo Vas za malo strpljenja. " -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "Neuspješno postavljanje chroot. " - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "Nesiguran pretraživač" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "Gašenje nesigurnog pretraživača... " -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." @@ -476,11 +494,16 @@ msgstr "" "Ovo može potrajati, i ne možete ponovno pokrenuti nesiguran pretraživač dok " "se nije potpuno ugasio. " -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "Neuspješno ponovno pokretanje Tor-a. " -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "Nesiguran pretraživač" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -488,57 +511,75 @@ msgstr "" "Drugi nesiguran pretraživač trenutno radi ili se čisti. Pokušajte ponovo " "poslije. " -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" +"Mrežni Upravitelj je predao bezvrijedne podatke pri pokušaju otkrivanja " +"clearnet DNS servera." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." msgstr "" -"Nijedan DNS server nije dobavljen kroz DHCP ili ručno konfiguriran u " -"NetworkManageru." +"Nijedan DNS server nije dobavljen kroz DHCP ili ručno konfiguriran u Mrežnom " +"Upravitelju." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 -msgid "I2P failed to start" -msgstr "I2P nije uspio da se pokrene" +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "Neuspješno postavljanje chroot. " + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +msgid "Failed to configure browser." +msgstr "Neuspjelo postavljanje preglednika." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +msgid "Failed to run browser." +msgstr "Neuspjelo pokretanje preglednika." #: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 -#, fuzzy +msgid "I2P failed to start" +msgstr "I2P se nije uspio pokrenuti" + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." msgstr "" -"Nešto je pošlo naopako pri pokretanju I2P. Pogledajte evidenciju u sljedećem " -"direktoriju za više informacija : " +"Nešto je pošlo po krivu prilikom pokretanja I2P. Provjerite zapisnike u /var/" +"log/i2p za više informacija." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 -#, fuzzy +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" -msgstr "I2P konzola za ruter ce biti otvorena na početku . " +msgstr "Konzola I2P rutera je spremna" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." -msgstr "" +msgstr "Možete pristupiti konzoli I2P rutera na http://127.0.0.1:7657" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 -#, fuzzy +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" -msgstr "Tor nije spreman." +msgstr "I2P nije spreman" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " "Reconnect to the network to try again." msgstr "" +"Tunel nije napravljen unutar šest minuta. Provjerite konzolu rutera na " +"http://127.0.0.1:7657/logs ili zapisnike u /var/log/i2p za više informacija. " +"Ponovno se spojite na mrežu da bi probali opet." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 -#, fuzzy +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" -msgstr "Tor je spreman " +msgstr "I2P je spreman" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 -#, fuzzy +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." -msgstr "Sada mozete pristupiti internetu. " +msgstr "Sad možete pristupiti uslugama na I2P." #: ../config/chroot_local-includes/etc/skel/Desktop/Report_an_error.desktop.in.h:1 msgid "Report an error" @@ -551,47 +592,43 @@ msgstr "Tails dokumentacija" #: ../config/chroot_local-includes/usr/share/applications/tails-documentation.desktop.in.h:2 msgid "Learn how to use Tails" -msgstr "Nauči kako koristiti Tails" +msgstr "Naučite kako koristiti Tails" #: ../config/chroot_local-includes/usr/share/applications/i2p-browser.desktop.in.h:1 -#, fuzzy msgid "Anonymous overlay network browser" -msgstr "Anonimna prekrivena mreža" +msgstr "Mrežni preglednik anonimnog preklopa" #: ../config/chroot_local-includes/usr/share/applications/i2p-browser.desktop.in.h:2 -#, fuzzy msgid "I2P Browser" -msgstr "Nesiguran pretraživač" +msgstr "I2P preglednik" #: ../config/chroot_local-includes/usr/share/applications/tails-about.desktop.in.h:2 msgid "Learn more about Tails" -msgstr "Saznajte više o Tails" +msgstr "Saznajte više o Tails-u" #: ../config/chroot_local-includes/usr/share/applications/tails-reboot.desktop.in.h:1 msgid "Reboot" -msgstr "Ponovno podizanje sustava" +msgstr "Ponovno pokreni" #: ../config/chroot_local-includes/usr/share/applications/tails-reboot.desktop.in.h:2 msgid "Immediately reboot computer" -msgstr "Odmah podigni sustav računara" +msgstr "Odmah ponovno pokreni računalo" #: ../config/chroot_local-includes/usr/share/applications/tails-shutdown.desktop.in.h:1 msgid "Power Off" -msgstr "Isključiti" +msgstr "Isključi" #: ../config/chroot_local-includes/usr/share/applications/tails-shutdown.desktop.in.h:2 msgid "Immediately shut down computer" -msgstr "Odmah ugasite računar" +msgstr "Odmah isključi računalo" #: ../config/chroot_local-includes/usr/share/applications/tor-browser.desktop.in.h:1 -#, fuzzy msgid "Tor Browser" -msgstr "Pokrenite Tor pretraživač" +msgstr "Tor Preglednik" #: ../config/chroot_local-includes/usr/share/applications/tor-browser.desktop.in.h:2 -#, fuzzy msgid "Anonymous Web Browser" -msgstr "Nesiguran Web pretraživač" +msgstr "Anonimni mrežni preglednik" #: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:2 msgid "Browse the World Wide Web without anonymity" @@ -604,29 +641,3 @@ msgstr "Nesiguran Web pretraživač" #: ../config/chroot_local-includes/usr/share/desktop-directories/Tails.directory.in.h:2 msgid "Tails specific tools" msgstr "Tails specifični alati" - -#~ msgid "Starting I2P..." -#~ msgstr "Pokretanje I2P ..." - -#~ msgid "" -#~ "Make sure that you have a working Internet connection, then try to start " -#~ "I2P again." -#~ msgstr "" -#~ "Uvjerite se da imate funkcionalnu internet konekciju ,zatim pokusajte da " -#~ "ponovo pokrenete I2P." - -#~ msgid "TrueCrypt will soon be removed from Tails" -#~ msgstr "TrueCrypt će uskoro biti uklonjen iz Tails-a. " - -#~ msgid "" -#~ "TrueCrypt will soon be removed from Tails due to license and development " -#~ "concerns." -#~ msgstr "" -#~ "TrueCrypt ce uskoro biti uklonjen iz Tails-a zbog problema sa licensom i " -#~ "razvojem. " - -#~ msgid "i2p" -#~ msgstr "i2p" - -#~ msgid "Anonymous overlay network" -#~ msgstr "Anonimna prekrivena mreža" diff --git a/po/hu.po b/po/hu.po index b3931b3ad6796cc50a1db2d755da12f07679950e..6f4de6c02a9b5b10d5239cbe5e24927d48e662d0 100644 --- a/po/hu.po +++ b/po/hu.po @@ -7,14 +7,14 @@ # Blackywantscookies <gaborcika@citromail.hu>, 2014 # iskr <iscreamd@gmail.com>, 2013 # Lajos Pasztor <mrlajos@gmail.com>, 2014 -# vargaviktor <viktor.varga@gmail.com>, 2013 +# vargaviktor <viktor.varga@gmail.com>, 2013,2015 msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" -"PO-Revision-Date: 2014-12-04 08:50+0000\n" -"Last-Translator: runasand <runa.sandvik@gmail.com>\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" +"PO-Revision-Date: 2015-03-04 12:22+0000\n" +"Last-Translator: vargaviktor <viktor.varga@gmail.com>\n" "Language-Team: Hungarian (http://www.transifex.com/projects/p/torproject/" "language/hu/)\n" "Language: hu\n" @@ -23,11 +23,11 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Tor működésre kész." -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "Mostmár hozzáférsz az internethez." @@ -39,26 +39,60 @@ msgid "" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" -"<h1>Segítsen a hibák kijavításában</h1>\n" -"<p>Olvassa el a <a href=\"%s\">hibabejelentési tanácsainkat</a>.</p>\n" -"<p><strong>Ne ajdon meg több személyes adatot, mint szükséges!</strong></p>\n" -"<h2>Az email cím megadásáról</h2>\n" -"<p>Ha nem gond a személyazonossága felfedése a Tails fejlesztői felé, " -"megadhat email címet, hogy lehetővé tegye számukra, hogy további kérdéseket " -"tegyenek fel a hibával kapcsolatosan. Ha megad egy publikus PGP kulcsot, az " -"lehetővé teszi, hogy a levelezést titkosítva folytassuk.</p>\n" -"<p>Bárki aki ezt a láthatja, azt gondolhatja egy Tails felhasználó. " -"Elgondolkozott már azon, mennyire bízik meg az internet vagy az elektronikus " -"levelezés szolgáltatójában?</p>\n" +"<h1>Segítsen kijavítani a hibát!</h1>\n" +"<p>Olvassa el <a href=\"%s\">hibabejelentési útmutatót</a>.</p>\n" +"<p><strong>Kérjük a szükségesnél több személyes információt ne adjon meg!</" +"strong></p>\n" +"<h2>Az email címe megadásáról</h2>\n" +"<p>\n" +"Ha megadja nekünk az email címét, fel tudjuk venni a kapcsolatot a probléma " +"tisztázásához. Az esetek többségében ez a legtöbb hibabejelentéshez " +"szükséges, a hibabejelentés többsége sajnos e nélkül használhatatlan.\n" +"\n" +"A másik oldalról nézve ez lehetővé teszi egy lehallgatónak, legyen ez email " +"lehallgató, vagy ISP hogy megtudja hogy használja a Tails-t.\n" +"</p>\n" + +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "" +"A kapcsolatok közötti állapotmegőrzés (perzisztencia) kikapcsolt az Electum " +"esetében" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" +"Ha újraindítja a Tailst, akkor minden Electum adat el fog veszni, beleértve " +"a Bitcoin pénztárcát is. Erősen ajánlott, hogy csak akkor futtasa az Eletum-" +"ot, ha kapcsolatok közötti állapot megőrzése (perzisztencia) be van " +"kapcsolva." + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "Szeretné elindítani az Electumot mindenféleképpen?" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Indítás" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Kilépés" #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" @@ -88,63 +122,67 @@ msgstr "Vágólap _Kititkosítása/Ellenőrzése" msgid "_Manage Keys" msgstr "_Kulcsok kezelése" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "A vágólap nem tartalmaz érvényes bemeneti adatot" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "Ismeretlen megbízhatóság" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "Kis megbízhatóság" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "Teljes megbizhatóság" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "Legmagasabb megbizhatóság" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "Név" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "Kulcs ID" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "Állapot" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "Ujjlenyomat:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "Felhasználói ID:" msgstr[1] "Felhasználói ID-k:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "Nincs (Nem ír alá)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "Címzettek kiválasztása:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "Címzettek elrejtése" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -153,35 +191,35 @@ msgstr "" "Egyébként aki látja a titkosított üzenetet, megtudhatja kik voltak még a " "címzettek." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "Üzenet aláírása mint:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "Válasszon kulcsokat" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "Megbízik ebben a kulcsban?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "Az alábbi kiválaszott kulcs nem teljesen megbízható:" msgstr[1] "Az alábbi kiválaszott kulcsok nem teljesen megbízhatóak:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "Megbízik ebben a kulcsban annyira, hogy használja ennek ellenére?" msgstr[1] "Megbízik ezekben a kulcsban annyira, hogy használja ennek ellenére?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "Nincs kulcs kiválasztva" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -189,34 +227,34 @@ msgstr "" "Az üzenet aláírásához ki kell választani egy privát kulcsot, vagy valamelyik " "nyílvános kulcsot esetleg mindkettőt az üzenet titkosításához." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "Nem érhetőek el kulcsok" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "Szükséged van egy privát kulcsra az üzenet aláírásához vagy egy nyílvános " "kulcsra a titkosításhoz." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "GnuPG hiba" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "Ezért a művelet nem hajtható végre." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "GnuPG eredmények" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "GnuPG kimenet:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "Egyéb GnuPG által adott üzenetek:" @@ -308,7 +346,7 @@ msgstr "" "usr/share/doc/tails/website/doc/first_steps/startup_options/mac_spoofing.en." "html#blocked\\\">MAC spoofing dokumentáció</a>." -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "A Tails ezen verziója ismert biztonsági problémákkal rendelkezik:" @@ -352,12 +390,12 @@ msgstr "" "first_steps/startup_options/mac_spoofing.en.html'></a>." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "hiba:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "Hiba" @@ -400,10 +438,10 @@ msgstr "" #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Tudjon meg többet...</a>" +"virtualization.en.html#security'>Tudjon meg többet...</a>" #: config/chroot_local-includes/usr/local/bin/tor-browser:18 msgid "Tor is not ready" @@ -421,11 +459,11 @@ msgstr "Tor böngésző indítása" msgid "Cancel" msgstr "Mégse" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "Biztosan el akarja indítani a nem biztonságos böngészőt?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -436,36 +474,19 @@ msgstr "" "kell jelentkeznie, vagy regisztrálnia kell az internet kapcsolata " "aktiválásához." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "_Indítás" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "_Kilépés" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "A NEM biztonságos böngésző indítása..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "Ez eltarthat egy ideig, kérjük legyen türelemmel." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "Sikertelen a chroot beállítása." - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "Nem biztonságos böngésző" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "A nem biztonságos böngésző leállítása..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." @@ -473,11 +494,16 @@ msgstr "" "Ez időbe telhet, és nem indíthatja újra a nem biztonságos böngészőt míg az " "nem lett megfelelően leállítva." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "Nem sikerült a Tor újraindítása." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "Nem biztonságos böngésző" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -485,7 +511,15 @@ msgstr "" "Egy másik nem megbízható böngésző fut jelenleg vagy épp tisztítás folyamata " "zajlik. Kérlek térj vissza később." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" +"A hálózatkezelő szemét adatot adott vissza mikor megpróbáltuk elérni a " +"clearnet DNS szerverét." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." @@ -493,11 +527,23 @@ msgstr "" "Nincs elérhető DNS szerver DHCP-n keresztül vagy kézzel van konfigurálva a " "Hálózatkezelő." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "Sikertelen a chroot beállítása." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +msgid "Failed to configure browser." +msgstr "Sikertelen a böngésző beállítása." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +msgid "Failed to run browser." +msgstr "Sikertelen a böngésző indítása." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "I2P-t nem sikerült elindítani" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." @@ -505,20 +551,20 @@ msgstr "" "Valami hiba történt amikor az I2P elindult. Tobábbi információért nézze meg " "a naplókat itt: /var/log/i2p" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" msgstr "I2P-nek a router konzolja készen áll." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "" "Most hozzáférhetsz az I2P-nek router konzoljához itt: http://127.0.0.1:7657." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "I2P nem áll készen." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " @@ -528,11 +574,11 @@ msgstr "" "http://127.0.0.1:7657/log vagy a köteteket /var/log/i2p további " "információért. Kapcsolódjon újra a hálózathoz az újrapróbáláshoz. " -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "I2P készen áll." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." msgstr "Most hozzáférhet a szolgáltatásokhoz az I2P-n." diff --git a/po/id.po b/po/id.po index d63dc8206961154f2a06e9e8be8c01613a87f625..5774bf52cfecaa500d4c989cde9820605a210afa 100644 --- a/po/id.po +++ b/po/id.po @@ -3,15 +3,16 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Astryd Viandila Dahlan <astrydviandila@yahoo.com>, 2015 # Gregori, 2014 # L1Nus <multazam_ali@me.com>, 2014 msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" -"PO-Revision-Date: 2014-08-07 08:50+0000\n" -"Last-Translator: Gregori\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" +"PO-Revision-Date: 2015-01-20 14:11+0000\n" +"Last-Translator: Astryd Viandila Dahlan <astrydviandila@yahoo.com>\n" "Language-Team: Indonesian (http://www.transifex.com/projects/p/torproject/" "language/id/)\n" "Language: id\n" @@ -20,30 +21,31 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Tor telah siap" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "Sekarang Anda dapat mengakses internet." #: config/chroot_local-includes/etc/whisperback/config.py:64 -#, python-format +#, fuzzy, python-format msgid "" "<h1>Help us fix your bug!</h1>\n" "<p>Read <a href=\"%s\">our bug reporting instructions</a>.</p>\n" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" "<h1>Bantu kami perbaiki bug!</h1>\n" "<p>Baca <a href=\"%s\">instruksi pelaporan bug kami</a>.</p>\n" @@ -59,6 +61,31 @@ msgstr "" "pengguna Tails. Sudah mulai bertanya-tanya, seberapa besar Anda percaya\n" "pada penyedia layanan internet dan mailbox Anda?</p>\n" +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Jalankan" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Keluar" + #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" msgstr "Applet enkripsi OpenPGP" @@ -87,62 +114,66 @@ msgstr "_Dekrip/Verifikasi Papan Simpan" msgid "_Manage Keys" msgstr "_Manage Keys" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "Clipboard ini tidak memuat input data yang valid" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "Kepercayaan tidak diketahui" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "Kepercayaan Rendah" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "Dipercayai Penu" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "Kepercayaan 9001" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "Nama" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "ID Kunci" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "Status" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "Sidik jari:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "ID pengguna:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "Tidak ada (Jangan tandai)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "Pilih penerima:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "Sembunyikan penerima" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -151,33 +182,33 @@ msgstr "" "orang yang dapat melihat pesan terenkripsi dapat melihat siapa saja " "penerimanya." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "Tandai pesan sebagai:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "Pilih kunci" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "Apakah Anda percaya kunci-kunci ini?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "Kunci terpilih berikut tidak sepenuhnya bisa dipercaya:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "Apakah Anda cukup percaya untuk tetap menggunakan kunci ini?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "Tidak ada kunci terpilih" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -185,34 +216,34 @@ msgstr "" "Anda harus memiliki private key untuk menandai pesan, atau beberapa public " "key untuk mengenkripsi pesan, atau keduanya." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "Tidak ada kunci tersedia" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "Anda memerlukan private key untuk menandai pesan atau public key untuk " "mengenkripsi pesan." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "GnuPG bermasalah" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "Karenanya pengoperasian tidak dapat dilaksanakan." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "Hasil GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "keluaran GnuPG:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "Pesan-pesan lain dari GnuPG:" @@ -304,7 +335,7 @@ msgstr "" "\"file:///usr/share/doc/tails/website/doc/first_steps/startup_options/" "mac_spoofing.en.html#blocked\\\">dokumentasi MAC spoofing</a>." -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "Versi Tails ini telah mengetahui isu-isu keamanan:" @@ -348,12 +379,12 @@ msgstr "" "html'>dokumentasi</a>." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "kesalahan:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "Kesalahan" @@ -392,9 +423,10 @@ msgstr "" "yang Anda lakukan di Tails." #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 +#, fuzzy msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" "virtualization.en.html'>Pelajari lebih jauh...</a>" @@ -415,11 +447,11 @@ msgstr "Mulai peramban Tor" msgid "Cancel" msgstr "Batal" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "Apakah Anda benar-benar ingin menjalankan Unsafe Browser?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -429,36 +461,19 @@ msgstr "" "gunakan Unsafe Browser jika diperlukan, misalnya jika Anda harus masuk atau " "mendaftar untuk mengaktifkan koneksi internet Anda." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "_Jalankan" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "_Keluar" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "Memulai Unsafe Browser" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "Mungkin ini memakan waktu lama, mohon bersabar." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "Gagal mengkonfigurasi chroot." - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "Unsafe Browser" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "Mematikan Unsafe Browser..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." @@ -466,11 +481,16 @@ msgstr "" "Mungkin ini akan memakan waktu, dan Anda tidak boleh memulai ulang Unsafe " "Browser sampai ia dimatikan secara layak." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "Gagal memulai ulang Tor." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "Unsafe Browser" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -478,7 +498,13 @@ msgstr "" "Peramban tak aman lain sedang berjalan, atau sedang dibersihkan. Silakan " "coba lagi nanti." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." @@ -486,49 +512,62 @@ msgstr "" "Server non-DNS didapati melalui DHCP atau dikonfigurasi manual di " "NetworkManager." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "Gagal mengkonfigurasi chroot." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +#, fuzzy +msgid "Failed to configure browser." +msgstr "Gagal memulai ulang Tor." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +#, fuzzy +msgid "Failed to run browser." +msgstr "Gagal memulai ulang Tor." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "I2P gagal memulai" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 -#, fuzzy +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." msgstr "" -"Ada yang salah ketika I2P mulai berjalan. Lihat catatan log pada direktori " -"berikut untuk informasi lebih lanjut:" +"Ada yang salah ketika I2P dimulai. Cek logs in/var/log/i2p untuk informasi " +"lebih lanjut." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 -#, fuzzy +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" -msgstr "Konsol router I2P akan dibuka sewaktu mulai" +msgstr "Konsol router I2P sudah siap" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "" +"Sekarang Anda dapat mengakses konsol router I2P di http://127.0.0.1:7657." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 -#, fuzzy +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" -msgstr "Tor belum siap" +msgstr "I2P belum siap." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " "Reconnect to the network to try again." msgstr "" +"Eepsite tunnel tidak dibangun dalam waktu 6 menit. Cek konsol router di " +"http://127.0.0.1:7657/logs atau di logs in/var/log/i2p untuk informasi lebih " +"lanjut. Sambung ulang ke jaringan untuk mencoba kembali." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 -#, fuzzy +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" -msgstr "Tor telah siap" +msgstr "I2P telah siap" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 -#, fuzzy +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." -msgstr "Sekarang Anda dapat mengakses internet." +msgstr "Sekarang Anda dapat mengakses layanan di I2P." #: ../config/chroot_local-includes/etc/skel/Desktop/Report_an_error.desktop.in.h:1 msgid "Report an error" @@ -544,14 +583,12 @@ msgid "Learn how to use Tails" msgstr "Pelajari bagaimana menggunakan Tails" #: ../config/chroot_local-includes/usr/share/applications/i2p-browser.desktop.in.h:1 -#, fuzzy msgid "Anonymous overlay network browser" -msgstr "Jaringan overlay anonim" +msgstr "Tanpanama membebani jaringan peramban" #: ../config/chroot_local-includes/usr/share/applications/i2p-browser.desktop.in.h:2 -#, fuzzy msgid "I2P Browser" -msgstr "Unsafe Browser" +msgstr "I2P Peramban" #: ../config/chroot_local-includes/usr/share/applications/tails-about.desktop.in.h:2 msgid "Learn more about Tails" @@ -574,14 +611,12 @@ msgid "Immediately shut down computer" msgstr "Segera matikan komputer" #: ../config/chroot_local-includes/usr/share/applications/tor-browser.desktop.in.h:1 -#, fuzzy msgid "Tor Browser" -msgstr "Mulai peramban Tor" +msgstr "Peramban Tor" #: ../config/chroot_local-includes/usr/share/applications/tor-browser.desktop.in.h:2 -#, fuzzy msgid "Anonymous Web Browser" -msgstr "Unsafe Web Browser" +msgstr "Tanpanama Web Peramban" #: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:2 msgid "Browse the World Wide Web without anonymity" @@ -594,28 +629,3 @@ msgstr "Unsafe Web Browser" #: ../config/chroot_local-includes/usr/share/desktop-directories/Tails.directory.in.h:2 msgid "Tails specific tools" msgstr "Peralatan spesifik Tails" - -#~ msgid "Starting I2P..." -#~ msgstr "Memulai I2P..." - -#~ msgid "" -#~ "Make sure that you have a working Internet connection, then try to start " -#~ "I2P again." -#~ msgstr "" -#~ "Pastikan koneksi internet Anda berjalan, lalu coba jalankan I2P lagi." - -#~ msgid "TrueCrypt will soon be removed from Tails" -#~ msgstr "TrueCrypt akan segera dihapus dari Tails" - -#~ msgid "" -#~ "TrueCrypt will soon be removed from Tails due to license and development " -#~ "concerns." -#~ msgstr "" -#~ "TrueCrypt akan segera dihapus dari Tails karena masalah lisensi dan " -#~ "pengembangan." - -#~ msgid "i2p" -#~ msgstr "i2p" - -#~ msgid "Anonymous overlay network" -#~ msgstr "Jaringan overlay anonim" diff --git a/po/it.po b/po/it.po index a33654d316cdda394e9a57bd5af8e12d7dd085de..0f7e205e0f99bc10f8399170045c95654909fc00 100644 --- a/po/it.po +++ b/po/it.po @@ -5,10 +5,13 @@ # Translators: # il_doc <filippo.giomi@gmail.com>, 2014 # Francesca Ciceri <madamezou@zouish.org>, 2014 +# Francesco Tombolini <tombo@adamantio.net>, 2015 +# HostFat <hostfat@gmail.com>, 2015 # il_doc <filippo.giomi@gmail.com>, 2014 # jan <jan.reister@unimi.it>, 2013 # jan <jan.reister@unimi.it>, 2013 # Lorenzo Farinelli <farinellilorenzo@gmail.com>, 2014 +# Mett <okovita@autistici.org>, 2015 # Monica <momocat19@gmail.com>, 2014 # Monica <momocat19@gmail.com>, 2014 # Random_R, 2013 @@ -19,9 +22,9 @@ msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" -"PO-Revision-Date: 2014-12-04 08:50+0000\n" -"Last-Translator: runasand <runa.sandvik@gmail.com>\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" +"PO-Revision-Date: 2015-03-02 02:20+0000\n" +"Last-Translator: HostFat <hostfat@gmail.com>\n" "Language-Team: Italian (http://www.transifex.com/projects/p/torproject/" "language/it/)\n" "Language: it\n" @@ -30,11 +33,11 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Tor è pronto" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "È ora possibile navigare Internet." @@ -46,25 +49,58 @@ msgid "" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" -"<h1>Aiutaci a risolvere il tuo bug!</h1> <p>Leggi <a href=\"%s\">le " -"istruzioni per segnalare bug</a>.</p> <p><strong>Non inserire più " -"informazioni personali di quelle strettamente necessarie!</strong></p> " -"<h2>Fornirci un indirizzo email</h2> <p>Se non ti preoccupa rivelare " -"qualcosa della tua identità agli sviluppatori di Tails, puoi darci un " -"indirizzo email che ci permetta di chiederti maggiori informazioni sul bug. " -"Se aggiungi una chiave pubblica PGP potremo cifrare le comunicazioni future " -"con te.</p> <p>Chiunque veda questa risposta sarà in grado di dedurre che " -"usi Tails. Forse è il momento di chiedersi quanto ti fidi del tuo fonitore " -"di accesso a Internet e di posta elettronica.</p>\n" +"<h1>Aiutaci a risolvere il bug!</h1>\n" +"<p>Leggi <a href=\"%s\">le istruzioni per la segnalazione di un bug</a>.</" +"p>\n" +"<p><strong>Non pubblicare informazioni personali che non siano strettamente " +"necessarie!</strong></p>\n" +"<h2>Comunicarci il tuo indirizzo email</h2>\n" +"<p>\n" +"Comunicarci il tuo indirizzo email ci permette di contattarti per chiarire " +"il problema. Questo si rende necessario per la maggior parte dei report che " +"riceviamo; i report senza riferimenti per un contatto diretto sono " +"generalmente inutili.\n" +"Allo stesso tempo permette a chiunque sia in ascolto illecitamente, come il " +"tuo provider di internet o email, di dedurre che stai usando Tails.\n" +"</p>\n" + +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "La persistenza è disabilitata per Electrum" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" +"Quando riavvii Tails, tutti i dati di Electrum saranno persi, incluso il tuo " +"portafogli Bitcoin. Si raccomanda fortemente di eseguire Electrum solo " +"quando la caratteristica di persistenza è attivata. " + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "Vuoi comunque avviare Electrum?" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Avvia" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Esci" #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" @@ -94,63 +130,67 @@ msgstr "_Decripta/Verifica appunti" msgid "_Manage Keys" msgstr "_Gestisci chiavi" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "Gli appunti non contengono dati di input validi." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "Fiducia sconosciuta" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "Fiducia parziale" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "Fiducia completa" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "Fiducia estrema" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "Nome" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "ID chiave" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "Stato" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "Impronta:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "ID utente:" msgstr[1] "ID utenti:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "Nessuno (non firmare)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "Seleziona destinatari:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "Nascondi destinatari" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -159,35 +199,35 @@ msgstr "" "Altrimenti chiunque veda il messaggio criptato potrà vedere chi sono i " "destinatari." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "Firma il messaggio come:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "Scegli le chiavi" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "Fidarsi di queste chiavi?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "La seguente chiave selezionata non è completamente fidata:" msgstr[1] "Le seguenti chiavi selezionate non sono completamente fidate:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "Ci si fida di questa chiave abbastanza per usarla comunque?" msgstr[1] "Ci si fida di queste chiavi abbastanza per usarle comunque?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "Nessuna chiave selezionata" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -195,34 +235,34 @@ msgstr "" "È necessario selezionare una chiave privata per firmare il messaggio, o " "alcune chiavi pubbliche per criptare il messaggio, oppure entrambi." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "Nessuna chiave disponibile" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "È necessaria una chiave privata per firmare i messaggi o una chiave pubblica " "per criptarli." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "Errore GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "Pertanto l'operazione non può essere eseguita." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "Risultati GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "Risultato di GnuPG:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "Altri messaggi forniti da GnuPG:" @@ -315,7 +355,7 @@ msgstr "" "mac_spoofing.en.html#blocked\\\">documentazione relativa all'oscuramento " "dell'indirizzo MAC</a>." -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "Questa versione di Tails ha problemi di sicurezza noti:" @@ -361,12 +401,12 @@ msgstr "" "html'>documentazione</a>." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "errore:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "Errore" @@ -405,10 +445,10 @@ msgstr "" #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Maggiori informazioni</a>" +"virtualization.en.html#security'>Per saperne di più ...</a>" #: config/chroot_local-includes/usr/local/bin/tor-browser:18 msgid "Tor is not ready" @@ -426,11 +466,11 @@ msgstr "Avvia Tor Browser" msgid "Cancel" msgstr "Annulla" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "Si desidera davvero avviare il browser non sicuro?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -441,36 +481,19 @@ msgstr "" "necessario, ad esempio per fare un login o registrarsi per attivare la " "propria connessione Internet." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "_Avvia" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "_Esci" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "Avvio del browser non sicuro..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "Questa operazione potrebbe richiedere del tempo." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "Configurazione chroot fallita." - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "Browser non sicuro" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "Arresto del browser non sicuro..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." @@ -478,11 +501,16 @@ msgstr "" "Questa operazione potrebbe richiedere del tempo: non riavviare il browser " "non sicuro finchè non viene arrestato correttamente." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "Riavvio di Tor fallito." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "Browser non sicuro" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -490,7 +518,15 @@ msgstr "" "Un altro browser non sicuro è già in esecuzione, o sta venendo ripulito. " "Riprovare più tardi." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" +"NetworkManager ci ha passato dati corrotti nel tentativo di determinare i " +"server DNS di clearnet." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." @@ -498,11 +534,23 @@ msgstr "" "Nessun server DNS ottenuto attraverso DHCP o configurato manualmente nel " "NetworkManager." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "Configurazione chroot fallita." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +msgid "Failed to configure browser." +msgstr "Configurazione del browser fallita." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +msgid "Failed to run browser." +msgstr "Esecuzione del browser fallita." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "Avvio di I2P fallito" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." @@ -510,21 +558,21 @@ msgstr "" "Qualcosa è andata male quandoI2P è stato avviato. Controlla i log in /var/" "log/i2p per maggiori informazioni." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" msgstr "La console del router I2P è pronta" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "" "Adesso puoi accedere alla console router di I2P all'indirizzo " "http://127.0.0.1:7657." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "I2P non è pronto" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " @@ -534,11 +582,11 @@ msgstr "" "la console router all'indirizzo http://127.0.0.1:7657/logs o nei log in /var/" "log/i2p per maggiori informazioni. Riconnetti alla rete e riprova." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "I2P è pronto" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." msgstr "Adesso puoi accedere ai servizi su I2P" diff --git a/po/ja.po b/po/ja.po index 05b68b3c794a10aa3419de4df358b0a9e1120b86..f0bf0d8f72fb21a77443d4ca0ab2adaafe9ad095 100644 --- a/po/ja.po +++ b/po/ja.po @@ -12,7 +12,7 @@ msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" "PO-Revision-Date: 2014-12-26 04:42+0000\n" "Last-Translator: 藤前 甲 <m1440809437@hiru-dea.com>\n" "Language-Team: Japanese (http://www.transifex.com/projects/p/torproject/" @@ -23,30 +23,31 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Tor は準備完了" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "インターネットにアクセスできます。" #: config/chroot_local-includes/etc/whisperback/config.py:64 -#, python-format +#, fuzzy, python-format msgid "" "<h1>Help us fix your bug!</h1>\n" "<p>Read <a href=\"%s\">our bug reporting instructions</a>.</p>\n" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" "<h1>バグの修正を手伝ってください!</h1>\n" "<p><a href=\"%s\">バグの報告の説明</a>を読んでください。</p>\n" @@ -61,6 +62,31 @@ msgstr "" "るでしょう。自分のインターネットとメールボックスのプロバイダーがどれくらい信" "頼できるのか気にする暇はありますか?</p>\n" +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Launch" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Exit" + #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" msgstr "OpenPGP 暗号化アプレット" @@ -89,62 +115,66 @@ msgstr "_Decrypt/Verify クリップボード" msgid "_Manage Keys" msgstr "_Manage キー" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "クリップボードに有効な入力データが含まれていません。" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "不明な信頼度" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "中間的信頼度" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "信頼度が十分にあります" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "信頼度がとても良いです" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "名前" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "キーID" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "状態" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "フィンガープリント:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "ユーザーID:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "なし (署名しない)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "受信者を選択:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "受信者を非表示" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -153,34 +183,34 @@ msgstr "" "なかった場合、暗号化されたメッセージを見れば、誰でも受信者が誰であるか見るこ" "とができます。" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "メッセージを次として署名:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "キーを選択" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "これらのキーを信頼しますか?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "以下の選択されたキーは十分信頼されていません:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "" "とにかくこれらのキーを使用できるほど、これらのキーを信頼していますか?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "キー未選択" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -188,34 +218,34 @@ msgstr "" "メッセージを署名するために秘密鍵を、またはメッセージを暗号化するために公開鍵" "を、でなければその両方を選択する必要があります。" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "利用可能なキーなし" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "メッセージに証明するために秘密鍵が、またはメッセージを暗号化するために公開鍵" "が必要です。" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "GnuPG エラー" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "従って、操作は実行できませんでした。" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "GnuPG 結果" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "GnuPGの出力:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "GnuPGからのそのほかのメッセージ:" @@ -307,7 +337,7 @@ msgstr "" "website/doc/first_steps/startup_options/mac_spoofing.en.html#blocked\\\">MAC " "スプーフィングのドキュメント</a>をご覧ください。" -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "Tailsのこのバージョンには、既知のセキュリティ問題が存在します:" @@ -351,12 +381,12 @@ msgstr "" "html'>ドキュメント</a>をご覧ください。" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "エラー:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "エラー" @@ -396,9 +426,10 @@ msgstr "" "ることを監視できます。" #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 +#, fuzzy msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" "virtualization.en.html'>詳細...</a>" @@ -419,11 +450,11 @@ msgstr "Tor Browser を起動" msgid "Cancel" msgstr "キャンセル" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "本当に安全ではないブラウザを起動しますか?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -433,36 +464,19 @@ msgstr "" "必要な場合のみ、例えば、インターネット接続を有効化するためにログインまたは登" "録しなければならないような場合のみ、安全でないブラウザを使用してください。" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "_Launch" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "_Exit" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "安全でないブラウザを起動中..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "しばらくかかる場合がありますので、お待ちください。" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "chrootのセットアップに失敗しました。" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "安全でないブラウザ" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "安全でないブラウザをシャットダウン中..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." @@ -470,11 +484,16 @@ msgstr "" "暫く時間がかかる恐れがあり、適切にシャットダウンされるまで、安全でないブラウ" "ザを再起動できません。" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "Torを再起動できませんでした。" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "安全でないブラウザ" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -482,7 +501,13 @@ msgstr "" "別の安全でないブラウザが起動中か、クリーンアップされています。少ししてからも" "う一度お試しください。" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." @@ -490,11 +515,25 @@ msgstr "" "DNSサーバーは、DHCP経由で取得されるか、またはNetworkManagerで手動で構成されま" "せんでした。" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "chrootのセットアップに失敗しました。" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +#, fuzzy +msgid "Failed to configure browser." +msgstr "Torを再起動できませんでした。" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +#, fuzzy +msgid "Failed to run browser." +msgstr "Torを再起動できませんでした。" + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "I2Pは起動できませんでした" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." @@ -502,19 +541,19 @@ msgstr "" "I2Pの開始時になにかエラーが起きたようです。/var/log/i2p にあるログファイルを" "覗いてみてください。何か手がかりがあるかもしれません。" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" msgstr "I2Pルータコンソールは準備完了" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "I2Pのルータ・コンソールにhttp://127.0.0.1:7657からアクセスできます" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "I2Pは準備できていません" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " @@ -524,11 +563,11 @@ msgstr "" "http://127.0.0.1:7657/logsか/var/log/i2pのログを確認してください。再トライす" "るにはネットワークに再接続してください" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "I2Pは準備完了" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." msgstr "I2Pサービスにアクセスできます" diff --git a/po/km.po b/po/km.po index f5191a0f82931551616dd84e9b1fa4ba5ec144e2..2c84af0345c46f8690eb63b1a8ba17f419f640cf 100644 --- a/po/km.po +++ b/po/km.po @@ -9,7 +9,7 @@ msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" "PO-Revision-Date: 2014-06-10 02:40+0000\n" "Last-Translator: Sokhem Khoem <sokhem@open.org.kh>\n" "Language-Team: Khmer (http://www.transifex.com/projects/p/torproject/" @@ -20,30 +20,31 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Tor គឺរួចរាល់ហើយ" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "ឥឡូវអ្នកអាចប្រើអ៊ីនធឺណិតបាន។" #: config/chroot_local-includes/etc/whisperback/config.py:64 -#, python-format +#, fuzzy, python-format msgid "" "<h1>Help us fix your bug!</h1>\n" "<p>Read <a href=\"%s\">our bug reporting instructions</a>.</p>\n" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" "<h1>ជួយពួកយើងដើម្បីកែកំហុស!</h1>\n" "<p>Read <a href=\"%s\">សេចក្ដីណែនាំអំពីរបៀបរាយការណ៍កំហុសរបស់យើង</a>។</p>\n" @@ -55,6 +56,31 @@ msgstr "" "<p>អ្នកដែលអាចមើលឃើញចម្លើយតបនេះ នឹងសន្និដ្ឋានថាអ្នកគឺជាអ្នកប្រើរបស់ Tails ។ តើអ្នកទុកចិត្ត" "អ៊ីនធឺណិត និងក្រុមហ៊ុនផ្ដល់សេវាកម្មអ៊ីមែលរបស់អ្នកកម្រិតណា?</p>\n" +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "ចាប់ផ្ដើម" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "ចេញ" + #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" msgstr "អាប់ភ្លេតការដាក់លេខកូដ OpenPGP" @@ -83,62 +109,66 @@ msgstr "ដោះលេខកូដ/ផ្ទៀងផ្ទាត់ msgid "_Manage Keys" msgstr "គ្រប់គ្រងពាក្យគន្លឹះ" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "ក្ដារតម្បៀតខ្ទាស់មិនមានទិន្នន័យត្រឹមត្រូវ។" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "មិនទុកចិត្ត" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "ទុកចិត្តមធ្យម" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "ទុកចិត្តទាំងស្រុង" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "ទុកចិត្តបំផុត" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "ឈ្មោះ" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "លេខសម្គាល់ពាក្យគន្លឹះ" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "ស្ថានភាព" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "ស្នាមម្រាមដៃ៖" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "លេខសម្គាល់អ្នកប្រើ៖" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "គ្មាន (កុំចុះហត្ថលេខា)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "ជ្រើសអ្នកទទួល៖" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "លាក់អ្នកទទួល" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -146,33 +176,33 @@ msgstr "" "លាក់លេខសម្គាល់អ្នកប្រើរបស់អ្នកទទួលសារដែលបានដាក់លេខកូដទាំងអស់។ បើមិនដូច្នោះទេ អ្នកដែលមើលឃើញសារ" "ដែលបានដាក់លេខកូដ អាចមើលឃើញអ្នកទទួលដែរ។" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "ចុះហត្ថលេខាជា៖" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "ជ្រើសពាក្យគន្លឹះ" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "តើអ្នកទុកចិត្តពាក្យគន្លឹះទាំងនេះទេ?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "ពាក្យគន្លឹះដែលបានជ្រើសខាងក្រោមគឺមិនបានទុកចិត្តទាំងស្រុងទេ៖" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "តើអ្នកទុកចិត្តពាក្យគន្លឹះទាំងនេះថាអាចប្រើបានដែរឬទេ?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "មិនបានជ្រើសពាក្យគន្លឹះ" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -180,32 +210,32 @@ msgstr "" "អ្នកត្រូវជ្រើសពាក្យគន្លឹះឯកជនដើម្បីចុះហត្ថលេខាសារ ឬជ្រើសពាក្យគន្លឹះសាធារណៈមួយចំនួនដើម្បីដាក់លេខកូដ" "សារ ឬជ្រើសទាំងពីរ។" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "មិនមានពាក្យគន្លឹះ" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "អ្នកត្រូវមានពាក្យគន្លឹះឯកជនដើម្បីចុះហត្ថលេខាសារ ឬពាក្យគន្លឹះសាធារណៈដើម្បីដាក់លេខកូដសារ។" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "កំហុស GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "ដូច្នេះប្រតិបត្តិការមិនអាចដំណើរការបានទេ។" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "លទ្ធផល GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "កន្លែងបញ្ចេញរបស់ GnuPG ៖" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "សារផ្សេងទៀតដែលបានផ្ដល់ដោយ GnuPG ៖" @@ -294,7 +324,7 @@ msgstr "" "សូមមើល <a href=\\\"file:///usr/share/doc/tails/website/doc/first_steps/" "startup_options/mac_spoofing.en.html#blocked\\\">ឯកសារពីការក្លែង MAC</a> ។" -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "កំណែរបស់ Tails នេះគឺស្គាល់បញ្ហាសុវត្ថិភាព៖" @@ -337,12 +367,12 @@ msgstr "" "doc/first_steps/startup_options/mac_spoofing.en.html'>ឯកសារ</a> ។" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "កំហុស៖" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "កំហុស" @@ -380,9 +410,10 @@ msgstr "" "ទាំងប្រព័ន្ធប្រតិបត្តិការម៉ាស៊ីន និងកម្មវិធីនិម្មិតគឺអាចត្រួតពិនិត្យអ្វីដែលអ្នកកំពុងធ្វើនៅក្នុង Tails បាន។" #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 +#, fuzzy msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" "virtualization.en.html'>ស្វែងយល់បន្ថែម...</a>" @@ -403,11 +434,11 @@ msgstr "ចាប់ផ្ដើមកម្មវិធីអ៊ីនធ msgid "Cancel" msgstr "បោះបង់" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "តើអ្នកពិតជាចង់ចាប់ផ្ដើមកម្មវិធីគ្មានសុវត្ថិភាពមែនឬ?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -417,36 +448,19 @@ msgstr "" "សុវត្ថិភាពតែពេលដែលចាំបាច់ប៉ុណ្ណោះ ឧទាហរណ៍បើអ្នកត្រូវចូល ឬចុះឈ្មោះដើម្បីធ្វើឲ្យការតភ្ជាប់អ៊ីនធឺណិតរបស់" "អ្នកសកម្ម។" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "ចាប់ផ្ដើម" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "ចេញ" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "កំពុងចាប់ផ្ដើមកម្មវិធីគ្មានសុវត្ថិភាព..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "វាអាចប្រើពេលមួយរយៈ ដូច្នេះសូមមេត្តាអត់ធ្មត់។" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "បានបរាជ័យក្នុងការដំឡើង chroot ។" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "កម្មវិធីអ៊ីនធឺណិតគ្មានសុវត្ថិភាព" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "កំពុងបិទកម្មវិធីអ៊ីនធឺណិតគ្មានសុវត្ថិភាព..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." @@ -454,11 +468,16 @@ msgstr "" "វាអាចប្រើពេលមួយរយៈ ដូច្នេះអ្នកមិនត្រូវចាប់ផ្ដើមកម្មវិធីអ៊ីនធឺណិតគ្មានសុវត្ថិភាពឡើងវិញឡើយ រហូតដល់វាបាន" "បិទដោយត្រឹមត្រូវ។" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "បានបរាជ័យក្នុងការចាប់ផ្ដើម Tor ។" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "កម្មវិធីអ៊ីនធឺណិតគ្មានសុវត្ថិភាព" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -466,51 +485,71 @@ msgstr "" "កម្មវិធីអ៊ីនធឺណិតគ្មានសុវត្ថិភាពផ្សេងបច្ចុប្បន្នកំពុងដំណើរការ ឬកំពុងត្រូវបានសម្អាត។ សូមព្យាយាមម្ដងទៀតនៅ" "ពេលបន្ទាប់។" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." msgstr "" "មិនបានទទួលម៉ាស៊ីនមេ DNS តាម DHCP ឬតាមការកំណត់រចនាសម្ព័ន្ធដោយដៃនៅក្នុងកម្មវិធីគ្រប់គ្រងបណ្ដាញ។" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "បានបរាជ័យក្នុងការដំឡើង chroot ។" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +#, fuzzy +msgid "Failed to configure browser." +msgstr "បានបរាជ័យក្នុងការចាប់ផ្ដើម Tor ។" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +#, fuzzy +msgid "Failed to run browser." +msgstr "បានបរាជ័យក្នុងការចាប់ផ្ដើម Tor ។" + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "ការចាប់ផ្ដើម I2P បានបរាជ័យ" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 #, fuzzy msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." msgstr "មានបញ្ហាពេល I2P ចាប់ផ្ដើម។ មើលកំណត់ហេតុនៅក្នុងថតខាងក្រោមសម្រាប់ព័ត៌មានលម្អិត៖" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 #, fuzzy msgid "I2P's router console is ready" msgstr "កុងសូលរ៉ោតទ័រ I2P នឹងបើកនៅពេលចាប់ផ្ដើម។" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 #, fuzzy msgid "I2P is not ready" msgstr "Tor គឺមិនទាន់រួចរាល់ទេ" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " "Reconnect to the network to try again." msgstr "" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 #, fuzzy msgid "I2P is ready" msgstr "Tor គឺរួចរាល់ហើយ" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 #, fuzzy msgid "You can now access services on I2P." msgstr "ឥឡូវអ្នកអាចប្រើអ៊ីនធឺណិតបាន។" diff --git a/po/ko.po b/po/ko.po index 3089f0fa483d23ebf04d69f2df1b401028968aba..eeedd04e9a15999479ac2d3cafbf90143211303f 100644 --- a/po/ko.po +++ b/po/ko.po @@ -6,13 +6,13 @@ # ilbe123 <a3057016@drdrb.net>, 2014 # Dr.what <javrick6@naver.com>, 2014 # ryush00 <ryush00@gmail.com>, 2014 -# Sungjin Kang <potopro@gmail.com>, 2014 +# Sungjin Kang <potopro@gmail.com>, 2014-2015 msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" -"PO-Revision-Date: 2015-01-15 04:25+0100\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" +"PO-Revision-Date: 2015-02-24 15:42+0000\n" "Last-Translator: Sungjin Kang <potopro@gmail.com>\n" "Language-Team: Korean (http://www.transifex.com/projects/p/torproject/" "language/ko/)\n" @@ -22,11 +22,11 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Tor 준비됨" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "인터넷 접속 가능" @@ -38,26 +38,58 @@ msgid "" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" -"<h1>버그 수정을 도와 주세요!</h1>\n" -"<p><a href=\"%s\">버그에 대한 보고 치침</a>을 읽어 주세요</p>\n" -"<p><strong>필요 이상으로 개인 정보를 넣지 마세요!</strong></p>\n" -"<h2>메일 주소를 저희에게 전해주시는 것에 대해</h2>\n" -"<p>귀하의 개인정보 일부가 Tails의 개발자에게 드러난다는 걸 신경쓰지 않으신다" -"면, \n" -"메일 주소를 제공받아서 버그에 관한 상세한 것을 물어볼 수도 있고, \n" -"공개 PGP 키로 미래의 통신처럼 암호화가 가능해집니다.</p>\n" -"<p>이 답장을 보는 것이 누구든간에, 귀하는 아마 Tails의 이용자일 것입니다. 이" -"쯤 되면 귀하의 인터넷과 메일 제공 업체가 얼마나 신뢰할 만한지 궁금하지 않으신" -"가요?</p>\n" +"<h1>우리가 버그를 수정할 수 있도록 도와주세요! <h1>\n" +"<p><a href=\"%s\">버그 리포팅 지침서</a>를 참조하세요.</p>\n" +"<p><strong>필요한 것 이상의 개인정보를 포함하시지 마세요!</strong></p>\n" +"<h2>우리가 이메일 주소를 받는 이유</h2>\n" +"<p>\n" +"우리가 이메일 주소를 받는 것은 문제를 명확하게 하기 위해 연락을 할 수 있기 때" +"문입니다.\n" +"우리가 받는 대부분의 리포팅은 연락처 정보가 필요합니다만, 그런것들의 일부는 " +"연락처 \n" +"정보가 없는 경우가 있기 때문입니다. 다른 한편으로는 당신이 Tails를 사용하여 " +"이메일이나 \n" +"인터넷 제공자처럼 도청자에대한 확인할 수 있는 기회를 제공하기 위함입니다.\n" +"<./p>\n" + +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "지속성은 Electrum을 비활성시킵니다." + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" +"Tails를 다시 부팅할때, Electrum의 모든 데이터는 비트 코인 지갑을 포함하여 없" +"어집니다. 지속성 기능이 활성화 되어있을때 Electrum만 실행하는 것을 추천드립니" +"다." + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +#, fuzzy +msgid "Do you want to start Electrum anyway?" +msgstr "Electrum을 어떤 방법으로 시작 하시겠습니까?" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Launch" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Exit" #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" @@ -87,62 +119,66 @@ msgstr "_Decrypt/Verify 클립보드" msgid "_Manage Keys" msgstr "_Manage 키" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "클립보드에 유효한 입력 데이터가 포함되어 있지 않습니다." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "신뢰 수준 - 낮음" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "신뢰 수준 - 보통" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "신뢰 수준 - 높음" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "신뢰 수준 - 존나 높음" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "이름" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "Key ID" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "상태" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "핑거 프린트:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "사용자의 ID들을 적으시오:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "없음 (서명 안 함)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "받는 사람 선택:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "받는 사람 숨기기" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -150,66 +186,66 @@ msgstr "" "암호화 된 메시지를 받는 모든 사람의 사용자 ID를 숨깁니다. 그렇지 않으면 암호" "화 된 메시지를 도청하는 사람은 받는 사람이 누구인지 볼 수 있습니다." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "메시지를 다음으로 서명:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "키 선택" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "이 키를 신뢰하십니까?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "선택된 키들을 충분히 신뢰할 수 없습니다:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "이 키를 사용할만큼 이 키를 신뢰하십니까?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "키 선택 안 함" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." msgstr "메세지에 서명할 개인 키 또는 공인 암호키를 선택해야 합니다.-둘 다 가능" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "사용 가능 키 없음" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "메세지에 서명하키 위한 개인키나, 메세지를 암호화 할 수 있는 공개키가 필요합니" "다." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "GnuPG 오류" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "작업을 수행할 수 없습니다." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "GnuPG 상태" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "GnuPG 출력" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "GnuPG의 다른 알림" @@ -299,7 +335,7 @@ msgstr "" "first_steps/startup_options/mac_spoofing.en.html#blocked\\\">MAC 위장 문서</" "a>를 참조하십시오." -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "지금 버전 Tails은 보안에 문제가 있습니다." @@ -343,12 +379,12 @@ msgstr "" "html'>문서</a>를 참조하십시오." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "오류:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "오류" @@ -388,9 +424,10 @@ msgstr "" "할 수 있습니다." #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 +#, fuzzy msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" "virtualization.en.html'>정보</a> " @@ -411,11 +448,11 @@ msgstr "Tor 브라우저 시작" msgid "Cancel" msgstr "취소" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "정말 안전하지 않은 브라우저를 시작 하시겠습니까?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -425,36 +462,19 @@ msgstr "" "필요한 경우에만 예를 들어, 인터넷 연결을 활성화하기 위해 로그인 또는 등록해야" "하는 경우에만 안전하지 않은 브라우저를 사용하십시오." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "_Launch" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "_Exit" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "안전하지 않은 브라우저를 실행 중 ..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "잠시 시간이 걸릴 수 있으므로 기다려주세요." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "chroot 설치에 실패했습니다." - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "안전하지 않은 브라우저" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "안전하지 않은 브라우저를 종료 중 ..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." @@ -462,11 +482,16 @@ msgstr "" "시간이 좀 걸릴 우려가 있습니다. 적절하게 종료 될 때까지 안전하지 않은 브라우" "저를 다시 시작할 수 없습니다." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "Tor 재시작 실패" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "안전하지 않은 브라우저" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -474,7 +499,15 @@ msgstr "" "다른 안전하지 않은 웹 브라우저가 실행 중이거나 정리되어 있습니다. 잠시 후 다" "시 시도해주세요." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" +"clearnet DNS 서버를 추적할때, NetworkManager는 우리의 가비지 데이터를 지나갔" +"습니다." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." @@ -482,29 +515,43 @@ msgstr "" "DNS 서버는 DHCP를 통해 검색하거나 NetworkManager에서 수동으로 구성되지 않았습" "니다." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "chroot 설치에 실패했습니다." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +msgid "Failed to configure browser." +msgstr "브라우저를 구성할 수 없습니다." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +msgid "Failed to run browser." +msgstr "브라우저를 실행시키지 못 했습니다." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "I2P를 시작할 수 없습니다" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." -msgstr "I2P가 시작될때 뭔가 잘못된 것같습니다. 자세한 정보를 보기위해 /var/log/i2p 로그를 확인하세요." +msgstr "" +"I2P가 시작될때 뭔가 잘못된 것같습니다. 자세한 정보를 보기위해 /var/log/i2p 로" +"그를 확인하세요." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" msgstr "I2P 라우터 콘솔 준비됨" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "http://127.0.0.1:7657의 I2P 라우터 콘솔에 접근했습니다." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "I2P 준비 안 됨" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " @@ -514,11 +561,11 @@ msgstr "" "우터 콘솔을 확인하거나 /var/log/i2p 로그에서 확인하세요. 네트워크를 재접속해" "주세요." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "I2P 준비됨" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." msgstr "I2P에서 서비스로 접근가능합니다." diff --git a/po/lv.po b/po/lv.po index ac247ccf3c89c8118fbe8662b9463c0f72dd8a3b..d7d5285f9a0aad29457a0d3910e34d8a0dbc87d1 100644 --- a/po/lv.po +++ b/po/lv.po @@ -3,14 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: -# Ojārs Balcers <ojars.balcers@gmail.com>, 2013-2014 +# Ojārs Balcers <ojars.balcers@gmail.com>, 2013-2015 msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" -"PO-Revision-Date: 2014-12-04 08:50+0000\n" -"Last-Translator: runasand <runa.sandvik@gmail.com>\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" +"PO-Revision-Date: 2015-03-27 18:41+0000\n" +"Last-Translator: Ojārs Balcers <ojars.balcers@gmail.com>\n" "Language-Team: Latvian (http://www.transifex.com/projects/p/torproject/" "language/lv/)\n" "Language: lv\n" @@ -20,11 +20,11 @@ msgstr "" "Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : " "2);\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Tor ir sagatavots" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "Jūs tagad varat piekļūt internetam." @@ -36,27 +36,55 @@ msgid "" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" -"<h1>Palīdziet mums atrisināt Jūsu problēmu!</h1>\n" -"<p>Lasiet <a href=\"%s\">mūsu kļūdu pieteikšanas instrukcijas</a>.</p>\n" -"<p><strong>Nenorādiet vairāk personiskas informācijas kā nepieciešams!</" -"strong></p>\n" -"<h2>Par e-pasta adreses norādīšanu</h2>\n" -"<p>Ja neiebilstat atklāt daļu no savas identitātes Tails izstrādātājiem, " -"variet norādīt savu e-pasta adresi, lai mēs varētu uzdot vairāk jautājumus " -"par kļūdu. Turklāt publiskas PGP atslēgas norādīšana sniegtu mums iespēju " -"šifrēt mūsu turpmāko saziņu.</p>\n" -"<p>Ikviens, kas var redzēt šo atbildi, tā varētu domāt, uzskatīs Jūs par " -"Tails lietotāju. Varbūt ir pienācis laiks izvērtēt cik daudz Jūs uzticaties " -"saviem interneta un e-pasta pakalpojumu sniedzējiem?</p>\n" +"<h1>Palīdziet mums novērst Jūsu kļūdu!</h1>\n" +"<p>Lasiet <a href=\"%s\">mūsu kļūdas pieteikšanas norādījumus</a>.</p>\n" +"<p><strong>Neiekļaujiet vairāk personiskās informācijas nekā ir nepieciešams!" +"</strong></p>\n" +"<h2>Par Jūsu e-pasta adreses norādīšanu mums</h2>\n" +"<p>\n" +"Norādot savu e-pasta adresi, Jūs dodat mums iespēju sazināties ar Jums, lai " +"apzinātu problēmu. Vairumam pieteikumu tas ir nepieciešams, jo liela daļa " +"pieteikumu bez kontaktinformācijas nav atrisināma. No otras puses, e-pasta " +"norādīšana paver iespēju tiem kas noklausās, piemēram, e-pasta vai interneta " +"pakalpojumam sniedzējiem, pārliecināties, ka lietojat Tails.\n" +"</p>\n" + +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "Pastāvība ir atspējota Electrum'am." + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" +"Kad pārlādēsit Tails, pazudīs visi Electrum dati, t.sk. Jūsu Bitcoin maciņš. " +"Tiek stingri ieteikts strādāt ar Electrum, kam aktivizēta pastāvības iezīme. " + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "Vai vienalga vēlaties startēt Electrum? " + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Launch" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Exit" #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" @@ -86,64 +114,68 @@ msgstr "_Decrypt/Verify Clipboard" msgid "_Manage Keys" msgstr "_Manage Keys" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "Starpliktuvē nav derīgu ievades datu." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "Nezināms uzticamības līmenis" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "Mazzināms uzticamības līmenis" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "Pilns uzticamības līmenis" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "Augstākais uzticamības līmenis" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "Nosaukums" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "Atslēgas ID" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "Statuss" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "Ciparvirkne:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "Lietotāja IDes:" msgstr[1] "Lietotāja ID:" msgstr[2] "Lietotāja IDes:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "Nav (neparakstīt)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "Atlasīt saņēmējus:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "Slēpt saņēmējus" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -151,37 +183,37 @@ msgstr "" "Slēpt visu šifrētā ziņojuma saņēmēju lietotāju IDes. Savādāk, katrs, kas " "redz šifrēto ziņojumu var redzēt kas ir tā saņēmēji. " -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "Parakstīt ziņojumu kā:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "Izvēlēties atslēgas" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "Vai uzticaties šīm atslēgām?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "Turpmāk norādītajām, izvēlētajām atslēgām nevar pilnībā uzticēties:" msgstr[1] "Turpmāk norādītajai, izvēlētajai atslēgai nevar pilnībā uzticēties:" msgstr[2] "Turpmāk norādītajām, izvēlētajām atslēgām nevar pilnībā uzticēties:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "Vai pietiekami uzticaties šai atslēgai, lai tomēr to lietotu?" msgstr[1] "Vai pietiekami uzticaties šai atslēgai, lai tomēr to lietotu?" msgstr[2] "Vai pietiekami uzticaties šīm atslēgām, lai tomēr tās lietotu?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "Neviena no atslēgām nav atlasīta" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -189,34 +221,34 @@ msgstr "" "Jums vai nu jāatlasa privāta atslēga ar kuru parakstīt ziņojumu, vai arī " "kāda publiska atslēga, lai šifrētu ziņojumu, vai jāveic abas izvēles." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "Neviena atslēga nav pieejama" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "Jums vai nu nepieciešama privāta atslēga, lai parakstītu ziņojumus, vai arī " "publiska atslēga, lai ziņojumus šifrētu." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "GnuPG kļūda" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "Tādējādi operāciju nav iespējams izpildīt." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "GnuPG rezultāti" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "GnuPG izvade:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "Citi GnuPG sniegti ziņojumi:" @@ -308,7 +340,7 @@ msgstr "" "share/doc/tails/website/doc/first_steps/startup_options/mac_spoofing.en." "html#blocked\\\">MAC izlikšanās dokumentāciju</a>." -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "Šai Tails versijai ir apzinātas šādas drošības problēmas:" @@ -352,12 +384,12 @@ msgstr "" "mac_spoofing.en.html'>documentāciju</a>." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "kļūda:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "Kļūda" @@ -399,10 +431,10 @@ msgstr "" #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Uzziniet vairāk...</a>" +"virtualization.en.html#security'>Uzziniet vairāk...</a>" #: config/chroot_local-includes/usr/local/bin/tor-browser:18 msgid "Tor is not ready" @@ -420,11 +452,11 @@ msgstr "Startēt Pārlūku Tor" msgid "Cancel" msgstr "Atcelt" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "Vai tiešām vēlaties palaist Nedrošu pārlūku?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -434,36 +466,19 @@ msgstr "" "pārlūku tikai tad, kad nepieciešams, piemēram, ja Jums jāiereģistrējas vai " "jāreģistrējas, lai aktivizētu Jūsu interneta savienojumu." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "_Launch" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "_Exit" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "Startē Nedrošu pārlūku..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "Tas var ilgt kādu laiku, tāpēc, lūdzu, esiet pacietīgs." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "Neizdevās iestatīt chroot." - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "Nedrošs pārlūks" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "Izslēdz Nedrošu pārlūku..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." @@ -471,11 +486,16 @@ msgstr "" "Darbības pabeigšanai vēl ir nepieciešams kāds laiks. Nedrīkst pārstartēt " "Nedrošo pārlūku, kamēr tas tiek pareizi izslēgts." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "Neizdevās pārstartēt Tor'u." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "Nedrošs pārlūks" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -483,7 +503,15 @@ msgstr "" "Šobrīd darbojas vai tiek attīrīts cits nedrošs pārlūks. Lūdzu mēģiniet vēlāk " "vēlreiz." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" +"Cenšoties izanalizēt nešifrēta tīkla DNS serveri, NetworkManager mums " +"sniedza neizmantojamus datus. " + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." @@ -491,11 +519,23 @@ msgstr "" "Izmantojot DHCP netika iegūts neviens DNS serveris; arī NetworkManager'ī " "neviens DNS serveris nebija manuāli nokonfigurēts. " -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "Neizdevās iestatīt chroot." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +msgid "Failed to configure browser." +msgstr "Neizdevās nokonfigurēt pārlūku." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +msgid "Failed to run browser." +msgstr "Neizdevās startēt pārlūku." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "I2P neizdevās startēt" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." @@ -503,20 +543,20 @@ msgstr "" "I2P startējot, ir notikusi kļūda. Pārbaudiet žurnālus te /var/log/i2p , lai " "uzzinātu vairāk." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" msgstr "I2P maršrutētāja konsole ir gatava darbam." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "" "Tagad Jūs varat piekļūt I2P maršrutētāja konsolei te http://127.0.0.1:7657." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "I2P nav gatavs darbam" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " @@ -526,11 +566,11 @@ msgstr "" "te http://127.0.0.1:7657/logs vai žurnālus te /var/log/i2p , lai uzzinātu " "vairāk. Vēlreiz izveidojiet savienojumu ar tīklu, lai mēģinātu vēlreiz." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "I2P ir gatavs darbam" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." msgstr "Tagad Jūs varat piekļūt pakalpojumiem, kas atrodas I2P." diff --git a/po/nb.po b/po/nb.po index d13632c174e60cffd6b5b54de6aba393aea28d02..7af50c6d325490bee65058fe8585fcd6d1f46477 100644 --- a/po/nb.po +++ b/po/nb.po @@ -3,18 +3,19 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: -# Allan Nordhøy <comradekingu@gmail.com>, 2014 +# Allan Nordhøy <comradekingu@gmail.com>, 2014-2015 # David Gutierrez <david.gutierrez.abreu@gmail.com>, 2014 # Jan-Erik Ek <jan.erik.ek@gmail.com>, 2013 # lateralus, 2014 +# Per Thorsheim <transifex@thorsheim.net>, 2015 # pr0xity, 2014 msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" -"PO-Revision-Date: 2014-12-04 08:50+0000\n" -"Last-Translator: runasand <runa.sandvik@gmail.com>\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" +"PO-Revision-Date: 2015-03-04 22:01+0000\n" +"Last-Translator: Allan Nordhøy <comradekingu@gmail.com>\n" "Language-Team: Norwegian Bokmål (http://www.transifex.com/projects/p/" "torproject/language/nb/)\n" "Language: nb\n" @@ -23,11 +24,11 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Tor er klar" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "Du har nå tilgang til internett." @@ -39,28 +40,57 @@ msgid "" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" -"<h1>Hjelp oss å fikse eventuelle feil!</h1>\n" -"<p>Les <a href=\"%s\">våre instruksjoner for rapportering av feil</a>.</p>\n" -"<p><strong>Ikke inkluder mer personlig informasjon enn hva som\n" -" kreves!</strong></p>\n" -"<h2>Om å gi en e-postadresse</h2>\n" -"<p>Hvis du ikke har noe imot å avsløre deler av din identitet\n" -"til utviklerne av Tails, så kan du oppgi en e-postadresse som\n" -"lar oss stille spørsmål rundt feilen. I tillegg kan du oppgi \n" -"en offentlig PGP-nøkkel som lar oss kryptere slik fremtidig\n" -"kommunikasjon.</p>\n" -"<p>Alle som kan se dette svaret kan trolig dra slutningen om at du\n" -"er en Tails bruker. På tide å tenke over hvor mye du kan stole på din\n" -"internett- og e-post leverandør?</p>\n" +"<h1>Hjelp oss med å ordne feilen du har funnet!</h1>\n" +"<p>Les <a href=\"%s\">vår instruks om rapportering av feil</a>.</p>\n" +"<p><strong>Ikke inkluder flere personvernsdetaljer enn nødvendig!</strong></" +"p>\n" +"<h2>Om det å gi oss en e-post -adresse</h2>\n" +"<p>\n" +"Det å gi oss en e-post -adresse tillater oss å kontakte deg for å få klarhet " +"i problemet.\n" +"Dette er som oftest nødvendig siden de fleste feilrettingsrapportene \n" +"trenger ytterligere detaljer for å være brukbare.\n" +"Dog gir det også en mulighet for \n" +"overvåkningsinstanser til å bekrefte at du bruker Tails\n" +"</p>\n" + +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "Vedvaring avskrudd for Electrum (Bitcoin-klient)" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" +"Ved omstart av Tails vil alle data i Electrum gå tapt, inkludert din Bitkoin-" +"lommebok. Det er anbefalt på det sterkeste at du bare kjører Electrum når " +"vedvaringsvalget er aktivert." + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "Vil du starte Electrum uansett?" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Start" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Avslutt" #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" @@ -90,63 +120,67 @@ msgstr "_Dekrypter/verifiser utklipp" msgid "_Manage Keys" msgstr "_Håndter nøkler" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "Utklippstavlen inneholder ikke gyldige inndata." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "Ukjent tillit" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "Marginal tillit" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "Full tillit" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "Total tillit" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "Navn" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "Nøkkel-ID" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "Status" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "Fingeravtrykk:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "Bruker-ID:" msgstr[1] "Bruker-IDer:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "Ingen (Ikke signer)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "Velg mottakere:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "Gjem mottakere:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -154,35 +188,35 @@ msgstr "" "Gjem bruker-IDene til alle mottakere av en kryptert melding. Hvis ikke kan " "alle som ser den krypterte meldingen se hvem mottakerne er." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "Signer meldingen som:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "Velg nøkler" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "Stoler du på disse nøklene?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "Følgende valgte nøkkel er ikke helt betrodd: " msgstr[1] "Følgende valgte nøkler er ikke helt betrodde:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "Stoler du nok på denne nøkkelen til å bruke den uansett?" msgstr[1] "Stoler du nok på disse nøklene til å bruke dem uansett?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "Ingen nøkler er valgt" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -190,34 +224,34 @@ msgstr "" "Du må velge en privat nøkkel for å signere meldingen, eller noen offentlige " "nøkler for å krypere meldingen, eller begge deler. " -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "Ingen nøkler er tilgjengelige" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "Du trenger en privat nøkkel for å signere meldinger eller en offentlig " "nøkkel for å dekryptere meldinger. " -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "GnuPG feil" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "Derfor kan ikke operasjonen utføres." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "GnuPG resultater" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "Ytelse av GnuPG:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "Andre meldinger gitt av GnuPG:" @@ -309,7 +343,7 @@ msgstr "" "share/doc/tails/website/doc/first_steps/startup_options/mac_spoofing.en." "html#blocked\\\">MAC-parodierings dokumentasjon</a>." -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "Denne versjonen av Tails har kjente sikkerhetsproblem:" @@ -353,12 +387,12 @@ msgstr "" "html'>dokumentasjonen</a>." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "feil:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "Feil" @@ -399,10 +433,10 @@ msgstr "" #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Lær mer...</a>" +"virtualization.en.html#security'>Lær mer...</a>" #: config/chroot_local-includes/usr/local/bin/tor-browser:18 msgid "Tor is not ready" @@ -420,11 +454,11 @@ msgstr "Start Tor Browser" msgid "Cancel" msgstr "Avbryt" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "Vil du virkelig starte den usikre nettleseren?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -434,36 +468,19 @@ msgstr "" "den usikre nettleseren om absolutt nødvendig, for eksempel når du må logge " "inn eller registrere deg for å aktivere internettforbindelsen din." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "_Start" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "_Avslutt" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "Starter den usikre nettleseren..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "Dette kan ta litt tid, så vennligst vær tålmodig." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "Feilet i å opprette et chroot-miljø." - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "Usikker Nettleser" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "Avslutter den Usikre Nettleseren..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." @@ -471,11 +488,16 @@ msgstr "" "Dette kan ta en stund, og den usikre nettleseren kan ikke startes på nytt " "før den forrige er helt avsluttet. " -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "Kunne ikke starte om Tor." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "Usikker Nettleser" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -483,7 +505,15 @@ msgstr "" "En annen Usikker Nettleser kjører for øyeblikket, eller blir renset. " "Vennligst prøv på nytt om en stund." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" +"NetworkManager har gitt oss søppeldata ved forsøk på å utrede hava som er " +"den clearnet DNS-tjeneren." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." @@ -491,11 +521,23 @@ msgstr "" "Ingen DNS server ble tildelt gjennom DHCP eller manuell konfigurasjon i " "NetworkManager." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "Feilet i å opprette et chroot-miljø." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +msgid "Failed to configure browser." +msgstr "Kunne ikke konfigurere nettleser." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +msgid "Failed to run browser." +msgstr "Kunne ikke starte nettleser." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "Start av I2P feilet" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." @@ -503,20 +545,20 @@ msgstr "" "Noe gikk galt når IP2 var i ferd med å starte. Sjekk loggene i /var/log/i2p " "for mer informasjon." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" msgstr "I2P's ruter console er klar" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "" "Du kan nå få tilgang til I2P router konsollen på http://127.0.0.1:7657." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "I2P er ikke klar" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " @@ -526,11 +568,11 @@ msgstr "" "konsollen på http://127.0.0.1:7657/logs eller loggene i /var/log/i2p for mer " "informasjon. Koble på nytt til nettverket og forsøk igjen." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "I2P er klar" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." msgstr "Du kan nå få tilgang til tjenester på I2P." diff --git a/po/nl.po b/po/nl.po index df6a681aff8b7f0abdde248076bed69f7ea81236..b68ae7be0f6b62181f89d78283846774edf1955f 100644 --- a/po/nl.po +++ b/po/nl.po @@ -10,17 +10,19 @@ # Cleveridge <erwin.de.laat@cleveridge.org>, 2014 # Joost Rijneveld <joostrijneveld@gmail.com>, 2014 # LittleNacho <louisboy@msn.com>, 2013 +# Nathan Follens, 2015 # Midgard, 2014 # T. Des Maison <ton.siedsma@bof.nl>, 2014 # Tjeerd <transifex@syrion.net>, 2014 +# Tonko Mulder <tonko@tonkomulder.nl>, 2015 # Lazlo <transifex@lazlo.me>, 2013 msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" -"PO-Revision-Date: 2014-12-04 08:50+0000\n" -"Last-Translator: runasand <runa.sandvik@gmail.com>\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" +"PO-Revision-Date: 2015-02-25 11:56+0000\n" +"Last-Translator: Tonko Mulder <tonko@tonkomulder.nl>\n" "Language-Team: Dutch (http://www.transifex.com/projects/p/torproject/" "language/nl/)\n" "Language: nl\n" @@ -29,13 +31,13 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Tor is klaar" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." -msgstr "U heeft nu toegang tot het Internet" +msgstr "Je hebt nu toegang tot het Internet" #: config/chroot_local-includes/etc/whisperback/config.py:64 #, python-format @@ -45,28 +47,60 @@ msgid "" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" -"<h1>Help ons jouw bugs te fixen!</h1>\n" -"<p>Lees <a href=\"%s\">onze handleiding voor het melden van fouten</a>.</p>\n" -"<p><strong>Voeg niet meer persoonlijke informatie toe dan nodig!</strong></" +"<h1>Help ons je bug op te lossen!</h1>\n" +"<p>Lees <a href=\"%s\">onze instructies voor het melden van bugs</a>.</p>\n" +"<p><strong>Geef niet meer persoonlijke informatie op dan nodig!</strong></" "p>\n" -"<h2>Over het opgeven van een e-mailadres</h2>\n" -"<p>Als je het niet erg vindt om iets een beetje van je identiteit af te " -"staan, dan kun je een e-mailadres opgeven zodat wij meer details over de " -"fout kunnen vragen. Bovendien, door het toevoegen van een publieke PGP " -"sleutel stel je ons in staat om zulke toekomstige communicatie te " -"versleutelen.</p>\n" -"<p>Iedereen die ons antwoordbericht kan zien zal waarschijnlijk kunnen " -"afleiden dat je een Tails gebruiker bent. Tijd om je af te vragen hoeveel je " -"je Internet- en mailprovider vertrouwd?</p>\n" +"<h2>Over het ons geven van een e-mailadres</h2>\n" +"<p>\n" +"Als je ons een e-mailadres geeft laat dat ons toe je te contacteren om het " +"probleem\n" +"te verhelderen. Dit is nodig voor de overgrote meerderheid van de meldingen " +"die we\n" +"ontvangen, aangezien de meeste meldingen nutteloos zijn zonder enige " +"contactinformatie.\n" +"Anderzijds biedt het een mogelijkheid voor afluisteraars, zoals de provider " +"van je e-mail\n" +"of je internetverbinding, te bevestigen dat je Tails gebruikt.\n" +"</p>\n" + +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "De persistence feature is uitgeschakeld voor Electrum." + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" +"Als je Tails reboot, zal alle data van Electrum verloren gaan, inclusief je " +"Bitcoin portomonnee. Het wordt sterk aangeraden om Electrum alleen te " +"draaien als de persistence feature is geactiveerd." + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "Weet je zeker dat je Electrum wilt starten?" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "Start" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "Sluiten" #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" @@ -82,11 +116,11 @@ msgstr "Over" #: config/chroot_local-includes/usr/local/bin/gpgApplet:192 msgid "Encrypt Clipboard with _Passphrase" -msgstr "Versleutel Klembord met Wachtwoord" +msgstr "Versleutel Klembord met _Wachtwoord" #: config/chroot_local-includes/usr/local/bin/gpgApplet:195 msgid "Sign/Encrypt Clipboard with Public _Keys" -msgstr "Teken/Versleutel Klembord met Openbare Sleutels" +msgstr "Teken/Versleutel Klembord met Publieke _Sleutels" #: config/chroot_local-includes/usr/local/bin/gpgApplet:200 msgid "_Decrypt/Verify Clipboard" @@ -96,100 +130,104 @@ msgstr "Ontcijfer/Controleer Klembord" msgid "_Manage Keys" msgstr "Beheer Sleutels" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "Het klembord bevat geen geldige gegevens." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "Onbekend Vertrouwen" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "Marginaal Vertrouwen" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "Volledig Vertrouwen" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "Ultiem Vertrouwen" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "Naam" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "Sleutel ID" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "Status" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "Vingerafdruk:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" -msgstr[0] "GebruikersID:" -msgstr[1] "GebruikersID's:" +msgstr[0] "Gebruikers-ID:" +msgstr[1] "Gebruikers-ID's:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" -msgstr "Geen (Onderteken niet)" +msgstr "Geen (niet ondertekenen)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "Selecteer ontvangers:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "Verberg ontvangers" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." msgstr "" -"Verberg de gebruikersID's van alle ontvangers van een versleuteld bericht. " +"Verberg de gebruikers-ID's van alle ontvangers van een versleuteld bericht. " "Anders kan iedereen die het versleuteld bericht kan lezen zien wie de " "ontvangers zijn." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "Onderteken bericht als:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "Kies sleutels" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "Vertrouw je deze sleutels?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "De volgende geselecteerde sleutel is niet helemaal vertrouwd:" msgstr[1] "De volgende geselecteerde sleutels zijn niet helemaal vertrouwd:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "Vertrouw je deze sleutel genoeg om hem toch te gebruiken?" msgstr[1] "Vertrouw je deze sleutels genoeg om ze toch te gebruiken?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "Geen sleutel geselecteerd" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -197,34 +235,34 @@ msgstr "" "Je moet een private sleutel selecteren om het bericht mee te ondertekenen, " "ofwel enkele publieke sleutels om het bericht te versleutelen, of beide." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "Geen sleutels beschikbaar" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "Je hebt een private sleutel nodig om berichten te ondertekenen of een " "publieke sleutel om berichten te versleutelen." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "GnuPG-fout" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "Daarom kan de actie niet uitgevoerd worden." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "GnuPG resultaten" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "Uitvoer van GnuPG:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "Andere berichten die door GnuPG gegeven worden:" @@ -317,7 +355,7 @@ msgstr "" "\"file:///usr/share/doc/tails/website/doc/first_steps/startup_options/" "mac_spoofing.nl.html#blocked\\\">MAC spoofing documentatie</a>." -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "Deze versie van Tails heeft bekende beveiligings-problemen. " @@ -361,12 +399,12 @@ msgstr "" "first_steps/startup_options/mac_spoofing.nl.html'>documentatie</a>." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "fout:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "Fout" @@ -407,10 +445,10 @@ msgstr "" #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Kom meer te weten...</a>" +"virtualization.nl.html#security'>Lees meer..</a>" #: config/chroot_local-includes/usr/local/bin/tor-browser:18 msgid "Tor is not ready" @@ -428,11 +466,11 @@ msgstr "Start de Tor Browser" msgid "Cancel" msgstr "Annuleren" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "Ben je zeker dat je de Onveilige Browser wil starten?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -442,48 +480,36 @@ msgstr "" "Onveilige Browser alleen als het noodzakelijk is, bijvoorbeeld als je moet " "aanmelden of registreren om je internetverbinding te activeren." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "Start" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "Sluiten" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "Bezig met opstarten van de Onveilige Browser..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "Dit kan even duren, heb geduld a.u.b." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "Kon geen chroot maken." - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "Onveilige Browser" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "Afsluiten van de onveilige browser..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." msgstr "" -"Dit kan een tijdje duren, u mag de onveilige browser niet herstarten tot " +"Dit kan een tijdje duren, je mag de onveilige browser niet herstarten tot " "deze degelijk is afgesloten." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "Het herstarten van Tor is mislukt." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "Onveilige Browser" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -491,7 +517,15 @@ msgstr "" "Een andere onveilige browser is momenteel in werking of Tor is bezig met het " "opruimen ervan. Probeer het een andere keer opnieuw." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" +"NetworkManager gaf onzin data terug, terwijl hij de clearnet DNS server " +"probeerde vast te stellen." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." @@ -499,31 +533,43 @@ msgstr "" "Er is geen DNS server verkregen via DHCP of manueel ingesteld in " "NetwerkBeheerder." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "Kon geen chroot maken." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +msgid "Failed to configure browser." +msgstr "Kon de browser niet configureren." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +msgid "Failed to run browser." +msgstr "Kon de browser niet starten." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "I2P kon niet starten" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." msgstr "" -"Bij het opstarten van I2P is een fout gebeurt. Check de logs in /var/log/i2p " +"Bij het opstarten van I2P ging iets mis. Controleer de logs in /var/log/i2p " "voor meer informatie." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" msgstr "I2P's router console is klaar." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "Je kunt de I2P's router console nu via http://127.0.0.1:7657 bereiken." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "I2P is niet klaar." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " @@ -533,17 +579,17 @@ msgstr "" "informatie de router console op http://127.0.0.1:7657/logs of de logs in /" "var/log/i2p. Verbind opnieuw met het netwerk om het nogmaals te proberen." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "I2P is klaar." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." -msgstr "Je kunt de services op I2P nu bereiken." +msgstr "Je kunt de diensten op I2P nu bereiken." #: ../config/chroot_local-includes/etc/skel/Desktop/Report_an_error.desktop.in.h:1 msgid "Report an error" -msgstr "Rapporteer een fout" +msgstr "Meld een fout" #: ../config/chroot_local-includes/etc/skel/Desktop/tails-documentation.desktop.in.h:1 #: ../config/chroot_local-includes/usr/share/applications/tails-documentation.desktop.in.h:1 diff --git a/po/pl.po b/po/pl.po index 504fbc20f467333c693438042551f842f0cfc85f..f92f6d46f3c5906a8ff840f86b98bdb49a4512c1 100644 --- a/po/pl.po +++ b/po/pl.po @@ -6,15 +6,16 @@ # Aron <aron.plotnikowski@cryptolab.net>, 2014 # Dawid <hoek@hoek.pl>, 2014 # Dawid <hoek@hoek.pl>, 2014 +# oirpos <kuba2707@gmail.com>, 2015 # phla47 <phla47@gmail.com>, 2013 -# seb, 2013-2014 +# seb, 2013-2015 msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" -"PO-Revision-Date: 2014-12-04 08:50+0000\n" -"Last-Translator: runasand <runa.sandvik@gmail.com>\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" +"PO-Revision-Date: 2015-02-26 08:52+0000\n" +"Last-Translator: seb\n" "Language-Team: Polish (http://www.transifex.com/projects/p/torproject/" "language/pl/)\n" "Language: pl\n" @@ -24,11 +25,11 @@ msgstr "" "Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 " "|| n%100>=20) ? 1 : 2);\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Tor jest gotowy" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "Teraz możesz uzyskać dostęp do Internetu." @@ -40,31 +41,59 @@ msgid "" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" -"<h1>Pomóż naprawić nam błąd który napotkałeś!</h1>\n" -"<p>Przeczytaj <a href=\"%s\">instrukcje jak zgłaszać błędy</a>.</p>\n" -"<p><strong>Nie ujawniaj więcej informacji o sobie niż to \n" +"<h1>Pomóż nam naprawić błąd!</h1>\n" +"<p>Przeczytaj <a href=\"%s\">instrukcje zgłaszania błędów</a>.</p>\n" +"<p><strong>Nie dołączaj więcej prywatnych informacji o sobie niż to \n" "konieczne!</strong></p>\n" -"<h2>Jeżeli chcesz podać swój adres email</h2>\n" -"<p>Jeżeli zgadzasz się na częściowe ujawnienie swojej tożsamości \n" -"deweloperom Tails, możesz podać swój adres email \n" -"żebyśmy mogli zadać Ci dodatkowe pytania dotyczące błędu z który " -"napotkałeś. \n" -"Ponadto, jeżeli podasz\n" -"klucz publiczny PGP umożliwisz nam szyfrowanie tego typu \n" -"komunikacji.</p>\n" -"<p>Każdy kto zobaczy tą odpowiedź domyśli się, że jesteś\n" -"użytkownikiem Tails. Czas aby się zastanowić jak bardzo ufasz swoim " -"dostawcom\n" -"internetu i poczty.</p>\n" +"<h2>Podanie swojego adresu email</h2>\n" +"<p>\n" +"Poprzez podanie swojego adresu email dajesz nam szanse na skontaktowania się " +"z Tobą i klaryfikacją problemu który napotkałeś. \n" +"To jest potrzebne w większości przypadków zgłaszania błędów które " +"otrzymujemy. \n" +"Bez jakichkolwiek danych kontaktowych zgłaszane błędy są bezużyteczne. \n" +"Z drugiej strony to też daje możliwość na podsłuch, jakoby Twój dostawca " +"email lub dostawca internetu będzie wiedział, że używasz Tails.\n" +"</p>\n" +"\n" + +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "Persistence/trwałość jest wyłączona dla Electrum" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" +"Kiedy zrestartujesz Tails, to wszystkie dane Electrum będą stracone, " +"włączając w to Twój portfel Bitcoin. Zaleca się, aby uruchomić Electrum " +"tylko wtedy gdy funkcja persistence/trwałości jest aktywna." + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "Mimo tego, czy chcesz uruchomić Electrum?" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Uruchom" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Wyjście" #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" @@ -94,64 +123,68 @@ msgstr "_Odszyfruj/Weryfikuj schowek" msgid "_Manage Keys" msgstr "_Zarządzanie Kluczami" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "Schowek nie zawiera ważnych danych wejściowych." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "Nieznane Zaufanie" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "Krańcowe Zaufanie" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "Pełne Zaufanie" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "Najwyższe Zaufanie" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "Nazwa" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "Klucz ID:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "Stan" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "Mapowanie (odcisk palca):" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "ID użytkownika:" msgstr[1] "Użytkownika IDs:" msgstr[2] "Użytkownika IDs:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "Żaden (nie podpisuj)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "Wybierz odbiorców:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "Ukryj odbiorców" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -160,37 +193,37 @@ msgstr "" "każdy kto będzie widział zaszyfrowaną wiadomość będzie także widział jej " "odbiorców." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "Podpisz wiadomość jako:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "Wybierz klucze" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "Czy ufasz tym kluczom?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "Wybrany klucz nie jest do końca zaufany:" msgstr[1] "Wybrany klucz nie jest do końca zaufany:" msgstr[2] "Wybrane klucze nie są do końca zaufane:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "Czy wystarczająco temu kluczowi, aby z niego korzystać?" msgstr[1] "Czy wystarczająco ufasz tym kluczom, aby z nich korzystać?" msgstr[2] "Czy wystarczająco ufasz tym kluczom, aby z nich korzystać?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "Nie wybrano kluczy" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -198,36 +231,36 @@ msgstr "" "Musisz wybrać klucz prywatny aby podpisać wiadomość, lub klucz publiczny aby " "zaszyfrować wiadomość, lub oba." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "Brak kluczy" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" -"Potrzebujesz klucza prywatnego aby podpisać wiadomość albo klucza " -"publicznego aby zaszyfrować wiadomość." +"Potrzebujesz klucza prywatnego, aby podpisywać wiadomości lub klucza " +"publicznego aby szyfrować wiadomości." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "Błąd GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." -msgstr "W związku z tym operacja nie może być wykonana." +msgstr "W związku z tym operacja nie może zostać wykonana." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "Rezultaty GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" -msgstr "Wydajność GnuPG:" +msgstr "Wyniki GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" -msgstr "Inne wiadomości od GnuPG:" +msgstr "Inne wiadomości dostarczone przez GnuPG:" #: config/chroot_local-includes/usr/local/lib/shutdown-helper-applet:39 msgid "Shutdown Immediately" @@ -239,7 +272,7 @@ msgstr "Zresetuj natychmiast" #: config/chroot_local-includes/usr/local/bin/tails-about:16 msgid "not available" -msgstr "nie dostępne" +msgstr "niedostępne" #: config/chroot_local-includes/usr/local/bin/tails-about:19 #: ../config/chroot_local-includes/usr/share/desktop-directories/Tails.directory.in.h:1 @@ -256,7 +289,7 @@ msgid "" "Build information:\n" "%s" msgstr "" -"Informacja budowy:\n" +"Informacja o wersji:\n" "%s" #: config/chroot_local-includes/usr/local/bin/tails-about:27 @@ -277,13 +310,13 @@ msgid "" "your network connection, try to restart Tails, or read the system log to " "understand better the problem." msgstr "" -"Aktualizacja nieudana. Może być to spowodowane problemem z Twoją siecią. " -"Sprawdź swoje połączenie internetowe, spróbuj zrestartować Tails, lub " -"sprawdź logi systemowe aby lepiej zrozumieć problem." +"Aktualizacja nie powiodła się. Może być to spowodowane problemem z Twoją " +"siecią. Sprawdź swoje połączenie internetowe, spróbuj zrestartować Tails lub " +"sprawdź logi systemowe, aby zdiagnozować problem." #: config/chroot_local-includes/usr/local/sbin/tails-additional-software:125 msgid "The upgrade was successful." -msgstr "Uaktualnienie powiodło się." +msgstr "Aktualizacja zakończona sukcesem." #: config/chroot_local-includes/usr/local/bin/tails-htp-notify-user:52 msgid "Synchronizing the system's clock" @@ -294,7 +327,7 @@ msgid "" "Tor needs an accurate clock to work properly, especially for Hidden " "Services. Please wait..." msgstr "" -"Tor wymaga dokładnego czasu aby działać poprawnie, szczególnie w przypadku " +"Tor wymaga dokładnego czasu do poprawnego działania, szczególnie w przypadku " "Ukrytych Serwisów. Proszę czekać..." #: config/chroot_local-includes/usr/local/bin/tails-htp-notify-user:87 @@ -303,7 +336,7 @@ msgstr "Nie udało się zsynchronizować zegara!" #: config/chroot_local-includes/usr/local/sbin/tails-restricted-network-detector:38 msgid "Network connection blocked?" -msgstr "Połączenie sieciowe jest zablokowane?" +msgstr "Czy połączenie sieciowe jest zablokowane?" #: config/chroot_local-includes/usr/local/sbin/tails-restricted-network-detector:40 msgid "" @@ -312,12 +345,12 @@ msgid "" "share/doc/tails/website/doc/first_steps/startup_options/mac_spoofing.en." "html#blocked\\\">MAC spoofing documentation</a>." msgstr "" -"Wygląda na to, że jesteś zablokowany od strony sieci. Może to być związane z " +"Wygląda na to, że masz zablokowany dostęp do sieci. Może być to związane z " "funkcją zmiany adresu MAC. Aby uzyskać więcej informacji, zobacz <a href=\\" "\"file:///usr/share/doc/tails/website/doc/first_steps/startup_options/" -"mac_spoofing.en.html#blocked\\\">MAC spoofing dokumentacja</a>." +"mac_spoofing.en.html#blocked\\\">dokumentację zmiany adresu MAC</a>." -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "Ta wersja Tails ma błędy bezpieczeństwa:" @@ -335,10 +368,10 @@ msgid "" "href='file:///usr/share/doc/tails/website/doc/first_steps/startup_options/" "mac_spoofing.en.html'>documentation</a>." msgstr "" -"Spoofing adresu MAC nieudany dla karty ${nic_name} (${nic}), tak więc " -"tymczasowo jest ona wyłączona.\n" -"Może będziesz wolał zrestartować Tails i wyłączyć MAC spoofing. Zobacz <a " -"href='file:///usr/share/doc/tails/website/doc/first_steps/startup_options/" +"Zmiana adresu MAC dla karty ${nic_name} (${nic}) nie powiodła się, a zatem " +"jest ona tymczasowo wyłączona.\n" +"Może będziesz wolał zrestartować Tails i wyłączyć zmianę adresu MAC. Zobacz " +"<a href='file:///usr/share/doc/tails/website/doc/first_steps/startup_options/" "mac_spoofing.en.html'>dokumentację</a>." #: config/chroot_local-includes/usr/local/sbin/tails-spoof-mac:47 @@ -354,19 +387,19 @@ msgid "" "href='file:///usr/share/doc/first_steps/startup_options/mac_spoofing.en." "html'>documentation</a>." msgstr "" -"MAC Spoofing nieudany dla karty sieciowej ${nic_name} (${nic}). Odzysk błędu " -"również nieudany, tak więc połączenia są wyłączone.\n" -"Może będziesz wolał zrestartować Tails i wyłączyć MAC spoofing. Zobacz <a " +"Zmiana adresu MAC dla karty sieciowej ${nic_name} (${nic}) nie powiodła się. " +"Błąd jest permanentny, a zatem wszystkie połączenia są wyłączone.\n" +"Spróbuj zrestartować Tails i wyłączyć zmianę adresu MAC. Zobacz <a " "href='file:///usr/share/doc/first_steps/startup_options/mac_spoofing.en." "html'>dokumentację</a>." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "błąd:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "Błąd" @@ -385,33 +418,33 @@ msgstr "" "<b>Nie ma wystarczającej ilości pamięci aby sprawdzić dostępność " "aktualizacji.</b>\n" "\n" -"Upewnij się, że system spełnia wymagania dotyczące Tails.\n" +"Upewnij się, że system spełnia minimalne wymagania do uruchomienia Tails.\n" "Zobacz file:///usr/share/doc/tails/website/doc/about/requirements.en.html\n" "\n" "Spróbuj zrestartować Tails aby ponownie sprawdzić dostępność aktualizacji.\n" "\n" -"Możesz także spróbować manualnej aktualizacji.\n" +"Możesz także spróbować ręcznej aktualizacji.\n" "Zobacz https://tails.boum.org/doc/first_steps/upgrade#manual" #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:53 msgid "Warning: virtual machine detected!" -msgstr "Ostrzeżenie: wykryto wirtualną maszynę!" +msgstr "Ostrzeżenie: wykryto maszynę wirtualną!" #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:55 msgid "" "Both the host operating system and the virtualization software are able to " "monitor what you are doing in Tails." msgstr "" -"Zarówno system operacyjny hosta i oprogramowanie do wirtualizacji są w " -"stanie monitorować, co robisz w systemie Tails." +"Zarówno system operacyjny gospodarza oraz oprogramowanie do wirtualizacji są " +"w stanie monitorować co robisz w systemie Tails." #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Czytaj więcej...</a>" +"virtualization.en.html#security'>Dowiedz się więcej...</a>" #: config/chroot_local-includes/usr/local/bin/tor-browser:18 msgid "Tor is not ready" @@ -419,7 +452,7 @@ msgstr "Tor nie jest gotowy" #: config/chroot_local-includes/usr/local/bin/tor-browser:19 msgid "Tor is not ready. Start Tor Browser anyway?" -msgstr "Tor nie jest gotowy. Uruchomić Tor Browser?" +msgstr "Tor nie jest gotowy. Uruchomić Tor Browser mimo tego?" #: config/chroot_local-includes/usr/local/bin/tor-browser:20 msgid "Start Tor Browser" @@ -429,119 +462,129 @@ msgstr "Start Tor Browser" msgid "Cancel" msgstr "Anuluj" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" -msgstr "Czy naprawde chcesz uruchomić Niebezpieczną Przeglądarkę?" +msgstr "Czy jesteś pewien, że chcesz uruchomić Niebezpieczną Przeglądarkę?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " "register to activate your Internet connection." msgstr "" -"Aktywność w sieci w Niebezpiecznej Przeglądarce <b>nie jest anonimowe</ b>. " -"Należy używać Niebezpiecznej Przeglądarki tylko w razie potrzeby, na " -"przykład, jeśli musisz się zalogować lub zarejestrować, aby uaktywnić " +"Aktywność w sieci w Niebezpiecznej Przeglądarce <b>nie jest anonimowa</ b>. " +"Należy używać Niebezpiecznej Przeglądarki tylko jeśli jest to konieczne, na " +"przykład, jeśli musisz zalogować się lub zarejestrować, aby uaktywnić " "połączenie z Internetem." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "_Uruchom" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "_Wyjście" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "Uruchamianie Niebezpiecznej Przeglądarki..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." -msgstr "To może potrwać chwilę, prosimy o cierpliwość." +msgstr "To może chwilę potrwać, prosimy o cierpliwość." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "Nie udało się ustawić chroot." - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "Niebezpieczna Przeglądarka" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "Wyłączanie Niebezpiecznej Przeglądarki..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." msgstr "" -"To może potrwać chwilę i tym samym możesz nie zrestartować Niebezpiecznej " -"Przeglądarki dopóki nie zostanie ona poprawnie wyłączona." +"To może chwilę potrwać. Nie restartuj Niebezpiecznej Przeglądarki dopóki nie " +"zostanie ona poprawnie wyłączona." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." -msgstr "Nie udało zrestartować się Tor'a." +msgstr "Nie udało się zrestartować Tor'a." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "Niebezpieczna Przeglądarka" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." msgstr "" -"Już jedna Niebezpieczna Przeglądarka jest uruchomiona, lub jest obenie " -"czyszczona. Proszę spróbuj ponownie za chwilę." +"Niebezpieczna Przeglądarka jest już uruchomiona albo aktualnie czyszczona. " +"Proszę spróbuj ponownie za chwilę." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" +"NetworkManager przekazał nam nieużyteczne dane, podczas próby dedukowania " +"serweru DNS." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." msgstr "" -"Nie otrzymano żadnego serwera DNS używając DHCP lub ręcznej konfiguracji w " +"Nie otrzymano żadnego serwera DNS poprzez DHCP ani z ręcznej konfiguracji w " "NetworkManager." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 -msgid "I2P failed to start" -msgstr "Nie udało uruchomić się IP2" +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "Nie udało się skonfigurować chroot." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +msgid "Failed to configure browser." +msgstr "Nie udało skonfigurować się przeglądarki." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +msgid "Failed to run browser." +msgstr "Nie udało uruchomić się przeglądarki." #: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +msgid "I2P failed to start" +msgstr "Nie udało się uruchomić I2P" + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." msgstr "" -"Coś poszło nie tak kiedy próbowano uruchomić I2P. Po więcej informacji " -"sprawdź logi w /var/log/i2p." +"Coś poszło nie tak kiedy próbowano uruchomić I2P. Aby dowiedzieć się więcej " +"sprawdź /var/log/i2p." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" -msgstr "Konsola Routera I2P jest gotowa." +msgstr "Konsola Routera I2P jest gotowa" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." -msgstr "Możesz teraz używać konsolę routera I2P na http://127.0.0.1:7657." +msgstr "" +"Możesz teraz używać konsolę routera I2P pod adresem http://127.0.0.1:7657." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "I2P nie jest gotowe" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " "Reconnect to the network to try again." msgstr "" -"Tunel Eepsite nie został zbudowany w ciągu sześciu minut. Sprawdź konsolę " -"routera na http://127.0.0.1:7657/logs lub logi w /var/log/i2p dla więcej " -"informacji. Połącz się ponownie z siecią, aby spróbować jeszcze raz." +"Tunel Eepsite nie został skompilowany w ciągu ostatnich sześciu minut. " +"Sprawdź konsolę routera na http://127.0.0.1:7657/logs lub logi w /var/log/" +"i2p dla więcej informacji. Połącz się ponownie z siecią aby spróbować " +"jeszcze raz." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "I2P jest gotowe" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." -msgstr "Teraz możesz używać serwisów on I2P." +msgstr "Teraz możesz używać serwisów w I2P." #: ../config/chroot_local-includes/etc/skel/Desktop/Report_an_error.desktop.in.h:1 msgid "Report an error" @@ -554,11 +597,11 @@ msgstr "Dokumentacja Tails" #: ../config/chroot_local-includes/usr/share/applications/tails-documentation.desktop.in.h:2 msgid "Learn how to use Tails" -msgstr "Naucz się jak używać Tails" +msgstr "Dowiedz się jak używać Tails" #: ../config/chroot_local-includes/usr/share/applications/i2p-browser.desktop.in.h:1 msgid "Anonymous overlay network browser" -msgstr "Anonimowa nakładowa sieć przeglądarki" +msgstr "Przeglądarka anonimowej sieci" #: ../config/chroot_local-includes/usr/share/applications/i2p-browser.desktop.in.h:2 msgid "I2P Browser" @@ -570,11 +613,11 @@ msgstr "Dowiedz się więcej o Tails" #: ../config/chroot_local-includes/usr/share/applications/tails-reboot.desktop.in.h:1 msgid "Reboot" -msgstr "Reset" +msgstr "Zrestartuj" #: ../config/chroot_local-includes/usr/share/applications/tails-reboot.desktop.in.h:2 msgid "Immediately reboot computer" -msgstr "Natychmiastowo zrestartuj computer" +msgstr "Natychmiast zrestartuj komputer" #: ../config/chroot_local-includes/usr/share/applications/tails-shutdown.desktop.in.h:1 msgid "Power Off" @@ -582,7 +625,7 @@ msgstr "Wyłącz" #: ../config/chroot_local-includes/usr/share/applications/tails-shutdown.desktop.in.h:2 msgid "Immediately shut down computer" -msgstr "Natychmiastowo wyłącz komputer" +msgstr "Natychmiast wyłącz komputer" #: ../config/chroot_local-includes/usr/share/applications/tor-browser.desktop.in.h:1 msgid "Tor Browser" diff --git a/po/pt.po b/po/pt.po index cab40e229cb5e6f8d43b4df5f768bcf062434475..e154cbed2ffe5043f248810869edb261e7e3f593 100644 --- a/po/pt.po +++ b/po/pt.po @@ -3,20 +3,21 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# alfalb.as, 2015 # André Monteiro <andre.monteir@gmail.com>, 2014 # sierleunam <cfb53275@opayq.com>, 2014 # testsubject67 <deborinha97@hotmail.com>, 2014 # Koh Pyreit <kohpyreit@gmail.com>, 2013 # Andrew_Melim <nokostya.translation@gmail.com>, 2014 -# Pedro Albuquerque <palbuquerque73@gmail.com>, 2014 +# Pedro Albuquerque <palbuquerque73@gmail.com>, 2014-2015 # TiagoJMMC <tiagojmmc@gmail.com>, 2014 msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" -"PO-Revision-Date: 2014-12-04 08:50+0000\n" -"Last-Translator: runasand <runa.sandvik@gmail.com>\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" +"PO-Revision-Date: 2015-02-25 15:32+0000\n" +"Last-Translator: alfalb.as\n" "Language-Team: Portuguese (http://www.transifex.com/projects/p/torproject/" "language/pt/)\n" "Language: pt\n" @@ -25,11 +26,11 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "O Tor está pronto" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "Poderá agora aceder à Internet." @@ -41,27 +42,57 @@ msgid "" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" -"<h1>Ajude-nos a reparar o seu erro!</h1>\n" -"<p>Leia as <a href=\"%s\">nossas instruções para reportar erros</a>.</p>\n" -"<p><strong>Não inclua mais informações pessoais do que o necessário!</" -"strong></p>\n" -"<h2>Sobre dar-nos um endereço de e-mail</h2>\n" -"<p>Se você não se importa em abrir um pouco da sua identidade\n" -"aos desenvolvedores Tails, você pode fornecer um email para contar-nos\n" -"mais detalhes sobre o erro. Adicionalmente, introduzindo uma chave PGP\n" -"pública, permitir-nos-á encriptar futuras comunicações via e-mail.</p>\n" -"<p>Qualquer um que puder ver esta resposta provavelmente deduzirá\n" -"que você é um utilizador Tails. Tempo para pensar o quanto você confia\n" -"na sua internet e no seu fornecedor de e-mail?</p>\n" +"<h1>Ajude-nos a reparar o seu problema!</h1>\n" +"<p>Leia <a href=\"%s\">as nossas instruções para reportar erros</a>.</p>\n" +"<p><strong>Não inclua mais informação pessoal do que a\n" +"necessária!</strong></p>\n" +"<h2>Acerca de nos fornecer um endereço eletrónico</h2>\n" +"<p>\n" +"Fornecer um endereço eletrónico permite-nos contactá-lo para clarificar o " +"problema. Isto é necessário para a grande maioria dos relatórios que " +"recebemos, uma vez que sem informação de contacto eles são inúteis. Por " +"outro lado, também proporciona uma oportunidade para as escutas, como o seu " +"fornecedor de correio eletrónico ou de Internet, confirmarem que está a usar " +"o Tails.\n" +"</p>\n" + +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "A persistência está desativada para o Electrum" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" +"Quando reinicia o Tails, todos os dados do Electrum serão perdidos, " +"incluindo a sua carteira Bitcoin. É altamente recomendado que só execute o " +"Electrum quando a sua funcionalidade de persistência esteja ativa." + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "Mesmo assim, deseja iniciar o Electrum?" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Lançar" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "Sair (_e)" #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" @@ -91,63 +122,67 @@ msgstr "_Desencriptar/Verificar área de transferência" msgid "_Manage Keys" msgstr "_Gerir Chaves" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "A área de transferência não contém dados de entrada válidos." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "Fidedignidade Desconhecida" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "Fidedignidade Marginal" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "Fidedignidade Total" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "Fidedignidade Máxima" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "Nome" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "ID da Chave" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "Estado" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "Impressão digital:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "ID do Utilizador:" msgstr[1] "IDs do Utilizador:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "Nenhum (não assinar)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "Seleccionar destinatários:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "Ocultar destinatários" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -156,35 +191,35 @@ msgstr "" "encriptada. De outra forma qualquer pessoa que veja a mensagem encriptada " "pode ver quem são os destinatários." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "Assinar a mensagem como:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "Escolher as chaves" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "Confia nestas chaves?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "A seguinte chave seleccionada não é totalmente fidedigna:" msgstr[1] "As seguintes chaves seleccionadas não são totalmente fidedignas:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "Confia suficientemente nesta chave para a utilizar na mesma?" msgstr[1] "Confia suficientemente nestas chaves para as utilizar na mesma?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "Nenhuma chave selecionada" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -192,34 +227,34 @@ msgstr "" "Tem de seleccionar ou uma chave privada para assinar a mensagem, ou chaves " "privadas para encriptar a mensagem, ou ambas." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "Não existem chaves disponíveis" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "É necessário uma chave privada para assinar mensagens, ou uma chave pública " "para encriptar mensagens." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "Erro GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "Desta maneira a operação não pôde ser realizada:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "Resultados do GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "Resultado do GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "Outras mensagens do GnuPG:" @@ -312,7 +347,7 @@ msgstr "" "first_steps/startup_options/mac_spoofing.en.html#blocked\\\">roubo de " "identidade MAC</a>." -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "Esta versão do Tails possui algumas questões de sgurança conhecidas:" @@ -356,12 +391,12 @@ msgstr "" "html'>documentação</a>." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "erro:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "Erro" @@ -402,10 +437,10 @@ msgstr "" #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Saiba mais (em inglês)...</a>" +"virtualization.en.html#security'>Saber mais...</a>" #: config/chroot_local-includes/usr/local/bin/tor-browser:18 msgid "Tor is not ready" @@ -423,11 +458,11 @@ msgstr "Iniciar o Navegador Tor" msgid "Cancel" msgstr "Cancelar" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "Você realmente quer iniciar o Navegador Inseguro?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -437,36 +472,19 @@ msgstr "" "o Navegador Inseguro se necessário, por exemplo se você tiver que se " "autenticar para ativar sua ligação à internet." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "_Lançar" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "Sair (_e)" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "A iniciar o Navegador Inseguro..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "Isto pode demorar um pouco, por favor seja paciente." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "Falha ao configurar o chroot." - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "Navegador Não Seguro" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "A encerrar o Navegador Inseguro." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." @@ -474,11 +492,16 @@ msgstr "" "Isto pode demorar um pouco, e você não deve reiniciar o Navegador Inseguro " "até que ele tenha sido propriamente desligado." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "Falha ao reiniciar o Tor." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "Navegador Não Seguro" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -486,7 +509,15 @@ msgstr "" "Outro Navegador Inseguro já está em execução, ou está em processo de " "encerramento. Por favor, tente novamente em instantes." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" +"NetworkManager passou-nos dados de lixo ao tentar deduzir o servidor " +"clearnet DNS." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." @@ -494,11 +525,23 @@ msgstr "" "Nenhum servidor DNS foi obtido através do DHCP ou configurado manualmente " "com o NetworkManager." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "Falha ao configurar o chroot." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +msgid "Failed to configure browser." +msgstr "Falha ao configurar o navegador." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +msgid "Failed to run browser." +msgstr "Falha ao executar o navegador." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "I2P não conseguiu iniciar." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." @@ -506,19 +549,19 @@ msgstr "" "Algo correu mal quando o I2P estava a iniciar. Veja os diários em /var/log/" "i2p para mais informação," -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" msgstr "A consola do router do I2P está pronta" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "Pode aceder à consola do router do I2P's em http://127.0.0.1:7657." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "I2P não está pronto" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " @@ -528,11 +571,11 @@ msgstr "" "http://127.0.0.1:7657/logs ou os diários em /var/log/i2p para mais " "informação. Volte a ligar-se à rede para tentar novamente." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "I2P está pronto" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." msgstr "Pode agora aceder a serviços no I2P" diff --git a/po/pt_BR.po b/po/pt_BR.po index 8c4858aaebe68970c8f82d8a2f69b0466b68e62a..ec9b9b61b36bbc707998cf91968948c8ba5fbccf 100644 --- a/po/pt_BR.po +++ b/po/pt_BR.po @@ -3,21 +3,22 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: -# Communia <ameaneantie@riseup.net>, 2013-2014 +# Communia <ameaneantie@riseup.net>, 2013-2015 # carlo giusepe tadei valente sasaki <carlo.gt.valente@gmail.com>, 2014 # Eduardo Bonsi, 2013-2014 # Eduardo Luis Voltolini Tafner, 2013 # Isabel Ferreira, 2014 +# john smith, 2015 # Lucas Possatti, 2014 # Matheus Boni Vicari <matheus_boni_vicari@hotmail.com>, 2014 -# Matheus Martins <m.vmartins@hotmail.com>, 2013 +# Matheus Martins, 2013 msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" -"PO-Revision-Date: 2014-12-04 08:50+0000\n" -"Last-Translator: runasand <runa.sandvik@gmail.com>\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" +"PO-Revision-Date: 2015-02-26 22:01+0000\n" +"Last-Translator: john smith\n" "Language-Team: Portuguese (Brazil) (http://www.transifex.com/projects/p/" "torproject/language/pt_BR/)\n" "Language: pt_BR\n" @@ -26,11 +27,11 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "O Tor está pronto" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "Agora você pode acessar a Internet." @@ -42,32 +43,71 @@ msgid "" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" -"<h1>Ajude-nos a corrigir o seu bug!</h1>\n" -"<p>Leia <a href=\"%s\">as nossas instruções do relatório de bug</a>.</p>\n" -"<p><strong>Não inclua mais informações pessoais do que o necessário!</" -"strong></p>\n" -"<h2>Sobre você nos fornecer um endereço de e-mail</h2>\n" -"<p>Se você não se importar em revelar um pouco da sua identidade \n" -"aos desenvolvedores do Tails, você pode nos fornecer um endereço de e-mail " -"para que \n" -"possamos perguntar mais detalhes sobre o bug ocorrido no programa.\n" -"Inserir\n" -"uma chave PGP pública nos permite criptografar as comunicações\n" -"futuras.</p>\n" -"<p>Qualquer um que possa ver esta resposta provavelmente deduzirá\n" -"que você é \n" -"um usuário do Tails. É hora de você se perguntar sobre o quanto confia nos " -"seus \n" -"provedores de Internet e de e-mail.</p>\n" +"<h1>Nos ajude a consertar o seu erro!</h1>\n" +"\n" +"<p>Leia <a href=\"%s\">nossas instruções de relatórios de erros</a>.</p>\n" +"\n" +"<p><strong>Não inclua informações pessoais mais do que o\n" +"\n" +"necessário!</strong></p>\n" +"\n" +"<h2>Sobre nos dar um endereço de email</h2>\n" +"\n" +"<p>\n" +"\n" +"Nos dar um endereço de email nos permite te contatar para esclarecer o " +"problema. Isto\n" +"\n" +"é necessário para a grande maioria dos relatórios que recebemos assim como " +"muitos relatórios\n" +"\n" +"sem nenhuma informação de contato são inúteis. Por outro lado isto também " +"proporciona\n" +"\n" +"uma oportunidade para bisbilhoteiros, como seu email ou provedor de " +"Internet,\n" +"\n" +"confirmarem que você está usando Tails.\n" +"\n" +"</p>\n" + +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "O Persistência está desabilitado para Electrum" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" +"Ao reiniciar o Tails, todos os dados do Electrum serão perdidos, inclusive " +"as carteiras de Bitcoin. É fortemente recomendado executar Electrum quando o " +"persistência deste estiver ativado." + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "Você deseja iniciar o Electrum assim mesmo?" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Lançar" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Saída" #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" @@ -97,63 +137,67 @@ msgstr "_Descriptografar/Verificar a Área de Transferência" msgid "_Manage Keys" msgstr "_Gerenciar as Chaves" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "A Área de Transferência não contém dados de entrada válidos." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "Confiança Desconhecida" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "Confiança Marginal" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "Confiança Completa" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "Confiança definitiva" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "Nome" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "Identidade da Chave" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "Status" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "Impressão digital:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "Identidade de Usuário:" msgstr[1] "Identidades de Usuário:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "Nenhuma (Não assinar)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "Selecione os destinatários:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "Ocultar destinatários" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -162,35 +206,35 @@ msgstr "" "criptografada. Caso contrário, qualquer um que vir a mensagem criptografada " "poderá saber quem são os destinatários." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "Assinar a mensagem como:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "Escolha as chaves" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "Você confia nestas chaves?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "A chave selecionada seguinte não é plenamente confiável:" msgstr[1] "As seguintes chaves selecionadas não são totalmente confiáveis:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "Você confia nesta chave o suficiente para usá-la mesmo assim?" msgstr[1] "Você confia nestas chaves o suficiente para usá-las mesmo assim?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "Nenhuma chave foi selecionada" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -198,34 +242,34 @@ msgstr "" "Você deve selecionar uma chave privada para assinar a mensagem, ou algumas " "chaves públicas para criptografar a mensagem, ou ambas as opções." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "Nenhuma chave encontra-se disponível" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "Você precisa de uma chave privada para assinar as mensagens ou de uma chave " "pública para criptografá-las." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "Erro do GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "Portanto, a operação não pode ser executada." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "Resultados do GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "Saída do GnuPG:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "Outras mensagens fornecidas pelo GnuPG:" @@ -318,7 +362,7 @@ msgstr "" "startup_options/mac_spoofing.en.html#blocked\\\"> documentação sobre burla " "de identidade MAC</a>." -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "Esta versão do Tails tem problemas de segurança conhecidos:" @@ -363,12 +407,12 @@ msgstr "" "mac_spoofing.en.html'>documentação</a>." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "erro:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "Erro" @@ -409,10 +453,10 @@ msgstr "" #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Em Inglês - Saiba mais...</a>" +"virtualization.en.html#security'>Saiba mais...</a>" #: config/chroot_local-includes/usr/local/bin/tor-browser:18 msgid "Tor is not ready" @@ -430,11 +474,11 @@ msgstr "Iniciar o Navegador Tor" msgid "Cancel" msgstr "Cancelar" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "Você realmente deseja iniciar o Navegador não-confiável?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -445,36 +489,19 @@ msgstr "" "exemplo, se você tiver que se identificar ou se registrar para ativar a sua " "conexão a Internet." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "_Lançar" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "_Saída" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "Iniciando o Navegador não-confiável..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "Isto pode demorar um pouco; por favor, seja paciente." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "Falha ao configurar chroot." - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "Navegador não-confiável" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "Encerrando o Navegador não-confiável..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." @@ -482,11 +509,16 @@ msgstr "" "Isto pode demorar um pouco e você não poderá reiniciar o Navegador não-" "confiável até que ele seja encerrado adequadamente." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "Falha ao reiniciar o Tor." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "Navegador não-confiável" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -494,7 +526,15 @@ msgstr "" "Um outro Navegador não-confiável está atualmente em execução ou sendo limpo. " "Por favor, tente novamente mais tarde." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" +"NetworkManager nos mandou dados errados quando tentava descobrir o servidor " +"clearnet DNS." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." @@ -502,11 +542,23 @@ msgstr "" "Nenhum provedor de DNS foi obtido através de DHCP ou configurado manualmente " "no Gerenciamento de Rede." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "Falha ao configurar chroot." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +msgid "Failed to configure browser." +msgstr "Falha ao configurar o navegador" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +msgid "Failed to run browser." +msgstr "Falha ao executar o navegador." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "I2P falhou ao iniciar" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." @@ -514,20 +566,20 @@ msgstr "" "Algo de errado aconteceu quando o I2P estava iniciando. Verifique os " "registros em /var/log/i2p para mais informação." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" msgstr "O console do roteador do I2P está pronto" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "" "Você pode acessar o console do roteador do I2P em http://127.0.0.1:7657." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "I2P não está pronto" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " @@ -537,11 +589,11 @@ msgstr "" "do roteador em http://127.0.0.1:7657/logs ou os registros em /var/log/i2p " "para mais informação. Reconecte-se a rede e tente novamente." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "I2P está pronto" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." msgstr "Você pode agora acessar serviços no I2P." diff --git a/po/ru.po b/po/ru.po index b6639da35cc087a002071f9154b0819f14ea0f28..dee310ed707e2794f76eaca8be5bee66b59ccac1 100644 --- a/po/ru.po +++ b/po/ru.po @@ -4,20 +4,24 @@ # # Translators: # Adriano <morros@ro.ru>, 2014 +# Andrew <andrewmorozko@gmail.com>, 2015 # Evgrafov Denis <stereodenis@gmail.com>, 2014 # Eugene, 2013 +# joshua ridney <yachtcrew@mail.ru>, 2015 # jujjer <jujjer@gmail.com>, 2013 # mendov <mr.mendov@gmail.com>, 2013 # Oul Gocke <beandonlybe@yandex.ru>, 2013-2014 +# Sergey Briskin <sergey.briskin@gmail.com>, 2015 # Valid Olov, 2013 +# Wagan Sarukhanov <wagan.sarukhanov@gmail.com>, 2015 # Руслан <nasretdinov.r.r@ya.ru>, 2014 msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" -"PO-Revision-Date: 2014-12-04 08:50+0000\n" -"Last-Translator: runasand <runa.sandvik@gmail.com>\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" +"PO-Revision-Date: 2015-04-09 14:13+0000\n" +"Last-Translator: Andrew <andrewmorozko@gmail.com>\n" "Language-Team: Russian (http://www.transifex.com/projects/p/torproject/" "language/ru/)\n" "Language: ru\n" @@ -27,11 +31,11 @@ msgstr "" "Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" "%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Tor готов" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "Теперь у вас есть доступ в Интернет." @@ -43,30 +47,59 @@ msgid "" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" -"<h1>Помогите нам исправить эту ошибку!</h1>\n" -"<p>Прочтите <a href=\\\"%s\\\">наши инструкции по отправке отчета об ошибке</" -"a>.</p>\n" -"<p><strong>Не сообщайте персональной информации сверх той, которая требуется!" -"</strong></p>\n" -"<h2>По поводу сообщения нам вашего e-mail адреса</h2>\n" -"<p>Если вы согласны раскрыть разработчикам Tails некоторые идентификаторы " -"своей личности,</p><p>сообщите нам свой e-mail, чтобы мы смогли запросить у " -"вас дополнительную информацию об ошибке.</p><p>Если кроме того вы введете " -"публичный ключ PGP, это позволит нам с вами шифровать нашу переписку и в " -"дальнейшем.</p>\n" -"<p>Имейте в виду, что любой, кто зафиксирует отправку вами ответов в наш " -"адрес, может сделать вывод, что вы являетесь пользователем Tails.</" -"p><p>Самое время задуматься, насколько вы доверяете своим провайдерам " -"интернета и сервисов e-mail!</p>\n" +"<h1>Помогите нам исправить нашу ошибку!</h1>\n" +"<p>Прочитайте<a href=\"%s\">наши инструкции, как сообщать об ошибках</a>.</" +"p>\n" +"<p><strong>Не сообщайте больше личной информации, чем это необходимо!</" +"strong></p>\n" +"<h2>По поводу предоставления нам адреса электронной почты</h2>\n" +"<p>\n" +"Предоставление нам адреса электронной почты позволяет нам связаться с Вами " +"для уточнения проблемы. Это необходимо в подавляющем большинстве случаев, " +"когда мы получаем сообщения об ошибках, поскольку большинство сообщений без " +"контактной информации бесполезны. С другой стороны, это также дает " +"возможность средствам перехвата и сбора информации информации, например, " +"провайдеру Вашей электронной почты или Интернет-провайдеру, установить, что " +"Вы используете Tails.\n" +"</p>\n" + +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "Режим постоянного хранилища отключен для Electrum" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" +"Когда Вы перезагрузите Tails, все данные Electrum будут утеряны, включая Ваш " +"кошелек Bitcoin. Настоятельно рекомендуется запускать Electrum, только когда " +"активирована функция постоянно хранилища." + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "Вы хотите запустить Electrum в любом случае?" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Launch" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Exit" #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" @@ -97,64 +130,68 @@ msgstr "_Расшифровать/проверить буфер обмена" msgid "_Manage Keys" msgstr "_Управление ключами" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "Буфер обмена не содержит данных, пригодных для обработки." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "Неизвестный уровень доверия" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "Незначительный уровень доверия" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "Полное доверие" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "Абсолютный уровень доверия" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "Имя" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "ID ключа" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "Статус" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "Дактилоскоп:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "ID пользователя:" msgstr[1] "ID пользователей:" msgstr[2] "ID пользователей:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "Ничего (не подписывать)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "Выбрать получателей:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "Скрыть получателей" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -162,26 +199,26 @@ msgstr "" "Скрыть пользовательские ID всех получателей зашифрованного сообщения. Иначе " "любой, кто увидит зашифрованное сообщение, также увидит и его получателей." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "Подписать сообщение как:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "Выбор ключей" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "Вы доверяете этим ключам?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "Нет полного доверия к указанному выбранному ключу:" msgstr[1] "Нет полного доверия к указанным выбранным ключам:" msgstr[2] "Нет полного доверия к указанным выбранным ключам:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "" @@ -194,11 +231,11 @@ msgstr[2] "" "Доверяете ли вы этим ключам настолько, чтобы использовать их, несмотря ни на " "что?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "Ключи не выбраны" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -206,34 +243,34 @@ msgstr "" "Вы должны выбрать закрытый ключ, чтобы подписать сообщение, и/или какие-либо " "открытые ключи, чтобы зашифровать его." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "Нет доступных ключей" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "Вам требуется либо личный закрытый ключ для подписывания сообщений, либо " "открытый ключ для их шифрования." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "Ошибка GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "Таким образом, данная операция не может быть выполнена." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "Результаты GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "Вывод GnuPG:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "Другие сообщения от GnuPG:" @@ -326,7 +363,7 @@ msgstr "" "share/doc/tails/website/doc/first_steps/startup_options/mac_spoofing.en." "html#blocked\\\">документации по подмене MAC-адресов</a>." -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "Эта версия Tails имеет известные проблемы безопасности:" @@ -371,12 +408,12 @@ msgstr "" "startup_options/mac_spoofing.en.html'>документацию</a>." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "ошибка:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "Ошибка" @@ -416,10 +453,10 @@ msgstr "" #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Узнайте больше…</a>" +"virtualization.en.html#security'>Узнать больше...</a>" #: config/chroot_local-includes/usr/local/bin/tor-browser:18 msgid "Tor is not ready" @@ -437,11 +474,11 @@ msgstr "Запустить Tor Browser" msgid "Cancel" msgstr "Отмена" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "Вы действительно хотите запустить небезопасный браузер?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -452,36 +489,19 @@ msgstr "" "необходимости, — например, когда нужно активировать ваше сетевое подключение " "или ввести логин для входа в интернет." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "_Launch" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "_Exit" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "Запускается небезопасный браузер…" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "Это займёт некоторое время. Пожалуйста, потерпите." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "Не удалось установить chroot." - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "Небезопасный браузер" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "Отключение небезопасного браузера…" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." @@ -489,11 +509,16 @@ msgstr "" "Это займёт некоторое время. Вы не сможете перезапустить небезопасный браузер " "прежде, чем будут корректно завершены процедуры его выгрузки из системы." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "Невозможно перезапустить Tor." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "Небезопасный браузер" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -501,7 +526,15 @@ msgstr "" "В данный момент либо работает другой небезопасный браузер, либо не завершена " "процедура его выгрузки. Пожалуйста, повторите попытку спустя некоторое время." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" +"NetworkManager вернул бесполезные данные при попытке узнать DNS сервер в " +"открытой сети." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." @@ -509,11 +542,23 @@ msgstr "" "DNS сервер либо не был получен через DHCP, либо не был установлен вручную " "через NetworkManager." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "Не удалось установить chroot." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +msgid "Failed to configure browser." +msgstr "Не удалось настроить браузер" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +msgid "Failed to run browser." +msgstr "Не удалось запустить браузер." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "Запустить I2P не удалось" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." @@ -521,20 +566,20 @@ msgstr "" "При запуске I2P произошёл сбой. Подробности вы можете выяснить в системном " "журнале /var/log/i2p." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" msgstr "Консоль маршрутизатора I2P готова" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "" "Доступ к консоли маршрутизатора I2P через http://127.0.0.1:7657 открыт." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "I2P не готов" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " @@ -545,11 +590,11 @@ msgstr "" "i2p для получения дополнительной информации. Выйдите из сети и войдите вновь " "для повторения попытки." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "I2P готов" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." msgstr "Службы I2P доступны." diff --git a/po/sk.po b/po/sk.po index 101adeecd47b823da63493009c58f66f1e466547..2968af23c344bb15bab62d6b40b6d3fd326839e5 100644 --- a/po/sk.po +++ b/po/sk.po @@ -4,15 +4,16 @@ # # Translators: # elo, 2014 +# FooBar <thewired@riseup.net>, 2015 # Michal Slovák <michalslovak2@hotmail.com>, 2013 # Roman 'Kaktuxista' Benji <romanbeno273@gmail.com>, 2014 msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" -"PO-Revision-Date: 2014-07-03 22:30+0000\n" -"Last-Translator: elo\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" +"PO-Revision-Date: 2015-01-30 01:51+0000\n" +"Last-Translator: FooBar <thewired@riseup.net>\n" "Language-Team: Slovak (http://www.transifex.com/projects/p/torproject/" "language/sk/)\n" "Language: sk\n" @@ -21,30 +22,31 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Tor je pripravený" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "Teraz môžete pristupovať k Internetu." #: config/chroot_local-includes/etc/whisperback/config.py:64 -#, python-format +#, fuzzy, python-format msgid "" "<h1>Help us fix your bug!</h1>\n" "<p>Read <a href=\"%s\">our bug reporting instructions</a>.</p>\n" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" "<h1>Pomôžte nám opraviť váš problém!</h1>\n" "<p>Čítajte <a href=\"%s\">naše inštrukcie pre nahlásenie problému</a>.</p>\n" @@ -60,6 +62,31 @@ msgstr "" "používate Tails. Nie je na čase zvážiť, nakoľko dôverujete vášmu\n" "poskytovateľovi internetu a emailovej schránky?</p>\n" +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Spustiť" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Ukončiť" + #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" msgstr "OpenPGP šifrovací aplet" @@ -88,64 +115,68 @@ msgstr "_Dešifrovať/Overiť schránku" msgid "_Manage Keys" msgstr "_manažovať kľúče" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "Schránka neobsahuje platné vstupné dáta." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "Neznáma dôvera" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "Okrajová dôvera" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "Plná dôvera" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "Maximálna dôvera" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "Meno" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "ID kľúča" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "Stav" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "Odtlačok:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "ID užívateľa" msgstr[1] "ID užívateľov:" msgstr[2] "ID užívateľov:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "Žiadne (nepodpisovať)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "Zvoľte si príjemcov:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "Skryť príjemcov" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -153,37 +184,37 @@ msgstr "" "Skryť uživateľské ID všetkých príjemcov šifrovanej správy. V opačnom prípade " "každý, kto túto správu zazrie, bude schopný odhaliť ich identitu." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "Podpísať správu ako:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "Zvoľte si kľúče" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "Dôverujete týmto kľúčom?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "Nasledujúci zvolený kľúč nie je plne dôveryhodný:" msgstr[1] "Nasledujúce zvolené kľúče nie sú plne dôveryhodne:" msgstr[2] "Nasledujúce zvolené kľúče nie sú plne dôveryhodne:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "Napriek tomu dôverujete tomuto kľúču tak, že ho hodláte použiť?" msgstr[1] "Napriek tomu dôverujete týmto kľúčom tak, že ich hodláte použiť?" msgstr[2] "Napriek tomu dôverujete týmto kľúčom tak, že ich hodláte použiť?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "Neboli zvolené žiadne kľúče" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -191,34 +222,34 @@ msgstr "" "Na podpísanie správy si musíte zvoliť súkromný kľúč alebo nejaké verejné " "kľúče pre jej zašifrovanie, prípadne oboje." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "Nie sú dostupné žiadne kľúče." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "Potrebujete súkromný kľúč na podpísanie správ alebo verejný kľúč na ich " "šifrovanie." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "GnuPG chyba" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "Operácia teda nemohla byť vykonaná." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "GnuPG výsledky" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "Výstup GnuPG:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "Ostatné správy poskytnuté GnuPG:" @@ -310,7 +341,7 @@ msgstr "" "doc/tails/website/doc/first_steps/startup_options/mac_spoofing.en." "html#blocked\\\">MAC spoofing dokumentáciu </a>." -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "Táto verzia Tails má známe bezpečnostné problémy:" @@ -354,12 +385,12 @@ msgstr "" "html'>dokumentáciu</a>." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "chyba:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "Chyba" @@ -400,9 +431,10 @@ msgstr "" "monitorovať vašu aktivitu v Tails." #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 +#, fuzzy msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" "virtualization.en.html'>Dozvedieť sa viac...</a>" @@ -423,11 +455,11 @@ msgstr "Spustiť Tor Browser" msgid "Cancel" msgstr "Zrušiť" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "Naozaj chcete spustiť Unsafe Browser?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -437,36 +469,19 @@ msgstr "" "ho iba vtedy, ak je to nevyhnutné, napr. ak sa musíte prihlásiť alebo " "registrovať za účelom aktivácie vášho pripojenia k Internetu." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "_Spustiť" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "_Ukončiť" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "Spúšťa sa Unsafe Browser..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "Toto môže chvíľu trvať, buďte preto prosím trpezlivý." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "Nepodarilo sa nastaviť chroot." - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "Unsafe Browser" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "Vypína sa Unsafe Browser..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." @@ -474,11 +489,16 @@ msgstr "" "Toto môže chvíľu trvať, a pokiaľ sa korektne nevypne, nebudete ho môcť " "reštartovať." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "Nepodarilo sa reštartovať Tor." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "Unsafe Browser" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -486,7 +506,13 @@ msgstr "" "Aktuálne je spustený ďalší Unsafe Browser, prípadne prebieha jeho čistenie. " "Prosíme skúste to znovu neskôr." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." @@ -494,49 +520,61 @@ msgstr "" "Pomocou DHCP alebo konfigurácie v NetworkManageri nebol získaný žiadny DNS " "server." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "Nepodarilo sa nastaviť chroot." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +#, fuzzy +msgid "Failed to configure browser." +msgstr "Nepodarilo sa reštartovať Tor." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +#, fuzzy +msgid "Failed to run browser." +msgstr "Nepodarilo sa reštartovať Tor." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "I2P sa nepodarilo spustiť." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 -#, fuzzy +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." msgstr "" -"Objavil sa problém pri spúšťaní I2P. Pre viac informácií pozrite do správ v " -"nasledujúcom priečinku:" +"Niečo sa stalo pri štarte I2P. Skontrolujte logy vo /var/log/i2p pre viac " +"informacií." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 -#, fuzzy +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" -msgstr "I2P smerovacia konzola bude otvorená pri spustení." +msgstr "Konzola I2P routera je priravená." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." -msgstr "" +msgstr "Konzola I2P routera je teraz dostupná na http://127.0.0.1:7657." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 -#, fuzzy +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" -msgstr "Tor nie je pripravený" +msgstr "I2P nieje pripravený" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " "Reconnect to the network to try again." msgstr "" +"Eeepsite tunnel nebol skompilovaný do 6 minut. Skontrolujte konzolu routera " +"na http://127.0.0.1:7657/logs alebo logy vo /var/log/i2p pre viac " +"informácií. Pripojte sa na sieť na skúsenie znova." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 -#, fuzzy +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" -msgstr "Tor je pripravený" +msgstr "I2P je pripravený" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 -#, fuzzy +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." -msgstr "Teraz môžete pristupovať k Internetu." +msgstr "Teraz možte používať služby na I2P." #: ../config/chroot_local-includes/etc/skel/Desktop/Report_an_error.desktop.in.h:1 msgid "Report an error" @@ -552,14 +590,12 @@ msgid "Learn how to use Tails" msgstr "Naučte sa ako používať Tails" #: ../config/chroot_local-includes/usr/share/applications/i2p-browser.desktop.in.h:1 -#, fuzzy msgid "Anonymous overlay network browser" -msgstr "Anonymná prekrytá sieť" +msgstr "Anonmny overlay prehliadač siete." #: ../config/chroot_local-includes/usr/share/applications/i2p-browser.desktop.in.h:2 -#, fuzzy msgid "I2P Browser" -msgstr "Unsafe Browser" +msgstr "I2P Prehliadač" #: ../config/chroot_local-includes/usr/share/applications/tails-about.desktop.in.h:2 msgid "Learn more about Tails" @@ -582,14 +618,12 @@ msgid "Immediately shut down computer" msgstr "Okamžite vypnúť počítač" #: ../config/chroot_local-includes/usr/share/applications/tor-browser.desktop.in.h:1 -#, fuzzy msgid "Tor Browser" -msgstr "Spustiť Tor Browser" +msgstr "Prehliadač Tor" #: ../config/chroot_local-includes/usr/share/applications/tor-browser.desktop.in.h:2 -#, fuzzy msgid "Anonymous Web Browser" -msgstr "Unsafe Web Browser" +msgstr "Anonýmny Prehliadač Webu" #: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:2 msgid "Browse the World Wide Web without anonymity" @@ -602,28 +636,3 @@ msgstr "Unsafe Web Browser" #: ../config/chroot_local-includes/usr/share/desktop-directories/Tails.directory.in.h:2 msgid "Tails specific tools" msgstr "Špecifické nástroje pre Tails" - -#~ msgid "Starting I2P..." -#~ msgstr "Spúšťa sa I2P..." - -#~ msgid "" -#~ "Make sure that you have a working Internet connection, then try to start " -#~ "I2P again." -#~ msgstr "" -#~ "Uistite sa, že máte fungujúce pripojenie k Internetu, potom sa pokúste " -#~ "spustiť I2P znova." - -#~ msgid "TrueCrypt will soon be removed from Tails" -#~ msgstr "TrueCrypt bude čoskoro z Tails odstránený" - -#~ msgid "" -#~ "TrueCrypt will soon be removed from Tails due to license and development " -#~ "concerns." -#~ msgstr "" -#~ "TrueCrypt bude čoskoro odstránený z licenčných a vývojových dôvodov." - -#~ msgid "i2p" -#~ msgstr "i2p" - -#~ msgid "Anonymous overlay network" -#~ msgstr "Anonymná prekrytá sieť" diff --git a/po/sk_SK.po b/po/sk_SK.po index d4a078416f75b6fbef5fc297b671ee63ac217048..092481a67eeac392ce5fa577069fb944bd449392 100644 --- a/po/sk_SK.po +++ b/po/sk_SK.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" "PO-Revision-Date: 2014-07-27 11:30+0000\n" "Last-Translator: once\n" "Language-Team: Slovak (Slovakia) (http://www.transifex.com/projects/p/" @@ -19,30 +19,31 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Tor je pripravený" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "Môžete sa pripojiť na Internet." #: config/chroot_local-includes/etc/whisperback/config.py:64 -#, python-format +#, fuzzy, python-format msgid "" "<h1>Help us fix your bug!</h1>\n" "<p>Read <a href=\"%s\">our bug reporting instructions</a>.</p>\n" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" "<h1>Pomôžte nám s vašou chybou!</h1>\n" "<p>Prečítajte si <a href=\"%s\">naše inštrukcie hlásenia chýb</a>.</p>\n" @@ -59,6 +60,31 @@ msgstr "" "či skutočne veríte svojim poskytovateľom Internetu a e-mailovej\n" "schránky.</p>\n" +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Spustiť" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Ukončiť" + #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" msgstr "OpenPGP šifrovací applet" @@ -87,64 +113,68 @@ msgstr "_Dešifrovať/overiť Schránku" msgid "_Manage Keys" msgstr "_Spravovať kľúče" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "Schránka neobsahuje platné vstupné údaje." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "Nejasná dôvera" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "Minimálna dôvera" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "Plná dôvera" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "Neobmedzená dôvera" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "Názov" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "ID kľúča" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "Stav" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "Odtlačok:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "Identifikátor užívateľa:" msgstr[1] "Identifikátor užívateľa:" msgstr[2] "Identifikátory užívateľa:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "Žiadne (Nepodpisovať)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "Vybrať príjemcov:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "Skryť príjemcov" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -152,37 +182,37 @@ msgstr "" "Skryť identifikátory všetkých príjemcov šifrovanej správy. V opačnom prípade " "môže ktokoľvek vidieť, kto je príjemcom šifrovanej správy." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "Podpísať správu ako:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "Zvoliť kľúče" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "Dôverujete týmto kľúčom?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "Nasledujúci zvolený kľúč nemá plnú dôveru:" msgstr[1] "Nasledujúci zvolený kľúč nemá plnú dôveru:" msgstr[2] "Nasledujúce zvolené kľúče nemájú plnú dôveru:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "Dôverujete tomuto kľúču natoľko, aby ste ho použili?" msgstr[1] "Dôverujete tomuto kľúčo natoľko, aby ste ho použili?" msgstr[2] "Dôverujete týmto kľúčom natoľko, aby ste ich použili?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "Žiadne vybrané kľúče" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -190,34 +220,34 @@ msgstr "" "Musíte vybrať súkromný kľúč, ktorým podpíšte správu, verejné kľúče na " "zašifrovanie správy, alebo oboje." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "Žiadne dostupné kľúče" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "Potrebujete súkromný kľúč na podpísanie správy alebo verejný kľúč na " "zašifrovanie správy." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "Chyba GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "Preto nemohla byť operácia vykonaná." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "Výsledok GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "Výstup GnuPG:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "Ďalšie správy poskytnuté GnuPG:" @@ -309,7 +339,7 @@ msgstr "" "\"file:///usr/share/doc/tails/website/doc/first_steps/startup_options/" "mac_spoofing.en.html#blocked\\\">dokumentáciu predstierania MAC</a>." -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "Táto verzia Tails má známe bezpečnostné riziká:" @@ -353,12 +383,12 @@ msgstr "" "mac_spoofing.en.html'>dokumentáciu</a>." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "chyba:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "Chyba" @@ -398,9 +428,10 @@ msgstr "" "aktivitu v Tails." #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 +#, fuzzy msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" "virtualization.en.html'>Zistiť viac...</a>" @@ -421,11 +452,11 @@ msgstr "Spustiť Tor Browser" msgid "Cancel" msgstr "Zrušiť" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "Skutočne si prajete spustiť nezabezpečený prehliadač?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -435,36 +466,19 @@ msgstr "" "Nezabezpečený prehliadač používajte len v nevyhnutných prípadoch, napríklad " "v prípade prihlásenia sa alebo registrácie vášho internetového pripojenia." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "_Spustiť" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "_Ukončiť" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "Spúšťanie nezabezpečeného prehliadača..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "Toto môže chvíľu trvať, prosím, buďte trpezliví." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "Nastavenie chroot zlyhalo." - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "Nezabezpečený prehliadač" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "Vypínam nezabezpečený prehliadač" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." @@ -472,11 +486,16 @@ msgstr "" "Toto môže chvíľu trvať a nebude možné nezabezpečený prehliadač reštartovať, " "až kým sa úplne nevypne." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "Reštart Tor zlyhal." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "Nezabezpečený prehliadač" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -484,7 +503,13 @@ msgstr "" "Iný nezabezpečený prehliadač je práve spustený alebo sa vypína. Skúste o " "chvíľu znova, prosím." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." @@ -492,11 +517,25 @@ msgstr "" "Nepodarilo sa získať DNS server pomocou DHCP, ani pomocou manuálneho " "nastavenia v NetworkManager." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "Nastavenie chroot zlyhalo." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +#, fuzzy +msgid "Failed to configure browser." +msgstr "Reštart Tor zlyhal." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +#, fuzzy +msgid "Failed to run browser." +msgstr "Reštart Tor zlyhal." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "Zlyhalo spúšťanie I2P" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 #, fuzzy msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " @@ -505,33 +544,33 @@ msgstr "" "Nastala chyba pri spúšťaní I2P. Pre viac informácií si prezrite záznam " "konzoly v uvedenom priečinku:" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 #, fuzzy msgid "I2P's router console is ready" msgstr "I2P konzola smerovača bude otvorená po štarte." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 #, fuzzy msgid "I2P is not ready" msgstr "Tor nie je pripravený" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " "Reconnect to the network to try again." msgstr "" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 #, fuzzy msgid "I2P is ready" msgstr "Tor je pripravený" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 #, fuzzy msgid "You can now access services on I2P." msgstr "Môžete sa pripojiť na Internet." diff --git a/po/sl_SI.po b/po/sl_SI.po index bfa68aba0b94e44c9238bf199d981978bf5ff12e..466071dae684722b670fc521e86e444b21a193ec 100644 --- a/po/sl_SI.po +++ b/po/sl_SI.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" -"PO-Revision-Date: 2014-12-04 08:50+0000\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" +"PO-Revision-Date: 2015-02-12 14:52+0000\n" "Last-Translator: runasand <runa.sandvik@gmail.com>\n" "Language-Team: Slovenian (Slovenia) (http://www.transifex.com/projects/p/" "torproject/language/sl_SI/)\n" @@ -20,30 +20,31 @@ msgstr "" "Plural-Forms: nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n" "%100==4 ? 2 : 3);\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Tor je pripravljen" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "Sedaj lahko dostopate do omrežja" #: config/chroot_local-includes/etc/whisperback/config.py:64 -#, python-format +#, fuzzy, python-format msgid "" "<h1>Help us fix your bug!</h1>\n" "<p>Read <a href=\"%s\">our bug reporting instructions</a>.</p>\n" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" "<h1>Pomagajte nam popraviti vašega hrošča! </h1>\n" "<p>Preberite<a href=\"%s\">naša navodila za poročanje o hrošču</a>.</p>\n" @@ -59,6 +60,31 @@ msgstr "" "uporabnik Sledi. Čas je, da se vprašamo koliko zaupamo našim\n" "Internet in poštnim ponudnikom?</p>\n" +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Zagon" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Izhod" + #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" msgstr "Odpri PGP šifrirni programček" @@ -87,45 +113,49 @@ msgstr "_Dešifriranje/Preverite Odložišče" msgid "_Manage Keys" msgstr "_Upravljanje s Ključi" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "Odložišče ne vsebuje veljavnih vhodnih podatkov" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "Neznan Skrbnik" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "Mejni Skrbnik" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "Zaupanja vreden Skrbnik" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "Dokončni Skrbnik" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "Ime" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "Ključ ID" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "Stanje" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "Prstni odtis:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "Uporbnik ID:" @@ -133,19 +163,19 @@ msgstr[1] "Uporabnika ID:" msgstr[2] "Uporabniki ID:" msgstr[3] "User IDs:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "Nobeden (Brez podpisa)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "Izbira prejemnikov:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "Skrij prejemnike" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -153,19 +183,19 @@ msgstr "" "Skrij ID uporabnika vsem prejemnikom šifriranega sporočila. Drugače lahko " "vsak, ki šifrirano sporočilo vidi, ve kdo je prejemnik." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "Podpiši sporočilo kot:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "Izberite ključe" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "Ali zaupate tem ključem?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "Sledeči izbran ključ ni vreden popolnega zaupanja:" @@ -173,7 +203,7 @@ msgstr[1] "Sledeča izbrana ključa nista vredna popolnega zaupanja:" msgstr[2] "Sledeči izbrani ključi niso vredni popolnega zaupanja:" msgstr[3] "Sledeči izbrani ključi niso vredni popolnega zaupanja:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "Ali dovolj zaupate temu ključu, da ga vseeno uporabite?" @@ -181,11 +211,11 @@ msgstr[1] "Ali dovolj zaupate tema ključema, da ju vseeno uporabite?" msgstr[2] "Ali dovolj zaupate tem ključem, da jih vseeno uporabite?" msgstr[3] "Ali dovolj zaupate tem ključem, da jih vseeno uporabite?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "Ključ ni izbran" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -193,34 +223,34 @@ msgstr "" "Izbrati morate zasebni ključ za podpisovanje sporočila, ali kateri javni " "ključi za šifriranje sporočila, ali pa oboje." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "Ni uporabnega ključa" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "Rabite zasebni ključ za podpis sporočila ali javni ključ za šifriranje le " "tega." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "GnuPG napaka" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "Zato ni mogoče izvesti operacijo." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "GnuPG rezultati" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "Izhod iz GnuPG:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "Druga sporočila ponujena od GnuPG:" @@ -312,7 +342,7 @@ msgstr "" "tails/website/doc/first_steps/startup_options/mac_spoofing.en.html#blocked\\" "\">dokumentacija MAC sleparjenje </a>." -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "Ta verzija Sledi ima znane varnostne izhode:" @@ -356,12 +386,12 @@ msgstr "" "mac_spoofing.en.html'>dokumentacijo</a>." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "napaka:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "Napaka" @@ -401,9 +431,10 @@ msgstr "" "spremljata, kaj počnete v Sledi." #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 +#, fuzzy msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" "virtualization.en.html'>Več ...</a>" @@ -424,11 +455,11 @@ msgstr "Zagon Tor brskalnik" msgid "Cancel" msgstr "Opusti" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "Resnično želite zagnati nezanesljiv Brskalnik?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -438,36 +469,19 @@ msgstr "" "nujnih primerih uporabite nezanesljiv Brskalnik, npr.: če se morate " "prijaviti ali registrirati za aktiviranje omrežne povezave." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "_Zagon" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "_Izhod" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "Zagon nezanesljivega Brskalnika ..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "To lahko traja, zato bodite potrpežjivi." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "Neuspešna nastavitev chroot." - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "Nezanesljiv Brskalnik" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "Ugašanje nezanesljivega Brskalnika .." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." @@ -475,11 +489,16 @@ msgstr "" "To lahko traja in ne smete ponoviti zagona nezanesljivega Brskalnika dokler " "ni pravilno ugasnjen." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "Ponoven zagon Tor-a neuspešen. " -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "Nezanesljiv Brskalnik" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -487,7 +506,13 @@ msgstr "" "Drugi nezanesljiv Brskalnik se trenutno izvaja ali se čisti. Poskusite malo " "kasneje. " -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." @@ -495,11 +520,25 @@ msgstr "" "Noben DNS server ni bil pridobljen iz DHCP ali ročno nastavljen v " "NetworkManager." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "Neuspešna nastavitev chroot." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +#, fuzzy +msgid "Failed to configure browser." +msgstr "Ponoven zagon Tor-a neuspešen. " + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +#, fuzzy +msgid "Failed to run browser." +msgstr "Ponoven zagon Tor-a neuspešen. " + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "I2P se ni zagnal" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." @@ -507,19 +546,19 @@ msgstr "" "Pri zagonu I2P je nekaj narobe. Preverite dnevnik log v /var/log/i2p za " "nadaljne informacije" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" msgstr "I2P konzola usmerjevalnika je pripravljena" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "Konzolo I2P usmerjevalnika lahko dosegate na http://127.0.0.1:7657." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "I2P ni propravljen" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " @@ -529,11 +568,11 @@ msgstr "" "na http://127.0.0.1:7657/logs ali dnevnike v / var / log / i2p za več " "informacij. Ponovno se priklopite na omrežje in poskusite znova." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "I2P je pripravljen" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." msgstr "sedaj lahko dostopate do storitev I2P" diff --git a/po/sq.po b/po/sq.po new file mode 100644 index 0000000000000000000000000000000000000000..eeb9c82eb1500a3848bac059468b2e2da9ae0094 --- /dev/null +++ b/po/sq.po @@ -0,0 +1,641 @@ +# SOME DESCRIPTIVE TITLE. +# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER +# This file is distributed under the same license as the PACKAGE package. +# +# Translators: +# Bujar Tafili, 2015 +msgid "" +msgstr "" +"Project-Id-Version: The Tor Project\n" +"Report-Msgid-Bugs-To: \n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" +"PO-Revision-Date: 2015-03-03 21:51+0000\n" +"Last-Translator: Bujar Tafili\n" +"Language-Team: Albanian (http://www.transifex.com/projects/p/torproject/" +"language/sq/)\n" +"Language: sq\n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" + +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 +msgid "Tor is ready" +msgstr "Tor është gati" + +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 +msgid "You can now access the Internet." +msgstr "Ju s'mund të qaseni në Internet." + +#: config/chroot_local-includes/etc/whisperback/config.py:64 +#, python-format +msgid "" +"<h1>Help us fix your bug!</h1>\n" +"<p>Read <a href=\"%s\">our bug reporting instructions</a>.</p>\n" +"<p><strong>Do not include more personal information than\n" +"needed!</strong></p>\n" +"<h2>About giving us an email address</h2>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" +msgstr "" +"<h1>Na ndihmoni të ndreqim gabimin tuaj!</h1>\n" +"<p>Lexoni <a href=\"%s\">instruksionet tona mbi raportimin e gabimit</a>.</" +"p>\n" +"<p><strong>Mos përfshini më shumë informacion mbi veten, sesa \n" +"nevojitet</strong></p>\n" +"<h2>Rreth të dërguarit tek ne të një adrese e-poste</h2>\n" +"<p>\n" +"Dhënit tek ne e një adrese e-poste, na lejon të kontaktojmë me ju për të " +"qartësuar problemin. Kjo\n" +"nevojitet për shumicën e raporteve që ne marrim, përderisa shumica e " +"raporteve,\n" +"pa asnjë informacion kontakti, janë të papërdorshme. Nga ana tjetër, kjo gjë " +"ofron gjithashtu një mundësi që\n" +"përgjuesit, si ofruesi i e-postës apo Internetit tuaj, të\n" +"konfirmojnë që ju po përdorni Tails.\n" +"</p>\n" + +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "Vazhdimësia është paaftësuar për Electrum" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" +"Kur ju e rinisni Tails, të gjitha të dhënat e Electrum do të humbasin, " +"përfshirë edhe portofolin tuaj Bitcoin. Rekomandohet fuqishëm që të " +"ekzekutohet vetëm Electrum, kur tipari i saj i vazhdimësisë është aktiv." + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "Dëshironi ta nisni Electrum gjithsesi?" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Lëshoni" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Dilni" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:136 +msgid "OpenPGP encryption applet" +msgstr "Programth për fshehjen OpenPGP" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:139 +msgid "Exit" +msgstr "Dilni" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:141 +msgid "About" +msgstr "Rreth" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:192 +msgid "Encrypt Clipboard with _Passphrase" +msgstr "Fshiheni Tabelën e Shënimeve me _frazëkalim" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:195 +msgid "Sign/Encrypt Clipboard with Public _Keys" +msgstr "Nënshkruajeni/Fshiheni Tabelën e Shënimeve me _Çelësa Publikë" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:200 +msgid "_Decrypt/Verify Clipboard" +msgstr "_Deshifroni/Verifikoni Tabelën e Shënimeve" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:204 +msgid "_Manage Keys" +msgstr "_Administroni Çelësat" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 +msgid "The clipboard does not contain valid input data." +msgstr "Tabelën e Shënimeve nuk përmban të dhëna hyrëse të vlefshme." + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 +msgid "Unknown Trust" +msgstr "Besueshmëri e Panjohur" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 +msgid "Marginal Trust" +msgstr "Besueshmëri Anësore" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 +msgid "Full Trust" +msgstr "Besueshmëri e Plotë" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 +msgid "Ultimate Trust" +msgstr "Besueshmëri e Skajshme" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 +msgid "Name" +msgstr "Emri" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 +msgid "Key ID" +msgstr "ID Kyçe" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 +msgid "Status" +msgstr "Gjendja" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 +msgid "Fingerprint:" +msgstr "Gjurmë:" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 +msgid "User ID:" +msgid_plural "User IDs:" +msgstr[0] "ID e përdoruesit" +msgstr[1] "ID-të e përdoruesve" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 +msgid "None (Don't sign)" +msgstr "Asnjë (Mos nënshkruani)" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +msgid "Select recipients:" +msgstr "Përzgjidhni marrësit:" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 +msgid "Hide recipients" +msgstr "Fshihni marrësit" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 +msgid "" +"Hide the user IDs of all recipients of an encrypted message. Otherwise " +"anyone that sees the encrypted message can see who the recipients are." +msgstr "" +"Fshihni ID-të e përdoruesve të të gjithë marrësve të një mesazhi të fshehur. " +"Përndryshe, çdokush që sheh mesazhin e fshehur mund të shohë edhe se kush " +"janë marrësit." + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 +msgid "Sign message as:" +msgstr "Nënshkruajeni mesazhin si:" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 +msgid "Choose keys" +msgstr "Përzgjidhni çelësat" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 +msgid "Do you trust these keys?" +msgstr "A i besoni këta çelësa?" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 +msgid "The following selected key is not fully trusted:" +msgid_plural "The following selected keys are not fully trusted:" +msgstr[0] "Çelësi i përzgjedhur, që vijon, s'është plotësisht i besueshëm:" +msgstr[1] "Çelësat e përzgjedhur, që vijojnë, s'janë plotësisht të besueshëm:" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 +msgid "Do you trust this key enough to use it anyway?" +msgid_plural "Do you trust these keys enough to use them anyway?" +msgstr[0] " A e besoni mjaftueshëm këtë çelës, sa ta përdorni atë gjithsesi?" +msgstr[1] "A i besoni mjaftueshëm këta çelësa, sa t'i përdorni ata gjithsesi?" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 +msgid "No keys selected" +msgstr "S'është përzgjedhur asnjë çelës" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 +msgid "" +"You must select a private key to sign the message, or some public keys to " +"encrypt the message, or both." +msgstr "" +"Ju duhet të përzgjidhni një çelës personal për të shënuar mesazhin, apo disa " +"çelësa publikë për ta fshehur mesazhin, ose të dyja." + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 +msgid "No keys available" +msgstr "S'ka çelësa të disponueshëm" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 +msgid "" +"You need a private key to sign messages or a public key to encrypt messages." +msgstr "" +"Ju nevojitet një çelës personal për të shënuar mesazhin ose një çelës publik " +"për ta fshehur atë." + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 +msgid "GnuPG error" +msgstr "Gabim i GnuPG" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 +msgid "Therefore the operation cannot be performed." +msgstr "Për këtë arsye operacioni s'mund të kryhet." + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 +msgid "GnuPG results" +msgstr "Rezultatet GnuPG" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 +msgid "Output of GnuPG:" +msgstr "Produkti i GnuPG:" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 +msgid "Other messages provided by GnuPG:" +msgstr "Mesazhet e tjera të ofruara nga GnuPG:" + +#: config/chroot_local-includes/usr/local/lib/shutdown-helper-applet:39 +msgid "Shutdown Immediately" +msgstr "Mbylleni Menjëherë" + +#: config/chroot_local-includes/usr/local/lib/shutdown-helper-applet:40 +msgid "Reboot Immediately" +msgstr "Riniseni Menjëherë" + +#: config/chroot_local-includes/usr/local/bin/tails-about:16 +msgid "not available" +msgstr "i padisponueshëm" + +#: config/chroot_local-includes/usr/local/bin/tails-about:19 +#: ../config/chroot_local-includes/usr/share/desktop-directories/Tails.directory.in.h:1 +msgid "Tails" +msgstr "Tails" + +#: config/chroot_local-includes/usr/local/bin/tails-about:24 +msgid "The Amnesic Incognito Live System" +msgstr "Sistemi i Drejtpërdrejtë e i Fshehur Amnesic " + +#: config/chroot_local-includes/usr/local/bin/tails-about:25 +#, python-format +msgid "" +"Build information:\n" +"%s" +msgstr "" +"Informacioni mbi realizimin:\n" +"%s" + +#: config/chroot_local-includes/usr/local/bin/tails-about:27 +#: ../config/chroot_local-includes/usr/share/applications/tails-about.desktop.in.h:1 +msgid "About Tails" +msgstr "Rreth Tails" + +#: config/chroot_local-includes/usr/local/sbin/tails-additional-software:118 +#: config/chroot_local-includes/usr/local/sbin/tails-additional-software:124 +#: config/chroot_local-includes/usr/local/sbin/tails-additional-software:128 +msgid "Your additional software" +msgstr "Programi juaj shtesë" + +#: config/chroot_local-includes/usr/local/sbin/tails-additional-software:119 +#: config/chroot_local-includes/usr/local/sbin/tails-additional-software:129 +msgid "" +"The upgrade failed. This might be due to a network problem. Please check " +"your network connection, try to restart Tails, or read the system log to " +"understand better the problem." +msgstr "" +"Përmirësimi dështoi. Kjo mund të ketë ndodhur për shkak të një problemi të " +"rrjetit. Ju lutemi kontrolloni lidhjen e rrjetit tuaj, provoni të rinisni " +"Tails, ose lexoni regjistrin e sistemit, që ta kuptoni më mirë problemin." + +#: config/chroot_local-includes/usr/local/sbin/tails-additional-software:125 +msgid "The upgrade was successful." +msgstr "Përmirësimi ishte i suksesshëm." + +#: config/chroot_local-includes/usr/local/bin/tails-htp-notify-user:52 +msgid "Synchronizing the system's clock" +msgstr "Sinkronizimi i orës së sistemit" + +#: config/chroot_local-includes/usr/local/bin/tails-htp-notify-user:53 +msgid "" +"Tor needs an accurate clock to work properly, especially for Hidden " +"Services. Please wait..." +msgstr "" +"Tor ka nevojë për një orë të saktë, që të punoj si duhet, veçanërisht për " +"Shërbimet e Fshehta. Ju lutemi prisni..." + +#: config/chroot_local-includes/usr/local/bin/tails-htp-notify-user:87 +msgid "Failed to synchronize the clock!" +msgstr "Dështim në sinkronizimin e orës së sistemit!" + +#: config/chroot_local-includes/usr/local/sbin/tails-restricted-network-detector:38 +msgid "Network connection blocked?" +msgstr "Po pengohet lidhja me rrjetin?" + +#: config/chroot_local-includes/usr/local/sbin/tails-restricted-network-detector:40 +msgid "" +"It looks like you are blocked from the network. This may be related to the " +"MAC spoofing feature. For more information, see the <a href=\\\"file:///usr/" +"share/doc/tails/website/doc/first_steps/startup_options/mac_spoofing.en." +"html#blocked\\\">MAC spoofing documentation</a>." +msgstr "" +"Duket sikur jeni penguar nga rrjeti. Kjo mund të jetë e lidhur me tiparin " +"MAC për krijimin e rrengut. Për më shumë informacion, shihni <a href=\\" +"\"file:///usr/share/doc/tails/website/doc/first_steps/startup_options/" +"mac_spoofing.en.html#blocked\\\">dokumentacionin e MAC mbi rrengun</a>." + +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 +msgid "This version of Tails has known security issues:" +msgstr "Ky version i Tails ka probleme sigurie të njohura:" + +#: config/chroot_local-includes/usr/local/sbin/tails-spoof-mac:37 +#, sh-format +msgid "Network card ${nic} disabled" +msgstr "Karta e rrjetit ${nic} është paaftësuar" + +#: config/chroot_local-includes/usr/local/sbin/tails-spoof-mac:38 +#, sh-format +msgid "" +"MAC spoofing failed for network card ${nic_name} (${nic}) so it is " +"temporarily disabled.\n" +"You might prefer to restart Tails and disable MAC spoofing. See the <a " +"href='file:///usr/share/doc/tails/website/doc/first_steps/startup_options/" +"mac_spoofing.en.html'>documentation</a>." +msgstr "" +"Rrengu nga MAC dështoi për kartën e rrjetit ${nic_name} (${nic}), ndaj është " +"përkohësisht jashtë funksioni.\n" +"Ndoshta parapëlqeni të rinisni Tails dhe të paaftësoni rrengun nga MAC. " +"Shihni <a href='file:///usr/share/doc/tails/website/doc/first_steps/" +"startup_options/mac_spoofing.en.html'>dokumentacionin</a>." + +#: config/chroot_local-includes/usr/local/sbin/tails-spoof-mac:47 +msgid "All networking disabled" +msgstr "Të gjitha lidhjet në rrjet janë paaftësuar" + +#: config/chroot_local-includes/usr/local/sbin/tails-spoof-mac:48 +#, sh-format +msgid "" +"MAC spoofing failed for network card ${nic_name} (${nic}). The error " +"recovery also failed so all networking is disabled.\n" +"You might prefer to restart Tails and disable MAC spoofing. See the <a " +"href='file:///usr/share/doc/first_steps/startup_options/mac_spoofing.en." +"html'>documentation</a>." +msgstr "" +"Rrengu nga MAC dështoi për kartën e rrjetit ${nic_name} (${nic}). Po ashtu " +"dështoi edhe rikuperimi i gabimit, kësisoj të gjitha lidhjet në rrjet janë " +"paaftësuar.\n" +"Ndoshta parapëlqeni të rinisni Tails dhe të paaftësoni rrengun nga MAC. " +"Shihni the <a href='file:///usr/share/doc/first_steps/startup_options/" +"mac_spoofing.en.html'>dokumentacionin</a>." + +#: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 +msgid "error:" +msgstr "gabim:" + +#: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 +msgid "Error" +msgstr "Gabim" + +#: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:40 +msgid "" +"<b>Not enough memory available to check for upgrades.</b>\n" +"\n" +"Make sure this system satisfies the requirements for running Tails.\n" +"See file:///usr/share/doc/tails/website/doc/about/requirements.en.html\n" +"\n" +"Try to restart Tails to check for upgrades again.\n" +"\n" +"Or do a manual upgrade.\n" +"See https://tails.boum.org/doc/first_steps/upgrade#manual" +msgstr "" +"<b>Kujtesa e lirë s'është e mjaftueshme për të kontrolluar për përmirësime.</" +"b>\n" +"\n" +"Sigurohuni që ky sistem kënaq kërkesat për të ekzekutuar Tails.\n" +"Shihni skedarin:///usr/share/doc/tails/website/doc/about/requirements.en." +"html\n" +"\n" +"Përpiquni të rinisni Tails, që të kërkoni sërish për përmirësime.\n" +"\n" +"Ose bëni një përmirësim me dorë.\n" +"Shihni https://tails.boum.org/doc/first_steps/upgrade#manual" + +#: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:53 +msgid "Warning: virtual machine detected!" +msgstr "Kujdes: është zbuluar makinë virtuale!" + +#: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:55 +msgid "" +"Both the host operating system and the virtualization software are able to " +"monitor what you are doing in Tails." +msgstr "" +"Si sistemi operativ pritës, ashtu edhe programi virtualizues janë në gjendje " +"të monitorojnë se çfarë po bëni në Tails." + +#: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 +msgid "" +"<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" +"virtualization.en.html#security'>Learn more...</a>" +msgstr "" +"<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" +"virtualization.en.html#security'>Mësoni më shumë...</a>" + +#: config/chroot_local-includes/usr/local/bin/tor-browser:18 +msgid "Tor is not ready" +msgstr "Tor s'është gati" + +#: config/chroot_local-includes/usr/local/bin/tor-browser:19 +msgid "Tor is not ready. Start Tor Browser anyway?" +msgstr "Tor s'është gati. Do ta nisni Tor Browser gjithsesi?" + +#: config/chroot_local-includes/usr/local/bin/tor-browser:20 +msgid "Start Tor Browser" +msgstr "Niseni Tor Browser" + +#: config/chroot_local-includes/usr/local/bin/tor-browser:21 +msgid "Cancel" +msgstr "Anuloni" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 +msgid "Do you really want to launch the Unsafe Browser?" +msgstr "Vërtet dëshironi të lëshoni Shfletuesin e Pasigurt?" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 +msgid "" +"Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " +"the Unsafe Browser if necessary, for example if you have to login or " +"register to activate your Internet connection." +msgstr "" +"Veprimtaria e rrjetit brenda Shfletuesit të Pasigurt <b>s'është anonime</b>. " +"Përdoreni Shfletuesin e Pasigurt vetëm nëse është e domosdoshme, për " +"shembull nëse ju duhet të hyni apo të regjistroheni për të aktivizuar " +"lidhjen tuaj Internet." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 +msgid "Starting the Unsafe Browser..." +msgstr "Duke nisur Shfletuesin e Pasigurt..." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 +msgid "This may take a while, so please be patient." +msgstr "Kjo do të marrë pak kohë, ndaj ju lutemi jini i durueshëm." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 +msgid "Shutting down the Unsafe Browser..." +msgstr "Duke mbyllur Shfletuesin e Pasigurt..." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 +msgid "" +"This may take a while, and you may not restart the Unsafe Browser until it " +"is properly shut down." +msgstr "" +"Kjo do të marrë pak kohë dhe ju mund të mos mundni që ta rinisni Shfletuesin " +"e Pasigurt., derisa ai të mbyllet plotësisht." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 +msgid "Failed to restart Tor." +msgstr "Dështuam për rinisjen e Tor." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "Shfletues i Pasigurt" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 +msgid "" +"Another Unsafe Browser is currently running, or being cleaned up. Please " +"retry in a while." +msgstr "" +"Një tjetër Shfletues i Pasigurt po ekzekutohet ose po pastrohet tani. Ju " +"lutemi riprovoni pas pak." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" +"NetworkManager na kaloi mbeturina të dhënash, kur përpiqej të deduktonte " +"shërbyesin DNS clearnet." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 +msgid "" +"No DNS server was obtained through DHCP or manually configured in " +"NetworkManager." +msgstr "" +"Asnjë shërbyes DNS në NetworkManager nuk është përftuar përmes DHCP, ose " +"konfigurimit me dorë." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "Dështim në konfigurimin e chroot." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +msgid "Failed to configure browser." +msgstr "Dështim në konfigurimin e shfletuesit." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +msgid "Failed to run browser." +msgstr "Dështim në ekzekutimin e shfletuesit." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +msgid "I2P failed to start" +msgstr "I2P dështoi të niset" + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 +msgid "" +"Something went wrong when I2P was starting. Check the logs in /var/log/i2p " +"for more information." +msgstr "" +"Diçka shkoi keq kur po nisej I2P. Për më shumë informacion kontrolloni " +"regjistrat në /var/log/i2p." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +msgid "I2P's router console is ready" +msgstr "Paneli i ruterit I2P's është gati" + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 +msgid "You can now access I2P's router console on http://127.0.0.1:7657." +msgstr "" +"Ju tani mund të qaseni në panelin e ruterit I2P's tek http://127.0.0.1:7657." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +msgid "I2P is not ready" +msgstr "I2P s'është gati" + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 +msgid "" +"Eepsite tunnel not built within six minutes. Check the router console at " +"http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " +"Reconnect to the network to try again." +msgstr "" +"Tuneli Eepsite nuk u ndërtua brenda gjashtë minutave. Kontrolloni panelin e " +"router-it tek http://127.0.0.1:7657/logs ose regjistrat në /var/log/i2p, për " +"më shumë informacion. Rilidhni rrjetin që të përpiqeni sërish." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +msgid "I2P is ready" +msgstr "I2P është gati" + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 +msgid "You can now access services on I2P." +msgstr "Ju tani mund t'u qaseni shërbimeve në I2P." + +#: ../config/chroot_local-includes/etc/skel/Desktop/Report_an_error.desktop.in.h:1 +msgid "Report an error" +msgstr "Raportoni një gabim" + +#: ../config/chroot_local-includes/etc/skel/Desktop/tails-documentation.desktop.in.h:1 +#: ../config/chroot_local-includes/usr/share/applications/tails-documentation.desktop.in.h:1 +msgid "Tails documentation" +msgstr "Dokumentacioni i Tails" + +#: ../config/chroot_local-includes/usr/share/applications/tails-documentation.desktop.in.h:2 +msgid "Learn how to use Tails" +msgstr "Mësoni sesi ta përdorni Tails" + +#: ../config/chroot_local-includes/usr/share/applications/i2p-browser.desktop.in.h:1 +msgid "Anonymous overlay network browser" +msgstr "Mbivendosje anonime e shfletuesit të rrjetit " + +#: ../config/chroot_local-includes/usr/share/applications/i2p-browser.desktop.in.h:2 +msgid "I2P Browser" +msgstr "Shfletuesi I2P" + +#: ../config/chroot_local-includes/usr/share/applications/tails-about.desktop.in.h:2 +msgid "Learn more about Tails" +msgstr "Mësoni më shumë rreth Tails" + +#: ../config/chroot_local-includes/usr/share/applications/tails-reboot.desktop.in.h:1 +msgid "Reboot" +msgstr "Riniseni" + +#: ../config/chroot_local-includes/usr/share/applications/tails-reboot.desktop.in.h:2 +msgid "Immediately reboot computer" +msgstr "Riniseni kompjuterin menjëherë" + +#: ../config/chroot_local-includes/usr/share/applications/tails-shutdown.desktop.in.h:1 +msgid "Power Off" +msgstr "Shuajeni" + +#: ../config/chroot_local-includes/usr/share/applications/tails-shutdown.desktop.in.h:2 +msgid "Immediately shut down computer" +msgstr "Mbylleni kompjuterin menjëherë" + +#: ../config/chroot_local-includes/usr/share/applications/tor-browser.desktop.in.h:1 +msgid "Tor Browser" +msgstr "Tor Browser" + +#: ../config/chroot_local-includes/usr/share/applications/tor-browser.desktop.in.h:2 +msgid "Anonymous Web Browser" +msgstr " Shfletues Web-i Anonim" + +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:2 +msgid "Browse the World Wide Web without anonymity" +msgstr "Shfletojeni Web-in Mbarëbotëror pa anonimitet" + +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:3 +msgid "Unsafe Web Browser" +msgstr "Shfletues Web-i i Pasigurt" + +#: ../config/chroot_local-includes/usr/share/desktop-directories/Tails.directory.in.h:2 +msgid "Tails specific tools" +msgstr "Mjetet e veçanta të Tails" diff --git a/po/sr.po b/po/sr.po new file mode 100644 index 0000000000000000000000000000000000000000..658371ba469a245f529aab64ff5f5a2eaea3a020 --- /dev/null +++ b/po/sr.po @@ -0,0 +1,656 @@ +# SOME DESCRIPTIVE TITLE. +# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER +# This file is distributed under the same license as the PACKAGE package. +# +# Translators: +# obj.petit.a, 2014 +# JanaDi <dijana1706@gmail.com>, 2015 +# Milenko Doder <milenko.doder@gmail.com>, 2015 +msgid "" +msgstr "" +"Project-Id-Version: The Tor Project\n" +"Report-Msgid-Bugs-To: \n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" +"PO-Revision-Date: 2015-03-29 20:33+0000\n" +"Last-Translator: JanaDi <dijana1706@gmail.com>\n" +"Language-Team: Serbian (http://www.transifex.com/projects/p/torproject/" +"language/sr/)\n" +"Language: sr\n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" +"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" + +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 +msgid "Tor is ready" +msgstr "Тор је спреман" + +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 +msgid "You can now access the Internet." +msgstr "Можете сада приступити интернету." + +#: config/chroot_local-includes/etc/whisperback/config.py:64 +#, python-format +msgid "" +"<h1>Help us fix your bug!</h1>\n" +"<p>Read <a href=\"%s\">our bug reporting instructions</a>.</p>\n" +"<p><strong>Do not include more personal information than\n" +"needed!</strong></p>\n" +"<h2>About giving us an email address</h2>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" +msgstr "" +"<h1>Помозите нам да поправимо ваш баг!</h1>\n" +"\n" +"<p>Прочитајте <a href=\"%s\">наше инструкције за пријављивање багова</a>.</" +"p>\n" +"\n" +"<p><strong>Не уносите више личних информација него што је\n" +"неопходно!</strong></p>\n" +"\n" +"<h2>О томе када нам дате вашу и-мејл адресу</h2>\n" +"\n" +"<p>\n" +"\n" +"Дајући нам вашу и-мејл адресу, омогућавате нам да вас контактирамо да би " +"разјаснили проблем. То\n" +"\n" +"је потребно за велику већину извештаја које примимо пошто је већина " +"извештаја\n" +"\n" +"без контакт информација бескорисна. С друге стране, то пружа\n" +"\n" +"прилику прислушкивачима, као што је ваш и-мејл или интернет провајдер, да\n" +"\n" +"потврди да ви користите Tails.\n" +"\n" +"</p>\n" + +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "Persistence (упорност) је онемогућена за Electrum" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" +"Када рестартујете Tails, сви подаци из Electrum-а ће бити изгубљени, " +"укључујући ваш Bitcoin новчаник. Снажно вам препоручујемо да Electrum " +"користите само када је његова persistence опција активирана." + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "Da li ipak želite da pokrenete Electrum? " + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Лансирати" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Излаз" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:136 +msgid "OpenPGP encryption applet" +msgstr "Отворити аплет PGP enkripcije" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:139 +msgid "Exit" +msgstr "Излаз" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:141 +msgid "About" +msgstr "О нама" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:192 +msgid "Encrypt Clipboard with _Passphrase" +msgstr "Извршити енкрипцију клипборда са _Passphrase" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:195 +msgid "Sign/Encrypt Clipboard with Public _Keys" +msgstr "Извршити Енкрипцију/Потисивање клипборда са Public _Keys" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:200 +msgid "_Decrypt/Verify Clipboard" +msgstr "_Декриптовати/Верификовати Клипборд" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:204 +msgid "_Manage Keys" +msgstr "_Управљање Кључевима" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 +msgid "The clipboard does not contain valid input data." +msgstr "Клипборд не садржи валидне улазне податке" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 +msgid "Unknown Trust" +msgstr "Непознато Поверење" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 +msgid "Marginal Trust" +msgstr "Маргинално Поверење" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 +msgid "Full Trust" +msgstr "Потпуно Поверење" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 +msgid "Ultimate Trust" +msgstr "Ултимативно Поверење" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 +msgid "Name" +msgstr "Име" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 +msgid "Key ID" +msgstr "Идентификација Кључа" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 +msgid "Status" +msgstr "Статус" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 +msgid "Fingerprint:" +msgstr "Отисак прста:" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 +msgid "User ID:" +msgid_plural "User IDs:" +msgstr[0] "Корисничка идентификација:" +msgstr[1] "Корисничке идентификације:" +msgstr[2] "Идентификације корисника:" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 +msgid "None (Don't sign)" +msgstr "Ништа (Не потписивати)" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +msgid "Select recipients:" +msgstr "Изабрати примаоце:" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 +msgid "Hide recipients" +msgstr "Сакрити примаоце" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 +msgid "" +"Hide the user IDs of all recipients of an encrypted message. Otherwise " +"anyone that sees the encrypted message can see who the recipients are." +msgstr "" +"Сакријте идентификације свих корисника шифроване поруке. Иначе ће свако ко " +"види шифровану поруку моћи да види ко су примаоци." + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 +msgid "Sign message as:" +msgstr "Потпишите поруку као:" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 +msgid "Choose keys" +msgstr "Изаберите кључеве" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 +msgid "Do you trust these keys?" +msgstr "Да ли верујете овим кључевима?" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 +msgid "The following selected key is not fully trusted:" +msgid_plural "The following selected keys are not fully trusted:" +msgstr[0] "Следећем изабраном кључу се не може потпуно веровати:" +msgstr[1] "Следећим изабраним кључевима се не може потпуно веровати:" +msgstr[2] "Следећим изабраним кључевима се не може потпуно веровати:" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 +msgid "Do you trust this key enough to use it anyway?" +msgid_plural "Do you trust these keys enough to use them anyway?" +msgstr[0] "Да ли довољно верујете овом кључу да би га ипак користили?" +msgstr[1] "Да ли довољно верујете овим кључевима да би их ипак користили?" +msgstr[2] "Да ли довољно верујете овим кључевима да би их ипак користили?" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 +msgid "No keys selected" +msgstr "Ниједан кључ није изабран" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 +msgid "" +"You must select a private key to sign the message, or some public keys to " +"encrypt the message, or both." +msgstr "" +"Морате изабрати приватни кључ за потписивање поруке или неке јавне кључеве " +"да шифрујете поруку, или обоје." + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 +msgid "No keys available" +msgstr "Нема доступних кључева" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 +msgid "" +"You need a private key to sign messages or a public key to encrypt messages." +msgstr "" +"Треба вам приватни кључ за потписивање порука или јавни кључ за шифровање " +"порука." + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 +msgid "GnuPG error" +msgstr "GnuPG грешка" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 +msgid "Therefore the operation cannot be performed." +msgstr "Самим тим, операција се не може извршити." + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 +msgid "GnuPG results" +msgstr "GnuPG резултати" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 +msgid "Output of GnuPG:" +msgstr "Излаз од GnuPG:" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 +msgid "Other messages provided by GnuPG:" +msgstr "Остале поруке које пружа GnuPG:" + +#: config/chroot_local-includes/usr/local/lib/shutdown-helper-applet:39 +msgid "Shutdown Immediately" +msgstr "Угасите Одмах" + +#: config/chroot_local-includes/usr/local/lib/shutdown-helper-applet:40 +msgid "Reboot Immediately" +msgstr "Рестартујте Одмах" + +#: config/chroot_local-includes/usr/local/bin/tails-about:16 +msgid "not available" +msgstr "недоступно" + +#: config/chroot_local-includes/usr/local/bin/tails-about:19 +#: ../config/chroot_local-includes/usr/share/desktop-directories/Tails.directory.in.h:1 +msgid "Tails" +msgstr "Tails" + +#: config/chroot_local-includes/usr/local/bin/tails-about:24 +msgid "The Amnesic Incognito Live System" +msgstr "Амнезични Инкогнито Систем Уживо" + +#: config/chroot_local-includes/usr/local/bin/tails-about:25 +#, python-format +msgid "" +"Build information:\n" +"%s" +msgstr "" +"Информације о градњи:\n" +"%s" + +#: config/chroot_local-includes/usr/local/bin/tails-about:27 +#: ../config/chroot_local-includes/usr/share/applications/tails-about.desktop.in.h:1 +msgid "About Tails" +msgstr "О Tails-у" + +#: config/chroot_local-includes/usr/local/sbin/tails-additional-software:118 +#: config/chroot_local-includes/usr/local/sbin/tails-additional-software:124 +#: config/chroot_local-includes/usr/local/sbin/tails-additional-software:128 +msgid "Your additional software" +msgstr "Ваш додатни софтвер" + +#: config/chroot_local-includes/usr/local/sbin/tails-additional-software:119 +#: config/chroot_local-includes/usr/local/sbin/tails-additional-software:129 +msgid "" +"The upgrade failed. This might be due to a network problem. Please check " +"your network connection, try to restart Tails, or read the system log to " +"understand better the problem." +msgstr "" +"Надоградња је неуспешна. То је можда због проблема са мрежом. Молимо вас да " +"проверите вашу мрежну конекцију, да рестартујете Tails, или прочитајте " +"системски дневник да бисте боље разумели проблем." + +#: config/chroot_local-includes/usr/local/sbin/tails-additional-software:125 +msgid "The upgrade was successful." +msgstr "Надоградња је била успешна." + +#: config/chroot_local-includes/usr/local/bin/tails-htp-notify-user:52 +msgid "Synchronizing the system's clock" +msgstr "Синхронизовање системског сата" + +#: config/chroot_local-includes/usr/local/bin/tails-htp-notify-user:53 +msgid "" +"Tor needs an accurate clock to work properly, especially for Hidden " +"Services. Please wait..." +msgstr "" +"Тору је потребан тачан сат да би правилно радио, посебно за Скривене Услуге. " +"Молимо сачекајте..." + +#: config/chroot_local-includes/usr/local/bin/tails-htp-notify-user:87 +msgid "Failed to synchronize the clock!" +msgstr "Неуспешно синхронизовање сата!" + +#: config/chroot_local-includes/usr/local/sbin/tails-restricted-network-detector:38 +msgid "Network connection blocked?" +msgstr "Мрежна конекција заблокирана?" + +#: config/chroot_local-includes/usr/local/sbin/tails-restricted-network-detector:40 +msgid "" +"It looks like you are blocked from the network. This may be related to the " +"MAC spoofing feature. For more information, see the <a href=\\\"file:///usr/" +"share/doc/tails/website/doc/first_steps/startup_options/mac_spoofing.en." +"html#blocked\\\">MAC spoofing documentation</a>." +msgstr "" +"Изгледа да је ваш приступ мрежи заблокиран. То је можда због MAC spoofing " +"опције. За више информација, видети <a href=\\\"file:///usr/share/doc/tails/" +"website/doc/first_steps/startup_options/mac_spoofing.en.html#blocked\\\">MAC " +"spoofing документацију</a>." + +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 +msgid "This version of Tails has known security issues:" +msgstr "Ова верзија Tails-а има следеће познате проблеме:" + +#: config/chroot_local-includes/usr/local/sbin/tails-spoof-mac:37 +#, sh-format +msgid "Network card ${nic} disabled" +msgstr "${nic} мрежне карте онемогућен" + +#: config/chroot_local-includes/usr/local/sbin/tails-spoof-mac:38 +#, sh-format +msgid "" +"MAC spoofing failed for network card ${nic_name} (${nic}) so it is " +"temporarily disabled.\n" +"You might prefer to restart Tails and disable MAC spoofing. See the <a " +"href='file:///usr/share/doc/tails/website/doc/first_steps/startup_options/" +"mac_spoofing.en.html'>documentation</a>." +msgstr "" +"Неуспешно MAC spoofing за мрежну карту ${nic_name} (${nic}) па је привремено " +"онеспособљена.\n" +"Можда бисте преферирали да рестартујете Tails и онеспособите MAC spoofing. " +"Видети <a href='file:///usr/share/doc/tails/website/doc/first_steps/" +"startup_options/mac_spoofing.en.html'>документацију</a>." + +#: config/chroot_local-includes/usr/local/sbin/tails-spoof-mac:47 +msgid "All networking disabled" +msgstr "Сво умрежавање је онеспособљено" + +#: config/chroot_local-includes/usr/local/sbin/tails-spoof-mac:48 +#, sh-format +msgid "" +"MAC spoofing failed for network card ${nic_name} (${nic}). The error " +"recovery also failed so all networking is disabled.\n" +"You might prefer to restart Tails and disable MAC spoofing. See the <a " +"href='file:///usr/share/doc/first_steps/startup_options/mac_spoofing.en." +"html'>documentation</a>." +msgstr "" +"Неуспело MAC spoofing за мрежну карту ${nic_name} (${nic}). Опоравак од " +"грешке је такође неуспешан па је сво умрежавање онеспособљено.\n" +"Можда ћете преферирати да рестартујете Tails и онеспособите MAC spoofing. " +"Видети <a href='file:///usr/share/doc/first_steps/startup_options/" +"mac_spoofing.en.html'>документацију</a>." + +#: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 +msgid "error:" +msgstr "грешка:" + +#: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 +msgid "Error" +msgstr "Greška" + +#: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:40 +msgid "" +"<b>Not enough memory available to check for upgrades.</b>\n" +"\n" +"Make sure this system satisfies the requirements for running Tails.\n" +"See file:///usr/share/doc/tails/website/doc/about/requirements.en.html\n" +"\n" +"Try to restart Tails to check for upgrades again.\n" +"\n" +"Or do a manual upgrade.\n" +"See https://tails.boum.org/doc/first_steps/upgrade#manual" +msgstr "" +"<b>Није доступно довољно меморије да би се потражиле надоградње.</b>\n" +"\n" +"\n" +"\n" +"Постарајте се да овај систем испуњава захтеве за коришћење Tails-а.\n" +"\n" +"Видети file:///usr/share/doc/tails/website/doc/about/requirements.en.html\n" +"\n" +"\n" +"\n" +"Покушајте да рестартујете Tails да бисте поново потражили надоградње.\n" +"\n" +"\n" +"\n" +"Или извршите мануелну надоградњу.\n" +"\n" +"Видети https://tails.boum.org/doc/first_steps/upgrade#manual" + +#: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:53 +msgid "Warning: virtual machine detected!" +msgstr "Упозорење: виртуална машина је детектована!" + +#: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:55 +msgid "" +"Both the host operating system and the virtualization software are able to " +"monitor what you are doing in Tails." +msgstr "" +"И домаћински оперативни систем и софтвер за виртуализацију могу надгледати " +"шта радите у Tails-у." + +#: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 +msgid "" +"<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" +"virtualization.en.html#security'>Learn more...</a>" +msgstr "" +"<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" +"virtualization.en.html#security'> Saznaj više... </a>" + +#: config/chroot_local-includes/usr/local/bin/tor-browser:18 +msgid "Tor is not ready" +msgstr "Тор није спреман" + +#: config/chroot_local-includes/usr/local/bin/tor-browser:19 +msgid "Tor is not ready. Start Tor Browser anyway?" +msgstr "Тор није спреман. Ипак покренути Тор?" + +#: config/chroot_local-includes/usr/local/bin/tor-browser:20 +msgid "Start Tor Browser" +msgstr "Покрени Тор Браузер" + +#: config/chroot_local-includes/usr/local/bin/tor-browser:21 +msgid "Cancel" +msgstr "Откажи" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 +msgid "Do you really want to launch the Unsafe Browser?" +msgstr "Да ли стварно желите да покренете Небезбедни Браузер?" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 +msgid "" +"Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " +"the Unsafe Browser if necessary, for example if you have to login or " +"register to activate your Internet connection." +msgstr "" +"Мрежна активност унутар Небезбедног Браузера <b>није анонимна</b>. " +"Небезбедни Браузер користите само ако је неопходно, нпр. ако морате да се " +"улогујете или региструјете да би активирали вашу интернет конекцију." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 +msgid "Starting the Unsafe Browser..." +msgstr "Покретање Небезбедног Браузера..." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 +msgid "This may take a while, so please be patient." +msgstr "Ово може потрајати, зато вас молимо за стрпљење." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 +msgid "Shutting down the Unsafe Browser..." +msgstr "Гашење Небезбедног Браузера..." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 +msgid "" +"This may take a while, and you may not restart the Unsafe Browser until it " +"is properly shut down." +msgstr "" +"Ово ће можда потрајати, а ви не можете рестартовати Небезбедни Браузер док " +"не буде правилно угашен." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 +msgid "Failed to restart Tor." +msgstr "Рестартовање Тора неуспешно." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "Небезбедни Браузер" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 +msgid "" +"Another Unsafe Browser is currently running, or being cleaned up. Please " +"retry in a while." +msgstr "Други Небезбедни браузер ради или се чисти. Молимо покушајте касније." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" +"NetworkManager нам је проследио отпадне податке при покушају дедукције " +"clearnet DNS server-а." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 +msgid "" +"No DNS server was obtained through DHCP or manually configured in " +"NetworkManager." +msgstr "" +"Ниједан DNS server није добијен путем DHCP-а или мануелно конфигурисан у " +"NetworkManager-у." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "Неуспело постављање chroot-а." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +msgid "Failed to configure browser." +msgstr "Неуспешно конфигурисање браузера." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +msgid "Failed to run browser." +msgstr "Неуспешно покретање браузера." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +msgid "I2P failed to start" +msgstr "Неуспело покретање I2P-а. " + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 +msgid "" +"Something went wrong when I2P was starting. Check the logs in /var/log/i2p " +"for more information." +msgstr "" +"Нешто је пошло наопако при покретању I2P-а. Проверите дневнике у /var/log/" +"i2p за још информација." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +msgid "I2P's router console is ready" +msgstr "Конзола I2P раутера је спремна" + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 +msgid "You can now access I2P's router console on http://127.0.0.1:7657." +msgstr "Сада можете приступити конзоли I2P раутера на http://127.0.0.1:7657." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +msgid "I2P is not ready" +msgstr "I2P није спреман" + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 +msgid "" +"Eepsite tunnel not built within six minutes. Check the router console at " +"http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " +"Reconnect to the network to try again." +msgstr "" +"Eepsite тунел није изграђен за мање од 6 минута. Проверите конзолу раутера " +"на http://127.0.0.1:7657/logs или дневнике у /var/log/i2p за још " +"информација. Поново се конектујте са мрежом да би покушали поново." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +msgid "I2P is ready" +msgstr "I2P је спреман" + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 +msgid "You can now access services on I2P." +msgstr "Сада можете приступити вашим сервисима на I2P-у." + +#: ../config/chroot_local-includes/etc/skel/Desktop/Report_an_error.desktop.in.h:1 +msgid "Report an error" +msgstr "Пријавите грешку" + +#: ../config/chroot_local-includes/etc/skel/Desktop/tails-documentation.desktop.in.h:1 +#: ../config/chroot_local-includes/usr/share/applications/tails-documentation.desktop.in.h:1 +msgid "Tails documentation" +msgstr "Tails документација" + +#: ../config/chroot_local-includes/usr/share/applications/tails-documentation.desktop.in.h:2 +msgid "Learn how to use Tails" +msgstr "Научите како се користи Tails " + +#: ../config/chroot_local-includes/usr/share/applications/i2p-browser.desktop.in.h:1 +msgid "Anonymous overlay network browser" +msgstr "Анонимно прекривање мрежног браузера" + +#: ../config/chroot_local-includes/usr/share/applications/i2p-browser.desktop.in.h:2 +msgid "I2P Browser" +msgstr "I2P Браузер" + +#: ../config/chroot_local-includes/usr/share/applications/tails-about.desktop.in.h:2 +msgid "Learn more about Tails" +msgstr "Научите више о Tails-у." + +#: ../config/chroot_local-includes/usr/share/applications/tails-reboot.desktop.in.h:1 +msgid "Reboot" +msgstr "Рестартовати" + +#: ../config/chroot_local-includes/usr/share/applications/tails-reboot.desktop.in.h:2 +msgid "Immediately reboot computer" +msgstr "Одмах рестартовати" + +#: ../config/chroot_local-includes/usr/share/applications/tails-shutdown.desktop.in.h:1 +msgid "Power Off" +msgstr "Искључити" + +#: ../config/chroot_local-includes/usr/share/applications/tails-shutdown.desktop.in.h:2 +msgid "Immediately shut down computer" +msgstr "Одмах угасити компјутер" + +#: ../config/chroot_local-includes/usr/share/applications/tor-browser.desktop.in.h:1 +msgid "Tor Browser" +msgstr "Tor Pretraživač" + +#: ../config/chroot_local-includes/usr/share/applications/tor-browser.desktop.in.h:2 +msgid "Anonymous Web Browser" +msgstr "Анонимни Веб Браузер" + +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:2 +msgid "Browse the World Wide Web without anonymity" +msgstr "Браузујте World Wide Web без анонимности" + +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:3 +msgid "Unsafe Web Browser" +msgstr "Небезбедан Веб Браузер" + +#: ../config/chroot_local-includes/usr/share/desktop-directories/Tails.directory.in.h:2 +msgid "Tails specific tools" +msgstr "Специфичне алатке Tails-а." diff --git a/po/sv.po b/po/sv.po index 0a8384d04070f55393871bcde2070acee515d5fa..940f9dfe55fc2feb6a63a9d725cd530237145f86 100644 --- a/po/sv.po +++ b/po/sv.po @@ -3,18 +3,22 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Emil Johansson <emil.a.johansson@gmail.com>, 2015 +# Filip Nyquist <fillerix@fillerix.se>, 2015 # GabSeb, 2014 # falk3n <johan.falkenstrom@gmail.com>, 2014 # Michael Cavén, 2014 +# ph AA, 2015 +# phst <transifex@sturman.se>, 2015 # leveebreaks, 2014 # WinterFairy <winterfairy@riseup.net>, 2013-2014 msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" -"PO-Revision-Date: 2014-12-04 08:50+0000\n" -"Last-Translator: runasand <runa.sandvik@gmail.com>\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" +"PO-Revision-Date: 2015-03-05 18:02+0000\n" +"Last-Translator: Filip Nyquist <fillerix@fillerix.se>\n" "Language-Team: Swedish (http://www.transifex.com/projects/p/torproject/" "language/sv/)\n" "Language: sv\n" @@ -23,11 +27,11 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Tor är redo" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "Du kan nu nå Internet." @@ -39,28 +43,57 @@ msgid "" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" -"<h1>Hjälp oss fixa dina buggar!</h1>\n" -"<p>Läs <a href=\"%s\">våra instruktioner för bugg-anmälan</a>.</p>\n" -"<p><strong>Inkludera inte mer personlig information än\n" -"nödvändigt!</strong></p>\n" -"<h2>Om att ge oss en e-post adress</h2>\n" -"<p>Om du inte har något emot att avslöja lite av din identitet\n" -"för Tails utvecklare kan du ge oss en e-post adress så\n" -"vi kan fråga efter mer detaljer kring buggen. Om du dessutom anger\n" -"en publik PGP-nyckel kan vi kryptera sådan vidare\n" -"kommunikation.</p>\n" -"<p>Alla som kan se detta svar kan förmodligen dra slutsatsen att du\n" -"är en Tails användare. Dags att fundera på hur mycket du litar på din\n" -"Internet och din e-post leverantör?</p>\n" +"<h1>Hjälp oss att fixa din bugg!</h1>\n" +"<p>Läs <a href=\"%s\">våra instruktioner för att rapportera buggar</a>.</p>\n" +"<p><strong>Inkludera inte mer personlig information än nödvändigt!</strong></" +"p>\n" +"<h2>Om att ge oss din e-postadress</h2>\n" +"<p>\n" +"Att ge oss din e-postadress gör det möjligt för oss att komma i kontakt med " +"dig för att reda ut problemet. Det här är nödvändigt för den stora " +"majoriteten av rapporterna vi tar emot eftersom att de flesta rapporter utan " +"kontaktinformation är oanvändbara. Å andra sidan ger det också en möjlighet " +"för obehöriga, som din e-post- eller Internetleverantör, att bekräfta att du " +"använder Tails.\n" +"</p>\n" + +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "\"Uthållighet\" är innaktiverat för bitcoin klienten Electrum" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" +"När du startar om Tails, förloras all data tillhörande Electrum , inklusive " +"Bitcoin plånboken. Det rekommenderas starkt att bara köra Electrum när dess " +"uthållighet-funktion är aktiverad." + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "Vill du starta Electrum ändå?" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Starta" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Avsluta" #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" @@ -90,63 +123,67 @@ msgstr "_Dekryptera/verifiera urklipp" msgid "_Manage Keys" msgstr "_Hantera nycklar" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "Urklippet innehåller ingen giltig data." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "Okänd tillit" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "Marginell tillit" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "Full tillit" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "Ultimat tillit" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "Namn" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "Nyckel-ID" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "Status" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "Fingeravtryck:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "Användar ID:" msgstr[1] "Användar IDn:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "Ingen (signera inte)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "Välj mottagare:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "Dölj mottagare" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -154,35 +191,35 @@ msgstr "" "Dölj användar IDn för alla mottagare av krypterade meddelanden. Annars kan " "vem som helst som ser meddelandet också se vilka mottagarna är." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "Signera meddelandet som:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "Välj nycklar" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "Litar du på dessa nycklar?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "Följande vald nyckel är inte helt betrodd:" msgstr[1] "Följande valda nycklar är inte helt betrodda:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "Litar du på den här nyckeln tillräckligt för att använda den ändå?" msgstr[1] "Litar du på de här nycklarna tillräckligt för att använda dem ändå?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "Inga nycklar valda" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -190,34 +227,34 @@ msgstr "" "Du måste välja en privat nyckel för att signera meddelandet, eller några " "publika nycklar för att kryptera meddelandet, eller både och." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "Inga nycklar tillgängliga" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "Du behöver en privat nyckel för att signera meddelanden eller publik nyckel " "för att kryptera meddelanden." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "Fel från GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "Därför kan inte åtgärden utföras." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "Resultat från GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "Utmatning från GnuPG:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "Andra meddelanden givna av GnuPG:" @@ -309,7 +346,7 @@ msgstr "" "usr/share/doc/tails/website/doc/first_steps/startup_options/mac_spoofing.en." "html#blocked\\\">fejka MAC dokumentationen</a>." -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "Det finns kända säkerhetsproblem i den här Tails versionen:" @@ -353,12 +390,12 @@ msgstr "" "html'>dokumentationen</a>." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "fel:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "Fel" @@ -399,10 +436,10 @@ msgstr "" #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Läs mer...</a>" +"virtualization.en.html#security'>Lär dig mer...</a>" #: config/chroot_local-includes/usr/local/bin/tor-browser:18 msgid "Tor is not ready" @@ -420,11 +457,11 @@ msgstr "Starta Tor Browser" msgid "Cancel" msgstr "Avbryt" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "Vill du verkligen starta den osäkra webbläsaren?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -434,36 +471,19 @@ msgstr "" "Använd bara den osäkra webbläsaren om absolut nödvändigt, till exempel om du " "måste logga in eller registrera dig för att aktivera din Internet-anslutning." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "_Starta" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "_Avsluta" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "Startar den osäkra webbläsaren..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "Detta kan ta en liten stund, så ha tålamod." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "Misslyckades med att skapa chroot-miljön." - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "Osäker webbläsare" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "Stänger av den osäkra webbläsaren..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." @@ -471,11 +491,16 @@ msgstr "" "Detta kan ta en liten stund, och den osäkra webbläsaren kan inte startas på " "nytt förrän den är helt nedstängd." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "Misslyckades med att starta om Tor." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "Osäker webbläsare" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -483,7 +508,15 @@ msgstr "" "En annan osäker webbläsare är för närvarande igång, eller på väg att stängas " "av. Försök igen om en stund." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" +"NetworkManager skickade oss skräpdata när den försökte härleda clearnet DNS-" +"servern." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." @@ -491,11 +524,23 @@ msgstr "" "Ingen DNS server blev tilldelad genom DHCP eller manuell konfiguration i " "NetworkManager." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "Misslyckades med att skapa chroot-miljön." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +msgid "Failed to configure browser." +msgstr "Misslyckades med att konfigurera webbläsaren." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +msgid "Failed to run browser." +msgstr "Misslyckades att starta webbläsare." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "Misslyckades med att starta I2P" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." @@ -503,19 +548,19 @@ msgstr "" "Något blev fel då I2P startade. Kolla loggarna i /var/log/i2p för mer " "information." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" msgstr "I2P:s router konsol är klar" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "Du kan nu komma åt I2P:s router konsol på http://127.0.0.1:7657." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "I2P är inte klar" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " @@ -525,11 +570,11 @@ msgstr "" "http://127.0.0.1:7657/logs eller loggarna i /var/log/i2p för mer " "information. Återanslut till nätverket för att försöka igen." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "I2P är klar" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." msgstr "Du kan nu tillgång till tjänster på I2P." diff --git a/po/tails.pot b/po/tails.pot index b9d0cc0ba3f8a5de0ae72396e941158bcd614dc1..1f5d6d675e433e6fe272c47395c15f2674e058a5 100644 --- a/po/tails.pot +++ b/po/tails.pot @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -18,11 +18,11 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=INTEGER; plural=EXPRESSION;\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "" @@ -34,14 +34,40 @@ msgid "" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" msgstr "" #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 @@ -72,128 +98,132 @@ msgstr "" msgid "_Manage Keys" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "" msgstr[1] "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "" msgstr[1] "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "" msgstr[1] "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "" @@ -274,7 +304,7 @@ msgid "" "html#blocked\\\">MAC spoofing documentation</a>." msgstr "" -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "" @@ -308,12 +338,12 @@ msgid "" msgstr "" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "" @@ -343,7 +373,7 @@ msgstr "" #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" #: config/chroot_local-includes/usr/local/bin/tor-browser:18 @@ -362,102 +392,108 @@ msgstr "" msgid "Cancel" msgstr "" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " "register to activate your Internet connection." msgstr "" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." msgstr "" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." msgstr "" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." msgstr "" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 -msgid "I2P failed to start" +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +msgid "Failed to configure browser." +msgstr "" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +msgid "Failed to run browser." msgstr "" #: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +msgid "I2P failed to start" +msgstr "" + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." msgstr "" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" msgstr "" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " "Reconnect to the network to try again." msgstr "" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." msgstr "" diff --git a/po/tr.po b/po/tr.po index e7ec8456300297ba47af782d20a826413c3aa07e..d359dce80e9947ca61fbedf359f9b57e42418c7a 100644 --- a/po/tr.po +++ b/po/tr.po @@ -10,15 +10,15 @@ # metint, 2014 # Tails_developers <tails@boum.org>, 2014 # Ümit Türk <zucchinitr@gmail.com>, 2013 -# Volkan Gezer <volkangezer@gmail.com>, 2013-2014 +# Volkan Gezer <volkangezer@gmail.com>, 2013-2015 # Yasin Özel <iletisim@yasinozel.com.tr>, 2013 msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" -"PO-Revision-Date: 2014-12-04 08:50+0000\n" -"Last-Translator: runasand <runa.sandvik@gmail.com>\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" +"PO-Revision-Date: 2015-02-25 13:03+0000\n" +"Last-Translator: Volkan Gezer <volkangezer@gmail.com>\n" "Language-Team: Turkish (http://www.transifex.com/projects/p/torproject/" "language/tr/)\n" "Language: tr\n" @@ -27,11 +27,11 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Tor hazır" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "Artık İnternet'e erişebilirsiniz." @@ -43,26 +43,55 @@ msgid "" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" -"<h1>Hataları düzeltmemizde bize yardım edin!</h1>\n" -"<p><a href=\"%s\">Hata bildirme talimatlarını okuyun.</a></p>\n" -"<p><strong>Gerekenden daha fazla kişisel bilgi içermesin!</strong></p>\n" -"<h2>Bize e-posta adresi vermekle alakalı</h2>\n" -"<p>Eğer Tails geliştiricilerine karşı kimliğinizin biraz açığa çıkmasını " -"umursamıyorsanız, hata hakkında daha fazla detayı size sorabilmemiz için e-" -"posta adresinizi verebilirsiniz. Ayrıca bir public PGP anahtarı girmeniz " -"gelecekteki iletişimimizin şifrelenmiş olmasına izin verir.</p>\n" -"<p>Bu cevabı gören herkes sizin bir Tails kullanıcısı olduğunuzu muhtemelen " -"anlayacaktır. İnternetinize ve e-posta sağlayıcınıza ne kadar " -"güvenebileceğinizi merak etme zamanı!</p>\n" +"<h1>Hatanızı düzeltmemize yardım edin!</h1>\n" +"<p><a href=\"%s\">Hata bildirme talimatlarımızı</a> okuyun.</p>\n" +"<p><strong>Gerektiğinden fazla kişisel bilgi kullanmayın!</strong></p>\n" +"<h2>E-posta adresinizi verme hakkında</h2>\n" +"<p>\n" +"Bir e-posta adresi vermek sorununuzu netleştirmek üzere sizinle iletişim " +"kurmamıza izin verir. Bu, aldığımız büyük sayıda raporlar için gereklidir. " +"Aksi halde iletişim bilgisiz çoğu rapor faydalı olmayacaktır. Diğer yandan, " +"kulak misafiri olanlara (e-posta veya İnternet sağlayıcınız) Tails " +"kullandığınızı anlamasına fırsat vermiş olursunuz.\n" +"</p>\n" + +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "Electrum için kalıcılık devre dışı" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" +"Tails'i yeniden başlattığınızda, Bitcoin cüzdanınız da dahil tüm Electrum " +"verisi kaybedilecek. Electrum'un sadece kalıcılık özelliği etkin iken " +"çalıştırılması önerilir." + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "Yine de Electrum'u başlatmak istiyor musunuz?" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Başlat" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Çıkış" #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" @@ -92,63 +121,67 @@ msgstr "Panoyu Deşifre Et/Onayla" msgid "_Manage Keys" msgstr "Anahtarları Yönet" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "Pano geçerli girdi verisi içermiyor." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "Bilinmeyen İtimat" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "Marjinal İtimat" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "Tam İtimat" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "Aşırı İtimat" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "İsim" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "Anahtar No" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "Durum" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "Parmak izi:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "Kullanıcı No:" msgstr[1] "Kullanıcı No:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "Hiçbiri (İmzalama)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "Alıcıları seç:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "Alıcıları gizle" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -156,35 +189,35 @@ msgstr "" "Şifreli mesajın tüm alıcılarının kullanıcı kimliklerini gizle. Aksi halde " "şifreli mesajı görebilen herkes alıcıları görebilecek." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "Mesajı şu olarak imzala:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "Anahtarları seçin" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "Bu anahtarlara güveniyor musun ?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "Bu anahtar tamamen güvenilir değil:" msgstr[1] "Bu anahtarlar tamamen güvenilir değil:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "Bu anahtara kullanabilecek kadar güveniyor musunuz?" msgstr[1] "Bu anahtarı kullanabilecek kadar güveniyor musunuz?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "Anahtar seçilmedi" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -192,34 +225,34 @@ msgstr "" "Mesajı imzalamak için bir gizli anahtar seçmelisiniz veya mesajı şifrelemek " "için bir genel anahtar seçmelisiniz ya da her ikisini birden seçebilirsiniz." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "Anahtar bulunamadı." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "Mesajı imzalamak için özel bir anahtara veya mesajları şifrelemek için genel " "bir anahtara ihtiyacınız var." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "GnuPG hatası" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "Bu yüzden işlem gerçekleştirilemedi." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "GnuPG sonuçları" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "GnuPG çıktısı: " -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "GnuPG'den temin edilen diğer mesajlar: " @@ -311,7 +344,7 @@ msgstr "" "usr/share/doc/tails/website/doc/first_steps/startup_options/mac_spoofing.en." "html#blocked\\\">bakın</a>." -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "Tails'in bu sürümünün güvenlik problemleri var: " @@ -355,12 +388,12 @@ msgstr "" "startup_options/mac_spoofing.en.html'>bakın</a>." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "hata:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "Hata" @@ -401,10 +434,10 @@ msgstr "" #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Daha fazlasını öğren...</a>" +"virtualization.en.html#security'>Daha fazlasını öğren...</a>" #: config/chroot_local-includes/usr/local/bin/tor-browser:18 msgid "Tor is not ready" @@ -422,11 +455,11 @@ msgstr "Tor Browser'ı başlat" msgid "Cancel" msgstr "İptal" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "Güvenli olmayan tarayıcıyı kullanmak istediğinize emin misiniz?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -437,36 +470,19 @@ msgstr "" "İnternet bağlantısını etkinleştirmek için oturum açmanızı veya kayıt " "olmanızı gerektiren durumlarda kullanınız." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "_Başlat" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "_Çıkış" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "Güvenli Olmayan Tarayıcı başlatılıyor..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "Bu biraz zaman alabilir, lütfen sabır gösterin." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "chroot kurulamadı." - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "Güvenli Olmayan Tarayıcı" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "Güvenli Olmayan Tarayıcı kapatılıyor..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." @@ -474,11 +490,16 @@ msgstr "" "Bu biraz zaman alabilir ve Güvenli Olmayan Tarayıcıyı düzgün kapatılmadan " "yeniden açamazsınız. " -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "Tor yeniden başlatılamadı." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "Güvenli Olmayan Tarayıcı" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -486,7 +507,14 @@ msgstr "" "Başka bir Güvenli Olmayan Tarayıcı şu anda çalışıyor veya temizleniyor. " "Lütfen birazdan tekrar deneyin." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" +"Clearnet DNS sunucusunu anlamaya çalışırken AğYöneticisi boş veri gönderdi." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." @@ -494,11 +522,23 @@ msgstr "" "DHCP aracılığıyla bir DNS sunucusu elde edilemedi veya Ağ Yöneticisi " "içerisinde yapılandırılmamış." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "chroot kurulamadı." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +msgid "Failed to configure browser." +msgstr "Tarayıcıyı yapılandırma başarısız." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +msgid "Failed to run browser." +msgstr "Tarayıcıyı çalıştırma başarısız." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "I2P başlatılamadı." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." @@ -506,21 +546,21 @@ msgstr "" "I2P başlatılırken bir şeyler yanlış gitti. Daha fazla bilgi için /var/log/" "i2p içerisindeki günlüklere bakın." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" msgstr "I2P yönlendirici konsolu hazır" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "" "Artık I2P yönlendirici konsoluna http://127.0.0.1:7657 adresinden " "erişebilirsiniz." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "I2P hazır değil" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " @@ -530,11 +570,11 @@ msgstr "" "http://127.0.0.1:7657/logs üzerindeki veya /var/log/i2p içerisindeki " "günlüklere bakın. Ağa yeniden bağlanıp, yeniden deneyin." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "I2P hazır" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." msgstr "Artık I2P üzerinde hizmetlere erişebilirsiniz." diff --git a/po/uk.po b/po/uk.po index 7b47fbfb963a3ed77a4fed4d9cbb60e660cd107c..96dc2aad8c8be55ab6d4f9640ac0c9f4fa382bf1 100644 --- a/po/uk.po +++ b/po/uk.po @@ -12,7 +12,7 @@ msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" "PO-Revision-Date: 2014-12-04 08:50+0000\n" "Last-Translator: runasand <runa.sandvik@gmail.com>\n" "Language-Team: Ukrainian (http://www.transifex.com/projects/p/torproject/" @@ -24,30 +24,31 @@ msgstr "" "Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" "%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Tor готовий" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "Тепер Ви можете отримати доступ до Інтернет." #: config/chroot_local-includes/etc/whisperback/config.py:64 -#, python-format +#, fuzzy, python-format msgid "" "<h1>Help us fix your bug!</h1>\n" "<p>Read <a href=\"%s\">our bug reporting instructions</a>.</p>\n" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" "<h1>Допоможіть нам виправити цю помилку!</h1>\n" "<p>Прочитайте <a href=\"%s\">наші інструкції відправки звіту про помилку</a>." @@ -65,6 +66,31 @@ msgstr "" "користувач Tails. Настала пора поцікавитися, на скільки ви довіряєте вашим\n" "постачальником послуг інтернет та електронної пошти?</p>\n" +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Запуск" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Вихід" + #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" msgstr "Апплет шифрування OpenPGP" @@ -93,64 +119,68 @@ msgstr "_Розшифрувати/Перевірити Буфер Обміну" msgid "_Manage Keys" msgstr "_Управління Ключами" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "Буфер обміну не містить дійсні вхідні дані." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "Невідоме Довір’я" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "Маргінальне Довір’я" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "Повне Довір’я" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "Остаточне Довір’я" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "Ім’я" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "Ідентифікатор Ключа" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "Статус" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "Дактилоскопія:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "Ідентифікатор Користувача:" msgstr[1] "Ідентифікатори Користувача:" msgstr[2] "Ідентифікатори Користувача:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "Нічого (не підписувати)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "Виберіть одержувачів:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "Приховати одержувачів" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -159,26 +189,26 @@ msgstr "" "протилежному випадку кожен, хто бачить зашифроване повідомлення, може бачити " "одержувачів цього повідомлення." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "Підписати повідомлення як:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "Виберіть ключі" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "Чи маєте довір’ю в цих ключах?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "Слідуючий обраний ключ не довіреним в повністю" msgstr[1] "Слідуючі обрані ключі не довіреними в повністю" msgstr[2] "Слідуючі обрані ключі не довіреними в повністю" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "" @@ -189,11 +219,11 @@ msgstr[1] "" msgstr[2] "" "Чи довіряєте цим ключам досить, аби їх використовувати в будь-якому випадку?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "Жодних ключів не вибрано" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -201,34 +231,34 @@ msgstr "" "Вам потрібно вибрати закритий ключ, щоб підписати повідомлення, або кілька " "відкритих ключів щоб зашифрувати його, або і те і інше." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "Жодних ключів доступно" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" "Вам потрібен закритий ключ для підпису повідомлень або відкритий ключ для " "шифрування повідомлень." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "Помилка GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "Таким чином, операція не може бути виконана." -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "Підсумки GnuPG" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "Вихід GnuPG:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "Інші повідомлення, що надаються GnuPG:" @@ -320,7 +350,7 @@ msgstr "" "share/doc/tails/website/doc/first_steps/startup_options/mac_spoofing.en." "html#blocked\\\">документацію про підміну MAC-адрес</a>." -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "Ця версія Tails має відомі проблеми безпеки:" @@ -363,12 +393,12 @@ msgstr "" "startup_options/mac_spoofing.en.html'>документацію</a>." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "помилка:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "Помилка" @@ -408,9 +438,10 @@ msgstr "" "контролювати те, що Ви робите в Tails." #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 +#, fuzzy msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" "virtualization.en.html'>Дізнатися більше...</a>" @@ -431,11 +462,11 @@ msgstr "Запустити Tor Browser" msgid "Cancel" msgstr "Відмова" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "Ви дійсно хочете запустити небезпечний браузер?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -445,36 +476,19 @@ msgstr "" "Небезпечний браузер тільки у разі необхідності, наприклад, якщо Вам потрібно " "увійти і зареєструватися для активації Вашого мережного з'єднання." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "_Запуск" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "_Вихід" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "Запуск ненадійного браузера..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "Це може зайняти деякий час, будь-ласка зачекайте." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "Не вдалося встановити chroot." - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "Ненадійний браузер" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "Вимкнення небезпечного браузера..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." @@ -482,11 +496,16 @@ msgstr "" "Це може зайняти деякий час, і Ви не можете перезавантажувати Небезпечний " "Браузер, поки він правильно не вимкнеться." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "Не вдалося перезапустити Tor." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "Ненадійний браузер" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." @@ -494,7 +513,13 @@ msgstr "" "Інший Небезпечна Браузер у даний час працює або очищається. Повторіть спробу " "через деякий час." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." @@ -502,11 +527,25 @@ msgstr "" "Жоден DNS-сервер не був отриманий через DHCP або не був налаштований вручну " "у NetworkManager." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "Не вдалося встановити chroot." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +#, fuzzy +msgid "Failed to configure browser." +msgstr "Не вдалося перезапустити Tor." + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +#, fuzzy +msgid "Failed to run browser." +msgstr "Не вдалося перезапустити Tor." + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "Помилка підключення до I2P" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." @@ -514,21 +553,21 @@ msgstr "" "Щось пішло не так під час запуску I2P. Перевірте журнали у /var/log/i2p для " "отримання додаткової інформації." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" msgstr "I2P консоль маршрутизатора готова" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "" "Тепер ви можете отримати доступ до консолі маршрутизатора I2P по адресу " "http://127.0.0.1:7657." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "I2P не готовий" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " @@ -539,11 +578,11 @@ msgstr "" "i2p для отримання додаткової інформації. Відключіться і підключіться до " "мережі, щоб спробувати знову." -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "I2P готовий" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." msgstr "Тепер ви можете отримати доступ до сервісів I2P." diff --git a/po/zh.po b/po/zh.po index 54164d032596a8a4a8f38a955bd30eda9725365e..4d36dc5840162a8d3bf840af9ce73b957a574eeb 100644 --- a/po/zh.po +++ b/po/zh.po @@ -57,7 +57,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -75,11 +75,11 @@ msgstr "" "#-#-#-#-# tails-additional-software.po (PACKAGE VERSION) #-#-#-#-#\n" "#-#-#-#-# unsafe-browser.po (PACKAGE VERSION) #-#-#-#-#\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "" @@ -91,14 +91,40 @@ msgid "" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" msgstr "" #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 @@ -129,128 +155,132 @@ msgstr "" msgid "_Manage Keys" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "" msgstr[1] "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "" msgstr[1] "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "" msgstr[1] "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "" @@ -331,7 +361,7 @@ msgid "" "html#blocked\\\">MAC spoofing documentation</a>." msgstr "" -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "" @@ -365,12 +395,12 @@ msgid "" msgstr "" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "" @@ -400,7 +430,7 @@ msgstr "" #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" #: config/chroot_local-includes/usr/local/bin/tor-browser:18 @@ -419,102 +449,108 @@ msgstr "" msgid "Cancel" msgstr "" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " "register to activate your Internet connection." msgstr "" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." msgstr "" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." msgstr "" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." msgstr "" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 -msgid "I2P failed to start" +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +msgid "Failed to configure browser." +msgstr "" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +msgid "Failed to run browser." msgstr "" #: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +msgid "I2P failed to start" +msgstr "" + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." msgstr "" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" msgstr "" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " "Reconnect to the network to try again." msgstr "" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." msgstr "" diff --git a/po/zh_CN.po b/po/zh_CN.po index 016cefce32a33891b9a69c4b16fa404bce94b88c..a9ac872209981d2c3936e1d4819d737383b110c3 100644 --- a/po/zh_CN.po +++ b/po/zh_CN.po @@ -10,14 +10,14 @@ # Sanya chang <408070986@qq.com>, 2013 # Wu Ming Shi, 2014 # Xiaolan <xiaolan65535@gmail.com>, 2014 -# YF <yfdyh000@gmail.com>, 2013-2014 +# YF <yfdyh000@gmail.com>, 2013-2015 msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" -"PO-Revision-Date: 2014-12-04 08:50+0000\n" -"Last-Translator: runasand <runa.sandvik@gmail.com>\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" +"PO-Revision-Date: 2015-02-25 13:03+0000\n" +"Last-Translator: YF <yfdyh000@gmail.com>\n" "Language-Team: Chinese (China) (http://www.transifex.com/projects/p/" "torproject/language/zh_CN/)\n" "Language: zh_CN\n" @@ -26,11 +26,11 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Tor 已就绪" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "你现在可以访问因特网了。" @@ -42,32 +42,52 @@ msgid "" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" -"<h1>Help us fix your bug!</h1>帮助我们修复你的故障!\n" -"<p>Read <a href=\"%s\">our bug reporting instructions</a>.</p>阅读我们的故障" -"报告说明\n" -"<p><strong>Do not include more personal information than\n" -"needed!</strong></p>不要包括多余的不必要的个人信息!\n" -"<h2>About giving us an email address</h2>关于给我们留一个email地址\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>如果你不介意透露一点你的身份给Tails的开发者,你可以提供一个" -"email地址让我们可以问你更多的故障细节。另外键入一个公共的PGP 密匙可以让我们加" -"密那些进一步的通讯。\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>任何看到这个回复的人都可能会认为你是一个" -"Tails 使用者。是时候去想想到底你有多信任你的互联网和邮箱供应商?\n" +"<h1>帮助我们修复您的 bug!</h1>\n" +"<p>阅读<a href=\"%s\">我们的 bug 报告指南</a>。</p>\n" +"<p><strong>不要包含任何不必要的个人信息!</strong></p>\n" +"<h2>关于给我们一个电子邮件地址</h2>\n" +"<p>\n" +"给我们一个电子邮件地址能允许我们联系您以澄清问题。这对绝大多数报告都是需要" +"的,我们收到的许多报告都因为没有联系信息而无用。但在另一方面,它也提供了一个" +"窥探的机会,像是您的电子邮件或者互联网提供商,以此确认您正在使用 Tails。\n" +"</p>\n" + +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "Electrum 的持久化已禁用" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" +"在您重新启动 Tails 时,Electrum 的所有数据都将丢失,包括您的比特币钱包。强烈" +"建议您只在持久化功能已启用时运行 Electrum。" + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "您无论如何都要启动 Electrum 吗?" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "启动" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "退出" #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" @@ -97,62 +117,66 @@ msgstr "解密/验证剪贴板" msgid "_Manage Keys" msgstr "管理密钥" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "剪贴板输入数据无效。" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "未知信任" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "部分信任" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "完全" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "最高信任" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "名字" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "密钥 " -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "状态" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "密钥指纹:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "用户ID:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "无(不签署)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "选择接收者:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "隐藏接收者" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -160,64 +184,64 @@ msgstr "" "隐藏加密信息所有接收者的用户 ID,否则可看到加密信息的任何人都可查看谁是接收" "者。" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "签署信息为:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "选择密钥" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "是否信任这些密钥?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "以下选中密钥非完全信任:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "是否对这些密钥足够信任以继续使用?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "未选择密钥" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." msgstr "必须选择私钥签署信息,或者选择公钥加密信息,或者同时选择两者。" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "无可用密钥" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "需要使用私钥签署信息或使用公钥加密信息。" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "GnuPG 出错" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "因此无法执行操作。" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "GnuPG 结果" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "GnuPG 输出:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "GnuPG 提供的其他信息:" @@ -305,7 +329,7 @@ msgstr "" "\\\"file:///usr/share/doc/tails/website/doc/first_steps/startup_options/" "mac_spoofing.en.html#blocked\\\">MAC 欺骗 文档</a>。" -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "该版本 Tails 的已知安全问题:" @@ -347,12 +371,12 @@ msgstr "" "first_steps/startup_options/mac_spoofing.en.html'>相关文档</a>。" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "错误:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "错误" @@ -391,10 +415,10 @@ msgstr "主机操作系统和虚拟软件都可监视 Tails 用户的行为。" #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>更多信息...</a>" +"virtualization.en.html#security'>了解更多...</a>" #: config/chroot_local-includes/usr/local/bin/tor-browser:18 msgid "Tor is not ready" @@ -412,11 +436,11 @@ msgstr "启动 Tor Browser" msgid "Cancel" msgstr "取消" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "是否确定启动非安全浏览器?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -425,80 +449,87 @@ msgstr "" "非浏览器中的网络活动是<b>非匿名的</b>。仅再需要时使用不安全浏览器,例如必须登" "录或注册以激活互联网连接。" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "启动" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "退出" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "正在启动非安全浏览器..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "可能需要一会儿,请稍等。" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "设置 chroot 失败。" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "非安全浏览器" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "正在关闭非安全浏览器..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." msgstr "可能需要一会儿。正常关闭之前无法重启非安全浏览器。" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "无法重启 Tor。" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "非安全浏览器" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." msgstr "另一种不安全的浏览器正在运行,或者正在被清理。请在稍后重试。" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "" +"在尝试推导出 clearnet DNS 服务器时,NetworkManager 传出了我们的无用数据。" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." msgstr "在网络管理器中没有通过 DHCP 获得或手动配置 DNS 服务器。" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "设置 chroot 失败。" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +msgid "Failed to configure browser." +msgstr "配置浏览器失败。" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +msgid "Failed to run browser." +msgstr "运行浏览器失败。" + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "I2P 无法启动。" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." msgstr "启动I2P时出现错误。请在 /var/log/i2p 查看日志以获取更多信息。" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" msgstr "I2P 路由控制台就绪。" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "你现在可以通过 http://127.0.0.1:7657 访问 I2P 路由控制台。" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "I2P 未就绪。" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " @@ -507,11 +538,11 @@ msgstr "" "eepSite 隧道未在6分钟内创建成功。请在 http://127.0.0.1:7657/logs 检查路由控制" "台 或 /var/log/i2p 中查看日志以了解更多。然后再次尝试连接。" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "I2P 已就绪。" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." msgstr "你现在可以访问 I2P 服务了。" diff --git a/po/zh_TW.po b/po/zh_TW.po index 5eb185e7e5c0bda79c351c1a6131e9c353309172..94bce603cc43e63970e96e017bfe0270cb61b752 100644 --- a/po/zh_TW.po +++ b/po/zh_TW.po @@ -6,14 +6,15 @@ # cges30901 <cges30901@gmail.com>, 2014 # danfong <danfong.hsieh@gmail.com>, 2014 # Po-Chun Huang <aphroteus@gmail.com>, 2014 +# x4r <xatierlike@gmail.com>, 2015 # LNDDYL, 2014 msgid "" msgstr "" "Project-Id-Version: The Tor Project\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-01-14 16:01+0100\n" -"PO-Revision-Date: 2014-12-04 08:50+0000\n" -"Last-Translator: runasand <runa.sandvik@gmail.com>\n" +"POT-Creation-Date: 2015-05-02 23:47+0200\n" +"PO-Revision-Date: 2015-03-23 08:11+0000\n" +"Last-Translator: x4r <xatierlike@gmail.com>\n" "Language-Team: Chinese (Taiwan) (http://www.transifex.com/projects/p/" "torproject/language/zh_TW/)\n" "Language: zh_TW\n" @@ -22,11 +23,11 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:42 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:43 msgid "Tor is ready" msgstr "Tor 就緒" -#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh:43 +#: config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh:44 msgid "You can now access the Internet." msgstr "您現在可以存取網路。" @@ -38,27 +39,52 @@ msgid "" "<p><strong>Do not include more personal information than\n" "needed!</strong></p>\n" "<h2>About giving us an email address</h2>\n" -"<p>If you don't mind disclosing some bits of your identity\n" -"to Tails developers, you can provide an email address to\n" -"let us ask more details about the bug. Additionally entering\n" -"a public PGP key enables us to encrypt such future\n" -"communication.</p>\n" -"<p>Anyone who can see this reply will probably infer you are\n" -"a Tails user. Time to wonder how much you trust your\n" -"Internet and mailbox providers?</p>\n" +"<p>\n" +"Giving us an email address allows us to contact you to clarify the problem. " +"This\n" +"is needed for the vast majority of the reports we receive as most reports\n" +"without any contact information are useless. On the other hand it also " +"provides\n" +"an opportunity for eavesdroppers, like your email or Internet provider, to\n" +"confirm that you are using Tails.\n" +"</p>\n" msgstr "" -"<h1>協助我們修復您的錯誤!</h1>\n" -"<p>閱讀 <a href=\"%s\">我們的錯誤報告說明</a>。</p>\n" -"<p><strong>不要包含比所需還多的個人\n" -"資訊!</strong></p>\n" -"<h2>給我們相關的電子郵件位址</h2>\n" -"<p>如果您不介意透露自己的身份\n" -"給 Tails 開發人員,您可以提供電\n" -"子郵件位址,讓我們詢問更多錯誤\n" -"相關細節。另外輸入公開 PGP 金鑰\n" -"讓我們能對未來通訊加密。</p>\n" -"<p>任何人誰可以看到此回覆可能會\n" -"推斷您是 Tails 的使用者。</p>\n" +"<h1>幫助我們修復您的 bug!</h1>\n" +"<p>閱讀<a href=\"%s\">我們的 Bug 回報資訊</a>.</p>\n" +"<p><strong>請不要含有任何不必要的個人資訊!</strong></p>\n" +"<h2>關於給我們您的 email 地址</h2>\n" +"<p>\n" +"給我們一個 email 地址能讓我們聯絡您來釐清問題。這是必須的也是我們收到大多數錯" +"誤報告的方式。然而,這也是讓監聽者像是您的 email 或網路供應商機會以確認您正在" +"使用 Tails。\n" +"</p>\n" + +#: config/chroot_local-includes/usr/local/bin/electrum:14 +msgid "Persistence is disabled for Electrum" +msgstr "永久停用 Electrum" + +#: config/chroot_local-includes/usr/local/bin/electrum:16 +msgid "" +"When you reboot Tails, all of Electrum's data will be lost, including your " +"Bitcoin wallet. It is strongly recommended to only run Electrum when its " +"persistence feature is activated." +msgstr "" +"當您重開 Tails 時,所有 Electrum 資料會消失,包括您的比特幣錢包。強烈建議只在" +"當永久功能啟用時才使用 Electrum。" + +#: config/chroot_local-includes/usr/local/bin/electrum:18 +msgid "Do you want to start Electrum anyway?" +msgstr "您想要啟用 Electrum 嗎?" + +#: config/chroot_local-includes/usr/local/bin/electrum:20 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:36 +msgid "_Launch" +msgstr "_Launch" + +#: config/chroot_local-includes/usr/local/bin/electrum:21 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:37 +msgid "_Exit" +msgstr "_Exit" #: config/chroot_local-includes/usr/local/bin/gpgApplet:136 msgid "OpenPGP encryption applet" @@ -88,62 +114,66 @@ msgstr "_Decrypt/驗證剪貼簿" msgid "_Manage Keys" msgstr "_Manage 金鑰" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:244 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:208 +msgid "_Open Text Editor" +msgstr "" + +#: config/chroot_local-includes/usr/local/bin/gpgApplet:252 msgid "The clipboard does not contain valid input data." msgstr "剪貼簿不包含有效的輸入資料。" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:295 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:297 -#: config/chroot_local-includes/usr/local/bin/gpgApplet:299 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:307 msgid "Unknown Trust" msgstr "不明的信任" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:301 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:309 msgid "Marginal Trust" msgstr "臨界信任" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:303 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:311 msgid "Full Trust" msgstr "完全信任" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:305 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:313 msgid "Ultimate Trust" msgstr "終極信任" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:358 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:366 msgid "Name" msgstr "名稱" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:359 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:367 msgid "Key ID" msgstr "金鑰 ID" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:360 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:368 msgid "Status" msgstr "狀態" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:392 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:400 msgid "Fingerprint:" msgstr "指紋:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:395 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:403 msgid "User ID:" msgid_plural "User IDs:" msgstr[0] "使用者識別碼:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:425 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:433 msgid "None (Don't sign)" msgstr "無(不簽署)" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:488 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 msgid "Select recipients:" msgstr "選擇收件者:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:496 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:504 msgid "Hide recipients" msgstr "隱藏收件者" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:499 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:507 msgid "" "Hide the user IDs of all recipients of an encrypted message. Otherwise " "anyone that sees the encrypted message can see who the recipients are." @@ -151,33 +181,33 @@ msgstr "" "隱藏加密郵件的所有收件者的使用者識別碼。否則任何人看到加密的郵件可以看出誰是" "收件者。" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:505 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:513 msgid "Sign message as:" msgstr "郵件簽名為:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:509 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:517 msgid "Choose keys" msgstr "選擇金鑰" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:549 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:557 msgid "Do you trust these keys?" msgstr "您信任這些金鑰嗎?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:552 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:560 msgid "The following selected key is not fully trusted:" msgid_plural "The following selected keys are not fully trusted:" msgstr[0] "下列所選的金鑰不是完全受信任:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:570 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:578 msgid "Do you trust this key enough to use it anyway?" msgid_plural "Do you trust these keys enough to use them anyway?" msgstr[0] "您可以信任這些金鑰到足以使用它們嗎?" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:583 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:591 msgid "No keys selected" msgstr "沒有選擇金鑰" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:585 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:593 msgid "" "You must select a private key to sign the message, or some public keys to " "encrypt the message, or both." @@ -185,32 +215,32 @@ msgstr "" "您必須選擇私密金鑰來對郵件進行簽名,或者一些公開金鑰來加密郵件,或兩者兼而有" "之。" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:613 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:621 msgid "No keys available" msgstr "無金鑰可用" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:615 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:623 msgid "" "You need a private key to sign messages or a public key to encrypt messages." msgstr "您需要私密金鑰來對郵件進行簽名,或者公開金鑰來加密郵件。" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:743 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:751 msgid "GnuPG error" msgstr "GnuPG 錯誤" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:764 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:772 msgid "Therefore the operation cannot be performed." msgstr "因此不能執行操作。" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:814 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:822 msgid "GnuPG results" msgstr "GnuPG 結果" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:820 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:828 msgid "Output of GnuPG:" msgstr "GnuPG 的輸出:" -#: config/chroot_local-includes/usr/local/bin/gpgApplet:845 +#: config/chroot_local-includes/usr/local/bin/gpgApplet:853 msgid "Other messages provided by GnuPG:" msgstr "由 GnuPG 提供的其他郵件:" @@ -298,7 +328,7 @@ msgstr "" "href=\\\"file:///usr/share/doc/tails/website/doc/first_steps/startup_options/" "mac_spoofing.en.html#blocked\\\">MAC 詐騙文件</a>。" -#: config/chroot_local-includes/usr/local/bin/tails-security-check:145 +#: config/chroot_local-includes/usr/local/bin/tails-security-check:151 msgid "This version of Tails has known security issues:" msgstr "此 Tails 版本有已知的安全性問題:" @@ -340,12 +370,12 @@ msgstr "" "doc/first_steps/startup_options/mac_spoofing.en.html'>文件</a>." #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:19 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:61 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:22 msgid "error:" msgstr "錯誤:" #: config/chroot_local-includes/usr/local/bin/tails-upgrade-frontend-wrapper:20 -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:62 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:23 msgid "Error" msgstr "錯誤" @@ -384,10 +414,10 @@ msgstr "主機作業系統和虛擬化軟體都能夠監控您在 Tails 中做 #: config/chroot_local-includes/usr/local/bin/tails-virt-notify-user:57 msgid "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>Learn more...</a>" +"virtualization.en.html#security'>Learn more...</a>" msgstr "" "<a href='file:///usr/share/doc/tails/website/doc/advanced_topics/" -"virtualization.en.html'>了解更多...</a>" +"virtualization.en.html#security'>了解更多... </a>" #: config/chroot_local-includes/usr/local/bin/tor-browser:18 msgid "Tor is not ready" @@ -405,11 +435,11 @@ msgstr "啟動 Tor 瀏覽器" msgid "Cancel" msgstr "取消" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:72 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:33 msgid "Do you really want to launch the Unsafe Browser?" msgstr "您真的要啟動不安全的瀏覽器嗎?" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:74 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:35 msgid "" "Network activity within the Unsafe Browser is <b>not anonymous</b>. Only use " "the Unsafe Browser if necessary, for example if you have to login or " @@ -418,81 +448,87 @@ msgstr "" "在不安全的瀏覽器中的網路活動<b>無法匿名</b>。如有必要,請僅使用不安全的瀏覽" "器,例如,如果您必須登入或註冊來啟動您的網際網路連線。" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:75 -msgid "_Launch" -msgstr "_Launch" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:76 -msgid "_Exit" -msgstr "_Exit" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:86 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:47 msgid "Starting the Unsafe Browser..." msgstr "正在啟動不安全的瀏覽器..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:87 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:48 msgid "This may take a while, so please be patient." msgstr "這可能需要一段時間,所以請耐心等候。" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:121 -msgid "Failed to setup chroot." -msgstr "無法設定 chroot。" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:195 -#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 -msgid "Unsafe Browser" -msgstr "不安全的瀏覽器" - -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:251 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:53 msgid "Shutting down the Unsafe Browser..." msgstr "正在關閉不安全的瀏覽器..." -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:252 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:54 msgid "" "This may take a while, and you may not restart the Unsafe Browser until it " "is properly shut down." msgstr "" "這可能需要一段時間,您可能無法將不安全的瀏覽器重新啟動,直到它正確地關閉。" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:264 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:66 msgid "Failed to restart Tor." msgstr "無法重新啟動 Tor。" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:272 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:85 +#: ../config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in.h:1 +msgid "Unsafe Browser" +msgstr "不安全的瀏覽器" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:93 msgid "" "Another Unsafe Browser is currently running, or being cleaned up. Please " "retry in a while." msgstr "目前正在執行另一個不安全的瀏覽器,或被清理。請在一段時間後重試。" -#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:285 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:105 +msgid "" +"NetworkManager passed us garbage data when trying to deduce the clearnet DNS " +"server." +msgstr "NetworkManager 通過我們的垃圾資料當試著減少 cleranet DNS server 時" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:115 msgid "" "No DNS server was obtained through DHCP or manually configured in " "NetworkManager." msgstr "沒有 DNS 伺服器是透過 DHCP 獲得,或在 NetworkManager 中手動設定。" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:30 +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:123 +msgid "Failed to setup chroot." +msgstr "無法設定 chroot。" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:129 +msgid "Failed to configure browser." +msgstr "無法設定瀏覽器" + +#: config/chroot_local-includes/usr/local/sbin/unsafe-browser:134 +msgid "Failed to run browser." +msgstr "無法開啟瀏覽器" + +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 msgid "I2P failed to start" msgstr "I2P 無法啟動" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:31 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:32 msgid "" "Something went wrong when I2P was starting. Check the logs in /var/log/i2p " "for more information." msgstr "I2P 啟動時發生錯誤。更多資訊請查看位於 /var/log/i2p 的紀錄檔。" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:42 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 msgid "I2P's router console is ready" msgstr "I2P 的路由控制台已就緒" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:43 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:44 msgid "You can now access I2P's router console on http://127.0.0.1:7657." msgstr "你現在可以透過 http://127.0.0.1:7657 存取 I2P 路由主控台。" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:48 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 msgid "I2P is not ready" msgstr "I2P 尚未就緒" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:49 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:50 msgid "" "Eepsite tunnel not built within six minutes. Check the router console at " "http://127.0.0.1:7657/logs or the logs in /var/log/i2p for more information. " @@ -501,11 +537,11 @@ msgstr "" "Eepsite 隧道在六分鐘內沒有建立。請查看 http://127.0.0.1:7657/logs 路由控制台" "或者位於 /var/log/i2p 的紀錄檔獲得更多資訊。請嘗試重新連線。" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:59 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 msgid "I2P is ready" msgstr "I2P 已就緒" -#: config/chroot_local-includes/usr/local/sbin/tails-i2p:60 +#: config/chroot_local-includes/usr/local/sbin/tails-i2p:61 msgid "You can now access services on I2P." msgstr "您現在可以存取I2P服務。" diff --git a/refresh-translations b/refresh-translations index f22eca1a97fab26ff6610b151f23999bfbfa456a..40ab45f57fb65ebc6ffbf89e89e38b61a82ccd0d 100755 --- a/refresh-translations +++ b/refresh-translations @@ -9,7 +9,8 @@ PERL_PROGS="/usr/local/bin/gpgApplet /usr/local/bin/tails-security-check \ /usr/local/sbin/tails-restricted-network-detector" PYTHON_PROGS="/etc/whisperback/config.py /usr/local/lib/shutdown-helper-applet \ /usr/local/bin/tails-about /usr/local/sbin/tails-additional-software" -SHELL_PROGS="/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh \ +SHELL_PROGS="/etc/NetworkManager/dispatcher.d/60-tor-ready.sh \ + /usr/local/bin/electrum \ /usr/local/bin/tails-upgrade-frontend-wrapper \ /usr/local/sbin/tails-spoof-mac \ /usr/local/sbin/tails-i2p \ diff --git a/run_test_suite b/run_test_suite index cf7abeb92c8b5445c1ec27cb3ec5da0a136da3af..922baf89ec9098a3a1653ee2c2148c001e2b25c8 100755 --- a/run_test_suite +++ b/run_test_suite @@ -1,10 +1,50 @@ -#!/bin/sh +#!/bin/bash set -e set -u +set -o pipefail NAME=$(basename ${0}) +GENERAL_DEPENDENCIES=" +cucumber +devscripts +dnsmasq-base +gawk +git +i18nspector +libav-tools +libcap2-bin +libsikuli-script-java +libvirt-clients +libvirt-daemon-system +libvirt-dev +libvirt0 +libxslt1-dev +ntp +openjdk-7-jre +ovmf +python-jabberbot +python-potr +qemu-kvm +qemu-system-x86 +radvd +ruby-guestfs +ruby-json +ruby-libvirt +ruby-net-irc +ruby-packetfu +ruby-rjb +ruby-rspec +ruby-test-unit +seabios +tcpdump +unclutter +virt-viewer +x11-apps +xvfb +" + usage() { echo "Usage: $NAME [OPTION]... [FEATURE]... Sets up an appropriate environment and tests FEATUREs (all by default). Note @@ -12,7 +52,7 @@ that this script must be run from the Tails source directory root. Options for '@product' features: --capture FILE Captures the test session into FILE using VP8 encoding. - Requires ffmpeg and libvpx1. + Requires libvpx1. --debug Display various debugging information while running the test suite. --pause-on-fail On failure, pause test suite until pressing Enter. This is @@ -23,20 +63,20 @@ Options for '@product' features: --retry-find Print a warning whenever Sikuli fails to find an image and allow *one* retry after pressing ENTER. This is useful for updating outdated images. - --temp-dir Directory where various temporary files are written + --tmpdir Directory where various temporary files are written during a test, e.g. VM snapshots and memory dumps, failure screenshots, pcap files and disk images - (default is /tmp/TailsToaster). + (default is TMPDIR in the environment, and if unset, + /tmp/TailsToaster). --view Shows the test session in a windows. Requires x11vnc and xtightvncviewer. --vnc-server-only Starts a VNC server for the test session. Requires x11vnc. - --iso IMAGE Test '@product' features using IMAGE. If none is given, - the ISO with most recent creation date (according to the - ISO's label) in the current directory will be used. + --iso IMAGE Test '@product' features using IMAGE. --old-iso IMAGE For some '@product' features (e.g. usb_install) we need an older version of Tails, which this options sets to - IMAGE. If none is given, the ISO with the least recent - creation date will be used. + IMAGE. + --log-to-file FILE Save the output to the specified file, in addition to + sending it to stdout and stderr. Note that '@source' features has no relevant options. " @@ -48,11 +88,25 @@ error() { exit 1 } -check_dependency() { - if ! which "${1}" >/dev/null && \ - ! dpkg -s "${1}" 2>/dev/null | grep -q "^Status:.*installed"; then - error "'${1}' is missing, please install it and run again. Aborting..." +package_installed() { + local ret + set +o pipefail + if dpkg -s "${1}" 2>/dev/null | grep -q "^Status:.*installed"; then + ret=0 + else + ret=1 fi + set -o pipefail + return ${ret} +} + +check_dependencies() { + while [ -n "${1:-}" ]; do + if ! which "${1}" >/dev/null && ! package_installed "${1}" ; then + error "'${1}' is missing, please install it and run again." + fi + shift + done } display_in_use() { @@ -70,8 +124,7 @@ next_free_display() { start_xvfb() { Xvfb $TARGET_DISPLAY -screen 0 1024x768x24+32 >/dev/null 2>&1 & XVFB_PID=$! - trap "kill -0 ${XVFB_PID} 2>/dev/null && kill -9 ${XVFB_PID}; \ - rm -f /tmp/.X${TARGET_DISPLAY#:}-lock" EXIT + trap "kill -0 ${XVFB_PID} 2>/dev/null && kill ${XVFB_PID}" EXIT # Wait for Xvfb to run on TARGET_DISPLAY until display_in_use $TARGET_DISPLAY; do sleep 1 @@ -82,7 +135,7 @@ start_xvfb() { } start_vnc_server() { - check_dependency x11vnc + check_dependencies x11vnc VNC_SERVER_PORT="$(x11vnc -listen localhost -display ${TARGET_DISPLAY} \ -bg -nopw 2>&1 | \ grep -m 1 "^PORT=[0-9]\+" | sed 's/^PORT=//')" @@ -90,30 +143,52 @@ start_vnc_server() { } start_vnc_viewer() { - check_dependency xtightvncviewer + check_dependencies xtightvncviewer xtightvncviewer -viewonly localhost:${VNC_SERVER_PORT} 1>/dev/null 2>&1 & } capture_session() { + check_dependencies libvpx1 echo "Capturing guest display into ${CAPTURE_FILE}" - ffmpeg -f x11grab -s 1024x768 -r 15 -i ${TARGET_DISPLAY}.0 -an \ + avconv -f x11grab -s 1024x768 -r 15 -i ${TARGET_DISPLAY}.0 -an \ -vcodec libvpx -y "${CAPTURE_FILE}" >/dev/null 2>&1 & } +remove_control_chars_from() { + local file="$1" + local tmpfile + + # Sanity checks + [ -n "$file" ] || return 11 + [ -r "$file" ] || return 13 + [ -w "$(dirname "$file")" ] || return 17 + + # Remove control chars with `perl` and backspaces with `col` + tmpfile=$(mktemp) + cat "$file" \ + | perl -pe 's/\e([^\[\]]|\[.*?[a-zA-Z]|\].*?\a)//g' \ + | col -b \ + > "$tmpfile" + mv "$tmpfile" "$file" +} + # main script +# Unset all environment variables used by this script to pass options +# to cucumber, except TMPDIR since we explicitly want to support +# setting it that way. CAPTURE_FILE= +LOG_FILE= VNC_VIEWER= VNC_SERVER= DEBUG= PAUSE_ON_FAIL= KEEP_SNAPSHOTS= SIKULI_RETRY_FINDFAILED= -TEMP_DIR= -ISO= -OLD_ISO= +TAILS_ISO= +OLD_TAILS_ISO= -LONGOPTS="view,vnc-server-only,capture:,help,temp-dir:,keep-snapshots,retry-find,iso:,old-iso:,debug,pause-on-fail" +LONGOPTS="view,vnc-server-only,capture:,help,tmpdir:,keep-snapshots,retry-find,iso:,old-iso:,debug,pause-on-fail,log-to-file:" OPTS=$(getopt -o "" --longoptions $LONGOPTS -n "${NAME}" -- "$@") eval set -- "$OPTS" while [ $# -gt 0 ]; do @@ -130,6 +205,10 @@ while [ $# -gt 0 ]; do shift CAPTURE_FILE="$1" ;; + --log-to-file) + shift + LOG_FILE="$1" + ;; --debug) export DEBUG="yes" ;; @@ -142,17 +221,17 @@ while [ $# -gt 0 ]; do --retry-find) export SIKULI_RETRY_FINDFAILED="yes" ;; - --temp-dir) + --tmpdir) shift - export TEMP_DIR="$(readlink -f $1)" + export TMPDIR="$(readlink -f $1)" ;; --iso) shift - export ISO="$(readlink -f $1)" + export TAILS_ISO="$(readlink -f $1)" ;; --old-iso) shift - export OLD_ISO="$(readlink -f $1)" + export OLD_TAILS_ISO="$(readlink -f $1)" ;; --help) usage @@ -166,10 +245,7 @@ while [ $# -gt 0 ]; do shift done -for dep in ffmpeg git libvirt-bin libvirt-dev libavcodec-extra-53 libvpx1 \ - virt-viewer libsikuli-script-java ovmf tcpdump xvfb; do - check_dependency "${dep}" -done +check_dependencies ${GENERAL_DEPENDENCIES} TARGET_DISPLAY=$(next_free_display) @@ -188,9 +264,21 @@ fi export JAVA_HOME="/usr/lib/jvm/java-7-openjdk-amd64" export SIKULI_HOME="/usr/share/java" export DISPLAY=${TARGET_DISPLAY} -check_dependency cucumber -if [ -z "${*}" ]; then - cucumber --format ExtraHooks::Pretty features + +if [ -z "$*" ]; then + FEATURES="features" +else + FEATURES="$@" +fi + +CUCUMBER_COMMAND="cucumber --format ExtraHooks::Pretty \ +features/step_definitions features/support ${FEATURES}" + +if [ -z "$LOG_FILE" ]; then + $CUCUMBER_COMMAND else - cucumber --format ExtraHooks::Pretty features/step_definitions features/support ${*} + script --quiet --flush --return --command "$CUCUMBER_COMMAND" "$LOG_FILE" | cat + RET="$?" + remove_control_chars_from "$LOG_FILE" + exit "$RET" fi diff --git a/vagrant/provision/assets/acng.conf b/vagrant/provision/assets/acng.conf index f627bd4832e2737af69b62d2377bf684d69a5480..5ed31463588a0b2bfb1375f139947af2d6aaf2a4 100644 --- a/vagrant/provision/assets/acng.conf +++ b/vagrant/provision/assets/acng.conf @@ -6,7 +6,7 @@ Remap-uburep: file:ubuntu_mirrors /ubuntu ; file:backends_ubuntu Remap-debvol: file:debvol_mirror*.gz /debian-volatile ; file:backends_debvol Remap-cygwin: file:cygwin_mirrors /cygwin # ; file:backends_cygwin # incomplete, please create this file ReportPage: acng-report.html -ExTreshold: 4 +ExTreshold: 50 VfilePattern = (^|.*?/)(Index|Packages(\.gz|\.bz2|\.lzma|\.xz)?|InRelease|Release|Release\.gpg|Sources(\.gz|\.bz2|\.lzma|\.xz)?|release|index\.db-.*\.gz|Contents-[^/]*(\.gz|\.bz2|\.lzma|\.xz)?|pkglist[^/]*\.bz2|rclist[^/]*\.bz2|/meta-release[^/]*|Translation[^/]*(\.gz|\.bz2|\.lzma|\.xz)?|MD5SUMS|SHA1SUMS|((setup|setup-legacy)(\.ini|\.bz2|\.hint)(\.sig)?)|mirrors\.lst|repo(index|md)\.xml(\.asc|\.key)?|directory\.yast|products|content(\.asc|\.key)?|media|filelists\.xml\.gz|filelists\.sqlite\.bz2|repomd\.xml|packages\.[a-zA-Z][a-zA-Z]\.gz|info\.txt|license\.tar\.gz|license\.zip|.*\.db(\.tar\.gz)?|.*\.files\.tar\.gz|.*\.abs\.tar\.gz|metalink\?repo|.*prestodelta\.xml\.gz)$|/dists/.*/installer-[^/]+/[^0-9][^/]+/images/.* PfilePattern = .*(\.d?deb|\.rpm|\.dsc|\.tar(\.gz|\.bz2|\.lzma|\.xz)(\.gpg)?|\.diff(\.gz|\.bz2|\.lzma|\.xz)|\.o|\.jigdo|\.template|changelog|copyright|\.udeb|\.debdelta|\.diff/.*\.gz|(Devel)?ReleaseAnnouncement(\?.*)?|[a-f0-9]+-(susedata|updateinfo|primary|deltainfo).xml.gz|fonts/(final/)?[a-z]+32.exe(\?download.*)?|/dists/.*/installer-[^/]+/[0-9][^/]+/images/.*)$ WfilePattern = (^|.*?/)(Release|InRelease|Release\.gpg|(Packages|Sources)(\.gz|\.bz2|\.lzma|\.xz)?|Translation[^/]*(\.gz|\.bz2|\.lzma|\.xz)?|MD5SUMS|SHA1SUMS|.*\.xml|.*\.db\.tar\.gz|.*\.files\.tar\.gz|.*\.abs\.tar\.gz|[a-z]+32.exe)$|/dists/.*/installer-.*/images/.* diff --git a/vagrant/provision/assets/build-tails b/vagrant/provision/assets/build-tails index ea98bfc71a5c1b9b5caad3f0d656e97f28b240bb..d84d4b9fc40371458bfc86363bdc5ea53aee4de0 100755 --- a/vagrant/provision/assets/build-tails +++ b/vagrant/provision/assets/build-tails @@ -20,15 +20,6 @@ usable_memory() { free -b | awk '/cache:/ { print $4 }' } -bootstrap_stage_is_ok() { - [ -d "$1" ] || return 1 - [ "$(sudo du -sm $1 | cut -f1)" -ge 100 ] || return 1 - for dir in bin dev etc lib proc root sbin sys usr var; do - [ -d "$1/$dir" ] || return 1 - done - return 0 -} - cleanup() { [ -n "$BUILD_DIR" ] || return 0 cd / @@ -95,7 +86,6 @@ install -m 0755 -d "$ARTIFACTS_DIR" if [ "$TAILS_CLEAN_BUILD" ]; then as_root_do lb clean --all - sudo rm -rf /var/cache/stages_bootstrap fi ./build-wiki @@ -109,17 +99,7 @@ else fi cd "$BUILD_DIR" -as_root_do lb config --cache-packages false - -if [ "$TAILS_BOOTSTRAP_CACHE" ] && \ - bootstrap_stage_is_ok /var/cache/stages_bootstrap; then - # restore bootstrap stage and make live-build use it - sudo mkdir -p "$BUILD_DIR"/cache/stages_bootstrap - sudo mount --bind /var/cache/stages_bootstrap \ - "$BUILD_DIR"/cache/stages_bootstrap - sudo touch "$BUILD_DIR"/.stage/bootstrap - sudo touch "$BUILD_DIR"/.stage/bootstrap_cache.save -fi +as_root_do lb config --cache false as_root_do lb build @@ -152,11 +132,3 @@ if [ -n "$JENKINS_URL" ]; then ln -sf "${ISO}${EXT}" "$ARTIFACTS_DIR/latest.iso${EXT}" done fi - -if [ "$TAILS_BOOTSTRAP_CACHE" ] && \ - ! sudo umount "$BUILD_DIR"/cache/stages_bootstrap 2>/dev/null; then - # the cached bootstrap stage wasn't used (maybe it hadn't been - # cached yet?) so we save the good one from the current build. - sudo rsync -a --delete "$BUILD_DIR"/cache/stages_bootstrap/ \ - /var/cache/stages_bootstrap -fi diff --git a/vagrant/provision/setup-tails-builder b/vagrant/provision/setup-tails-builder index 528925fcde344e756b3c51d613a3e68bd0131161..776612f30c679925a7af2b4428d182225557453b 100755 --- a/vagrant/provision/setup-tails-builder +++ b/vagrant/provision/setup-tails-builder @@ -31,6 +31,11 @@ sed -e 's/^[[:blank:]]*//' > /etc/apt/preferences.d/live-build <<EOF Pin: origin deb.tails.boum.org Pin-Priority: 500 EOF +sed -e 's/^[[:blank:]]*//' > /etc/apt/preferences.d/syslinux-utils <<EOF + Package: syslinux-utils + Pin: origin deb.tails.boum.org + Pin-Priority: 500 +EOF # We don't want to use apt-cacher-ng for gpg http_proxy="" gpg --keyserver hkps.pool.sks-keyservers.net --recv-key C7988EA7A358D82E @@ -71,6 +76,7 @@ apt-get -y dist-upgrade # Those are needed to build Tails apt-get -y install \ live-build \ + syslinux-utils \ eatmydata \ time whois \ dpkg-dev \ @@ -90,17 +96,25 @@ apt-get -y --no-install-recommends install \ # Add build script install -o root -g root -m 755 /vagrant/provision/assets/build-tails /usr/local/bin -update_live_build_conf() +disable_live_build_conf() { local var="$1" - local value="$2" - mkdir -p /etc/live - touch /etc/live/build.conf + [ -e /etc/live/build.conf ] || return 0 sed -e "/^[[:space:]]*$var=/d" -i /etc/live/build.conf - echo "$var='$value'" >> /etc/live/build.conf } -# Force APT repositories to a fixed mirror -update_live_build_conf LB_MIRROR_BINARY "http://ftp.us.debian.org/debian/" -update_live_build_conf LB_PARENT_MIRROR_BINARY "http://ftp.us.debian.org/debian/" +# Force live-build to use the mirrors configured in auto/config +for prefix in MIRROR PARENT_MIRROR ; do + for target in BOOTSTRAP BINARY CHROOT ; do + for archive in '' BACKPORTS SECURITY UPDATES VOLATILE ; do + if [ -z "$archive" ] ; then + archive_suffix='' + else + archive_suffix="_${archive}" + fi + var="LB_${prefix}_${target}${archive_suffix}" + disable_live_build_conf "$var" + done + done +done diff --git a/wiki/src/.htaccess b/wiki/src/.htaccess index b23c7496f2172c655069f6181ed89d1fad7fe4b8..556dbdadbaa687ed2629319d7d5bf1c47b4efd7a 100644 --- a/wiki/src/.htaccess +++ b/wiki/src/.htaccess @@ -44,6 +44,7 @@ RewriteRule ^blueprint/tails-greeter:_revamp_UI blueprint/greeter_revamp_UI [R] RewriteRule ^blueprint/test_suite:_getting_rid_of_the_jruby_mess blueprint/test_suite_getting_rid_of_the_jruby_mess [R] RewriteRule ^blueprint/Persistence:_add_iceweasel_client_certificates_preset blueprint/persistence_iceweasel_client_certificates_preset [R] RewriteRule ^news/Call_for_help:_improve_the_infrastructure_behind_Tails news/improve_the_infrastructure_behind_Tails [R] +RewriteRule ^promote/(.*) contribute/how/promote/material/$1 [R] # Legacy tickets URLs RewriteRule ^todo/custom_plymouth_theme https://labs.riseup.net/code/issues/5948 [R] diff --git a/wiki/src/about.de.po b/wiki/src/about.de.po index 9cf4367400f471adf9c66fca9ea18dccbf4984f0..c75afbcba491b41d371b8416d284a4faab6834b9 100644 --- a/wiki/src/about.de.po +++ b/wiki/src/about.de.po @@ -5,16 +5,16 @@ # msgid "" msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2015-01-02 18:59+0000\n" -"PO-Revision-Date: 2015-01-02 18:57-0000\n" -"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" -"Language-Team: LANGUAGE <LL@li.org>\n" -"Language: \n" +"Project-Id-Version: Tails i10n Team\n" +"POT-Creation-Date: 2015-03-13 16:25+0100\n" +"PO-Revision-Date: 2015-04-18 13:05+0100\n" +"Last-Translator: Tails translators <tails@boum.org>\n" +"Language-Team: Tails translators <tails-l10n@boum.org>\n" +"Language: de\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: Poedit 1.5.4\n" +"X-Generator: Poedit 1.6.10\n" #. type: Plain text #, no-wrap @@ -77,8 +77,8 @@ msgstr "" #. type: Plain text #, no-wrap -msgid "[[!toc levels=1]]\n" -msgstr "[[!toc levels=1]]\n" +msgid "[[!toc levels=2]]\n" +msgstr "[[!toc levels=2]]\n" #. type: Plain text #, no-wrap @@ -87,8 +87,17 @@ msgstr "<a id=\"tor\"></a>\n" #. type: Title = #, no-wrap -msgid "Online anonymity and censorship circumvention with Tor\n" -msgstr "Anonymität online und Zensurumgehung mit Tor\n" +msgid "Online anonymity and censorship circumvention\n" +msgstr "Onlineanonymität und Zensurumgehung\n" + +#. type: Plain text +#, no-wrap +msgid "" +"Tor\n" +"---\n" +msgstr "" +"Tor\n" +"---\n" #. type: Plain text msgid "" @@ -205,6 +214,39 @@ msgstr "" "Um mehr darüber zu erfahren, wie der Gebrauch von Tor erzwungen wird, lesen " "Sie unser [[Design-Dokument|contribute/design/Tor_enforcement]]." +#. type: Plain text +#, no-wrap +msgid "" +"I2P\n" +"---\n" +msgstr "" +"I2P\n" +"---\n" + +#. type: Plain text +msgid "" +"You can also use Tails to access [I2P](https://geti2p.net) which is an " +"anonymity network different from Tor." +msgstr "" +"Sie können Tails auch benutzen, um auf [I2P](https://geti2p.net), ein " +"Anonymisierungsnetzwerk mit Unterschieden zu Tor, zuzugreifen." + +#. type: Plain text +msgid "" +"[[Learn how to use I2P in Tails in the documentation.|doc/anonymous_internet/" +"i2p]]" +msgstr "" +"[[Erfahren Sie mehr über die Verwendung von I2P in Tails in der " +"Dokumentation.|doc/anonymous_internet/i2p]]" + +#. type: Plain text +msgid "" +"To know how I2P is implemented in Tails, see our [[design document|" +"contribute/design/I2P]]." +msgstr "" +"Um mehr darüber zu erfahren, wie I2P in Tails implementiert ist, lesen Sie " +"unser [[Design-Dokument|contribute/design/I2P]]." + #. type: Plain text #, no-wrap msgid "<a id=\"amnesia\"></a>\n" @@ -329,7 +371,7 @@ msgid "" "and clean your diskspace using [[Nautilus Wipe|http://wipetools.tuxfamily." "org/nautilus-wipe.html]]." msgstr "" -"[[Löschen sie Ihre Dateien auf sichere Art und Weise|doc/" +"[[Löschen Sie Ihre Dateien auf sichere Art und Weise|doc/" "encryption_and_privacy/secure_deletion]] und überschreiben Sie Ihre " "Festplatte mit [[Nautilus Wipe|http://wipetools.tuxfamily.org/nautilus-wipe." "html]]." @@ -345,7 +387,7 @@ msgstr "" #. type: Title = #, no-wrap msgid "What's next?\n" -msgstr "Was kommt als nächstes?\n" +msgstr "Was kommt als Nächstes?\n" #. type: Plain text msgid "To continue discovering Tails, you can now read:" @@ -399,178 +441,18 @@ msgid "Press and media\n" msgstr "Presse und Medien\n" #. type: Plain text -msgid "See the [[Press and media information|press]]." +msgid "See [[Press and media information|press]]." msgstr "Sehen Sie die [[Medien- und Presseinformationen|press]]." #. type: Title = #, no-wrap -msgid "Acknowledgements\n" -msgstr "Danksagungen\n" - -#. type: Bullet: ' - ' -msgid "" -"Tails could not exist without [[Debian|https://www.debian.org/]], [[Debian " -"Live|http://live.debian.net]], and [[Tor|https://www.torproject.org/]]; see " -"our [[contribute/relationship with upstream]] document for details." -msgstr "" -"Tails wäre ohne [[Debian|https://www.debian.org/]], [[Debian Live|http://" -"live.debian.net]], und [[Tor|https://www.torproject.org/]] nicht möglich; " -"siehe unsere [[Beziehungen zum Upstream|contribute/" -"relationship_with_upstream]] für Details." - -#. type: Bullet: ' - ' -msgid "" -"Tails was inspired by the [[Incognito LiveCD|http://web.archive.org/" -"web/20090220133020/http://anonymityanywhere.com/]]. The Incognito author " -"declared it to be dead on March 23rd, 2010, and wrote that Tails \"should be " -"considered as its spiritual successor\"." -msgstr "" -"Tails wurde durch die [[Incognito LiveCD|http://web.archive.org/" -"web/20090220133020/http://anonymityanywhere.com/]] inspiriert. Der Inkognito-" -"Autor erklärte diese am 23. März 2010 für tot und schrieb, dass Tails \"als " -"der geistige Nachfolger angesehen werden sollte\"." - -#. type: Bullet: ' - ' -msgid "" -"The [[Privatix Live-System|http://mandalka.name/privatix/]] an early source " -"of inspiration, too." -msgstr "" -"Das [[Privatix Live-System|http://mandalka.name/privatix/]] war ebenfalls " -"eine frühe Quelle der Inspiration." - -#. type: Bullet: ' - ' -msgid "" -"Some ideas (in particular [[tordate|contribute/design/Time_syncing]] and " -"improvements to our [[contribute/design/memory_erasure]] procedure) were " -"borrowed from [Liberté Linux](http://dee.su/liberte)." -msgstr "" -"Einige Ideen (insbesondere [[tordate|contribute/design/Time_syncing]] und " -"die Verbesserung unserer [[Prozedur zum Löschen des Hauptspeichers|" -"contribute/design/memory_erasure]]) wurden von [Liberté Linux](http://dee.su/" -"liberte) entliehen." - -#. type: Plain text -#, no-wrap -msgid "<a id=\"related-projects\"></a>\n" -msgstr "<a id=\"related-projects\"></a>\n" - -#. type: Title = -#, no-wrap -msgid "Similar projects\n" -msgstr "Ähnliche Projekte\n" +msgid "Acknowledgments and similar projects\n" +msgstr "Danksagungen und ähnliche Projekte\n" #. type: Plain text msgid "" -"Feel free to contact us if you think that your project is missing, or if " -"some project is listed in the wrong category." +"See [[Acknowledgments and similar projects|doc/about/" +"acknowledgments_and_similar_projects]]." msgstr "" -"Wenn Sie glauben, dass Ihr Projekt hier fehlt oder ein Projekt in der " -"falschen Kategorie aufgeführt ist, dann kontaktieren Sie uns bitte." - -#. type: Title ## -#, no-wrap -msgid "Active projects" -msgstr "Aktive Projekte" - -#. type: Bullet: '* ' -msgid "[Freepto](http://www.freepto.mx/)" -msgstr "[Freepto](http://www.freepto.mx/)" - -#. type: Bullet: '* ' -msgid "" -"[JonDo Live-CD](https://anonymous-proxy-servers.net/en/jondo-live-cd.html)" -msgstr "[JonDo Live-CD](https://www.anonym-surfen.de/jondo-live-cd.html)" - -#. type: Bullet: '* ' -msgid "[Lightweight Portable Security](http://www.spi.dod.mil/lipose.htm)" -msgstr "[Lightweight Portable Security](http://www.spi.dod.mil/lipose.htm)" - -#. type: Bullet: '* ' -msgid "[SubgraphOS](https://subgraph.com/sgos/)" -msgstr "[SubgraphOS](https://subgraph.com/sgos/)" - -#. type: Bullet: '* ' -msgid "[Whonix](https://www.whonix.org/)" -msgstr "[Whonix](https://www.whonix.org/)" - -#. type: Title ## -#, no-wrap -msgid "Discontinued, abandoned or sleeping projects" -msgstr "Eingestellte, aufgegebene und ruhende Projekte" - -#. type: Bullet: '* ' -msgid "[Anonym.OS](http://sourceforge.net/projects/anonym-os/)" -msgstr "[Anonym.OS](http://sourceforge.net/projects/anonym-os/)" - -#. type: Bullet: '* ' -msgid "[IprediaOS](http://www.ipredia.org/)" -msgstr "[IprediaOS](http://www.ipredia.org/)" - -#. type: Bullet: '* ' -msgid "[ISXUbuntu](http://www.isoc-ny.org/wiki/ISXubuntu)" -msgstr "[ISXUbuntu](http://www.isoc-ny.org/wiki/ISXubuntu)" - -#. type: Bullet: '* ' -msgid "[ELE](http://www.northernsecurity.net/download/ele/) (dead link)" -msgstr "[ELE](http://www.northernsecurity.net/download/ele/) (toter Link)" - -#. type: Bullet: '* ' -msgid "" -"[Estrella Roja](http://distrowatch.com/table.php?distribution=estrellaroja)" -msgstr "" -"[Estrella Roja](http://distrowatch.com/table.php?distribution=estrellaroja)" - -#. type: Bullet: '* ' -msgid "[The Haven Project](https://www.haven-project.org/) (dead link)" -msgstr "[The Haven Project](https://www.haven-project.org/) (toter Link)" - -#. type: Bullet: '* ' -msgid "" -"[The Incognito LiveCD](http://web.archive.org/web/20090220133020/http://" -"anonymityanywhere.com/)" -msgstr "" -"[The Incognito LiveCD](http://web.archive.org/web/20090220133020/http://" -"anonymityanywhere.com/)" - -#. type: Bullet: '* ' -msgid "[Liberté Linux](http://dee.su/liberte)" -msgstr "[Liberté Linux](http://dee.su/liberte)" - -#. type: Bullet: '* ' -msgid "[Odebian](http://www.odebian.org/)" -msgstr "[Odebian](http://www.odebian.org/)" - -#. type: Bullet: '* ' -msgid "[onionOS](http://jamon.name/files/onionOS/) (dead link)" -msgstr "[onionOS](http://jamon.name/files/onionOS/) (toter Link)" - -#. type: Bullet: '* ' -msgid "[ParanoidLinux](http://www.paranoidlinux.org/) (dead link)" -msgstr "[ParanoidLinux](http://www.paranoidlinux.org/) (toter Link)" - -#. type: Bullet: '* ' -msgid "[Phantomix](http://phantomix.ytternhagen.de/)" -msgstr "[Phantomix](http://phantomix.ytternhagen.de/)" - -#. type: Bullet: '* ' -msgid "[Polippix](http://polippix.org/)" -msgstr "[Polippix](http://polippix.org/)" - -#. type: Bullet: '* ' -msgid "[Privatix](http://www.mandalka.name/privatix/)" -msgstr "[Privatix](http://www.mandalka.name/privatix/)" - -#. type: Bullet: '* ' -msgid "[Ubuntu Privacy Remix](https://www.privacy-cd.org/)" -msgstr "[Ubuntu Privacy Remix](https://www.privacy-cd.org/)" - -#. type: Bullet: '* ' -msgid "[uVirtus](http://uvirtus.org/)" -msgstr "[uVirtus](http://uvirtus.org/)" - -#~ msgid "" -#~ "Portions of Tails are based on TrueCrypt, freely available at [[http://" -#~ "www.truecrypt.org/]]." -#~ msgstr "" -#~ "Teile von Tails basieren auf TrueCrypt, frei erhältlich unter [[http://" -#~ "www.truecrypt.org/]]." +"Sehen Sie die [[Danksagungen und ähnlichen Projekte|doc/about/" +"acknowledgments_and_similar_projects]]." diff --git a/wiki/src/about.fr.po b/wiki/src/about.fr.po index 67fccea5f22c3133d2904a6998b32056f9cbb629..c192666ca3b955967ec31047b4c4dfb30c8c3b12 100644 --- a/wiki/src/about.fr.po +++ b/wiki/src/about.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: tails-about-fr\n" -"POT-Creation-Date: 2015-01-02 14:19+0100\n" +"POT-Creation-Date: 2015-03-13 16:25+0100\n" "PO-Revision-Date: 2013-10-13 17:08-0000\n" "Last-Translator: \n" "Language-Team: \n" @@ -76,8 +76,9 @@ msgstr "" "de son, etc." #. type: Plain text -#, no-wrap -msgid "[[!toc levels=1]]\n" +#, fuzzy, no-wrap +#| msgid "[[!toc levels=1]]\n" +msgid "[[!toc levels=2]]\n" msgstr "[[!toc levels=1]]\n" #. type: Plain text @@ -86,10 +87,18 @@ msgid "<a id=\"tor\"></a>\n" msgstr "<a id=\"tor\"></a>\n" #. type: Title = -#, no-wrap -msgid "Online anonymity and censorship circumvention with Tor\n" +#, fuzzy, no-wrap +#| msgid "Online anonymity and censorship circumvention with Tor\n" +msgid "Online anonymity and censorship circumvention\n" msgstr "Anonymat en ligne et contournement de la censure avec Tor\n" +#. type: Plain text +#, no-wrap +msgid "" +"Tor\n" +"---\n" +msgstr "" + #. type: Plain text msgid "" "Tails relies on the Tor anonymity network to protect your privacy online:" @@ -204,6 +213,43 @@ msgstr "" "Pour en savoir plus sur comment l'utilisation de Tor est imposée, voir la\n" "[[documentation de conception|contribute/design/Tor_enforcement]]." +#. type: Plain text +#, no-wrap +msgid "" +"I2P\n" +"---\n" +msgstr "" + +#. type: Plain text +msgid "" +"You can also use Tails to access [I2P](https://geti2p.net) which is an " +"anonymity network different from Tor." +msgstr "" + +#. type: Plain text +#, fuzzy +#| msgid "" +#| "[[Read more about those tools in the documentation.|doc/" +#| "encryption_and_privacy]]" +msgid "" +"[[Learn how to use I2P in Tails in the documentation.|doc/anonymous_internet/" +"i2p]]" +msgstr "" +"[[En savoir plus sur ces outils en lisant la documentation.|doc/" +"encryption_and_privacy]]" + +#. type: Plain text +#, fuzzy +#| msgid "" +#| "To learn more about how the usage of Tor is enforced, see our [[design " +#| "document|contribute/design/Tor_enforcement]]." +msgid "" +"To know how I2P is implemented in Tails, see our [[design document|" +"contribute/design/I2P]]." +msgstr "" +"Pour en savoir plus sur comment l'utilisation de Tor est imposée, voir la\n" +"[[documentation de conception|contribute/design/Tor_enforcement]]." + #. type: Plain text #, no-wrap msgid "<a id=\"amnesia\"></a>\n" @@ -372,22 +418,20 @@ msgid "some hints on why [[should you trust Tails|doc/about/trust]]," msgstr "pourquoi [[faire confiance à Tails ?|doc/about/trust]]" #. type: Bullet: ' - ' -#, fuzzy -#| msgid "" -#| "our [[design document|contribute/design]] about Tails specification, " -#| "threat model and implementation." msgid "" "our [[design document|contribute/design]] about Tails specification, threat " "model and implementation," msgstr "" -"notre [[page conception|contribute/design]] de Tails, traite des " -"spécifications ainsi que des contenus." +"notre [[page de conception|contribute/design]] à propos de Tails traite des " +"spécifications, modèle de menace et implémentation." #. type: Bullet: ' - ' msgid "" "the [[calendar|contribute/calendar]] holds the release dates, meetings and " "other events." msgstr "" +"le [[calendrier|contribute/calendar]] contenant les dates des prochaines " +"versions, des réunions et autres événements." #. type: Title = #, no-wrap @@ -395,198 +439,18 @@ msgid "Press and media\n" msgstr "Presse et média\n" #. type: Plain text -msgid "See the [[Press and media information|press]]." -msgstr "Voir la [[rubrique Presse et média|press]]." +msgid "See [[Press and media information|press]]." +msgstr "Voir [[la rubrique presse et média|press]]." #. type: Title = #, no-wrap -msgid "Acknowledgements\n" -msgstr "Remerciements\n" - -#. type: Bullet: ' - ' -msgid "" -"Tails could not exist without [[Debian|https://www.debian.org/]], [[Debian " -"Live|http://live.debian.net]], and [[Tor|https://www.torproject.org/]]; see " -"our [[contribute/relationship with upstream]] document for details." -msgstr "" -"Tails ne pourrait exister sans [[Debian|https://www.debian.org/]], [[Debian " -"Live|http://live.debian.net]], et [[Tor|https://www.torproject.org/]]; pour " -"en savoir plus, consultez [[cette page|contribute/relationship with " -"upstream]]." - -#. type: Bullet: ' - ' -msgid "" -"Tails was inspired by the [[Incognito LiveCD|http://web.archive.org/" -"web/20090220133020/http://anonymityanywhere.com/]]. The Incognito author " -"declared it to be dead on March 23rd, 2010, and wrote that Tails \"should be " -"considered as its spiritual successor\"." -msgstr "" -"Tails est inspiré du [[LiveCD Incognito|http://web.archive.org/" -"web/20090220133020/http://anonymityanywhere.com/]]. L'auteur de celui-ci l'a " -"abandonné le 23 mars 2010 et a déclaré que Tails \"peut être considéré comme " -"son successeur spirituel\" (\"should be considered as its spiritual successor" -"\".)" - -#. type: Bullet: ' - ' -msgid "" -"The [[Privatix Live-System|http://mandalka.name/privatix/]] an early source " -"of inspiration, too." -msgstr "" -"Le [[Live-System Privatix|http://mandalka.name/privatix/]] est lui aussi une " -"source d'inspiration." - -#. type: Bullet: ' - ' -msgid "" -"Some ideas (in particular [[tordate|contribute/design/Time_syncing]] and " -"improvements to our [[contribute/design/memory_erasure]] procedure) were " -"borrowed from [Liberté Linux](http://dee.su/liberte)." -msgstr "" -"Certaines idées (en particulier [[tordate|contribute/design/Time_syncing]] " -"et plusieurs améliorations de notre [[contribute/design/memory_erasure]] " -"procédure) ont été empruntées à [Liberté Linux](http://dee.su/liberte)." - -#. type: Plain text -#, fuzzy, no-wrap -#| msgid "<a id=\"tor\"></a>\n" -msgid "<a id=\"related-projects\"></a>\n" -msgstr "<a id=\"tor\"></a>\n" - -#. type: Title = -#, fuzzy, no-wrap -#| msgid "Related projects\n" -msgid "Similar projects\n" -msgstr "Projets liés\n" +msgid "Acknowledgments and similar projects\n" +msgstr "Remerciements et projets similaires\n" #. type: Plain text msgid "" -"Feel free to contact us if you think that your project is missing, or if " -"some project is listed in the wrong category." -msgstr "" -"N'hésitez pas à nous contacter si vous pensez que votre projet manque, ou si " -"un projet est dans la mauvaise catégorie." - -#. type: Title ## -#, no-wrap -msgid "Active projects" -msgstr "Projets actif" - -#. type: Bullet: '* ' -#, fuzzy -#| msgid "[Odebian](http://www.odebian.org/)" -msgid "[Freepto](http://www.freepto.mx/)" -msgstr "[Freepto](http://www.freepto.mx/)" - -#. type: Bullet: '* ' -msgid "" -"[JonDo Live-CD](https://anonymous-proxy-servers.net/en/jondo-live-cd.html)" -msgstr "" -"[JonDo Live-CD](https://anonymous-proxy-servers.net/en/jondo-live-cd.html)" - -#. type: Bullet: '* ' -msgid "[Lightweight Portable Security](http://www.spi.dod.mil/lipose.htm)" -msgstr "[Lightweight Portable Security](http://www.spi.dod.mil/lipose.htm)" - -#. type: Bullet: '* ' -msgid "[SubgraphOS](https://subgraph.com/sgos/)" -msgstr "" - -#. type: Bullet: '* ' -msgid "[Whonix](https://www.whonix.org/)" -msgstr "[Whonix](https://www.whonix.org/)" - -#. type: Title ## -#, no-wrap -msgid "Discontinued, abandoned or sleeping projects" -msgstr "Projets non mis à jour, abandonnés ou arrêtés" - -#. type: Bullet: '* ' -msgid "[Anonym.OS](http://sourceforge.net/projects/anonym-os/)" -msgstr "[Anonym.OS](http://sourceforge.net/projects/anonym-os/)" - -#. type: Bullet: '* ' -msgid "[IprediaOS](http://www.ipredia.org/)" -msgstr "[IprediaOS](http://www.ipredia.org/)" - -#. type: Bullet: '* ' -msgid "[ISXUbuntu](http://www.isoc-ny.org/wiki/ISXubuntu)" -msgstr "[ISXUbuntu](http://www.isoc-ny.org/wiki/ISXubuntu)" - -#. type: Bullet: '* ' -msgid "[ELE](http://www.northernsecurity.net/download/ele/) (dead link)" -msgstr "[ELE](http://www.northernsecurity.net/download/ele/) (lien mort)" - -#. type: Bullet: '* ' -msgid "" -"[Estrella Roja](http://distrowatch.com/table.php?distribution=estrellaroja)" -msgstr "" -"[Estrella Roja](http://distrowatch.com/table.php?distribution=estrellaroja)" - -#. type: Bullet: '* ' -msgid "[The Haven Project](https://www.haven-project.org/) (dead link)" -msgstr "[The Haven Project](https://www.haven-project.org/) (lien mort)" - -#. type: Bullet: '* ' -msgid "" -"[The Incognito LiveCD](http://web.archive.org/web/20090220133020/http://" -"anonymityanywhere.com/)" +"See [[Acknowledgments and similar projects|doc/about/" +"acknowledgments_and_similar_projects]]." msgstr "" -"[The Incognito LiveCD](http://web.archive.org/web/20090220133020/http://" -"anonymityanywhere.com/)" - -#. type: Bullet: '* ' -msgid "[Liberté Linux](http://dee.su/liberte)" -msgstr "[Liberté Linux](http://dee.su/liberte)" - -#. type: Bullet: '* ' -msgid "[Odebian](http://www.odebian.org/)" -msgstr "[Odebian](http://www.odebian.org/)" - -#. type: Bullet: '* ' -msgid "[onionOS](http://jamon.name/files/onionOS/) (dead link)" -msgstr "[onionOS](http://jamon.name/files/onionOS/) (lien mort)" - -#. type: Bullet: '* ' -msgid "[ParanoidLinux](http://www.paranoidlinux.org/) (dead link)" -msgstr "[ParanoidLinux](http://www.paranoidlinux.org/) (lien mort)" - -#. type: Bullet: '* ' -msgid "[Phantomix](http://phantomix.ytternhagen.de/)" -msgstr "[Phantomix](http://phantomix.ytternhagen.de/)" - -#. type: Bullet: '* ' -msgid "[Polippix](http://polippix.org/)" -msgstr "[Polippix](http://polippix.org/)" - -#. type: Bullet: '* ' -msgid "[Privatix](http://www.mandalka.name/privatix/)" -msgstr "[Privatix](http://www.mandalka.name/privatix/)" - -#. type: Bullet: '* ' -msgid "[Ubuntu Privacy Remix](https://www.privacy-cd.org/)" -msgstr "[Ubuntu Privacy Remix](https://www.privacy-cd.org/)" - -#. type: Bullet: '* ' -msgid "[uVirtus](http://uvirtus.org/)" -msgstr "[uVirtus](http://uvirtus.org/)" - -#~ msgid "" -#~ "Portions of Tails are based on TrueCrypt, freely available at [[http://" -#~ "www.truecrypt.org/]]." -#~ msgstr "" -#~ "Des parties de Tails sont issues de TrueCrypt, disponible ici : [[http://" -#~ "www.truecrypt.org/]]." - -#~ msgid "Anonymity online through Tor\n" -#~ msgstr "Anonymat en ligne avec Tor\n" - -#~ msgid "" -#~ "Tails relies on the Tor anonymity network to protect your privacy online: " -#~ "all software are configured to connect through Tor, and direct (non-" -#~ "anonymous) connections are blocked." -#~ msgstr "" -#~ "Tails se base sur le réseau Tor pour protéger votre vie privée en ligne: " -#~ "tous les logiciels sont configurés pour passer par Tor, et les connexions " -#~ "directes (qui ne garantissent pas votre anonymat) sont bloquées." - -#~ msgid "[Kanotix](http://www.kanotix.com/changelang-eng.html)" -#~ msgstr "[Kanotix](http://www.kanotix.com/changelang-eng.html)" +"Voir [[Remerciements et projets similaires|doc/about/" +"acknowledgments_and_similar_projects]]." diff --git a/wiki/src/about.mdwn b/wiki/src/about.mdwn index c40c01ba113de74a51a6e41755791bb4b8ed7a67..a13d5cfcb9743a87a7218cb042a472ffa4577e22 100644 --- a/wiki/src/about.mdwn +++ b/wiki/src/about.mdwn @@ -18,12 +18,15 @@ Tails comes with several built-in applications pre-configured with security in mind: web browser, instant messaging client, email client, office suite, image and sound editor, etc. -[[!toc levels=1]] +[[!toc levels=2]] <a id="tor"></a> -Online anonymity and censorship circumvention with Tor -====================================================== +Online anonymity and censorship circumvention +============================================= + +Tor +--- Tails relies on the Tor anonymity network to protect your privacy online: @@ -63,6 +66,17 @@ website](https://www.torproject.org/): To learn more about how the usage of Tor is enforced, see our [[design document|contribute/design/Tor_enforcement]]. +I2P +--- + +You can also use Tails to access +[I2P](https://geti2p.net) which is an anonymity network different from Tor. + +[[Learn how to use I2P in Tails in the documentation.|doc/anonymous_internet/i2p]] + +To know how I2P is implemented in +Tails, see our [[design document|contribute/design/I2P]]. + <a id="amnesia"></a> Use anywhere but leave no trace @@ -132,49 +146,9 @@ To continue discovering Tails, you can now read: Press and media =============== -See the [[Press and media information|press]]. - -Acknowledgements -================ - - - Tails could not exist without [[Debian|https://www.debian.org/]], [[Debian Live|http://live.debian.net]], and [[Tor|https://www.torproject.org/]]; see our [[contribute/relationship with upstream]] document for details. - - Tails was inspired by the [[Incognito LiveCD|http://web.archive.org/web/20090220133020/http://anonymityanywhere.com/]]. The Incognito author declared it to be dead on March 23rd, 2010, and wrote that Tails "should be considered as its spiritual successor". - - The [[Privatix Live-System|http://mandalka.name/privatix/]] an early source of inspiration, too. - - Some ideas (in particular [[tordate|contribute/design/Time_syncing]] and - improvements to our [[contribute/design/memory_erasure]] procedure) were - borrowed from [Liberté Linux](http://dee.su/liberte). - -<a id="related-projects"></a> - -Similar projects -================ - -Feel free to contact us if you think that your project is missing, or -if some project is listed in the wrong category. - -## Active projects - -* [Freepto](http://www.freepto.mx/) -* [JonDo Live-CD](https://anonymous-proxy-servers.net/en/jondo-live-cd.html) -* [Lightweight Portable Security](http://www.spi.dod.mil/lipose.htm) -* [SubgraphOS](https://subgraph.com/sgos/) -* [Whonix](https://www.whonix.org/) - -## Discontinued, abandoned or sleeping projects - -* [Anonym.OS](http://sourceforge.net/projects/anonym-os/) -* [IprediaOS](http://www.ipredia.org/) -* [ISXUbuntu](http://www.isoc-ny.org/wiki/ISXubuntu) -* [ELE](http://www.northernsecurity.net/download/ele/) (dead link) -* [Estrella Roja](http://distrowatch.com/table.php?distribution=estrellaroja) -* [The Haven Project](https://www.haven-project.org/) (dead link) -* [The Incognito LiveCD](http://web.archive.org/web/20090220133020/http://anonymityanywhere.com/) -* [Liberté Linux](http://dee.su/liberte) -* [Odebian](http://www.odebian.org/) -* [onionOS](http://jamon.name/files/onionOS/) (dead link) -* [ParanoidLinux](http://www.paranoidlinux.org/) (dead link) -* [Phantomix](http://phantomix.ytternhagen.de/) -* [Polippix](http://polippix.org/) -* [Privatix](http://www.mandalka.name/privatix/) -* [Ubuntu Privacy Remix](https://www.privacy-cd.org/) -* [uVirtus](http://uvirtus.org/) +See [[Press and media information|press]]. + +Acknowledgments and similar projects +==================================== + +See [[Acknowledgments and similar projects|doc/about/acknowledgments_and_similar_projects]]. diff --git a/wiki/src/about.pt.po b/wiki/src/about.pt.po index fb07947750026c36fbfacad1f6cbe5176134a115..da1dcf57c62297b89d20ad6f2da30e16ca31036f 100644 --- a/wiki/src/about.pt.po +++ b/wiki/src/about.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: 1\n" -"POT-Creation-Date: 2015-01-02 14:19+0100\n" +"POT-Creation-Date: 2015-03-13 16:25+0100\n" "PO-Revision-Date: 2014-04-30 20:00-0300\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: Portuguese <LL@li.org>\n" @@ -82,8 +82,9 @@ msgstr "" "correio eletrônico, suíte de escritório, editor de imagens e som, etc." #. type: Plain text -#, no-wrap -msgid "[[!toc levels=1]]\n" +#, fuzzy, no-wrap +#| msgid "[[!toc levels=1]]\n" +msgid "[[!toc levels=2]]\n" msgstr "[[!toc levels=1]]\n" #. type: Plain text @@ -92,10 +93,18 @@ msgid "<a id=\"tor\"></a>\n" msgstr "<a id=\"tor\"></a>\n" #. type: Title = -#, no-wrap -msgid "Online anonymity and censorship circumvention with Tor\n" +#, fuzzy, no-wrap +#| msgid "Online anonymity and censorship circumvention with Tor\n" +msgid "Online anonymity and censorship circumvention\n" msgstr "Anonimato online e quebra de censura com Tor\n" +#. type: Plain text +#, no-wrap +msgid "" +"Tor\n" +"---\n" +msgstr "" + #. type: Plain text msgid "" "Tails relies on the Tor anonymity network to protect your privacy online:" @@ -208,6 +217,43 @@ msgstr "" "Para saber mais sobre como o uso do Tor é imposto, veja nosso [[documento de " "projeto|contribute/design/Tor_enforcement]]." +#. type: Plain text +#, no-wrap +msgid "" +"I2P\n" +"---\n" +msgstr "" + +#. type: Plain text +msgid "" +"You can also use Tails to access [I2P](https://geti2p.net) which is an " +"anonymity network different from Tor." +msgstr "" + +#. type: Plain text +#, fuzzy +#| msgid "" +#| "[[Read more about those tools in the documentation.|doc/" +#| "encryption_and_privacy]]" +msgid "" +"[[Learn how to use I2P in Tails in the documentation.|doc/anonymous_internet/" +"i2p]]" +msgstr "" +"[[Leia mais sobre estas ferramentas na documentação.|doc/" +"encryption_and_privacy]]" + +#. type: Plain text +#, fuzzy +#| msgid "" +#| "To learn more about how the usage of Tor is enforced, see our [[design " +#| "document|contribute/design/Tor_enforcement]]." +msgid "" +"To know how I2P is implemented in Tails, see our [[design document|" +"contribute/design/I2P]]." +msgstr "" +"Para saber mais sobre como o uso do Tor é imposto, veja nosso [[documento de " +"projeto|contribute/design/Tor_enforcement]]." + #. type: Plain text #, no-wrap msgid "<a id=\"amnesia\"></a>\n" @@ -399,196 +445,16 @@ msgid "Press and media\n" msgstr "Imprensa e mídia\n" #. type: Plain text -msgid "See the [[Press and media information|press]]." +msgid "See [[Press and media information|press]]." msgstr "Veja as [[informações na imprensa e na mídia|press]." #. type: Title = #, no-wrap -msgid "Acknowledgements\n" -msgstr "Agradecimentos\n" - -#. type: Bullet: ' - ' -msgid "" -"Tails could not exist without [[Debian|https://www.debian.org/]], [[Debian " -"Live|http://live.debian.net]], and [[Tor|https://www.torproject.org/]]; see " -"our [[contribute/relationship with upstream]] document for details." -msgstr "" -"Tails não poderia existir sem o [[Debian|https://www.debian.org/]], o " -"[[Debian Live|http://live.debian.net]], e o [[Tor|https://www.torproject." -"org/]]; veja nosso documento sobre o [[relacionamento com *upstream*|" -"contribute/relationship with upstream]] para mais detalhes." - -#. type: Bullet: ' - ' -msgid "" -"Tails was inspired by the [[Incognito LiveCD|http://web.archive.org/" -"web/20090220133020/http://anonymityanywhere.com/]]. The Incognito author " -"declared it to be dead on March 23rd, 2010, and wrote that Tails \"should be " -"considered as its spiritual successor\"." -msgstr "" -"Tails foi inspirado pelo [[Incognito LiveCD|http://web.archive.org/" -"web/20090220133020/http://anonymityanywhere.com/]]. O autor do Incognito " -"declarou que o projeto terminou em 23 de março de 2010, e escreveu que o " -"Tails \"deveria ser considerado seu sucessor espiritual\"." - -#. type: Bullet: ' - ' -msgid "" -"The [[Privatix Live-System|http://mandalka.name/privatix/]] an early source " -"of inspiration, too." -msgstr "" -"O [[Privatix Live-System|http://mandalka.name/privatix/]] também foi uma " -"fonte de inspiração inicial." - -#. type: Bullet: ' - ' -msgid "" -"Some ideas (in particular [[tordate|contribute/design/Time_syncing]] and " -"improvements to our [[contribute/design/memory_erasure]] procedure) were " -"borrowed from [Liberté Linux](http://dee.su/liberte)." +msgid "Acknowledgments and similar projects\n" msgstr "" -"Algumas ideias (em particular [[tordate|contribute/design/Time_syncing]] e " -"melhorias no nosso procedimento de [[apagamento de memória|contribute/design/" -"memory_erasure]]) foram tomadas do [Liberté Linux](http://dee.su/liberte)." - -#. type: Plain text -#, fuzzy, no-wrap -#| msgid "<a id=\"tor\"></a>\n" -msgid "<a id=\"related-projects\"></a>\n" -msgstr "<a id=\"tor\"></a>\n" - -#. type: Title = -#, fuzzy, no-wrap -#| msgid "Related projects\n" -msgid "Similar projects\n" -msgstr "Projetos relacionados\n" #. type: Plain text msgid "" -"Feel free to contact us if you think that your project is missing, or if " -"some project is listed in the wrong category." -msgstr "" -"Sinta-se à vontade para nos contatar se você acha que seu projeto não está " -"listado, ou se algum dos projetos está listado numa categoria que não " -"deveria." - -#. type: Title ## -#, no-wrap -msgid "Active projects" -msgstr "Projetos ativos" - -#. type: Bullet: '* ' -msgid "[Freepto](http://www.freepto.mx/)" -msgstr "[Freepto](http://www.freepto.mx/)" - -#. type: Bullet: '* ' -msgid "" -"[JonDo Live-CD](https://anonymous-proxy-servers.net/en/jondo-live-cd.html)" -msgstr "" -"[JonDo Live-CD](https://anonymous-proxy-servers.net/en/jondo-live-cd.html)" - -#. type: Bullet: '* ' -msgid "[Lightweight Portable Security](http://www.spi.dod.mil/lipose.htm)" -msgstr "[Lightweight Portable Security](http://www.spi.dod.mil/lipose.htm)" - -#. type: Bullet: '* ' -msgid "[SubgraphOS](https://subgraph.com/sgos/)" -msgstr "" - -#. type: Bullet: '* ' -msgid "[Whonix](https://www.whonix.org/)" -msgstr "[Whonix](https://www.whonix.org/)" - -#. type: Title ## -#, no-wrap -msgid "Discontinued, abandoned or sleeping projects" -msgstr "Projetos suspensos, abandonados ou dormentes" - -#. type: Bullet: '* ' -msgid "[Anonym.OS](http://sourceforge.net/projects/anonym-os/)" -msgstr "[Anonym.OS](http://sourceforge.net/projects/anonym-os/)" - -#. type: Bullet: '* ' -msgid "[IprediaOS](http://www.ipredia.org/)" -msgstr "[IprediaOS](http://www.ipredia.org/)" - -#. type: Bullet: '* ' -msgid "[ISXUbuntu](http://www.isoc-ny.org/wiki/ISXubuntu)" -msgstr "[ISXUbuntu](http://www.isoc-ny.org/wiki/ISXubuntu)" - -#. type: Bullet: '* ' -msgid "[ELE](http://www.northernsecurity.net/download/ele/) (dead link)" -msgstr "[ELE](http://www.northernsecurity.net/download/ele/) (link quebrado)" - -#. type: Bullet: '* ' -msgid "" -"[Estrella Roja](http://distrowatch.com/table.php?distribution=estrellaroja)" +"See [[Acknowledgments and similar projects|doc/about/" +"acknowledgments_and_similar_projects]]." msgstr "" -"[Estrella Roja](http://distrowatch.com/table.php?distribution=estrellaroja)" - -#. type: Bullet: '* ' -msgid "[The Haven Project](https://www.haven-project.org/) (dead link)" -msgstr "[The Haven Project](https://www.haven-project.org/) (dead link)" - -#. type: Bullet: '* ' -msgid "" -"[The Incognito LiveCD](http://web.archive.org/web/20090220133020/http://" -"anonymityanywhere.com/)" -msgstr "" -"[The Incognito LiveCD](http://web.archive.org/web/20090220133020/http://" -"anonymityanywhere.com/)" - -#. type: Bullet: '* ' -msgid "[Liberté Linux](http://dee.su/liberte)" -msgstr "[Liberté Linux](http://dee.su/liberte)" - -#. type: Bullet: '* ' -msgid "[Odebian](http://www.odebian.org/)" -msgstr "[Odebian](http://www.odebian.org/)" - -#. type: Bullet: '* ' -msgid "[onionOS](http://jamon.name/files/onionOS/) (dead link)" -msgstr "[onionOS](http://jamon.name/files/onionOS/) (link quebrado)" - -#. type: Bullet: '* ' -msgid "[ParanoidLinux](http://www.paranoidlinux.org/) (dead link)" -msgstr "[ParanoidLinux](http://www.paranoidlinux.org/) (link quebrado)" - -#. type: Bullet: '* ' -msgid "[Phantomix](http://phantomix.ytternhagen.de/)" -msgstr "[Phantomix](http://phantomix.ytternhagen.de/)" - -#. type: Bullet: '* ' -msgid "[Polippix](http://polippix.org/)" -msgstr "[Polippix](http://polippix.org/)" - -#. type: Bullet: '* ' -msgid "[Privatix](http://www.mandalka.name/privatix/)" -msgstr "[Privatix](http://www.mandalka.name/privatix/)" - -#. type: Bullet: '* ' -msgid "[Ubuntu Privacy Remix](https://www.privacy-cd.org/)" -msgstr "[Ubuntu Privacy Remix](https://www.privacy-cd.org/)" - -#. type: Bullet: '* ' -msgid "[uVirtus](http://uvirtus.org/)" -msgstr "[uVirtus](http://uvirtus.org/)" - -#~ msgid "" -#~ "Portions of Tails are based on TrueCrypt, freely available at [[http://" -#~ "www.truecrypt.org/]]." -#~ msgstr "" -#~ "Partes de Tails são baseadas no TrueCrypt, disponível livremente em " -#~ "[[http://www.truecrypt.org/]]." - -#~ msgid "Anonymity online through Tor\n" -#~ msgstr "Anonimato online usando Tor\n" - -#~ msgid "" -#~ "Tails relies on the Tor anonymity network to protect your privacy online: " -#~ "all software are configured to connect through Tor, and direct (non-" -#~ "anonymous) connections are blocked." -#~ msgstr "" -#~ "Tails depende de rede de anonimato Tor para proteger sua privacidade " -#~ "online: todas as aplicações estão configuradas para conectarem-se através " -#~ "do Tor e conexões diretas (não-anônimas) são bloqueadas." - -#~ msgid "[Kanotix](http://www.kanotix.com/changelang-eng.html)" -#~ msgstr "[Kanotix](http://www.kanotix.com/changelang-eng.html)" diff --git a/wiki/src/blueprint.mdwn b/wiki/src/blueprint.mdwn index 10c3074ccef4ee6e16ac5d139722fc0363c73bc1..fdc7e6962e99f731c1e76c1303e6881d17445a4a 100644 --- a/wiki/src/blueprint.mdwn +++ b/wiki/src/blueprint.mdwn @@ -1,3 +1,3 @@ [[!meta title="Blueprints"]] -[[!map pages="blueprint/*"]] +[[!map pages="page(blueprint/*)" show=title]] diff --git a/wiki/src/blueprint/Git_sub-repositories.mdwn b/wiki/src/blueprint/Git_sub-repositories.mdwn index 0b49b938a32bee800767e77ce79cdc1d8922ec85..11fd4e6ca3ec3bb34ba5f1b3c98e0722e43c78e6 100644 --- a/wiki/src/blueprint/Git_sub-repositories.mdwn +++ b/wiki/src/blueprint/Git_sub-repositories.mdwn @@ -44,6 +44,13 @@ Git submodules allow to do basically the same thing, but also to make it clear what version of these other repositories a given Git branch (in the main repo) needs. +One problem with submodules is that the URL to every submodule's +repository is encoded in `.gitmodules`. So, either we encode read-only +URLs in there (and then, core developers need to use `pushInsteadOf` +or `insteadOf` in their Git configuration to rewrite these URLs +on-the-fly), or we encode read-write URLs in `.gitmodules` (and then, +non-core developers have to use `insteadOf`). + ## Plenty of other solutions When searching the web for well-known problems with Git submodules, diff --git a/wiki/src/blueprint/HTTP_mirror_pool.mdwn b/wiki/src/blueprint/HTTP_mirror_pool.mdwn index 0ec3c691db5e6b12c6d3089f0e91eaf5abf920f7..d242e5ebf352bbd1bfbc80e89ad1f311f8c322a3 100644 --- a/wiki/src/blueprint/HTTP_mirror_pool.mdwn +++ b/wiki/src/blueprint/HTTP_mirror_pool.mdwn @@ -123,7 +123,9 @@ There is a few drawbacks on this approach: unavailable (down, blocked...), downloads will be blocked (but in this case the site will be too). * It would require to develop the script or to install one such as - mirrorbrain. + mirrorbrain (which is feature-full, available as [3rd party Debian + packages](http://download.opensuse.org/repositories/Apache:/MirrorBrain/), + and requires PostgreSQL). On the other side it has a few advantage: diff --git a/wiki/src/blueprint/HackFest_2014_Paris/keysigning/tails-keysigning.txt.gz b/wiki/src/blueprint/HackFest_2014_Paris/keysigning/tails-keysigning.txt.gz new file mode 100644 index 0000000000000000000000000000000000000000..e5fb3722a1cd15cfd01e998ef8b9eed2bcda707c Binary files /dev/null and b/wiki/src/blueprint/HackFest_2014_Paris/keysigning/tails-keysigning.txt.gz differ diff --git a/wiki/src/blueprint/Return_of_Icedove__63__.mdwn b/wiki/src/blueprint/Return_of_Icedove__63__.mdwn index ca68fa0e48416a715a4ba5445a468ea041587816..bca8e88670a581173694faa08d579f0f7ffdc925 100644 --- a/wiki/src/blueprint/Return_of_Icedove__63__.mdwn +++ b/wiki/src/blueprint/Return_of_Icedove__63__.mdwn @@ -23,7 +23,7 @@ I think implementing the [[todo/easy_MUA_configuration]] is pretty far from triv Roadmap ======= -1. List blockers (from the *Things to implement* list bellow). +1. List blockers (from the *Things to implement* list below). 1. Implement blockers. 1. Write design documentation. 1. Adapt [[end-user documentation|doc/anonymous_internet/thunderbird]] diff --git a/wiki/src/blueprint/UEFI.mdwn b/wiki/src/blueprint/UEFI.mdwn index 969f740a6785772418ac1791d962404858c34da2..d506eab12194463a38a106aa61f19fcdbf493b76 100644 --- a/wiki/src/blueprint/UEFI.mdwn +++ b/wiki/src/blueprint/UEFI.mdwn @@ -19,6 +19,14 @@ Testing results Ideas for future work ===================== +32-bit UEFI +----------- + +See [[blueprint/UEFI/32-bit]]. + +Other ideas +----------- + Most of the possible candidate goals that were [[rejected|contribute/design/UEFI#non-goals]] for this initial iteration are not critical. Pursuing these would require substantial effort, that is @@ -65,6 +73,7 @@ useful for many. Resources ========= +* [The bootstrap process on EFI systems](https://lwn.net/Articles/632528/) on LWN * lernstick Grub configuration, implemented as a live-build binary hook, that's meant to be nice with an existing syslinux configuration managed by live-build: diff --git a/wiki/src/blueprint/UEFI/32-bit.mdwn b/wiki/src/blueprint/UEFI/32-bit.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..bd9a0d1be9a9a0cb54dc420d48c4368054f6fcdf --- /dev/null +++ b/wiki/src/blueprint/UEFI/32-bit.mdwn @@ -0,0 +1,227 @@ +This is about [[!tails_ticket 8471]]. + +[[!toc levels=2]] + +Misc. notes +=========== + +Regarding the success seen with `bootia32.efi`: why would a 32-bit +GRUB2 EFI boot loader automatically chainload to our syslinux? + +Or is it that `bootia32.efi` is actually from another El Torito image, +that ships syslinux? + +Debian's relevant code lives in the debian-cd, grub2 and +debian-installer Git repositories. Look for `bootia32.efi`. + +Maybe also copy to `EFI/BOOT/boot.efi`: grub2's changelog says that +`grub-install` copies `bootia32.efi` to `boot.efi`, to better support +old Macs: + + * doesn't work for me on a MacBook Air original 1.8 GHz A1237 + +Risk of regressions +------------------- + +Here we discuss the risk of regressions, for hardware that previously +booted Tails just fine, if we shipped a 32-bit UEFI boot loader in our +hybrid ISO image. + +XXX: I (intrigeri) am waiting for answers by an expert in this domain. + +What we know so far: + +* Early Intel Macs cannot boot from a DVD with more than one El Torito + boot record. But we're not considering supporting EFI boot off DVD + yet, so for now it's a non-issue. And when we'll have to consider + supporting this feature, chances are that most such machines are + dead anyway. + +Test results and ideas +---------------------- + +### 32-bit GRUB2 EFI chainloading 32-bit syslinux EFI + +* syslinux 32-bit EFI installed in `EFI/TAILS32` +* GRUB 32-bit EFI installed in `EFI/BOOT/bootia32.efi` + +=> did not manage to chainload 32-bit syslinux EFI from GRUB. +On Tails/Jessie (GRUB 2.02~beta2-22), I get `error: unknown error.` +after typing `boot`. This likely comes from +`grub-core/loader/efi/chainloader.c`. + +### 32-bit GRUB2 EFI reading the syslinux configuration at runtime + +With current `feature/8471-32-bit-UEFI`, one can choose the *syslinux: +liveamd64.cfg* menu entry, that basically load syslinux' +`/efi/boot/liveamd64.cfg`, converting it to GRUB on the fly. + +Then, add `nomodeset` if needed, and Tails boots. + +Note that: + +* Support for `{vesa,}menu.c32` was added in GRUB upstream, but didn't + make it into Debian yet as of 2.02~beta2-22. intrigeri has a + 2.02~beta2-22tails1~bpo70+1 package with that new code in it, + and indeed it successfully loads our syslinux configuration. +* We'll need to load the `cpuid` module to make our `ifcpu64` + directives work. + +### 32-bit GRUB2 EFI with native configuration + +If `syslinux_configfile` is not good enough, should not be too hard to +write/generate and maintain a GRUB2 configuration, either +automatically (e.g. with `grub-syslinux2cfg`) or by hand. + +That's what `feature/8471-32-bit-UEFI` currently does, as a way to +quickly get things going. + +<a id="hardware"></a> + +Potential hardware +================== + +Current selection +----------------- + +* in the cheapest range: WinBook TW700 +* with 2GB of RAM: Toshiba Encore 2 + +Boots GNU/Linux from USB +------------------------ + +All of the following tablets are based on the Intel Bay Trail platform +with 32-bit UEFI firmware and ship with Windows 8.1 except where +noted. LCD resolutions are generally 1,280x800 pixels, except +where noted. + +They have all been reported to run GNU/Linux from USB with the right +boot code, but device drivers are sometimes a problem. + +There are significant variations in specific firmware features among +these devices. For example, it's unclear if all of these models can +cold-boot from USB, or if some may need to start Windows and then use +the "boot from USB" feature. Most have Secure Boot enabled by default, +but this feature can usually be disabled. + + * Acer Aspire Switch 10 + - $300 + - 2 GB RAM, 10", hybrid + + * Asus T100 + - $290 + - 2 GB RAM, 10", hybrid + - hardware support on Linux was not entirely awful a year ago, but + requires proprietary firmware; not sure where things are at now + + * Asus T100TA + - $300 + - 2 GB RAM, 10", hybrid + - 1 USB + 1 micro USB + - does the T100's hardware support status apply here too? + + * Dell Venue 8 Pro 3000 + - $170 + - 1 GB RAM, 8" + - cold-boot from USB: [seems + possible](https://www.happyassassin.net/2013/11/24/the-fedlet-revived-or-fedora-linux-on-a-dell-venue-8-pro-bay-trail/) + 1. Requires a USB OTG converter (full-size USB female port on one end, + micro-USB male connector on the other end) + 2. "press the power button and hold down the 'volume down' key + for a couple of seconds (this is how you get into the + firmware), go to the Boot tab, disable Secure Boot, and + promote the USB stick to #1 in the boot order" + + * Dell Venue 8 Pro 5000 + - $210 + - 2 GB RAM, 8" + - cold-boot from USB: likely the same as the Dell Venue 8 Pro 3000 + + * Dell Venue 8 7000 + - Ships with Android KitKat; Lollipop due later in 2015 + - $400 + - 2 GB RAM/16 GB flash + - Notable for high-res 8.4" 2,560x1,600 OLED display + - Also includes Intel RealSense multiple-camera subsystem + - No cold-boot nor warm-boot from USB, according to png. + Perhaps it's possible after [unlocking its + bootloader](http://unlock-bootloader.info/mp3-0/dell-venue-8-7000-6714.html) + + * HP Stream 7 + - $100 + - 1 GB RAM/16 GB flash, 7" + - hardware support on Linux seems not entirely awful, but requires + a few out-of-tree drivers: + <https://ubuntuforums.org/showthread.php?t=2261294> + + * HP Stream 8 + - $150 + - 1 GB RAM, 7" + - Includes 4G WWAN modem with limited free T-Mobile Internet service + - Believed to be generally similar to the HP Stream 7 otherwise + - Can cold-boot from USB: + 1. Hold down Vol-, press Power for about a second, and release + Vol- when the boot options screen comes up. + 2. That screen gives access to a Boot Device Options menu, BIOS + Setup, and other functions including an on-screen keyboard. + 3. In the Boot Options Menu, one can select Boot from EFI File + and push the soft Enter key… and then, with a Tails boot + drive, it goes to a File Explorer screen to allow the user to + choose between booting from the Tails volume and the NO VOLUME + LABEL volume on the USB thumb drive. Sadly, there's no way to + press Enter! The Stream 8 has a capacitive Windows button on + the bezel, and that just isn’t active at this point. + There isn’t a timeout autoselect for the first (presumably + correct) option, either. + 4. This should all work fine by plugging an OTG-Type A adapter + cable, a USB hub, a USB thumb drive, and a keyboard. + This should be good enough for development, but not for + actual users. + + * Lenovo Miix 2 + - $220 + - 2 GB RAM + + * Toshiba Encore 2 + - many models with 1 GB RAM, 8" + - WT8-B264 with 2 GB RAM/32 GB flash, 8" + - 10" LCD models also available + - can cold-boot from USB: hold down the Vol+ button, then hold down + the Power button, until the boot selection menu appears. + Select the desired boot device and press the Windows key. + +* Toshiba Encore 2 Write + - Includes Wacom Feel pen/touch digitizer; unusual among low-cost + x86 tablets, enables good handwriting recognition and artistic + drawing + - Otherwise apparently similar to Encore 2 + - 8-inch version retails for $350 + - 10.1-inch model priced at $400 + + * WinBook TW700: + - $60 + - 1 GB RAM/16GB flash, 7" + - To cold-boot from USB: + 1. Configure the UEFI BIOS to put "USB HD" + above the Windows Boot Manager or the internal eMMC storage. + 2. Plug the USB device in the Type A port, not the Micro + USB OTG port. + 3. Then the tablet will boot from USB without pushing any + buttons, and one can still use the OTG port to power the + tablet while running from Tails. + +Needs more research +------------------- + + * ASUS VivoTab 8 + - $190 + - Bay Trail, 2 GB RAM, 8" + - 32-bit UEFI? + + +Boots current Tails and thus uninteresting here +----------------------------------------------- + + * HP Slate 500 + * Samsung Series 7 Slate + * Microsoft Surface Pro diff --git a/wiki/src/blueprint/audit_AppArmor_profiles.mdwn b/wiki/src/blueprint/audit_AppArmor_profiles.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..e3b00c70c1b45a5bb10c7eba3602764347bd93a0 --- /dev/null +++ b/wiki/src/blueprint/audit_AppArmor_profiles.mdwn @@ -0,0 +1,178 @@ +Corresponding ticket: [[!tails_ticket 8007]] + +[[!toc levels=2]] + +Things to check +=============== + +* the kludges needed to make them work with aufs +* access to files via alternate paths specific to Debian Live systems, + e.g. + - check `private-files` and `private-files-strict` abstractions, in + particular wrt. whatever can be accessed via the following paths + - is there any alternate path to `/live/persistence`? + - `/lib/live/mount/overlay/` -- until Tails 1.4~rc1, we have _two_ + `tmpfs` mounted there, including an empty one that hides the + other's content (but we should not rely on this for security). + Fixed on the `bugfix/8007-AppArmor-hardening` branch with + [[!tails_gitweb_commit bc491c9]], and then: + * test that this doesn't break persistence in read-write mode + * test that this doesn't break persistence in read-only mode + * test that this doesn't break booting an upgraded Tails with + more that one SquashFS + * test how AppArmor confinement behaves wrt. `/live/overlay` + (that's a symlink to `/lib/live/mount/overlay`, created in + [[!tails_gitweb_commit 3233da6]]; maybe it's not needed + anymore?) + * test how AppArmor confinement behaves wrt. + `/lib/live/mount/overlay` (at least it blocks access for Evince + to `/lib/live/mount/overlay/home/amnesia/.gnupg/default.pdf`) + * we add `/lib/live/mount/overlay/home/` to `HOMEDIRS`, so at + least `$HOME` is OK -- isn't it? + - recheck all these things with persistence in read-only mode +* wide-open access to `/lib/**` or similar, that might grant access to + persistent files -- everything checked, potential issues and + remaining todo items follow: + - the `base` abstraction (used e.g. by Pidgin and Evince) has things + like `/lib{,32,64}/** r` + - the `launchpad-integration` abstraction has + `/{,usr/}lib*/{,**/}*.so{,.*} m` + - the `ubuntu-helpers` abstraction has + `/{,usr/,usr/local/}lib{,32,64}/{,**/}*.so{,.*} m` +* access to microphone (can we easily block that while still allowing + sound output?) + - `abstractions/audio` gives full access to PulseAudio, which + no doubt gives access to the microphone; we use that abstraction + for Totem, Tor Browser, Evince and Pidgin. The Ubuntu phone + mediates access to PulseAudio at the D-Bus level. As of + 2015-05-04: + * this is only done at the AppArmor level. There is WIP to [make + PulseAudio a trusted helper for microphone + access](https://bugs.launchpad.net/ubuntu/+source/pulseaudio/+bug/1224756). + The "trust-store" is a library (external to AppArmor) that + services can use. it can prompt, remember the answer, etc. + It's currently limited to mir. It can also be preseeded. + jdstrand is not sure if there is a CLI for that, but that could + be another option. The broader picture is described in + <https://wiki.ubuntu.com/SecurityTeam/Specifications/ApplicationConfinement> + and in the phone-specific bits at + <https://wiki.ubuntu.com/AccountPrivileges>. + * AppArmor support for D-Bus mediation has made it into D-Bus + upstream, but the kernel bits have not been upstreamed yet. + - regarding Alsa: + * `/dev/snd/pcmC[0-9]D[0-9]c` raw audio devices seem to be capture, + while `/dev/snd/pcmC[0-9]D[0-9]p` devices seem to be playback + devices + * do `/dev/snd/hwC[0-9]D[0-9]` give access to the microphone? + * do `/dev/controlC[0-9]` give access to the microphone? + * does `/dev/snd/seq` give access to the microphone? + * does `/dev/snd/timer` give access to the microphone? +* wide-open access to `$HOME` except blacklist -- everything checked, + potential issues and remaining todo items follow: + - Evince, Totem and their previewers have read-write access to + `@{HOME}/**`: perhaps we can make it a bit tighter, e.g. + using a regexp that doesn't include dotfiles (see `user-write`), + and read-only everywhere except for specific directories? Or is + the blacklist used by these profiles tight enough? + - What else uses `private-files` and + `private-files-strict` abstractions? + - Shall we add stuff to these blacklist? +* jvoisin's profile hardening + - Pidgin + * drop `bash` abstraction: has been here since the first version + of the profile; that abstraction is not too scary, but... what + is it useful for? + * disable video and audio visualization capabilities: if it + doesn't break e.g. accessibility or sound notifications, why not + - `/usr/bin/evince` + * drop `bash` abstraction: same as Pidgin + * drop `audio` and `ubuntu-media-players` abstraction: note that + PDF can embed videos; do we care? + * drop `ubuntu-console-browsers`, `ubuntu-console-email` and + `ubuntu-gnome-terminal` abstractions: I doubt it's useful to + anyone in Tails, indeed + * disallow `/usr/bin/yelp`: if it breaks displaying Evince help, + we don't want that + * disallow `/usr/bin/bug-buddy`: Ubuntu-specific, we don't care + * disallow `/usr/bin/exo-open` and a bunch of file managers that + are not shipped in Tails: not worth maintaining a delta + * disallow `/usr/bin/gedit`: a comment in the profile says it's + useful "for text attachments", and given it's inheriting the + current profile it's not scary enough to be worth potentially + breaking things + - `/usr/bin/evince-previewer` + * same changes as in `/usr/bin/evince` profile, same comments + * drop `ubuntu-browsers` abstraction: it doesn't cover Tor Browser + anyway, so why not + * drop `ubuntu-email` abstraction: do we care about Evince + previewer being able to start Claws Mail? What is it useful for? + * disallow networking access: the Debian kernel doesn't support + such rules anyway, so that would be a no-op +* `config/chroot_local-includes/usr/share/tails/torbrowser-AppArmor-profile.patch` + +Things to keep in mind +====================== + +* Beware not to break assistive technologies (accessibility). + +Checked already +=============== + +* Ux rules don't sanitize `$PATH` + (<https://bugs.launchpad.net/ubuntu/+source/apparmor/+bug/1045986>) => + they must only be used to run software that does *not* rely on + `$PATH` for executing other stuff; in particular, many shell scripts + do rely on `$PATH`; this should be checked particularly for the + profiles we ship that don't come from AppArmor upstream, most + notably: + - the Tor Browser one: **OK**, the only `Ux` rule it has is about an + ELF executable + - Pidgin profile: was vulnerable via `/usr/local/bin/tor-browser`, + fixed in `bugfix/8007-AppArmor-hardening` + - `abstractions/tor`: only `Ux` rules are about ELF executables + - no other relevant `Ux` rule are present in the profiles we ship +* use of `sanitized_helper` [isn't very + safe](http://blog.azimuthsecurity.com/2012/09/poking-holes-in-apparmor-profiles.html), + especially given it [doesn't transition properly with + Pix](https://bugs.launchpad.net/ubuntu/+source/apparmor/+bug/1042771) + => we don't add occurrences thereof in our own profiles +* Tails-specific modifications to profiles: + - `config/chroot_local-patches/apparmor-adjust-pidgin-profile.diff` + - `config/chroot_local-patches/apparmor-adjust-tor-abstraction.diff` + - `config/chroot_local-patches/apparmor-adjust-tor-profile.diff` + - `config/chroot_local-patches/apparmor-adjust-totem-profile.diff` + - `config/chroot_local-patches/apparmor-adjust-user-tmp-abstraction.diff` +* wide-open access to `$HOME`: + - `bash` abstraction (included by many profiles) gives read access + to `$HOME` via `@{HOMEDIRS}`, but merely listing its content + shouldn't be a problem in practice in Tails: users tend to store + their documents on the Desktop, or in persistence. Worst case + we'll leak filenames. + - no profile we ship includes the `gnupg` abstraction + - no profile we ship includes the `user-mail` abstraction, that + gives read-write access to mail folders + - no profile we ship includes the `user-write` abstraction, that + gives read-write access to large parts of `$HOME` + - the `user-download` abstraction, that's included in the Pidgin + profile, gives read-write access non-hidden files at the root of + the `$HOME`, Desktop and download directories; combined with the + `private-files-strict` abstraction, it is probably as tight as we + can do without substantially harming UX + - `abstractions/ubuntu-browsers.d/{java,user-files}` give read-write + access to `$HOME` and its content, but they're not used anywhere +* access to webcam: + - `abstractions/video` gives access via `/sys/class/video4linux/` so + some devices; it's not used in any profile we ship + - most webcams appear as `/dev/video0` or similar; `rgrep -i video` + shows that no profile we ship gives access to such files +* access to files via alternate paths specific to Debian Live systems: + - `/live/persistence/TailsData_unlocked/`: we have one automatic + test for this in `pidgin.feature`; the tested access is denied + because that path is not explicitly allowed, rather than because + it's explicitly denied, but that's how AppArmor works and that's + good enough. + - we don't have have any symlink between `/live` and `/lib/live` + anymore + - `/lib/live/mount/rootfs/` and `/lib/live/mount/medium/` should be + OK: they only contain stuff that's publicly available in our ISO + anyway, and DAC still applies. diff --git a/wiki/src/blueprint/automated_builds_and_tests/Debian_packages.mdwn b/wiki/src/blueprint/automated_builds_and_tests/Debian_packages.mdwn index 88b45eb4953f7f24d230502b7adb3246deebde91..4f308ef826d2edb5f3484e49dcb156f4deca0b98 100644 --- a/wiki/src/blueprint/automated_builds_and_tests/Debian_packages.mdwn +++ b/wiki/src/blueprint/automated_builds_and_tests/Debian_packages.mdwn @@ -1,5 +1,6 @@ - <http://jenkins-debian-glue.org/> - [debile](http://anonscm.debian.org/gitweb/?p=pkg-debile/debile.git) + is used by Tanglu - [Jenkins configuration for Kamailio Debian Packaging](https://github.com/sipwise/kamailio-deb-jenkins): glueing Jenkins, pbuilder, reprepro, jjb, nginx, diff --git a/wiki/src/blueprint/automated_builds_and_tests/autobuild_specs.mdwn b/wiki/src/blueprint/automated_builds_and_tests/autobuild_specs.mdwn index 2209f029ecfe2313dd2af06ca907308d3438451f..46127078ade6982d510eaea288b9b1fb2c755d35 100644 --- a/wiki/src/blueprint/automated_builds_and_tests/autobuild_specs.mdwn +++ b/wiki/src/blueprint/automated_builds_and_tests/autobuild_specs.mdwn @@ -1,101 +1,177 @@ [[!meta title="Automated builds specification"]] -[[!toc levels=2]] -This blueprints helps to keep track of the discussion on the mailing list, and -is attached to tickets #8655 to specify how to implement #6196 (Build all -active branches). +This blueprint helps to keep track of the discussion on the mailing +list, and is attached to [[!tails_ticket 8655]] +to specify how to implement [[!tails_ticket 6196]] ("Build all active +branches"). + +Some metrics about the number of branches merged per releases are +available on the [[dedicated statistics page|autobuild_stats]]. + +Our Jenkins now has the Global Build Stats plugin live, Tails developers +[[have access to the metrics| +https://jenkins.tails.boum.org/plugin/global-build-stats/]] +[[!toc levels=2]] # Question to discuss ## Which branches we want to build? -We already build the base branches (_stables_, _testing_, _devel_ and -_experimental_ + _feature/jessie_). +We already build the base branches (_stable_, _testing_, _devel_ and +_experimental_) + _feature/jessie_. The questions raised is mostly concern the _feature/*_ and _bugfix/*_ branches -(so _topic branches_) +(so _topic branches_), as well as the _doc/*_ and _test/*_ branches. + +Given an ISO build takes around 30-45 minutes on lizard (worst case), +given two builders lizard will be able to build something like 64-96 +ISOs a day. + +Developers can easily add a branch back to the automated builds +whenever it has been removed from the list (for example after +a release) by merging its base branch into it. + +They also can at the moment manually trigger a build if they uploaded to +a APT suite: + +1. if anyone really want to trigger an immediate rebuild, they can do + it manually in the Jenkins interface (people who have upload + rights to our APT repo also have powerful-enough access to Jenkins + to trigger builds); +2. the proposal says that all active branches are built daily, in + addition to post-Git-push => worst case, the branch will be + rebuilt within 24h; +3. if in a hurry, or for whatever reason, you can still force + a rebuild by pushing a dummy commit (ugly, but it works). + +Proposal1: + +* branches which are not merged into master, devel, stable and testing +* but had new commits or Debian package uploaded since the previous release + +<a id="how-to-build-it"></a> + +## How to build it -The criterias to automatically select the branches to be build could be: +A topic branch may be lagging behind the base branch it's based upon. +What we're interested in is generally *not* whether a (possibly +outdated) topic branch builds fine, but whether it would build fine +**once merged into its base branch**: -* branches which are not merged to devel||stable||testing, maybe depending on - the targeted release version -* but had new commits since a certain time as in: - - the previous release? - - N weeks time? - - 15 days (arbitrary)? +* that's critical from a reviewer's perspective: what they have to + evaluate is the result of the merge, not the state of a topic branch + forked N weeks ago from its base branch, that possibly has diverged + since then; +* that's important from a developer's perspective: this is how they + will notice if incompatible changes have landed into the base branch + since last time they worked on their topic branch. -Some metrics about the number of branches merged per release could give hints -that might help to decide of selection process. +Hence, when building topic branch F, we need to build from branch F +*once merged into* branch B. However, this merge must only be done +*locally*, at least because Jenkins doesn't have push access to our +Git repo. + +Here, *locally* means: in Jenkins own temporary Git checkout. + +The exact direction of the merge (B->F vs. F->B) should not matter +given how Git merge works, if we got it clearly. We'll see. + +This locally-merge-before-building process requires [[!tails_ticket +8654]] to be implemented, otherwise we can't easily merge branches +*locally* without affecting the state of our production APT repo. ## When to build it Define the regularity we want to build topic branches, apart from being build -on git pushes. - -As with the first question, some metrics could help the discussion, -at least having an average number of branches per release. +on Git push or new Debian package upload. Note that we will have to plug that in automatic tests when they will be deployed. +Proposal 1: A build a day. + + ## Notifications When to notify who? And how to notify them? +Proposal 1: + +Email will be the main interface. + +* For base branches, notify the RM. +* For topic branches, notify the author of the last commit. + +Note that this proposal doesn't take into consideration how to notify +when the branch is build because of a Debian package upload. # Scenarios -In the folowing scenario: +In the following scenario: -0. topic branches are named branch T +0. topic branches are named branch F 0. base branches are named branch B -0. Builds are ran on merges which don't raise a conflict, and this is the topic - branch's dev to take care of that. +0. builds are ran on merges which don't raise a conflict. If the merge raises a +conflict, then the topic branch's developer should take care of resolving it. ## Scenario 1 : reviewer As a reviewer - When I'm asked to review branch T into branch B - Then I need to know if branch T builds fine - once merged into branch B (fresh results!) - And I should be notified of the results + When I'm asked to review branch F into branch B + Then I need to know if branch F builds fine + once locally merged into branch B (fresh results!) + So, if there is no such fresh build available + Then I manually trigger a build of branch F And if the build succeeded - I might want to download the resulting ISO - I might want to get the pkg list - I want the redmine ticket to be notified (optional feature) - Otherwise if it fails I _need_ to see the build logs - And the developer who proposed the merge should be notified - And the ticket shouldn't be reassigned to the branch submitter - And QA check should be set to `Dev needed` - + The resulting ISO must be made available to me + The pkg list must be made available to me + The Redmine ticket should be notified + Otherwise if it fails the developer who proposed the merge must be notified + And the developer *needs* to see the build logs + And the ticket should be reassigned to the branch submitter + And QA check should be set to "Dev needed" + +Bonus: + +* Notify the manual build requester of the build results. Depends on + using Jenkins internal authentication system, and may be complicated + if it doesn't attach email address info to each user (apparently the + Email-ext plugin just builds the email address by concatenating + login, `@` and a fixed domain name -- this could be worked around + with email aliases hosted somewhere on our infrastructure). +* Make it easy for the reviewer to know whether the last build of + branch F is current. Or, better (?), trigger rebuilds of all topic + branches upon modifications (possibly == rebuild) on their + base branch. ## Scenario 2 : developer - As a developper who has the commit bit - When I'm working on branch T - Then I need to know if my branch builds after I've pushed + As a developer who has the commit bit + When I'm working on branch F + Then I need to know if my branch builds after I've pushed and it + is has been locally merged in base branch B And I need to know if my branch build is broken by something else - possibly weeks after my last commit by e.g Debian changes, - changes in branch B... + possibly weeks after my last commit (by e.g Debian changes, + changes in branch B, ...) And if the build succeeded - I might want to download the resulting ISO - I might want to get the pkg list - I want the redmine ticket to be notified (optional feature) - Otherwise if it fails I _need_ to see the build logs - And the developer who proposed the merge should be notified - And the ticket shouldn't be reassigned to the branch submitter - And QA check should be set to `Dev needed` + The resulting ISO must be made available to me + The pkg list must be made available to me + The Redmine ticket should be notified + Otherwise if it fails I *need* to see the build logs + And the developer who proposed the merge must be notified + And the ticket should be reassigned to the branch submitter + And QA check should be set to "Dev needed" ## Scenario 3 : RM As the current RM When working the full dev release cycle - Then I need to know when a branch FTBFS - And when this happens I need to see the build logs. + Then I need to know when a base branch fails to build + And when this happens the build logs must be made available to me. # Future ideas @@ -103,9 +179,9 @@ In the folowing scenario: This list other scenarios not part of the first deployement iteration, but we might want to consider it in the future. -## Scenario 1 +## Scenario 10 - As a tails developer working on branch B + As a Tails developer working on branch B When I upload a package to APT suite B Then I want to know if it broke the build ASAP @@ -113,10 +189,10 @@ might want to consider it in the future. (acceptable workaround: being able to manually trigger a build.) -## Scenario 2 +## Scenario 11 As the current RM - When I push new tag T on branch + When I push new tag T on branch B Then I want the APT suite for tag T to be created And I want the APT suite B to be copied into the APT suite T And once this is done, I want a build from the checkout of tag T to be @@ -124,9 +200,55 @@ might want to consider it in the future. And I want the squashfs sort file to be generated, and the diff sent to me -## Scenario 3 +## Scenario 12 - As a Tails developper + As a Tails developer When the test suite is ran on the ISO build from my last commit - I want to watch the TV and see the test video in HTML5 from a Torbrowser - + I want to watch TV and see the test video in HTML5 from Tor Browser + + +## Scenario 13 + + As a Tails developer + When an ISO is build from my last commit + I want to access it through remote desktop (VNC/Spice/...) over Tor + +## Scenario 14 + + As a Tails developer + When I push a new commit or a new Debian package to a base branch + I want the affected feature branches to be rebuilt with that change + + +# Statistics + +As of 2015-02-02, there are 26 branches that would be automatically +build as part of the next 1.3 release, following the for now defined +criterias (above in this blueprint): + +* feature/7779-revisit-touchpad-settings +* feature/6992-whisperback-email-address +* bugfix/8714-tor-is-ready-robustness +* bugfix/8680-git-without-polipo +* feature/8719-mount-output-in-bug-reports +* feature/6241-gnupg2 +* feature/8725-remove-vagrant-bootstrap-cache +* bugfix/8715-build-system-independent-APT-sources +* feature/7756-reintroduce-whisperback +* bugfix/8699-only-create-timestamps-in-Jenkins +* feature/8740-new-signing-key-phase-2 +* feature/8665-remove-adblock +* bugfix/8756-repair-local-packages +* feature/7530-docker_anonym +* feature/7530-docker-with-apt-cacher-ng +* feature/7963-background-color +* feature/8491-live-additional-software-in-whisperback +* feature/7530-docker +* feature/linux-3.18 +* feature/torbrowser-alpha +* bugfix/8747-update-tails-apt-repo-signing-key +* feature/8726-use-homogenous-Debian-mirrors-at-build-time +* feature/5525-sandbox-web-browser +* feature/7752-keyringer +* feature/6739-install-electrum +* bugfix/quote-wrappers-arguments diff --git a/wiki/src/blueprint/automated_builds_and_tests/autobuild_stats.mdwn b/wiki/src/blueprint/automated_builds_and_tests/autobuild_stats.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..6effa32d626978395a84472a963fc7215612785e --- /dev/null +++ b/wiki/src/blueprint/automated_builds_and_tests/autobuild_stats.mdwn @@ -0,0 +1,679 @@ +[[!meta title="Builds and merges statistics"]] + +Here are the gathered rough statistics of branches merged during each +Tails releases, and the number of builds that happen daily on Jenkins. + +[[!toc levels=2]] + +# Builds per day + +Here are some stats extracted from the jenkins logs. Note that the first +and last one are incomplete, due to log rotation. In the covered time, +there has been around 6 branches being built daily, and mainly +experimental and devel having some activity. + + - 2015-02-10: 18 + - 2015-02-11: 25 + - 2015-02-12: 25 + - 2015-02-13: 14 + - 2015-02-14: 17 + - 2015-02-15: 27 + - 2015-02-16: 10 + - 2015-02-17: 24 + - 2015-02-18: 18 + - 2015-02-19: 38 + - 2015-02-20: 22 + - 2015-02-21: 22 + - 2015-02-22: 32 + - 2015-02-23: 40 + +# Merged branches per releases + + - 0.10.1: 9 + - 0.10.2: 5 + - 0.11: 40 + - 0.12: 28 + - 0.12.1: 3 + - 0.13: 22 + - 0.14: 24 + - 0.15: 23 + - 0.16: 23 + - 0.17: 19 + - 0.17.2: 10 + - 0.18: 23 + - 0.19: 15 + - 0.20: 20 + - 0.20.1: 11 + - 0.21: 33 + - 0.22: 17 + - 0.22.1: 12 + - 0.23: 45 + - 1.0: 6 + - 1.0.1: 8 + - 1.1: 53 + - 1.1.1: 18 + - 1.2: 35 + - 1.2.1: 20 + - 1.2.3: 14 + +That's an average of 20 branches. If we only count the major releases, +the average gets a bit higher to 25. + +# Merged branches details + +## 0.10.1 + + - bugfix/adblock_2.0.3 + - bugfix/mat_0.2.2-2 + - bugfix/monkeysphere_was_fixed + - bugfix/offline_security_check + - bugfix/oftc_onion + - bugfix/remote_ssh + - feature/more_resilient_htpdate + - feature/startpage_as_default + - feature/tordate + +## 0.10.2 + + - bugfix/build-with-iceweasel-10 + - bugfix/disable_ssl_observatory + - feature/tordate + - origin/bugfix/noscript_on_local_files + - doc/install_usb_mac + +## 0.11 + + - bugfix/adblock_2.0.3 + - bugfix/adduser-preseeding + - bugfix/build-with-iceweasel-10 + - bugfix/debian-602973 + - bugfix/disable-laptop-mode-auto-modules + - bugfix/disable_gdomap + - bugfix/dumb_git + - bugfix/ff10-esr + - bugfix/ff11 + - bugfix/foxyproxy-vs-ff11 + - bugfix/linux-3.2.0-2 + - bugfix/mat_0.2.2-2 + - bugfix/monkeysphere_was_fixed + - bugfix/offline_security_check + - bugfix/oftc_no_onion + - bugfix/oftc_onion + - bugfix/open-documentation-with-yelp + - bugfix/remote_ssh + - bugfix/time_sync_notification + - bugfix/torify-whois + - bugfix/unmute_alsa_speaker_channel + - bugfix/update-ca-for-security-check + - feature/backported_xorg + - feature/better_duckduckgo + - feature/htpdate_hs_notification + - feature/iceweasel_start + - feature/more_languages + - feature/more_resilient_htpdate + - feature/more_search_engines + - feature/persistence + - feature/replace_tails-wifi_with_laptop-mode-tools + - feature/spice + - feature/startpage_as_default + - feature/tails-greeter + - feature/tordate + - feature/usb_installer + - feature/vboxsf_group + - feature/whisperback + - feature/youtube_html5 + - origin/bugfix/noscript_on_local_files + - origin/doc/experimental + +## 0.12 + + - bugfix/adduser-preseeding + - bugfix/boot-profile_vs_live-rofs + - bugfix/build-without-http_proxy + - bugfix/claws_vs_torsocks + - bugfix/debian-602973 + - bugfix/iceweseal-10-sqlite-pinning + - bugfix/no-volumes-on-desktop + - bugfix/open-documentation-with-yelp + - bugfix/remove-undesired-search-plugins + - bugfix/remove_cryptkeeper + - bugfix/update-iceweasel-searchplugins-location + - feature/accessibility + - feature/dedup-usr-share-doc + - feature/i2p-0.9 + - feature/install-rfkill + - feature/live-boot-3.x + - feature/mat + - feature/persistence + - feature/tails-greeter + - feature/tails-plymouth-theme + - feature/torsocks + - feature/unsafe-browser + - feature/usb_installer + - feature/vagrant + - feature/virtualbox-4.1.10 + - feature/whisperback + - origin/bugfix/writable_boot_media + - origin/feature/custom_boot_menu + +## 0.12.1 + + - bugfix/boot-profile_vs_live-rofs + - bugfix/iceweseal-10-sqlite-pinning + - feature/mat + +## 0.13 + + - bugfix/claws-persistent-pop-email + - bugfix/clean_up_resolvconf + - bugfix/l10n_unsafe-browser + - bugfix/longer-whisperback-timeout + - bugfix/old-plymouth + - bugfix/plymouth-squeeze-backport + - bugfix/remove_ttdnsd_from_the_loop + - feature/do-not-build-the-forum + - feature/incremental-upgrades + - feature/live-boot-3.x + - feature/mat + - feature/precompiled-locales + - feature/tails-greeter + - feature/use-upstream-ikiwiki + - feature/wireless-regulation + - origin/bugfix/empty_NoScript_whitelist + - origin/bugfix/fix_slow_offline_documentation + - origin/bugfix/hide_TailsData_volume + - origin/bugfix/writable_boot_media + - origin/feature/firewall_lockdown + - origin/feature/more_whisperback_logs + - origin/feature/whisperback_16 + +## 0.14 + + - bugfix/default_search_engines + - bugfix/longer-whisperback-timeout + - bugfix/make_paths_relative_in_syslinux + - feature/assymetric_gpgApplet + - feature/multikernel + - feature/persistence + - feature/persistent_NM_connections + - feature/separate_Tor_streams + - feature/torbrowser + - feature/unsafe-browser + - feature/usb_installer + - feature/use_ferm + - feature/vagrant + - origin/bugfix/fix_background_readahead + - origin/bugfix/fix_slow_offline_documentation + - origin/bugfix/iceweasel_file_associations + - origin/bugfix/tordate_vs_tor_0.2.3.x + - origin/feature/Tor_0.2.3 + - origin/feature/catch_errors_in_hooks + - origin/feature/disable_pc_speaker + - origin/feature/early_skip_unwanted_packages + - origin/feature/japanese_input + - origin/feature/shutdown_cleanup + - origin/feature/whisperback_1.6.1 + +## 0.15 + + - bugfix/i2p_console_bookmark + - bugfix/make_paths_relative_in_syslinux + - bugfix/monkeysphere_post_torbrowser + - bugfix/remove-cookies-exceptions + - feature/OpenPGP-SmartCard + - feature/apt-repository + - feature/dpkg-origin + - feature/nicer-fonts + - feature/obfsproxy + - feature/persistent_bookmarks + - feature/remove-pdnsd + - feature/remove-pdnsd + - feature/torbrowser + - mercedes508/testing + - origin/bugfix/bridge_mode_vs_tor_restarts + - origin/bugfix/gpgApplet_menu_in_bottom_panel + - origin/bugfix/handle_apt_sources_for_rc + - origin/bugfix/no-console-setup-on-X + - origin/bugfix/tordate_vs_tor_0.2.3.x + - origin/feature/hpijs + - origin/feature/korean_input + - origin/feature/obfsproxy + - origin/feature/obfsproxy + +## 0.16 + + - bugfix/cleanup-apt-pinning + - bugfix/disable-IPv6 + - bugfix/scim-in-autostarted-iceweasel + - feature/ekeyd + - feature/hide-iceweasel-modules-bar + - feature/install-tasksel-standard-task + - feature/live-persist_guess_removable + - feature/news-as-homepage + - feature/persistent-directory-in-places + - feature/poedit-1.5 + - feature/remove-fake-firegpg + - feature/remove-xul-ext-monkeysphere + - feature/sinhala-font + - mercedes508/testing + - origin/bugfix/bridge_mode_vs_tor_restarts + - origin/bugfix/gpgApplet_menu_in_bottom_panel + - origin/bugfix/handle_apt_sources_for_rc + - origin/bugfix/strict_live-persist_media + - origin/bugfix/tordate_vs_bridge_mode + - origin/feature/better_power_off_button + - origin/feature/just_hide_iceweasel_add-on_bar + - origin/feature/unsafe_browser_name + - doc/accessibility + +## 0.17 + + - bugfix/disable-flawed-Pidgin-features + - bugfix/do_not_allow_listing_fonts + - feature/adblock-from-backports + - feature/live-persist_guess_removable + - feature/spell-checker + - feature/torbrowser + - mercedes508/testing + - origin/bugfix/disable-iceweasel-extensions-auto-update + - origin/bugfix/fix_default_iceweasel_spelling_language + - origin/bugfix/i2p_hidden_mode + - origin/bugfix/only-one-memlockd + - origin/bugfix/remove_apt_local_cache + - origin/bugfix/shutdown_with_camouflage + - origin/feature/gobi-loader + - origin/feature/install-password-manager + - origin/feature/live-boot-3.x + - origin/feature/newer-barry + - origin/feature/recent-microcode + - origin/feature/regular-gnupg-agent + - doc/administration_password + - doc/fingerprint + +## 0.17.2 + + - bugfix/udisks-do-not-make-Tails-USB-unbootable + - bugfix/use-more-reliable-keyserver + - doc/test_suite + - feature/no-html5-click-to-play + - origin/bugfix/disable-indymedia-irc-account + - origin/bugfix/workaround-non-installable-xorg-backport + - origin/feature/are_you_using_tor_link + - origin/feature/automated_tests/cucumber + - doc/test_suite + - doc/donate + +## 0.18 + + - bugfix/disable-flawed-Pidgin-features + - bugfix/fix_iceweasel_prefs_for_0_18 + - bugfix/non-obfsproxy_proxy + - bugfix/post-wheezy_pinning + - bugfix/preserve_pot_charset + - bugfix/udisks-do-not-make-Tails-USB-unbootable + - bugfix/use-more-reliable-keyserver + - bugfix/wheezy_was_released + - feature/debian_live_log_in_bugreports + - feature/enable-IPv6 + - feature/gnome-screenshot + - feature/install_gnome-accessibility-themes + - feature/jenkins-compatible-build-script + - feature/less_kernel_infoleak + - feature/no-html5-click-to-play + - feature/obfs3 + - feature/remember_installed_packages + - feature/torbrowser + - feature/torbutton-1.5.x + - feature/wheezy-security_APT_source + - origin/feature/about_tails + - origin/feature/less_kernel_infoleak + - doc/sort_the_forum + +## 0.19 + + - bugfix/fix_iceweasel_prefs_for_0_18 + - bugfix/gpgapplet_do_not_erase_clipboard + - bugfix/no_passwordless_sudo + - bugfix/wheezy_was_released + - feature/set-wireless-devices-state + - origin/bugfix/buggy_aufs_vs_unsafe-browser_workaround + - origin/bugfix/new_persistence_location + - origin/feature/better-controlled-gnupg-connections + - origin/feature/bilibop + - origin/feature/linux-3.8 + - origin/feature/linux-3.9 + - origin/feature/live-boot_3.0_final + - origin/feature/newer_virt-what + - origin/feature/remove_gnome_proxy_settings + - doc/close_the_forum + +## 0.20 + + - bugfix/fr-po-header + - bugfix/no_passwordless_sudo + - feature/install-dasher + - feature/intltoolize + - feature/linux-3.10-1 + - feature/truecrypt_deprecation_wrapper + - mercedes508/devel + - origin/bugfix/buggy_aufs_vs_unsafe-browser_workaround + - origin/bugfix/dont-warn-when-leaving-https + - origin/bugfix/localized-iceweasel-search-engine + - origin/bugfix/new_persistence_location + - origin/doc/better-pidgin-and-otr-documentation + - origin/feature/alsa-info-in-bug-reports + - origin/feature/disable_Pidgin_accounts + - origin/feature/jenkins-compatible-build-script + - origin/feature/less-pidgin-code + - origin/feature/remember_installed_packages + - origin/feature/restrict-access-to-ptrace + - doc/circumvention + - doc/fix_signature_links + +## 0.20.1 + + - bugfix/fix_packages_impossible_to_install + - bugfix/unmount-persistent-volume-on-shutdown + - feature/consistent-peristence-path + - feature/linux-3.10-1 + - feature/linux-3.10.11 + - feature/tor-0.2.4 + - origin/bugfix/additional-software-upgrade-failed-message + - origin/bugfix/i2p-irc-in-pidgin + - origin/feature/More_uniq_built_iso_name_in_jenkins + - origin/feature/tails-bugs + - origin/test/fix-iso-reporting + +## 0.21 + + - bugfix/browser-resizing + - bugfix/fix_packages_impossible_to_install + - bugfix/unmount-persistent-volume-on-shutdown + - bugfix/world-readable-persistence-state-file + - feature/Debian-proposed-updates + - feature/GnuPG-no-emit-version + - feature/consistent-peristence-path + - feature/keepassx_launcher + - feature/linux-3.10.11 + - feature/liveusb_ui_improvement + - feature/persistent_printers + - feature/same-startpage-custom-url-as-tbb + - feature/sdio + - feature/stronger-gnupg-cipher + - feature/tor-0.2.4 + - origin/bugfix/additional-software-upgrade-failed-message + - origin/bugfix/i2p-irc-in-pidgin + - origin/bugfix/safer-persistence + - origin/doc/improve_bug_reporting_workflow + - origin/feature/More_uniq_built_iso_name_in_jenkins + - origin/feature/Sign_jenkins_builds_artifacts + - origin/feature/sdio + - origin/feature/simplify_ikiwiki_setup + - security/vidalia_in_its_own_user + - test/fix-detection-of-used-display + - doc/sort_the_forum + - doc/additional_software_and_tor + - doc/using_a_virtual_keyboard + - doc/explain_path_for_claws_mail_persistent + - doc/contribute-categories + - doc/explain_why_Tor_is_slow + - doc/cold-boot-attack + - doc/update-persistence-path + +## 0.22 + + - bugfix/6468-disable-webrtc + - bugfix/back-to-linux-3.10 + - bugfix/browser-resizing + - bugfix/safer-persistence + - bugfix/world-readable-persistence-state-file + - feature/incremental-upgrades + - feature/perl5lib + - origin/bugfix/additional-software-nitpicking + - origin/bugfix/disable-dpms + - origin/bugfix/fix-tag-existence-detection + - origin/bugfix/vidalia_fails_to_start + - origin/feature/ff24 + - origin/feature/linux-3.11-2 + - origin/feature/sdio + - winterfairy/bugfix/ibus + - winterfairy/feature/import-translations + - doc/contribute-categories + +## 0.22.1 + + - bugfix/6477-htpdate-user-agent + - bugfix/6536-IE-icon-in-Windows-camouflage-mode + - bugfix/use-our-own-sqlite + - davidiw/bugfix + - feature/dont_autostart_iceweasel + - feature/incremental-upgrades-integration + - feature/linux-3.12 + - feature/torbrowser-24.2.0esr-1+tails1 + - origin/bugfix/6377-workaround-for-window-size + - origin/bugfix/6478 + - origin/bugfix/6612-spanish-homepage + - origin/bugfix/fix-tag-existence-detection + +## 0.23 + + - bugfix/6390-dont-include-APT-lists-and-cache-in-the-ISO + - bugfix/6477-htpdate-user-agent + - bugfix/6536-IE-icon-in-Windows-camouflage-mode + - bugfix/6592-fix-races-with-check-for-upgrades + - bugfix/back-to-linux-3.10 + - bugfix/linux-kbuild-3.12-from-testing + - bugfix/tails-documentation-launcher + - bugfix/unsafe-browser-vs.-FF24 + - bugfix/use-our-own-sqlite + - drwhax/pidgin + - feature/6508-incremental-upgrades-phase-four + - feature/6661-pidgin-2.10.9 + - feature/6790-remove-cookie-monster + - feature/amd64-kernel + - feature/better-iso-cleanup + - feature/cleanup-ikiwiki-setup + - feature/create-additional-software-config + - feature/disable-mei + - feature/incremental-upgrades + - feature/linux-3.12 + - feature/linux-3.12-devel + - feature/monkeysign + - feature/pidgin-2.10 + - feature/poedit-from-backports + - feature/spoof-mac + - feature/torbrowser-24.2.0esr-1+tails1 + - feature/torbutton-1.6.5.3 + - killyourtv/bugfix/new-i2p-site + - mercedes508/testing + - origin/bugfix/6377-workaround-for-window-size + - origin/bugfix/6478 + - origin/bugfix/6612-spanish-homepage + - origin/feature/5588-no-autologin-consoles + - origin/feature/bridge-mode + - origin/test/sniffer-vs-mac-spoof + - test/5959-antitest-memory-erasure + - test/dont_autostart_iceweasel + - test/fix-persistence-checks + - test/keep-volumes-tag + - test/rjb-migration + - test/tor-is-ready-notification + - winterfairy/bugfix/allow-ibus-start + - winterfairy/bugfix/torbutton-new-identity + - winterfairy/feature/import-translations-extern + +## 1.0 + + - doc/7054-explain-why-not-randomising-oui-part-of-mac + - doc/unsafe_browser + - doc/network-manager + - doc/introduction + - doc/bridge-mode-design + - doc/6182-contribute-how-sysadmin + +## 1.0.1 + + - feature/squeeze-lts-updates + - origin/feature/linux-3.14-in-squeeze + - doc/otr + - doc/stay-tuned + - doc/encrypted-persistence + - doc/why_tor + - doc/mention-Debian-on-the-homepage + - doc/vidalia + +## 1.1 + + - bugfix/7126-gdm-background + - bugfix/7344-double-click-in-tails-greeter + - bugfix/7345-upgrade-from-iso-from-1.0-to-1.1 + - bugfix/7443-persistent-files-permission + - bugfix/i2p_incoming + - doc/wheezy + - feature/6608-OpenPGP-signature-verification-in-Nautilus + - feature/linux-3.13 + - feature/linux-3.14 + - feature/torbrowser-24.6.0esr-0+tails1 + - feature/uefi + - origin/bugfix/7055-drop-default-APT-release + - origin/bugfix/7065-keyboard-localization + - origin/bugfix/7079-shared-mime-info-1.3 + - origin/bugfix/7166-vagrant-memory-checks + - origin/bugfix/7175-openjdk-7 + - origin/bugfix/7234-zenity-dialog-height + - origin/bugfix/7248-bg-color-vs-display-settings-change + - origin/bugfix/7251-orca + - origin/bugfix/7279-Florence-font + - origin/bugfix/7285-browse-doc-with-iceweasel + - origin/bugfix/7330-disable-gnome-keyring-gpg-functionality + - origin/bugfix/7333-emergency-shutdown-before-login + - origin/bugfix/7336-no-dselect + - origin/bugfix/7337-purge-iproute2 + - origin/bugfix/7338-migrate-nm-persistence-setting + - origin/bugfix/7343-static-uids + - origin/bugfix/7473-unsafe-browser-theme + - origin/bugfix/7594-remove-unsafe-browser-bookmarks + - origin/bugfix/7605-fix-emulator-path + - origin/bugfix/7641-iuk-chdir-vs-stricter-home-amnesia-permissions + - origin/bugfix/fix-vagrant-compatibility-issues + - origin/bugfix/fix_virtualbox_dkms_build + - origin/bugfix/looser-memory-requirements-for-upgrades-check + - origin/bugfix/use-Wheezy-repo-for-debian-mozilla + - origin/bugfix/vagrant-ram-bump-for-wheezy + - origin/doc/7216-persistence-backup-permissions + - origin/doc/7280-VirtualBox-vs-syslinux-6 + - origin/doc/7590-known-issues + - origin/doc/office + - origin/doc/sensitive_documents + - origin/feature/6342-update-camouflage-for-gnome3 + - origin/feature/6763-include-nautilus-gtkhash + - origin/feature/7096-integrate-the-new-logo-in-about-tails + - origin/feature/7425-ship-win32-syslinux + - origin/feature/7479-disable-proxy-protocol-handler + - origin/feature/mat-0.5.2 + - origin/feature/tor-launcher-0.2.5.4 + - origin/feature/torbrowser-24.5.0esr-1+tails1 + - origin/feature/torbutton-1.6.9.0 + - seb35/doc + - test/6559-adapt-test-suite-for-Wheezy + - doc/7534-checksum + +## 1.1.1 + + - bugfix/6372-squashfs-sort-file-update + - bugfix/7060-use-gnome-run-dialog-less + - bugfix/7618-gnome-help + - bugfix/7657-fix-security-check + - feature/linux-3.14-2 + - feature/vagrant-wheezy-basebox + - kytv/feature/i2p-bootparam + - kytv/feature/i2p-disable-bob + - origin/bugfix/7636-printers-configuration + - origin/bugfix/7688-no-dhcp-send-hostname + - origin/bugfix/7807-remove-duplicate-openjdk-jre + - origin/doc/i2p + - origin/feature/7705-smaller-squashfs + - origin/test/7712-hostname-leaks + - origin/test/7760-i2p-toggled-via-boot-parameter + - doc/7462-new-isohybrid-options + - doc/tails-support-private + - doc/7370-isohybrid-modifies-iso + +## 1.2 + + - bugfix/7345-upgrade-from-iso-from-1.0-to-1.1 + - bugfix/8038-remove-useless-iceweasel-apt-pinning + - feature/5373-replace-truecrypt + - feature/5648-dont-set-torbutton-environment-globally + - feature/7668-simplify-IPv6-firewall-rules + - feature/7730-remove-expired-pidgin-certs + - feature/7732-i2p-network-manager-hook + - feature/8031-refactor-10-rbb-hook + - feature/8100-linux-3.16.5-1 + - feature/linux-3.16-2 + - feature/tor-browser-bundle + - killyourtv/feature/7916-i2p_remove_ssl_outproxy + - killyourtv/feature/7952-hide-tbb-health-and-get-addons-in-unsafe-browser + - origin/bugfix/7173-upgrade-syslinux + - origin/bugfix/8035-remove-branding-extension-in-unsafe-browser + - origin/bugfix/8036-workaround-for-localized-searchplugins + - origin/bugfix/8037-install-localized-wikipedia-searchplugins + - origin/bugfix/8057-translatable-tor-browser-desktop-file + - origin/bugfix/8060-fix-default-search-engine + - origin/bugfix/better-error-reporting + - origin/feature/5730-enable-virtualbox-guest-additions + - origin/feature/6579-disable-tcp-timestamps + - origin/feature/7356-visible-otr-status + - origin/feature/7461-persistence.conf-in-whisperback + - origin/feature/7886-linux-3.16 + - origin/feature/Debian-proposed-updates + - origin/feature/apparmor + - origin/feature/monkeysign + - origin/feature/tor-0.2.5.x-alpha + - origin/test/7231-uefi-boot + - test/7804-test-unit-assertions + - doc/7369-bootstrapping-process + - doc/dotfiles + - doc/7259-seahorse-nautilus-screenshots + - doc/7747-persistent-volume-damage + +## 1.2.1 + + - feature/Debian-proposed-updates + - feature/tor-browser-4.0.2 + - feature/vagrant-gettext-from-wheezy-backports + - origin/bugfix/7945-directories-in-boot-profile + - origin/bugfix/8139-install-more-loxalized-searchplugins + - origin/bugfix/8153-set-gnome-browser-mime-types + - origin/bugfix/8155-get-isohybrid-back + - origin/bugfix/8158-stacked-rootfs-vs-chroot-browsers + - origin/bugfix/8160-restrict-tor-browser-logging + - origin/bugfix/8186-pidgin-http-links + - origin/bugfix/8189-intel-microcode-v3 + - origin/feature/7416-gnupg-socks + - origin/feature/7512-Make-GnuPG-config-closer-to-duraconf-reworked + - origin/feature/7740-remove-truecrypt + - origin/feature/8028-remove-unsafe-browser-test-menu-workaround + - origin/feature/linux-3.16.0-4 + - origin/test/8059-more-robust-windows-systray + - origin/test/8140-more-robust-apps-menu + - origin/test/8161-more-robust-pidgin-connected + - doc/8049-update-screenshots + +## 1.2.3 + + - bugfix/7644-remove-mounted-image-from-vagrant-build-box + - bugfix/8571-fix-mac-spoof-panic-mode + - bugfix/8693-fix-tor-browser-locale-guessing + - feature/Debian-proposed-updates + - matsa/bugfix/8071-Do-not-suspend-to-RAM-when-closing-lid + - matsa/bugfix/8087-gnome-screenshot-save-to-home-folder + - origin/bugfix/8449-iuk-install-robustness + - origin/bugfix/handle-website-CA-change + - origin/test/8359-check-po + - doc/improve-verification-structure + - doc/8480-skip-obsolete + - doc/8241-update-greeter-screenshots + - doc/8388-redmine-git-integration + - doc/8382-meeting-management + diff --git a/wiki/src/blueprint/automated_builds_and_tests/jenkins.mdwn b/wiki/src/blueprint/automated_builds_and_tests/jenkins.mdwn index 56d32e667fdd9ac15ab89d413ee9956817694772..e452fdb7a9f8d140e8a7d2a684f06ce2ac9054b6 100644 --- a/wiki/src/blueprint/automated_builds_and_tests/jenkins.mdwn +++ b/wiki/src/blueprint/automated_builds_and_tests/jenkins.mdwn @@ -82,6 +82,30 @@ Notifications messages from Jenkins [Notification plugin](https://wiki.jenkins-ci.org/display/JENKINS/Notification+Plugin). +### Notifying different people depending on what triggered the build + +At least the obvious candidate (Email-ext plugin) doesn't seem able to +email different recipients depending on what triggered the build +out-of-the-box. But apparently, one can set up two 'Script - After +Build' email triggers in the Email-ext configuration: one emails the +culprit, the other emails the RM. And then, they do something or not +depending on a variable we set during the build, based on what +triggered the build. Likely the cleaner and simpler solution. + +Otherwise, we could have Jenkins email some pipe script that will +forward to the right person depending on 1. whether it's a base +branch; and 2. whether the build was triggered by a push or by +something else. This should work if we can get the email notification +to pass the needed info in it. E.g. the full console output currently +has "Started by timer" or "Started by an SCM change", but this is not +part of the email notification. Could work, but a bit hackish and all +kinds of things can go wrong. + +Also, I've seen lots of people documenting crazy similar things with +some of these plugins: "Run Condition", "Conditional BuildStep", +"Flexible Publish" and "Any Build step". But then it gets too +complicated for me to dive into it right now. + How others use Jenkins ---------------------- diff --git a/wiki/src/blueprint/backups.mdwn b/wiki/src/blueprint/backups.mdwn index c3b107302b0f0dab124ab223a0816d5102bfa402..adb8cdb707777ccc2d72eaaa841c33cb3f2039d8 100644 --- a/wiki/src/blueprint/backups.mdwn +++ b/wiki/src/blueprint/backups.mdwn @@ -73,39 +73,40 @@ Grsync is [packaged for debian](https://packages.debian.org/squeeze/grsync). The documentation for the creation of the encrypted device [[is already written|doc/encryption_and_privacy/encrypted_volumes]]. -### Pros - -* not that much things to code -* grsync can be easily preconfigurated, eventually with multiple profiles -* this solution separate backup and encryption work -* allows remote backups - -### Cons - -* seems not really actively developped -* not possible to do incremental backups -* needs a separate encrypted device for backups or reuse the "loopback LUKS" - solution -* does not check if enough space is available on the destination before running - ### How to test? * create an encrypted device. * install the grsync package. -* paste [those lines](http://dustri.org/p/38e76b) in a .grsync file, then double-click on it. +* paste [those lines](https://paste.debian-facile.org/view/raw/a7a7fe3c) in a `.grsync` file, then double-click on it. (grsync ask you first to confirm the profile you want to use. Just click on "Open") * define the destination (i.e your encrypted device) * test wildly! and please report your results -### Todo +### Pros + +* not that much things to code +* grsync can be easily preconfigurated, eventually with multiple profiles +* this solution separates backup and encryption work +* allows remote backups + +### Features to request + +* grsync should check if enough space is available on the destination before running. + Update: rsync 3.1.0 [introduces](https://rsync.samba.org/ftp/rsync/src/rsync-3.1.0-NEWS) a `--preallocate` option. + (Tails actually ships rsync 3.0.9) +* grsync should ask for confirmation when the option "Delete on the destination" is activated +* when user double-click on a `.grsync` file, a window appears to confirm which file to open. This may be confusing. + +### Misc * some files are normally not readable by rsync (for example persistence.conf, apt/*) Grsync can bypass that with the option "Run as superuser", we should investigate the consequences of using such an option. We still have the possibility to ignore those files: we just have then to add `--exclude="apt"` in the preconfiguration file. * decide if we activate the option `--delete` by default. -* test restoration (see File → Invert source and destination), then at least check files permissions. +* test restoration (see File → Invert source and destination). Then, at least, check files permissions. * test backup + restoration with symlinks and hardlinks in the Persistent folder. * eventually test remote backups. +* see the [thread on tails-dev](https://mailman.boum.org/pipermail/tails-dev/2015-January/007931.html) rdup ---- diff --git a/wiki/src/blueprint/bootstrapping.mdwn b/wiki/src/blueprint/bootstrapping.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..6f7df77a861cf852e67e4ee5114c497eed73311c --- /dev/null +++ b/wiki/src/blueprint/bootstrapping.mdwn @@ -0,0 +1,137 @@ +[[!meta title="Bootstrapping workflow"]] + +This blueprint analyses and proposes simplifications to the workflow of +a new user discovering Tails until she gets a full-featured Tails USB +stick with persistence. + +Big logical steps are: + + - Learn what Tails is + - Download the ISO + - Verify the ISO + - Install medium (might require going through a bootstrapping medium) + - Create persistence + +Subpages +======== + +Check the following subpages to see the improvements that we proposed in +different area of that process: + + - [[ISO verification|verification]] + - [[Browser extension|extension]] + - [[Tails Installer|installer]] + - [[Booting|booting]] + - [[Upgrades|upgrade]] + +Table of content +================ + +[[!toc levels=3]] + +2014 +==== + +[[Diagram of the detailed workflow as of December 2014|2014.fodg]] + +2015 +==== + +Over 2015 we will work on several improvements to simplify greatly this +workflow: + + - Tails Installer in Debian + - [[Browser extensions|extension]] for automatic verification of the ISO + - [[Web assistant|assistant]] to guide the user throughout this process + +[[Diagram of the detailed workflow as of December 2015|2015.fodg]] (work in progress) + +<a id="tools"></a> + +Involved tools +-------------- + +[[!img tools.png link=tools.fodg]] + +Notes: + +- **Debian Hacker** corresponds to a path on the command line only. Its + main benefit is to go through the **Debian keyring** verification + which is the strongest verification technique that we propose. +- **Debian** is a path for Debian derivatives where Tails Installer is + available. That will be the case of Ubuntu starting from 15.10, + Debian Jessie backports, and Debian Stretch ([[!tails_ticket 8805]]). +- **Other OS** is Windows, Mac OS X, Fedora, etc. +- **OpenPGP with Debian keyring** are command line instructions for verifying the + Tails signing key against the Debian keyring. +- **Extension from Debian** takes for granted that the ISO verification + extension will be available in Debian ([[!tails_ticket 8822]]). This + might not be the case and then people would fallback on **Extension + from browser**. +- **GNOME Disks** now has a "Restore Disk Image" feature which can be + used to copy an ISO image onto a USB stick and is widely available. +- **UUI** has been our canonical installer on Windows for years. +- **DiskUtils** should be tested on Mac, unfortunately it doesn't work + for us ([[!tails_ticket 8802]]). + +Bonus for 2015 +-------------- + +- Add splash when booting manual installation from USB [[!tails_ticket #8838]]. + +Use cases +========= + +This is a brainstorming on the different use cases dealing with +downloading, verifying, installing, and upgrading Tails. +This list should be useful to check whether all scenarios are covered. +The comments, placed after ':' correspond to our rough objectives for +2015. + +- Download + - HTTP + - Successful: 15 to 60 minutes + - Failed: ? + - Corrupted: ? + - Torrent + - Corrupted: ? + - Nightly +- Verify + - Checksum + - Firefox: extension, what's up with Torrents? + - Chrome: extension? [[!tails_ticket 8803]], [[!tails_ticket 8531]] + - Other browsers: + - Windows: fallback on OpenPGP? + - Mac: fallback on OpenPGP? + - Linux: fallback on OpenPGP? + - OpenPGP + - GNOME: seahorse-nautilus + - Other Linux: command line + - Windows: Gpg4Win + - Mac: GPGTools [[!tails_ticket 8807]] +- Install + - DVD + - USB + - Tails: friend + Tails Installer + - Debian + - Jessie: Tails Installer backport? [[!tails_ticket 8005]] + - Stretch: Tails Installer [[!tails_ticket 8549]] + - Ubuntu + - Latest LTS, 14.04: Tails Installer? [[!tails_ticket 8806]] + - Latest, 15.04: Tails Installer? [[!tails_ticket 8806]] + - Next LTS, 16.04: Tails Installer? [[!tails_ticket 8806]] + - Next, 15.10: Tails Installer? [[!tails_ticket 8806]] + - Windows: UUI + - Mac OS X: command line or new graphical tool? [[!tails_ticket 8802]] + - Virtualization: VirtualBox, GNOME Boxes, virt-manager +- Upgrade from ISO (full upgrade or nightly) + - Full upgrade + - From Debian, Ubuntu if available + - From Tails otherwise: need bootstrapping device + - Incremental upgrade + - Virtualization: virt-manager +- Misc + - Newsletter + - Donation: [[!tails_ticket 7176]]? + - Backups: [[!tails_ticket 8812]]? + - Signing key revocation or change diff --git a/wiki/src/blueprint/bootstrapping/2014.fodg b/wiki/src/blueprint/bootstrapping/2014.fodg new file mode 100644 index 0000000000000000000000000000000000000000..f27aaed614ba46f75311d1db5bac0aa64a048706 --- /dev/null +++ b/wiki/src/blueprint/bootstrapping/2014.fodg @@ -0,0 +1,1587 @@ +<?xml version="1.0" encoding="UTF-8"?> + +<office:document xmlns:office="urn:oasis:names:tc:opendocument:xmlns:office:1.0" xmlns:style="urn:oasis:names:tc:opendocument:xmlns:style:1.0" xmlns:text="urn:oasis:names:tc:opendocument:xmlns:text:1.0" xmlns:table="urn:oasis:names:tc:opendocument:xmlns:table:1.0" xmlns:draw="urn:oasis:names:tc:opendocument:xmlns:drawing:1.0" xmlns:fo="urn:oasis:names:tc:opendocument:xmlns:xsl-fo-compatible:1.0" xmlns:xlink="http://www.w3.org/1999/xlink" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:meta="urn:oasis:names:tc:opendocument:xmlns:meta:1.0" xmlns:number="urn:oasis:names:tc:opendocument:xmlns:datastyle:1.0" xmlns:presentation="urn:oasis:names:tc:opendocument:xmlns:presentation:1.0" xmlns:svg="urn:oasis:names:tc:opendocument:xmlns:svg-compatible:1.0" xmlns:chart="urn:oasis:names:tc:opendocument:xmlns:chart:1.0" xmlns:dr3d="urn:oasis:names:tc:opendocument:xmlns:dr3d:1.0" xmlns:math="http://www.w3.org/1998/Math/MathML" xmlns:form="urn:oasis:names:tc:opendocument:xmlns:form:1.0" xmlns:script="urn:oasis:names:tc:opendocument:xmlns:script:1.0" xmlns:config="urn:oasis:names:tc:opendocument:xmlns:config:1.0" xmlns:ooo="http://openoffice.org/2004/office" xmlns:ooow="http://openoffice.org/2004/writer" xmlns:oooc="http://openoffice.org/2004/calc" xmlns:dom="http://www.w3.org/2001/xml-events" xmlns:xforms="http://www.w3.org/2002/xforms" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:smil="urn:oasis:names:tc:opendocument:xmlns:smil-compatible:1.0" xmlns:anim="urn:oasis:names:tc:opendocument:xmlns:animation:1.0" xmlns:rpt="http://openoffice.org/2005/report" xmlns:of="urn:oasis:names:tc:opendocument:xmlns:of:1.2" xmlns:xhtml="http://www.w3.org/1999/xhtml" xmlns:grddl="http://www.w3.org/2003/g/data-view#" xmlns:officeooo="http://openoffice.org/2009/office" xmlns:tableooo="http://openoffice.org/2009/table" xmlns:drawooo="http://openoffice.org/2010/draw" xmlns:field="urn:openoffice:names:experimental:ooo-ms-interop:xmlns:field:1.0" xmlns:formx="urn:openoffice:names:experimental:ooxml-odf-interop:xmlns:form:1.0" xmlns:css3t="http://www.w3.org/TR/css3-text/" office:version="1.2" office:mimetype="application/vnd.oasis.opendocument.graphics"> + <office:meta><meta:initial-creator>Debian user</meta:initial-creator><meta:creation-date>2015-01-26T17:54:22</meta:creation-date><meta:generator>LibreOffice/3.5$Linux_X86_64 LibreOffice_project/350m1$Build-2</meta:generator><meta:document-statistic meta:object-count="183"/></office:meta> + <office:settings> + <config:config-item-set config:name="ooo:view-settings"> + <config:config-item config:name="VisibleAreaTop" config:type="int">35402</config:config-item> + <config:config-item config:name="VisibleAreaLeft" config:type="int">-10211</config:config-item> + <config:config-item config:name="VisibleAreaWidth" config:type="int">45911</config:config-item> + <config:config-item config:name="VisibleAreaHeight" config:type="int">19154</config:config-item> + <config:config-item-map-indexed config:name="Views"> + <config:config-item-map-entry> + <config:config-item config:name="ViewId" config:type="string">view1</config:config-item> + <config:config-item config:name="GridIsVisible" config:type="boolean">true</config:config-item> + <config:config-item config:name="GridIsFront" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsSnapToGrid" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsSnapToPageMargins" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsSnapToSnapLines" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsSnapToObjectFrame" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsSnapToObjectPoints" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPlusHandlesAlwaysVisible" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsFrameDragSingles" config:type="boolean">true</config:config-item> + <config:config-item config:name="EliminatePolyPointLimitAngle" config:type="int">1500</config:config-item> + <config:config-item config:name="IsEliminatePolyPoints" config:type="boolean">false</config:config-item> + <config:config-item config:name="VisibleLayers" config:type="base64Binary">//////////////////////////////////////////8=</config:config-item> + <config:config-item config:name="PrintableLayers" config:type="base64Binary">//////////////////////////////////////////8=</config:config-item> + <config:config-item config:name="LockedLayers" config:type="base64Binary"/> + <config:config-item config:name="NoAttribs" config:type="boolean">false</config:config-item> + <config:config-item config:name="NoColors" config:type="boolean">true</config:config-item> + <config:config-item config:name="RulerIsVisible" config:type="boolean">true</config:config-item> + <config:config-item config:name="PageKind" config:type="short">0</config:config-item> + <config:config-item config:name="SelectedPage" config:type="short">0</config:config-item> + <config:config-item config:name="IsLayerMode" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsDoubleClickTextEdit" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsClickChangeRotation" config:type="boolean">false</config:config-item> + <config:config-item config:name="SlidesPerRow" config:type="short">4</config:config-item> + <config:config-item config:name="EditModeStandard" config:type="int">0</config:config-item> + <config:config-item config:name="EditModeNotes" config:type="int">0</config:config-item> + <config:config-item config:name="EditModeHandout" config:type="int">1</config:config-item> + <config:config-item config:name="VisibleAreaTop" config:type="int">35402</config:config-item> + <config:config-item config:name="VisibleAreaLeft" config:type="int">-10211</config:config-item> + <config:config-item config:name="VisibleAreaWidth" config:type="int">45912</config:config-item> + <config:config-item config:name="VisibleAreaHeight" config:type="int">19155</config:config-item> + <config:config-item config:name="GridCoarseWidth" config:type="int">1270</config:config-item> + <config:config-item config:name="GridCoarseHeight" config:type="int">1270</config:config-item> + <config:config-item config:name="GridFineWidth" config:type="int">127</config:config-item> + <config:config-item config:name="GridFineHeight" config:type="int">127</config:config-item> + <config:config-item config:name="GridSnapWidthXNumerator" config:type="int">127</config:config-item> + <config:config-item config:name="GridSnapWidthXDenominator" config:type="int">1</config:config-item> + <config:config-item config:name="GridSnapWidthYNumerator" config:type="int">127</config:config-item> + <config:config-item config:name="GridSnapWidthYDenominator" config:type="int">1</config:config-item> + <config:config-item config:name="IsAngleSnapEnabled" config:type="boolean">false</config:config-item> + <config:config-item config:name="SnapAngle" config:type="int">1500</config:config-item> + <config:config-item config:name="ZoomOnPage" config:type="boolean">false</config:config-item> + </config:config-item-map-entry> + </config:config-item-map-indexed> + </config:config-item-set> + <config:config-item-set config:name="ooo:configuration-settings"> + <config:config-item config:name="ApplyUserData" config:type="boolean">true</config:config-item> + <config:config-item config:name="BitmapTableURL" config:type="string">$(user)/config/standard.sob</config:config-item> + <config:config-item config:name="CharacterCompressionType" config:type="short">0</config:config-item> + <config:config-item config:name="ColorTableURL" config:type="string">$(user)/config/standard.soc</config:config-item> + <config:config-item config:name="DashTableURL" config:type="string">$(user)/config/standard.sod</config:config-item> + <config:config-item config:name="DefaultTabStop" config:type="int">1270</config:config-item> + <config:config-item-map-indexed config:name="ForbiddenCharacters"> + <config:config-item-map-entry> + <config:config-item config:name="Language" config:type="string">en</config:config-item> + <config:config-item config:name="Country" config:type="string">US</config:config-item> + <config:config-item config:name="Variant" config:type="string"/> + <config:config-item config:name="BeginLine" config:type="string"/> + <config:config-item config:name="EndLine" config:type="string"/> + </config:config-item-map-entry> + </config:config-item-map-indexed> + <config:config-item config:name="GradientTableURL" config:type="string">$(user)/config/standard.sog</config:config-item> + <config:config-item config:name="HatchTableURL" config:type="string">$(user)/config/standard.soh</config:config-item> + <config:config-item config:name="IsKernAsianPunctuation" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintBooklet" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintBookletBack" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsPrintBookletFront" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsPrintDate" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintFitPage" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintHiddenPages" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsPrintPageName" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintTilePage" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintTime" config:type="boolean">false</config:config-item> + <config:config-item config:name="LineEndTableURL" config:type="string">$(user)/config/standard.soe</config:config-item> + <config:config-item config:name="LoadReadonly" config:type="boolean">false</config:config-item> + <config:config-item config:name="MeasureUnit" config:type="short">7</config:config-item> + <config:config-item config:name="PageNumberFormat" config:type="int">4</config:config-item> + <config:config-item config:name="ParagraphSummation" config:type="boolean">false</config:config-item> + <config:config-item config:name="PrintQuality" config:type="int">0</config:config-item> + <config:config-item config:name="PrinterIndependentLayout" config:type="string">low-resolution</config:config-item> + <config:config-item config:name="PrinterName" config:type="string"/> + <config:config-item config:name="PrinterSetup" config:type="base64Binary"/> + <config:config-item config:name="SaveVersionOnClose" config:type="boolean">false</config:config-item> + <config:config-item config:name="ScaleDenominator" config:type="int">1</config:config-item> + <config:config-item config:name="ScaleNumerator" config:type="int">1</config:config-item> + <config:config-item config:name="UpdateFromTemplate" config:type="boolean">true</config:config-item> + </config:config-item-set> + </office:settings> + <office:scripts> + <office:script script:language="ooo:Basic"> + <ooo:libraries xmlns:ooo="http://openoffice.org/2004/office" xmlns:xlink="http://www.w3.org/1999/xlink"> + <ooo:library-embedded ooo:name="Standard"/> + </ooo:libraries> + </office:script> + </office:scripts> + <office:styles> + <draw:hatch draw:name="Black_20_45_20_Degrees_20_Wide" draw:display-name="Black 45 Degrees Wide" draw:style="single" draw:color="#000000" draw:distance="0.508cm" draw:rotation="450"/> + <draw:marker draw:name="Arrow" svg:viewBox="0 0 20 30" svg:d="m10 0-10 30h20z"/> + <style:default-style style:family="graphic"> + <style:graphic-properties svg:stroke-color="#808080" draw:fill-color="#cfe7f5" fo:wrap-option="no-wrap"/> + <style:paragraph-properties style:text-autospace="ideograph-alpha" style:punctuation-wrap="simple" style:line-break="strict" style:writing-mode="lr-tb" style:font-independent-line-spacing="false"> + <style:tab-stops/> + </style:paragraph-properties> + <style:text-properties style:use-window-font-color="true" fo:font-family="'Liberation Serif'" style:font-family-generic="roman" style:font-pitch="variable" fo:font-size="24pt" fo:language="en" fo:country="US" style:font-family-asian="'DejaVu Sans'" style:font-family-generic-asian="system" style:font-pitch-asian="variable" style:font-size-asian="24pt" style:language-asian="zh" style:country-asian="CN" style:font-family-complex="'DejaVu Sans'" style:font-family-generic-complex="system" style:font-pitch-complex="variable" style:font-size-complex="24pt" style:language-complex="hi" style:country-complex="IN"/> + </style:default-style> + <style:style style:name="standard" style:family="graphic"> + <style:graphic-properties draw:stroke="solid" svg:stroke-width="0cm" svg:stroke-color="#808080" draw:marker-start-width="0.2cm" draw:marker-start-center="false" draw:marker-end-width="0.2cm" draw:marker-end-center="false" draw:fill="solid" draw:fill-color="#cfe7f5" draw:textarea-horizontal-align="justify" fo:padding-top="0.125cm" fo:padding-bottom="0.125cm" fo:padding-left="0.25cm" fo:padding-right="0.25cm" draw:shadow="hidden" draw:shadow-offset-x="0.2cm" draw:shadow-offset-y="0.2cm" draw:shadow-color="#808080"> + <text:list-style style:name="standard"> + <text:list-level-style-bullet text:level="1" text:bullet-char="●"> + <style:list-level-properties text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="2" text:bullet-char="●"> + <style:list-level-properties text:space-before="0.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="3" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="4" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="5" text:bullet-char="●"> + <style:list-level-properties text:space-before="2.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="6" text:bullet-char="●"> + <style:list-level-properties text:space-before="3cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="7" text:bullet-char="●"> + <style:list-level-properties text:space-before="3.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="8" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="9" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="10" text:bullet-char="●"> + <style:list-level-properties text:space-before="5.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + </text:list-style> + </style:graphic-properties> + <style:paragraph-properties fo:margin-left="0cm" fo:margin-right="0cm" fo:margin-top="0cm" fo:margin-bottom="0cm" fo:line-height="100%" fo:text-indent="0cm"/> + <style:text-properties style:use-window-font-color="true" style:text-outline="false" style:text-line-through-style="none" fo:font-family="'Liberation Sans'" style:font-family-generic="roman" style:font-pitch="variable" fo:font-size="18pt" fo:font-style="normal" fo:text-shadow="none" style:text-underline-style="none" fo:font-weight="normal" style:letter-kerning="true" style:font-family-asian="'AR PL UKai CN'" style:font-family-generic-asian="system" style:font-pitch-asian="variable" style:font-size-asian="18pt" style:font-style-asian="normal" style:font-weight-asian="normal" style:font-family-complex="'Lohit Devanagari'" style:font-family-generic-complex="system" style:font-pitch-complex="variable" style:font-size-complex="18pt" style:font-style-complex="normal" style:font-weight-complex="normal" style:text-emphasize="none" style:font-relief="none" style:text-overline-style="none" style:text-overline-color="font-color"/> + </style:style> + <style:style style:name="objectwitharrow" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="solid" svg:stroke-width="0.15cm" svg:stroke-color="#000000" draw:marker-start="Arrow" draw:marker-start-width="0.7cm" draw:marker-start-center="true" draw:marker-end-width="0.3cm"/> + </style:style> + <style:style style:name="objectwithshadow" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:shadow="visible" draw:shadow-offset-x="0.2cm" draw:shadow-offset-y="0.2cm" draw:shadow-color="#808080"/> + </style:style> + <style:style style:name="objectwithoutfill" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties svg:stroke-color="#000000" draw:fill="none"/> + </style:style> + <style:style style:name="text" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + </style:style> + <style:style style:name="textbody" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:text-properties fo:font-size="16pt"/> + </style:style> + <style:style style:name="textbodyjustfied" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:paragraph-properties fo:text-align="justify"/> + </style:style> + <style:style style:name="textbodyindent" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:paragraph-properties fo:margin-left="0cm" fo:margin-right="0cm" fo:text-indent="0.6cm"/> + </style:style> + <style:style style:name="title" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:text-properties fo:font-size="44pt"/> + </style:style> + <style:style style:name="title1" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="solid" draw:fill-color="#008080" draw:shadow="visible" draw:shadow-offset-x="0.2cm" draw:shadow-offset-y="0.2cm" draw:shadow-color="#808080"/> + <style:paragraph-properties fo:text-align="center"/> + <style:text-properties fo:font-size="24pt"/> + </style:style> + <style:style style:name="title2" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties svg:stroke-width="0.05cm" draw:fill-color="#ffcc99" draw:shadow="visible" draw:shadow-offset-x="0.2cm" draw:shadow-offset-y="0.2cm" draw:shadow-color="#808080"/> + <style:paragraph-properties fo:margin-left="0cm" fo:margin-right="0.2cm" fo:margin-top="0.1cm" fo:margin-bottom="0.1cm" fo:text-align="center" fo:text-indent="0cm"/> + <style:text-properties fo:font-size="36pt"/> + </style:style> + <style:style style:name="headline" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:paragraph-properties fo:margin-top="0.42cm" fo:margin-bottom="0.21cm"/> + <style:text-properties fo:font-size="24pt"/> + </style:style> + <style:style style:name="headline1" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:paragraph-properties fo:margin-top="0.42cm" fo:margin-bottom="0.21cm"/> + <style:text-properties fo:font-size="18pt" fo:font-weight="bold"/> + </style:style> + <style:style style:name="headline2" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:paragraph-properties fo:margin-top="0.42cm" fo:margin-bottom="0.21cm"/> + <style:text-properties fo:font-size="14pt" fo:font-style="italic" fo:font-weight="bold"/> + </style:style> + <style:style style:name="measure" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="solid" svg:stroke-color="#000000" draw:marker-start="Arrow" draw:marker-start-width="0.2cm" draw:marker-end="Arrow" draw:marker-end-width="0.2cm" draw:fill="none" draw:show-unit="true"/> + <style:text-properties fo:font-size="12pt"/> + </style:style> + </office:styles> + <office:automatic-styles> + <style:page-layout style:name="PM0"> + <style:page-layout-properties fo:margin-top="1cm" fo:margin-bottom="1cm" fo:margin-left="1cm" fo:margin-right="1cm" fo:page-width="59.411cm" fo:page-height="84.099cm" style:print-orientation="portrait"/> + </style:page-layout> + <style:style style:name="dp1" style:family="drawing-page"> + <style:drawing-page-properties draw:background-size="border" draw:fill="none"/> + </style:style> + <style:style style:name="dp2" style:family="drawing-page"/> + <style:style style:name="gr1" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:fill="solid" draw:fill-color="#00b8ff" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false"/> + </style:style> + <style:style style:name="gr2" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:fill="solid" draw:fill-color="#e6e6e6" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false"/> + </style:style> + <style:style style:name="gr3" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:fill="solid" draw:fill-color="#ff3366" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false"/> + </style:style> + <style:style style:name="gr4" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false"/> + </style:style> + <style:style style:name="gr5" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties svg:stroke-width="0cm" draw:marker-start-width="0.2cm" draw:marker-end-width="0.2cm" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false" fo:padding-top="0.125cm" fo:padding-bottom="0.125cm" fo:padding-left="0.25cm" fo:padding-right="0.25cm"/> + </style:style> + <style:style style:name="gr6" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties svg:stroke-width="0cm" draw:marker-start-width="0.2cm" draw:marker-end-width="0.2cm" draw:fill="solid" draw:fill-color="#cfe7f5" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false" fo:padding-top="0.125cm" fo:padding-bottom="0.125cm" fo:padding-left="0.25cm" fo:padding-right="0.25cm"/> + </style:style> + <style:style style:name="gr7" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties draw:marker-end="Arrow" draw:marker-end-width="0.3cm" draw:fill="none" draw:textarea-vertical-align="middle"/> + </style:style> + <style:style style:name="gr8" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:fill="solid" draw:fill-color="#ff00ff" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false"/> + </style:style> + <style:style style:name="gr9" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties draw:marker-end="Arrow" draw:marker-end-width="0.3cm" draw:fill="none" draw:textarea-vertical-align="middle"/> + </style:style> + <style:style style:name="gr10" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:fill="solid" draw:fill-color="#ffff66" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false"/> + </style:style> + <style:style style:name="gr11" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:fill="solid" draw:fill-color="#eb613d" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false"/> + </style:style> + <style:style style:name="gr12" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:fill="solid" draw:fill-color="#ff0000" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false"/> + </style:style> + <style:style style:name="gr13" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:fill="hatch" draw:fill-color="#ffff66" draw:fill-hatch-name="Black_20_45_20_Degrees_20_Wide" draw:fill-hatch-solid="true" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false"/> + </style:style> + <style:style style:name="gr14" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties svg:stroke-width="0.2cm" svg:stroke-color="#ff3366" draw:marker-start-width="0.5cm" draw:marker-end="Arrow" draw:marker-end-width="0.6cm" draw:fill="none" draw:textarea-vertical-align="middle" fo:padding-top="0.225cm" fo:padding-bottom="0.225cm" fo:padding-left="0.35cm" fo:padding-right="0.35cm"/> + </style:style> + <style:style style:name="gr15" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties svg:stroke-width="0.2cm" svg:stroke-color="#ff0000" draw:marker-start-width="0.5cm" draw:marker-end="Arrow" draw:marker-end-width="0.6cm" draw:fill="none" draw:textarea-vertical-align="middle" fo:padding-top="0.225cm" fo:padding-bottom="0.225cm" fo:padding-left="0.35cm" fo:padding-right="0.35cm"/> + </style:style> + <style:style style:name="gr16" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties svg:stroke-width="0.2cm" svg:stroke-color="#ff3333" draw:marker-start-width="0.5cm" draw:marker-end="Arrow" draw:marker-end-width="0.6cm" draw:fill="none" draw:textarea-vertical-align="middle" fo:padding-top="0.225cm" fo:padding-bottom="0.225cm" fo:padding-left="0.35cm" fo:padding-right="0.35cm"/> + </style:style> + <style:style style:name="gr17" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties svg:stroke-width="0.1cm" svg:stroke-color="#ff6633" draw:marker-start-width="0.35cm" draw:marker-end="Arrow" draw:marker-end-width="0.45cm" draw:fill="none" draw:textarea-vertical-align="middle" fo:padding-top="0.175cm" fo:padding-bottom="0.175cm" fo:padding-left="0.3cm" fo:padding-right="0.3cm"/> + </style:style> + <style:style style:name="gr18" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false" fo:min-height="0cm" fo:min-width="0cm" fo:wrap-option="no-wrap"/> + </style:style> + <style:style style:name="gr19" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties draw:marker-end="Arrow" draw:marker-end-width="0.3cm" draw:fill="none" draw:fill-color="#ff00ff" draw:textarea-vertical-align="middle"/> + </style:style> + <style:style style:name="gr20" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:fill="solid" draw:fill-color="#cfe7f5" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false"/> + </style:style> + <style:style style:name="gr21" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties svg:stroke-width="0.1cm" svg:stroke-color="#ff6633" draw:marker-start-width="0.35cm" draw:marker-end="Arrow" draw:marker-end-width="0.45cm" draw:fill="none" draw:fill-color="#ff00ff" draw:textarea-vertical-align="middle" fo:padding-top="0.175cm" fo:padding-bottom="0.175cm" fo:padding-left="0.3cm" fo:padding-right="0.3cm"/> + </style:style> + <style:style style:name="gr22" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties draw:marker-end="Arrow" draw:marker-end-width="0.3cm" draw:fill="none" draw:fill-color="#ff00ff" draw:textarea-vertical-align="middle"/> + </style:style> + <style:style style:name="gr23" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties svg:stroke-width="0cm" svg:stroke-color="#000000" draw:marker-start-width="0.2cm" draw:marker-end="Arrow" draw:marker-end-width="0.3cm" draw:fill="none" draw:fill-color="#ff00ff" draw:textarea-vertical-align="middle" fo:padding-top="0.125cm" fo:padding-bottom="0.125cm" fo:padding-left="0.25cm" fo:padding-right="0.25cm"/> + </style:style> + <style:style style:name="gr24" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties svg:stroke-width="0.1cm" svg:stroke-color="#ff6633" draw:marker-start-width="0.35cm" draw:marker-end="Arrow" draw:marker-end-width="0.45cm" draw:fill="none" draw:fill-color="#ff00ff" draw:textarea-vertical-align="middle" fo:padding-top="0.175cm" fo:padding-bottom="0.175cm" fo:padding-left="0.3cm" fo:padding-right="0.3cm"/> + </style:style> + <style:style style:name="gr25" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties svg:stroke-width="0.1cm" svg:stroke-color="#ff0000" draw:marker-start-width="0.35cm" draw:marker-end="Arrow" draw:marker-end-width="0.45cm" draw:fill="none" draw:fill-color="#ff00ff" draw:textarea-vertical-align="middle" fo:padding-top="0.175cm" fo:padding-bottom="0.175cm" fo:padding-left="0.3cm" fo:padding-right="0.3cm"/> + </style:style> + <style:style style:name="gr26" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:fill="solid" draw:fill-color="#e6e6e6" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false"/> + </style:style> + <style:style style:name="gr27" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:fill="solid" draw:fill-color="#ff3366" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false"/> + </style:style> + <style:style style:name="gr28" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:fill="solid" draw:fill-color="#00b8ff" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false"/> + </style:style> + <style:style style:name="gr29" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:fill="solid" draw:fill-color="#ff00ff" draw:textarea-vertical-align="middle"/> + </style:style> + <style:style style:name="gr30" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="solid" draw:fill-color="#800080" draw:textarea-horizontal-align="center" draw:textarea-vertical-align="middle" draw:color-mode="standard" draw:luminance="0%" draw:contrast="0%" draw:gamma="100%" draw:red="0%" draw:green="0%" draw:blue="0%" fo:clip="rect(0cm, 0cm, 0cm, 0cm)" draw:image-opacity="100%" style:mirror="none"/> + </style:style> + <style:style style:name="gr31" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="hatch" draw:fill-color="#660066" draw:fill-hatch-name="Black_20_45_20_Degrees_20_Wide" draw:fill-hatch-solid="true" draw:textarea-horizontal-align="center" draw:textarea-vertical-align="middle" draw:color-mode="standard" draw:luminance="0%" draw:contrast="0%" draw:gamma="100%" draw:red="0%" draw:green="0%" draw:blue="0%" fo:clip="rect(0cm, 0cm, 0cm, 0cm)" draw:image-opacity="100%" style:mirror="none"/> + </style:style> + <style:style style:name="gr32" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="hatch" draw:fill-color="#660066" draw:fill-hatch-solid="true" draw:textarea-horizontal-align="center" draw:textarea-vertical-align="middle" draw:color-mode="standard" draw:luminance="0%" draw:contrast="0%" draw:gamma="100%" draw:red="0%" draw:green="0%" draw:blue="0%" fo:clip="rect(0cm, 0cm, 0cm, 0cm)" draw:image-opacity="100%" style:mirror="none"/> + </style:style> + <style:style style:name="gr33" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none" draw:textarea-horizontal-align="center" draw:textarea-vertical-align="middle" draw:color-mode="standard" draw:luminance="0%" draw:contrast="0%" draw:gamma="100%" draw:red="0%" draw:green="0%" draw:blue="0%" fo:clip="rect(0cm, 0cm, 0cm, 0cm)" draw:image-opacity="100%" style:mirror="none"/> + </style:style> + <style:style style:name="gr34" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:fill="solid" draw:fill-color="#ff00ff" draw:textarea-vertical-align="middle" draw:auto-grow-height="false" fo:min-height="0cm" fo:min-width="0cm"/> + </style:style> + <style:style style:name="P1" style:family="paragraph"> + <style:paragraph-properties fo:text-align="center"/> + </style:style> + <style:style style:name="P2" style:family="paragraph"> + <style:paragraph-properties fo:text-align="center"/> + <style:text-properties fo:font-size="12pt" style:font-size-asian="12pt" style:font-size-complex="12pt"/> + </style:style> + <style:style style:name="P3" style:family="paragraph"> + <style:paragraph-properties fo:text-align="center"/> + <style:text-properties fo:font-size="12pt" style:text-underline-style="solid" style:text-underline-width="auto" style:text-underline-color="font-color" style:font-size-asian="12pt" style:font-size-complex="12pt"/> + </style:style> + <style:style style:name="P4" style:family="paragraph"> + <style:paragraph-properties fo:text-align="center"/> + <style:text-properties style:text-underline-style="solid" style:text-underline-width="auto" style:text-underline-color="font-color"/> + </style:style> + <style:style style:name="P5" style:family="paragraph"> + <style:paragraph-properties fo:text-align="center"/> + <style:text-properties style:text-underline-style="none"/> + </style:style> + <style:style style:name="P6" style:family="paragraph"> + <style:paragraph-properties fo:text-align="center"/> + <style:text-properties fo:font-size="12pt" style:text-underline-style="none" style:font-size-asian="12pt" style:font-size-complex="12pt"/> + </style:style> + <style:style style:name="T1" style:family="text"> + <style:text-properties fo:font-size="12pt" style:font-size-asian="12pt" style:font-size-complex="12pt"/> + </style:style> + <style:style style:name="T2" style:family="text"> + <style:text-properties fo:font-size="12pt" style:text-underline-style="solid" style:text-underline-width="auto" style:text-underline-color="font-color" style:font-size-asian="12pt" style:font-size-complex="12pt"/> + </style:style> + <style:style style:name="T3" style:family="text"> + <style:text-properties fo:font-size="12pt" style:text-underline-style="none" style:font-size-asian="12pt" style:font-size-complex="12pt"/> + </style:style> + <text:list-style style:name="L1"> + <text:list-level-style-bullet text:level="1" text:bullet-char="●"> + <style:list-level-properties text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="2" text:bullet-char="●"> + <style:list-level-properties text:space-before="0.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="3" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="4" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="5" text:bullet-char="●"> + <style:list-level-properties text:space-before="2.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="6" text:bullet-char="●"> + <style:list-level-properties text:space-before="3cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="7" text:bullet-char="●"> + <style:list-level-properties text:space-before="3.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="8" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="9" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="10" text:bullet-char="●"> + <style:list-level-properties text:space-before="5.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + </text:list-style> + </office:automatic-styles> + <office:master-styles> + <draw:layer-set> + <draw:layer draw:name="layout"/> + <draw:layer draw:name="background"/> + <draw:layer draw:name="backgroundobjects"/> + <draw:layer draw:name="controls"/> + <draw:layer draw:name="measurelines"/> + </draw:layer-set> + <style:master-page style:name="Default" style:page-layout-name="PM0" draw:style-name="dp1"/> + </office:master-styles> + <office:body> + <office:drawing> + <draw:page draw:name="page1" draw:style-name="dp2" draw:master-page-name="Default"> + <draw:custom-shape draw:style-name="gr1" draw:text-style-name="P1" draw:layer="layout" svg:width="5.715cm" svg:height="2.286cm" svg:x="30.464cm" svg:y="78.724cm"> + <text:p/> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr1" draw:text-style-name="P1" draw:layer="layout" svg:width="5.842cm" svg:height="7.493cm" svg:x="30.591cm" svg:y="70.977cm"> + <text:p/> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr1" draw:text-style-name="P1" draw:layer="layout" svg:width="5.842cm" svg:height="9.652cm" svg:x="31.099cm" svg:y="60.817cm"> + <text:p/> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:width="5.334cm" svg:height="2.54cm" svg:x="35.671cm" svg:y="53.197cm"> + <text:p/> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:width="5.334cm" svg:height="2.032cm" svg:x="20.304cm" svg:y="66.659cm"> + <text:p/> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr3" draw:text-style-name="P1" draw:layer="layout" svg:width="5.969cm" svg:height="2.032cm" svg:x="14.208cm" svg:y="64.246cm"> + <text:p/> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr3" draw:text-style-name="P1" draw:layer="layout" svg:width="4.826cm" svg:height="1.778cm" svg:x="11.922cm" svg:y="61.452cm"> + <text:p/> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:width="5.334cm" svg:height="8.763cm" svg:x="22.844cm" svg:y="53.478cm"> + <text:p/> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:width="5.334cm" svg:height="2.54cm" svg:x="29.194cm" svg:y="54.594cm"> + <text:p/> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:width="5.334cm" svg:height="7.112cm" svg:x="22.463cm" svg:y="46.085cm"> + <text:p/> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:width="5.334cm" svg:height="7.112cm" svg:x="16.113cm" svg:y="46.212cm"> + <text:p/> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:width="5.334cm" svg:height="7.112cm" svg:x="10.017cm" svg:y="46.085cm"> + <text:p/> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:width="5.334cm" svg:height="4.445cm" svg:x="16.494cm" svg:y="39.1cm"> + <text:p/> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:width="5.334cm" svg:height="4.064cm" svg:x="28.813cm" svg:y="43.418cm"> + <text:p/> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:width="5.334cm" svg:height="6.096cm" svg:x="28.686cm" svg:y="36.306cm"> + <text:p/> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr3" draw:text-style-name="P1" draw:layer="layout" svg:width="7.62cm" svg:height="7.239cm" svg:x="43.672cm" svg:y="40.497cm"> + <text:p/> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:width="5.715cm" svg:height="2.54cm" svg:x="43.799cm" svg:y="7.985cm"> + <text:p/> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:width="5.715cm" svg:height="2.54cm" svg:x="43.926cm" svg:y="4.683cm"> + <text:p/> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:width="5.334cm" svg:height="2.413cm" svg:x="44.942cm" svg:y="36.433cm"> + <text:p/> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:width="5.715cm" svg:height="2.54cm" svg:x="44.942cm" svg:y="33.385cm"> + <text:p/> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:width="14.605cm" svg:height="6.223cm" svg:x="41.259cm" svg:y="26.4cm"> + <text:p/> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:width="26.924cm" svg:height="31.877cm" svg:x="13.7cm" svg:y="3.286cm"> + <text:p/> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P1" draw:layer="layout" svg:width="5.207cm" svg:height="3.937cm" svg:x="14.843cm" svg:y="5.953cm"> + <text:p text:style-name="P1">1 – first time user</text:p> + <text:p text:style-name="P1"/> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id38" draw:id="id38" draw:layer="layout" svg:width="5.207cm" svg:height="1.397cm" svg:x="28.813cm" svg:y="1.04cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Enter website</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr5" draw:text-style-name="P3" xml:id="id1" draw:id="id1" draw:layer="layout" svg:width="5.08cm" svg:height="1.397cm" svg:x="28.94cm" svg:y="3.68cm"> + <text:p text:style-name="P3"><text:span text:style-name="T2">Download page</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr6" draw:text-style-name="P3" xml:id="id40" draw:id="id40" draw:layer="layout" svg:width="5.334cm" svg:height="1.257cm" svg:x="44.18cm" svg:y="5.204cm"> + <text:p text:style-name="P3"><text:span text:style-name="T2">About page</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr6" draw:text-style-name="P3" xml:id="id39" draw:id="id39" draw:layer="layout" svg:width="4.953cm" svg:height="1.397cm" svg:x="44.18cm" svg:y="8.62cm"> + <text:p text:style-name="P3"><text:span text:style-name="T2">Warnings page</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr7" draw:text-style-name="P2" draw:layer="layout" draw:type="line" svg:x1="31.48cm" svg:y1="5.077cm" svg:x2="31.353cm" svg:y2="6.22cm" draw:start-shape="id1" draw:start-glue-point="6" draw:end-shape="id2" draw:end-glue-point="4" svg:d="m31480 5077-127 1143"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id2" draw:id="id2" draw:layer="layout" svg:width="3.302cm" svg:height="3.048cm" svg:x="29.702cm" svg:y="6.22cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Is it First time ?</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="5400 5400 16200 16200" draw:type="flowchart-decision" draw:enhanced-path="M 0 10800 L 10800 0 21600 10800 10800 21600 0 10800 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id3" draw:id="id3" draw:layer="layout" svg:width="3.302cm" svg:height="3.048cm" svg:x="29.629cm" svg:y="10.825cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Choose a download</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">Method</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="5400 5400 16200 16200" draw:type="flowchart-decision" draw:enhanced-path="M 0 10800 L 10800 0 21600 10800 10800 21600 0 10800 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr8" draw:text-style-name="P2" xml:id="id4" draw:id="id4" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="22.644cm" svg:y="11.657cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Download</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">through HTTP</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr9" draw:text-style-name="P2" draw:layer="layout" svg:x1="29.629cm" svg:y1="12.349cm" svg:x2="26.708cm" svg:y2="12.456cm" draw:start-shape="id3" draw:start-glue-point="5" svg:d="m29629 12349h-1813v107h-1108"> + <text:p text:style-name="P1"><text:span text:style-name="T1">HTTP</text:span></text:p> + </draw:connector> + <draw:connector draw:style-name="gr9" draw:text-style-name="P2" draw:layer="layout" svg:x1="31.353cm" svg:y1="9.268cm" svg:x2="31.28cm" svg:y2="10.825cm" draw:end-shape="id3" draw:end-glue-point="4" svg:d="m31353 9268v528h-73v1029"> + <text:p text:style-name="P1"><text:span text:style-name="T1">No</text:span></text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr8" draw:text-style-name="P2" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="35.798cm" svg:y="11.657cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Download through</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">Torrent</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr9" draw:text-style-name="P2" draw:layer="layout" draw:line-skew="-0.89cm" svg:x1="32.931cm" svg:y1="12.349cm" svg:x2="35.798cm" svg:y2="12.455cm" draw:start-shape="id3" draw:start-glue-point="7" svg:d="m32931 12349h884v106h1983"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Torrent</text:span></text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr8" draw:text-style-name="P2" xml:id="id5" draw:id="id5" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="29.248cm" svg:y="15.089cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Download</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">Iso signature</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr7" draw:text-style-name="P2" draw:layer="layout" svg:x1="24.676cm" svg:y1="13.054cm" svg:x2="31.28cm" svg:y2="15.089cm" draw:start-shape="id4" draw:start-glue-point="6" draw:end-shape="id5" draw:end-glue-point="4" svg:d="m24676 13054v1017h6604v1018"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr7" draw:text-style-name="P2" draw:layer="layout" svg:x1="37.83cm" svg:y1="13.054cm" svg:x2="31.28cm" svg:y2="15.089cm" svg:d="m37830 13054v1017h-6550v1018"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id6" draw:id="id6" draw:layer="layout" svg:width="3.302cm" svg:height="3.048cm" svg:x="29.629cm" svg:y="17.534cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Desktop</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">Environment</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">and abilities ?</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="5400 5400 16200 16200" draw:type="flowchart-decision" draw:enhanced-path="M 0 10800 L 10800 0 21600 10800 10800 21600 0 10800 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr7" draw:text-style-name="P2" draw:layer="layout" svg:x1="31.28cm" svg:y1="16.486cm" svg:x2="31.28cm" svg:y2="17.534cm" draw:start-shape="id5" draw:start-glue-point="6" draw:end-shape="id6" draw:end-glue-point="4" svg:d="m31280 16486v1048"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr10" draw:text-style-name="P2" xml:id="id10" draw:id="id10" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="33.658cm" svg:y="22.274cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Seahorse</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr11" draw:text-style-name="P2" xml:id="id8" draw:id="id8" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="29.321cm" svg:y="22.249cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">gpg --verify</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr9" draw:text-style-name="P2" draw:layer="layout" svg:x1="29.629cm" svg:y1="19.058cm" svg:x2="26.333cm" svg:y2="19.05cm" draw:start-shape="id6" draw:start-glue-point="5" draw:end-shape="id7" draw:end-glue-point="7" svg:d="m29629 19058h-1647v-8h-1649"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Other</text:span></text:p> + </draw:connector> + <draw:connector draw:style-name="gr9" draw:text-style-name="P2" draw:layer="layout" svg:x1="31.28cm" svg:y1="20.582cm" svg:x2="31.353cm" svg:y2="22.249cm" draw:start-shape="id6" draw:start-glue-point="6" draw:end-shape="id8" draw:end-glue-point="4" svg:d="m31280 20582v834h73v833"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Linux terminal</text:span></text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id7" draw:id="id7" draw:layer="layout" svg:width="3.302cm" svg:height="3.048cm" svg:x="23.031cm" svg:y="17.526cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">OS ?</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="5400 5400 16200 16200" draw:type="flowchart-decision" draw:enhanced-path="M 0 10800 L 10800 0 21600 10800 10800 21600 0 10800 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr10" draw:text-style-name="P2" xml:id="id9" draw:id="id9" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="24.803cm" svg:y="22.28cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">GPGTools</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr10" draw:text-style-name="P2" xml:id="id45" draw:id="id45" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="20.431cm" svg:y="22.209cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Gpg4win</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr9" draw:text-style-name="P2" draw:layer="layout" svg:x1="24.682cm" svg:y1="20.574cm" svg:x2="22.417cm" svg:y2="22.38cm" draw:start-shape="id7" draw:start-glue-point="6" svg:d="m24682 20574v1154h-2265v652"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Windows</text:span></text:p> + </draw:connector> + <draw:connector draw:style-name="gr9" draw:text-style-name="P2" draw:layer="layout" svg:x1="24.682cm" svg:y1="20.574cm" svg:x2="26.835cm" svg:y2="22.28cm" draw:start-shape="id7" draw:start-glue-point="6" draw:end-shape="id9" draw:end-glue-point="4" svg:d="m24682 20574v853h2153v853"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Mac</text:span></text:p> + </draw:connector> + <draw:connector draw:style-name="gr9" draw:text-style-name="P2" draw:layer="layout" svg:x1="32.931cm" svg:y1="19.058cm" svg:x2="35.69cm" svg:y2="22.274cm" draw:start-shape="id6" draw:start-glue-point="7" draw:end-shape="id10" draw:end-glue-point="4" svg:d="m32931 19058h2759v3216"> + <text:p text:style-name="P1"><text:span text:style-name="T1">GNOME</text:span></text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id48" draw:id="id48" draw:layer="layout" svg:width="3.302cm" svg:height="3.048cm" svg:x="29.702cm" svg:y="28.305cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Want more</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">trust?</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="5400 5400 16200 16200" draw:type="flowchart-decision" draw:enhanced-path="M 0 10800 L 10800 0 21600 10800 10800 21600 0 10800 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr12" draw:text-style-name="P2" xml:id="id52" draw:id="id52" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="51.292cm" svg:y="30.21cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Correlation</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr12" draw:text-style-name="P2" xml:id="id51" draw:id="id51" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="46.212cm" svg:y="30.845cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Web of Trust</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr12" draw:text-style-name="P2" xml:id="id50" draw:id="id50" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="41.64cm" svg:y="30.464cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Debian keyring</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id11" draw:id="id11" draw:layer="layout" svg:width="3.302cm" svg:height="3.048cm" svg:x="29.702cm" svg:y="39.227cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Choose device</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="5400 5400 16200 16200" draw:type="flowchart-decision" draw:enhanced-path="M 0 10800 L 10800 0 21600 10800 10800 21600 0 10800 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id15" draw:id="id15" draw:layer="layout" svg:width="3.302cm" svg:height="3.048cm" svg:x="29.829cm" svg:y="43.545cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2">First step index page</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">Need a Working Tails</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">You can :</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="5400 5400 16200 16200" draw:type="flowchart-decision" draw:enhanced-path="M 0 10800 L 10800 0 21600 10800 10800 21600 0 10800 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P3" xml:id="id12" draw:id="id12" draw:layer="layout" svg:width="5.074cm" svg:height="1.397cm" svg:x="44.942cm" svg:y="41.259cm"> + <text:p text:style-name="P4"><text:span text:style-name="T2">Ubuntu</text:span></text:p> + <text:p text:style-name="P4"><text:span text:style-name="T2">Documentation website</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id13" draw:id="id13" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="45.196cm" svg:y="43.505cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Verify ISO from</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">Ubuntu website</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr13" draw:text-style-name="P2" xml:id="id14" draw:id="id14" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="45.2cm" svg:y="45.704cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Burn ISO</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr14" draw:text-style-name="P2" draw:layer="layout" svg:x1="33.004cm" svg:y1="40.751cm" svg:x2="44.942cm" svg:y2="41.957cm" draw:start-shape="id11" draw:start-glue-point="7" draw:end-shape="id12" svg:d="m33004 40751h5970v1206h5968"> + <text:p text:style-name="P2"><text:span text:style-name="T1">DVD</text:span></text:p> + </draw:connector> + <draw:connector draw:style-name="gr7" draw:text-style-name="P2" draw:layer="layout" svg:x1="47.479cm" svg:y1="42.656cm" svg:x2="47.228cm" svg:y2="43.505cm" draw:start-shape="id12" draw:start-glue-point="6" draw:end-shape="id13" draw:end-glue-point="4" svg:d="m47479 42656v424h-251v425"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr7" draw:text-style-name="P2" draw:layer="layout" svg:x1="47.228cm" svg:y1="44.902cm" svg:x2="47.232cm" svg:y2="45.704cm" draw:start-shape="id13" draw:start-glue-point="6" draw:end-shape="id14" draw:end-glue-point="4" svg:d="m47228 44902v401h4v401"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr9" draw:text-style-name="P2" draw:layer="layout" svg:x1="31.353cm" svg:y1="42.275cm" svg:x2="31.48cm" svg:y2="43.545cm" draw:start-shape="id11" draw:start-glue-point="6" draw:end-shape="id15" draw:end-glue-point="4" svg:d="m31353 42275v636h127v634"> + <text:p text:style-name="P1"><text:span text:style-name="T1">USB</text:span></text:p> + </draw:connector> + <draw:connector draw:style-name="gr15" draw:text-style-name="P2" draw:layer="layout" svg:x1="33.131cm" svg:y1="45.069cm" svg:x2="44.942cm" svg:y2="41.958cm" draw:start-shape="id15" draw:start-glue-point="7" draw:end-shape="id12" draw:end-glue-point="5" svg:d="m33131 45069h6090v-3111h5721"> + <text:p text:style-name="P2"><text:span text:style-name="T1">Burn a DVD</text:span></text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id16" draw:id="id16" draw:layer="layout" svg:width="3.302cm" svg:height="3.048cm" svg:x="17.383cm" svg:y="39.989cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2">First step manual index page</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">What's your OS ?</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="5400 5400 16200 16200" draw:type="flowchart-decision" draw:enhanced-path="M 0 10800 L 10800 0 21600 10800 10800 21600 0 10800 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr10" draw:text-style-name="P2" xml:id="id17" draw:id="id17" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="10.655cm" svg:y="48.256cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2"/></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">Download UUI</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id18" draw:id="id18" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="10.656cm" svg:y="50.734cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Run UUI</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr9" draw:text-style-name="P2" draw:layer="layout" svg:x1="19.034cm" svg:y1="43.037cm" svg:x2="12.687cm" svg:y2="48.256cm" draw:start-shape="id16" draw:start-glue-point="6" draw:end-shape="id17" draw:end-glue-point="4" svg:d="m19034 43037v2610h-6347v2609"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Windows</text:span></text:p> + </draw:connector> + <draw:connector draw:style-name="gr7" draw:text-style-name="P2" draw:layer="layout" svg:x1="12.687cm" svg:y1="49.653cm" svg:x2="12.688cm" svg:y2="50.734cm" draw:start-shape="id17" draw:start-glue-point="6" draw:end-shape="id18" draw:end-glue-point="4" svg:d="m12687 49653v540h1v541"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr12" draw:text-style-name="P2" xml:id="id30" draw:id="id30" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="16.956cm" svg:y="50.733cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">dd</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr12" draw:text-style-name="P2" xml:id="id19" draw:id="id19" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="23.348cm" svg:y="48.287cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2"/></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">isohybrid</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr12" draw:text-style-name="P2" xml:id="id20" draw:id="id20" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="23.348cm" svg:y="50.727cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">dd</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr7" draw:text-style-name="P2" draw:layer="layout" svg:x1="25.38cm" svg:y1="49.684cm" svg:x2="25.38cm" svg:y2="50.727cm" draw:start-shape="id19" draw:start-glue-point="6" draw:end-shape="id20" draw:end-glue-point="4" svg:d="m25380 49684v1043"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr9" draw:text-style-name="P2" draw:layer="layout" svg:x1="19.034cm" svg:y1="43.037cm" svg:x2="25.38cm" svg:y2="48.287cm" draw:start-shape="id16" draw:start-glue-point="6" draw:end-shape="id19" draw:end-glue-point="4" svg:d="m19034 43037v2625h6346v2625"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Mac</text:span></text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id21" draw:id="id21" draw:layer="layout" svg:width="3.302cm" svg:height="3.048cm" svg:x="29.829cm" svg:y="49.641cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Wich Hardware ?</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="5400 5400 16200 16200" draw:type="flowchart-decision" draw:enhanced-path="M 0 10800 L 10800 0 21600 10800 10800 21600 0 10800 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P3" xml:id="id23" draw:id="id23" draw:layer="layout" svg:width="4.064cm" svg:height="1.143cm" svg:x="23.606cm" svg:y="54.213cm"> + <text:p text:style-name="P4"><text:span text:style-name="T2">Start tails page</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id22" draw:id="id22" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="36.334cm" svg:y="53.64cm"> + <text:p text:style-name="P4"><text:span text:style-name="T2">Start tails page #mac</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id24" draw:id="id24" draw:layer="layout" svg:width="3.302cm" svg:height="3.048cm" svg:x="36.052cm" svg:y="56.372cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Fail ?</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="5400 5400 16200 16200" draw:type="flowchart-decision" draw:enhanced-path="M 0 10800 L 10800 0 21600 10800 10800 21600 0 10800 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr9" draw:text-style-name="P2" draw:layer="layout" svg:x1="33.131cm" svg:y1="51.165cm" svg:x2="36.334cm" svg:y2="54.338cm" draw:start-shape="id21" draw:end-shape="id22" svg:d="m33131 51165h1602v3173h1601"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Mac</text:span></text:p> + </draw:connector> + <draw:connector draw:style-name="gr9" draw:text-style-name="P2" draw:layer="layout" svg:x1="29.829cm" svg:y1="51.165cm" svg:x2="27.67cm" svg:y2="54.784cm" draw:start-shape="id21" draw:end-shape="id23" svg:d="m29829 51165h-1079v3619h-1080"> + <text:p text:style-name="P1"><text:span text:style-name="T1">PC</text:span></text:p> + </draw:connector> + <draw:connector draw:style-name="gr7" draw:text-style-name="P2" draw:layer="layout" svg:x1="38.366cm" svg:y1="55.037cm" svg:x2="37.703cm" svg:y2="56.372cm" draw:start-shape="id22" draw:end-shape="id24" svg:d="m38366 55037v668h-663v667"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr10" draw:text-style-name="P2" xml:id="id25" draw:id="id25" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="42.148cm" svg:y="58.277cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Install rEFInd</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr9" draw:text-style-name="P2" draw:layer="layout" svg:x1="39.354cm" svg:y1="57.896cm" svg:x2="42.148cm" svg:y2="58.975cm" draw:start-shape="id24" draw:start-glue-point="7" draw:end-shape="id25" svg:d="m39354 57896h1398v1079h1396"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Yes</text:span></text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id31" draw:id="id31" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="31.435cm" svg:y="61.208cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Start</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">bootstrap medium</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id32" draw:id="id32" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="31.334cm" svg:y="63.707cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Start Tails Installer</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id26" draw:id="id26" draw:layer="layout" svg:width="3.302cm" svg:height="3.048cm" svg:x="23.729cm" svg:y="58.927cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Fail ?</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="5400 5400 16200 16200" draw:type="flowchart-decision" draw:enhanced-path="M 0 10800 L 10800 0 21600 10800 10800 21600 0 10800 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id29" draw:id="id29" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="23.479cm" svg:y="56.499cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Configure BIO</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id27" draw:id="id27" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="12.303cm" svg:y="61.706cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">About.com website</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">About.com help</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">for bootstrapin</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr15" draw:text-style-name="P2" draw:layer="layout" svg:x1="23.729cm" svg:y1="60.451cm" svg:x2="14.335cm" svg:y2="61.706cm" draw:start-shape="id26" draw:end-shape="id27" draw:end-glue-point="4" svg:d="m23729 60451h-9394v1255"> + <text:p text:style-name="P2">Yes</text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P3" xml:id="id28" draw:id="id28" draw:layer="layout" svg:width="5.207cm" svg:height="1.397cm" svg:x="14.589cm" svg:y="64.627cm"> + <text:p text:style-name="P4"><text:span text:style-name="T2">Pendrive linux BIOS page</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr16" draw:text-style-name="P2" draw:layer="layout" svg:x1="25.38cm" svg:y1="61.975cm" svg:x2="17.193cm" svg:y2="64.627cm" draw:start-shape="id26" draw:end-shape="id28" draw:end-glue-point="4" svg:d="m25380 61975v1326h-8187v1326"> + <text:p text:style-name="P2"><text:span text:style-name="T1">Yes</text:span></text:p> + </draw:connector> + <draw:connector draw:style-name="gr7" draw:text-style-name="P2" draw:layer="layout" svg:x1="25.638cm" svg:y1="55.356cm" svg:x2="25.511cm" svg:y2="56.499cm" draw:start-shape="id23" draw:end-shape="id29" svg:d="m25638 55356v571h-127v572"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr7" draw:text-style-name="P2" draw:layer="layout" svg:x1="25.511cm" svg:y1="57.896cm" svg:x2="25.38cm" svg:y2="58.927cm" draw:start-shape="id29" draw:end-shape="id26" svg:d="m25511 57896v516h-131v515"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr7" draw:text-style-name="P2" draw:layer="layout" svg:x1="12.688cm" svg:y1="52.131cm" svg:x2="23.606cm" svg:y2="54.785cm" draw:start-shape="id18" draw:start-glue-point="6" draw:end-shape="id23" draw:end-glue-point="5" svg:d="m12688 52131v2654h10918"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr7" draw:text-style-name="P2" draw:layer="layout" svg:x1="18.988cm" svg:y1="52.13cm" svg:x2="23.606cm" svg:y2="54.785cm" draw:start-shape="id30" draw:start-glue-point="6" draw:end-shape="id23" draw:end-glue-point="5" svg:d="m18988 52130v2655h4618"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr7" draw:text-style-name="P2" draw:layer="layout" svg:x1="46.212cm" svg:y1="58.975cm" svg:x2="46.212cm" svg:y2="58.975cm" draw:start-shape="id25" draw:end-shape="id25" svg:d="m46212 58975"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr7" draw:text-style-name="P2" draw:layer="layout" svg:x1="44.18cm" svg:y1="58.277cm" svg:x2="40.398cm" svg:y2="54.339cm" draw:start-shape="id25" draw:start-glue-point="4" draw:end-shape="id22" draw:end-glue-point="7" svg:d="m44180 58277v-3938h-3782"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr9" draw:text-style-name="P2" draw:layer="layout" svg:x1="27.031cm" svg:y1="60.451cm" svg:x2="33.467cm" svg:y2="61.208cm" draw:start-shape="id26" draw:end-shape="id31" draw:end-glue-point="4" svg:d="m27031 60451h6436v757"> + <text:p text:style-name="P1"><text:span text:style-name="T1">No</text:span></text:p> + </draw:connector> + <draw:connector draw:style-name="gr9" draw:text-style-name="P2" draw:layer="layout" draw:line-skew="0.22cm" svg:x1="37.703cm" svg:y1="59.42cm" svg:x2="33.467cm" svg:y2="61.208cm" draw:start-shape="id24" draw:end-shape="id31" draw:end-glue-point="4" svg:d="m37703 59420v1114h-4236v674"> + <text:p text:style-name="P1"><text:span text:style-name="T1">No</text:span></text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id33" draw:id="id33" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="31.333cm" svg:y="66.306cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Plug a USB stick</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id34" draw:id="id34" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="31.308cm" svg:y="68.758cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Clone and install</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr7" draw:text-style-name="P2" draw:layer="layout" svg:x1="33.499cm" svg:y1="61.906cm" svg:x2="33.499cm" svg:y2="61.906cm" svg:d="m33499 61906"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr7" draw:text-style-name="P2" draw:layer="layout" svg:x1="33.467cm" svg:y1="62.605cm" svg:x2="33.366cm" svg:y2="63.707cm" draw:start-shape="id31" draw:end-shape="id32" svg:d="m33467 62605v551h-101v551"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr7" draw:text-style-name="P2" draw:layer="layout" svg:x1="33.366cm" svg:y1="65.104cm" svg:x2="33.365cm" svg:y2="66.306cm" draw:start-shape="id32" draw:start-glue-point="2" draw:end-shape="id33" draw:end-glue-point="4" svg:d="m33366 65104v601h-1v601"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr7" draw:text-style-name="P2" draw:layer="layout" svg:x1="33.365cm" svg:y1="67.703cm" svg:x2="33.34cm" svg:y2="68.758cm" draw:start-shape="id33" draw:end-shape="id34" svg:d="m33365 67703v527h-25v528"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id35" draw:id="id35" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="31.307cm" svg:y="71.257cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Start Tails</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">without persistence</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr7" draw:text-style-name="P2" draw:layer="layout" svg:x1="33.34cm" svg:y1="70.155cm" svg:x2="33.339cm" svg:y2="71.257cm" draw:start-shape="id34" draw:start-glue-point="2" draw:end-shape="id35" svg:d="m33340 70155v551h-1v551"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id36" draw:id="id36" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="31.306cm" svg:y="73.956cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Create persistence</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="31.48cm" svg:y="79.232cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Restart Tails</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">with persistence</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr7" draw:text-style-name="P2" draw:layer="layout" svg:x1="33.339cm" svg:y1="72.654cm" svg:x2="33.338cm" svg:y2="73.956cm" draw:start-shape="id35" draw:end-shape="id36" svg:d="m33339 72654v651h-1v651"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id37" draw:id="id37" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="31.308cm" svg:y="76.424cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Configure persistence</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr7" draw:text-style-name="P2" draw:layer="layout" svg:x1="33.338cm" svg:y1="75.353cm" svg:x2="33.34cm" svg:y2="76.424cm" draw:start-shape="id36" draw:end-shape="id37" draw:end-glue-point="0" svg:d="m33338 75353v535h2v536"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr7" draw:text-style-name="P2" draw:layer="layout" svg:x1="31.34cm" svg:y1="77.821cm" svg:x2="31.424cm" svg:y2="78.855cm" svg:d="m31340 77821v517h84v517"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr9" draw:text-style-name="P2" draw:layer="layout" svg:x1="29.829cm" svg:y1="45.069cm" svg:x2="19.034cm" svg:y2="39.989cm" draw:start-shape="id15" draw:start-glue-point="5" draw:end-shape="id16" draw:end-glue-point="4" svg:d="m29829 45069h-4193v-5581h-6602v501"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Install on USB</text:span></text:p> + </draw:connector> + <draw:connector draw:style-name="gr7" draw:text-style-name="P1" draw:layer="layout" draw:type="line" svg:x1="31.417cm" svg:y1="2.437cm" svg:x2="31.48cm" svg:y2="3.68cm" draw:start-shape="id38" draw:start-glue-point="6" draw:end-shape="id1" draw:end-glue-point="4" svg:d="m31417 2437 63 1243"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr17" draw:text-style-name="P2" draw:layer="layout" draw:type="line" svg:x1="33.004cm" svg:y1="7.744cm" svg:x2="44.18cm" svg:y2="9.319cm" draw:end-shape="id39" draw:end-glue-point="5" svg:d="m33004 7744 11176 1575"> + <text:p text:style-name="P2"><text:span text:style-name="T1">yes</text:span></text:p> + </draw:connector> + <draw:connector draw:style-name="gr17" draw:text-style-name="P2" draw:layer="layout" draw:type="line" svg:x1="33.004cm" svg:y1="7.744cm" svg:x2="44.18cm" svg:y2="5.833cm" draw:start-shape="id2" draw:start-glue-point="7" draw:end-shape="id40" draw:end-glue-point="5" svg:d="m33004 7744 11176-1911"> + <text:p text:style-name="P2"><text:span text:style-name="T1">yes</text:span></text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P1" draw:layer="layout" svg:width="5.08cm" svg:height="6.35cm" svg:x="14.97cm" svg:y="11.16cm"> + <text:p text:style-name="P1">2 – download</text:p> + <text:p text:style-name="P1">the ISO image</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P1" draw:layer="layout" svg:width="4.953cm" svg:height="11.557cm" svg:x="14.97cm" svg:y="18.653cm"> + <text:p text:style-name="P1">3 – verify the iso</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P1" draw:layer="layout" svg:width="5.08cm" svg:height="1.397cm" svg:x="14.97cm" svg:y="31.226cm"> + <text:p text:style-name="P1">4 – stay tuned</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P1" draw:layer="layout" svg:width="5.08cm" svg:height="1.524cm" svg:x="14.97cm" svg:y="33.258cm"> + <text:p text:style-name="P1">5 – install</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr18" draw:text-style-name="P1" draw:layer="layout" svg:width="6.985cm" svg:height="6.096cm" svg:x="-8.906cm" svg:y="4.175cm"> + <text:p text:style-name="P1">No difference between :</text:p> + <text:p text:style-name="P1">- anchors</text:p> + <text:p text:style-name="P1">- insite links</text:p> + <text:p text:style-name="P1">- no _blank target</text:p> + <text:p text:style-name="P1"/> + <text:p text:style-name="P1"/> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:text-areas="800 800 20800 20800" draw:type="round-rectangular-callout" draw:modifiers="6771.25679931291 40124.9138920781" draw:enhanced-path="M 3590 0 X 0 3590 L ?f2 ?f3 0 8970 0 12630 ?f4 ?f5 0 18010 Y 3590 21600 L ?f6 ?f7 8970 21600 12630 21600 ?f8 ?f9 18010 21600 X 21600 18010 L ?f10 ?f11 21600 12630 21600 8970 ?f12 ?f13 21600 3590 Y 18010 0 L ?f14 ?f15 12630 0 8970 0 ?f16 ?f17 Z N"> + <draw:equation draw:name="f0" draw:formula="$0 -10800"/> + <draw:equation draw:name="f1" draw:formula="$1 -10800"/> + <draw:equation draw:name="f2" draw:formula="if(?f18 ,$0 ,0)"/> + <draw:equation draw:name="f3" draw:formula="if(?f18 ,$1 ,6280)"/> + <draw:equation draw:name="f4" draw:formula="if(?f23 ,$0 ,0)"/> + <draw:equation draw:name="f5" draw:formula="if(?f23 ,$1 ,15320)"/> + <draw:equation draw:name="f6" draw:formula="if(?f26 ,$0 ,6280)"/> + <draw:equation draw:name="f7" draw:formula="if(?f26 ,$1 ,21600)"/> + <draw:equation draw:name="f8" draw:formula="if(?f29 ,$0 ,15320)"/> + <draw:equation draw:name="f9" draw:formula="if(?f29 ,$1 ,21600)"/> + <draw:equation draw:name="f10" draw:formula="if(?f32 ,$0 ,21600)"/> + <draw:equation draw:name="f11" draw:formula="if(?f32 ,$1 ,15320)"/> + <draw:equation draw:name="f12" draw:formula="if(?f34 ,$0 ,21600)"/> + <draw:equation draw:name="f13" draw:formula="if(?f34 ,$1 ,6280)"/> + <draw:equation draw:name="f14" draw:formula="if(?f36 ,$0 ,15320)"/> + <draw:equation draw:name="f15" draw:formula="if(?f36 ,$1 ,0)"/> + <draw:equation draw:name="f16" draw:formula="if(?f38 ,$0 ,6280)"/> + <draw:equation draw:name="f17" draw:formula="if(?f38 ,$1 ,0)"/> + <draw:equation draw:name="f18" draw:formula="if($0 ,-1,?f19 )"/> + <draw:equation draw:name="f19" draw:formula="if(?f1 ,-1,?f22 )"/> + <draw:equation draw:name="f20" draw:formula="abs(?f0 )"/> + <draw:equation draw:name="f21" draw:formula="abs(?f1 )"/> + <draw:equation draw:name="f22" draw:formula="?f20 -?f21 "/> + <draw:equation draw:name="f23" draw:formula="if($0 ,-1,?f24 )"/> + <draw:equation draw:name="f24" draw:formula="if(?f1 ,?f22 ,-1)"/> + <draw:equation draw:name="f25" draw:formula="$1 -21600"/> + <draw:equation draw:name="f26" draw:formula="if(?f25 ,?f27 ,-1)"/> + <draw:equation draw:name="f27" draw:formula="if(?f0 ,-1,?f28 )"/> + <draw:equation draw:name="f28" draw:formula="?f21 -?f20 "/> + <draw:equation draw:name="f29" draw:formula="if(?f25 ,?f30 ,-1)"/> + <draw:equation draw:name="f30" draw:formula="if(?f0 ,?f28 ,-1)"/> + <draw:equation draw:name="f31" draw:formula="$0 -21600"/> + <draw:equation draw:name="f32" draw:formula="if(?f31 ,?f33 ,-1)"/> + <draw:equation draw:name="f33" draw:formula="if(?f1 ,?f22 ,-1)"/> + <draw:equation draw:name="f34" draw:formula="if(?f31 ,?f35 ,-1)"/> + <draw:equation draw:name="f35" draw:formula="if(?f1 ,-1,?f22 )"/> + <draw:equation draw:name="f36" draw:formula="if($1 ,-1,?f37 )"/> + <draw:equation draw:name="f37" draw:formula="if(?f0 ,?f28 ,-1)"/> + <draw:equation draw:name="f38" draw:formula="if($1 ,-1,?f39 )"/> + <draw:equation draw:name="f39" draw:formula="if(?f0 ,-1,?f28 )"/> + <draw:equation draw:name="f40" draw:formula="$0 "/> + <draw:equation draw:name="f41" draw:formula="$1 "/> + <draw:handle draw:handle-position="$0 $1"/> + </draw:enhanced-geometry> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr10" draw:text-style-name="P2" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="8.239cm" svg:y="2.27cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Install software</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr12" draw:text-style-name="P2" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="8.112cm" svg:y="4.429cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Command line</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr8" draw:text-style-name="P2" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="8.112cm" svg:y="6.715cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Download file</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr8" draw:text-style-name="P2" xml:id="id41" draw:id="id41" draw:layer="layout" svg:width="3.429cm" svg:height="1.397cm" svg:x="34.02cm" svg:y="24.241cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">DL Tails signin key</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr8" draw:text-style-name="P2" xml:id="id42" draw:id="id42" draw:layer="layout" svg:width="3.429cm" svg:height="1.397cm" svg:x="34.02cm" svg:y="26.273cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">DL iso signature</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr19" draw:text-style-name="P1" draw:layer="layout" draw:type="line" svg:x1="35.69cm" svg:y1="23.671cm" svg:x2="35.734cm" svg:y2="24.241cm" draw:start-shape="id10" draw:end-shape="id41" svg:d="m35690 23671 44 570"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr19" draw:text-style-name="P1" draw:layer="layout" draw:type="line" svg:x1="35.734cm" svg:y1="25.638cm" svg:x2="35.734cm" svg:y2="26.273cm" draw:start-shape="id41" draw:end-shape="id42" svg:d="m35734 25638v635"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr8" draw:text-style-name="P2" xml:id="id43" draw:id="id43" draw:layer="layout" svg:width="3.429cm" svg:height="1.397cm" svg:x="29.702cm" svg:y="23.987cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">DL Tails signin key</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr8" draw:text-style-name="P2" xml:id="id44" draw:id="id44" draw:layer="layout" svg:width="3.429cm" svg:height="1.397cm" svg:x="29.702cm" svg:y="25.892cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">DL iso signature</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr19" draw:text-style-name="P1" draw:layer="layout" draw:type="line" svg:x1="31.353cm" svg:y1="23.646cm" svg:x2="31.416cm" svg:y2="23.987cm" draw:start-shape="id8" draw:end-shape="id43" svg:d="m31353 23646 63 341"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr19" draw:text-style-name="P1" draw:layer="layout" draw:type="line" svg:x1="31.416cm" svg:y1="25.384cm" svg:x2="31.416cm" svg:y2="25.892cm" draw:start-shape="id43" draw:end-shape="id44" svg:d="m31416 25384v508"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr19" draw:text-style-name="P1" draw:layer="layout" draw:type="line" svg:x1="28.867cm" svg:y1="22.978cm" svg:x2="29.321cm" svg:y2="22.947cm" draw:start-shape="id9" draw:end-shape="id8" svg:d="m28867 22978 454-31"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr8" draw:text-style-name="P2" xml:id="id47" draw:id="id47" draw:layer="layout" svg:width="3.429cm" svg:height="1.397cm" svg:x="21.066cm" svg:y="25.765cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">DL iso signature</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr8" draw:text-style-name="P2" xml:id="id46" draw:id="id46" draw:layer="layout" svg:width="3.429cm" svg:height="1.397cm" svg:x="21.193cm" svg:y="24.114cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">DL Tails signin key</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr19" draw:text-style-name="P1" draw:layer="layout" draw:type="line" svg:x1="22.463cm" svg:y1="23.606cm" svg:x2="22.907cm" svg:y2="24.114cm" draw:start-shape="id45" draw:end-shape="id46" svg:d="m22463 23606 444 508"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr19" draw:text-style-name="P1" draw:layer="layout" draw:type="line" svg:x1="22.907cm" svg:y1="25.511cm" svg:x2="22.78cm" svg:y2="25.765cm" draw:start-shape="id46" draw:end-shape="id47" svg:d="m22907 25511-127 254"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr19" draw:text-style-name="P1" draw:layer="layout" draw:type="line" svg:x1="24.495cm" svg:y1="26.463cm" svg:x2="29.702cm" svg:y2="29.829cm" draw:start-shape="id47" draw:end-shape="id48" svg:d="m24495 26463 5207 3366"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr19" draw:text-style-name="P1" draw:layer="layout" draw:type="line" svg:x1="31.416cm" svg:y1="27.289cm" svg:x2="31.353cm" svg:y2="28.305cm" draw:start-shape="id44" draw:end-shape="id48" svg:d="m31416 27289-63 1016"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr19" draw:text-style-name="P1" draw:layer="layout" draw:type="line" svg:x1="34.02cm" svg:y1="26.971cm" svg:x2="33.004cm" svg:y2="29.829cm" draw:start-shape="id42" draw:end-shape="id48" svg:d="m34020 26971-1016 2858"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr20" draw:text-style-name="P2" xml:id="id49" draw:id="id49" draw:layer="layout" svg:width="3.302cm" svg:height="3.048cm" svg:x="46.339cm" svg:y="26.781cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2">trusting tails signing key page</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">Choose a way</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">to trust the key</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="5400 5400 16200 16200" draw:type="flowchart-decision" draw:enhanced-path="M 0 10800 L 10800 0 21600 10800 10800 21600 0 10800 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr19" draw:text-style-name="P1" draw:layer="layout" draw:type="line" svg:x1="46.339cm" svg:y1="28.305cm" svg:x2="43.672cm" svg:y2="30.464cm" draw:start-shape="id49" draw:end-shape="id50" draw:end-glue-point="4" svg:d="m46339 28305-2667 2159"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr19" draw:text-style-name="P1" draw:layer="layout" draw:type="line" svg:x1="47.99cm" svg:y1="29.829cm" svg:x2="48.244cm" svg:y2="30.845cm" draw:start-shape="id49" draw:end-shape="id51" draw:end-glue-point="4" svg:d="m47990 29829 254 1016"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr19" draw:text-style-name="P1" draw:layer="layout" draw:type="line" svg:x1="49.641cm" svg:y1="28.305cm" svg:x2="51.292cm" svg:y2="30.908cm" draw:start-shape="id49" draw:end-shape="id52" draw:end-glue-point="3" svg:d="m49641 28305 1651 2603"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr21" draw:text-style-name="P2" draw:layer="layout" svg:x1="8.624cm" svg:y1="9.255cm" svg:x2="11.765cm" svg:y2="10.577cm" svg:d="m8624 9255h1571v1322h1570"> + <text:p text:style-name="P2"><text:span text:style-name="T1">Leave page with nofollow</text:span></text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id53" draw:id="id53" draw:layer="layout" svg:width="3.302cm" svg:height="3.048cm" svg:x="29.575cm" svg:y="32.242cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Subscribe</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">to newsletter?</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="5400 5400 16200 16200" draw:type="flowchart-decision" draw:enhanced-path="M 0 10800 L 10800 0 21600 10800 10800 21600 0 10800 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr5" draw:text-style-name="P3" xml:id="id54" draw:id="id54" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="45.45cm" svg:y="34.02cm"> + <text:p text:style-name="P3"><text:span text:style-name="T2">Confirmation page</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr21" draw:text-style-name="P2" draw:layer="layout" draw:line-skew="-0.128cm" svg:x1="32.877cm" svg:y1="33.766cm" svg:x2="45.45cm" svg:y2="34.718cm" draw:start-shape="id53" draw:end-shape="id54" svg:d="m32877 33766h6159v952h6414"> + <text:p text:style-name="P2"><text:span text:style-name="T1">yes</text:span></text:p> + </draw:connector> + <draw:connector draw:style-name="gr19" draw:text-style-name="P1" draw:layer="layout" svg:x1="32.877cm" svg:y1="33.766cm" svg:x2="32.877cm" svg:y2="33.766cm" draw:start-shape="id53" draw:end-shape="id53" svg:d="m32877 33766"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr5" draw:text-style-name="P3" xml:id="id55" draw:id="id55" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="29.321cm" svg:y="36.814cm"> + <text:p text:style-name="P3"><text:span text:style-name="T2">First steps page</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr22" draw:text-style-name="P2" draw:layer="layout" draw:type="line" svg:x1="31.226cm" svg:y1="35.29cm" svg:x2="31.353cm" svg:y2="36.814cm" draw:start-shape="id53" draw:end-shape="id55" draw:end-glue-point="0" svg:d="m31226 35290 127 1524"> + <text:p text:style-name="P1"><text:span text:style-name="T1">no</text:span></text:p> + </draw:connector> + <draw:connector draw:style-name="gr23" draw:text-style-name="P1" draw:layer="layout" svg:x1="31.353cm" svg:y1="38.211cm" svg:x2="31.353cm" svg:y2="39.227cm" draw:start-shape="id55" draw:end-shape="id11" draw:end-glue-point="4" svg:d="m31353 38211v1016"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr5" draw:text-style-name="P3" xml:id="id56" draw:id="id56" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="45.45cm" svg:y="36.687cm"> + <text:p text:style-name="P3"><text:span text:style-name="T2">USB or DVD</text:span></text:p> + <text:p text:style-name="P3"><text:span text:style-name="T2">Explanation page</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr24" draw:text-style-name="P1" draw:layer="layout" svg:x1="33.385cm" svg:y1="37.512cm" svg:x2="45.45cm" svg:y2="37.386cm" draw:start-shape="id55" draw:end-shape="id56" draw:end-glue-point="5" svg:d="m33385 37512h6033v-126h6032"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="10.525cm" svg:y="46.339cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2">Install/manual/linux page</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id57" draw:id="id57" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="16.875cm" svg:y="46.339cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2">Install/manual/linux page</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="23.352cm" svg:y="46.212cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2">Install/manual/mac page</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr12" draw:text-style-name="P2" xml:id="id58" draw:id="id58" draw:layer="layout" svg:width="4.111cm" svg:height="1.397cm" svg:x="17.002cm" svg:y="48.244cm"> + <text:p text:style-name="P2">isohybrid</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr22" draw:text-style-name="P2" draw:layer="layout" draw:type="line" svg:x1="19.034cm" svg:y1="43.037cm" svg:x2="18.907cm" svg:y2="46.339cm" draw:start-shape="id16" draw:end-shape="id57" draw:end-glue-point="4" svg:d="m19034 43037-127 3302"> + <text:p text:style-name="P1"><text:span text:style-name="T1">linux</text:span></text:p> + </draw:connector> + <draw:connector draw:style-name="gr19" draw:text-style-name="P1" draw:layer="layout" draw:type="line" svg:x1="18.907cm" svg:y1="47.736cm" svg:x2="19.057cm" svg:y2="48.244cm" draw:start-shape="id57" draw:end-shape="id58" svg:d="m18907 47736 150 508"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr19" draw:text-style-name="P1" draw:layer="layout" draw:type="line" svg:x1="19.057cm" svg:y1="49.641cm" svg:x2="18.988cm" svg:y2="50.733cm" draw:start-shape="id58" draw:end-shape="id30" draw:end-glue-point="4" svg:d="m19057 49641-69 1092"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr19" draw:text-style-name="P1" draw:layer="layout" svg:x1="25.38cm" svg:y1="52.124cm" svg:x2="38.366cm" svg:y2="53.64cm" draw:start-shape="id20" draw:end-shape="id22" draw:end-glue-point="4" svg:d="m25380 52124v758h12986v758"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P3" xml:id="id59" draw:id="id59" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="20.939cm" svg:y="66.913cm"> + <text:p text:style-name="P4"><text:span text:style-name="T2">not start help page</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr22" draw:text-style-name="P2" draw:layer="layout" svg:x1="25.38cm" svg:y1="61.975cm" svg:x2="22.971cm" svg:y2="66.913cm" draw:start-shape="id26" draw:start-glue-point="6" draw:end-shape="id59" svg:d="m25380 61975v2469h-2409v2469"> + <text:p text:style-name="P2">yes</text:p> + </draw:connector> + <draw:connector draw:style-name="gr22" draw:text-style-name="P2" draw:layer="layout" draw:line-skew="0.002cm" svg:x1="36.052cm" svg:y1="57.896cm" svg:x2="25.003cm" svg:y2="67.611cm" draw:start-shape="id24" draw:end-shape="id59" svg:d="m36052 57896h-5522v9715h-5527"> + <text:p text:style-name="P1"><text:span text:style-name="T1">yes</text:span></text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P3" xml:id="id60" draw:id="id60" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="29.702cm" svg:y="54.975cm"> + <text:p text:style-name="P4"><text:span text:style-name="T2">Virtualization page</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr22" draw:text-style-name="P2" draw:layer="layout" svg:x1="31.48cm" svg:y1="52.689cm" svg:x2="31.734cm" svg:y2="54.975cm" draw:start-shape="id21" draw:end-shape="id60" draw:end-glue-point="0" svg:d="m31480 52689v1143h254v1143"> + <text:p text:style-name="P1"><text:span text:style-name="T1">virtualisation</text:span></text:p> + </draw:connector> + <draw:connector draw:style-name="gr25" draw:text-style-name="P2" draw:layer="layout" draw:type="line" svg:x1="33.004cm" svg:y1="29.829cm" svg:x2="47.99cm" svg:y2="26.781cm" draw:start-shape="id48" draw:end-shape="id49" draw:end-glue-point="4" svg:d="m33004 29829 14986-3048"> + <text:p text:style-name="P2"><text:span text:style-name="T1">yes</text:span></text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr26" draw:text-style-name="P2" draw:layer="layout" svg:width="4.826cm" svg:height="1.27cm" svg:x="7.477cm" svg:y="12.557cm"> + <text:p text:style-name="P2"><text:span text:style-name="T1">Page in Tails website</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr27" draw:text-style-name="P2" draw:layer="layout" svg:width="5.207cm" svg:height="1.016cm" svg:x="7.223cm" svg:y="14.843cm"> + <text:p text:style-name="P2"><text:span text:style-name="T1">Page outsite Tails website</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr19" draw:text-style-name="P1" draw:layer="layout" draw:type="line" svg:x1="31.353cm" svg:y1="31.353cm" svg:x2="31.226cm" svg:y2="32.242cm" draw:start-shape="id48" draw:end-shape="id53" svg:d="m31353 31353-127 889"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr28" draw:text-style-name="P2" draw:layer="layout" svg:width="4.191cm" svg:height="1.651cm" svg:x="7.35cm" svg:y="16.875cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Inside a Tails</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P6" xml:id="id61" draw:id="id61" draw:layer="layout" svg:width="4.445cm" svg:height="1.397cm" svg:x="29.194cm" svg:y="47.863cm"> + <text:p text:style-name="P5"><text:span text:style-name="T3">Launch a Friend Tails</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr29" draw:text-style-name="P1" draw:layer="layout" svg:x1="29.829cm" svg:y1="45.069cm" svg:x2="29.194cm" svg:y2="48.562cm" draw:start-shape="id15" draw:end-shape="id61" draw:end-glue-point="5" svg:d="m29829 45069h-1137v3493h502"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr29" draw:text-style-name="P1" draw:layer="layout" svg:x1="29.194cm" svg:y1="48.561cm" svg:x2="27.67cm" svg:y2="54.784cm" draw:start-shape="id61" draw:end-shape="id23" svg:d="m29194 48561h-762v6223h-762"> + <text:p/> + </draw:connector> + <draw:frame draw:style-name="gr30" draw:text-style-name="P1" draw:layer="layout" svg:width="1.745cm" svg:height="2.645cm" svg:x="35.671cm" svg:y="68.056cm"> + <draw:image xlink:href=""> + <office:binary-data>PD94bWwgdmVyc2lvbj0iMS4wIiBlbmNvZGluZz0iVVRGLTgiIHN0YW5kYWxvbmU9Im5vIj8+ + CjxzdmcKICAgeG1sbnM6ZGM9Imh0dHA6Ly9wdXJsLm9yZy9kYy9lbGVtZW50cy8xLjEvIgog + ICB4bWxuczpjYz0iaHR0cDovL2NyZWF0aXZlY29tbW9ucy5vcmcvbnMjIgogICB4bWxuczpy + ZGY9Imh0dHA6Ly93d3cudzMub3JnLzE5OTkvMDIvMjItcmRmLXN5bnRheC1ucyMiCiAgIHht + bG5zOnN2Zz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciCiAgIHhtbG5zPSJodHRwOi8v + d3d3LnczLm9yZy8yMDAwL3N2ZyIKICAgeG1sbnM6c29kaXBvZGk9Imh0dHA6Ly9zb2RpcG9k + aS5zb3VyY2Vmb3JnZS5uZXQvRFREL3NvZGlwb2RpLTAuZHRkIgogICB4bWxuczppbmtzY2Fw + ZT0iaHR0cDovL3d3dy5pbmtzY2FwZS5vcmcvbmFtZXNwYWNlcy9pbmtzY2FwZSIKICAgdmVy + c2lvbj0iMS4xIgogICBpZD0iVGh1bWJfRHJpdmUiCiAgIHg9IjBweCIKICAgeT0iMHB4Igog + ICB3aWR0aD0iNjUuODMzMzMzMzMzM3B4IgogICBoZWlnaHQ9IjEwMHB4IgogICB2aWV3Qm94 + PSIzLjk2MDI1IC0xMi4wNDg5IDc5LjIwNSAxNjIuNjYwMTUiCiAgIGVuYWJsZS1iYWNrZ3Jv + dW5kPSJuZXcgMCAwIDc5LjIwNSAxMjAuNDg5IgogICB4bWw6c3BhY2U9InByZXNlcnZlIgog + ICBpbmtzY2FwZTp2ZXJzaW9uPSIwLjQ4LjMuMSByOTg4NiIKICAgc29kaXBvZGk6ZG9jbmFt + ZT0ibm91bl8xODI0X2NjLnN2ZyI+PG1ldGFkYXRhCiAgIGlkPSJtZXRhZGF0YTM4NDkiPjxy + ZGY6UkRGPjxjYzpXb3JrCiAgICAgICByZGY6YWJvdXQ9IiI+PGRjOmZvcm1hdD5pbWFnZS9z + dmcreG1sPC9kYzpmb3JtYXQ+PGRjOnR5cGUKICAgICAgICAgcmRmOnJlc291cmNlPSJodHRw + Oi8vcHVybC5vcmcvZGMvZGNtaXR5cGUvU3RpbGxJbWFnZSIgLz48ZGM6dGl0bGU+PC9kYzp0 + aXRsZT48L2NjOldvcms+PC9yZGY6UkRGPjwvbWV0YWRhdGE+PGRlZnMKICAgaWQ9ImRlZnMz + ODQ3IiAvPjxzb2RpcG9kaTpuYW1lZHZpZXcKICAgcGFnZWNvbG9yPSIjZmZmZmZmIgogICBi + b3JkZXJjb2xvcj0iIzY2NjY2NiIKICAgYm9yZGVyb3BhY2l0eT0iMSIKICAgb2JqZWN0dG9s + ZXJhbmNlPSIxMCIKICAgZ3JpZHRvbGVyYW5jZT0iMTAiCiAgIGd1aWRldG9sZXJhbmNlPSIx + MCIKICAgaW5rc2NhcGU6cGFnZW9wYWNpdHk9IjAiCiAgIGlua3NjYXBlOnBhZ2VzaGFkb3c9 + IjIiCiAgIGlua3NjYXBlOndpbmRvdy13aWR0aD0iMTI4MCIKICAgaW5rc2NhcGU6d2luZG93 + LWhlaWdodD0iNzQxIgogICBpZD0ibmFtZWR2aWV3Mzg0NSIKICAgc2hvd2dyaWQ9ImZhbHNl + IgogICBpbmtzY2FwZTp6b29tPSIyLjQiCiAgIGlua3NjYXBlOmN4PSIzMi45MTY2NjgiCiAg + IGlua3NjYXBlOmN5PSI1MCIKICAgaW5rc2NhcGU6d2luZG93LXg9IjAiCiAgIGlua3NjYXBl + OndpbmRvdy15PSIyNyIKICAgaW5rc2NhcGU6d2luZG93LW1heGltaXplZD0iMSIKICAgaW5r + c2NhcGU6Y3VycmVudC1sYXllcj0iVGh1bWJfRHJpdmUiIC8+CjxwYXRoCiAgIGQ9Ik0zOS41 + ODQsMjguNDU4VjcuNTU2SDI4LjU4N2MtMC41MTUsMC0wLjkzMiwwLjQxNy0wLjkzMiwwLjkz + MnYxOS45N0gzOS41ODR6IE0zMS44NTQsMTcuNTcxICBjMC0wLjM1NCwwLjI4OC0wLjY0Miww + LjY0My0wLjY0MmgzLjAyNWMwLjM1NCwwLDAuNjQyLDAuMjg4LDAuNjQyLDAuNjQydjIuMDU2 + YzAsMC4zNTQtMC4yODgsMC42NDItMC42NDIsMC42NDJoLTMuMDI1ICBjLTAuMzU0LDAtMC42 + NDMtMC4yODctMC42NDMtMC42NDJWMTcuNTcxeiIKICAgaWQ9InBhdGgzODM1IiAvPgo8cGF0 + aAogICBkPSJNNTIuNDI5LDI4LjQ1OFY4LjQ4OGMwLTAuNTE1LTAuNDE3LTAuOTMyLTAuOTMx + LTAuOTMySDQwLjQ5MXYyMC45MDFINTIuNDI5eiBNNDMuOTIxLDE3LjU3MSAgYzAtMC4zNTQs + MC4yODYtMC42NDIsMC42NDItMC42NDJoMy4wMjVjMC4zNTUsMCwwLjY0MywwLjI4OCwwLjY0 + MywwLjY0MnYyLjA1NmMwLDAuMzU0LTAuMjg3LDAuNjQyLTAuNjQzLDAuNjQyaC0zLjAyNSAg + Yy0wLjM1NSwwLTAuNjQyLTAuMjg3LTAuNjQyLTAuNjQyVjE3LjU3MXoiCiAgIGlkPSJwYXRo + MzgzNyIgLz4KPHBhdGgKICAgZD0iTTU5LjM4NSwxMDUuNTkxYzAsMS40MTgtMS4xNDksMi41 + NjYtMi41NjgsMi41NjZoLTMzLjU1Yy0xLjQxOCwwLTIuNTY4LTEuMTQ4LTIuNTY4LTIuNTY2 + VjMxLjc1MyAgYzAtMS40MTgsMS4xNS0yLjU2OCwyLjU2OC0yLjU2OGgzMy41NWMxLjQxOSww + LDIuNTY4LDEuMTUsMi41NjgsMi41NjhWMTA1LjU5MXogTTUwLjk0OCw1NC4xMDFoLTUuMzA1 + djUuMzA1aDEuNzA5djUuMjg2ICBjMCwwLjQwNy0wLjEwMiwwLjQ1Mi0wLjI3NSwwLjY0OWwt + Ni4wMDMsNS43MzJWNDkuNjc5aDIuMTM4bC0zLjA1OS02LjExNmwtMy4wNTgsNi4xMTZoMi4x + Mzd2MjguMTg4bC02LjE3Mi01Ljg5NCAgYy0wLjE3My0wLjE5Ny0wLjI3NS0wLjI0My0wLjI3 + NS0wLjY0OXYtNS40NDljMS4wNTItMC4zNzcsMS44MDUtMS4zODEsMS44MDUtMi41NjJjMC0x + LjUwNi0xLjIyMS0yLjcyNy0yLjcyNi0yLjcyNyAgYy0xLjUwNiwwLTIuNzI3LDEuMjIxLTIu + NzI3LDIuNzI3YzAsMS4xODIsMC43NTQsMi4xODYsMS44MDUsMi41NjJ2Ni4xOTVjMCwwLjMy + MywwLjEyNSwwLjUwMywwLjI3MiwwLjY0NWw4LjAxOCw3LjY5N3Y0LjI1ICBjLTIuMTAyLDAu + NDI4LTMuNjg0LDIuMjg1LTMuNjg0LDQuNTE0YzAsMi41NDMsMi4wNjIsNC42MDUsNC42MDUs + NC42MDVjMi41NDQsMCw0LjYwNi0yLjA2Miw0LjYwNi00LjYwNSAgYzAtMi4yMjktMS41ODIt + NC4wODYtMy42ODUtNC41MTRWNzMuNjE2bDcuODQ5LTcuNTM0YzAuMTQ2LTAuMTQyLDAuMjcx + LTAuMzIxLDAuMjcxLTAuNjQ2di02LjAzMWgxLjc1NFY1NC4xMDF6IgogICBpZD0icGF0aDM4 + MzkiIC8+Cjwvc3ZnPg== + </office:binary-data> + <text:p/> + </draw:image> + </draw:frame> + <draw:frame draw:style-name="gr31" draw:text-style-name="P1" draw:layer="layout" svg:width="1.745cm" svg:height="2.645cm" svg:x="13.479cm" svg:y="50.276cm"> + <draw:image xlink:href=""> + <office:binary-data>PD94bWwgdmVyc2lvbj0iMS4wIiBlbmNvZGluZz0iVVRGLTgiIHN0YW5kYWxvbmU9Im5vIj8+ + CjxzdmcKICAgeG1sbnM6ZGM9Imh0dHA6Ly9wdXJsLm9yZy9kYy9lbGVtZW50cy8xLjEvIgog + ICB4bWxuczpjYz0iaHR0cDovL2NyZWF0aXZlY29tbW9ucy5vcmcvbnMjIgogICB4bWxuczpy + ZGY9Imh0dHA6Ly93d3cudzMub3JnLzE5OTkvMDIvMjItcmRmLXN5bnRheC1ucyMiCiAgIHht + bG5zOnN2Zz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciCiAgIHhtbG5zPSJodHRwOi8v + d3d3LnczLm9yZy8yMDAwL3N2ZyIKICAgeG1sbnM6c29kaXBvZGk9Imh0dHA6Ly9zb2RpcG9k + aS5zb3VyY2Vmb3JnZS5uZXQvRFREL3NvZGlwb2RpLTAuZHRkIgogICB4bWxuczppbmtzY2Fw + ZT0iaHR0cDovL3d3dy5pbmtzY2FwZS5vcmcvbmFtZXNwYWNlcy9pbmtzY2FwZSIKICAgdmVy + c2lvbj0iMS4xIgogICBpZD0iVGh1bWJfRHJpdmUiCiAgIHg9IjBweCIKICAgeT0iMHB4Igog + ICB3aWR0aD0iNjUuODMzMzMzMzMzM3B4IgogICBoZWlnaHQ9IjEwMHB4IgogICB2aWV3Qm94 + PSIzLjk2MDI1IC0xMi4wNDg5IDc5LjIwNSAxNjIuNjYwMTUiCiAgIGVuYWJsZS1iYWNrZ3Jv + dW5kPSJuZXcgMCAwIDc5LjIwNSAxMjAuNDg5IgogICB4bWw6c3BhY2U9InByZXNlcnZlIgog + ICBpbmtzY2FwZTp2ZXJzaW9uPSIwLjQ4LjMuMSByOTg4NiIKICAgc29kaXBvZGk6ZG9jbmFt + ZT0ibm91bl8xODI0X2NjLnN2ZyI+PG1ldGFkYXRhCiAgIGlkPSJtZXRhZGF0YTM4NDkiPjxy + ZGY6UkRGPjxjYzpXb3JrCiAgICAgICByZGY6YWJvdXQ9IiI+PGRjOmZvcm1hdD5pbWFnZS9z + dmcreG1sPC9kYzpmb3JtYXQ+PGRjOnR5cGUKICAgICAgICAgcmRmOnJlc291cmNlPSJodHRw + Oi8vcHVybC5vcmcvZGMvZGNtaXR5cGUvU3RpbGxJbWFnZSIgLz48ZGM6dGl0bGU+PC9kYzp0 + aXRsZT48L2NjOldvcms+PC9yZGY6UkRGPjwvbWV0YWRhdGE+PGRlZnMKICAgaWQ9ImRlZnMz + ODQ3IiAvPjxzb2RpcG9kaTpuYW1lZHZpZXcKICAgcGFnZWNvbG9yPSIjZmZmZmZmIgogICBi + b3JkZXJjb2xvcj0iIzY2NjY2NiIKICAgYm9yZGVyb3BhY2l0eT0iMSIKICAgb2JqZWN0dG9s + ZXJhbmNlPSIxMCIKICAgZ3JpZHRvbGVyYW5jZT0iMTAiCiAgIGd1aWRldG9sZXJhbmNlPSIx + MCIKICAgaW5rc2NhcGU6cGFnZW9wYWNpdHk9IjAiCiAgIGlua3NjYXBlOnBhZ2VzaGFkb3c9 + IjIiCiAgIGlua3NjYXBlOndpbmRvdy13aWR0aD0iMTI4MCIKICAgaW5rc2NhcGU6d2luZG93 + LWhlaWdodD0iNzQxIgogICBpZD0ibmFtZWR2aWV3Mzg0NSIKICAgc2hvd2dyaWQ9ImZhbHNl + IgogICBpbmtzY2FwZTp6b29tPSIyLjQiCiAgIGlua3NjYXBlOmN4PSIzMi45MTY2NjgiCiAg + IGlua3NjYXBlOmN5PSI1MCIKICAgaW5rc2NhcGU6d2luZG93LXg9IjAiCiAgIGlua3NjYXBl + OndpbmRvdy15PSIyNyIKICAgaW5rc2NhcGU6d2luZG93LW1heGltaXplZD0iMSIKICAgaW5r + c2NhcGU6Y3VycmVudC1sYXllcj0iVGh1bWJfRHJpdmUiIC8+CjxwYXRoCiAgIGQ9Ik0zOS41 + ODQsMjguNDU4VjcuNTU2SDI4LjU4N2MtMC41MTUsMC0wLjkzMiwwLjQxNy0wLjkzMiwwLjkz + MnYxOS45N0gzOS41ODR6IE0zMS44NTQsMTcuNTcxICBjMC0wLjM1NCwwLjI4OC0wLjY0Miww + LjY0My0wLjY0MmgzLjAyNWMwLjM1NCwwLDAuNjQyLDAuMjg4LDAuNjQyLDAuNjQydjIuMDU2 + YzAsMC4zNTQtMC4yODgsMC42NDItMC42NDIsMC42NDJoLTMuMDI1ICBjLTAuMzU0LDAtMC42 + NDMtMC4yODctMC42NDMtMC42NDJWMTcuNTcxeiIKICAgaWQ9InBhdGgzODM1IiAvPgo8cGF0 + aAogICBkPSJNNTIuNDI5LDI4LjQ1OFY4LjQ4OGMwLTAuNTE1LTAuNDE3LTAuOTMyLTAuOTMx + LTAuOTMySDQwLjQ5MXYyMC45MDFINTIuNDI5eiBNNDMuOTIxLDE3LjU3MSAgYzAtMC4zNTQs + MC4yODYtMC42NDIsMC42NDItMC42NDJoMy4wMjVjMC4zNTUsMCwwLjY0MywwLjI4OCwwLjY0 + MywwLjY0MnYyLjA1NmMwLDAuMzU0LTAuMjg3LDAuNjQyLTAuNjQzLDAuNjQyaC0zLjAyNSAg + Yy0wLjM1NSwwLTAuNjQyLTAuMjg3LTAuNjQyLTAuNjQyVjE3LjU3MXoiCiAgIGlkPSJwYXRo + MzgzNyIgLz4KPHBhdGgKICAgZD0iTTU5LjM4NSwxMDUuNTkxYzAsMS40MTgtMS4xNDksMi41 + NjYtMi41NjgsMi41NjZoLTMzLjU1Yy0xLjQxOCwwLTIuNTY4LTEuMTQ4LTIuNTY4LTIuNTY2 + VjMxLjc1MyAgYzAtMS40MTgsMS4xNS0yLjU2OCwyLjU2OC0yLjU2OGgzMy41NWMxLjQxOSww + LDIuNTY4LDEuMTUsMi41NjgsMi41NjhWMTA1LjU5MXogTTUwLjk0OCw1NC4xMDFoLTUuMzA1 + djUuMzA1aDEuNzA5djUuMjg2ICBjMCwwLjQwNy0wLjEwMiwwLjQ1Mi0wLjI3NSwwLjY0OWwt + Ni4wMDMsNS43MzJWNDkuNjc5aDIuMTM4bC0zLjA1OS02LjExNmwtMy4wNTgsNi4xMTZoMi4x + Mzd2MjguMTg4bC02LjE3Mi01Ljg5NCAgYy0wLjE3My0wLjE5Ny0wLjI3NS0wLjI0My0wLjI3 + NS0wLjY0OXYtNS40NDljMS4wNTItMC4zNzcsMS44MDUtMS4zODEsMS44MDUtMi41NjJjMC0x + LjUwNi0xLjIyMS0yLjcyNy0yLjcyNi0yLjcyNyAgYy0xLjUwNiwwLTIuNzI3LDEuMjIxLTIu + NzI3LDIuNzI3YzAsMS4xODIsMC43NTQsMi4xODYsMS44MDUsMi41NjJ2Ni4xOTVjMCwwLjMy + MywwLjEyNSwwLjUwMywwLjI3MiwwLjY0NWw4LjAxOCw3LjY5N3Y0LjI1ICBjLTIuMTAyLDAu + NDI4LTMuNjg0LDIuMjg1LTMuNjg0LDQuNTE0YzAsMi41NDMsMi4wNjIsNC42MDUsNC42MDUs + NC42MDVjMi41NDQsMCw0LjYwNi0yLjA2Miw0LjYwNi00LjYwNSAgYzAtMi4yMjktMS41ODIt + NC4wODYtMy42ODUtNC41MTRWNzMuNjE2bDcuODQ5LTcuNTM0YzAuMTQ2LTAuMTQyLDAuMjcx + LTAuMzIxLDAuMjcxLTAuNjQ2di02LjAzMWgxLjc1NFY1NC4xMDF6IgogICBpZD0icGF0aDM4 + MzkiIC8+Cjwvc3ZnPg== + </office:binary-data> + <text:p/> + </draw:image> + </draw:frame> + <draw:frame draw:style-name="gr32" draw:text-style-name="P1" draw:layer="layout" svg:width="1.524cm" svg:height="1.524cm" svg:x="49.641cm" svg:y="45.704cm"> + <draw:image xlink:href=""> + <office:binary-data>PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHhtbG5zOnhsaW5rPSJo + dHRwOi8vd3d3LnczLm9yZy8xOTk5L3hsaW5rIiB2ZXJzaW9uPSIxLjEiIGlkPSJMYXllcl8x + OCIgeD0iMHB4IiB5PSIwcHgiIHdpZHRoPSIxMDBweCIgaGVpZ2h0PSIxMDBweCIgdmlld0Jv + eD0iMCAwIDEwMCAxMDAiIGVuYWJsZS1iYWNrZ3JvdW5kPSJuZXcgMCAwIDEwMCAxMDAiIHht + bDpzcGFjZT0icHJlc2VydmUiPgo8cGF0aCBkPSJNODUuMDU0LDIxLjc4N0M2OS40NzMsMi40 + MjUsNDEuMTQ2LTAuNjM2LDIxLjc4NiwxNC45NDZDMi40MjUsMzAuNTI5LTAuNjM3LDU4Ljg1 + NCwxNC45NDYsNzguMjE0ICBjMTUuNTg0LDE5LjM2LDQzLjkwOSwyMi40MjIsNjMuMjY5LDYu + ODM4Qzk3LjU3NCw2OS40NzMsMTAwLjYzNyw0MS4xNDcsODUuMDU0LDIxLjc4N3ogTTI0LjI4 + NSwxOC4wNSAgQzM4LjM5OSw2LjY5LDU3LjczOSw2LjIxMyw3Mi4xODQsMTUuNTA1TDU5LjQ2 + MiwzNC44MzNjLTYuMjc4LTMuOTE2LTE0LjU5LTMuNjcxLTIwLjY4MSwxLjIzYy02LjA5LDQu + OTAzLTguMTA1LDEyLjk3LTUuNjIyLDE5Ljk0ICBsLTIxLjYsOC4yOTRDNS41NzEsNDguMjAy + LDEwLjE2OSwyOS40MTMsMjQuMjg1LDE4LjA1eiBNNTkuNjI5LDYxLjk2NGMtNC4wMTUsMy4y + MzItOS4xNTksNC4wOTktMTMuNzcsMi44MWwwLjU5OC0yLjM0NiAgbC0wLjMwMS0wLjM3NGMz + LjkwNywxLjI0Myw4LjM0NywwLjU2OSwxMS43NzktMi4xOTVjMy40MzYtMi43NjcsNS4wNDMt + Ni45NTYsNC42NjQtMTEuMDM5bDAuMjk5LDAuMzcybDIuNDE5LTAuMDgzICBDNjUuNTksNTMu + ODkyLDYzLjY0NSw1OC43MzEsNTkuNjI5LDYxLjk2NHogTTQwLjM3MiwzOC4wNDFjNS4yMTEt + NC4xOTMsMTIuMzE0LTQuNDE2LDE3LjY5NC0xLjA4OGwtMS40ODIsMi4yNTQgIGMtNC40Mjct + Mi43LTEwLjI0Ni0yLjUwNS0xNC41MiwwLjkzNWMtNC4yNzMsMy40MzktNS43MDksOS4wODEt + NC4wMTgsMTMuOTgzbC0yLjUyLDAuOTY4ICBDMzMuNDI4LDQ5LjEyNCwzNS4xNjQsNDIuMjM0 + LDQwLjM3MiwzOC4wNDF6IE00Mi40NjMsNTYuMDY2Yy0zLjM1Mi00LjE2My0yLjY5My0xMC4y + NTQsMS40NzEtMTMuNjAzICBjNC4xNjMtMy4zNSwxMC4yNTQtMi42OTQsMTMuNjA1LDEuNDdz + Mi42OTEsMTAuMjU1LTEuNDczLDEzLjYwNkM1MS45MDMsNjAuODksNDUuODEyLDYwLjIzLDQy + LjQ2Myw1Ni4wNjZ6IE03NS43MTUsODEuOTQ5ICBjLTEwLjU1NSw4LjQ5NS0yNC4wMzEsMTAu + OTA2LTM2LjE5OCw3LjY5OGw1LjcxNS0yMi40MThjNS4zNiwxLjQ3OSwxMS4zMjYsMC40NjMs + MTUuOTg3LTMuMjljNC42NjEtMy43NTIsNi45My05LjM2Myw2LjYzLTE0LjkxNCAgbDIzLjEy + NC0wLjc5QzkxLjUwNSw2MC44MDUsODYuMjcxLDczLjQ1NSw3NS43MTUsODEuOTQ5eiIvPgo8 + L3N2Zz4= + </office:binary-data> + <text:p/> + </draw:image> + </draw:frame> + <draw:frame draw:style-name="gr33" draw:text-style-name="P1" draw:layer="layout" svg:width="1.724cm" svg:height="2.133cm" svg:x="36.233cm" svg:y="71.765cm"> + <draw:image xlink:href=""> + <office:binary-data>PD94bWwgdmVyc2lvbj0iMS4wIiBlbmNvZGluZz0iVVRGLTgiIHN0YW5kYWxvbmU9Im5vIj8+ + CjwhLS0gQ3JlYXRlZCB3aXRoIElua3NjYXBlIChodHRwOi8vd3d3Lmlua3NjYXBlLm9yZy8p + IC0tPgoKPHN2ZwogICB4bWxuczpkYz0iaHR0cDovL3B1cmwub3JnL2RjL2VsZW1lbnRzLzEu + MS8iCiAgIHhtbG5zOmNjPSJodHRwOi8vY3JlYXRpdmVjb21tb25zLm9yZy9ucyMiCiAgIHht + bG5zOnJkZj0iaHR0cDovL3d3dy53My5vcmcvMTk5OS8wMi8yMi1yZGYtc3ludGF4LW5zIyIK + ICAgeG1sbnM6c3ZnPSJodHRwOi8vd3d3LnczLm9yZy8yMDAwL3N2ZyIKICAgeG1sbnM9Imh0 + dHA6Ly93d3cudzMub3JnLzIwMDAvc3ZnIgogICB2ZXJzaW9uPSIxLjEiCiAgIHdpZHRoPSIx + MTguMzI2NTUiCiAgIGhlaWdodD0iMTQ2LjEwNjk5IgogICB2aWV3Qm94PSIwIDAgMTE4LjMy + NjU2IDE0Ni4xMDY5OSIKICAgaWQ9IkxheWVyXzEiCiAgIHhtbDpzcGFjZT0icHJlc2VydmUi + PjxtZXRhZGF0YQogICAgIGlkPSJtZXRhZGF0YTM1MTQiPjxyZGY6UkRGPjxjYzpXb3JrCiAg + ICAgICAgIHJkZjphYm91dD0iIj48ZGM6Zm9ybWF0PmltYWdlL3N2Zyt4bWw8L2RjOmZvcm1h + dD48ZGM6dHlwZQogICAgICAgICAgIHJkZjpyZXNvdXJjZT0iaHR0cDovL3B1cmwub3JnL2Rj + L2RjbWl0eXBlL1N0aWxsSW1hZ2UiIC8+PGRjOnRpdGxlPjwvZGM6dGl0bGU+PC9jYzpXb3Jr + PjwvcmRmOlJERj48L21ldGFkYXRhPjxkZWZzCiAgICAgaWQ9ImRlZnMzNTEyIiAvPjxnCiAg + ICAgdHJhbnNmb3JtPSJtYXRyaXgoMS4yNTUwOTI3LDAsMCwxLjI1NTA5MjcsLTIuNTUwOTI2 + NywtMi41NTA5MjYpIgogICAgIGlkPSJnNTM3NCIKICAgICBzdHlsZT0iZmlsbDojNTYzNDdj + O2ZpbGwtb3BhY2l0eToxIj48cGF0aAogICAgICAgZD0ibSA4OC4zNDIwNjYsNTYuNzMwMDY4 + IDAsMTYuNjYyODY5IGMgMCwwLjUxMDI4OSAtMC4zNDEwNzUsMC42NDM5ODQgLTAuNzYwNjg5 + LDAuMjk2NTkxIEwgNzkuMDc3MzE0LDY2LjY0OTExNiBDIDc4LjY1ODEwMyw2Ni4zMDIwNTYg + NzguMzE3MDI5LDY1LjYwOSA3OC4zMTcwMjksNjUuMDk4NzExIGwgMCwtMi4wOTc2ODMgLTIu + NjU3NjU3LC0yLjE2MDc4IGMgLTIuODUwMTU2LC0yLjMxNzI4OSAtNS4xMzIzNzYsLTcuMDIx + NyAtNS4xMzIzNzYsLTEwLjQ2NDc2MyAwLC0zLjQ0MjMyMyAyLjI5Nzc4LC00LjMzOTQ0OSA1 + LjEzMjM3NiwtMi4wMDI3NDMgbCAyLjY1NzY1NywyLjE2MDc4MiAwLC0yLjA5NzY4MSBjIDAs + LTAuNTEwMDQ2IDAuMzQxMDc0LC0wLjY0MzczNyAwLjc2MDI4NSwtMC4yOTY2NzcgbCA4LjUw + Mzg2Miw3LjA0MDI0MyBjIDAuNDIwNTQ2LDAuMzQ2NDM1IDAuNzYwODksMS4wNDA2MTMgMC43 + NjA4OSwxLjU1MDY1OSB6IE0gNzUuODExMzEsNTEuNDMyMjI3IGMgLTEuNTAwMjIsLTEuMjM2 + NzA4IC0yLjcxNjMwOSwtMC43NjE2NzUgLTIuNzE2MzA5LDEuMDYwMTk3IDAsMS44MjIzNjcg + MS4yMTYwODksNC4zMDE4ODcgMi43MTYzMDksNS41Mzg1OTUgbCAyLjUwNTcxOSwyLjAzNTUz + MiAwLC02LjU5OTAzNSAtMi41MDU3MTksLTIuMDM1NTMyIHoiCiAgICAgICBpZD0icGF0aDUx + ODktNCIKICAgICAgIHN0eWxlPSJmaWxsOiM1NjM0N2M7ZmlsbC1vcGFjaXR5OjEiIC8+PGcK + ICAgICAgIHRyYW5zZm9ybT0ibWF0cml4KDAuNDY0MTAzMTQsMC45MjY3OTI2LC0wLjkyNjc5 + MjYsMC40NjQxMDMxNCw3Ny4yNTgzNzYsLTE0Ljg5Mjc4KSIKICAgICAgIGlkPSJnMzUwMCIK + ICAgICAgIHN0eWxlPSJmaWxsOiM1NjM0N2M7ZmlsbC1vcGFjaXR5OjEiPjxwYXRoCiAgICAg + ICAgIGQ9Ik0gOTcuOTc2LDM3LjggQyA5Ny45NzIsMzcuNzc5IDk3Ljk2OCwzNy43NTggOTcu + OTYzLDM3LjczNyA5Ny45NDcsMzcuNjY5IDk3LjkyNywzNy42MDIgOTcuOTAxLDM3LjUzOCA5 + Ny44OTgsMzcuNTMgOTcuODk2LDM3LjUyMiA5Ny44OTMsMzcuNTE1IDk3Ljg2MywzNy40NDYg + OTcuODI2LDM3LjM4IDk3Ljc4NiwzNy4zMTcgOTcuNzc1LDM3LjI5OSA5Ny43NjIsMzcuMjgz + IDk3Ljc1LDM3LjI2NiA5Ny43MTUsMzcuMjE2IDk3LjY3NiwzNy4xNjkgOTcuNjM0LDM3LjEy + NSA5Ny42MjMsMzcuMTEzIDk3LjYxMywzNy4xMDEgOTcuNjAxLDM3LjA4OSA5Ny41NDgsMzcu + MDM3IDk3LjQ5LDM2Ljk4OSA5Ny40MjgsMzYuOTQ2IDk3LjQxMywzNi45MzUgOTcuMzk2LDM2 + LjkyNyA5Ny4zOCwzNi45MTcgOTcuMzQ5LDM2Ljg5OCA5Ny4zMiwzNi44NzcgOTcuMjg4LDM2 + Ljg2IEwgOTYuNzQzLDM2LjU3NiA3MS44MzcwMTYsNDcuNjk1NTg1IDI1LjI1MiwyNC4yNjkg + bCAtMC42NjYsMC4zMyBjIC0wLjAwNiwwLjAwMyAtMC4wMSwwLjAwNyAtMC4wMTYsMC4wMSAt + MC4wNDcsMC4wMjQgLTAuMDksMC4wNTUgLTAuMTM0LDAuMDg0IC0wLjAyOSwwLjAxOSAtMC4w + NiwwLjAzNiAtMC4wODcsMC4wNTcgLTAuMDM0LDAuMDI3IC0wLjA2MywwLjA1OSAtMC4wOTQs + MC4wOSAtMC4wMzEsMC4wMyAtMC4wNjUsMC4wNTkgLTAuMDkzLDAuMDkyIC0wLjAyMiwwLjAy + NiAtMC4wMzksMC4wNTYgLTAuMDYsMC4wODQgLTAuMDMxLDAuMDQzIC0wLjA2MywwLjA4NiAt + MC4wODgsMC4xMzIgLTAuMDAzLDAuMDA1IC0wLjAwNywwLjAxIC0wLjAxLDAuMDE1IC0wLjAx + NSwwLjAyOCAtMC4wMjIsMC4wNTcgLTAuMDM1LDAuMDg1IC0wLjAyLDAuMDQ2IC0wLjA0MSww + LjA5IC0wLjA1NiwwLjEzOCAtMC4wMTMsMC4wNDEgLTAuMDIsMC4wODIgLTAuMDI5LDAuMTIz + IC0wLjAwOSwwLjA0MyAtMC4wMTksMC4wODUgLTAuMDI0LDAuMTI4IC0wLjAwNSwwLjA0MyAt + MC4wMDQsMC4wODUgLTAuMDA1LDAuMTI3IC0wLjAwMSwwLjA0NCAtMC4wMDMsMC4wODcgMC4w + MDEsMC4xMyAwLjAwMiwwLjAyMyAwLjAwNSwwLjA0NiAwLjAwOSwwLjA2OSAtMC4wMDYsMC4w + NTEgLTAuMDE1LDAuMSAtMC4wMTUsMC4xNTIgTCAyMy44NTQsNDEuNjc0IDI3LjIxNzA4LDQw + LjEwNzQxOSA2My42MjIsNTguMjExIDM4LjUzNzYxNSw2OS4zNDcwNDggbCAtMTguOTM5LC05 + LjQ2OSBMIDIuNjA5MDYzMiw1MS4zODQ3MSBjIC0wLjAxMiwtMC4wMDYgLTAuMDI1LC0wLjAw + OSAtMC4wMzgsLTAuMDE0IC0wLjA0MiwtMC4wMiAtMC4wODYsLTAuMDM1IC0wLjEzMSwtMC4w + NSAtMC4wNCwtMC4wMTQgLTAuMDgsLTAuMDI4IC0wLjEyMSwtMC4wMzggLTAuMDM4LC0wLjAw + OSAtMC4wNzgsLTAuMDE0IC0wLjExNywtMC4wMTkgLTAuMDQ5LC0wLjAwNyAtMC4wOTgsLTAu + MDE0IC0wLjE0OCwtMC4wMTUgLTAuMDEzLDAgLTAuMDI0LC0wLjAwNCAtMC4wMzcsLTAuMDA0 + IC0wLjAyNSwwIC0wLjA0OSwwLjAwNiAtMC4wNzQsMC4wMDcgLTAuMDUsMC4wMDQgLTAuMDk5 + LDAuMDA3IC0wLjE0OCwwLjAxNiAtMC4wNCwwLjAwNyAtMC4wNzksMC4wMTcgLTAuMTE4LDAu + MDI3IC0wLjA0MywwLjAxMSAtMC4wODUsMC4wMjQgLTAuMTI3LDAuMDM5IC0wLjAzOSwwLjAx + NSAtMC4wNzcsMC4wMzIgLTAuMTE0LDAuMDUxIC0wLjAzOSwwLjAxOSAtMC4wNzcsMC4wMzkg + LTAuMTE1LDAuMDYyIC0wLjAzNSwwLjAyMiAtMC4wNjgsMC4wNDUgLTAuMSwwLjA3IC0wLjAz + NSwwLjAyNyAtMC4wNywwLjA1NCAtMC4xMDMsMC4wODUgLTAuMDMxLDAuMDI5IC0wLjA1OSww + LjA1OSAtMC4wODcsMC4wOSAtMC4wMjgsMC4wMzIgLTAuMDU2LDAuMDY0IC0wLjA4MiwwLjA5 + OSAtMC4wMjgsMC4wMzggLTAuMDUyLDAuMDc5IC0wLjA3NiwwLjEyIC0wLjAxMywwLjAyMyAt + MC4wMywwLjA0MiAtMC4wNDIsMC4wNjYgLTAuMDA2LDAuMDEyIC0wLjAwOCwwLjAyNSAtMC4w + MTQsMC4wMzcgLTAuMDIsMC4wNDMgLTAuMDM2LDAuMDg5IC0wLjA1MSwwLjEzNSAtMC4wMTMs + MC4wMzkgLTAuMDI3LDAuMDc4IC0wLjAzNiwwLjExNyAtMC4wMDksMC4wNCAtMC4wMTQsMC4w + ODEgLTAuMDIsMC4xMjIgLTAuMDA3LDAuMDQ4IC0wLjAxMywwLjA5NSAtMC4wMTQsMC4xNDIg + MC4wMDEsMC4wMTQgLTAuMDAzLDAuMDI2IC0wLjAwMywwLjAzOSBsIDAsMTkuNTMxIGMgMCww + LjAyNiAwLjAwNiwwLjA1MSAwLjAwOCwwLjA3NyAwLjAwMywwLjA0OCAwLjAwNiwwLjA5NiAw + LjAxNCwwLjE0MyAwLjAwNywwLjA0MiAwLjAxNywwLjA4MiAwLjAyOCwwLjEyMiAwLjAxMSww + LjA0MiAwLjAyMywwLjA4MyAwLjAzOCwwLjEyMyAwLjAxNSwwLjA0IDAuMDMzLDAuMDc5IDAu + MDUyLDAuMTE3IDAuMDE5LDAuMDM4IDAuMDM4LDAuMDc2IDAuMDYxLDAuMTEyIDAuMDIyLDAu + MDM1IDAuMDQ2LDAuMDY5IDAuMDcxLDAuMTAyIDAuMDI3LDAuMDM1IDAuMDU0LDAuMDY5IDAu + MDg0LDAuMTAyIDAuMDI4LDAuMDMxIDAuMDU5LDAuMDU5IDAuMDksMC4wODcgMC4wMzIsMC4w + MjkgMC4wNjQsMC4wNTYgMC4xLDAuMDgyIDAuMDM4LDAuMDI3IDAuMDc3LDAuMDUxIDAuMTE4 + LDAuMDc1IDAuMDIzLDAuMDE0IDAuMDQzLDAuMDMxIDAuMDY4LDAuMDQzIEwgMzcuOTQ1NjE1 + LDkxLjU0MzA0OCBjIDAuMDA3LDAuMDA0IDAuMDE1LDAuMDA0IDAuMDIyLDAuMDA4IDAuMDE3 + LDAuMDA4IDAuMDMyLDAuMDE3IDAuMDQ5LDAuMDI1IDAuMDEsMC4wMDQgMC4wMiwwLjAwNyAw + LjAzLDAuMDExIDAuMDU2LDAuMDIyIDAuMTEzLDAuMDQxIDAuMTcxLDAuMDU1IDAuMDEyLDAu + MDAzIDAuMDI0LDAuMDA2IDAuMDM2LDAuMDA5IDAuMDE2LDAuMDAzIDAuMDMyLDAuMDA1IDAu + MDQ4LDAuMDA4IDAuMDc3LDAuMDE0IDAuMTU0LDAuMDI0IDAuMjMyLDAuMDI0IDAuMDAxLDAg + MC4wMDIsMCAwLjAwMywwIGwgMC4wMDEsMCAxMGUtNCwwIGMgMTBlLTQsMCAwLjAwMiwwIDAu + MDAzLDAgMC4wNzgsMCAwLjE1NiwtMC4wMSAwLjIzMiwtMC4wMjQgMC4wMTYsLTAuMDAzIDAu + MDMyLC0wLjAwNSAwLjA0OCwtMC4wMDggMC4wMTIsLTAuMDAzIDAuMDI0LC0wLjAwNiAwLjAz + NiwtMC4wMDkgMC4wNTgsLTAuMDE0IDAuMTE1LC0wLjAzMyAwLjE3LC0wLjA1NSAwLjAxLC0w + LjAwNCAwLjAyMSwtMC4wMDcgMC4wMzEsLTAuMDExIDAuMDE3LC0wLjAwNyAwLjAzMiwtMC4w + MTcgMC4wNDksLTAuMDI0IDAuMDA3LC0wLjAwMyAwLjAxNSwtMC4wMDQgMC4wMjIsLTAuMDA4 + IEwgNjEuNzQ2LDgxLjY0MiBsIDkuNDYyLDUuMjIxIGMgMC4wMTgsMC4wMSAwLjAzNywwLjAx + NyAwLjA1NiwwLjAyNiAwLjAxOSwwLjAxIDAuMDM4LDAuMDIgMC4wNTgsMC4wMjkgMC4wMDgs + MC4wMDMgMC4wMTYsMC4wMDcgMC4wMjQsMC4wMSAwLjAzMSwwLjAxMyAwLjA2MywwLjAyMyAw + LjA5NSwwLjAzMyAwLjAxOSwwLjAwNiAwLjAzOCwwLjAxMyAwLjA1OCwwLjAxOSAwLjAyMSww + LjAwNiAwLjA0MywwLjAxMSAwLjA2NCwwLjAxNSAwLjAxNSwwLjAwMyAwLjAyOSwwLjAwNiAw + LjA0NCwwLjAwOCAwLjAwNywwLjAwMSAwLjAxNSwwLjAwMyAwLjAyMiwwLjAwNCAwLjAxNCww + LjAwMiAwLjAyOCwwLjAwNiAwLjA0MiwwLjAwOCAwLjA1OSwwLjAwOCAwLjExNywwLjAxMyAw + LjE3NiwwLjAxMyBsIDAuMDAxLDAgMC4wMDEsMCBjIDEwZS00LDAgMC4wMDIsMCAwLjAwMyww + IDAuMDc4LDAgMC4xNTUsLTAuMDEgMC4yMzIsLTAuMDI0IDAuMDEzLC0wLjAwMiAwLjAyNiwt + MC4wMDMgMC4wMzksLTAuMDA2IDAuMDEsLTAuMDAyIDAuMDE5LC0wLjAwNiAwLjAyOSwtMC4w + MDggMC4wNywtMC4wMTcgMC4xNCwtMC4wMzcgMC4yMDcsLTAuMDY1IDAuMDA3LC0wLjAwMyAw + LjAxNCwtMC4wMDcgMC4wMjEsLTAuMDEgMC4wMDQsLTAuMDAyIDAuMDA4LC0wLjAwNCAwLjAx + MiwtMC4wMDYgMC4wMDYsLTAuMDAzIDAuMDEyLC0wLjAwMyAwLjAxOCwtMC4wMDYgTCA5Ny4y + MzgsNzUuMzE3IEMgOTcuNzAzLDc1LjA5OCA5OCw3NC42MzEgOTgsNzQuMTE3IEwgOTgsMzgu + MDM0IEMgOTgsMzguMDI4IDk3Ljk5OCwzOC4wMjMgOTcuOTk4LDM4LjAxNyA5Ny45OTcsMzcu + OTQzIDk3Ljk4OSwzNy44NzEgOTcuOTc2LDM3LjggeiBtIC02MC43NjIzODUsNDAuNjE3MDQ4 + IC03LjYxNCwzLjY2NiAzLjk3MiwxLjk4NiAzLjY0MSwtMS45ODYgMCw2LjI5IC0zMy44NzE1 + NTE4LC0xNi45MzUzMzggMCwtOS44MjkgOC42Nzc1NTE4LDQuMjQxMzM4IC03LjI1Njk5OTcs + My4zNSAzLjk3MiwxLjk4NiA3LjI2ODk5OTcsLTMuMzc4IDQuMzEzLDIuMDUxIC03LjQ4Nywz + LjQ1NiAzLjk3MiwxLjk4NiA3LjUwMywtMy40ODIgNC42MjEsMi4zNDQgLTcuMzgxLDMuNDA3 + IDMuOTcyLDEuOTg2IDcuMzk1LC0zLjQzNCA0LjMwMywyLjExMSB6IE0gNjUuMjI4LDc2Ljkz + OSAzOS44NjE2MTUsODguMjE2MDQ4IGwgMCwtMTYuNTcgTCA2NS4yMjgsNjAuMzcgeiBNIDMu + MzQxMDYzMiw1OC41Mjc3MSBsIDAsLTMuMzEgMzMuODcyNTUxOCwxNi42MDMzMzggMCwzLjMx + IHoiCiAgICAgICAgIGlkPSJwYXRoMzUwMiIKICAgICAgICAgc3R5bGU9ImZpbGw6IzU2MzQ3 + YztmaWxsLW9wYWNpdHk6MSIgLz48L2c+PHBvbHlnb24KICAgICAgIHBvaW50cz0iMzkuNDA3 + LDUzLjI2MiA0NS4zNjYsNTYuMjQxIDM5LjA3Niw1OS4yMiAzMy4xMTcsNTYuMjQxICIKICAg + ICAgIHRyYW5zZm9ybT0ibWF0cml4KDAuNDQ3NzU5MDcsMC44OTQxNTQyNSwtMC44OTQxNTQy + NSwwLjQ0Nzc1OTA3LDcwLjQ2MzE4LC0xNi4zMDQ0MykiCiAgICAgICBpZD0icG9seWdvbjM1 + MDYiCiAgICAgICBzdHlsZT0iZmlsbDojNTYzNDdjO2ZpbGwtb3BhY2l0eToxIiAvPjxwb2x5 + Z29uCiAgICAgICBwb2ludHM9IjIyLjg1NSw1MC42MTMgMjkuMTQ1LDQ3LjYzNCAzNS4xMDMs + NTAuNjEzIDI4LjgxNCw1My41OTMgIgogICAgICAgdHJhbnNmb3JtPSJtYXRyaXgoMC40NDc3 + NTkwNywwLjg5NDE1NDI1LC0wLjg5NDE1NDI1LDAuNDQ3NzU5MDcsNzAuMDI1NjgsLTE2LjU1 + NDQzKSIKICAgICAgIGlkPSJwb2x5Z29uMzUwOCIKICAgICAgIHN0eWxlPSJmaWxsOiM1NjM0 + N2M7ZmlsbC1vcGFjaXR5OjEiIC8+PGcKICAgICAgIHRyYW5zZm9ybT0ibWF0cml4KDAsLTAu + MjQ5MjQ3NSwwLjE5NTQ3Njg2LDAuMTYxMTQxNzksNzEuMDA1OTg0LDYyLjE5Mjk2OSkiCiAg + ICAgICBpZD0iQ2FwdGlvbnMiCiAgICAgICBzdHlsZT0iZmlsbDojNTYzNDdjO2ZpbGwtb3Bh + Y2l0eToxIiAvPjxnCiAgICAgICB0cmFuc2Zvcm09InRyYW5zbGF0ZSgxMjIuMTA5ODYsLTU1 + LjExMTE2OCkiCiAgICAgICBpZD0iQ2FwdGlvbnMtNyIKICAgICAgIHN0eWxlPSJmaWxsOiM1 + NjM0N2M7ZmlsbC1vcGFjaXR5OjEiIC8+PHBhdGgKICAgICAgIGQ9Im0gNDUuMDU4MTkzLDM0 + LjM0NzU4NSBjIDIuMTI0Mzk5LDIuNzA0MDk4IDQuMjk1MTU3LDcuOTg1NDM3IDQuMjk1MTU3 + LDEyLjg2NTU4NyAwLDQuODc4MTggLTIuMTcwNzU4LDYuNTQyMDI1IC00LjI5NTE1Nyw1Ljcw + Mzk0MSAwLC0xLjk5ODA1NSAwLC0xNi43OTUwODQgMCwtMTguNTY5NTI4IHoiCiAgICAgICBp + ZD0icGF0aDQ4MTgtMi00LTMiCiAgICAgICBzdHlsZT0iZmlsbDojNTYzNDdjO2ZpbGwtb3Bh + Y2l0eToxIiAvPjxnCiAgICAgICB0cmFuc2Zvcm09InRyYW5zbGF0ZSg3NC45MzYyOTcsMTA5 + LjcyMjIxKSIKICAgICAgIGlkPSJZb3VyX0ljb24iCiAgICAgICBzdHlsZT0iZmlsbDojNTYz + NDdjO2ZpbGwtb3BhY2l0eToxIiAvPjwvZz48L3N2Zz4= + </office:binary-data> + <text:p/> + </draw:image> + </draw:frame> + <draw:custom-shape draw:style-name="gr34" draw:text-style-name="P1" draw:layer="layout" svg:width="3.429cm" svg:height="3.302cm" draw:transform="skewX (0.0108210413623648) rotate (-1.12399203828435) translate (38.537cm 68.522cm)"> + <text:p/> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:text-areas="0 0 21600 21600" draw:type="circular-arrow" draw:modifiers="180 0 5500" draw:enhanced-path="B ?f3 ?f3 ?f20 ?f20 ?f19 ?f18 ?f17 ?f16 W 0 0 21600 21600 ?f9 ?f8 ?f11 ?f10 L ?f24 ?f23 ?f36 ?f35 ?f29 ?f28 Z N"> + <draw:equation draw:name="f0" draw:formula="$0 "/> + <draw:equation draw:name="f1" draw:formula="$1 "/> + <draw:equation draw:name="f2" draw:formula="$2 "/> + <draw:equation draw:name="f3" draw:formula="10800+$2 "/> + <draw:equation draw:name="f4" draw:formula="10800*sin($0 *(pi/180))"/> + <draw:equation draw:name="f5" draw:formula="10800*cos($0 *(pi/180))"/> + <draw:equation draw:name="f6" draw:formula="10800*sin($1 *(pi/180))"/> + <draw:equation draw:name="f7" draw:formula="10800*cos($1 *(pi/180))"/> + <draw:equation draw:name="f8" draw:formula="?f4 +10800"/> + <draw:equation draw:name="f9" draw:formula="?f5 +10800"/> + <draw:equation draw:name="f10" draw:formula="?f6 +10800"/> + <draw:equation draw:name="f11" draw:formula="?f7 +10800"/> + <draw:equation draw:name="f12" draw:formula="?f3 *sin($0 *(pi/180))"/> + <draw:equation draw:name="f13" draw:formula="?f3 *cos($0 *(pi/180))"/> + <draw:equation draw:name="f14" draw:formula="?f3 *sin($1 *(pi/180))"/> + <draw:equation draw:name="f15" draw:formula="?f3 *cos($1 *(pi/180))"/> + <draw:equation draw:name="f16" draw:formula="?f12 +10800"/> + <draw:equation draw:name="f17" draw:formula="?f13 +10800"/> + <draw:equation draw:name="f18" draw:formula="?f14 +10800"/> + <draw:equation draw:name="f19" draw:formula="?f15 +10800"/> + <draw:equation draw:name="f20" draw:formula="21600-?f3 "/> + <draw:equation draw:name="f21" draw:formula="13500*sin($1 *(pi/180))"/> + <draw:equation draw:name="f22" draw:formula="13500*cos($1 *(pi/180))"/> + <draw:equation draw:name="f23" draw:formula="?f21 +10800"/> + <draw:equation draw:name="f24" draw:formula="?f22 +10800"/> + <draw:equation draw:name="f25" draw:formula="$2 -2700"/> + <draw:equation draw:name="f26" draw:formula="?f25 *sin($1 *(pi/180))"/> + <draw:equation draw:name="f27" draw:formula="?f25 *cos($1 *(pi/180))"/> + <draw:equation draw:name="f28" draw:formula="?f26 +10800"/> + <draw:equation draw:name="f29" draw:formula="?f27 +10800"/> + <draw:equation draw:name="f30" draw:formula="($1+45)*pi/180"/> + <draw:equation draw:name="f31" draw:formula="sqrt(((?f29-?f24)*(?f29-?f24))+((?f28-?f23)*(?f28-?f23)))"/> + <draw:equation draw:name="f32" draw:formula="sqrt(2)/2*?f31"/> + <draw:equation draw:name="f33" draw:formula="?f32*sin(?f30)"/> + <draw:equation draw:name="f34" draw:formula="?f32*cos(?f30)"/> + <draw:equation draw:name="f35" draw:formula="?f28+?f33"/> + <draw:equation draw:name="f36" draw:formula="?f29+?f34"/> + <draw:handle draw:handle-position="10800 $0" draw:handle-polar="10800 10800" draw:handle-radius-range-minimum="10800" draw:handle-radius-range-maximum="10800"/> + <draw:handle draw:handle-position="$2 $1" draw:handle-polar="10800 10800" draw:handle-radius-range-minimum="0" draw:handle-radius-range-maximum="10800"/> + </draw:enhanced-geometry> + </draw:custom-shape> + <draw:frame draw:style-name="gr31" draw:text-style-name="P1" draw:layer="layout" svg:width="1.745cm" svg:height="2.645cm" svg:x="19.669cm" svg:y="50.171cm"> + <draw:image xlink:href=""> + <office:binary-data>PD94bWwgdmVyc2lvbj0iMS4wIiBlbmNvZGluZz0iVVRGLTgiIHN0YW5kYWxvbmU9Im5vIj8+ + CjxzdmcKICAgeG1sbnM6ZGM9Imh0dHA6Ly9wdXJsLm9yZy9kYy9lbGVtZW50cy8xLjEvIgog + ICB4bWxuczpjYz0iaHR0cDovL2NyZWF0aXZlY29tbW9ucy5vcmcvbnMjIgogICB4bWxuczpy + ZGY9Imh0dHA6Ly93d3cudzMub3JnLzE5OTkvMDIvMjItcmRmLXN5bnRheC1ucyMiCiAgIHht + bG5zOnN2Zz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciCiAgIHhtbG5zPSJodHRwOi8v + d3d3LnczLm9yZy8yMDAwL3N2ZyIKICAgeG1sbnM6c29kaXBvZGk9Imh0dHA6Ly9zb2RpcG9k + aS5zb3VyY2Vmb3JnZS5uZXQvRFREL3NvZGlwb2RpLTAuZHRkIgogICB4bWxuczppbmtzY2Fw + ZT0iaHR0cDovL3d3dy5pbmtzY2FwZS5vcmcvbmFtZXNwYWNlcy9pbmtzY2FwZSIKICAgdmVy + c2lvbj0iMS4xIgogICBpZD0iVGh1bWJfRHJpdmUiCiAgIHg9IjBweCIKICAgeT0iMHB4Igog + ICB3aWR0aD0iNjUuODMzMzMzMzMzM3B4IgogICBoZWlnaHQ9IjEwMHB4IgogICB2aWV3Qm94 + PSIzLjk2MDI1IC0xMi4wNDg5IDc5LjIwNSAxNjIuNjYwMTUiCiAgIGVuYWJsZS1iYWNrZ3Jv + dW5kPSJuZXcgMCAwIDc5LjIwNSAxMjAuNDg5IgogICB4bWw6c3BhY2U9InByZXNlcnZlIgog + ICBpbmtzY2FwZTp2ZXJzaW9uPSIwLjQ4LjMuMSByOTg4NiIKICAgc29kaXBvZGk6ZG9jbmFt + ZT0ibm91bl8xODI0X2NjLnN2ZyI+PG1ldGFkYXRhCiAgIGlkPSJtZXRhZGF0YTM4NDkiPjxy + ZGY6UkRGPjxjYzpXb3JrCiAgICAgICByZGY6YWJvdXQ9IiI+PGRjOmZvcm1hdD5pbWFnZS9z + dmcreG1sPC9kYzpmb3JtYXQ+PGRjOnR5cGUKICAgICAgICAgcmRmOnJlc291cmNlPSJodHRw + Oi8vcHVybC5vcmcvZGMvZGNtaXR5cGUvU3RpbGxJbWFnZSIgLz48ZGM6dGl0bGU+PC9kYzp0 + aXRsZT48L2NjOldvcms+PC9yZGY6UkRGPjwvbWV0YWRhdGE+PGRlZnMKICAgaWQ9ImRlZnMz + ODQ3IiAvPjxzb2RpcG9kaTpuYW1lZHZpZXcKICAgcGFnZWNvbG9yPSIjZmZmZmZmIgogICBi + b3JkZXJjb2xvcj0iIzY2NjY2NiIKICAgYm9yZGVyb3BhY2l0eT0iMSIKICAgb2JqZWN0dG9s + ZXJhbmNlPSIxMCIKICAgZ3JpZHRvbGVyYW5jZT0iMTAiCiAgIGd1aWRldG9sZXJhbmNlPSIx + MCIKICAgaW5rc2NhcGU6cGFnZW9wYWNpdHk9IjAiCiAgIGlua3NjYXBlOnBhZ2VzaGFkb3c9 + IjIiCiAgIGlua3NjYXBlOndpbmRvdy13aWR0aD0iMTI4MCIKICAgaW5rc2NhcGU6d2luZG93 + LWhlaWdodD0iNzQxIgogICBpZD0ibmFtZWR2aWV3Mzg0NSIKICAgc2hvd2dyaWQ9ImZhbHNl + IgogICBpbmtzY2FwZTp6b29tPSIyLjQiCiAgIGlua3NjYXBlOmN4PSIzMi45MTY2NjgiCiAg + IGlua3NjYXBlOmN5PSI1MCIKICAgaW5rc2NhcGU6d2luZG93LXg9IjAiCiAgIGlua3NjYXBl + OndpbmRvdy15PSIyNyIKICAgaW5rc2NhcGU6d2luZG93LW1heGltaXplZD0iMSIKICAgaW5r + c2NhcGU6Y3VycmVudC1sYXllcj0iVGh1bWJfRHJpdmUiIC8+CjxwYXRoCiAgIGQ9Ik0zOS41 + ODQsMjguNDU4VjcuNTU2SDI4LjU4N2MtMC41MTUsMC0wLjkzMiwwLjQxNy0wLjkzMiwwLjkz + MnYxOS45N0gzOS41ODR6IE0zMS44NTQsMTcuNTcxICBjMC0wLjM1NCwwLjI4OC0wLjY0Miww + LjY0My0wLjY0MmgzLjAyNWMwLjM1NCwwLDAuNjQyLDAuMjg4LDAuNjQyLDAuNjQydjIuMDU2 + YzAsMC4zNTQtMC4yODgsMC42NDItMC42NDIsMC42NDJoLTMuMDI1ICBjLTAuMzU0LDAtMC42 + NDMtMC4yODctMC42NDMtMC42NDJWMTcuNTcxeiIKICAgaWQ9InBhdGgzODM1IiAvPgo8cGF0 + aAogICBkPSJNNTIuNDI5LDI4LjQ1OFY4LjQ4OGMwLTAuNTE1LTAuNDE3LTAuOTMyLTAuOTMx + LTAuOTMySDQwLjQ5MXYyMC45MDFINTIuNDI5eiBNNDMuOTIxLDE3LjU3MSAgYzAtMC4zNTQs + MC4yODYtMC42NDIsMC42NDItMC42NDJoMy4wMjVjMC4zNTUsMCwwLjY0MywwLjI4OCwwLjY0 + MywwLjY0MnYyLjA1NmMwLDAuMzU0LTAuMjg3LDAuNjQyLTAuNjQzLDAuNjQyaC0zLjAyNSAg + Yy0wLjM1NSwwLTAuNjQyLTAuMjg3LTAuNjQyLTAuNjQyVjE3LjU3MXoiCiAgIGlkPSJwYXRo + MzgzNyIgLz4KPHBhdGgKICAgZD0iTTU5LjM4NSwxMDUuNTkxYzAsMS40MTgtMS4xNDksMi41 + NjYtMi41NjgsMi41NjZoLTMzLjU1Yy0xLjQxOCwwLTIuNTY4LTEuMTQ4LTIuNTY4LTIuNTY2 + VjMxLjc1MyAgYzAtMS40MTgsMS4xNS0yLjU2OCwyLjU2OC0yLjU2OGgzMy41NWMxLjQxOSww + LDIuNTY4LDEuMTUsMi41NjgsMi41NjhWMTA1LjU5MXogTTUwLjk0OCw1NC4xMDFoLTUuMzA1 + djUuMzA1aDEuNzA5djUuMjg2ICBjMCwwLjQwNy0wLjEwMiwwLjQ1Mi0wLjI3NSwwLjY0OWwt + Ni4wMDMsNS43MzJWNDkuNjc5aDIuMTM4bC0zLjA1OS02LjExNmwtMy4wNTgsNi4xMTZoMi4x + Mzd2MjguMTg4bC02LjE3Mi01Ljg5NCAgYy0wLjE3My0wLjE5Ny0wLjI3NS0wLjI0My0wLjI3 + NS0wLjY0OXYtNS40NDljMS4wNTItMC4zNzcsMS44MDUtMS4zODEsMS44MDUtMi41NjJjMC0x + LjUwNi0xLjIyMS0yLjcyNy0yLjcyNi0yLjcyNyAgYy0xLjUwNiwwLTIuNzI3LDEuMjIxLTIu + NzI3LDIuNzI3YzAsMS4xODIsMC43NTQsMi4xODYsMS44MDUsMi41NjJ2Ni4xOTVjMCwwLjMy + MywwLjEyNSwwLjUwMywwLjI3MiwwLjY0NWw4LjAxOCw3LjY5N3Y0LjI1ICBjLTIuMTAyLDAu + NDI4LTMuNjg0LDIuMjg1LTMuNjg0LDQuNTE0YzAsMi41NDMsMi4wNjIsNC42MDUsNC42MDUs + NC42MDVjMi41NDQsMCw0LjYwNi0yLjA2Miw0LjYwNi00LjYwNSAgYzAtMi4yMjktMS41ODIt + NC4wODYtMy42ODUtNC41MTRWNzMuNjE2bDcuODQ5LTcuNTM0YzAuMTQ2LTAuMTQyLDAuMjcx + LTAuMzIxLDAuMjcxLTAuNjQ2di02LjAzMWgxLjc1NFY1NC4xMDF6IgogICBpZD0icGF0aDM4 + MzkiIC8+Cjwvc3ZnPg== + </office:binary-data> + <text:p/> + </draw:image> + </draw:frame> + <draw:frame draw:style-name="gr31" draw:text-style-name="P1" draw:layer="layout" svg:width="1.745cm" svg:height="2.645cm" svg:x="26.052cm" svg:y="50.149cm"> + <draw:image xlink:href=""> + <office:binary-data>PD94bWwgdmVyc2lvbj0iMS4wIiBlbmNvZGluZz0iVVRGLTgiIHN0YW5kYWxvbmU9Im5vIj8+ + CjxzdmcKICAgeG1sbnM6ZGM9Imh0dHA6Ly9wdXJsLm9yZy9kYy9lbGVtZW50cy8xLjEvIgog + ICB4bWxuczpjYz0iaHR0cDovL2NyZWF0aXZlY29tbW9ucy5vcmcvbnMjIgogICB4bWxuczpy + ZGY9Imh0dHA6Ly93d3cudzMub3JnLzE5OTkvMDIvMjItcmRmLXN5bnRheC1ucyMiCiAgIHht + bG5zOnN2Zz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciCiAgIHhtbG5zPSJodHRwOi8v + d3d3LnczLm9yZy8yMDAwL3N2ZyIKICAgeG1sbnM6c29kaXBvZGk9Imh0dHA6Ly9zb2RpcG9k + aS5zb3VyY2Vmb3JnZS5uZXQvRFREL3NvZGlwb2RpLTAuZHRkIgogICB4bWxuczppbmtzY2Fw + ZT0iaHR0cDovL3d3dy5pbmtzY2FwZS5vcmcvbmFtZXNwYWNlcy9pbmtzY2FwZSIKICAgdmVy + c2lvbj0iMS4xIgogICBpZD0iVGh1bWJfRHJpdmUiCiAgIHg9IjBweCIKICAgeT0iMHB4Igog + ICB3aWR0aD0iNjUuODMzMzMzMzMzM3B4IgogICBoZWlnaHQ9IjEwMHB4IgogICB2aWV3Qm94 + PSIzLjk2MDI1IC0xMi4wNDg5IDc5LjIwNSAxNjIuNjYwMTUiCiAgIGVuYWJsZS1iYWNrZ3Jv + dW5kPSJuZXcgMCAwIDc5LjIwNSAxMjAuNDg5IgogICB4bWw6c3BhY2U9InByZXNlcnZlIgog + ICBpbmtzY2FwZTp2ZXJzaW9uPSIwLjQ4LjMuMSByOTg4NiIKICAgc29kaXBvZGk6ZG9jbmFt + ZT0ibm91bl8xODI0X2NjLnN2ZyI+PG1ldGFkYXRhCiAgIGlkPSJtZXRhZGF0YTM4NDkiPjxy + ZGY6UkRGPjxjYzpXb3JrCiAgICAgICByZGY6YWJvdXQ9IiI+PGRjOmZvcm1hdD5pbWFnZS9z + dmcreG1sPC9kYzpmb3JtYXQ+PGRjOnR5cGUKICAgICAgICAgcmRmOnJlc291cmNlPSJodHRw + Oi8vcHVybC5vcmcvZGMvZGNtaXR5cGUvU3RpbGxJbWFnZSIgLz48ZGM6dGl0bGU+PC9kYzp0 + aXRsZT48L2NjOldvcms+PC9yZGY6UkRGPjwvbWV0YWRhdGE+PGRlZnMKICAgaWQ9ImRlZnMz + ODQ3IiAvPjxzb2RpcG9kaTpuYW1lZHZpZXcKICAgcGFnZWNvbG9yPSIjZmZmZmZmIgogICBi + b3JkZXJjb2xvcj0iIzY2NjY2NiIKICAgYm9yZGVyb3BhY2l0eT0iMSIKICAgb2JqZWN0dG9s + ZXJhbmNlPSIxMCIKICAgZ3JpZHRvbGVyYW5jZT0iMTAiCiAgIGd1aWRldG9sZXJhbmNlPSIx + MCIKICAgaW5rc2NhcGU6cGFnZW9wYWNpdHk9IjAiCiAgIGlua3NjYXBlOnBhZ2VzaGFkb3c9 + IjIiCiAgIGlua3NjYXBlOndpbmRvdy13aWR0aD0iMTI4MCIKICAgaW5rc2NhcGU6d2luZG93 + LWhlaWdodD0iNzQxIgogICBpZD0ibmFtZWR2aWV3Mzg0NSIKICAgc2hvd2dyaWQ9ImZhbHNl + IgogICBpbmtzY2FwZTp6b29tPSIyLjQiCiAgIGlua3NjYXBlOmN4PSIzMi45MTY2NjgiCiAg + IGlua3NjYXBlOmN5PSI1MCIKICAgaW5rc2NhcGU6d2luZG93LXg9IjAiCiAgIGlua3NjYXBl + OndpbmRvdy15PSIyNyIKICAgaW5rc2NhcGU6d2luZG93LW1heGltaXplZD0iMSIKICAgaW5r + c2NhcGU6Y3VycmVudC1sYXllcj0iVGh1bWJfRHJpdmUiIC8+CjxwYXRoCiAgIGQ9Ik0zOS41 + ODQsMjguNDU4VjcuNTU2SDI4LjU4N2MtMC41MTUsMC0wLjkzMiwwLjQxNy0wLjkzMiwwLjkz + MnYxOS45N0gzOS41ODR6IE0zMS44NTQsMTcuNTcxICBjMC0wLjM1NCwwLjI4OC0wLjY0Miww + LjY0My0wLjY0MmgzLjAyNWMwLjM1NCwwLDAuNjQyLDAuMjg4LDAuNjQyLDAuNjQydjIuMDU2 + YzAsMC4zNTQtMC4yODgsMC42NDItMC42NDIsMC42NDJoLTMuMDI1ICBjLTAuMzU0LDAtMC42 + NDMtMC4yODctMC42NDMtMC42NDJWMTcuNTcxeiIKICAgaWQ9InBhdGgzODM1IiAvPgo8cGF0 + aAogICBkPSJNNTIuNDI5LDI4LjQ1OFY4LjQ4OGMwLTAuNTE1LTAuNDE3LTAuOTMyLTAuOTMx + LTAuOTMySDQwLjQ5MXYyMC45MDFINTIuNDI5eiBNNDMuOTIxLDE3LjU3MSAgYzAtMC4zNTQs + MC4yODYtMC42NDIsMC42NDItMC42NDJoMy4wMjVjMC4zNTUsMCwwLjY0MywwLjI4OCwwLjY0 + MywwLjY0MnYyLjA1NmMwLDAuMzU0LTAuMjg3LDAuNjQyLTAuNjQzLDAuNjQyaC0zLjAyNSAg + Yy0wLjM1NSwwLTAuNjQyLTAuMjg3LTAuNjQyLTAuNjQyVjE3LjU3MXoiCiAgIGlkPSJwYXRo + MzgzNyIgLz4KPHBhdGgKICAgZD0iTTU5LjM4NSwxMDUuNTkxYzAsMS40MTgtMS4xNDksMi41 + NjYtMi41NjgsMi41NjZoLTMzLjU1Yy0xLjQxOCwwLTIuNTY4LTEuMTQ4LTIuNTY4LTIuNTY2 + VjMxLjc1MyAgYzAtMS40MTgsMS4xNS0yLjU2OCwyLjU2OC0yLjU2OGgzMy41NWMxLjQxOSww + LDIuNTY4LDEuMTUsMi41NjgsMi41NjhWMTA1LjU5MXogTTUwLjk0OCw1NC4xMDFoLTUuMzA1 + djUuMzA1aDEuNzA5djUuMjg2ICBjMCwwLjQwNy0wLjEwMiwwLjQ1Mi0wLjI3NSwwLjY0OWwt + Ni4wMDMsNS43MzJWNDkuNjc5aDIuMTM4bC0zLjA1OS02LjExNmwtMy4wNTgsNi4xMTZoMi4x + Mzd2MjguMTg4bC02LjE3Mi01Ljg5NCAgYy0wLjE3My0wLjE5Ny0wLjI3NS0wLjI0My0wLjI3 + NS0wLjY0OXYtNS40NDljMS4wNTItMC4zNzcsMS44MDUtMS4zODEsMS44MDUtMi41NjJjMC0x + LjUwNi0xLjIyMS0yLjcyNy0yLjcyNi0yLjcyNyAgYy0xLjUwNiwwLTIuNzI3LDEuMjIxLTIu + NzI3LDIuNzI3YzAsMS4xODIsMC43NTQsMi4xODYsMS44MDUsMi41NjJ2Ni4xOTVjMCwwLjMy + MywwLjEyNSwwLjUwMywwLjI3MiwwLjY0NWw4LjAxOCw3LjY5N3Y0LjI1ICBjLTIuMTAyLDAu + NDI4LTMuNjg0LDIuMjg1LTMuNjg0LDQuNTE0YzAsMi41NDMsMi4wNjIsNC42MDUsNC42MDUs + NC42MDVjMi41NDQsMCw0LjYwNi0yLjA2Miw0LjYwNi00LjYwNSAgYzAtMi4yMjktMS41ODIt + NC4wODYtMy42ODUtNC41MTRWNzMuNjE2bDcuODQ5LTcuNTM0YzAuMTQ2LTAuMTQyLDAuMjcx + LTAuMzIxLDAuMjcxLTAuNjQ2di02LjAzMWgxLjc1NFY1NC4xMDF6IgogICBpZD0icGF0aDM4 + MzkiIC8+Cjwvc3ZnPg== + </office:binary-data> + <text:p/> + </draw:image> + </draw:frame> + </draw:page> + </office:drawing> + </office:body> +</office:document> \ No newline at end of file diff --git a/wiki/src/blueprint/bootstrapping/2015-compare-proposals.ods b/wiki/src/blueprint/bootstrapping/2015-compare-proposals.ods new file mode 100644 index 0000000000000000000000000000000000000000..dd267643aae98fc10ec73bee4231b85ed00442a4 Binary files /dev/null and b/wiki/src/blueprint/bootstrapping/2015-compare-proposals.ods differ diff --git a/wiki/src/blueprint/bootstrapping/2015.fodg b/wiki/src/blueprint/bootstrapping/2015.fodg new file mode 100644 index 0000000000000000000000000000000000000000..c2e91916ab6c66036cc036608bcbd3dee17cdb86 --- /dev/null +++ b/wiki/src/blueprint/bootstrapping/2015.fodg @@ -0,0 +1,1126 @@ +<?xml version="1.0" encoding="UTF-8"?> + +<office:document xmlns:office="urn:oasis:names:tc:opendocument:xmlns:office:1.0" xmlns:style="urn:oasis:names:tc:opendocument:xmlns:style:1.0" xmlns:text="urn:oasis:names:tc:opendocument:xmlns:text:1.0" xmlns:table="urn:oasis:names:tc:opendocument:xmlns:table:1.0" xmlns:draw="urn:oasis:names:tc:opendocument:xmlns:drawing:1.0" xmlns:fo="urn:oasis:names:tc:opendocument:xmlns:xsl-fo-compatible:1.0" xmlns:xlink="http://www.w3.org/1999/xlink" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:meta="urn:oasis:names:tc:opendocument:xmlns:meta:1.0" xmlns:number="urn:oasis:names:tc:opendocument:xmlns:datastyle:1.0" xmlns:presentation="urn:oasis:names:tc:opendocument:xmlns:presentation:1.0" xmlns:svg="urn:oasis:names:tc:opendocument:xmlns:svg-compatible:1.0" xmlns:chart="urn:oasis:names:tc:opendocument:xmlns:chart:1.0" xmlns:dr3d="urn:oasis:names:tc:opendocument:xmlns:dr3d:1.0" xmlns:math="http://www.w3.org/1998/Math/MathML" xmlns:form="urn:oasis:names:tc:opendocument:xmlns:form:1.0" xmlns:script="urn:oasis:names:tc:opendocument:xmlns:script:1.0" xmlns:config="urn:oasis:names:tc:opendocument:xmlns:config:1.0" xmlns:ooo="http://openoffice.org/2004/office" xmlns:ooow="http://openoffice.org/2004/writer" xmlns:oooc="http://openoffice.org/2004/calc" xmlns:dom="http://www.w3.org/2001/xml-events" xmlns:xforms="http://www.w3.org/2002/xforms" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:smil="urn:oasis:names:tc:opendocument:xmlns:smil-compatible:1.0" xmlns:anim="urn:oasis:names:tc:opendocument:xmlns:animation:1.0" xmlns:rpt="http://openoffice.org/2005/report" xmlns:of="urn:oasis:names:tc:opendocument:xmlns:of:1.2" xmlns:xhtml="http://www.w3.org/1999/xhtml" xmlns:grddl="http://www.w3.org/2003/g/data-view#" xmlns:officeooo="http://openoffice.org/2009/office" xmlns:tableooo="http://openoffice.org/2009/table" xmlns:drawooo="http://openoffice.org/2010/draw" xmlns:field="urn:openoffice:names:experimental:ooo-ms-interop:xmlns:field:1.0" xmlns:formx="urn:openoffice:names:experimental:ooxml-odf-interop:xmlns:form:1.0" xmlns:css3t="http://www.w3.org/TR/css3-text/" office:version="1.2" office:mimetype="application/vnd.oasis.opendocument.graphics"> + <office:meta><meta:initial-creator>Debian user</meta:initial-creator><meta:creation-date>2015-01-26T17:54:22</meta:creation-date><meta:generator>LibreOffice/3.5$Linux_x86 LibreOffice_project/350m1$Build-2</meta:generator><meta:document-statistic meta:object-count="177"/></office:meta> + <office:settings> + <config:config-item-set config:name="ooo:view-settings"> + <config:config-item config:name="VisibleAreaTop" config:type="int">87591</config:config-item> + <config:config-item config:name="VisibleAreaLeft" config:type="int">18892</config:config-item> + <config:config-item config:name="VisibleAreaWidth" config:type="int">41260</config:config-item> + <config:config-item config:name="VisibleAreaHeight" config:type="int">16275</config:config-item> + <config:config-item-map-indexed config:name="Views"> + <config:config-item-map-entry> + <config:config-item config:name="ViewId" config:type="string">view1</config:config-item> + <config:config-item config:name="GridIsVisible" config:type="boolean">true</config:config-item> + <config:config-item config:name="GridIsFront" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsSnapToGrid" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsSnapToPageMargins" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsSnapToSnapLines" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsSnapToObjectFrame" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsSnapToObjectPoints" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPlusHandlesAlwaysVisible" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsFrameDragSingles" config:type="boolean">true</config:config-item> + <config:config-item config:name="EliminatePolyPointLimitAngle" config:type="int">1500</config:config-item> + <config:config-item config:name="IsEliminatePolyPoints" config:type="boolean">false</config:config-item> + <config:config-item config:name="VisibleLayers" config:type="base64Binary">//////////////////////////////////////////8=</config:config-item> + <config:config-item config:name="PrintableLayers" config:type="base64Binary">//////////////////////////////////////////8=</config:config-item> + <config:config-item config:name="LockedLayers" config:type="base64Binary"/> + <config:config-item config:name="NoAttribs" config:type="boolean">false</config:config-item> + <config:config-item config:name="NoColors" config:type="boolean">true</config:config-item> + <config:config-item config:name="RulerIsVisible" config:type="boolean">true</config:config-item> + <config:config-item config:name="PageKind" config:type="short">0</config:config-item> + <config:config-item config:name="SelectedPage" config:type="short">0</config:config-item> + <config:config-item config:name="IsLayerMode" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsDoubleClickTextEdit" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsClickChangeRotation" config:type="boolean">false</config:config-item> + <config:config-item config:name="SlidesPerRow" config:type="short">4</config:config-item> + <config:config-item config:name="EditModeStandard" config:type="int">0</config:config-item> + <config:config-item config:name="EditModeNotes" config:type="int">0</config:config-item> + <config:config-item config:name="EditModeHandout" config:type="int">1</config:config-item> + <config:config-item config:name="VisibleAreaTop" config:type="int">87591</config:config-item> + <config:config-item config:name="VisibleAreaLeft" config:type="int">18892</config:config-item> + <config:config-item config:name="VisibleAreaWidth" config:type="int">45305</config:config-item> + <config:config-item config:name="VisibleAreaHeight" config:type="int">21075</config:config-item> + <config:config-item config:name="GridCoarseWidth" config:type="int">1270</config:config-item> + <config:config-item config:name="GridCoarseHeight" config:type="int">1270</config:config-item> + <config:config-item config:name="GridFineWidth" config:type="int">127</config:config-item> + <config:config-item config:name="GridFineHeight" config:type="int">127</config:config-item> + <config:config-item config:name="GridSnapWidthXNumerator" config:type="int">127</config:config-item> + <config:config-item config:name="GridSnapWidthXDenominator" config:type="int">1</config:config-item> + <config:config-item config:name="GridSnapWidthYNumerator" config:type="int">127</config:config-item> + <config:config-item config:name="GridSnapWidthYDenominator" config:type="int">1</config:config-item> + <config:config-item config:name="IsAngleSnapEnabled" config:type="boolean">false</config:config-item> + <config:config-item config:name="SnapAngle" config:type="int">1500</config:config-item> + <config:config-item config:name="ZoomOnPage" config:type="boolean">false</config:config-item> + </config:config-item-map-entry> + </config:config-item-map-indexed> + </config:config-item-set> + <config:config-item-set config:name="ooo:configuration-settings"> + <config:config-item config:name="ApplyUserData" config:type="boolean">true</config:config-item> + <config:config-item config:name="BitmapTableURL" config:type="string">$(user)/config/standard.sob</config:config-item> + <config:config-item config:name="CharacterCompressionType" config:type="short">0</config:config-item> + <config:config-item config:name="ColorTableURL" config:type="string">$(user)/config/standard.soc</config:config-item> + <config:config-item config:name="DashTableURL" config:type="string">$(user)/config/standard.sod</config:config-item> + <config:config-item config:name="DefaultTabStop" config:type="int">1270</config:config-item> + <config:config-item-map-indexed config:name="ForbiddenCharacters"> + <config:config-item-map-entry> + <config:config-item config:name="Language" config:type="string">en</config:config-item> + <config:config-item config:name="Country" config:type="string">US</config:config-item> + <config:config-item config:name="Variant" config:type="string"/> + <config:config-item config:name="BeginLine" config:type="string"/> + <config:config-item config:name="EndLine" config:type="string"/> + </config:config-item-map-entry> + </config:config-item-map-indexed> + <config:config-item config:name="GradientTableURL" config:type="string">$(user)/config/standard.sog</config:config-item> + <config:config-item config:name="HatchTableURL" config:type="string">$(user)/config/standard.soh</config:config-item> + <config:config-item config:name="IsKernAsianPunctuation" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintBooklet" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintBookletBack" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsPrintBookletFront" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsPrintDate" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintFitPage" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintHiddenPages" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsPrintPageName" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintTilePage" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintTime" config:type="boolean">false</config:config-item> + <config:config-item config:name="LineEndTableURL" config:type="string">$(user)/config/standard.soe</config:config-item> + <config:config-item config:name="LoadReadonly" config:type="boolean">false</config:config-item> + <config:config-item config:name="MeasureUnit" config:type="short">7</config:config-item> + <config:config-item config:name="PageNumberFormat" config:type="int">4</config:config-item> + <config:config-item config:name="ParagraphSummation" config:type="boolean">false</config:config-item> + <config:config-item config:name="PrintQuality" config:type="int">0</config:config-item> + <config:config-item config:name="PrinterIndependentLayout" config:type="string">low-resolution</config:config-item> + <config:config-item config:name="PrinterName" config:type="string">Generic Printer</config:config-item> + <config:config-item config:name="PrinterSetup" config:type="base64Binary">kAH+/0dlbmVyaWMgUHJpbnRlcgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAU0dFTlBSVAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAWAAMAtgAAAAAAAAAIAFZUAAAkbQAASm9iRGF0YSAxCnByaW50ZXI9R2VuZXJpYyBQcmludGVyCm9yaWVudGF0aW9uPVBvcnRyYWl0CmNvcGllcz0xCm1hcmdpbmRhanVzdG1lbnQ9MCwwLDAsMApjb2xvcmRlcHRoPTI0CnBzbGV2ZWw9MApwZGZkZXZpY2U9MApjb2xvcmRldmljZT0wClBQRENvbnRleERhdGEKRHVwbGV4Ok5vbmUAUGFnZVNpemU6TGV0dGVyAAASAENPTVBBVF9EVVBMRVhfTU9ERQoARFVQTEVYX09GRg==</config:config-item> + <config:config-item config:name="SaveVersionOnClose" config:type="boolean">false</config:config-item> + <config:config-item config:name="ScaleDenominator" config:type="int">1</config:config-item> + <config:config-item config:name="ScaleNumerator" config:type="int">1</config:config-item> + <config:config-item config:name="UpdateFromTemplate" config:type="boolean">true</config:config-item> + </config:config-item-set> + </office:settings> + <office:scripts> + <office:script script:language="ooo:Basic"> + <ooo:libraries xmlns:ooo="http://openoffice.org/2004/office" xmlns:xlink="http://www.w3.org/1999/xlink"> + <ooo:library-embedded ooo:name="Standard"/> + </ooo:libraries> + </office:script> + </office:scripts> + <office:styles> + <draw:hatch draw:name="Black_20_45_20_Degrees_20_Wide" draw:display-name="Black 45 Degrees Wide" draw:style="single" draw:color="#000000" draw:distance="0.508cm" draw:rotation="450"/> + <draw:marker draw:name="Arrow" svg:viewBox="0 0 20 30" svg:d="m10 0-10 30h20z"/> + <style:default-style style:family="graphic"> + <style:graphic-properties svg:stroke-color="#808080" draw:fill-color="#cfe7f5" fo:wrap-option="no-wrap"/> + <style:paragraph-properties style:text-autospace="ideograph-alpha" style:punctuation-wrap="simple" style:line-break="strict" style:writing-mode="lr-tb" style:font-independent-line-spacing="false"> + <style:tab-stops/> + </style:paragraph-properties> + <style:text-properties style:use-window-font-color="true" fo:font-family="'Liberation Serif'" style:font-family-generic="roman" style:font-pitch="variable" fo:font-size="24pt" fo:language="en" fo:country="US" style:font-family-asian="'DejaVu Sans'" style:font-family-generic-asian="system" style:font-pitch-asian="variable" style:font-size-asian="24pt" style:language-asian="zh" style:country-asian="CN" style:font-family-complex="'DejaVu Sans'" style:font-family-generic-complex="system" style:font-pitch-complex="variable" style:font-size-complex="24pt" style:language-complex="hi" style:country-complex="IN"/> + </style:default-style> + <style:style style:name="standard" style:family="graphic"> + <style:graphic-properties draw:stroke="solid" svg:stroke-width="0cm" svg:stroke-color="#808080" draw:marker-start-width="0.2cm" draw:marker-start-center="false" draw:marker-end-width="0.2cm" draw:marker-end-center="false" draw:fill="solid" draw:fill-color="#cfe7f5" draw:textarea-horizontal-align="justify" fo:padding-top="0.125cm" fo:padding-bottom="0.125cm" fo:padding-left="0.25cm" fo:padding-right="0.25cm" draw:shadow="hidden" draw:shadow-offset-x="0.2cm" draw:shadow-offset-y="0.2cm" draw:shadow-color="#808080"> + <text:list-style style:name="standard"> + <text:list-level-style-bullet text:level="1" text:bullet-char="●"> + <style:list-level-properties text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="2" text:bullet-char="●"> + <style:list-level-properties text:space-before="0.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="3" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="4" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="5" text:bullet-char="●"> + <style:list-level-properties text:space-before="2.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="6" text:bullet-char="●"> + <style:list-level-properties text:space-before="3cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="7" text:bullet-char="●"> + <style:list-level-properties text:space-before="3.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="8" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="9" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="10" text:bullet-char="●"> + <style:list-level-properties text:space-before="5.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + </text:list-style> + </style:graphic-properties> + <style:paragraph-properties fo:margin-left="0cm" fo:margin-right="0cm" fo:margin-top="0cm" fo:margin-bottom="0cm" fo:line-height="100%" fo:text-indent="0cm"/> + <style:text-properties style:use-window-font-color="true" style:text-outline="false" style:text-line-through-style="none" fo:font-family="'Liberation Sans'" style:font-family-generic="roman" style:font-pitch="variable" fo:font-size="18pt" fo:font-style="normal" fo:text-shadow="none" style:text-underline-style="none" fo:font-weight="normal" style:letter-kerning="true" style:font-family-asian="'AR PL UKai CN'" style:font-family-generic-asian="system" style:font-pitch-asian="variable" style:font-size-asian="18pt" style:font-style-asian="normal" style:font-weight-asian="normal" style:font-family-complex="'Lohit Devanagari'" style:font-family-generic-complex="system" style:font-pitch-complex="variable" style:font-size-complex="18pt" style:font-style-complex="normal" style:font-weight-complex="normal" style:text-emphasize="none" style:font-relief="none" style:text-overline-style="none" style:text-overline-color="font-color"/> + </style:style> + <style:style style:name="objectwitharrow" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="solid" svg:stroke-width="0.15cm" svg:stroke-color="#000000" draw:marker-start="Arrow" draw:marker-start-width="0.7cm" draw:marker-start-center="true" draw:marker-end-width="0.3cm"/> + </style:style> + <style:style style:name="objectwithshadow" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:shadow="visible" draw:shadow-offset-x="0.2cm" draw:shadow-offset-y="0.2cm" draw:shadow-color="#808080"/> + </style:style> + <style:style style:name="objectwithoutfill" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties svg:stroke-color="#000000" draw:fill="none"/> + </style:style> + <style:style style:name="text" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + </style:style> + <style:style style:name="textbody" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:text-properties fo:font-size="16pt"/> + </style:style> + <style:style style:name="textbodyjustfied" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:paragraph-properties fo:text-align="justify"/> + </style:style> + <style:style style:name="textbodyindent" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:paragraph-properties fo:margin-left="0cm" fo:margin-right="0cm" fo:text-indent="0.6cm"/> + </style:style> + <style:style style:name="title" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:text-properties fo:font-size="44pt"/> + </style:style> + <style:style style:name="title1" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="solid" draw:fill-color="#008080" draw:shadow="visible" draw:shadow-offset-x="0.2cm" draw:shadow-offset-y="0.2cm" draw:shadow-color="#808080"/> + <style:paragraph-properties fo:text-align="center"/> + <style:text-properties fo:font-size="24pt"/> + </style:style> + <style:style style:name="title2" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties svg:stroke-width="0.05cm" draw:fill-color="#ffcc99" draw:shadow="visible" draw:shadow-offset-x="0.2cm" draw:shadow-offset-y="0.2cm" draw:shadow-color="#808080"/> + <style:paragraph-properties fo:margin-left="0cm" fo:margin-right="0.2cm" fo:margin-top="0.1cm" fo:margin-bottom="0.1cm" fo:text-align="center" fo:text-indent="0cm"/> + <style:text-properties fo:font-size="36pt"/> + </style:style> + <style:style style:name="headline" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:paragraph-properties fo:margin-top="0.42cm" fo:margin-bottom="0.21cm"/> + <style:text-properties fo:font-size="24pt"/> + </style:style> + <style:style style:name="headline1" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:paragraph-properties fo:margin-top="0.42cm" fo:margin-bottom="0.21cm"/> + <style:text-properties fo:font-size="18pt" fo:font-weight="bold"/> + </style:style> + <style:style style:name="headline2" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:paragraph-properties fo:margin-top="0.42cm" fo:margin-bottom="0.21cm"/> + <style:text-properties fo:font-size="14pt" fo:font-style="italic" fo:font-weight="bold"/> + </style:style> + <style:style style:name="measure" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="solid" svg:stroke-color="#000000" draw:marker-start="Arrow" draw:marker-start-width="0.2cm" draw:marker-end="Arrow" draw:marker-end-width="0.2cm" draw:fill="none" draw:show-unit="true"/> + <style:text-properties fo:font-size="12pt"/> + </style:style> + </office:styles> + <office:automatic-styles> + <style:page-layout style:name="PM0"> + <style:page-layout-properties fo:margin-top="1cm" fo:margin-bottom="1cm" fo:margin-left="1cm" fo:margin-right="1cm" fo:page-width="76.2cm" fo:page-height="152.4cm" style:print-orientation="portrait"/> + </style:page-layout> + <style:style style:name="dp1" style:family="drawing-page"> + <style:drawing-page-properties draw:background-size="border" draw:fill="none"/> + </style:style> + <style:style style:name="dp2" style:family="drawing-page"/> + <style:style style:name="gr1" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:fill="solid" draw:fill-color="#355e00" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false"/> + </style:style> + <style:style style:name="gr2" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:fill="solid" draw:fill-color="#47b8b8" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false"/> + </style:style> + <style:style style:name="gr3" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:fill="solid" draw:fill-color="#ffffff" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false"/> + </style:style> + <style:style style:name="gr4" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties svg:stroke-width="0cm" draw:marker-start-width="0.2cm" draw:marker-end-width="0.2cm" draw:fill="solid" draw:fill-color="#cfe7f5" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false" fo:padding-top="0.125cm" fo:padding-bottom="0.125cm" fo:padding-left="0.25cm" fo:padding-right="0.25cm"/> + </style:style> + <style:style style:name="gr5" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:fill="solid" draw:fill-color="#ff8080" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false"/> + </style:style> + <style:style style:name="gr6" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:fill="solid" draw:fill-color="#ff00ff" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false"/> + </style:style> + <style:style style:name="gr7" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties draw:marker-end="Arrow" draw:marker-end-width="0.3cm" draw:fill="none" draw:textarea-vertical-align="middle"/> + </style:style> + <style:style style:name="gr8" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties draw:marker-end="Arrow" draw:marker-end-width="0.3cm" draw:fill="none" draw:fill-color="#ff00ff" draw:textarea-vertical-align="middle"/> + </style:style> + <style:style style:name="gr9" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties svg:stroke-width="0cm" draw:marker-start-width="0.2cm" draw:marker-end-width="0.2cm" draw:fill="solid" draw:fill-color="#ffcc99" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false" fo:padding-top="0.125cm" fo:padding-bottom="0.125cm" fo:padding-left="0.25cm" fo:padding-right="0.25cm"/> + </style:style> + <style:style style:name="gr10" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties draw:marker-end="Arrow" draw:marker-end-width="0.3cm" draw:fill="none" draw:fill-color="#ff00ff" draw:textarea-vertical-align="middle"/> + </style:style> + <style:style style:name="gr11" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:fill="solid" draw:fill-color="#993366" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false"/> + </style:style> + <style:style style:name="gr12" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties draw:marker-end="Arrow" draw:marker-end-width="0.3cm" draw:fill="none" draw:textarea-vertical-align="middle"/> + </style:style> + <style:style style:name="gr13" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:fill="solid" draw:fill-color="#3deb3d" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false"/> + </style:style> + <style:style style:name="gr14" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:fill="solid" draw:fill-color="#cccccc" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false"/> + </style:style> + <style:style style:name="gr15" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false" fo:min-height="0cm" fo:min-width="0cm" fo:wrap-option="no-wrap"/> + </style:style> + <style:style style:name="gr16" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties svg:stroke-width="0cm" draw:marker-start-width="0.2cm" draw:marker-end-width="0.2cm" draw:fill="solid" draw:fill-color="#ff00ff" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false" fo:padding-top="0.125cm" fo:padding-bottom="0.125cm" fo:padding-left="0.25cm" fo:padding-right="0.25cm"/> + </style:style> + <style:style style:name="gr17" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false"/> + </style:style> + <style:style style:name="gr18" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:fill="solid" draw:fill-color="#355e00" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false"/> + </style:style> + <style:style style:name="gr19" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:fill="solid" draw:fill-color="#47b8b8" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false"/> + </style:style> + <style:style style:name="gr20" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" svg:stroke-color="#000000" draw:fill="none" draw:fill-color="#ffffff" draw:textarea-horizontal-align="left" draw:auto-grow-height="true" draw:auto-grow-width="false" fo:min-height="2.058cm" fo:min-width="5.05cm"/> + </style:style> + <style:style style:name="gr21" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" svg:stroke-color="#000000" draw:fill="none" draw:fill-color="#ffffff" draw:textarea-horizontal-align="left" draw:auto-grow-height="true" draw:auto-grow-width="true" fo:min-height="0cm" fo:min-width="0cm"/> + </style:style> + <style:style style:name="P1" style:family="paragraph"> + <style:paragraph-properties fo:text-align="center"/> + </style:style> + <style:style style:name="P2" style:family="paragraph"> + <style:paragraph-properties fo:text-align="center"/> + <style:text-properties fo:font-size="12pt" style:text-underline-style="none" style:font-size-asian="12pt" style:font-size-complex="12pt"/> + </style:style> + <style:style style:name="P3" style:family="paragraph"> + <style:paragraph-properties fo:text-align="center"/> + <style:text-properties fo:font-size="12pt" style:font-size-asian="12pt" style:font-size-complex="12pt"/> + </style:style> + <style:style style:name="P4" style:family="paragraph"> + <style:paragraph-properties fo:text-align="center"/> + <style:text-properties fo:font-size="18pt" style:text-underline-style="none" fo:font-weight="bold" style:font-size-asian="18pt" style:font-weight-asian="bold" style:font-size-complex="18pt" style:font-weight-complex="bold"/> + </style:style> + <style:style style:name="P5" style:family="paragraph"> + <style:paragraph-properties fo:text-align="center"/> + <style:text-properties fo:font-size="12pt" style:font-size-asian="18pt" style:font-size-complex="18pt"/> + </style:style> + <style:style style:name="T1" style:family="text"> + <style:text-properties fo:font-size="12pt" style:text-underline-style="none" style:font-size-asian="12pt" style:font-size-complex="12pt"/> + </style:style> + <style:style style:name="T2" style:family="text"> + <style:text-properties fo:font-size="12pt" style:font-size-asian="12pt" style:font-size-complex="12pt"/> + </style:style> + <style:style style:name="T3" style:family="text"> + <style:text-properties fo:font-size="14pt" style:font-size-asian="14pt" style:font-size-complex="14pt"/> + </style:style> + <style:style style:name="T4" style:family="text"> + <style:text-properties fo:font-size="18pt" style:text-underline-style="none" fo:font-weight="bold" style:font-size-asian="18pt" style:font-weight-asian="bold" style:font-size-complex="18pt" style:font-weight-complex="bold"/> + </style:style> + <style:style style:name="T5" style:family="text"> + <style:text-properties fo:font-size="12pt" style:font-size-asian="18pt" style:font-size-complex="18pt"/> + </style:style> + <text:list-style style:name="L1"> + <text:list-level-style-bullet text:level="1" text:bullet-char="●"> + <style:list-level-properties text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="2" text:bullet-char="●"> + <style:list-level-properties text:space-before="0.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="3" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="4" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="5" text:bullet-char="●"> + <style:list-level-properties text:space-before="2.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="6" text:bullet-char="●"> + <style:list-level-properties text:space-before="3cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="7" text:bullet-char="●"> + <style:list-level-properties text:space-before="3.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="8" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="9" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="10" text:bullet-char="●"> + <style:list-level-properties text:space-before="5.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + </text:list-style> + </office:automatic-styles> + <office:master-styles> + <draw:layer-set> + <draw:layer draw:name="layout"/> + <draw:layer draw:name="background"/> + <draw:layer draw:name="backgroundobjects"/> + <draw:layer draw:name="controls"/> + <draw:layer draw:name="measurelines"/> + </draw:layer-set> + <style:master-page style:name="Default" style:page-layout-name="PM0" draw:style-name="dp1"/> + </office:master-styles> + <office:body> + <office:drawing> + <draw:page draw:name="page1" draw:style-name="dp2" draw:master-page-name="Default"> + <draw:custom-shape draw:style-name="gr1" draw:text-style-name="P1" draw:layer="layout" svg:width="9.271cm" svg:height="5.08cm" svg:x="18.939cm" svg:y="133.696cm"> + <text:p/> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr1" draw:text-style-name="P1" draw:layer="layout" svg:width="9.271cm" svg:height="3.429cm" svg:x="19.119cm" svg:y="139.811cm"> + <text:p/> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr1" draw:text-style-name="P1" draw:layer="layout" svg:width="9.271cm" svg:height="6.985cm" svg:x="32.273cm" svg:y="128.489cm"> + <text:p/> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:width="11.303cm" svg:height="27.686cm" svg:x="30.241cm" svg:y="100.168cm"> + <text:p/> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr3" draw:text-style-name="P1" draw:layer="layout" svg:width="14.351cm" svg:height="26.162cm" svg:x="52.593cm" svg:y="101.184cm"> + <text:p/> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id10" draw:id="id10" draw:layer="layout" svg:width="5.334cm" svg:height="1.257cm" svg:x="43.391cm" svg:y="10.116cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">About section</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id11" draw:id="id11" draw:layer="layout" svg:width="4.953cm" svg:height="1.524cm" svg:x="43.582cm" svg:y="12.329cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Warnings section</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr5" draw:text-style-name="P3" xml:id="id1" draw:id="id1" draw:layer="layout" svg:width="3.302cm" svg:height="3.048cm" svg:x="37.841cm" svg:y="22.778cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2">Choose a download</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T2">method</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="5400 5400 16200 16200" draw:type="flowchart-decision" draw:enhanced-path="M 0 10800 L 10800 0 21600 10800 10800 21600 0 10800 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr6" draw:text-style-name="P3" xml:id="id2" draw:id="id2" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="29.225cm" svg:y="23.587cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2">Download</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T2">through HTTP</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr7" draw:text-style-name="P3" draw:layer="layout" svg:x1="37.841cm" svg:y1="24.302cm" svg:x2="33.289cm" svg:y2="24.286cm" draw:start-shape="id1" draw:start-glue-point="5" draw:end-shape="id2" draw:end-glue-point="7" svg:d="m37841 24302h-2379v-16h-2173"> + <text:p text:style-name="P1"><text:span text:style-name="T2">HTTP</text:span></text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr6" draw:text-style-name="P3" xml:id="id3" draw:id="id3" draw:layer="layout" svg:width="4.064cm" svg:height="1.397cm" svg:x="45.608cm" svg:y="23.587cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2">Download through</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T2">Torrent</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr7" draw:text-style-name="P3" draw:layer="layout" svg:x1="41.143cm" svg:y1="24.302cm" svg:x2="45.608cm" svg:y2="24.286cm" draw:start-shape="id1" draw:start-glue-point="7" draw:end-shape="id3" draw:end-glue-point="5" svg:d="m41143 24302h2322v-16h2143"> + <text:p text:style-name="P1"><text:span text:style-name="T2">Torrent</text:span></text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr5" draw:text-style-name="P3" xml:id="id6" draw:id="id6" draw:layer="layout" svg:width="4.191cm" svg:height="3.81cm" svg:x="55.99cm" svg:y="42.748cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2">Install or switch to</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T2">supported browser</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="5400 5400 16200 16200" draw:type="flowchart-decision" draw:enhanced-path="M 0 10800 L 10800 0 21600 10800 10800 21600 0 10800 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id4" draw:id="id4" draw:layer="layout" svg:width="7.493cm" svg:height="1.257cm" svg:x="32.599cm" svg:y="49.622cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Browse ISO</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr8" draw:text-style-name="P1" draw:layer="layout" svg:x1="40.092cm" svg:y1="50.25cm" svg:x2="42.116cm" svg:y2="51.354cm" draw:start-shape="id4" draw:end-shape="id5" draw:end-glue-point="4" svg:d="m40092 50250h2024v1104"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr9" draw:text-style-name="P2" xml:id="id7" draw:id="id7" draw:layer="layout" svg:width="5.334cm" svg:height="1.257cm" svg:x="50.783cm" svg:y="48.095cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">OpenPGP documentation</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr10" draw:text-style-name="P1" draw:layer="layout" svg:x1="58.086cm" svg:y1="46.558cm" svg:x2="56.117cm" svg:y2="48.724cm" draw:start-shape="id6" draw:start-glue-point="6" draw:end-shape="id7" draw:end-glue-point="7" svg:d="m58086 46558v2166h-1969"> + <text:p text:style-name="P1">no</text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id8" draw:id="id8" draw:layer="layout" svg:width="5.334cm" svg:height="1.257cm" svg:x="39.464cm" svg:y="55.012cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Display OK</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id9" draw:id="id9" draw:layer="layout" svg:width="8.89cm" svg:height="1.638cm" svg:x="11.239cm" svg:y="50.284cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Download <text:s/>again</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">from https://archive.torproject.org/</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr10" draw:text-style-name="P1" draw:layer="layout" svg:x1="42.116cm" svg:y1="53.863cm" svg:x2="42.131cm" svg:y2="55.012cm" draw:start-shape="id5" draw:start-glue-point="6" draw:end-shape="id8" draw:end-glue-point="0" svg:d="m42116 53863v653h15v496"> + <text:p text:style-name="P1">success</text:p> + </draw:connector> + <draw:connector draw:style-name="gr10" draw:text-style-name="P1" draw:layer="layout" svg:x1="39.893cm" svg:y1="52.688cm" svg:x2="15.684cm" svg:y2="51.922cm" draw:start-shape="id5" draw:start-glue-point="5" draw:end-shape="id9" draw:end-glue-point="6" svg:d="m39893 52688h-24209v-766"> + <text:p text:style-name="P1">failure</text:p> + </draw:connector> + <draw:connector draw:style-name="gr8" draw:text-style-name="P1" draw:layer="layout" svg:x1="15.684cm" svg:y1="50.284cm" svg:x2="29.225cm" svg:y2="24.286cm" draw:start-shape="id9" draw:start-glue-point="4" draw:end-shape="id2" draw:end-glue-point="5" svg:d="m15684 50284v-25998h13541"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr8" draw:text-style-name="P1" draw:layer="layout" svg:x1="46.058cm" svg:y1="11.373cm" svg:x2="46.059cm" svg:y2="12.329cm" draw:start-shape="id10" draw:start-glue-point="6" draw:end-shape="id11" draw:end-glue-point="4" svg:d="m46058 11373v478h1v478"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr8" draw:text-style-name="P1" draw:layer="layout" svg:x1="53.45cm" svg:y1="34.47cm" svg:x2="53.45cm" svg:y2="35.382cm" draw:start-shape="id12" draw:start-glue-point="6" draw:end-shape="id13" draw:end-glue-point="4" svg:d="m53450 34470v912"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr5" draw:text-style-name="P3" xml:id="id16" draw:id="id16" draw:layer="layout" svg:width="5.207cm" svg:height="4.572cm" svg:x="36.718cm" svg:y="6.822cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2">Installation</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T2">or</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T2">Upgrade?</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="5400 5400 16200 16200" draw:type="diamond" draw:enhanced-path="M 10800 0 L 21600 10800 10800 21600 0 10800 10800 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr11" draw:text-style-name="P1" xml:id="id14" draw:id="id14" draw:layer="layout" svg:width="5.969cm" svg:height="2.413cm" svg:x="36.41cm" svg:y="1.695cm"> + <text:p text:style-name="P1"><text:span text:style-name="T3">Enter the assistant</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="1060 3180 20540 18420" draw:type="flowchart-terminator" draw:enhanced-path="M 3470 21600 X 0 10800 3470 0 L 18130 0 X 21600 10800 18130 21600 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P4" xml:id="id15" draw:id="id15" draw:layer="layout" svg:width="5.334cm" svg:height="1.257cm" svg:x="36.681cm" svg:y="4.803cm"> + <text:p text:style-name="P1"><text:span text:style-name="T4">0 - Welcome</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" draw:type="lines" svg:x1="39.394cm" svg:y1="4.108cm" svg:x2="39.348cm" svg:y2="4.803cm" draw:start-shape="id14" draw:end-shape="id15" draw:end-glue-point="4" svg:d="m39394 4108v501l-46-308v502"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" draw:type="lines" svg:x1="39.348cm" svg:y1="6.06cm" svg:x2="39.321cm" svg:y2="6.822cm" draw:start-shape="id15" draw:end-shape="id16" svg:d="m39348 6060v501l-27-240v501"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P4" xml:id="id17" draw:id="id17" draw:layer="layout" svg:width="5.842cm" svg:height="1.778cm" svg:x="36.591cm" svg:y="19.523cm"> + <text:p text:style-name="P1"><text:span text:style-name="T4">1 - Download ISO</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" draw:type="lines" svg:x1="39.512cm" svg:y1="21.301cm" svg:x2="39.492cm" svg:y2="22.778cm" draw:start-shape="id17" draw:end-shape="id1" draw:end-glue-point="4" svg:d="m39512 21301v502l-20 474v501"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr13" draw:text-style-name="P5" xml:id="id12" draw:id="id12" draw:layer="layout" svg:width="4.318cm" svg:height="2.54cm" svg:x="51.291cm" svg:y="32.08cm"> + <text:p text:style-name="P1"><text:span text:style-name="T5">Detect browser</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 20320 21600 10800" draw:text-areas="0 0 21600 17360" draw:type="flowchart-document" draw:enhanced-path="M 0 0 L 21600 0 21600 17360 C 13050 17220 13340 20770 5620 21600 2860 21100 1850 20700 0 20120 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr14" draw:text-style-name="P3" xml:id="id19" draw:id="id19" draw:layer="layout" svg:width="4.064cm" svg:height="4.064cm" svg:x="37.464cm" svg:y="31.323cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2">Detect extension</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 5400 10800 10800 21600 16200 10800" draw:text-areas="5400 10800 16200 21600" draw:type="flowchart-extract" draw:enhanced-path="M 10800 0 L 21600 21600 0 21600 10800 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P4" xml:id="id18" draw:id="id18" draw:layer="layout" svg:width="5.334cm" svg:height="1.257cm" svg:x="36.829cm" svg:y="27.921cm"> + <text:p text:style-name="P1"><text:span text:style-name="T4">2 - Verify ISO</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr7" draw:text-style-name="P3" draw:layer="layout" draw:type="lines" svg:x1="39.492cm" svg:y1="25.826cm" svg:x2="39.496cm" svg:y2="27.921cm" draw:start-shape="id1" draw:end-shape="id18" draw:end-glue-point="0" svg:d="m39492 25826v502l4 1091v502"> + <text:p text:style-name="P1"><text:span text:style-name="T2">I already have an ISO</text:span></text:p> + </draw:connector> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" draw:type="lines" svg:x1="39.496cm" svg:y1="29.178cm" svg:x2="39.496cm" svg:y2="31.323cm" draw:start-shape="id18" draw:start-glue-point="6" draw:end-shape="id19" draw:end-glue-point="4" svg:d="m39496 29178v501 1143 501"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr7" draw:text-style-name="P1" draw:layer="layout" draw:type="lines" draw:line-skew="-4.817cm" svg:x1="38.48cm" svg:y1="33.355cm" svg:x2="32.599cm" svg:y2="50.251cm" draw:start-shape="id19" draw:start-glue-point="5" draw:end-shape="id4" draw:end-glue-point="5" svg:d="m38480 33355h-6334l-49 16896h502"> + <text:p text:style-name="P1">Yes</text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id13" draw:id="id13" draw:layer="layout" svg:width="5.334cm" svg:height="1.257cm" svg:x="50.783cm" svg:y="35.382cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Confirm browser</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr14" draw:text-style-name="P3" xml:id="id20" draw:id="id20" draw:layer="layout" svg:width="4.064cm" svg:height="4.064cm" svg:x="51.418cm" svg:y="37.795cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2">Extension available</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T2">in browser?</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 5400 10800 10800 21600 16200 10800" draw:text-areas="5400 10800 16200 21600" draw:type="flowchart-extract" draw:enhanced-path="M 10800 0 L 21600 21600 0 21600 10800 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" draw:type="lines" svg:x1="53.45cm" svg:y1="36.639cm" svg:x2="53.45cm" svg:y2="37.795cm" draw:start-shape="id13" draw:start-glue-point="6" draw:end-shape="id20" draw:end-glue-point="4" svg:d="m53450 36639v501 154 501"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr11" draw:text-style-name="P1" xml:id="id21" draw:id="id21" draw:layer="layout" svg:width="4.826cm" svg:height="2.413cm" svg:x="62.594cm" svg:y="43.468cm"> + <text:p text:style-name="P1"><text:span text:style-name="T3">Exit the assistant</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="1060 3180 20540 18420" draw:type="flowchart-terminator" draw:enhanced-path="M 3470 21600 X 0 10800 3470 0 L 18130 0 X 21600 10800 18130 21600 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr15" draw:text-style-name="P1" draw:layer="layout" svg:width="7.62cm" svg:height="3.937cm" svg:x="65.388cm" svg:y="46.979cm"> + <text:p text:style-name="P1">Do we give them, a special</text:p> + <text:p text:style-name="P1">URL to come back?</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-vertical="false" draw:text-areas="800 800 20800 20800" draw:type="round-rectangular-callout" draw:modifiers="518.672090276867 -5989.63941086846" draw:enhanced-path="M 3590 0 X 0 3590 L ?f2 ?f3 0 8970 0 12630 ?f4 ?f5 0 18010 Y 3590 21600 L ?f6 ?f7 8970 21600 12630 21600 ?f8 ?f9 18010 21600 X 21600 18010 L ?f10 ?f11 21600 12630 21600 8970 ?f12 ?f13 21600 3590 Y 18010 0 L ?f14 ?f15 12630 0 8970 0 ?f16 ?f17 Z N"> + <draw:equation draw:name="f0" draw:formula="$0 -10800"/> + <draw:equation draw:name="f1" draw:formula="$1 -10800"/> + <draw:equation draw:name="f2" draw:formula="if(?f18 ,$0 ,0)"/> + <draw:equation draw:name="f3" draw:formula="if(?f18 ,$1 ,6280)"/> + <draw:equation draw:name="f4" draw:formula="if(?f23 ,$0 ,0)"/> + <draw:equation draw:name="f5" draw:formula="if(?f23 ,$1 ,15320)"/> + <draw:equation draw:name="f6" draw:formula="if(?f26 ,$0 ,6280)"/> + <draw:equation draw:name="f7" draw:formula="if(?f26 ,$1 ,21600)"/> + <draw:equation draw:name="f8" draw:formula="if(?f29 ,$0 ,15320)"/> + <draw:equation draw:name="f9" draw:formula="if(?f29 ,$1 ,21600)"/> + <draw:equation draw:name="f10" draw:formula="if(?f32 ,$0 ,21600)"/> + <draw:equation draw:name="f11" draw:formula="if(?f32 ,$1 ,15320)"/> + <draw:equation draw:name="f12" draw:formula="if(?f34 ,$0 ,21600)"/> + <draw:equation draw:name="f13" draw:formula="if(?f34 ,$1 ,6280)"/> + <draw:equation draw:name="f14" draw:formula="if(?f36 ,$0 ,15320)"/> + <draw:equation draw:name="f15" draw:formula="if(?f36 ,$1 ,0)"/> + <draw:equation draw:name="f16" draw:formula="if(?f38 ,$0 ,6280)"/> + <draw:equation draw:name="f17" draw:formula="if(?f38 ,$1 ,0)"/> + <draw:equation draw:name="f18" draw:formula="if($0 ,-1,?f19 )"/> + <draw:equation draw:name="f19" draw:formula="if(?f1 ,-1,?f22 )"/> + <draw:equation draw:name="f20" draw:formula="abs(?f0 )"/> + <draw:equation draw:name="f21" draw:formula="abs(?f1 )"/> + <draw:equation draw:name="f22" draw:formula="?f20 -?f21 "/> + <draw:equation draw:name="f23" draw:formula="if($0 ,-1,?f24 )"/> + <draw:equation draw:name="f24" draw:formula="if(?f1 ,?f22 ,-1)"/> + <draw:equation draw:name="f25" draw:formula="$1 -21600"/> + <draw:equation draw:name="f26" draw:formula="if(?f25 ,?f27 ,-1)"/> + <draw:equation draw:name="f27" draw:formula="if(?f0 ,-1,?f28 )"/> + <draw:equation draw:name="f28" draw:formula="?f21 -?f20 "/> + <draw:equation draw:name="f29" draw:formula="if(?f25 ,?f30 ,-1)"/> + <draw:equation draw:name="f30" draw:formula="if(?f0 ,?f28 ,-1)"/> + <draw:equation draw:name="f31" draw:formula="$0 -21600"/> + <draw:equation draw:name="f32" draw:formula="if(?f31 ,?f33 ,-1)"/> + <draw:equation draw:name="f33" draw:formula="if(?f1 ,?f22 ,-1)"/> + <draw:equation draw:name="f34" draw:formula="if(?f31 ,?f35 ,-1)"/> + <draw:equation draw:name="f35" draw:formula="if(?f1 ,-1,?f22 )"/> + <draw:equation draw:name="f36" draw:formula="if($1 ,-1,?f37 )"/> + <draw:equation draw:name="f37" draw:formula="if(?f0 ,?f28 ,-1)"/> + <draw:equation draw:name="f38" draw:formula="if($1 ,-1,?f39 )"/> + <draw:equation draw:name="f39" draw:formula="if(?f0 ,-1,?f28 )"/> + <draw:equation draw:name="f40" draw:formula="$0 "/> + <draw:equation draw:name="f41" draw:formula="$1 "/> + <draw:handle draw:handle-position="$0 $1"/> + </draw:enhanced-geometry> + </draw:custom-shape> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" draw:type="lines" draw:line-skew="0.419cm 25.596cm" svg:x1="67.42cm" svg:y1="44.675cm" svg:x2="42.379cm" svg:y2="2.902cm" draw:start-shape="id21" draw:start-glue-point="7" draw:end-shape="id14" draw:end-glue-point="7" svg:d="m67420 44675h921l135-41773h-26097"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr5" draw:text-style-name="P3" xml:id="id68" draw:id="id68" draw:layer="layout" svg:width="4.191cm" svg:height="3.683cm" svg:x="47.227cm" svg:y="42.748cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2">Do you want to install</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T2"><text:s/></text:span><text:span text:style-name="T2">the extension?</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="5400 5400 16200 16200" draw:type="flowchart-decision" draw:enhanced-path="M 0 10800 L 10800 0 21600 10800 10800 21600 0 10800 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr13" draw:text-style-name="P5" xml:id="id5" draw:id="id5" draw:layer="layout" svg:width="4.445cm" svg:height="2.667cm" svg:x="39.893cm" svg:y="51.354cm"> + <text:p text:style-name="P1"><text:span text:style-name="T5">Verify ISO</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T5">using extension</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 20320 21600 10800" draw:text-areas="0 0 21600 17360" draw:type="flowchart-document" draw:enhanced-path="M 0 0 L 21600 0 21600 17360 C 13050 17220 13340 20770 5620 21600 2860 21100 1850 20700 0 20120 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr15" draw:text-style-name="P1" draw:layer="layout" svg:width="7.62cm" svg:height="2.159cm" svg:x="19.192cm" svg:y="54.194cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">What to do with wrong ISO ?</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">Send a feedback to Tails Bugs ?</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-vertical="false" draw:text-areas="800 800 20800 20800" draw:type="round-rectangular-callout" draw:modifiers="20202.7030573416 -9520" draw:enhanced-path="M 3590 0 X 0 3590 L ?f2 ?f3 0 8970 0 12630 ?f4 ?f5 0 18010 Y 3590 21600 L ?f6 ?f7 8970 21600 12630 21600 ?f8 ?f9 18010 21600 X 21600 18010 L ?f10 ?f11 21600 12630 21600 8970 ?f12 ?f13 21600 3590 Y 18010 0 L ?f14 ?f15 12630 0 8970 0 ?f16 ?f17 Z N"> + <draw:equation draw:name="f0" draw:formula="$0 -10800"/> + <draw:equation draw:name="f1" draw:formula="$1 -10800"/> + <draw:equation draw:name="f2" draw:formula="if(?f18 ,$0 ,0)"/> + <draw:equation draw:name="f3" draw:formula="if(?f18 ,$1 ,6280)"/> + <draw:equation draw:name="f4" draw:formula="if(?f23 ,$0 ,0)"/> + <draw:equation draw:name="f5" draw:formula="if(?f23 ,$1 ,15320)"/> + <draw:equation draw:name="f6" draw:formula="if(?f26 ,$0 ,6280)"/> + <draw:equation draw:name="f7" draw:formula="if(?f26 ,$1 ,21600)"/> + <draw:equation draw:name="f8" draw:formula="if(?f29 ,$0 ,15320)"/> + <draw:equation draw:name="f9" draw:formula="if(?f29 ,$1 ,21600)"/> + <draw:equation draw:name="f10" draw:formula="if(?f32 ,$0 ,21600)"/> + <draw:equation draw:name="f11" draw:formula="if(?f32 ,$1 ,15320)"/> + <draw:equation draw:name="f12" draw:formula="if(?f34 ,$0 ,21600)"/> + <draw:equation draw:name="f13" draw:formula="if(?f34 ,$1 ,6280)"/> + <draw:equation draw:name="f14" draw:formula="if(?f36 ,$0 ,15320)"/> + <draw:equation draw:name="f15" draw:formula="if(?f36 ,$1 ,0)"/> + <draw:equation draw:name="f16" draw:formula="if(?f38 ,$0 ,6280)"/> + <draw:equation draw:name="f17" draw:formula="if(?f38 ,$1 ,0)"/> + <draw:equation draw:name="f18" draw:formula="if($0 ,-1,?f19 )"/> + <draw:equation draw:name="f19" draw:formula="if(?f1 ,-1,?f22 )"/> + <draw:equation draw:name="f20" draw:formula="abs(?f0 )"/> + <draw:equation draw:name="f21" draw:formula="abs(?f1 )"/> + <draw:equation draw:name="f22" draw:formula="?f20 -?f21 "/> + <draw:equation draw:name="f23" draw:formula="if($0 ,-1,?f24 )"/> + <draw:equation draw:name="f24" draw:formula="if(?f1 ,?f22 ,-1)"/> + <draw:equation draw:name="f25" draw:formula="$1 -21600"/> + <draw:equation draw:name="f26" draw:formula="if(?f25 ,?f27 ,-1)"/> + <draw:equation draw:name="f27" draw:formula="if(?f0 ,-1,?f28 )"/> + <draw:equation draw:name="f28" draw:formula="?f21 -?f20 "/> + <draw:equation draw:name="f29" draw:formula="if(?f25 ,?f30 ,-1)"/> + <draw:equation draw:name="f30" draw:formula="if(?f0 ,?f28 ,-1)"/> + <draw:equation draw:name="f31" draw:formula="$0 -21600"/> + <draw:equation draw:name="f32" draw:formula="if(?f31 ,?f33 ,-1)"/> + <draw:equation draw:name="f33" draw:formula="if(?f1 ,?f22 ,-1)"/> + <draw:equation draw:name="f34" draw:formula="if(?f31 ,?f35 ,-1)"/> + <draw:equation draw:name="f35" draw:formula="if(?f1 ,-1,?f22 )"/> + <draw:equation draw:name="f36" draw:formula="if($1 ,-1,?f37 )"/> + <draw:equation draw:name="f37" draw:formula="if(?f0 ,?f28 ,-1)"/> + <draw:equation draw:name="f38" draw:formula="if($1 ,-1,?f39 )"/> + <draw:equation draw:name="f39" draw:formula="if(?f0 ,-1,?f28 )"/> + <draw:equation draw:name="f40" draw:formula="$0 "/> + <draw:equation draw:name="f41" draw:formula="$1 "/> + <draw:handle draw:handle-position="$0 $1"/> + </draw:enhanced-geometry> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr13" draw:text-style-name="P5" xml:id="id60" draw:id="id60" draw:layer="layout" svg:width="4.318cm" svg:height="2.032cm" svg:x="37.371cm" svg:y="37.119cm"> + <text:p text:style-name="P1"><text:span text:style-name="T5">Detect if Debian</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 20320 21600 10800" draw:text-areas="0 0 21600 17360" draw:type="flowchart-document" draw:enhanced-path="M 0 0 L 21600 0 21600 17360 C 13050 17220 13340 20770 5620 21600 2860 21100 1850 20700 0 20120 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr5" draw:text-style-name="P3" xml:id="id59" draw:id="id59" draw:layer="layout" svg:width="4.191cm" svg:height="3.81cm" svg:x="37.443cm" svg:y="42.002cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2">Confirm if Debian</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T2">(and version) ?</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="5400 5400 16200 16200" draw:type="flowchart-decision" draw:enhanced-path="M 0 10800 L 10800 0 21600 10800 10800 21600 0 10800 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id70" draw:id="id70" draw:layer="layout" svg:width="5.334cm" svg:height="1.257cm" svg:x="39.729cm" svg:y="46.701cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Install extension</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">from Debian Store</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr16" draw:text-style-name="P2" xml:id="id55" draw:id="id55" draw:layer="layout" svg:width="5.334cm" svg:height="3.162cm" svg:x="26.812cm" svg:y="16.361cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Debian Hacker:</text:span><text:span text:style-name="T1"><text:line-break/></text:span><text:span text:style-name="T1">full command line path</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">Easy and secure</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr14" draw:text-style-name="P3" xml:id="id23" draw:id="id23" draw:layer="layout" svg:width="4.064cm" svg:height="4.064cm" svg:x="40.124cm" svg:y="60.66cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2">Final Tails medium is</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 5400 10800 10800 21600 16200 10800" draw:text-areas="5400 10800 16200 21600" draw:type="flowchart-extract" draw:enhanced-path="M 10800 0 L 21600 21600 0 21600 10800 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P4" xml:id="id22" draw:id="id22" draw:layer="layout" svg:width="9.464cm" svg:height="1.778cm" svg:x="37.402cm" svg:y="57.103cm"> + <text:p text:style-name="P1"><text:span text:style-name="T4">4 - Install or upgrade Tails</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="42.131cm" svg:y1="56.269cm" svg:x2="42.134cm" svg:y2="57.103cm" draw:start-shape="id8" draw:start-glue-point="6" draw:end-shape="id22" draw:end-glue-point="4" svg:d="m42131 56269v417h3v417"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr7" draw:text-style-name="P3" draw:layer="layout" svg:x1="41.14cm" svg:y1="62.692cm" svg:x2="29.702cm" svg:y2="63.23cm" draw:start-shape="id23" draw:start-glue-point="5" draw:end-shape="id24" draw:end-glue-point="4" svg:d="m41140 62692h-11438v538"> + <text:p text:style-name="P1"><text:span text:style-name="T2">usb</text:span></text:p> + </draw:connector> + <draw:connector draw:style-name="gr7" draw:text-style-name="P3" draw:layer="layout" svg:x1="43.172cm" svg:y1="62.692cm" svg:x2="61.024cm" svg:y2="64.373cm" draw:start-shape="id23" draw:start-glue-point="7" draw:end-shape="id25" draw:end-glue-point="4" svg:d="m43172 62692h17852v1681"> + <text:p text:style-name="P1"><text:span text:style-name="T2">dvd</text:span></text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr14" draw:text-style-name="P3" xml:id="id24" draw:id="id24" draw:layer="layout" svg:width="4.064cm" svg:height="4.064cm" svg:x="27.67cm" svg:y="63.23cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2">Tails Installer available</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T2">on OS</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 5400 10800 10800 21600 16200 10800" draw:text-areas="5400 10800 16200 21600" draw:type="flowchart-extract" draw:enhanced-path="M 10800 0 L 21600 21600 0 21600 10800 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr5" draw:text-style-name="P3" xml:id="id26" draw:id="id26" draw:layer="layout" svg:width="4.191cm" svg:height="3.683cm" svg:x="20.843cm" svg:y="66.513cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2">Is Tails Installer installed?</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="5400 5400 16200 16200" draw:type="flowchart-decision" draw:enhanced-path="M 0 10800 L 10800 0 21600 10800 10800 21600 0 10800 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr7" draw:text-style-name="P1" draw:layer="layout" svg:x1="28.686cm" svg:y1="65.262cm" svg:x2="22.939cm" svg:y2="66.513cm" draw:start-shape="id24" draw:start-glue-point="5" draw:end-shape="id26" draw:end-glue-point="4" svg:d="m28686 65262h-5747v1251"> + <text:p text:style-name="P1">yes</text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id35" draw:id="id35" draw:layer="layout" svg:width="5.334cm" svg:height="1.257cm" svg:x="33.67cm" svg:y="86.973cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Temporary Tails is created</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">on the USB Key 1</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id29" draw:id="id29" draw:layer="layout" svg:width="5.334cm" svg:height="1.778cm" svg:x="33.661cm" svg:y="67.708cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Need to install</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">temp Tails on a first USB</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id27" draw:id="id27" draw:layer="layout" svg:width="6.223cm" svg:height="1.638cm" svg:x="13.477cm" svg:y="69.32cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Install Tails Installer</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr7" draw:text-style-name="P1" draw:layer="layout" svg:x1="20.843cm" svg:y1="68.354cm" svg:x2="16.589cm" svg:y2="69.32cm" draw:start-shape="id26" draw:start-glue-point="5" draw:end-shape="id27" draw:end-glue-point="4" svg:d="m20843 68354h-4254v966"> + <text:p text:style-name="P1">no</text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id28" draw:id="id28" draw:layer="layout" svg:width="6.223cm" svg:height="1.638cm" svg:x="16.652cm" svg:y="75.924cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Open Tails Installer</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr7" draw:text-style-name="P1" draw:layer="layout" draw:line-skew="0cm 0.396cm" svg:x1="25.034cm" svg:y1="68.354cm" svg:x2="19.764cm" svg:y2="75.924cm" draw:start-shape="id26" draw:start-glue-point="7" draw:end-shape="id28" draw:end-glue-point="4" svg:d="m25034 68354h832v5102h-6102v2468"> + <text:p text:style-name="P1">yes</text:p> + </draw:connector> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="16.589cm" svg:y1="70.958cm" svg:x2="19.763cm" svg:y2="75.924cm" draw:start-shape="id27" draw:start-glue-point="6" draw:end-shape="id28" svg:d="m16589 70958v2484h3174v2482"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr14" draw:text-style-name="P3" xml:id="id33" draw:id="id33" draw:layer="layout" svg:width="4.064cm" svg:height="4.064cm" svg:x="34.296cm" svg:y="70.704cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2">OS?</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 5400 10800 10800 21600 16200 10800" draw:text-areas="5400 10800 16200 21600" draw:type="flowchart-extract" draw:enhanced-path="M 10800 0 L 21600 21600 0 21600 10800 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr7" draw:text-style-name="P1" draw:layer="layout" svg:x1="30.718cm" svg:y1="65.262cm" svg:x2="36.328cm" svg:y2="67.708cm" draw:start-shape="id24" draw:start-glue-point="7" draw:end-shape="id29" draw:end-glue-point="4" svg:d="m30718 65262h5610v2446"> + <text:p text:style-name="P1">no</text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id31" draw:id="id31" draw:layer="layout" svg:width="3.683cm" svg:height="1.257cm" svg:x="22.367cm" svg:y="79.823cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Install UUI</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr7" draw:text-style-name="P1" draw:layer="layout" svg:x1="24.907cm" svg:y1="78.006cm" svg:x2="24.208cm" svg:y2="79.823cm" draw:start-shape="id30" draw:start-glue-point="5" draw:end-shape="id31" svg:d="m24907 78006h-699v1817"> + <text:p text:style-name="P1">no</text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id32" draw:id="id32" draw:layer="layout" svg:width="6.223cm" svg:height="1.638cm" svg:x="26.558cm" svg:y="83.036cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Run UUI</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr7" draw:text-style-name="P1" draw:layer="layout" svg:x1="29.098cm" svg:y1="78.006cm" svg:x2="29.67cm" svg:y2="83.036cm" draw:start-shape="id30" draw:start-glue-point="7" draw:end-shape="id32" draw:end-glue-point="4" svg:d="m29098 78006h572v5030"> + <text:p text:style-name="P1">yes</text:p> + </draw:connector> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="24.208cm" svg:y1="81.08cm" svg:x2="29.669cm" svg:y2="83.036cm" draw:start-shape="id31" draw:start-glue-point="6" draw:end-shape="id32" svg:d="m24208 81080v978h5461v978"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr5" draw:text-style-name="P3" xml:id="id30" draw:id="id30" draw:layer="layout" svg:width="4.191cm" svg:height="3.683cm" svg:x="24.907cm" svg:y="76.165cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2">UUI is Installed?</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="5400 5400 16200 16200" draw:type="flowchart-decision" draw:enhanced-path="M 0 10800 L 10800 0 21600 10800 10800 21600 0 10800 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="36.328cm" svg:y1="69.486cm" svg:x2="36.328cm" svg:y2="70.704cm" draw:start-shape="id29" draw:start-glue-point="6" draw:end-shape="id33" draw:end-glue-point="4" svg:d="m36328 69486v1218"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr7" draw:text-style-name="P3" draw:layer="layout" svg:x1="35.312cm" svg:y1="72.736cm" svg:x2="27.003cm" svg:y2="76.165cm" draw:start-shape="id33" draw:start-glue-point="5" draw:end-shape="id30" draw:end-glue-point="4" svg:d="m35312 72736h-8309v3429"> + <text:p text:style-name="P1"><text:span text:style-name="T2">Windows</text:span></text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id34" draw:id="id34" draw:layer="layout" svg:width="6.223cm" svg:height="1.638cm" svg:x="33.221cm" svg:y="83.036cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Run Disk Utility</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr7" draw:text-style-name="P1" draw:layer="layout" svg:x1="36.328cm" svg:y1="74.768cm" svg:x2="36.332cm" svg:y2="83.036cm" draw:start-shape="id33" draw:start-glue-point="6" draw:end-shape="id34" svg:d="m36328 74768v4135h4v4133"> + <text:p text:style-name="P1">Mac</text:p> + </draw:connector> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="29.67cm" svg:y1="84.674cm" svg:x2="33.67cm" svg:y2="87.602cm" draw:start-shape="id32" draw:start-glue-point="6" draw:end-shape="id35" draw:end-glue-point="5" svg:d="m29670 84674v2928h4000"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="36.333cm" svg:y1="84.674cm" svg:x2="36.337cm" svg:y2="86.973cm" draw:start-shape="id34" draw:start-glue-point="6" draw:end-shape="id35" svg:d="m36333 84674v1150h4v1149"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id36" draw:id="id36" draw:layer="layout" svg:width="6.223cm" svg:height="1.638cm" svg:x="40.401cm" svg:y="83.036cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Run GNOME Disk</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr7" draw:text-style-name="P3" draw:layer="layout" svg:x1="37.344cm" svg:y1="72.736cm" svg:x2="43.513cm" svg:y2="83.036cm" draw:start-shape="id33" draw:start-glue-point="7" draw:end-shape="id36" draw:end-glue-point="4" svg:d="m37344 72736h6169v10300"> + <text:p text:style-name="P1"><text:span text:style-name="T2">Other Linux</text:span></text:p> + </draw:connector> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="43.513cm" svg:y1="84.674cm" svg:x2="39.004cm" svg:y2="87.602cm" draw:start-shape="id36" draw:start-glue-point="6" draw:end-shape="id35" draw:end-glue-point="7" svg:d="m43513 84674v2928h-4509"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="36.337cm" svg:y1="88.23cm" svg:x2="36.34cm" svg:y2="92.167cm" draw:start-shape="id35" draw:start-glue-point="2" draw:end-shape="id37" draw:end-glue-point="4" svg:d="m36337 88230v1968h3v1969"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id38" draw:id="id38" draw:layer="layout" svg:width="5.334cm" svg:height="1.257cm" svg:x="33.67cm" svg:y="96.739cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Reboot on temporary Tails</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">Try boot menu key XXX</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr14" draw:text-style-name="P3" xml:id="id39" draw:id="id39" draw:layer="layout" svg:width="4.064cm" svg:height="4.064cm" svg:x="34.305cm" svg:y="102.327cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2">Is it a temporary Tails?</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 5400 10800 10800 21600 16200 10800" draw:text-areas="5400 10800 16200 21600" draw:type="flowchart-extract" draw:enhanced-path="M 10800 0 L 21600 21600 0 21600 10800 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="36.337cm" svg:y1="97.996cm" svg:x2="36.337cm" svg:y2="102.327cm" draw:start-shape="id38" draw:start-glue-point="6" draw:end-shape="id39" draw:end-glue-point="4" svg:d="m36337 97996v4331"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr7" draw:text-style-name="P3" draw:layer="layout" svg:x1="36.337cm" svg:y1="106.391cm" svg:x2="36.274cm" svg:y2="108.236cm" draw:start-shape="id39" draw:start-glue-point="6" draw:end-shape="id40" draw:end-glue-point="4" svg:d="m36337 106391v923h-63v922"> + <text:p text:style-name="P1"><text:span text:style-name="T2">yes</text:span></text:p> + </draw:connector> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="30.307cm" svg:y1="117.469cm" svg:x2="30.305cm" svg:y2="119.599cm" draw:start-shape="id41" draw:start-glue-point="6" draw:end-shape="id42" draw:end-glue-point="4" svg:d="m30307 117469v1118h-2v1012"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id43" draw:id="id43" draw:layer="layout" svg:width="5.461cm" svg:height="1.143cm" svg:x="33.51cm" svg:y="111.003cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Plug destination USB key</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id40" draw:id="id40" draw:layer="layout" svg:width="6.223cm" svg:height="1.257cm" svg:x="33.162cm" svg:y="108.236cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Open Tails Installer</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="36.273cm" svg:y1="109.493cm" svg:x2="36.241cm" svg:y2="111.003cm" draw:start-shape="id40" draw:start-glue-point="2" draw:end-shape="id43" draw:end-glue-point="4" svg:d="m36273 109493v755h-32v755"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr5" draw:text-style-name="P3" xml:id="id42" draw:id="id42" draw:layer="layout" svg:width="4.191cm" svg:height="3.683cm" svg:x="28.209cm" svg:y="119.599cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2">Do you want to have</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T2">Persistence?</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="5400 5400 16200 16200" draw:type="flowchart-decision" draw:enhanced-path="M 0 10800 L 10800 0 21600 10800 10800 21600 0 10800 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr17" draw:text-style-name="P1" xml:id="id62" draw:id="id62" draw:layer="layout" svg:width="6.985cm" svg:height="4.826cm" svg:x="33.356cm" svg:y="129.378cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Boot on minimal Tails</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="1060 3180 20540 18420" draw:type="flowchart-terminator" draw:enhanced-path="M 3470 21600 X 0 10800 3470 0 L 18130 0 X 21600 10800 18130 21600 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr7" draw:text-style-name="P3" draw:layer="layout" svg:x1="32.4cm" svg:y1="121.44cm" svg:x2="36.846cm" svg:y2="123.84cm" draw:start-shape="id42" draw:start-glue-point="7" draw:end-shape="id44" draw:end-glue-point="4" svg:d="m32400 121440h4446v2400"> + <text:p text:style-name="P1"><text:span text:style-name="T2">no</text:span></text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id52" draw:id="id52" draw:layer="layout" svg:width="8.89cm" svg:height="2.286cm" svg:x="19.319cm" svg:y="126.886cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">- Reboot on the minimal Tails</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">- Go to persistence</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">- Reboot one more time</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr14" draw:text-style-name="P3" xml:id="id49" draw:id="id49" draw:layer="layout" svg:width="4.036cm" svg:height="4.036cm" svg:x="58.695cm" svg:y="101.993cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2">Is the boot menu key stored ?</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 5400 10800 10800 21600 16200 10800" draw:text-areas="5400 10800 16200 21600" draw:type="flowchart-extract" draw:enhanced-path="M 10800 0 L 21600 21600 0 21600 10800 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id45" draw:id="id45" draw:layer="layout" svg:width="5.334cm" svg:height="1.13cm" svg:x="21.098cm" svg:y="134.331cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Boot on </text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">minimal Tails</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id46" draw:id="id46" draw:layer="layout" svg:width="5.334cm" svg:height="1.13cm" svg:x="21.098cm" svg:y="136.757cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Configure Persistence</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="23.765cm" svg:y1="135.461cm" svg:x2="23.765cm" svg:y2="136.757cm" draw:start-shape="id45" draw:start-glue-point="6" draw:end-shape="id46" draw:end-glue-point="4" svg:d="m23765 135461v1296"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr5" draw:text-style-name="P3" xml:id="id47" draw:id="id47" draw:layer="layout" svg:width="4.191cm" svg:height="3.683cm" svg:x="55.235cm" svg:y="110.474cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2">Brand and model</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T2">of the computer?</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="5400 5400 16200 16200" draw:type="flowchart-decision" draw:enhanced-path="M 0 10800 L 10800 0 21600 10800 10800 21600 0 10800 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr13" draw:text-style-name="P5" xml:id="id48" draw:id="id48" draw:layer="layout" svg:width="4.445cm" svg:height="2.413cm" svg:x="55.108cm" svg:y="115.808cm"> + <text:p text:style-name="P1"><text:span text:style-name="T5">Search the good key</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 20320 21600 10800" draw:text-areas="0 0 21600 17360" draw:type="flowchart-document" draw:enhanced-path="M 0 0 L 21600 0 21600 17360 C 13050 17220 13340 20770 5620 21600 2860 21100 1850 20700 0 20120 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="57.331cm" svg:y1="114.157cm" svg:x2="57.331cm" svg:y2="115.808cm" draw:start-shape="id47" draw:start-glue-point="6" draw:end-shape="id48" draw:end-glue-point="4" svg:d="m57331 114157v1651"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr17" draw:text-style-name="P1" xml:id="id67" draw:id="id67" draw:layer="layout" svg:width="6.985cm" svg:height="2.667cm" svg:x="20.262cm" svg:y="140.192cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Boot on full-featured Tails</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="1060 3180 20540 18420" draw:type="flowchart-terminator" draw:enhanced-path="M 3470 21600 X 0 10800 3470 0 L 18130 0 X 21600 10800 18130 21600 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr17" draw:text-style-name="P3" draw:layer="layout" svg:width="5.461cm" svg:height="1.905cm" svg:x="49.291cm" svg:y="100.549cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2">Boot menu key assistant</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="0 0 21600 17150" draw:type="flowchart-off-page-connector" draw:enhanced-path="M 0 0 L 21600 0 21600 17150 10800 21600 0 17150 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id50" draw:id="id50" draw:layer="layout" svg:width="7.112cm" svg:height="1.27cm" svg:x="53.741cm" svg:y="124.571cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Display boot menu key options</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr7" draw:text-style-name="P3" draw:layer="layout" svg:x1="59.704cm" svg:y1="104.011cm" svg:x2="57.331cm" svg:y2="110.474cm" draw:start-shape="id49" draw:start-glue-point="5" draw:end-shape="id47" draw:end-glue-point="4" svg:d="m59704 104011h-2373v6463"> + <text:p text:style-name="P1"><text:span text:style-name="T2">no</text:span></text:p> + </draw:connector> + <draw:connector draw:style-name="gr7" draw:text-style-name="P3" draw:layer="layout" svg:x1="61.722cm" svg:y1="104.011cm" svg:x2="60.853cm" svg:y2="125.206cm" draw:start-shape="id49" draw:start-glue-point="7" draw:end-shape="id50" draw:end-glue-point="7" svg:d="m61722 104011h2249v21195h-3118"> + <text:p text:style-name="P1"><text:span text:style-name="T2">yes</text:span></text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id51" draw:id="id51" draw:layer="layout" svg:width="5.334cm" svg:height="1.13cm" svg:x="54.655cm" svg:y="121.015cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Save (or print) key</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="57.331cm" svg:y1="118.078cm" svg:x2="57.322cm" svg:y2="121.015cm" draw:start-shape="id48" draw:start-glue-point="6" draw:end-shape="id51" draw:end-glue-point="4" svg:d="m57331 118078v1540h-9v1397"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="57.322cm" svg:y1="122.145cm" svg:x2="57.297cm" svg:y2="124.571cm" draw:start-shape="id51" draw:start-glue-point="6" draw:end-shape="id50" svg:d="m57322 122145v1214h-25v1212"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="36.34cm" svg:y1="94.072cm" svg:x2="36.337cm" svg:y2="96.739cm" draw:start-shape="id37" draw:start-glue-point="6" draw:end-shape="id38" draw:end-glue-point="4" svg:d="m36340 94072v1333h-3v1334"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr7" draw:text-style-name="P3" draw:layer="layout" svg:x1="28.209cm" svg:y1="121.44cm" svg:x2="23.764cm" svg:y2="126.886cm" draw:start-shape="id42" draw:start-glue-point="5" draw:end-shape="id52" draw:end-glue-point="4" svg:d="m28209 121440h-4445v5446"> + <text:p text:style-name="P1"><text:span text:style-name="T2">yes</text:span></text:p> + </draw:connector> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="47.64cm" svg:y1="24.984cm" svg:x2="42.163cm" svg:y2="28.55cm" draw:start-shape="id3" draw:start-glue-point="6" draw:end-shape="id18" draw:end-glue-point="7" svg:d="m47640 24984v3566h-5477"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr14" draw:text-style-name="P3" xml:id="id25" draw:id="id25" draw:layer="layout" svg:width="4.064cm" svg:height="4.064cm" svg:x="58.992cm" svg:y="64.373cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2">OS ?</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 5400 10800 10800 21600 16200 10800" draw:text-areas="5400 10800 16200 21600" draw:type="flowchart-extract" draw:enhanced-path="M 10800 0 L 21600 21600 0 21600 10800 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id53" draw:id="id53" draw:layer="layout" svg:width="6.223cm" svg:height="1.638cm" svg:x="57.927cm" svg:y="73.578cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Use or install tools</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="61.024cm" svg:y1="68.437cm" svg:x2="61.039cm" svg:y2="73.578cm" draw:start-shape="id25" draw:start-glue-point="6" draw:end-shape="id53" draw:end-glue-point="4" svg:d="m61024 68437v2571h15v2570"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id54" draw:id="id54" draw:layer="layout" svg:width="6.223cm" svg:height="1.638cm" svg:x="57.936cm" svg:y="82.692cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Temp Tails is burn</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">on DVD</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="61.039cm" svg:y1="75.216cm" svg:x2="61.048cm" svg:y2="82.692cm" draw:start-shape="id53" draw:start-glue-point="6" draw:end-shape="id54" draw:end-glue-point="4" svg:d="m61039 75216v3739h9v3737"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="61.048cm" svg:y1="84.33cm" svg:x2="39.07cm" svg:y2="93.12cm" draw:start-shape="id54" draw:start-glue-point="6" draw:end-shape="id37" draw:end-glue-point="7" svg:d="m61048 84330v8790h-21978"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id69" draw:id="id69" draw:layer="layout" svg:width="5.334cm" svg:height="1.257cm" svg:x="33.637cm" svg:y="46.739cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Install extension</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T1">from browser store</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="31.257cm" svg:y1="24.984cm" svg:x2="36.829cm" svg:y2="28.55cm" draw:start-shape="id2" draw:start-glue-point="6" draw:end-shape="id18" draw:end-glue-point="5" svg:d="m31257 24984v3566h5572"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr18" draw:text-style-name="P1" draw:layer="layout" svg:width="2.192cm" svg:height="2.413cm" svg:x="39.098cm" svg:y="110.368cm"> + <text:p text:style-name="P1">KEY 2</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr19" draw:text-style-name="P1" draw:layer="layout" svg:width="1.617cm" svg:height="3.087cm" svg:x="64.401cm" svg:y="81.624cm"> + <text:p text:style-name="P1">DVD</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr19" draw:text-style-name="P1" draw:layer="layout" svg:width="1.871cm" svg:height="2.921cm" svg:x="53.751cm" svg:y="82.515cm"> + <text:p text:style-name="P1">KEY 1</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:frame draw:style-name="gr20" draw:layer="layout" svg:width="5.55cm" svg:height="2.308cm" svg:x="36.426cm" svg:y="100.757cm"> + <draw:text-box> + <text:p>Temporary Tails</text:p> + <text:p><text:s/>(DVD or KEY 1)</text:p> + </draw:text-box> + </draw:frame> + <draw:connector draw:style-name="gr7" draw:text-style-name="P1" draw:layer="layout" svg:x1="37.841cm" svg:y1="24.302cm" svg:x2="32.146cm" svg:y2="17.942cm" draw:start-shape="id1" draw:end-shape="id55" draw:end-glue-point="7" svg:d="m37841 24302h-2950v-6360h-2745"> + <text:p text:style-name="P1">wget</text:p> + </draw:connector> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="26.812cm" svg:y1="17.942cm" svg:x2="8.434cm" svg:y2="40.364cm" draw:start-shape="id55" draw:start-glue-point="5" draw:end-shape="id56" draw:end-glue-point="4" svg:d="m26812 17942h-18378v22422"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id57" draw:id="id57" draw:layer="layout" svg:width="6.223cm" svg:height="1.638cm" svg:x="5.349cm" svg:y="69.307cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">apt-get install tails-installer</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id56" draw:id="id56" draw:layer="layout" svg:width="6.223cm" svg:height="1.638cm" svg:x="5.322cm" svg:y="40.364cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Verify using Debian keyring</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="8.434cm" svg:y1="42.002cm" svg:x2="8.461cm" svg:y2="69.307cm" draw:start-shape="id56" draw:start-glue-point="6" draw:end-shape="id57" draw:end-glue-point="4" svg:d="m8434 42002v13653h27v13652"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id58" draw:id="id58" draw:layer="layout" svg:width="5.334cm" svg:height="1.257cm" svg:x="36.881cm" svg:y="39.983cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Confirm Debian version</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="39.548cm" svg:y1="41.24cm" svg:x2="39.539cm" svg:y2="42.002cm" draw:start-shape="id58" draw:start-glue-point="6" draw:end-shape="id59" draw:end-glue-point="4" svg:d="m39548 41240v381h-9v381"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="39.53cm" svg:y1="39.031cm" svg:x2="39.548cm" svg:y2="39.983cm" draw:start-shape="id60" draw:start-glue-point="6" draw:end-shape="id58" draw:end-glue-point="4" svg:d="m39530 39031v536h18v416"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id61" draw:id="id61" draw:layer="layout" svg:width="8.89cm" svg:height="1.638cm" svg:x="21.859cm" svg:y="50.263cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Download again</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr7" draw:text-style-name="P1" draw:layer="layout" svg:x1="39.893cm" svg:y1="52.688cm" svg:x2="26.304cm" svg:y2="51.901cm" draw:start-shape="id5" draw:start-glue-point="5" draw:end-shape="id61" draw:end-glue-point="6" svg:d="m39893 52688h-13589v-787"> + <text:p text:style-name="P1">Incomplete</text:p> + </draw:connector> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="26.304cm" svg:y1="50.263cm" svg:x2="36.591cm" svg:y2="20.412cm" draw:start-shape="id61" draw:start-glue-point="4" draw:end-shape="id17" draw:end-glue-point="5" svg:d="m26304 50263v-29851h10287"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="36.241cm" svg:y1="112.146cm" svg:x2="32.529cm" svg:y2="116.685cm" draw:start-shape="id43" draw:start-glue-point="6" draw:end-shape="id41" draw:end-glue-point="7" svg:d="m36241 112146v4539h-3712"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="36.846cm" svg:y1="125.745cm" svg:x2="36.849cm" svg:y2="129.378cm" draw:start-shape="id44" draw:start-glue-point="6" draw:end-shape="id62" draw:end-glue-point="4" svg:d="m36846 125745v1817h3v1816"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr13" draw:text-style-name="P5" xml:id="id41" draw:id="id41" draw:layer="layout" svg:width="4.445cm" svg:height="1.778cm" svg:x="28.084cm" svg:y="115.796cm"> + <text:p text:style-name="P1"><text:span text:style-name="T5">Run Tails Installer</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 20320 21600 10800" draw:text-areas="0 0 21600 17360" draw:type="flowchart-document" draw:enhanced-path="M 0 0 L 21600 0 21600 17360 C 13050 17220 13340 20770 5620 21600 2860 21100 1850 20700 0 20120 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id63" draw:id="id63" draw:layer="layout" svg:width="6.223cm" svg:height="1.638cm" svg:x="5.318cm" svg:y="82.655cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Tails Installer command line</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="8.43cm" svg:y1="84.293cm" svg:x2="28.084cm" svg:y2="116.685cm" draw:start-shape="id63" draw:start-glue-point="6" draw:end-shape="id41" draw:end-glue-point="5" svg:d="m8430 84293v32392h19654"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr18" draw:text-style-name="P1" draw:layer="layout" svg:width="2.174cm" svg:height="2.413cm" svg:x="3.413cm" svg:y="74.787cm"> + <text:p text:style-name="P1">KEY 1</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id64" draw:id="id64" draw:layer="layout" svg:width="5.461cm" svg:height="1.143cm" svg:x="5.686cm" svg:y="75.403cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Plug destination USB key</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="8.461cm" svg:y1="70.945cm" svg:x2="8.417cm" svg:y2="75.403cm" draw:start-shape="id57" draw:start-glue-point="6" draw:end-shape="id64" draw:end-glue-point="4" svg:d="m8461 70945v2229h-44v2229"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="8.417cm" svg:y1="76.546cm" svg:x2="8.43cm" svg:y2="82.655cm" draw:start-shape="id64" draw:start-glue-point="6" draw:end-shape="id63" draw:end-glue-point="4" svg:d="m8417 76546v3055h13v3054"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr18" draw:text-style-name="P1" draw:layer="layout" svg:width="2.174cm" svg:height="2.413cm" svg:x="22.626cm" svg:y="84.167cm"> + <text:p text:style-name="P1">KEY 1</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:type="rectangle" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id65" draw:id="id65" draw:layer="layout" svg:width="5.461cm" svg:height="1.143cm" svg:x="17.053cm" svg:y="84.802cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Plug destination USB key</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="19.764cm" svg:y1="77.562cm" svg:x2="19.784cm" svg:y2="84.802cm" draw:start-shape="id28" draw:start-glue-point="6" draw:end-shape="id65" draw:end-glue-point="4" svg:d="m19764 77562v3620h20v3620"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="19.784cm" svg:y1="85.945cm" svg:x2="28.084cm" svg:y2="116.685cm" draw:start-shape="id65" draw:start-glue-point="6" draw:end-shape="id41" draw:end-glue-point="5" svg:d="m19784 85945v30740h8300"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="23.764cm" svg:y1="129.172cm" svg:x2="23.752cm" svg:y2="130.494cm" draw:start-shape="id52" draw:start-glue-point="6" draw:end-shape="id66" draw:end-glue-point="4" svg:d="m23764 129172v661h-12v661"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="23.752cm" svg:y1="132.399cm" svg:x2="23.765cm" svg:y2="134.331cm" draw:start-shape="id66" draw:start-glue-point="6" draw:end-shape="id45" draw:end-glue-point="4" svg:d="m23752 132399v966h13v966"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="23.765cm" svg:y1="137.887cm" svg:x2="23.755cm" svg:y2="140.192cm" draw:start-shape="id46" draw:start-glue-point="6" draw:end-shape="id67" draw:end-glue-point="4" svg:d="m23765 137887v1153h-10v1152"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr17" draw:text-style-name="P3" xml:id="id37" draw:id="id37" draw:layer="layout" svg:width="5.461cm" svg:height="1.905cm" svg:x="33.609cm" svg:y="92.167cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2">Boot menu key assistant</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="0 0 21600 17150" draw:type="flowchart-off-page-connector" draw:enhanced-path="M 0 0 L 21600 0 21600 17150 10800 21600 0 17150 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr17" draw:text-style-name="P3" xml:id="id44" draw:id="id44" draw:layer="layout" svg:width="5.461cm" svg:height="1.905cm" svg:x="34.115cm" svg:y="123.84cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2">Boot menu key assistant</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="0 0 21600 17150" draw:type="flowchart-off-page-connector" draw:enhanced-path="M 0 0 L 21600 0 21600 17150 10800 21600 0 17150 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr17" draw:text-style-name="P3" xml:id="id66" draw:id="id66" draw:layer="layout" svg:width="5.461cm" svg:height="1.905cm" svg:x="21.021cm" svg:y="130.494cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2">Boot menu key assistant</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="0 0 21600 17150" draw:type="flowchart-off-page-connector" draw:enhanced-path="M 0 0 L 21600 0 21600 17150 10800 21600 0 17150 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="43.582cm" svg:y1="13.091cm" svg:x2="39.512cm" svg:y2="19.523cm" draw:start-shape="id11" draw:start-glue-point="5" draw:end-shape="id17" draw:end-glue-point="4" svg:d="m43582 13091h-4070v6432"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr7" draw:text-style-name="P1" draw:layer="layout" svg:x1="41.925cm" svg:y1="9.108cm" svg:x2="46.058cm" svg:y2="10.116cm" draw:start-shape="id16" draw:start-glue-point="7" draw:end-shape="id10" draw:end-glue-point="4" svg:d="m41925 9108h4133v1008"> + <text:p text:style-name="P1">Installation</text:p> + </draw:connector> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="49.323cm" svg:y1="46.431cm" svg:x2="50.783cm" svg:y2="48.724cm" draw:start-shape="id68" draw:start-glue-point="6" draw:end-shape="id7" draw:end-glue-point="5" svg:d="m49323 46431v2293h1460"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="60.181cm" svg:y1="44.653cm" svg:x2="62.594cm" svg:y2="44.674cm" draw:start-shape="id6" draw:start-glue-point="7" draw:end-shape="id21" svg:d="m60181 44653h1207v21h1206"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr7" draw:text-style-name="P1" draw:layer="layout" svg:x1="54.466cm" svg:y1="39.827cm" svg:x2="58.086cm" svg:y2="42.748cm" draw:start-shape="id20" draw:start-glue-point="7" draw:end-shape="id6" draw:end-glue-point="4" svg:d="m54466 39827h3620v2921"> + <text:p text:style-name="P1">No</text:p> + </draw:connector> + <draw:connector draw:style-name="gr7" draw:text-style-name="P1" draw:layer="layout" svg:x1="40.512cm" svg:y1="33.355cm" svg:x2="51.291cm" svg:y2="33.35cm" draw:start-shape="id19" draw:start-glue-point="7" draw:end-shape="id12" svg:d="m40512 33355h5898v-5h4881"> + <text:p text:style-name="P1">no</text:p> + </draw:connector> + <draw:connector draw:style-name="gr7" draw:text-style-name="P1" draw:layer="layout" svg:x1="52.434cm" svg:y1="39.827cm" svg:x2="49.323cm" svg:y2="42.748cm" draw:start-shape="id20" draw:start-glue-point="5" draw:end-shape="id68" draw:end-glue-point="4" svg:d="m52434 39827h-3111v2921"> + <text:p text:style-name="P1">Yes</text:p> + </draw:connector> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="47.227cm" svg:y1="44.589cm" svg:x2="41.689cm" svg:y2="38.135cm" draw:start-shape="id68" draw:start-glue-point="5" draw:end-shape="id60" draw:end-glue-point="7" svg:d="m47227 44589h-2769v-6454h-2769"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="39.496cm" svg:y1="35.387cm" svg:x2="39.53cm" svg:y2="37.119cm" draw:start-shape="id19" draw:start-glue-point="6" draw:end-shape="id60" draw:end-glue-point="4" svg:d="m39496 35387v867h34v865"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr7" draw:text-style-name="P1" draw:layer="layout" svg:x1="37.443cm" svg:y1="43.907cm" svg:x2="36.304cm" svg:y2="46.739cm" draw:start-shape="id59" draw:start-glue-point="5" draw:end-shape="id69" draw:end-glue-point="4" svg:d="m37443 43907h-1139v2832"> + <text:p text:style-name="P1">no</text:p> + </draw:connector> + <draw:connector draw:style-name="gr7" draw:text-style-name="P1" draw:layer="layout" svg:x1="41.634cm" svg:y1="43.907cm" svg:x2="42.396cm" svg:y2="46.701cm" draw:start-shape="id59" draw:start-glue-point="7" draw:end-shape="id70" draw:end-glue-point="4" svg:d="m41634 43907h762v2794"> + <text:p text:style-name="P1">yes</text:p> + </draw:connector> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="42.396cm" svg:y1="47.958cm" svg:x2="36.346cm" svg:y2="49.622cm" draw:start-shape="id70" draw:start-glue-point="6" draw:end-shape="id4" draw:end-glue-point="4" svg:d="m42396 47958v832h-6050v832"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="36.304cm" svg:y1="47.996cm" svg:x2="36.346cm" svg:y2="49.622cm" draw:start-shape="id69" draw:start-glue-point="6" draw:end-shape="id4" draw:end-glue-point="4" svg:d="m36304 47996v813h42v813"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr5" draw:text-style-name="P3" xml:id="id71" draw:id="id71" draw:layer="layout" svg:width="5.207cm" svg:height="4.572cm" svg:x="28.559cm" svg:y="10.801cm"> + <text:p text:style-name="P1"><text:span text:style-name="T2">Upgrade method</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="5400 5400 16200 16200" draw:type="diamond" draw:enhanced-path="M 10800 0 L 21600 10800 10800 21600 0 10800 10800 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr7" draw:text-style-name="P1" draw:layer="layout" svg:x1="36.718cm" svg:y1="9.108cm" svg:x2="31.163cm" svg:y2="10.801cm" draw:start-shape="id16" draw:start-glue-point="5" draw:end-shape="id71" draw:end-glue-point="4" svg:d="m36718 9108h-5555v1693"> + <text:p text:style-name="P1">upgrade</text:p> + </draw:connector> + <draw:connector draw:style-name="gr7" draw:text-style-name="P1" draw:layer="layout" svg:x1="33.766cm" svg:y1="13.087cm" svg:x2="39.512cm" svg:y2="19.523cm" draw:start-shape="id71" draw:start-glue-point="7" draw:end-shape="id17" draw:end-glue-point="4" svg:d="m33766 13087h5746v6436"> + <text:p text:style-name="P1">not cloning</text:p> + </draw:connector> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="42.134cm" svg:y1="58.881cm" svg:x2="42.156cm" svg:y2="60.66cm" draw:start-shape="id22" draw:start-glue-point="6" draw:end-shape="id23" draw:end-glue-point="4" svg:d="m42134 58881v890h22v889"> + <text:p/> + </draw:connector> + <draw:frame draw:style-name="gr21" draw:layer="layout" svg:width="1.205cm" svg:height="0.962cm" svg:x="33.258cm" svg:y="57.442cm"> + <draw:text-box> + <text:p>no</text:p> + </draw:text-box> + </draw:frame> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id72" draw:id="id72" draw:layer="layout" svg:width="6.223cm" svg:height="1.638cm" svg:x="47.101cm" svg:y="83.042cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Run Tails Installer</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr7" draw:text-style-name="P1" draw:layer="layout" svg:x1="37.344cm" svg:y1="72.736cm" svg:x2="50.213cm" svg:y2="83.042cm" draw:start-shape="id33" draw:start-glue-point="7" draw:end-shape="id72" draw:end-glue-point="4" svg:d="m37344 72736h12869v10306"> + <text:p/> + </draw:connector> + <draw:frame draw:style-name="gr21" draw:layer="layout" svg:width="6.137cm" svg:height="1.673cm" svg:x="50.362cm" svg:y="76.946cm"> + <draw:text-box> + <text:p>Tails</text:p> + <text:p>(in case of upgrade)</text:p> + </draw:text-box> + </draw:frame> + <draw:connector draw:style-name="gr12" draw:text-style-name="P1" draw:layer="layout" svg:x1="50.213cm" svg:y1="84.68cm" svg:x2="39.004cm" svg:y2="87.602cm" draw:start-shape="id72" draw:start-glue-point="6" draw:end-shape="id35" draw:end-glue-point="7" svg:d="m50213 84680v2922h-11209"> + <text:p/> + </draw:connector> + </draw:page> + </office:drawing> + </office:body> +</office:document> \ No newline at end of file diff --git a/wiki/src/blueprint/bootstrapping/assistant.mdwn b/wiki/src/blueprint/bootstrapping/assistant.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..37d5fecfe6c24745560427c74a240daafa9b8fcb --- /dev/null +++ b/wiki/src/blueprint/bootstrapping/assistant.mdwn @@ -0,0 +1,491 @@ +[[!meta title="Web assistant for getting started with Tails"]] + +[[!toc levels=3]] + +<a id="introduction"></a> + +Introduction +============ + +The web assistant is a set of web pages that will merge our download and +install instructions into a single web tool. It will put emphasis on the +most frequent and recommended scenarios, and point to the rest of the +documentation for corner cases or more advanced usage. + +<a id="phases"></a> + +The assistant will be composed of three main phases: + + 1. The "[[router|assistant#router]]" which is a set of introductory + questions that lead the user to choose one of the possible + installation processes. + 2. The "[[overview|assistant#overview]]" which presents the + installation process to the user, what hardware is needed, how long + it will take, what are the steps, etc. + 3. The "scenario" which are the detailed instructions step by step. + +Both the "overview" and the "scenario" will use the same +[[infography|assistant#infography]] to explain the steps +graphically. + +Scenarios +--------- + +Here is a list of possible installation scenarios that will be proposed +via the assistant: + + - With USB as destination media + - Windows to USB (via USB) + - Mac to USB via DVD + - Mac to USB via USB + - Debian to USB + - Debian hacker to USB + - Linux to USB + - Clone from a friend + - With DVD as destination media + - Windows to DVD + - Mac to DVD + - Linux to DVD (same for Debian) + - Debian hacker to DVD + - Other possible scenarios + - Contact or training + - Virtualization + +Latest designs +-------------- + +The rest of this blueprint presents the various iterations that we are +going through to get to a final design, the latest documents that you +should look at if you want to know where we are at the moment: + + - [[router, third iteration|assistant#router_3rd_iteration]] + - [[overview, second iteration|assistant#overview_2nd_iteration]] + - [[infography|assistant#infography]] + +<a id="1st_iteration"></a> + +First iteration +=============== + +For the first iteration we did some parallel designs of a possible +wireframe for the web assistant: + + - [[wireframe by sajolida|1st_iteration/wireframe-sajolida-20150323.odg]] + - [wireframe by tchou](https://labs.riseup.net/code/attachments/download/722/wireframe-tchou-20150323.pdf) + +Conclusion +---------- + +We decided to split the assistant into [[three main phases|assistant#phases]]. + +<a id="router"></a> + +Router +====== + +<a id="router_2nd_iteration"></a> + +Second iteration +---------------- + +We refined the first iteration still with parallel designs: + + - [[presentation by sajolida|router/2nd_iteration/router-sajolida-20150325.odp]] + - [[presentation by tchou|router/2nd_iteration/router-tchou-20150325.odp]] + +And conducted some user testing on both designs: + + - [[spreadsheet of summarized outcomings|router/2nd_iteration/router-testing-20150325.ods]] + +<a id="router_3rd_iteration"></a> + +Third iteration +--------------- + +[[!map pages="blueprint/bootstrapping/assistant/router/3rd_iteration*" show=title]] + +### Objectives + + - Rework the alternative between USB and DVD: + - Merge slide 11 & 13 from [[router/2nd_iteration/router-sajolida-20150325.odp]]. + - Make USB more preeminent major, and DVD less + - Guide better Mac users: + - Build a list of Mac hardware and their possible scenarios. + - Explain where to find Mac hardware version. + - Present clone (1/3) as an alternative to installation from scratch (2/3). + - Add a welcoming screen. + - Mention virtual machines as a minor option on OS page or destination media page. + - Consider improving navigation. + +### Mock-ups + + - [[presentation|router/3rd_iteration/router-3rd-iteration.fodp]] + - [[flowchart|router/3rd_iteration/router-3rd-iteration.fodg]] + +<a id="mac"></a> + +List of compatibility with Mac +------------------------------ + +Seeing that: + +- A lot of current and potential users are Mac users. +- Tails is running more or less on this devices. +- There are a limited number of different models. + +We suggest to maintain a list of the state of Tails compatibility on +these computers. In the router of the web assistant, a potential user +could know if Tails works on her computer and on which media (DVD or +USB) before she tries to install it. + +### Data type + +The data could be stored in a YAML file, in the git repo. + +### Data content + +Something like: + + model / part of the serial number + Tails version | working? | boot on USB? | boot on DVD? | comments + +* In we want to keep history of compatibility (with older Tails + versions) in this file, maybe we will have to show to the user only + the last relevant informations. +* "Tails version" can be useful to: + - Have a better view of how the support Mac evolves. + - Let the user or frontdesk know when the compatibility got broken. +* "Comments" is raw information on Wi-Fi support, graphic support, etc. + +### How to feed the list + +- Call to heavily test sometimes +- Ask to people doing Tails trainings +- Update from frontdesk +- Maybe something editable by users + +### Implementation + +In the Mac page of the router, we could implement this in two ways, that +could be two iterations. + +#### All information (without form) + +- Raw data is transformed server-side into an HTML table with links to + the available scenarios for each model (maybe using + <https://ikiwiki.info/plugins/contrib/ymlfront/>). +- The full list is included in the HTML page sent to the user by hidden + in toggle by default. +- Some information is displayed to help the user identify his type of + Mac (maybe simplifying <https://fr.ifixit.com/Info/ID-your-Mac>). +- The user can toggle to display the sublist corresponding to her type + of Mac (iMac, Macbook, MacBook Air, etc.) +- If JavaScript is disabled, the full list is displayed. + +#### Only relevant information (with form) + +- Some information is displayed to know easily what kind of mac is + working +- The user types in a form the serial number of her Mac or clicks in a + dedicated tiny wizard like <https://fr.ifixit.com/Info/ID-your-Mac>. +- Some server-side code (Ruby?) or client-side code (JavaScript) gets + the relevant model and displays the possible scenarios. +- If implemented in JavaScript, it would fallback on the "without form" + version described earlier. + +### Redmine + +This tickets wants to fix the same problem : [[!tails_ticket 9150]] + +<a id="overview"></a> + +Overview +======== + +<a id="overview_2nd_iteration"></a> + +Second iteration +---------------- + + - [[wireframe of the overview|overview/2nd_iteration/overview-20150324.odg]] + + - Drawings of the overview with 2 more steps (plug the keys) [one](https://labs.riseup.net/code/attachments/download/732/tchou-overview.jpg) / [two](https://labs.riseup.net/code/attachments/download/733/tchou-overview2.jpg) + +<a id="infography"></a> + +Infography +---------- + +We brainstormed a bit more on the possible infography to explain the +installation steps graphically: + + - [drawings by sajolida](infography/2nd_iteration/infography-sajolida-20150327.svg) + +<a id="url"></a> + +URL scheme +========== + +The assistant will be implemented as a (huge) set of ikiwiki pages. It +will have its own navigation tools (sidebar, back button, maybe +breadcrumbs, etc). Even if two pages are going to be very similar (for +example "Choose your media, for Windows" and "Choose your media, for +Debian", we need different pages and thus different URLs). + +We will sometimes tell the user to write down the URL of one page or +open it on a smartphone (for example, before shutting down the +computer). + +So they need to be short and meaningful (as an URL) both for the people +working on the code and the user. + +Those URLs might also be given by internal tools, if we want to point +the user back to the assistant after start a media installed using UUI +for example. + +Those URLs might be: + + - Written down on a sheet of paper. + - Opened in a smartphone. + - Clicked or copied from a tool inside Tails. + - Given by frontdesk as an answer to a support request. + - Listed on a sitemap (for frontdesk for example). + +Proposed scheme. Those are just examples, not an exhaustive list: + + - router + - `/install` (*Intro*) + - `/install/os` (*Choose your OS*) + - `/install/debian` (*Debian user*) + - `/install/debian/path` (*Graphical vs Command line*) + - `/install/linux` (*Linux user*) + - `/install/mac` (*Mac user*) + - `/install/win` (*Windows user*) + - `/install/help` (*I need external help*) + - overview + - `/install/copy` (*Clone from a friend*) + - `/install/debian/usb` (*Debian USB*) + - `/install/debian/dvd` (*Debian DVD*) + - `/install/expert/usb` (*Debian hacker USB*) + - `/install/expert/dvd` (*Debian hacker DVD*) + - `/install/linux/usb` (*Linux USB*) + - `/install/linux/dvd` (*Linux DVD*) + - `/install/mac/usb` (*Mac USB via USB*) + - `/install/mac/dvd` (*Mac DVD*) + - `/install/mac/dvd-usb` (*Mac USB via DVD*) + - `/install/win/usb` (*Windows USB*) + - `/install/win/dvd` (*Windows DVD*) + - steps (example for Windows USB scenario) + - `/install/win/usb/1-download` (Choose download method) + - `/install/win/usb/1-download/v1` (if we can use the same page for all browser extensions) + - `/install/win/usb/1-download/firefox/v1` (otherwise for Firefox extension) + - `/install/win/usb/1-download/chrome/v1` (otherwise for Chrome extension) + - `/install/win/usb/2-plug-first` + - `/install/win/usb/3-copy-iso` + - `/install/win/usb/4-restart-temporary` + - `/install/win/usb/5-plug-second` + - `/install/win/usb/6-install-tails` + - `/install/win/usb/7-restart-tails` + - `/install/win/usb/8-configure-persistence` + - `/install/win/usb/9-restart-persistence` + +Steps by scenario +================= + +Reminder on lexicon : + +* Temporary Tails: a Tails with no automatic upgrade and no possible persistence +* Minimal Tails: a Tails with automatic upgrade, but no persistence +* Full-featured Tails: a Tails with automatic upgrade and persistence + +### With USB as destination media + +#### Windows to USB (via USB) + +1. Download and verify +2. Copy to temporary Tails with UUI +3. Reboot on temporary Tails +4. Install minimal Tails +5. Reboot on minimal Tails +6. Install persistence (optional) +7. Reboot on full-featured Tails (optional) + +#### Mac to USB via DVD + +1. Download and verify +2. Copy to temporary Tails with Burn +3. Reboot on temporary Tails +4. Install minimal Tails +5. Reboot on minimal Tails +6. Install persistence (optional) +7. Reboot on full-featured Tails (optional) + +#### Mac to USB via USB + +1. Download and verify +2. Copy to temporary Tails with command line +3. Reboot on temporary Tails +4. Install minimal Tails +5. Reboot on minimal Tails +6. Install persistence (optional) +7. Reboot on full-featured Tails (optional) + +#### Debian to USB + +1. Download and verify +2. Copy to minimal Tails with Tails Installer +3. Install persistence (optional) +4. Reboot on full-featured Tails (optional) + +#### Debian hacker to USB + +1. Download with `wget` +2. Verify with OpenPGP and `debian-keyring` +3. Install minimal Tails with Tails Installer on the command line +4. Reboot minimal Tails +5. Install persistence (optional) +6. Reboot on full-featured Tails (optional) + +#### Linux to USB + +1. Download and verify +2. Copy to temporary Tails with Gnome Disks +3. Reboot on temporary Tails +4. Install minimal Tails +5. Reboot on minimal Tails +6. Install persistence (optional) +7. Reboot on full-featured Tails (optional) + +#### Clone from a friend + +1. Get USB stick from a friend +2. Boot on Tails USB stick +3. Install minimal Tails +4. Reboot on minimal Tails +5. Install persistence (optional) +6. Reboot on full-featured Tails (optional) + +### With DVD as destination media + +#### Windows to DVD + +1. Download and verify +2. Copy to temporary Tails with a DVD burner +3. Reboot with temporary Tails + +#### Mac to DVD + +1. Download and verify +2. Copy to temporary Tails with Burn +3. Reboot on temporary Tails + +#### Linux to DVD (same for Debian) + +1. Download and verify +2. Copy to minimal Tails with Brasero +3. Reboot on temporary Tails + +#### Debian hacker to DVD + +1. Download with `wget` +2. Verify with OpenPGP and `debian-keyring` +3. Copy to minimal Tails with Brasero +4. Reboot on temporary Tails + +### Other possible scenarios + +#### Contact or training + +#### Virtualization + +<a id="javascript"></a> + +About JavaScript +================ + +During the monthly meeting of [[April +2014|contribute/meetings/201404#index3h1]] ([[!tails_ticket 7023]]) we +mentioned the idea of not having any JavaScript on our homepage, and by +extension, the fact that we should try to limit the amount of JavaScript +on our website in general. But this discussion was not fully concluded. +Here are a few elements to try to summarize our position, in particular +while working on the assistant: + +Cons: + + - JavaScript can be dangerous for security and privacy. Tor Browser is + supposed to block dangerous JavaScript and allow only the innocuous + kind. But it's still better to be safe than sorry. + - An important part of our audience want to be careful about + JavaScript, for the reason mentioned above, and might disable it + fully. To support this use case, we include the NoScript extension. + So, to be coherent with this, every part of our website must be + functional without JavaScript. This also ensures compatibility with + all the levels of the security slider of Tor Browser ([[!tor_bug + 9387]]). + - We don't know much about JavaScript ourselves, and even less about + JavaScript security. So writing JavaScript seems complicated, + costly, and error prone. Reusing JavaScript libraries like jQuery + looks more feasible without taking much risks. + +Pros: + + - We are already using JavaScript on our website (see the toggle on + the [[download#index3h1]] page). + - JavaScript might allow us to present better our information to the + user and improve the quality of our website in terms of user + experience. But using it to save us a bit of work or look cool might + not be a good enough reason. + +Conclusion: + + - We will use JavaScript to the minimum while ensure graceful + degradation. + +<a id="questions"></a> + +Open problems +============= + +Going in and out +---------------- + + - How to handle entry and exit points? What happen when someone in + pointed to a documentation page for a corner case? + - How do we deal with people leaving the assistant to restart their + system? Do we want to propose them to print a page for the remaining + steps? + - When people leave, do we want to give them some warning, + explanation, good bye message? + - Recommend people to open the website from their smartphone before + restarting their computer. + +Instructions +------------ + + - How do we help better people with boot? Shall we want suggest the + most likely keys based on the brand of the computer? + - How to explain the installation of tails-installer in Debian + derivatives. Ubuntu has + [AptURL](https://help.ubuntu.com/community/AptURL) in its Firefox. + - How to make it easier to locate the ISO image once downloaded, for + example to feed it into Tails Installer? + - Suggest human strategies for avoiding targeted malware: + - Clone from a friend + - Use a different computer than yours + - Use Linux if available around you + +Infrastructure +-------------- + + - Investigate how we could monitor the usage of the assistant: most + common path, failures, people leaving, etc. But this can have + privacy issues. + +Troubleshooting +--------------- + + - Integrate system requirements. + - Integrate information about organization doing training. + - How do we connect all this with support, in case people are lost or + having specific problems? diff --git a/wiki/src/blueprint/bootstrapping/assistant/1st_iteration/wireframe-sajolida-20150323.odg b/wiki/src/blueprint/bootstrapping/assistant/1st_iteration/wireframe-sajolida-20150323.odg new file mode 100644 index 0000000000000000000000000000000000000000..fdce5324a5595530deb7cbdbffb8f22f0cda6a80 Binary files /dev/null and b/wiki/src/blueprint/bootstrapping/assistant/1st_iteration/wireframe-sajolida-20150323.odg differ diff --git a/wiki/src/blueprint/bootstrapping/assistant/infography/2nd_iteration/infography-sajolida-20150327.svg b/wiki/src/blueprint/bootstrapping/assistant/infography/2nd_iteration/infography-sajolida-20150327.svg new file mode 100644 index 0000000000000000000000000000000000000000..d1787b2e2af74ecae336e5c7f82189c9e24528c6 --- /dev/null +++ b/wiki/src/blueprint/bootstrapping/assistant/infography/2nd_iteration/infography-sajolida-20150327.svg @@ -0,0 +1,1095 @@ +<?xml version="1.0" encoding="UTF-8" standalone="no"?> +<!-- Created with Inkscape (http://www.inkscape.org/) --> + +<svg + xmlns:dc="http://purl.org/dc/elements/1.1/" + xmlns:cc="http://creativecommons.org/ns#" + xmlns:rdf="http://www.w3.org/1999/02/22-rdf-syntax-ns#" + xmlns:svg="http://www.w3.org/2000/svg" + xmlns="http://www.w3.org/2000/svg" + xmlns:sodipodi="http://sodipodi.sourceforge.net/DTD/sodipodi-0.dtd" + xmlns:inkscape="http://www.inkscape.org/namespaces/inkscape" + width="646.42462" + height="260.05408" + id="svg3449" + version="1.1" + inkscape:version="0.48.3.1 r9886" + sodipodi:docname="infography-sajolida-20150327.svg"> + <defs + id="defs3451"> + <path + id="path-1" + d="M 5.8863643,3.0005748 C -0.13642709,3.0615313 -5,7.9627911 -5,14 -5,20.075132 -0.07513255,25 6,25 L 6,24 C 0.47715225,24 -4,19.522848 -4,14 -4,8.4963397 0.44609729,4.0311216 5.9424757,4.000162 L 4.2928932,5.6497444 5,6.3568512 7.8284271,3.5284241 5,0.69999695 4.2928932,1.4071037 5.8863643,3.0005748 z" + inkscape:connector-curvature="0" /> + <path + id="path-1-7" + d="M 5.8863643,3.0005748 C -0.13642709,3.0615313 -5,7.9627911 -5,14 -5,20.075132 -0.07513255,25 6,25 L 6,24 C 0.47715225,24 -4,19.522848 -4,14 -4,8.4963397 0.44609729,4.0311216 5.9424757,4.000162 L 4.2928932,5.6497444 5,6.3568512 7.8284271,3.5284241 5,0.69999695 4.2928932,1.4071037 5.8863643,3.0005748 z" + inkscape:connector-curvature="0" /> + </defs> + <sodipodi:namedview + id="base" + pagecolor="#ffffff" + bordercolor="#666666" + borderopacity="1.0" + inkscape:pageopacity="0.0" + inkscape:pageshadow="2" + inkscape:zoom="0.86220698" + inkscape:cx="324.71886" + inkscape:cy="163.19068" + inkscape:document-units="px" + inkscape:current-layer="layer1" + showgrid="false" + inkscape:window-width="1024" + inkscape:window-height="681" + inkscape:window-x="0" + inkscape:window-y="27" + inkscape:window-maximized="1" + fit-margin-top="0" + fit-margin-left="0" + fit-margin-right="0" + fit-margin-bottom="0" /> + <metadata + id="metadata3454"> + <rdf:RDF> + <cc:Work + rdf:about=""> + <dc:format>image/svg+xml</dc:format> + <dc:type + rdf:resource="http://purl.org/dc/dcmitype/StillImage" /> + <dc:title /> + </cc:Work> + </rdf:RDF> + </metadata> + <g + inkscape:label="Layer 1" + inkscape:groupmode="layer" + id="layer1" + transform="translate(-376.17182,-855.26956)"> + <g + style="fill:#000000;fill-opacity:1" + id="Captions-0" + transform="matrix(0,-0.07092847,0.05562694,0.0458562,531.76326,893.17244)" /> + <g + style="fill:#000000;fill-opacity:1" + id="Captions-7-1" + transform="matrix(0.28457047,0,0,0.28457047,546.30591,859.79114)" /> + <g + style="fill:#000000;fill-opacity:1" + id="Your_Icon-4" + transform="matrix(0.28457047,0,0,0.28457047,532.88171,906.69785)" /> + <text + xml:space="preserve" + style="font-size:9.06930542px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;text-align:start;line-height:125%;letter-spacing:0px;word-spacing:0px;writing-mode:lr-tb;text-anchor:start;fill:#000000;fill-opacity:1;stroke:none;font-family:DejaVu Sans;-inkscape-font-specification:DejaVu Sans" + x="517.85468" + y="913.69794" + id="text6902" + sodipodi:linespacing="125%"><tspan + sodipodi:role="line" + id="tspan6904" + x="517.85468" + y="913.69794" /></text> + <g + id="g14032" + transform="matrix(0.50587079,0,0,0.50587079,543.02156,618.93655)"> + <path + d="m 204.07369,567.04654 -30.0517,-0.14345 c -7.07099,-0.0338 -12.93535,-5.95437 -13.04821,-13.17337 l 0.41101,-55.24138 55.97865,0.26721 -0.11638,55.24279 c -0.18177,7.21759 -5.95437,12.93535 -13.17337,13.0482 z" + stroke-miterlimit="10" + inkscape:connector-curvature="0" + style="fill:#000000;fill-opacity:1;stroke:#000000;stroke-width:4.16666651;stroke-miterlimit:10" + id="path4152-4-1-32" /> + <rect + id="rect4154-4-7-9" + height="27.083073" + width="39.374622" + stroke-miterlimit="10" + transform="matrix(0.99998861,0.00477338,-0.00477338,0.99998861,0,0)" + y="470.59338" + x="172.10887" + style="fill:none;stroke:#000000;stroke-width:4.16662645;stroke-miterlimit:10" /> + <g + id="g13759"> + <g + id="g4156-7-9-0" + transform="matrix(1.4801542,-1.2750407,1.4660905,1.2872717,118.56439,514.05907)"> + <line + style="fill:none;stroke:#000000;stroke-width:1.9764694;stroke-miterlimit:10" + stroke-miterlimit="10" + x1="40.6609" + y1="12.348352" + x2="39.013733" + y2="13.948482" + id="line4158-7-8-0" /> + <line + style="fill:none;stroke:#000000;stroke-width:1.97647011;stroke-miterlimit:10" + stroke-miterlimit="10" + x1="35.6609" + y1="7.3483534" + x2="34.013733" + y2="8.9484825" + id="line4160-1-9-1" /> + </g> + </g> + <path + sodipodi:nodetypes="cscc" + inkscape:connector-curvature="0" + d="m 198.83483,485.78333 c 0.031,4.18563 -4.38849,6.53271 -9.31446,6.53271 -4.92401,0 -9.42093,-2.6759 -9.42948,-6.53271 2.01684,0 16.95283,0 18.74394,0 z" + id="path4818-2-4-3-6-1-0-4" + style="fill:#000000;fill-opacity:1" /> + </g> + <g + id="g14041" + transform="matrix(0.50587079,0,0,0.50587079,542.00981,618.93655)"> + <path + d="m 301.5747,566.4861 -30.0517,-0.14345 c -7.07099,-0.0338 -12.93535,-5.95437 -13.04821,-13.17337 l 0.41101,-55.24138 55.97865,0.26721 -0.11638,55.24279 c -0.18177,7.21759 -5.95437,12.93535 -13.17337,13.0482 z" + stroke-miterlimit="10" + inkscape:connector-curvature="0" + style="fill:#000000;fill-opacity:1;stroke:#000000;stroke-width:4.16666651;stroke-miterlimit:10" + id="path4152-4-1" /> + <rect + id="rect4154-4-7" + height="27.083073" + width="39.374622" + stroke-miterlimit="10" + transform="matrix(0.99998861,0.00477338,-0.00477338,0.99998861,0,0)" + y="469.56754" + x="269.60611" + style="fill:none;stroke:#000000;stroke-width:4.16662645;stroke-miterlimit:10" /> + <path + inkscape:connector-curvature="0" + d="m 300.72986,549.73132 -28.18282,0 c -0.86313,0 -1.55809,-0.74461 -1.54731,-1.66072 l 0.21872,-18.56457 c 0.0135,-0.91525 0.71395,-1.65986 1.57709,-1.65986 l 3.54795,0 0,-5.80177 c 0.001,-6.22198 4.82143,-11.20417 10.64493,-11.20417 5.82216,0 10.49791,5.01611 10.44199,11.20417 l 0,5.80177 3.54795,0 c 0.86273,0 1.55768,0.74461 1.54704,1.65986 l -0.21872,18.56422 c -0.0135,0.91802 -0.71422,1.66107 -1.57682,1.66107 z M 292.4664,522.3761 c 0.0297,-3.27502 -2.44548,-5.92979 -5.5269,-5.92979 -3.08235,0 -5.60451,2.65477 -5.63403,5.92979 l 9.5e-4,5.47007 11.16133,0 -9.5e-4,-5.47007 z" + id="path5189-4-8-1-2-2-0-5-7" + style="fill:#ffffff;fill-opacity:1" /> + <g + id="g13759-1" + transform="translate(97.608432,0.232262)"> + <g + id="g4156-7-9-0-4" + transform="matrix(1.4801542,-1.2750407,1.4660905,1.2872717,118.56439,514.05907)"> + <line + style="fill:none;stroke:#000000;stroke-width:1.9764694;stroke-miterlimit:10" + stroke-miterlimit="10" + x1="40.6609" + y1="12.348352" + x2="39.013733" + y2="13.948482" + id="line4158-7-8-0-9" /> + <line + style="fill:none;stroke:#000000;stroke-width:1.97647011;stroke-miterlimit:10" + stroke-miterlimit="10" + x1="35.6609" + y1="7.3483534" + x2="34.013733" + y2="8.9484825" + id="line4160-1-9-1-1" /> + </g> + </g> + <path + sodipodi:nodetypes="cscc" + inkscape:connector-curvature="0" + d="m 296.44325,486.01559 c 0.031,4.18563 -4.38849,6.53271 -9.31446,6.53271 -4.92401,0 -9.42093,-2.6759 -9.42948,-6.53271 2.01684,0 16.95283,0 18.74394,0 z" + id="path4818-2-4-3-6-1-0-4-2" + style="fill:#000000;fill-opacity:1" /> + </g> + <g + id="g14024" + transform="matrix(0.50587079,0,0,0.50587079,542.00981,618.93655)"> + <path + d="m 111.07874,568.33943 -30.0517,-0.14345 c -7.07098,-0.0338 -12.93534,-5.95437 -13.0482,-13.17337 l 0.41101,-55.24138 55.97864,0.26721 -0.11638,55.24279 c -0.18177,7.21759 -5.95437,12.93535 -13.17337,13.0482 z" + stroke-miterlimit="10" + inkscape:connector-curvature="0" + style="fill:#000000;fill-opacity:1;stroke:#000000;stroke-width:4.16666651;stroke-miterlimit:10" + id="path4152-4-1-32-8" /> + <rect + id="rect4154-4-7-9-8" + height="27.083073" + width="39.374622" + stroke-miterlimit="10" + transform="matrix(0.99998861,0.00477338,-0.00477338,0.99998861,0,0)" + y="472.33014" + x="79.12117" + style="fill:none;stroke:#000000;stroke-width:4.16662645;stroke-miterlimit:10" /> + <g + id="g13759-0" + transform="translate(-92.994948,1.292888)"> + <g + id="g4156-7-9-0-41" + transform="matrix(1.4801542,-1.2750407,1.4660905,1.2872717,118.56439,514.05907)"> + <line + style="fill:none;stroke:#000000;stroke-width:1.9764694;stroke-miterlimit:10" + stroke-miterlimit="10" + x1="40.6609" + y1="12.348352" + x2="39.013733" + y2="13.948482" + id="line4158-7-8-0-5" /> + <line + style="fill:none;stroke:#000000;stroke-width:1.97647011;stroke-miterlimit:10" + stroke-miterlimit="10" + x1="35.6609" + y1="7.3483534" + x2="34.013733" + y2="8.9484825" + id="line4160-1-9-1-3" /> + </g> + </g> + </g> + <g + id="g22288" + transform="matrix(0.50587079,0,0,0.50587079,411.49512,618.93655)"> + <path + id="path4152-4-1-3" + d="m 271.73055,566.76226 -30.0517,-0.14345 c -7.07099,-0.0338 -12.93535,-5.95437 -13.04821,-13.17337 l 0.41101,-55.24138 55.97865,0.26721 -0.11638,55.24279 c -0.18177,7.21759 -5.95437,12.93535 -13.17337,13.0482 z" + stroke-miterlimit="10" + inkscape:connector-curvature="0" + style="fill:none;stroke:#000000;stroke-width:4.16666651;stroke-miterlimit:10" /> + <rect + id="rect4154-4-7-7" + height="27.083073" + width="39.374622" + stroke-miterlimit="10" + transform="matrix(0.99998861,0.00477338,-0.00477338,0.99998861,0,0)" + y="469.98615" + x="239.76363" + style="fill:none;stroke:#000000;stroke-width:4.16662645;stroke-miterlimit:10" /> + <text + transform="matrix(0.01414842,-0.99989991,0.99989991,0.01414842,0,0)" + sodipodi:linespacing="125%" + id="text5311-7-6" + y="277.49564" + x="-556.10962" + style="font-size:32.15980148px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;text-align:start;line-height:125%;letter-spacing:0px;word-spacing:0px;writing-mode:lr-tb;text-anchor:start;fill:#000000;fill-opacity:1;stroke:none;font-family:DejaVu Sans;-inkscape-font-specification:DejaVu Sans" + xml:space="preserve"><tspan + y="277.49564" + x="-556.10962" + id="tspan5313-5-2" + sodipodi:role="line">ISO</tspan></text> + <path + sodipodi:nodetypes="cscc" + inkscape:connector-curvature="0" + d="m 266.57856,486.23883 c 0.031,4.18563 -4.38849,6.53271 -9.31446,6.53271 -4.92401,0 -9.42093,-2.6759 -9.42948,-6.53271 2.01684,0 16.95283,0 18.74394,0 z" + id="path4818-2-4-3-6-1-0-4-2-4" + style="fill:#000000;fill-opacity:1" /> + <g + id="g13759-1-9" + transform="translate(67.92871,0.39555892)"> + <g + id="g4156-7-9-0-4-3" + transform="matrix(1.4801542,-1.2750407,1.4660905,1.2872717,118.56439,514.05907)"> + <line + style="fill:none;stroke:#000000;stroke-width:1.9764694;stroke-miterlimit:10" + stroke-miterlimit="10" + x1="40.6609" + y1="12.348352" + x2="39.013733" + y2="13.948482" + id="line4158-7-8-0-9-3" /> + <line + style="fill:none;stroke:#000000;stroke-width:1.97647011;stroke-miterlimit:10" + stroke-miterlimit="10" + x1="35.6609" + y1="7.3483534" + x2="34.013733" + y2="8.9484825" + id="line4160-1-9-1-1-1" /> + </g> + </g> + </g> + <g + id="g14062" + transform="matrix(0.50587079,0,0,0.50587079,493.44622,618.93655)"> + <g + style="stroke:#ffffff;stroke-width:0;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none" + transform="translate(92.05259,-38.571071)" + id="g7473"> + <path + inkscape:connector-curvature="0" + d="m 371.15628,569.29509 2.04755,1.25278 c 0.34545,0 0.51979,-0.14275 0.51979,-0.42827 0,-0.18256 -0.0833,-0.43651 -0.24433,-0.76366 l -4.52384,-8.49722 -10.02592,0.24525 c -0.4484,0.021 -0.67214,0.25485 -0.67214,0.70279 0,0.10204 0.14229,0.24434 0.4278,0.42782 l 2.07867,1.25278 -2.20083,3.42251 c -0.61084,0.9787 -0.91648,1.78491 -0.91648,2.41587 0,0.57195 0.20224,1.21344 0.61084,1.92585 l 6.81618,11.88908 c -0.16336,-0.75314 -0.24434,-1.46692 -0.24434,-2.13998 0,-1.20016 0.37565,-2.3834 1.13015,-3.54513 l 5.1969,-8.16047 0,0 z" + id="path7422" + style="fill:#00e300;fill-opacity:1;stroke:#ffffff;stroke-width:0;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none" /> + <path + inkscape:connector-curvature="0" + d="m 373.78493,562.3572 5.6238,-8.7109 c -2.10017,-4.78785 -4.33121,-7.1836 -6.69402,-7.1836 -1.42711,0 -2.38294,0.39853 -2.87206,1.19192 l -5.31953,8.49815 9.26181,6.20443 0,0 z" + id="path7424" + style="fill:#00e300;fill-opacity:1;stroke:#ffffff;stroke-width:0;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none" /> + <path + inkscape:connector-curvature="0" + d="m 369.20024,585.95234 h 10.85044 V 574.67455 H 369.5974 c -1.2839,1.83341 -2.08919,3.07842 -2.41451,3.72907 -0.53077,1.03864 -0.79432,2.09971 -0.79432,3.1777 0,2.91508 0.93616,4.37102 2.81167,4.37102 l 0,0 z" + id="path7426" + style="fill:#00e300;fill-opacity:1;stroke:#ffffff;stroke-width:0;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none" /> + <path + inkscape:connector-curvature="0" + d="m 391.54351,560.27853 4.82856,-8.13073 c 0.16243,-0.28414 0.24434,-0.58063 0.24434,-0.88582 0,-0.36696 -0.12217,-0.55044 -0.36604,-0.55044 0.0385,0 -0.12263,0.0614 -0.48913,0.18348 l -2.20084,1.00845 -2.01689,-4.00359 c -0.89772,-1.7927 -2.68996,-2.68996 -5.37992,-2.68996 H 373.6019 c 1.52778,0.46945 2.56643,0.92746 3.11686,1.37541 1.28436,1.01943 2.59799,2.93429 3.94275,5.74595 l 2.50693,5.25775 -1.86544,0.88674 c -0.18302,0.0824 -0.27453,0.24434 -0.27453,0.48867 0,0.30565 0.19262,0.48043 0.58063,0.51978 l 9.93441,0.79431 0,0 z" + id="path7428" + style="fill:#00e300;fill-opacity:1;stroke:#ffffff;stroke-width:0;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none" /> + <path + inkscape:connector-curvature="0" + d="m 396.37162,584.2722 7.0303,-12.77628 c -1.03909,1.18278 -2.17017,1.97755 -3.3923,2.38432 -0.97824,0.32669 -2.37607,0.48912 -4.18844,0.48912 H 387.997 v -1.62065 c 0,-0.63097 -0.15328,-0.9476 -0.45892,-0.9476 -0.22466,0 -0.38847,0.0833 -0.48866,0.24479 l -4.95074,8.58875 5.13467,7.88639 c 0.38755,0.59116 0.72248,0.82497 1.00845,0.7019 0.28414,-0.081 0.42827,-0.23291 0.42827,-0.45756 v -2.69042 h 4.3399 c 1.58954,0 2.70963,-0.60031 3.36165,-1.80276 l 0,0 z" + id="path7430" + style="fill:#00e300;fill-opacity:1;stroke:#ffffff;stroke-width:0;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none" /> + <path + inkscape:connector-curvature="0" + d="m 393.31561,572.74871 h 4.67712 c 1.11963,0 2.2809,-0.48868 3.48382,-1.46646 1.28389,-1.01852 1.92583,-2.09881 1.92583,-3.24086 0,-0.52802 -0.17478,-1.04825 -0.52024,-1.55843 l -5.56201,-8.49677 -9.56837,5.56386 5.56385,9.19866 0,0 z" + id="path7432" + style="fill:#00e300;fill-opacity:1;stroke:#ffffff;stroke-width:0;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none" /> + </g> + <path + id="path4152-4-1-3-7" + d="m 487.39455,564.90082 -30.0517,-0.14345 C 450.27186,564.72362 444.4075,558.803 444.29464,551.584 l 0.41101,-55.24138 55.97865,0.26721 -0.11638,55.24279 c -0.18177,7.21759 -5.95437,12.93535 -13.17337,13.0482 z" + stroke-miterlimit="10" + inkscape:connector-curvature="0" + style="fill:none;stroke:#000000;stroke-width:4.16666651;stroke-miterlimit:10" /> + <rect + id="rect4154-4-7-7-7" + height="27.083073" + width="39.374622" + stroke-miterlimit="10" + transform="matrix(0.99998861,0.00477338,-0.00477338,0.99998861,0,0)" + y="467.09534" + x="455.41632" + style="fill:none;stroke:#000000;stroke-width:4.16662645;stroke-miterlimit:10" /> + <g + id="g13759-1-9-0" + transform="translate(283.46781,-1.604441)"> + <g + id="g4156-7-9-0-4-3-8" + transform="matrix(1.4801542,-1.2750407,1.4660905,1.2872717,118.56439,514.05907)"> + <line + style="fill:none;stroke:#000000;stroke-width:1.9764694;stroke-miterlimit:10" + stroke-miterlimit="10" + x1="40.6609" + y1="12.348352" + x2="39.013733" + y2="13.948482" + id="line4158-7-8-0-9-3-6" /> + <line + style="fill:none;stroke:#000000;stroke-width:1.97647011;stroke-miterlimit:10" + stroke-miterlimit="10" + x1="35.6609" + y1="7.3483534" + x2="34.013733" + y2="8.9484825" + id="line4160-1-9-1-1-1-4" /> + </g> + </g> + </g> + <g + id="g14077" + transform="matrix(0.50587079,0,0,0.50587079,209.14683,618.93655)"> + <path + id="path4152-4-1-3-1" + d="m 575.4326,565.02572 -30.0517,-0.14345 c -7.07099,-0.0337 -12.93535,-5.95437 -13.04821,-13.17337 l 0.41101,-55.24138 55.97865,0.26721 -0.11638,55.24279 c -0.18177,7.21759 -5.95437,12.93535 -13.17337,13.0482 z" + stroke-miterlimit="10" + inkscape:connector-curvature="0" + style="fill:none;stroke:#000000;stroke-width:4.16666651;stroke-miterlimit:10" /> + <rect + id="rect4154-4-7-7-1" + height="27.083073" + width="39.374622" + stroke-miterlimit="10" + transform="matrix(0.99998861,0.00477338,-0.00477338,0.99998861,0,0)" + y="466.79996" + x="543.45392" + style="fill:none;stroke:#000000;stroke-width:4.16662645;stroke-miterlimit:10" /> + <g + id="g13759-1-9-0-2" + transform="translate(372.4247,-1.4831207)"> + <g + id="g4156-7-9-0-4-3-8-0" + transform="matrix(1.4801542,-1.2750407,1.4660905,1.2872717,118.56439,514.05907)"> + <line + style="fill:none;stroke:#000000;stroke-width:1.9764694;stroke-miterlimit:10" + stroke-miterlimit="10" + x1="40.6609" + y1="12.348352" + x2="39.013733" + y2="13.948482" + id="line4158-7-8-0-9-3-6-6" /> + <line + style="fill:none;stroke:#000000;stroke-width:1.97647011;stroke-miterlimit:10" + stroke-miterlimit="10" + x1="35.6609" + y1="7.3483534" + x2="34.013733" + y2="8.9484825" + id="line4160-1-9-1-1-1-4-5" /> + </g> + </g> + </g> + <g + style="fill:#00ff00;display:inline" + inkscape:label="emblem-important" + transform="matrix(8.2887493,0,0,8.2887493,-2447.4609,-7185.4419)" + id="g17779" /> + <path + inkscape:connector-curvature="0" + d="m 400.62439,1039.9422 a 1.7119602,1.7119602 0 0 0 -1.39083,1.7118 l 0,22.2533 a 1.7119602,1.7119602 0 0 0 1.71179,1.7117 l 17.1179,0 a 1.7119602,1.7119602 0 0 0 1.71178,-1.7117 l 0,-16.155 a 1.7119602,1.7119602 0 0 0 -0.48144,-1.2304 l -6.09825,-6.0982 a 1.7119602,1.7119602 0 0 0 -1.23034,-0.4815 l -11.01965,0 a 1.7119602,1.7119602 0 0 0 -0.16039,0 1.7119602,1.7119602 0 0 0 -0.1604,0 z m 2.03275,3.4236 8.55894,0 0,5.1354 5.13538,0 0,13.6943 -13.69432,0 0,-18.8297 z" + id="path1234" + style="font-size:medium;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;text-indent:0;text-align:start;text-decoration:none;line-height:normal;letter-spacing:normal;word-spacing:normal;text-transform:none;direction:ltr;block-progression:tb;writing-mode:lr-tb;text-anchor:start;baseline-shift:baseline;color:#000000;fill:#000000;fill-opacity:1;stroke:none;stroke-width:1.99999988;marker:none;visibility:visible;display:inline;overflow:visible;enable-background:accumulate;font-family:Sans;-inkscape-font-specification:Sans" /> + <text + xml:space="preserve" + style="font-size:5.02514458px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;text-align:start;line-height:125%;letter-spacing:0px;word-spacing:0px;writing-mode:lr-tb;text-anchor:start;fill:#000000;fill-opacity:1;stroke:none;font-family:DejaVu Sans;-inkscape-font-specification:DejaVu Sans" + x="420.11722" + y="1048.1885" + id="text5311-7-6-4" + sodipodi:linespacing="125%" + transform="matrix(0.99989991,0.01414844,-0.01414844,0.99989991,0,0)"><tspan + sodipodi:role="line" + id="tspan5313-5-2-3" + x="420.11722" + y="1048.1885">ISO</tspan></text> + <path + inkscape:connector-curvature="0" + d="m 418.61251,1055.5715 c -3.29755,0 -5.9628,2.6928 -5.9628,6.0128 0,3.3201 2.66525,6.0129 5.9628,6.0129 3.29746,0 5.98779,-2.6928 5.98779,-6.0129 0,-0.334 -0.0481,-0.6578 -0.10024,-0.977 l -5.52626,4.9507 -3.48163,-3.4832 1.82585,-1.7917 1.65655,1.7689 4.34799,-4.1756 c -1.09288,-1.406 -2.79942,-2.3049 -4.71005,-2.3049 z" + id="path74" + sodipodi:nodetypes="ssssccccccs" + style="fill:#00aa00;fill-opacity:1;fill-rule:evenodd;stroke:none;display:inline" /> + <path + inkscape:connector-curvature="0" + d="m 424.50006,1060.6073 -5.52626,4.9507 -3.48163,-3.4832 1.82585,-1.7917 1.65655,1.7689 4.34799,-4.1756 c 0.52397,0.733 1.01365,1.6371 1.1775,2.7309 z" + id="path74-5" + sodipodi:nodetypes="ccccccc" + style="fill:#ffffff;fill-opacity:1;fill-rule:evenodd;stroke:none;display:inline" /> + <g + transform="matrix(0.22673265,0,0,0.22673265,327.71856,1021.4365)" + id="g18376-5"> + <path + id="path3978-0" + d="m 501.08191,278.17762 c -7.21715,-13.9489 -14.06128,-28.08879 -21.39661,-41.97333 -3.73599,-7.06836 -5.80633,-15.24365 -13.12689,-20.35459 5.41537,-4.7453 6.07435,-10.74843 6.06327,-17.14198 -0.0718,-40.55881 -0.13243,-81.11551 0.0216,-121.669045 0.0464,-11.512935 -7.81863,-19.188576 -19.08306,-19.140036 -63.10508,0.290184 -126.20384,0.299154 -189.30153,-0.0016 -11.65486,-0.0554 -19.31942,7.967409 -19.26244,19.332085 0.22951,40.914946 0.12187,81.826726 0.0644,122.740616 -0.0143,5.95194 1.03886,11.37153 5.43014,15.34917 -2.53569,3.52073 -5.24706,6.45898 -7.02036,9.88157 -8.41693,16.26246 -16.16379,32.89267 -24.97854,48.92404 -5.47288,9.93486 -5.58368,19.86866 -3.65316,30.40446 0.98135,5.3758 4.14067,8.83427 9.05112,10.53053 2.74356,0.95444 5.79841,1.40766 8.71397,1.40766 84.09755,0.0765 168.18824,0.0638 252.27841,0.0638 0.84206,0 1.67621,0.0164 2.51088,-0.0143 8.26287,-0.25747 13.97951,-4.80334 15.51959,-12.88418 0.77348,-4.06733 0.9096,-8.26868 1.13172,-12.41304 0.25009,-4.59916 -0.81357,-8.88281 -2.96252,-13.04194 z M 255.01081,77.482921 c 0,-7.736317 2.21332,-9.910589 10.09315,-9.910589 31.23914,-0.0016 62.48567,0 93.7322,0 31.24283,0 62.48567,-0.0016 93.72481,0 7.86558,0 10.10369,2.192211 10.10369,9.915865 0,41.026273 0,82.043573 0,123.068263 0,7.59808 -2.37054,9.92642 -10.11055,9.92642 -62.4862,0.002 -124.97187,0.002 -187.46123,0 -7.75057,0 -10.08207,-2.29985 -10.08207,-9.93223 0,-41.02627 0,-82.04884 0,-123.067729 z M 485.50534,295.0405 c -42.21391,0.0105 -84.4273,0.01 -126.63383,0.01 -41.97702,0 -83.95405,-0.15776 -125.9279,0.13084 -7.91887,0.0538 -11.71554,-5.06503 -7.81862,-12.52541 9.23736,-17.71075 18.06213,-35.63201 27.15651,-53.42453 2.99048,-5.85223 8.05868,-8.49713 14.56989,-8.49713 33.63185,0 67.25683,0 100.88129,0 27.42823,0 54.8496,0.0433 82.27783,-0.029 7.57171,-0.0153 12.76495,3.15246 16.17488,10.0235 8.69973,17.58095 17.67909,35.02526 26.51494,52.54132 3.52812,7.00399 0.6057,11.77093 -7.19499,11.77093 z" + clip-rule="evenodd" + inkscape:connector-curvature="0" + style="fill:#000000;fill-rule:evenodd" /> + <path + id="path3980-3" + d="m 394.57369,260.00786 c -0.81674,-3.51387 -2.85806,-5.19378 -6.57611,-5.18217 -19.4413,0.0712 -38.87891,0.0681 -58.31651,0 -3.70381,-0.007 -5.77362,1.63453 -6.58297,5.16581 -1.27523,5.56046 -2.5647,11.11565 -3.91116,16.6587 -1.51845,6.2933 -0.19363,8.04391 6.35715,8.06026 11.08557,0.0238 22.17748,0.005 33.27043,0.005 11.44699,-0.003 22.89397,0.0507 34.34834,-0.029 5.07876,-0.0322 6.74441,-2.20751 5.61639,-7.00188 -1.38286,-5.89655 -2.83009,-11.78149 -4.20556,-17.67698 z" + clip-rule="evenodd" + inkscape:connector-curvature="0" + style="fill:#000000;fill-rule:evenodd" /> + </g> + <g + id="g18446" + transform="matrix(0.22673265,0,0,0.22673265,254.27277,1137.0465)"> + <path + style="font-size:medium;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;text-indent:0;text-align:start;text-decoration:none;line-height:normal;letter-spacing:normal;word-spacing:normal;text-transform:none;direction:ltr;block-progression:tb;writing-mode:lr-tb;text-anchor:start;baseline-shift:baseline;color:#000000;fill:#000000;fill-opacity:1;stroke:none;stroke-width:1.99999988;marker:none;visibility:visible;display:inline;overflow:visible;enable-background:accumulate;font-family:Sans;-inkscape-font-specification:Sans" + id="path1234-9" + d="m 644.83491,-667.25727 a 7.5505678,7.5505678 0 0 0 -6.13422,7.54981 l 0,98.14758 a 7.5505678,7.5505678 0 0 0 7.54981,7.54981 l 75.49814,0 a 7.5505678,7.5505678 0 0 0 7.54981,-7.54981 l 0,-71.25137 a 7.5505678,7.5505678 0 0 0 -2.12338,-5.42643 l -26.89621,-26.89621 a 7.5505678,7.5505678 0 0 0 -5.42643,-2.12338 l -48.60193,0 a 7.5505678,7.5505678 0 0 0 -0.70741,0 7.5505678,7.5505678 0 0 0 -0.70742,0 z m 8.96541,15.09963 37.74906,0 0,22.64943 22.64945,0 0,60.39851 -60.39851,0 0,-83.04794 z" + inkscape:connector-curvature="0" /> + <text + transform="matrix(0.99989991,0.01414844,-0.01414844,0.99989991,0,0)" + sodipodi:linespacing="125%" + id="text5311-7-6-4-5" + y="-613.24182" + x="656.78455" + style="font-size:22.16330338px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;text-align:start;line-height:125%;letter-spacing:0px;word-spacing:0px;writing-mode:lr-tb;text-anchor:start;fill:#000000;fill-opacity:1;stroke:none;font-family:DejaVu Sans;-inkscape-font-specification:DejaVu Sans" + xml:space="preserve"><tspan + y="-613.24182" + x="656.78455" + id="tspan5313-5-2-3-0" + sodipodi:role="line">ISO</tspan></text> + </g> + <path + inkscape:connector-curvature="0" + d="m 409.58941,1031.7121 -9.4797,-9.4068 4.73985,0 0,-6.8545 9.40679,0 0,6.8545 4.73983,0 z" + id="rect7040" + style="fill:#00aa00;fill-opacity:1;fill-rule:evenodd;stroke:none;display:inline;enable-background:new" + sodipodi:nodetypes="cccccccc" /> + <g + transform="matrix(0.22673265,0,0,0.22673265,480.96081,1020.7307)" + id="g18376-2"> + <path + id="path3978-8" + d="m 501.08191,278.17762 c -7.21715,-13.9489 -14.06128,-28.08879 -21.39661,-41.97333 -3.73599,-7.06836 -5.80633,-15.24365 -13.12689,-20.35459 5.41537,-4.7453 6.07435,-10.74843 6.06327,-17.14198 -0.0718,-40.55881 -0.13243,-81.11551 0.0216,-121.669045 0.0464,-11.512935 -7.81863,-19.188576 -19.08306,-19.140036 -63.10508,0.290184 -126.20384,0.299154 -189.30153,-0.0016 -11.65486,-0.0554 -19.31942,7.967409 -19.26244,19.332085 0.22951,40.914946 0.12187,81.826726 0.0644,122.740616 -0.0143,5.95194 1.03886,11.37153 5.43014,15.34917 -2.53569,3.52073 -5.24706,6.45898 -7.02036,9.88157 -8.41693,16.26246 -16.16379,32.89267 -24.97854,48.92404 -5.47288,9.93486 -5.58368,19.86866 -3.65316,30.40446 0.98135,5.3758 4.14067,8.83427 9.05112,10.53053 2.74356,0.95444 5.79841,1.40766 8.71397,1.40766 84.09755,0.0765 168.18824,0.0638 252.27841,0.0638 0.84206,0 1.67621,0.0164 2.51088,-0.0143 8.26287,-0.25747 13.97951,-4.80334 15.51959,-12.88418 0.77348,-4.06733 0.9096,-8.26868 1.13172,-12.41304 0.25009,-4.59916 -0.81357,-8.88281 -2.96252,-13.04194 z M 255.01081,77.482921 c 0,-7.736317 2.21332,-9.910589 10.09315,-9.910589 31.23914,-0.0016 62.48567,0 93.7322,0 31.24283,0 62.48567,-0.0016 93.72481,0 7.86558,0 10.10369,2.192211 10.10369,9.915865 0,41.026273 0,82.043573 0,123.068263 0,7.59808 -2.37054,9.92642 -10.11055,9.92642 -62.4862,0.002 -124.97187,0.002 -187.46123,0 -7.75057,0 -10.08207,-2.29985 -10.08207,-9.93223 0,-41.02627 0,-82.04884 0,-123.067729 z M 485.50534,295.0405 c -42.21391,0.0105 -84.4273,0.01 -126.63383,0.01 -41.97702,0 -83.95405,-0.15776 -125.9279,0.13084 -7.91887,0.0538 -11.71554,-5.06503 -7.81862,-12.52541 9.23736,-17.71075 18.06213,-35.63201 27.15651,-53.42453 2.99048,-5.85223 8.05868,-8.49713 14.56989,-8.49713 33.63185,0 67.25683,0 100.88129,0 27.42823,0 54.8496,0.0433 82.27783,-0.029 7.57171,-0.0153 12.76495,3.15246 16.17488,10.0235 8.69973,17.58095 17.67909,35.02526 26.51494,52.54132 3.52812,7.00399 0.6057,11.77093 -7.19499,11.77093 z" + clip-rule="evenodd" + inkscape:connector-curvature="0" + style="fill:#000000;fill-rule:evenodd" /> + <path + id="path3980-4" + d="m 394.57369,260.00786 c -0.81674,-3.51387 -2.85806,-5.19378 -6.57611,-5.18217 -19.4413,0.0712 -38.87891,0.0681 -58.31651,0 -3.70381,-0.007 -5.77362,1.63453 -6.58297,5.16581 -1.27523,5.56046 -2.5647,11.11565 -3.91116,16.6587 -1.51845,6.2933 -0.19363,8.04391 6.35715,8.06026 11.08557,0.0238 22.17748,0.005 33.27043,0.005 11.44699,-0.003 22.89397,0.0507 34.34834,-0.029 5.07876,-0.0322 6.74441,-2.20751 5.61639,-7.00188 -1.38286,-5.89655 -2.83009,-11.78149 -4.20556,-17.67698 z" + clip-rule="evenodd" + inkscape:connector-curvature="0" + style="fill:#000000;fill-rule:evenodd" /> + </g> + <path + style="fill:none;stroke:#000000;stroke-width:0.94471931;stroke-miterlimit:10" + inkscape:connector-curvature="0" + stroke-miterlimit="10" + d="m 510.25311,1070.7005 3.1821,-6.0251 c 0.74872,-1.4177 2.55406,-1.9751 4.01686,-1.2403 l 11.05996,5.8789 -5.9274,11.2233 -11.09118,-5.8199 c -1.43161,-0.7939 -1.97511,-2.5541 -1.24034,-4.0169 z" + id="path4152-4-1-3-13" /> + <rect + style="fill:none;stroke:#000000;stroke-width:0.94471025;stroke-miterlimit:10" + x="700.61798" + y="-972.86499" + transform="matrix(-0.4670074,0.88425341,-0.88425341,-0.4670074,0,0)" + stroke-miterlimit="10" + width="8.9275131" + height="6.1406169" + id="rect4154-4-7-7-2" /> + <g + transform="matrix(-0.10492761,0.20099227,-0.20099227,-0.10492761,645.47288,1089.1654)" + id="g13759-1-9-2"> + <g + transform="matrix(1.4801542,-1.2750407,1.4660905,1.2872717,118.56439,514.05907)" + id="g4156-7-9-0-4-3-88"> + <line + id="line4158-7-8-0-9-3-63" + y2="13.948482" + x2="39.013733" + y1="12.348352" + x1="40.6609" + stroke-miterlimit="10" + style="fill:none;stroke:#000000;stroke-width:1.9764694;stroke-miterlimit:10" /> + <line + id="line4160-1-9-1-1-1-1" + y2="8.9484825" + x2="34.013733" + y1="7.3483534" + x1="35.6609" + stroke-miterlimit="10" + style="fill:none;stroke:#000000;stroke-width:1.97647011;stroke-miterlimit:10" /> + </g> + </g> + <path + inkscape:connector-curvature="0" + d="m 553.24865,1038.9575 a 1.7119602,1.7119602 0 0 0 -1.39085,1.7118 l 0,22.2533 a 1.7119602,1.7119602 0 0 0 1.71179,1.7118 l 17.1179,0 a 1.7119602,1.7119602 0 0 0 1.71179,-1.7118 l 0,-16.155 a 1.7119602,1.7119602 0 0 0 -0.48144,-1.2304 l -6.09825,-6.0982 a 1.7119602,1.7119602 0 0 0 -1.23034,-0.4815 l -11.01966,0 a 1.7119602,1.7119602 0 0 0 -0.16039,0 1.7119602,1.7119602 0 0 0 -0.16039,0 z m 2.03275,3.4236 8.55893,0 0,5.1354 5.13538,0 0,13.6943 -13.69431,0 0,-18.8297 z" + id="path1234-1" + style="font-size:medium;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;text-indent:0;text-align:start;text-decoration:none;line-height:normal;letter-spacing:normal;word-spacing:normal;text-transform:none;direction:ltr;block-progression:tb;writing-mode:lr-tb;text-anchor:start;baseline-shift:baseline;color:#000000;fill:#000000;fill-opacity:1;stroke:none;stroke-width:1.99999988;marker:none;visibility:visible;display:inline;overflow:visible;enable-background:accumulate;font-family:Sans;-inkscape-font-specification:Sans" /> + <text + xml:space="preserve" + style="font-size:5.02514458px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;text-align:start;line-height:125%;letter-spacing:0px;word-spacing:0px;writing-mode:lr-tb;text-anchor:start;fill:#000000;fill-opacity:1;stroke:none;font-family:DejaVu Sans;-inkscape-font-specification:DejaVu Sans" + x="572.71222" + y="1045.0447" + id="text5311-7-6-4-9" + sodipodi:linespacing="125%" + transform="matrix(0.99989991,0.01414844,-0.01414844,0.99989991,0,0)"><tspan + sodipodi:role="line" + id="tspan5313-5-2-3-5" + x="572.71222" + y="1045.0447">ISO</tspan></text> + <path + inkscape:connector-curvature="0" + d="m 571.23676,1054.5868 c -3.29756,0 -5.9628,2.6928 -5.9628,6.0129 0,3.32 2.66524,6.0128 5.9628,6.0128 3.29746,0 5.98778,-2.6928 5.98778,-6.0128 0,-0.334 -0.0481,-0.658 -0.10024,-0.9771 l -5.52627,4.9507 -3.48161,-3.4832 1.82585,-1.7917 1.65653,1.769 4.34801,-4.1757 c -1.09287,-1.406 -2.79942,-2.3049 -4.71005,-2.3049 z" + id="path74-6" + sodipodi:nodetypes="ssssccccccs" + style="fill:#000000;fill-opacity:1;fill-rule:evenodd;stroke:none;display:inline" /> + <path + inkscape:connector-curvature="0" + d="m 577.1243,1059.6226 -5.52627,4.9507 -3.48161,-3.4832 1.82585,-1.7917 1.65653,1.769 4.34801,-4.1757 c 0.52396,0.733 1.01365,1.6371 1.17749,2.7309 z" + id="path74-5-0" + sodipodi:nodetypes="ccccccc" + style="fill:#ffffff;fill-opacity:1;fill-rule:evenodd;stroke:none;display:inline" /> + <path + inkscape:connector-curvature="0" + d="m 525.00531,1059.8237 -1.55303,-5.4034 c -0.21428,-0.7455 -0.99252,-1.1762 -1.73806,-0.962 -0.7455,0.2143 -1.17626,0.9925 -0.96196,1.7381 l 2.48971,8.6622 0,0 c 0.0257,0.089 0.0606,0.1749 0.10289,0.2573 0.0174,0.033 0.0404,0.063 0.0598,0.094 0.0288,0.046 0.0552,0.093 0.0893,0.1361 0.0278,0.035 0.0605,0.063 0.0911,0.095 0.033,0.034 0.0632,0.071 0.10006,0.1019 0.0559,0.047 0.11711,0.087 0.17937,0.1242 0.0166,0.01 0.0298,0.023 0.047,0.032 0.0191,0.01 0.0396,0.015 0.0587,0.025 0.063,0.031 0.12644,0.062 0.1941,0.083 0.0487,0.016 0.0979,0.023 0.14731,0.033 0.0404,0.01 0.0795,0.021 0.1206,0.025 0.0585,0.01 0.11738,0 0.17576,0 0.0323,-3e-4 0.0651,0 0.0982,0 0.0937,-0.01 0.18601,-0.024 0.2759,-0.051 l 8.65995,-2.489 c 0.37274,-0.1072 0.66702,-0.3553 0.8411,-0.6699 0.17418,-0.3146 0.22798,-0.6954 0.12088,-1.0685 -0.21424,-0.7455 -0.99248,-1.1762 -1.7377,-0.9618 l -5.40309,1.5532 z" + id="path6172-3" + sodipodi:nodetypes="csssccccccccccccccccsscccc" + style="fill:#00aa00;fill-opacity:1" /> + <path + style="fill:#ff6600;stroke:#000000;stroke-width:0.22673266px;stroke-linecap:butt;stroke-linejoin:miter;stroke-opacity:0" + d="m 558.07917,1044.7351 -33.89653,17.5718" + id="path22569" + inkscape:connector-curvature="0" /> + <path + style="fill:none;stroke:#00aa00;stroke-width:3.40098977;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none" + d="m 525.16455,1062.4406 c 9.54411,-16.6032 15.85271,-26.2893 32.68788,-15.2114" + id="path22571" + inkscape:connector-curvature="0" + sodipodi:nodetypes="cc" /> + <g + transform="matrix(0.22673265,0,0,0.22673265,767.46682,1023.4135)" + id="g18376-2-5"> + <path + id="path3978-8-9" + d="m 501.08191,278.17762 c -7.21715,-13.9489 -14.06128,-28.08879 -21.39661,-41.97333 -3.73599,-7.06836 -5.80633,-15.24365 -13.12689,-20.35459 5.41537,-4.7453 6.07435,-10.74843 6.06327,-17.14198 -0.0718,-40.55881 -0.13243,-81.11551 0.0216,-121.669045 0.0464,-11.512935 -7.81863,-19.188576 -19.08306,-19.140036 -63.10508,0.290184 -126.20384,0.299154 -189.30153,-0.0016 -11.65486,-0.0554 -19.31942,7.967409 -19.26244,19.332085 0.22951,40.914946 0.12187,81.826726 0.0644,122.740616 -0.0143,5.95194 1.03886,11.37153 5.43014,15.34917 -2.53569,3.52073 -5.24706,6.45898 -7.02036,9.88157 -8.41693,16.26246 -16.16379,32.89267 -24.97854,48.92404 -5.47288,9.93486 -5.58368,19.86866 -3.65316,30.40446 0.98135,5.3758 4.14067,8.83427 9.05112,10.53053 2.74356,0.95444 5.79841,1.40766 8.71397,1.40766 84.09755,0.0765 168.18824,0.0638 252.27841,0.0638 0.84206,0 1.67621,0.0164 2.51088,-0.0143 8.26287,-0.25747 13.97951,-4.80334 15.51959,-12.88418 0.77348,-4.06733 0.9096,-8.26868 1.13172,-12.41304 0.25009,-4.59916 -0.81357,-8.88281 -2.96252,-13.04194 z M 255.01081,77.482921 c 0,-7.736317 2.21332,-9.910589 10.09315,-9.910589 31.23914,-0.0016 62.48567,0 93.7322,0 31.24283,0 62.48567,-0.0016 93.72481,0 7.86558,0 10.10369,2.192211 10.10369,9.915865 0,41.026273 0,82.043573 0,123.068263 0,7.59808 -2.37054,9.92642 -10.11055,9.92642 -62.4862,0.002 -124.97187,0.002 -187.46123,0 -7.75057,0 -10.08207,-2.29985 -10.08207,-9.93223 0,-41.02627 0,-82.04884 0,-123.067729 z M 485.50534,295.0405 c -42.21391,0.0105 -84.4273,0.01 -126.63383,0.01 -41.97702,0 -83.95405,-0.15776 -125.9279,0.13084 -7.91887,0.0538 -11.71554,-5.06503 -7.81862,-12.52541 9.23736,-17.71075 18.06213,-35.63201 27.15651,-53.42453 2.99048,-5.85223 8.05868,-8.49713 14.56989,-8.49713 33.63185,0 67.25683,0 100.88129,0 27.42823,0 54.8496,0.0433 82.27783,-0.029 7.57171,-0.0153 12.76495,3.15246 16.17488,10.0235 8.69973,17.58095 17.67909,35.02526 26.51494,52.54132 3.52812,7.00399 0.6057,11.77093 -7.19499,11.77093 z" + clip-rule="evenodd" + inkscape:connector-curvature="0" + style="fill:#000000;fill-rule:evenodd" /> + <path + id="path3980-4-3" + d="m 394.57369,260.00786 c -0.81674,-3.51387 -2.85806,-5.19378 -6.57611,-5.18217 -19.4413,0.0712 -38.87891,0.0681 -58.31651,0 -3.70381,-0.007 -5.77362,1.63453 -6.58297,5.16581 -1.27523,5.56046 -2.5647,11.11565 -3.91116,16.6587 -1.51845,6.2933 -0.19363,8.04391 6.35715,8.06026 11.08557,0.0238 22.17748,0.005 33.27043,0.005 11.44699,-0.003 22.89397,0.0507 34.34834,-0.029 5.07876,-0.0322 6.74441,-2.20751 5.61639,-7.00188 -1.38286,-5.89655 -2.83009,-11.78149 -4.20556,-17.67698 z" + clip-rule="evenodd" + inkscape:connector-curvature="0" + style="fill:#000000;fill-rule:evenodd" /> + </g> + <path + style="fill:#ff6600;stroke:#000000;stroke-width:0.22673266px;stroke-linecap:butt;stroke-linejoin:miter;stroke-opacity:0" + d="m 844.58519,1047.4179 -33.89652,17.5717" + id="path22569-4" + inkscape:connector-curvature="0" /> + <g + id="g14024-0" + transform="matrix(-0.10510031,-0.20090201,0.20090201,-0.10510031,794.55332,1149.3104)"> + <path + d="m 111.07874,568.33943 -30.0517,-0.14345 c -7.07098,-0.0338 -12.93534,-5.95437 -13.0482,-13.17337 l 0.41101,-55.24138 55.97864,0.26721 -0.11638,55.24279 c -0.18177,7.21759 -5.95437,12.93535 -13.17337,13.0482 z" + stroke-miterlimit="10" + inkscape:connector-curvature="0" + style="fill:#000000;fill-opacity:1;stroke:#000000;stroke-width:4.16666651;stroke-miterlimit:10" + id="path4152-4-1-32-8-7" /> + <rect + id="rect4154-4-7-9-8-4" + height="27.083073" + width="39.374622" + stroke-miterlimit="10" + transform="matrix(0.99998861,0.00477338,-0.00477338,0.99998861,0,0)" + y="472.33014" + x="79.12117" + style="fill:none;stroke:#000000;stroke-width:4.16662645;stroke-miterlimit:10" /> + <g + id="g13759-0-6" + transform="translate(-92.994948,1.292888)"> + <g + id="g4156-7-9-0-41-3" + transform="matrix(1.4801542,-1.2750407,1.4660905,1.2872717,118.56439,514.05907)"> + <line + style="fill:none;stroke:#000000;stroke-width:1.9764694;stroke-miterlimit:10" + stroke-miterlimit="10" + x1="40.6609" + y1="12.348352" + x2="39.013733" + y2="13.948482" + id="line4158-7-8-0-5-6" /> + <line + style="fill:none;stroke:#000000;stroke-width:1.97647011;stroke-miterlimit:10" + stroke-miterlimit="10" + x1="35.6609" + y1="7.3483534" + x2="34.013733" + y2="8.9484825" + id="line4160-1-9-1-3-0" /> + </g> + </g> + </g> + <g + transform="matrix(-0.11080185,0.19781467,-0.19781467,-0.11080185,940.10468,1081.3902)" + id="g22288-2"> + <path + id="path4152-4-1-3-79" + d="m 271.73055,566.76226 -30.0517,-0.14345 c -7.07099,-0.0338 -12.93535,-5.95437 -13.04821,-13.17337 l 0.41101,-55.24138 55.97865,0.26721 -0.11638,55.24279 c -0.18177,7.21759 -5.95437,12.93535 -13.17337,13.0482 z" + stroke-miterlimit="10" + inkscape:connector-curvature="0" + style="fill:none;stroke:#000000;stroke-width:4.16666651;stroke-miterlimit:10" /> + <rect + id="rect4154-4-7-7-25" + height="27.083073" + width="39.374622" + stroke-miterlimit="10" + transform="matrix(0.99998861,0.00477338,-0.00477338,0.99998861,0,0)" + y="469.98615" + x="239.76363" + style="fill:none;stroke:#000000;stroke-width:4.16662645;stroke-miterlimit:10" /> + <text + transform="matrix(0.01414842,-0.99989991,0.99989991,0.01414842,0,0)" + sodipodi:linespacing="125%" + id="text5311-7-6-8" + y="277.49564" + x="-556.10962" + style="font-size:32.15980148px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;text-align:start;line-height:125%;letter-spacing:0px;word-spacing:0px;writing-mode:lr-tb;text-anchor:start;fill:#000000;fill-opacity:1;stroke:none;font-family:DejaVu Sans;-inkscape-font-specification:DejaVu Sans" + xml:space="preserve"><tspan + y="277.49564" + x="-556.10962" + id="tspan5313-5-2-7" + sodipodi:role="line">ISO</tspan></text> + <path + sodipodi:nodetypes="cscc" + inkscape:connector-curvature="0" + d="m 266.57856,486.23883 c 0.031,4.18563 -4.38849,6.53271 -9.31446,6.53271 -4.92401,0 -9.42093,-2.6759 -9.42948,-6.53271 2.01684,0 16.95283,0 18.74394,0 z" + id="path4818-2-4-3-6-1-0-4-2-4-6" + style="fill:#000000;fill-opacity:1" /> + <g + id="g13759-1-9-3" + transform="translate(67.92871,0.39555892)"> + <g + id="g4156-7-9-0-4-3-6" + transform="matrix(1.4801542,-1.2750407,1.4660905,1.2872717,118.56439,514.05907)"> + <line + style="fill:none;stroke:#000000;stroke-width:1.9764694;stroke-miterlimit:10" + stroke-miterlimit="10" + x1="40.6609" + y1="12.348352" + x2="39.013733" + y2="13.948482" + id="line4158-7-8-0-9-3-8" /> + <line + style="fill:none;stroke:#000000;stroke-width:1.97647011;stroke-miterlimit:10" + stroke-miterlimit="10" + x1="35.6609" + y1="7.3483534" + x2="34.013733" + y2="8.9484825" + id="line4160-1-9-1-1-1-3" /> + </g> + </g> + </g> + <path + inkscape:connector-curvature="0" + d="m 899.11604,1085.4203 6.53454,2.4382 c 0.90159,0.3364 1.90534,-0.1219 2.24172,-1.0235 0.33643,-0.9016 -0.12192,-1.9054 -1.02346,-2.2418 l -10.47564,-3.9086 0,0 c -0.10745,-0.04 -0.21901,-0.069 -0.33247,-0.087 -0.0464,-0.01 -0.0922,-0.01 -0.138,-0.01 -0.067,-0.01 -0.13361,-0.014 -0.2016,-0.011 -0.055,0 -0.1077,0.014 -0.16191,0.021 -0.0585,0.01 -0.11713,0.011 -0.17545,0.024 -0.0882,0.021 -0.17271,0.053 -0.25621,0.087 -0.022,0.01 -0.045,0.013 -0.0671,0.023 -0.0249,0.011 -0.0445,0.028 -0.0685,0.04 -0.0776,0.04 -0.15472,0.081 -0.22595,0.1324 -0.0515,0.037 -0.0946,0.081 -0.14118,0.1229 -0.0381,0.034 -0.0789,0.064 -0.11395,0.1018 -0.0499,0.053 -0.0914,0.1135 -0.13336,0.1725 -0.0235,0.032 -0.0516,0.062 -0.0735,0.097 -0.0616,0.099 -0.11317,0.2034 -0.15335,0.3124 l -3.90752,10.4727 c -0.16817,0.4509 -0.13786,0.9274 0.0474,1.3332 0.18517,0.4058 0.52526,0.7404 0.97637,0.9089 0.90154,0.3364 1.90534,-0.1219 2.24138,-1.0233 l 2.43774,-6.5343 z" + id="path6172-3-1" + sodipodi:nodetypes="csssccccccccccccccccsscccc" + style="fill:#00aa00;fill-opacity:1" /> + <path + style="fill:none;stroke:#00aa00;stroke-width:3.40098977;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none" + d="m 895.89354,1083.8468 c 24.7634,42.0036 -93.33751,37.5591 -91.21859,-0.7267" + id="path22571-4" + inkscape:connector-curvature="0" + sodipodi:nodetypes="cc" /> + <text + xml:space="preserve" + style="font-size:9.06930542px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;text-align:start;line-height:125%;letter-spacing:0px;word-spacing:0px;writing-mode:lr-tb;text-anchor:start;fill:#000000;fill-opacity:1;stroke:none;font-family:DejaVu Sans;-inkscape-font-specification:DejaVu Sans" + x="760.54181" + y="767.6051" + id="text24183" + sodipodi:linespacing="125%"><tspan + sodipodi:role="line" + id="tspan24185" + x="760.54181" + y="767.6051" /></text> + <g + id="g24139-6" + transform="matrix(0.22673265,0,0,0.22673265,412.54863,1077.8342)"> + <g + id="g18376-2-5-2" + transform="translate(1556.6223,-573.3313)"> + <path + style="fill:#000000;fill-rule:evenodd" + inkscape:connector-curvature="0" + clip-rule="evenodd" + d="m 501.08191,278.17762 c -7.21715,-13.9489 -14.06128,-28.08879 -21.39661,-41.97333 -3.73599,-7.06836 -5.80633,-15.24365 -13.12689,-20.35459 5.41537,-4.7453 6.07435,-10.74843 6.06327,-17.14198 -0.0718,-40.55881 -0.13243,-81.11551 0.0216,-121.669045 0.0464,-11.512935 -7.81863,-19.188576 -19.08306,-19.140036 -63.10508,0.290184 -126.20384,0.299154 -189.30153,-0.0016 -11.65486,-0.0554 -19.31942,7.967409 -19.26244,19.332085 0.22951,40.914946 0.12187,81.826726 0.0644,122.740616 -0.0143,5.95194 1.03886,11.37153 5.43014,15.34917 -2.53569,3.52073 -5.24706,6.45898 -7.02036,9.88157 -8.41693,16.26246 -16.16379,32.89267 -24.97854,48.92404 -5.47288,9.93486 -5.58368,19.86866 -3.65316,30.40446 0.98135,5.3758 4.14067,8.83427 9.05112,10.53053 2.74356,0.95444 5.79841,1.40766 8.71397,1.40766 84.09755,0.0765 168.18824,0.0638 252.27841,0.0638 0.84206,0 1.67621,0.0164 2.51088,-0.0143 8.26287,-0.25747 13.97951,-4.80334 15.51959,-12.88418 0.77348,-4.06733 0.9096,-8.26868 1.13172,-12.41304 0.25009,-4.59916 -0.81357,-8.88281 -2.96252,-13.04194 z M 255.01081,77.482921 c 0,-7.736317 2.21332,-9.910589 10.09315,-9.910589 31.23914,-0.0016 62.48567,0 93.7322,0 31.24283,0 62.48567,-0.0016 93.72481,0 7.86558,0 10.10369,2.192211 10.10369,9.915865 0,41.026273 0,82.043573 0,123.068263 0,7.59808 -2.37054,9.92642 -10.11055,9.92642 -62.4862,0.002 -124.97187,0.002 -187.46123,0 -7.75057,0 -10.08207,-2.29985 -10.08207,-9.93223 0,-41.02627 0,-82.04884 0,-123.067729 z M 485.50534,295.0405 c -42.21391,0.0105 -84.4273,0.01 -126.63383,0.01 -41.97702,0 -83.95405,-0.15776 -125.9279,0.13084 -7.91887,0.0538 -11.71554,-5.06503 -7.81862,-12.52541 9.23736,-17.71075 18.06213,-35.63201 27.15651,-53.42453 2.99048,-5.85223 8.05868,-8.49713 14.56989,-8.49713 33.63185,0 67.25683,0 100.88129,0 27.42823,0 54.8496,0.0433 82.27783,-0.029 7.57171,-0.0153 12.76495,3.15246 16.17488,10.0235 8.69973,17.58095 17.67909,35.02526 26.51494,52.54132 3.52812,7.00399 0.6057,11.77093 -7.19499,11.77093 z" + id="path3978-8-9-1" /> + <path + style="fill:#000000;fill-rule:evenodd" + inkscape:connector-curvature="0" + clip-rule="evenodd" + d="m 394.57369,260.00786 c -0.81674,-3.51387 -2.85806,-5.19378 -6.57611,-5.18217 -19.4413,0.0712 -38.87891,0.0681 -58.31651,0 -3.70381,-0.007 -5.77362,1.63453 -6.58297,5.16581 -1.27523,5.56046 -2.5647,11.11565 -3.91116,16.6587 -1.51845,6.2933 -0.19363,8.04391 6.35715,8.06026 11.08557,0.0238 22.17748,0.005 33.27043,0.005 11.44699,-0.003 22.89397,0.0507 34.34834,-0.029 5.07876,-0.0322 6.74441,-2.20751 5.61639,-7.00188 -1.38286,-5.89655 -2.83009,-11.78149 -4.20556,-17.67698 z" + id="path3980-4-3-9" /> + </g> + <path + inkscape:connector-curvature="0" + id="path22569-4-9" + d="m 1896.7513,-467.46056 -149.5,77.5" + style="fill:#ff6600;stroke:#000000;stroke-width:1px;stroke-linecap:butt;stroke-linejoin:miter;stroke-opacity:0" /> + <g + transform="matrix(-0.4635429,-0.88607448,0.88607448,-0.4635429,1676.0867,-18.065512)" + id="g14024-0-6"> + <path + id="path4152-4-1-32-8-7-0" + style="fill:#000000;fill-opacity:1;stroke:#000000;stroke-width:4.16666651;stroke-miterlimit:10" + inkscape:connector-curvature="0" + stroke-miterlimit="10" + d="m 111.07874,568.33943 -30.0517,-0.14345 c -7.07098,-0.0338 -12.93534,-5.95437 -13.0482,-13.17337 l 0.41101,-55.24138 55.97864,0.26721 -0.11638,55.24279 c -0.18177,7.21759 -5.95437,12.93535 -13.17337,13.0482 z" /> + <rect + style="fill:none;stroke:#000000;stroke-width:4.16662645;stroke-miterlimit:10" + x="79.12117" + y="472.33014" + transform="matrix(0.99998861,0.00477338,-0.00477338,0.99998861,0,0)" + stroke-miterlimit="10" + width="39.374622" + height="27.083073" + id="rect4154-4-7-9-8-4-5" /> + <g + transform="translate(-92.994948,1.292888)" + id="g13759-0-6-0"> + <g + transform="matrix(1.4801542,-1.2750407,1.4660905,1.2872717,118.56439,514.05907)" + id="g4156-7-9-0-41-3-6"> + <line + id="line4158-7-8-0-5-6-5" + y2="13.948482" + x2="39.013733" + y1="12.348352" + x1="40.6609" + stroke-miterlimit="10" + style="fill:none;stroke:#000000;stroke-width:1.9764694;stroke-miterlimit:10" /> + <line + id="line4160-1-9-1-3-0-8" + y2="8.9484825" + x2="34.013733" + y1="7.3483534" + x1="35.6609" + stroke-miterlimit="10" + style="fill:none;stroke:#000000;stroke-width:1.97647011;stroke-miterlimit:10" /> + </g> + </g> + </g> + <g + id="g22288-2-3" + transform="matrix(-0.48868944,0.87245781,-0.87245781,-0.48868944,2318.0382,-317.6264)"> + <path + style="fill:none;stroke:#000000;stroke-width:4.16666651;stroke-miterlimit:10" + inkscape:connector-curvature="0" + stroke-miterlimit="10" + d="m 271.73055,566.76226 -30.0517,-0.14345 c -7.07099,-0.0338 -12.93535,-5.95437 -13.04821,-13.17337 l 0.41101,-55.24138 55.97865,0.26721 -0.11638,55.24279 c -0.18177,7.21759 -5.95437,12.93535 -13.17337,13.0482 z" + id="path4152-4-1-3-79-1" /> + <rect + style="fill:none;stroke:#000000;stroke-width:4.16662645;stroke-miterlimit:10" + x="239.76363" + y="469.98615" + transform="matrix(0.99998861,0.00477338,-0.00477338,0.99998861,0,0)" + stroke-miterlimit="10" + width="39.374622" + height="27.083073" + id="rect4154-4-7-7-25-3" /> + <text + xml:space="preserve" + style="font-size:32.15980148px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;text-align:start;line-height:125%;letter-spacing:0px;word-spacing:0px;writing-mode:lr-tb;text-anchor:start;fill:#000000;fill-opacity:1;stroke:none;font-family:DejaVu Sans;-inkscape-font-specification:DejaVu Sans" + x="-556.10962" + y="277.49564" + id="text5311-7-6-8-1" + sodipodi:linespacing="125%" + transform="matrix(0.01414842,-0.99989991,0.99989991,0.01414842,0,0)"><tspan + sodipodi:role="line" + id="tspan5313-5-2-7-3" + x="-556.10962" + y="277.49564">ISO</tspan></text> + <path + style="fill:#000000;fill-opacity:1" + id="path4818-2-4-3-6-1-0-4-2-4-6-5" + d="m 266.57856,486.23883 c 0.031,4.18563 -4.38849,6.53271 -9.31446,6.53271 -4.92401,0 -9.42093,-2.6759 -9.42948,-6.53271 2.01684,0 16.95283,0 18.74394,0 z" + inkscape:connector-curvature="0" + sodipodi:nodetypes="cscc" /> + <g + transform="translate(67.92871,0.39555892)" + id="g13759-1-9-3-8"> + <g + transform="matrix(1.4801542,-1.2750407,1.4660905,1.2872717,118.56439,514.05907)" + id="g4156-7-9-0-4-3-6-2"> + <line + id="line4158-7-8-0-9-3-8-9" + y2="13.948482" + x2="39.013733" + y1="12.348352" + x1="40.6609" + stroke-miterlimit="10" + style="fill:none;stroke:#000000;stroke-width:1.9764694;stroke-miterlimit:10" /> + <line + id="line4160-1-9-1-1-1-3-6" + y2="8.9484825" + x2="34.013733" + y1="7.3483534" + x1="35.6609" + stroke-miterlimit="10" + style="fill:none;stroke:#000000;stroke-width:1.97647011;stroke-miterlimit:10" /> + </g> + </g> + </g> + </g> + <path + inkscape:connector-curvature="0" + d="m 882.49189,987.91532 -5.02278,-1.57042 c -0.693,-0.2167 -1.43062,0.16956 -1.64723,0.86257 -0.21681,0.69297 0.16953,1.4306 0.86252,1.64725 l 8.05213,2.51759 0,0 c 0.0826,0.0256 0.16783,0.0427 0.25401,0.0521 0.0352,0.003 0.0697,4.9e-4 0.10437,0.001 0.0507,10e-4 0.10124,0.005 0.15237,2.2e-4 0.0416,-0.004 0.0806,-0.0147 0.12114,-0.0222 0.044,-0.008 0.0878,-0.0129 0.13121,-0.0256 0.0656,-0.0195 0.12793,-0.0469 0.18948,-0.0762 0.0161,-0.008 0.0332,-0.0116 0.0496,-0.02 0.0181,-0.009 0.0327,-0.0228 0.05,-0.0328 0.0569,-0.0331 0.11326,-0.0671 0.16484,-0.10894 0.0376,-0.0299 0.068,-0.0649 0.10133,-0.0983 0.0274,-0.0274 0.0569,-0.0516 0.0817,-0.0813 0.0357,-0.0422 0.064,-0.0893 0.0935,-0.13541 0.0166,-0.0253 0.0362,-0.049 0.0512,-0.0763 0.042,-0.0772 0.0769,-0.15785 0.1029,-0.24156 l 2.51689,-8.04994 c 0.10838,-0.34649 0.066,-0.7043 -0.09,-1.00249 -0.15599,-0.29818 -0.42588,-0.53644 -0.77267,-0.64495 -0.69295,-0.21672 -1.43057,0.16952 -1.64693,0.86236 l -1.57019,5.02262 z" + id="path6172-3-1-2" + sodipodi:nodetypes="csssccccccccccccccccsscccc" + style="fill:#00aa00;fill-opacity:1" /> + <path + style="fill:none;stroke:#00aa00;stroke-width:3.40098977;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none" + d="m 884.33685,988.60395 c -7.31333,-6.38658 0.0347,-58.38708 -33.1102,-13.72065" + id="path22571-4-7" + inkscape:connector-curvature="0" + sodipodi:nodetypes="cc" /> + <text + xml:space="preserve" + style="font-size:9.06930542px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;text-align:start;line-height:125%;letter-spacing:0px;word-spacing:0px;writing-mode:lr-tb;text-anchor:start;fill:#000000;fill-opacity:1;stroke:none;font-family:DejaVu Sans;-inkscape-font-specification:DejaVu Sans" + x="837.26477" + y="983.53394" + id="text24274" + sodipodi:linespacing="125%"><tspan + sodipodi:role="line" + id="tspan24276" + x="837.26477" + y="983.53394">Tails</tspan></text> + <g + id="g24462" + transform="matrix(0.05534768,0,0,0.05534768,559.71708,1037.1234)"> + <g + transform="translate(844.34482,-9.2785145)" + id="g24392"> + <path + id="path4597" + d="m 2016.5308,231.207 c 0.9912,-0.42169 1.9551,-0.9074 2.8839,-1.453 5.1896,-2.45892 9.4836,-6.75908 11.9352,-11.95214 2.4514,-5.19301 3.0424,-11.24128 1.6425,-16.81073 l -9.3191,-41.25679 30.95,-40.71681 35.1446,-7.93862 c 6.4002,-1.44637 12.1657,-5.51824 15.6692,-11.06617 3.5035,-5.548123 4.7018,-12.503976 3.2568,-18.904567 -0.2061,-1.819583 -0.6114,-3.616612 -1.2079,-5.348077 l -4.3145,-19.100397 -20.6283,4.659507 -3.8201,0.862787 -97.7938,22.089739 -24.4483,5.522418 5.5225,24.44845 22.0897,97.79359 c 0.1947,1.55668 0.5478,3.093 1.0354,4.58422 l 4.487,19.86426 19.8643,-4.48696 c 2.3711,0.0718 4.7522,-0.19519 7.0484,-0.79045 z" + style="font-size:medium;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;text-indent:0;text-align:start;text-decoration:none;line-height:normal;letter-spacing:normal;word-spacing:normal;text-transform:none;direction:ltr;block-progression:tb;writing-mode:lr-tb;text-anchor:start;baseline-shift:baseline;color:#bebebe;fill:#000000;fill-opacity:1;stroke:none;stroke-width:2;marker:none;visibility:visible;display:inline;overflow:visible;enable-background:accumulate;font-family:Sans;-inkscape-font-specification:Sans" + inkscape:connector-curvature="0" + sodipodi:nodetypes="ccsccccscccccccccccccc" /> + <path + inkscape:connector-curvature="0" + d="m 1811.1482,84.604931 a 32.652676,32.660298 0 0 0 -11.3666,4.37325 c -34.4001,19.907029 -63.0697,47.868959 -83.073,82.216229 -63.3309,108.74698 -26.5242,249.77362 82.1979,313.12086 108.7222,63.34758 249.7155,26.53074 313.0464,-82.21623 63.3342,-108.74665 26.5275,-249.77329 -82.1946,-313.120859 a 32.919987,32.92767 0 1 0 -33.2312,56.851539 c 78.2306,45.57997 104.1572,144.78698 58.5896,223.03324 -45.5708,78.24626 -144.7549,104.18075 -222.9823,58.60077 -77.8909,-45.38438 -104.2225,-144.06829 -59.4615,-222.15846 l 0.8817,-0.87511 c 14.289,-24.53497 34.8899,-45.2554 59.4615,-59.47522 a 32.652676,32.660298 0 0 0 -21.8613,-60.350329 z" + id="path3869-2" + style="font-size:medium;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;text-indent:0;text-align:start;text-decoration:none;line-height:normal;letter-spacing:normal;word-spacing:normal;text-transform:none;direction:ltr;block-progression:tb;writing-mode:lr-tb;text-anchor:start;baseline-shift:baseline;color:#000000;fill:#000000;fill-opacity:1;stroke:none;stroke-width:2.333606;marker:none;visibility:visible;display:inline;overflow:visible;enable-background:accumulate;font-family:Sans;-inkscape-font-specification:Sans" /> + </g> + <path + style="font-size:medium;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;text-indent:0;text-align:start;text-decoration:none;line-height:normal;letter-spacing:normal;word-spacing:normal;text-transform:none;direction:ltr;block-progression:tb;writing-mode:lr-tb;text-anchor:start;baseline-shift:baseline;color:#000000;fill:#000000;fill-opacity:1;stroke:none;stroke-width:2;marker:none;visibility:visible;display:inline;overflow:visible;enable-background:accumulate;font-family:Sans;-inkscape-font-specification:Sans" + id="path4710" + d="m 2751.5327,16.142457 a 32.656485,32.656485 0 0 0 -25.5087,32.65322 l 0,163.266103 a 32.656485,32.656485 0 1 0 65.3064,0 l 0,-163.266103 a 32.656485,32.656485 0 0 0 -39.7977,-32.65322 z" + inkscape:connector-curvature="0" /> + </g> + <g + transform="matrix(0.22673265,0,0,0.22673265,629.93163,1021.1351)" + id="g18376-2-2"> + <path + id="path3978-8-8" + d="m 501.08191,278.17762 c -7.21715,-13.9489 -14.06128,-28.08879 -21.39661,-41.97333 -3.73599,-7.06836 -5.80633,-15.24365 -13.12689,-20.35459 5.41537,-4.7453 6.07435,-10.74843 6.06327,-17.14198 -0.0718,-40.55881 -0.13243,-81.11551 0.0216,-121.669045 0.0464,-11.512935 -7.81863,-19.188576 -19.08306,-19.140036 -63.10508,0.290184 -126.20384,0.299154 -189.30153,-0.0016 -11.65486,-0.0554 -19.31942,7.967409 -19.26244,19.332085 0.22951,40.914946 0.12187,81.826726 0.0644,122.740616 -0.0143,5.95194 1.03886,11.37153 5.43014,15.34917 -2.53569,3.52073 -5.24706,6.45898 -7.02036,9.88157 -8.41693,16.26246 -16.16379,32.89267 -24.97854,48.92404 -5.47288,9.93486 -5.58368,19.86866 -3.65316,30.40446 0.98135,5.3758 4.14067,8.83427 9.05112,10.53053 2.74356,0.95444 5.79841,1.40766 8.71397,1.40766 84.09755,0.0765 168.18824,0.0638 252.27841,0.0638 0.84206,0 1.67621,0.0164 2.51088,-0.0143 8.26287,-0.25747 13.97951,-4.80334 15.51959,-12.88418 0.77348,-4.06733 0.9096,-8.26868 1.13172,-12.41304 0.25009,-4.59916 -0.81357,-8.88281 -2.96252,-13.04194 z M 255.01081,77.482921 c 0,-7.736317 2.21332,-9.910589 10.09315,-9.910589 31.23914,-0.0016 62.48567,0 93.7322,0 31.24283,0 62.48567,-0.0016 93.72481,0 7.86558,0 10.10369,2.192211 10.10369,9.915865 0,41.026273 0,82.043573 0,123.068263 0,7.59808 -2.37054,9.92642 -10.11055,9.92642 -62.4862,0.002 -124.97187,0.002 -187.46123,0 -7.75057,0 -10.08207,-2.29985 -10.08207,-9.93223 0,-41.02627 0,-82.04884 0,-123.067729 z M 485.50534,295.0405 c -42.21391,0.0105 -84.4273,0.01 -126.63383,0.01 -41.97702,0 -83.95405,-0.15776 -125.9279,0.13084 -7.91887,0.0538 -11.71554,-5.06503 -7.81862,-12.52541 9.23736,-17.71075 18.06213,-35.63201 27.15651,-53.42453 2.99048,-5.85223 8.05868,-8.49713 14.56989,-8.49713 33.63185,0 67.25683,0 100.88129,0 27.42823,0 54.8496,0.0433 82.27783,-0.029 7.57171,-0.0153 12.76495,3.15246 16.17488,10.0235 8.69973,17.58095 17.67909,35.02526 26.51494,52.54132 3.52812,7.00399 0.6057,11.77093 -7.19499,11.77093 z" + clip-rule="evenodd" + inkscape:connector-curvature="0" + style="fill:#000000;fill-rule:evenodd" /> + <path + id="path3980-4-5" + d="m 394.57369,260.00786 c -0.81674,-3.51387 -2.85806,-5.19378 -6.57611,-5.18217 -19.4413,0.0712 -38.87891,0.0681 -58.31651,0 -3.70381,-0.007 -5.77362,1.63453 -6.58297,5.16581 -1.27523,5.56046 -2.5647,11.11565 -3.91116,16.6587 -1.51845,6.2933 -0.19363,8.04391 6.35715,8.06026 11.08557,0.0238 22.17748,0.005 33.27043,0.005 11.44699,-0.003 22.89397,0.0507 34.34834,-0.029 5.07876,-0.0322 6.74441,-2.20751 5.61639,-7.00188 -1.38286,-5.89655 -2.83009,-11.78149 -4.20556,-17.67698 z" + clip-rule="evenodd" + inkscape:connector-curvature="0" + style="fill:#000000;fill-rule:evenodd" /> + </g> + <path + style="fill:#ff6600;stroke:#000000;stroke-width:0.22673266px;stroke-linecap:butt;stroke-linejoin:miter;stroke-opacity:0" + d="m 707.04998,1045.1395 -33.89651,17.5717" + id="path22569-8" + inkscape:connector-curvature="0" /> + <g + transform="matrix(-0.11080185,0.19781467,-0.19781467,-0.11080185,802.61826,1078.8522)" + id="g22288-2-9"> + <path + id="path4152-4-1-3-79-8" + d="m 271.73055,566.76226 -30.0517,-0.14345 c -7.07099,-0.0338 -12.93535,-5.95437 -13.04821,-13.17337 l 0.41101,-55.24138 55.97865,0.26721 -0.11638,55.24279 c -0.18177,7.21759 -5.95437,12.93535 -13.17337,13.0482 z" + stroke-miterlimit="10" + inkscape:connector-curvature="0" + style="fill:none;stroke:#000000;stroke-width:4.16666651;stroke-miterlimit:10" /> + <rect + id="rect4154-4-7-7-25-2" + height="27.083073" + width="39.374622" + stroke-miterlimit="10" + transform="matrix(0.99998861,0.00477338,-0.00477338,0.99998861,0,0)" + y="469.98615" + x="239.76363" + style="fill:none;stroke:#000000;stroke-width:4.16662645;stroke-miterlimit:10" /> + <text + transform="matrix(0.01414842,-0.99989991,0.99989991,0.01414842,0,0)" + sodipodi:linespacing="125%" + id="text5311-7-6-8-2" + y="277.49564" + x="-556.10962" + style="font-size:32.15980148px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;text-align:start;line-height:125%;letter-spacing:0px;word-spacing:0px;writing-mode:lr-tb;text-anchor:start;fill:#000000;fill-opacity:1;stroke:none;font-family:DejaVu Sans;-inkscape-font-specification:DejaVu Sans" + xml:space="preserve"><tspan + y="277.49564" + x="-556.10962" + id="tspan5313-5-2-7-34" + sodipodi:role="line">ISO</tspan></text> + <path + sodipodi:nodetypes="cscc" + inkscape:connector-curvature="0" + d="m 266.57856,486.23883 c 0.031,4.18563 -4.38849,6.53271 -9.31446,6.53271 -4.92401,0 -9.42093,-2.6759 -9.42948,-6.53271 2.01684,0 16.95283,0 18.74394,0 z" + id="path4818-2-4-3-6-1-0-4-2-4-6-7" + style="fill:#000000;fill-opacity:1" /> + <g + id="g13759-1-9-3-1" + transform="translate(67.92871,0.39555892)"> + <g + id="g4156-7-9-0-4-3-6-29" + transform="matrix(1.4801542,-1.2750407,1.4660905,1.2872717,118.56439,514.05907)"> + <line + style="fill:none;stroke:#000000;stroke-width:1.9764694;stroke-miterlimit:10" + stroke-miterlimit="10" + x1="40.6609" + y1="12.348352" + x2="39.013733" + y2="13.948482" + id="line4158-7-8-0-9-3-8-0" /> + <line + style="fill:none;stroke:#000000;stroke-width:1.97647011;stroke-miterlimit:10" + stroke-miterlimit="10" + x1="35.6609" + y1="7.3483534" + x2="34.013733" + y2="8.9484825" + id="line4160-1-9-1-1-1-3-8" /> + </g> + </g> + </g> + <text + xml:space="preserve" + style="font-size:9.06930542px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;text-align:start;line-height:125%;letter-spacing:0px;word-spacing:0px;writing-mode:lr-tb;text-anchor:start;fill:#000000;fill-opacity:1;stroke:none;font-family:DejaVu Sans;-inkscape-font-specification:DejaVu Sans" + x="837.55408" + y="1056.5741" + id="text24274-5" + sodipodi:linespacing="125%"><tspan + sodipodi:role="line" + id="tspan24276-4" + x="837.55408" + y="1056.5741">Tails</tspan></text> + <g + transform="matrix(0.22673265,0,0,0.22673265,889.50898,1021.9329)" + id="g18376-2-5-13"> + <path + id="path3978-8-9-0" + d="m 501.08191,278.17762 c -7.21715,-13.9489 -14.06128,-28.08879 -21.39661,-41.97333 -3.73599,-7.06836 -5.80633,-15.24365 -13.12689,-20.35459 5.41537,-4.7453 6.07435,-10.74843 6.06327,-17.14198 -0.0718,-40.55881 -0.13243,-81.11551 0.0216,-121.669045 0.0464,-11.512935 -7.81863,-19.188576 -19.08306,-19.140036 -63.10508,0.290184 -126.20384,0.299154 -189.30153,-0.0016 -11.65486,-0.0554 -19.31942,7.967409 -19.26244,19.332085 0.22951,40.914946 0.12187,81.826726 0.0644,122.740616 -0.0143,5.95194 1.03886,11.37153 5.43014,15.34917 -2.53569,3.52073 -5.24706,6.45898 -7.02036,9.88157 -8.41693,16.26246 -16.16379,32.89267 -24.97854,48.92404 -5.47288,9.93486 -5.58368,19.86866 -3.65316,30.40446 0.98135,5.3758 4.14067,8.83427 9.05112,10.53053 2.74356,0.95444 5.79841,1.40766 8.71397,1.40766 84.09755,0.0765 168.18824,0.0638 252.27841,0.0638 0.84206,0 1.67621,0.0164 2.51088,-0.0143 8.26287,-0.25747 13.97951,-4.80334 15.51959,-12.88418 0.77348,-4.06733 0.9096,-8.26868 1.13172,-12.41304 0.25009,-4.59916 -0.81357,-8.88281 -2.96252,-13.04194 z M 255.01081,77.482921 c 0,-7.736317 2.21332,-9.910589 10.09315,-9.910589 31.23914,-0.0016 62.48567,0 93.7322,0 31.24283,0 62.48567,-0.0016 93.72481,0 7.86558,0 10.10369,2.192211 10.10369,9.915865 0,41.026273 0,82.043573 0,123.068263 0,7.59808 -2.37054,9.92642 -10.11055,9.92642 -62.4862,0.002 -124.97187,0.002 -187.46123,0 -7.75057,0 -10.08207,-2.29985 -10.08207,-9.93223 0,-41.02627 0,-82.04884 0,-123.067729 z M 485.50534,295.0405 c -42.21391,0.0105 -84.4273,0.01 -126.63383,0.01 -41.97702,0 -83.95405,-0.15776 -125.9279,0.13084 -7.91887,0.0538 -11.71554,-5.06503 -7.81862,-12.52541 9.23736,-17.71075 18.06213,-35.63201 27.15651,-53.42453 2.99048,-5.85223 8.05868,-8.49713 14.56989,-8.49713 33.63185,0 67.25683,0 100.88129,0 27.42823,0 54.8496,0.0433 82.27783,-0.029 7.57171,-0.0153 12.76495,3.15246 16.17488,10.0235 8.69973,17.58095 17.67909,35.02526 26.51494,52.54132 3.52812,7.00399 0.6057,11.77093 -7.19499,11.77093 z" + clip-rule="evenodd" + inkscape:connector-curvature="0" + style="fill:#000000;fill-rule:evenodd" /> + <path + id="path3980-4-3-2" + d="m 394.57369,260.00786 c -0.81674,-3.51387 -2.85806,-5.19378 -6.57611,-5.18217 -19.4413,0.0712 -38.87891,0.0681 -58.31651,0 -3.70381,-0.007 -5.77362,1.63453 -6.58297,5.16581 -1.27523,5.56046 -2.5647,11.11565 -3.91116,16.6587 -1.51845,6.2933 -0.19363,8.04391 6.35715,8.06026 11.08557,0.0238 22.17748,0.005 33.27043,0.005 11.44699,-0.003 22.89397,0.0507 34.34834,-0.029 5.07876,-0.0322 6.74441,-2.20751 5.61639,-7.00188 -1.38286,-5.89655 -2.83009,-11.78149 -4.20556,-17.67698 z" + clip-rule="evenodd" + inkscape:connector-curvature="0" + style="fill:#000000;fill-rule:evenodd" /> + </g> + <text + xml:space="preserve" + style="font-size:9.06930542px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;text-align:start;line-height:125%;letter-spacing:0px;word-spacing:0px;writing-mode:lr-tb;text-anchor:start;fill:#000000;fill-opacity:1;stroke:none;font-family:DejaVu Sans;-inkscape-font-specification:DejaVu Sans" + x="959.59619" + y="1055.0935" + id="text24274-5-3" + sodipodi:linespacing="125%"><tspan + sodipodi:role="line" + id="tspan24276-4-9" + x="959.59619" + y="1055.0935">Tails</tspan></text> + <g + id="g14041-2" + transform="matrix(-0.11047841,-0.19089588,0.19089588,-0.11047841,943.65201,1185.8845)"> + <path + d="m 301.5747,566.4861 -30.0517,-0.14345 c -7.07099,-0.0338 -12.93535,-5.95437 -13.04821,-13.17337 l 0.41101,-55.24138 55.97865,0.26721 -0.11638,55.24279 c -0.18177,7.21759 -5.95437,12.93535 -13.17337,13.0482 z" + stroke-miterlimit="10" + inkscape:connector-curvature="0" + style="fill:#000000;fill-opacity:1;stroke:#000000;stroke-width:4.16666651;stroke-miterlimit:10" + id="path4152-4-1-5" /> + <rect + id="rect4154-4-7-8" + height="27.083073" + width="39.374622" + stroke-miterlimit="10" + transform="matrix(0.99998861,0.00477338,-0.00477338,0.99998861,0,0)" + y="469.56754" + x="269.60611" + style="fill:none;stroke:#000000;stroke-width:4.16662645;stroke-miterlimit:10" /> + <path + inkscape:connector-curvature="0" + d="m 300.72986,549.73132 -28.18282,0 c -0.86313,0 -1.55809,-0.74461 -1.54731,-1.66072 l 0.21872,-18.56457 c 0.0135,-0.91525 0.71395,-1.65986 1.57709,-1.65986 l 3.54795,0 0,-5.80177 c 0.001,-6.22198 4.82143,-11.20417 10.64493,-11.20417 5.82216,0 10.49791,5.01611 10.44199,11.20417 l 0,5.80177 3.54795,0 c 0.86273,0 1.55768,0.74461 1.54704,1.65986 l -0.21872,18.56422 c -0.0135,0.91802 -0.71422,1.66107 -1.57682,1.66107 z M 292.4664,522.3761 c 0.0297,-3.27502 -2.44548,-5.92979 -5.5269,-5.92979 -3.08235,0 -5.60451,2.65477 -5.63403,5.92979 l 9.5e-4,5.47007 11.16133,0 -9.5e-4,-5.47007 z" + id="path5189-4-8-1-2-2-0-5-7-1" + style="fill:#ffffff;fill-opacity:1" /> + <g + id="g13759-1-2" + transform="translate(97.608432,0.232262)"> + <g + id="g4156-7-9-0-4-7" + transform="matrix(1.4801542,-1.2750407,1.4660905,1.2872717,118.56439,514.05907)"> + <line + style="fill:none;stroke:#000000;stroke-width:1.9764694;stroke-miterlimit:10" + stroke-miterlimit="10" + x1="40.6609" + y1="12.348352" + x2="39.013733" + y2="13.948482" + id="line4158-7-8-0-9-30" /> + <line + style="fill:none;stroke:#000000;stroke-width:1.97647011;stroke-miterlimit:10" + stroke-miterlimit="10" + x1="35.6609" + y1="7.3483534" + x2="34.013733" + y2="8.9484825" + id="line4160-1-9-1-1-18" /> + </g> + </g> + <path + sodipodi:nodetypes="cscc" + inkscape:connector-curvature="0" + d="m 296.44325,486.01559 c 0.031,4.18563 -4.38849,6.53271 -9.31446,6.53271 -4.92401,0 -9.42093,-2.6759 -9.42948,-6.53271 2.01684,0 16.95283,0 18.74394,0 z" + id="path4818-2-4-3-6-1-0-4-2-7" + style="fill:#000000;fill-opacity:1" /> + </g> + </g> +</svg> diff --git a/wiki/src/blueprint/bootstrapping/assistant/overview/2nd_iteration/overview-20150324.odg b/wiki/src/blueprint/bootstrapping/assistant/overview/2nd_iteration/overview-20150324.odg new file mode 100644 index 0000000000000000000000000000000000000000..ea1cfdbb00d09ac18f151267ae7babeca4d3fd72 Binary files /dev/null and b/wiki/src/blueprint/bootstrapping/assistant/overview/2nd_iteration/overview-20150324.odg differ diff --git a/wiki/src/blueprint/bootstrapping/assistant/router/2nd_iteration/router-sajolida-20150325.odg b/wiki/src/blueprint/bootstrapping/assistant/router/2nd_iteration/router-sajolida-20150325.odg new file mode 100644 index 0000000000000000000000000000000000000000..da37dddec0d8c3c51f78db912e5f68508f4d09e4 Binary files /dev/null and b/wiki/src/blueprint/bootstrapping/assistant/router/2nd_iteration/router-sajolida-20150325.odg differ diff --git a/wiki/src/blueprint/bootstrapping/assistant/router/2nd_iteration/router-sajolida-20150325.odp b/wiki/src/blueprint/bootstrapping/assistant/router/2nd_iteration/router-sajolida-20150325.odp new file mode 100644 index 0000000000000000000000000000000000000000..4a4b0f90dcfe70b0796a8262fe349f9252d8c4de Binary files /dev/null and b/wiki/src/blueprint/bootstrapping/assistant/router/2nd_iteration/router-sajolida-20150325.odp differ diff --git a/wiki/src/blueprint/bootstrapping/assistant/router/2nd_iteration/router-tchou-20150325.odp b/wiki/src/blueprint/bootstrapping/assistant/router/2nd_iteration/router-tchou-20150325.odp new file mode 100644 index 0000000000000000000000000000000000000000..d28d28eb3cbd06f135cae427e251b6e9edb44763 Binary files /dev/null and b/wiki/src/blueprint/bootstrapping/assistant/router/2nd_iteration/router-tchou-20150325.odp differ diff --git a/wiki/src/blueprint/bootstrapping/assistant/router/2nd_iteration/router-testing-20150325.ods b/wiki/src/blueprint/bootstrapping/assistant/router/2nd_iteration/router-testing-20150325.ods new file mode 100644 index 0000000000000000000000000000000000000000..76ada990e1a2513309e50606805c2f0f880d3de3 Binary files /dev/null and b/wiki/src/blueprint/bootstrapping/assistant/router/2nd_iteration/router-testing-20150325.ods differ diff --git a/wiki/src/blueprint/bootstrapping/assistant/router/3rd_iteration/router-3rd-iteration-testing.fods b/wiki/src/blueprint/bootstrapping/assistant/router/3rd_iteration/router-3rd-iteration-testing.fods new file mode 100644 index 0000000000000000000000000000000000000000..72d17676557e63c4b7263ea9f295584d09df44f1 --- /dev/null +++ b/wiki/src/blueprint/bootstrapping/assistant/router/3rd_iteration/router-3rd-iteration-testing.fods @@ -0,0 +1,802 @@ +<?xml version="1.0" encoding="UTF-8"?> + +<office:document xmlns:office="urn:oasis:names:tc:opendocument:xmlns:office:1.0" xmlns:style="urn:oasis:names:tc:opendocument:xmlns:style:1.0" xmlns:text="urn:oasis:names:tc:opendocument:xmlns:text:1.0" xmlns:table="urn:oasis:names:tc:opendocument:xmlns:table:1.0" xmlns:draw="urn:oasis:names:tc:opendocument:xmlns:drawing:1.0" xmlns:fo="urn:oasis:names:tc:opendocument:xmlns:xsl-fo-compatible:1.0" xmlns:xlink="http://www.w3.org/1999/xlink" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:meta="urn:oasis:names:tc:opendocument:xmlns:meta:1.0" xmlns:number="urn:oasis:names:tc:opendocument:xmlns:datastyle:1.0" xmlns:presentation="urn:oasis:names:tc:opendocument:xmlns:presentation:1.0" xmlns:svg="urn:oasis:names:tc:opendocument:xmlns:svg-compatible:1.0" xmlns:chart="urn:oasis:names:tc:opendocument:xmlns:chart:1.0" xmlns:dr3d="urn:oasis:names:tc:opendocument:xmlns:dr3d:1.0" xmlns:math="http://www.w3.org/1998/Math/MathML" xmlns:form="urn:oasis:names:tc:opendocument:xmlns:form:1.0" xmlns:script="urn:oasis:names:tc:opendocument:xmlns:script:1.0" xmlns:config="urn:oasis:names:tc:opendocument:xmlns:config:1.0" xmlns:ooo="http://openoffice.org/2004/office" xmlns:ooow="http://openoffice.org/2004/writer" xmlns:oooc="http://openoffice.org/2004/calc" xmlns:dom="http://www.w3.org/2001/xml-events" xmlns:xforms="http://www.w3.org/2002/xforms" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:rpt="http://openoffice.org/2005/report" xmlns:of="urn:oasis:names:tc:opendocument:xmlns:of:1.2" xmlns:xhtml="http://www.w3.org/1999/xhtml" xmlns:grddl="http://www.w3.org/2003/g/data-view#" xmlns:tableooo="http://openoffice.org/2009/table" xmlns:field="urn:openoffice:names:experimental:ooo-ms-interop:xmlns:field:1.0" xmlns:formx="urn:openoffice:names:experimental:ooxml-odf-interop:xmlns:form:1.0" xmlns:css3t="http://www.w3.org/TR/css3-text/" office:version="1.2" office:mimetype="application/vnd.oasis.opendocument.spreadsheet"> + <office:meta><meta:initial-creator>Debian user</meta:initial-creator><meta:creation-date>2015-03-25T15:55:10</meta:creation-date><dc:date>2015-04-29T17:30:45</dc:date><dc:creator>Debian user</dc:creator><meta:editing-duration>PT1H4M22S</meta:editing-duration><meta:editing-cycles>42</meta:editing-cycles><meta:generator>LibreOffice/3.5$Linux_x86 LibreOffice_project/350m1$Build-2</meta:generator><meta:document-statistic meta:table-count="1" meta:cell-count="55" meta:object-count="0"/></office:meta> + <office:settings> + <config:config-item-set config:name="ooo:view-settings"> + <config:config-item config:name="VisibleAreaTop" config:type="int">0</config:config-item> + <config:config-item config:name="VisibleAreaLeft" config:type="int">0</config:config-item> + <config:config-item config:name="VisibleAreaWidth" config:type="int">17374</config:config-item> + <config:config-item config:name="VisibleAreaHeight" config:type="int">15532</config:config-item> + <config:config-item-map-indexed config:name="Views"> + <config:config-item-map-entry> + <config:config-item config:name="ViewId" config:type="string">view1</config:config-item> + <config:config-item-map-named config:name="Tables"> + <config:config-item-map-entry config:name="testing"> + <config:config-item config:name="CursorPositionX" config:type="int">0</config:config-item> + <config:config-item config:name="CursorPositionY" config:type="int">0</config:config-item> + <config:config-item config:name="HorizontalSplitMode" config:type="short">0</config:config-item> + <config:config-item config:name="VerticalSplitMode" config:type="short">0</config:config-item> + <config:config-item config:name="HorizontalSplitPosition" config:type="int">0</config:config-item> + <config:config-item config:name="VerticalSplitPosition" config:type="int">0</config:config-item> + <config:config-item config:name="ActiveSplitRange" config:type="short">2</config:config-item> + <config:config-item config:name="PositionLeft" config:type="int">0</config:config-item> + <config:config-item config:name="PositionRight" config:type="int">0</config:config-item> + <config:config-item config:name="PositionTop" config:type="int">0</config:config-item> + <config:config-item config:name="PositionBottom" config:type="int">0</config:config-item> + <config:config-item config:name="ZoomType" config:type="short">0</config:config-item> + <config:config-item config:name="ZoomValue" config:type="int">140</config:config-item> + <config:config-item config:name="PageViewZoomValue" config:type="int">60</config:config-item> + <config:config-item config:name="ShowGrid" config:type="boolean">true</config:config-item> + </config:config-item-map-entry> + </config:config-item-map-named> + <config:config-item config:name="ActiveTable" config:type="string">testing</config:config-item> + <config:config-item config:name="HorizontalScrollbarWidth" config:type="int">270</config:config-item> + <config:config-item config:name="ZoomType" config:type="short">0</config:config-item> + <config:config-item config:name="ZoomValue" config:type="int">140</config:config-item> + <config:config-item config:name="PageViewZoomValue" config:type="int">60</config:config-item> + <config:config-item config:name="ShowPageBreakPreview" config:type="boolean">false</config:config-item> + <config:config-item config:name="ShowZeroValues" config:type="boolean">true</config:config-item> + <config:config-item config:name="ShowNotes" config:type="boolean">true</config:config-item> + <config:config-item config:name="ShowGrid" config:type="boolean">true</config:config-item> + <config:config-item config:name="GridColor" config:type="long">12632256</config:config-item> + <config:config-item config:name="ShowPageBreaks" config:type="boolean">true</config:config-item> + <config:config-item config:name="HasColumnRowHeaders" config:type="boolean">true</config:config-item> + <config:config-item config:name="HasSheetTabs" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsOutlineSymbolsSet" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsSnapToRaster" config:type="boolean">false</config:config-item> + <config:config-item config:name="RasterIsVisible" config:type="boolean">false</config:config-item> + <config:config-item config:name="RasterResolutionX" config:type="int">1270</config:config-item> + <config:config-item config:name="RasterResolutionY" config:type="int">1270</config:config-item> + <config:config-item config:name="RasterSubdivisionX" config:type="int">1</config:config-item> + <config:config-item config:name="RasterSubdivisionY" config:type="int">1</config:config-item> + <config:config-item config:name="IsRasterAxisSynchronized" config:type="boolean">true</config:config-item> + </config:config-item-map-entry> + </config:config-item-map-indexed> + </config:config-item-set> + <config:config-item-set config:name="ooo:configuration-settings"> + <config:config-item config:name="IsKernAsianPunctuation" config:type="boolean">false</config:config-item> + <config:config-item config:name="UpdateFromTemplate" config:type="boolean">true</config:config-item> + <config:config-item config:name="LoadReadonly" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsDocumentShared" config:type="boolean">false</config:config-item> + <config:config-item config:name="AutoCalculate" config:type="boolean">true</config:config-item> + <config:config-item-map-indexed config:name="ForbiddenCharacters"> + <config:config-item-map-entry> + <config:config-item config:name="Language" config:type="string">en</config:config-item> + <config:config-item config:name="Country" config:type="string">US</config:config-item> + <config:config-item config:name="Variant" config:type="string"/> + <config:config-item config:name="BeginLine" config:type="string"/> + <config:config-item config:name="EndLine" config:type="string"/> + </config:config-item-map-entry> + <config:config-item-map-entry> + <config:config-item config:name="Language" config:type="string">fr</config:config-item> + <config:config-item config:name="Country" config:type="string">FR</config:config-item> + <config:config-item config:name="Variant" config:type="string"/> + <config:config-item config:name="BeginLine" config:type="string"/> + <config:config-item config:name="EndLine" config:type="string"/> + </config:config-item-map-entry> + </config:config-item-map-indexed> + <config:config-item config:name="PrinterSetup" config:type="base64Binary"/> + <config:config-item config:name="RasterIsVisible" config:type="boolean">false</config:config-item> + <config:config-item config:name="PrinterName" config:type="string"/> + <config:config-item config:name="RasterResolutionY" config:type="int">1270</config:config-item> + <config:config-item config:name="IsRasterAxisSynchronized" config:type="boolean">true</config:config-item> + <config:config-item config:name="CharacterCompressionType" config:type="short">0</config:config-item> + <config:config-item config:name="RasterResolutionX" config:type="int">1270</config:config-item> + <config:config-item config:name="IsSnapToRaster" config:type="boolean">false</config:config-item> + <config:config-item config:name="HasColumnRowHeaders" config:type="boolean">true</config:config-item> + <config:config-item config:name="RasterSubdivisionX" config:type="int">1</config:config-item> + <config:config-item config:name="GridColor" config:type="long">12632256</config:config-item> + <config:config-item config:name="ShowZeroValues" config:type="boolean">true</config:config-item> + <config:config-item config:name="RasterSubdivisionY" config:type="int">1</config:config-item> + <config:config-item config:name="SaveVersionOnClose" config:type="boolean">false</config:config-item> + <config:config-item config:name="ShowPageBreaks" config:type="boolean">true</config:config-item> + <config:config-item config:name="ShowGrid" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsOutlineSymbolsSet" config:type="boolean">true</config:config-item> + <config:config-item config:name="AllowPrintJobCancel" config:type="boolean">true</config:config-item> + <config:config-item config:name="ApplyUserData" config:type="boolean">true</config:config-item> + <config:config-item config:name="LinkUpdateMode" config:type="short">3</config:config-item> + <config:config-item config:name="ShowNotes" config:type="boolean">true</config:config-item> + <config:config-item config:name="HasSheetTabs" config:type="boolean">true</config:config-item> + </config:config-item-set> + </office:settings> + <office:scripts> + <office:script script:language="ooo:Basic"> + <ooo:libraries xmlns:ooo="http://openoffice.org/2004/office" xmlns:xlink="http://www.w3.org/1999/xlink"> + <ooo:library-embedded ooo:name="Standard"/> + </ooo:libraries> + </office:script> + </office:scripts> + <office:font-face-decls> + <style:font-face style:name="Liberation Sans" svg:font-family="'Liberation Sans'" style:font-family-generic="swiss" style:font-pitch="variable"/> + <style:font-face style:name="AR PL UKai CN" svg:font-family="'AR PL UKai CN'" style:font-family-generic="system" style:font-pitch="variable"/> + <style:font-face style:name="DejaVu Sans" svg:font-family="'DejaVu Sans'" style:font-family-generic="system" style:font-pitch="variable"/> + <style:font-face style:name="Lohit Devanagari" svg:font-family="'Lohit Devanagari'" style:font-family-generic="system" style:font-pitch="variable"/> + </office:font-face-decls> + <office:styles> + <style:default-style style:family="table-cell"> + <style:paragraph-properties style:tab-stop-distance="0.5in"/> + <style:text-properties style:font-name="Liberation Sans" fo:language="en" fo:country="US" style:font-name-asian="DejaVu Sans" style:language-asian="zh" style:country-asian="CN" style:font-name-complex="DejaVu Sans" style:language-complex="hi" style:country-complex="IN"/> + </style:default-style> + <number:number-style style:name="N0"> + <number:number number:min-integer-digits="1"/> + </number:number-style> + <number:currency-style style:name="N104P0" style:volatile="true"> + <number:currency-symbol number:language="en" number:country="US">$</number:currency-symbol> + <number:number number:decimal-places="2" number:min-integer-digits="1" number:grouping="true"/> + </number:currency-style> + <number:currency-style style:name="N104"> + <style:text-properties fo:color="#ff0000"/> + <number:text>-</number:text> + <number:currency-symbol number:language="en" number:country="US">$</number:currency-symbol> + <number:number number:decimal-places="2" number:min-integer-digits="1" number:grouping="true"/> + <style:map style:condition="value()>=0" style:apply-style-name="N104P0"/> + </number:currency-style> + <number:currency-style style:name="N122P0" style:volatile="true"> + <number:number number:decimal-places="2" number:min-integer-digits="1" number:grouping="true"/> + <number:text> </number:text> + <number:currency-symbol number:language="fr" number:country="FR">€</number:currency-symbol> + </number:currency-style> + <number:currency-style style:name="N122"> + <style:text-properties fo:color="#ff0000"/> + <number:text>-</number:text> + <number:number number:decimal-places="2" number:min-integer-digits="1" number:grouping="true"/> + <number:text> </number:text> + <number:currency-symbol number:language="fr" number:country="FR">€</number:currency-symbol> + <style:map style:condition="value()>=0" style:apply-style-name="N122P0"/> + </number:currency-style> + <style:style style:name="Default" style:family="table-cell"> + <style:text-properties style:font-name-asian="AR PL UKai CN" style:font-name-complex="Lohit Devanagari"/> + </style:style> + <style:style style:name="Result" style:family="table-cell" style:parent-style-name="Default"> + <style:text-properties fo:font-style="italic" style:text-underline-style="solid" style:text-underline-width="auto" style:text-underline-color="font-color" fo:font-weight="bold"/> + </style:style> + <style:style style:name="Result2" style:family="table-cell" style:parent-style-name="Result" style:data-style-name="N104"/> + <style:style style:name="Heading" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties style:text-align-source="fix" style:repeat-content="false"/> + <style:paragraph-properties fo:text-align="center"/> + <style:text-properties fo:font-size="16pt" fo:font-style="italic" fo:font-weight="bold"/> + </style:style> + <style:style style:name="Heading1" style:family="table-cell" style:parent-style-name="Heading"> + <style:table-cell-properties style:rotation-angle="90"/> + </style:style> + </office:styles> + <office:automatic-styles> + <style:style style:name="co1" style:family="table-column"> + <style:table-column-properties fo:break-before="auto" style:column-width="0.2252in"/> + </style:style> + <style:style style:name="co2" style:family="table-column"> + <style:table-column-properties fo:break-before="auto" style:column-width="4.35in"/> + </style:style> + <style:style style:name="co3" style:family="table-column"> + <style:table-column-properties fo:break-before="auto" style:column-width="0.3098in"/> + </style:style> + <style:style style:name="co4" style:family="table-column"> + <style:table-column-properties fo:break-before="auto" style:column-width="0.3264in"/> + </style:style> + <style:style style:name="co5" style:family="table-column"> + <style:table-column-properties fo:break-before="auto" style:column-width="0.3492in"/> + </style:style> + <style:style style:name="co6" style:family="table-column"> + <style:table-column-properties fo:break-before="auto" style:column-width="0.3417in"/> + </style:style> + <style:style style:name="co7" style:family="table-column"> + <style:table-column-properties fo:break-before="auto" style:column-width="0.3189in"/> + </style:style> + <style:style style:name="co8" style:family="table-column"> + <style:table-column-properties fo:break-before="auto" style:column-width="0.889in"/> + </style:style> + <style:style style:name="ro1" style:family="table-row"> + <style:table-row-properties style:row-height="0.1799in" fo:break-before="auto" style:use-optimal-row-height="false"/> + </style:style> + <style:style style:name="ro2" style:family="table-row"> + <style:table-row-properties style:row-height="0.178in" fo:break-before="auto" style:use-optimal-row-height="false"/> + </style:style> + <style:style style:name="ta1" style:family="table" style:master-page-name="Default"> + <style:table-properties table:display="true" style:writing-mode="lr-tb"/> + </style:style> + <style:style style:name="ce1" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties fo:background-color="#000000"/> + <style:text-properties fo:color="#000000" style:text-position=""/> + </style:style> + <style:style style:name="ce10" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties style:text-align-source="fix" style:repeat-content="false" fo:background-color="transparent"/> + <style:paragraph-properties fo:text-align="center" fo:margin-left="0in"/> + <style:text-properties style:text-position=""/> + </style:style> + <style:style style:name="ce11" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties fo:background-color="#00ffff" style:text-align-source="fix" style:repeat-content="false"/> + <style:paragraph-properties fo:text-align="center" fo:margin-left="0in"/> + <style:text-properties style:text-position=""/> + </style:style> + <style:style style:name="ce12" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties fo:background-color="#00ff00" style:text-align-source="fix" style:repeat-content="false"/> + <style:paragraph-properties fo:text-align="center" fo:margin-left="0in"/> + <style:text-properties style:text-position=""/> + </style:style> + <style:style style:name="ce13" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties fo:background-color="#ff00ff" style:text-align-source="fix" style:repeat-content="false"/> + <style:paragraph-properties fo:text-align="center" fo:margin-left="0in"/> + <style:text-properties fo:color="#ff00ff" style:text-position=""/> + </style:style> + <style:style style:name="ce14" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties style:text-align-source="fix" style:repeat-content="false" fo:background-color="transparent"/> + <style:paragraph-properties fo:text-align="center" fo:margin-left="0in"/> + <style:text-properties fo:color="#ff00ff" style:text-position=""/> + </style:style> + <style:style style:name="ce15" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties fo:background-color="#ff00ff" style:text-align-source="fix" style:repeat-content="false"/> + <style:paragraph-properties fo:text-align="center" fo:margin-left="0in"/> + <style:text-properties style:text-position=""/> + </style:style> + <style:style style:name="ce16" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties fo:background-color="#eb613d" style:text-align-source="fix" style:repeat-content="false"/> + <style:paragraph-properties fo:text-align="center" fo:margin-left="0in"/> + <style:text-properties style:text-position=""/> + </style:style> + <style:style style:name="ce17" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties fo:background-color="#ffcc99" style:text-align-source="fix" style:repeat-content="false"/> + <style:paragraph-properties fo:text-align="center" fo:margin-left="0in"/> + <style:text-properties fo:color="#ffcc99" style:text-position=""/> + </style:style> + <style:style style:name="ce18" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties fo:background-color="#ffcc99" style:text-align-source="fix" style:repeat-content="false"/> + <style:paragraph-properties fo:text-align="center" fo:margin-left="0in"/> + <style:text-properties style:text-position=""/> + </style:style> + <style:style style:name="ce19" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties fo:background-color="#cfe7f5" style:text-align-source="fix" style:repeat-content="false"/> + <style:paragraph-properties fo:text-align="center" fo:margin-left="0in"/> + <style:text-properties style:text-position=""/> + </style:style> + <style:style style:name="ce2" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties fo:background-color="#000000"/> + <style:text-properties style:text-position=""/> + </style:style> + <style:style style:name="ce20" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties fo:background-color="#cfe7f5" style:text-align-source="fix" style:repeat-content="false"/> + <style:paragraph-properties fo:text-align="center" fo:margin-left="0in"/> + <style:text-properties fo:color="#280099" style:text-position=""/> + </style:style> + <style:style style:name="ce3" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties fo:background-color="transparent"/> + <style:text-properties style:text-position=""/> + </style:style> + <style:style style:name="ce4" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties style:text-align-source="fix" style:repeat-content="false"/> + <style:paragraph-properties fo:text-align="start" fo:margin-left="0in"/> + <style:text-properties style:text-position=""/> + </style:style> + <style:style style:name="ce5" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties fo:background-color="#000000" style:text-align-source="fix" style:repeat-content="false"/> + <style:paragraph-properties fo:text-align="start" fo:margin-left="0in"/> + <style:text-properties style:text-position=""/> + </style:style> + <style:style style:name="ce6" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties style:text-align-source="fix" style:repeat-content="false" fo:background-color="transparent"/> + <style:paragraph-properties fo:text-align="start" fo:margin-left="0in"/> + <style:text-properties style:text-position=""/> + </style:style> + <style:style style:name="ce7" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties style:text-align-source="fix" style:repeat-content="false"/> + <style:paragraph-properties fo:text-align="center" fo:margin-left="0in"/> + <style:text-properties style:text-position=""/> + </style:style> + <style:style style:name="ce8" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties fo:background-color="#000000" style:text-align-source="fix" style:repeat-content="false"/> + <style:paragraph-properties fo:text-align="center" fo:margin-left="0in"/> + <style:text-properties style:text-position=""/> + </style:style> + <style:style style:name="ce9" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties fo:background-color="#0000ff" style:text-align-source="fix" style:repeat-content="false"/> + <style:paragraph-properties fo:text-align="center" fo:margin-left="0in"/> + <style:text-properties style:text-position=""/> + </style:style> + <style:style style:name="ce29" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties fo:background-color="#000000"/> + <style:text-properties fo:color="#000000"/> + </style:style> + <style:style style:name="ce30" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties fo:background-color="#000000"/> + </style:style> + <style:style style:name="ce31" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties fo:background-color="transparent"/> + </style:style> + <style:style style:name="ce32" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties style:text-align-source="fix" style:repeat-content="false"/> + <style:paragraph-properties fo:text-align="start" fo:margin-left="0in"/> + </style:style> + <style:style style:name="ce33" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties fo:background-color="#000000" style:text-align-source="fix" style:repeat-content="false"/> + <style:paragraph-properties fo:text-align="start" fo:margin-left="0in"/> + </style:style> + <style:style style:name="ce34" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties style:text-align-source="fix" style:repeat-content="false" fo:background-color="transparent"/> + <style:paragraph-properties fo:text-align="start" fo:margin-left="0in"/> + </style:style> + <style:style style:name="ce35" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties style:text-align-source="fix" style:repeat-content="false"/> + <style:paragraph-properties fo:text-align="center" fo:margin-left="0in"/> + </style:style> + <style:style style:name="ce36" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties fo:background-color="#000000" style:text-align-source="fix" style:repeat-content="false"/> + <style:paragraph-properties fo:text-align="center" fo:margin-left="0in"/> + </style:style> + <style:style style:name="ce37" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties fo:background-color="#0000ff" style:text-align-source="fix" style:repeat-content="false"/> + <style:paragraph-properties fo:text-align="center" fo:margin-left="0in"/> + </style:style> + <style:style style:name="ce38" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties style:text-align-source="fix" style:repeat-content="false" fo:background-color="transparent"/> + <style:paragraph-properties fo:text-align="center" fo:margin-left="0in"/> + </style:style> + <style:style style:name="ce39" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties fo:background-color="#00ffff" style:text-align-source="fix" style:repeat-content="false"/> + <style:paragraph-properties fo:text-align="center" fo:margin-left="0in"/> + </style:style> + <style:style style:name="ce40" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties fo:background-color="#00ff00" style:text-align-source="fix" style:repeat-content="false"/> + <style:paragraph-properties fo:text-align="center" fo:margin-left="0in"/> + </style:style> + <style:style style:name="ce41" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties fo:background-color="#ff00ff" style:text-align-source="fix" style:repeat-content="false"/> + <style:paragraph-properties fo:text-align="center" fo:margin-left="0in"/> + <style:text-properties fo:color="#ff00ff"/> + </style:style> + <style:style style:name="ce42" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties style:text-align-source="fix" style:repeat-content="false" fo:background-color="transparent"/> + <style:paragraph-properties fo:text-align="center" fo:margin-left="0in"/> + <style:text-properties fo:color="#ff00ff"/> + </style:style> + <style:style style:name="ce43" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties fo:background-color="#ff00ff" style:text-align-source="fix" style:repeat-content="false"/> + <style:paragraph-properties fo:text-align="center" fo:margin-left="0in"/> + </style:style> + <style:style style:name="ce44" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties fo:background-color="#eb613d" style:text-align-source="fix" style:repeat-content="false"/> + <style:paragraph-properties fo:text-align="center" fo:margin-left="0in"/> + </style:style> + <style:style style:name="ce45" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties fo:background-color="#ffcc99" style:text-align-source="fix" style:repeat-content="false"/> + <style:paragraph-properties fo:text-align="center" fo:margin-left="0in"/> + <style:text-properties fo:color="#ffcc99"/> + </style:style> + <style:style style:name="ce46" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties fo:background-color="#ffcc99" style:text-align-source="fix" style:repeat-content="false"/> + <style:paragraph-properties fo:text-align="center" fo:margin-left="0in"/> + </style:style> + <style:style style:name="ce47" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties fo:background-color="#cfe7f5" style:text-align-source="fix" style:repeat-content="false"/> + <style:paragraph-properties fo:text-align="center" fo:margin-left="0in"/> + </style:style> + <style:style style:name="ce48" style:family="table-cell" style:parent-style-name="Default"> + <style:table-cell-properties fo:background-color="#cfe7f5" style:text-align-source="fix" style:repeat-content="false"/> + <style:paragraph-properties fo:text-align="center" fo:margin-left="0in"/> + <style:text-properties fo:color="#280099"/> + </style:style> + <style:page-layout style:name="pm1"> + <style:page-layout-properties style:writing-mode="lr-tb"/> + <style:header-style> + <style:header-footer-properties fo:min-height="0.2953in" fo:margin-left="0in" fo:margin-right="0in" fo:margin-bottom="0.0984in"/> + </style:header-style> + <style:footer-style> + <style:header-footer-properties fo:min-height="0.2953in" fo:margin-left="0in" fo:margin-right="0in" fo:margin-top="0.0984in"/> + </style:footer-style> + </style:page-layout> + <style:page-layout style:name="pm2"> + <style:page-layout-properties style:writing-mode="lr-tb"/> + <style:header-style> + <style:header-footer-properties fo:min-height="0.2953in" fo:margin-left="0in" fo:margin-right="0in" fo:margin-bottom="0.0984in" fo:border="2.49pt solid #000000" fo:padding="0.0071in" fo:background-color="#c0c0c0"> + <style:background-image/> + </style:header-footer-properties> + </style:header-style> + <style:footer-style> + <style:header-footer-properties fo:min-height="0.2953in" fo:margin-left="0in" fo:margin-right="0in" fo:margin-top="0.0984in" fo:border="2.49pt solid #000000" fo:padding="0.0071in" fo:background-color="#c0c0c0"> + <style:background-image/> + </style:header-footer-properties> + </style:footer-style> + </style:page-layout> + </office:automatic-styles> + <office:master-styles> + <style:master-page style:name="Default" style:page-layout-name="pm1"> + <style:header> + <text:p><text:sheet-name>???</text:sheet-name></text:p> + </style:header> + <style:header-left style:display="false"/> + <style:footer> + <text:p>Page <text:page-number>1</text:page-number></text:p> + </style:footer> + <style:footer-left style:display="false"/> + </style:master-page> + <style:master-page style:name="Report" style:page-layout-name="pm2"> + <style:header> + <style:region-left> + <text:p><text:sheet-name>???</text:sheet-name> (<text:title>???</text:title>)</text:p> + </style:region-left> + <style:region-right> + <text:p><text:date style:data-style-name="N2" text:date-value="2015-05-01">00/00/0000</text:date>, <text:time>00:00:00</text:time></text:p> + </style:region-right> + </style:header> + <style:header-left style:display="false"/> + <style:footer> + <text:p>Page <text:page-number>1</text:page-number> / <text:page-count>99</text:page-count></text:p> + </style:footer> + <style:footer-left style:display="false"/> + </style:master-page> + </office:master-styles> + <office:body> + <office:spreadsheet> + <table:table table:name="testing" table:style-name="ta1"> + <table:table-column table:style-name="co1" table:default-cell-style-name="Default"/> + <table:table-column table:style-name="co2" table:default-cell-style-name="ce32"/> + <table:table-column table:style-name="co3" table:number-columns-repeated="3" table:default-cell-style-name="ce35"/> + <table:table-column table:style-name="co4" table:default-cell-style-name="ce35"/> + <table:table-column table:style-name="co5" table:default-cell-style-name="ce35"/> + <table:table-column table:style-name="co6" table:default-cell-style-name="ce35"/> + <table:table-column table:style-name="co7" table:default-cell-style-name="ce35"/> + <table:table-column table:style-name="co8" table:number-columns-repeated="1015" table:default-cell-style-name="Default"/> + <table:table-row table:style-name="ro1"> + <table:table-cell office:value-type="string"> + <text:p>!</text:p> + </table:table-cell> + <table:table-cell/> + <table:table-cell office:value-type="string"> + <text:p>A</text:p> + </table:table-cell> + <table:table-cell office:value-type="string"> + <text:p>B</text:p> + </table:table-cell> + <table:table-cell office:value-type="string"> + <text:p>Z</text:p> + </table:table-cell> + <table:table-cell office:value-type="string"> + <text:p>J</text:p> + </table:table-cell> + <table:table-cell office:value-type="string"> + <text:p>O</text:p> + </table:table-cell> + <table:table-cell office:value-type="string"> + <text:p>V</text:p> + </table:table-cell> + <table:table-cell office:value-type="string"> + <text:p>N</text:p> + </table:table-cell> + <table:table-cell table:number-columns-repeated="1015"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell/> + <table:table-cell table:style-name="ce33" office:value-type="string"> + <text:p>OS</text:p> + </table:table-cell> + <table:table-cell table:style-name="ce36" office:value-type="string"> + <text:p>Deb</text:p> + </table:table-cell> + <table:table-cell table:style-name="ce36" office:value-type="string"> + <text:p>Ubu</text:p> + </table:table-cell> + <table:table-cell table:number-columns-repeated="4" table:style-name="ce36" office:value-type="string"> + <text:p>Deb</text:p> + </table:table-cell> + <table:table-cell table:style-name="ce36" office:value-type="string"> + <text:p>Mac</text:p> + </table:table-cell> + <table:table-cell table:style-name="ce30" table:number-columns-repeated="1015"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell/> + <table:table-cell table:style-name="ce33" office:value-type="string"> + <text:p>Actual result</text:p> + </table:table-cell> + <table:table-cell table:number-columns-repeated="6" table:style-name="ce36" office:value-type="string"> + <text:p>DU</text:p> + </table:table-cell> + <table:table-cell table:style-name="ce36" office:value-type="string"> + <text:p>MD</text:p> + </table:table-cell> + <table:table-cell table:style-name="ce30" table:number-columns-repeated="1015"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell/> + <table:table-cell table:style-name="ce33" office:value-type="string"> + <text:p>1 – Welcome</text:p> + </table:table-cell> + <table:table-cell table:style-name="ce36" table:number-columns-repeated="7"/> + <table:table-cell table:style-name="ce30" table:number-columns-repeated="1015"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell table:style-name="ce29"/> + <table:table-cell office:value-type="string"> + <text:p>Doesn't understand “willing”</text:p> + </table:table-cell> + <table:table-cell table:style-name="ce37"/> + <table:table-cell table:style-name="ce38" table:number-columns-repeated="2"/> + <table:table-cell table:number-columns-repeated="2"/> + <table:table-cell table:style-name="ce38"/> + <table:table-cell table:style-name="ce47"/> + <table:table-cell table:number-columns-repeated="1015"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell/> + <table:table-cell table:style-name="ce34" office:value-type="string"> + <text:p>Like to be warned</text:p> + </table:table-cell> + <table:table-cell table:style-name="ce37"/> + <table:table-cell table:style-name="ce38" table:number-columns-repeated="2"/> + <table:table-cell table:number-columns-repeated="1019"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell/> + <table:table-cell table:style-name="ce34" office:value-type="string"> + <text:p>Possible to remove the second sentence</text:p> + </table:table-cell> + <table:table-cell table:style-name="ce38" table:number-columns-repeated="3"/> + <table:table-cell/> + <table:table-cell table:style-name="ce44"/> + <table:table-cell table:number-columns-repeated="1017"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell/> + <table:table-cell table:style-name="ce33" office:value-type="string"> + <text:p>2 – OS</text:p> + </table:table-cell> + <table:table-cell table:style-name="ce36" table:number-columns-repeated="7"/> + <table:table-cell table:style-name="ce30" table:number-columns-repeated="1015"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell/> + <table:table-cell table:style-name="ce34" office:value-type="string"> + <text:p>Thinks that you can run Tails on Windows</text:p> + </table:table-cell> + <table:table-cell table:style-name="ce38" table:number-columns-repeated="2"/> + <table:table-cell table:style-name="ce40"/> + <table:table-cell table:style-name="ce38" table:number-columns-repeated="1019"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell/> + <table:table-cell table:style-name="ce34" office:value-type="string"> + <text:p>Is wondering if “linux mint” is a Debian version</text:p> + </table:table-cell> + <table:table-cell table:style-name="ce38" table:number-columns-repeated="3"/> + <table:table-cell table:style-name="ce41"/> + <table:table-cell table:style-name="ce38" table:number-columns-repeated="1018"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell/> + <table:table-cell table:style-name="ce34" office:value-type="string"> + <text:p>Os could be detected</text:p> + </table:table-cell> + <table:table-cell table:style-name="ce38" table:number-columns-repeated="3"/> + <table:table-cell table:style-name="ce42"/> + <table:table-cell table:style-name="ce44"/> + <table:table-cell table:style-name="ce38" table:number-columns-repeated="1017"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell/> + <table:table-cell table:style-name="ce34" office:value-type="string"> + <text:p>If I want to install for an other computer than mine</text:p> + </table:table-cell> + <table:table-cell table:style-name="ce38" table:number-columns-repeated="3"/> + <table:table-cell table:style-name="ce42"/> + <table:table-cell table:style-name="ce44"/> + <table:table-cell table:style-name="ce38" table:number-columns-repeated="1017"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell/> + <table:table-cell table:style-name="ce34" office:value-type="string"> + <text:p>Doesn't know which OS to choose <text:s/>(several computers at home)</text:p> + </table:table-cell> + <table:table-cell table:style-name="ce38" table:number-columns-repeated="3"/> + <table:table-cell table:style-name="ce42"/> + <table:table-cell table:style-name="ce38" table:number-columns-repeated="2"/> + <table:table-cell table:style-name="ce47"/> + <table:table-cell table:style-name="ce38" table:number-columns-repeated="1015"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell/> + <table:table-cell table:style-name="ce33" office:value-type="string"> + <text:p>3 – Debian or Mac user</text:p> + </table:table-cell> + <table:table-cell table:style-name="ce36" table:number-columns-repeated="7"/> + <table:table-cell table:style-name="ce30" table:number-columns-repeated="1015"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell table:style-name="ce30"/> + <table:table-cell office:value-type="string"> + <text:p>Is worried about cloning an outdated version</text:p> + </table:table-cell> + <table:table-cell table:style-name="ce37"/> + <table:table-cell table:style-name="ce38"/> + <table:table-cell table:style-name="ce40"/> + <table:table-cell table:style-name="ce43"/> + <table:table-cell/> + <table:table-cell table:style-name="ce45"/> + <table:table-cell table:number-columns-repeated="1016"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell/> + <table:table-cell office:value-type="string"> + <text:p>Is worried about cloning an untrusted version</text:p> + </table:table-cell> + <table:table-cell table:style-name="ce37"/> + <table:table-cell table:style-name="ce38"/> + <table:table-cell table:number-columns-repeated="1020"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell table:style-name="ce30"/> + <table:table-cell office:value-type="string"> + <text:p>Doesn't understand “from scratch”</text:p> + </table:table-cell> + <table:table-cell table:style-name="ce37"/> + <table:table-cell table:style-name="ce38"/> + <table:table-cell table:number-columns-repeated="3"/> + <table:table-cell table:style-name="ce46"/> + <table:table-cell table:style-name="ce47"/> + <table:table-cell table:number-columns-repeated="1015"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell/> + <table:table-cell office:value-type="string"> + <text:p>Is confused about the different time references</text:p> + </table:table-cell> + <table:table-cell table:style-name="ce37"/> + <table:table-cell table:style-name="ce38"/> + <table:table-cell table:number-columns-repeated="1020"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell table:style-name="ce30"/> + <table:table-cell office:value-type="string"> + <text:p>The required size of the USB stick is not mentioned</text:p> + </table:table-cell> + <table:table-cell table:style-name="ce38" table:number-columns-repeated="2"/> + <table:table-cell/> + <table:table-cell table:style-name="ce41"/> + <table:table-cell table:style-name="ce44"/> + <table:table-cell table:number-columns-repeated="1017"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell/> + <table:table-cell office:value-type="string"> + <text:p>Finds it hard to understand the download size</text:p> + </table:table-cell> + <table:table-cell table:style-name="ce37"/> + <table:table-cell table:style-name="ce38"/> + <table:table-cell table:number-columns-repeated="1020"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell/> + <table:table-cell office:value-type="string"> + <text:p>Doesn't remember the “virtual machine” option</text:p> + </table:table-cell> + <table:table-cell table:style-name="ce38"/> + <table:table-cell table:style-name="ce39"/> + <table:table-cell table:number-columns-repeated="1020"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell/> + <table:table-cell table:style-name="ce33" office:value-type="string"> + <text:p>4 – Command vs graphical</text:p> + </table:table-cell> + <table:table-cell table:style-name="ce36" table:number-columns-repeated="7"/> + <table:table-cell table:style-name="ce30" table:number-columns-repeated="1015"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell/> + <table:table-cell office:value-type="string"> + <text:p>You don't know if it's basic or advanced command line</text:p> + </table:table-cell> + <table:table-cell table:number-columns-repeated="3"/> + <table:table-cell table:style-name="ce43"/> + <table:table-cell table:number-columns-repeated="1018"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell/> + <table:table-cell office:value-type="string"> + <text:p>Not clear if OpenPGP is in graphical too</text:p> + </table:table-cell> + <table:table-cell table:number-columns-repeated="4"/> + <table:table-cell table:style-name="ce44"/> + <table:table-cell table:number-columns-repeated="1017"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell/> + <table:table-cell office:value-type="string"> + <text:p>Not clear if you need to know OpenPGP to do command line</text:p> + </table:table-cell> + <table:table-cell table:number-columns-repeated="4"/> + <table:table-cell table:style-name="ce44"/> + <table:table-cell table:number-columns-repeated="1017"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell table:style-name="ce31"/> + <table:table-cell table:style-name="ce33" office:value-type="string"> + <text:p>5 – Specific to Mac</text:p> + </table:table-cell> + <table:table-cell table:style-name="ce36" table:number-columns-repeated="7"/> + <table:table-cell table:style-name="ce30" table:number-columns-repeated="1015"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell/> + <table:table-cell office:value-type="string"> + <text:p>Laptop / desktop are not familiar words</text:p> + </table:table-cell> + <table:table-cell table:number-columns-repeated="6"/> + <table:table-cell table:style-name="ce47"/> + <table:table-cell table:number-columns-repeated="1015"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell/> + <table:table-cell office:value-type="string"> + <text:p>Why B in GB to download ?</text:p> + </table:table-cell> + <table:table-cell table:number-columns-repeated="6"/> + <table:table-cell table:style-name="ce47"/> + <table:table-cell table:number-columns-repeated="1015"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell/> + <table:table-cell office:value-type="string"> + <text:p>“run” a virtual machine, what is “run”</text:p> + </table:table-cell> + <table:table-cell table:number-columns-repeated="6"/> + <table:table-cell table:style-name="ce47"/> + <table:table-cell table:number-columns-repeated="1015"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell/> + <table:table-cell office:value-type="string"> + <text:p>Burn a DVD, what is “burn”</text:p> + </table:table-cell> + <table:table-cell table:number-columns-repeated="6"/> + <table:table-cell table:style-name="ce47"/> + <table:table-cell table:number-columns-repeated="1015"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell/> + <table:table-cell office:value-type="string"> + <text:p>Why “you can also” options ? </text:p> + </table:table-cell> + <table:table-cell table:number-columns-repeated="6"/> + <table:table-cell table:style-name="ce48"/> + <table:table-cell table:number-columns-repeated="1015"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell/> + <table:table-cell office:value-type="string"> + <text:p>“my” DVD, who is talking, “my”</text:p> + </table:table-cell> + <table:table-cell table:number-columns-repeated="6"/> + <table:table-cell table:style-name="ce47"/> + <table:table-cell table:number-columns-repeated="1015"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell/> + <table:table-cell office:value-type="string"> + <text:p>Is wondering if people know what command line is</text:p> + </table:table-cell> + <table:table-cell table:number-columns-repeated="6"/> + <table:table-cell table:style-name="ce47"/> + <table:table-cell table:number-columns-repeated="1015"/> + </table:table-row> + <table:table-row table:style-name="ro1"> + <table:table-cell/> + <table:table-cell office:value-type="string"> + <text:p>Is wondering if people have a DVD burner, not just readers</text:p> + </table:table-cell> + <table:table-cell table:number-columns-repeated="6"/> + <table:table-cell table:style-name="ce47"/> + <table:table-cell table:number-columns-repeated="1015"/> + </table:table-row> + <table:table-row table:style-name="ro1" table:number-rows-repeated="1048512"> + <table:table-cell table:number-columns-repeated="1024"/> + </table:table-row> + <table:table-row table:style-name="ro2" table:number-rows-repeated="29"> + <table:table-cell table:number-columns-repeated="1024"/> + </table:table-row> + <table:table-row table:style-name="ro2"> + <table:table-cell table:number-columns-repeated="1024"/> + </table:table-row> + </table:table> + <table:named-expressions/> + </office:spreadsheet> + </office:body> +</office:document> \ No newline at end of file diff --git a/wiki/src/blueprint/bootstrapping/assistant/router/3rd_iteration/router-3rd-iteration.fodg b/wiki/src/blueprint/bootstrapping/assistant/router/3rd_iteration/router-3rd-iteration.fodg new file mode 100644 index 0000000000000000000000000000000000000000..7fd422124e82bf0f86f01bd0dfb69058dcc4c4d5 --- /dev/null +++ b/wiki/src/blueprint/bootstrapping/assistant/router/3rd_iteration/router-3rd-iteration.fodg @@ -0,0 +1,543 @@ +<?xml version="1.0" encoding="UTF-8"?> + +<office:document xmlns:office="urn:oasis:names:tc:opendocument:xmlns:office:1.0" xmlns:style="urn:oasis:names:tc:opendocument:xmlns:style:1.0" xmlns:text="urn:oasis:names:tc:opendocument:xmlns:text:1.0" xmlns:table="urn:oasis:names:tc:opendocument:xmlns:table:1.0" xmlns:draw="urn:oasis:names:tc:opendocument:xmlns:drawing:1.0" xmlns:fo="urn:oasis:names:tc:opendocument:xmlns:xsl-fo-compatible:1.0" xmlns:xlink="http://www.w3.org/1999/xlink" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:meta="urn:oasis:names:tc:opendocument:xmlns:meta:1.0" xmlns:number="urn:oasis:names:tc:opendocument:xmlns:datastyle:1.0" xmlns:presentation="urn:oasis:names:tc:opendocument:xmlns:presentation:1.0" xmlns:svg="urn:oasis:names:tc:opendocument:xmlns:svg-compatible:1.0" xmlns:chart="urn:oasis:names:tc:opendocument:xmlns:chart:1.0" xmlns:dr3d="urn:oasis:names:tc:opendocument:xmlns:dr3d:1.0" xmlns:math="http://www.w3.org/1998/Math/MathML" xmlns:form="urn:oasis:names:tc:opendocument:xmlns:form:1.0" xmlns:script="urn:oasis:names:tc:opendocument:xmlns:script:1.0" xmlns:config="urn:oasis:names:tc:opendocument:xmlns:config:1.0" xmlns:ooo="http://openoffice.org/2004/office" xmlns:ooow="http://openoffice.org/2004/writer" xmlns:oooc="http://openoffice.org/2004/calc" xmlns:dom="http://www.w3.org/2001/xml-events" xmlns:xforms="http://www.w3.org/2002/xforms" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:smil="urn:oasis:names:tc:opendocument:xmlns:smil-compatible:1.0" xmlns:anim="urn:oasis:names:tc:opendocument:xmlns:animation:1.0" xmlns:rpt="http://openoffice.org/2005/report" xmlns:of="urn:oasis:names:tc:opendocument:xmlns:of:1.2" xmlns:xhtml="http://www.w3.org/1999/xhtml" xmlns:grddl="http://www.w3.org/2003/g/data-view#" xmlns:officeooo="http://openoffice.org/2009/office" xmlns:tableooo="http://openoffice.org/2009/table" xmlns:drawooo="http://openoffice.org/2010/draw" xmlns:field="urn:openoffice:names:experimental:ooo-ms-interop:xmlns:field:1.0" xmlns:formx="urn:openoffice:names:experimental:ooxml-odf-interop:xmlns:form:1.0" xmlns:css3t="http://www.w3.org/TR/css3-text/" office:version="1.2" office:mimetype="application/vnd.oasis.opendocument.graphics"> + <office:meta><meta:initial-creator>Debian user</meta:initial-creator><meta:creation-date>2015-03-24T18:13:46</meta:creation-date><dc:date>2015-04-18T21:31:09</dc:date><dc:creator>Debian user</dc:creator><meta:editing-duration>PT3H42M29S</meta:editing-duration><meta:editing-cycles>26</meta:editing-cycles><meta:generator>LibreOffice/3.5$Linux_x86 LibreOffice_project/350m1$Build-2</meta:generator><meta:document-statistic meta:object-count="48"/></office:meta> + <office:settings> + <config:config-item-set config:name="ooo:view-settings"> + <config:config-item config:name="VisibleAreaTop" config:type="int">-1799</config:config-item> + <config:config-item config:name="VisibleAreaLeft" config:type="int">38470</config:config-item> + <config:config-item config:name="VisibleAreaWidth" config:type="int">47043</config:config-item> + <config:config-item config:name="VisibleAreaHeight" config:type="int">24236</config:config-item> + <config:config-item-map-indexed config:name="Views"> + <config:config-item-map-entry> + <config:config-item config:name="ViewId" config:type="string">view1</config:config-item> + <config:config-item config:name="GridIsVisible" config:type="boolean">false</config:config-item> + <config:config-item config:name="GridIsFront" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsSnapToGrid" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsSnapToPageMargins" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsSnapToSnapLines" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsSnapToObjectFrame" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsSnapToObjectPoints" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPlusHandlesAlwaysVisible" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsFrameDragSingles" config:type="boolean">true</config:config-item> + <config:config-item config:name="EliminatePolyPointLimitAngle" config:type="int">1500</config:config-item> + <config:config-item config:name="IsEliminatePolyPoints" config:type="boolean">false</config:config-item> + <config:config-item config:name="VisibleLayers" config:type="base64Binary">//////////////////////////////////////////8=</config:config-item> + <config:config-item config:name="PrintableLayers" config:type="base64Binary">//////////////////////////////////////////8=</config:config-item> + <config:config-item config:name="LockedLayers" config:type="base64Binary"/> + <config:config-item config:name="NoAttribs" config:type="boolean">false</config:config-item> + <config:config-item config:name="NoColors" config:type="boolean">true</config:config-item> + <config:config-item config:name="RulerIsVisible" config:type="boolean">true</config:config-item> + <config:config-item config:name="PageKind" config:type="short">0</config:config-item> + <config:config-item config:name="SelectedPage" config:type="short">0</config:config-item> + <config:config-item config:name="IsLayerMode" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsDoubleClickTextEdit" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsClickChangeRotation" config:type="boolean">false</config:config-item> + <config:config-item config:name="SlidesPerRow" config:type="short">4</config:config-item> + <config:config-item config:name="EditModeStandard" config:type="int">0</config:config-item> + <config:config-item config:name="EditModeNotes" config:type="int">0</config:config-item> + <config:config-item config:name="EditModeHandout" config:type="int">1</config:config-item> + <config:config-item config:name="VisibleAreaTop" config:type="int">-1799</config:config-item> + <config:config-item config:name="VisibleAreaLeft" config:type="int">38470</config:config-item> + <config:config-item config:name="VisibleAreaWidth" config:type="int">47044</config:config-item> + <config:config-item config:name="VisibleAreaHeight" config:type="int">24237</config:config-item> + <config:config-item config:name="GridCoarseWidth" config:type="int">1270</config:config-item> + <config:config-item config:name="GridCoarseHeight" config:type="int">1270</config:config-item> + <config:config-item config:name="GridFineWidth" config:type="int">127</config:config-item> + <config:config-item config:name="GridFineHeight" config:type="int">127</config:config-item> + <config:config-item config:name="GridSnapWidthXNumerator" config:type="int">127</config:config-item> + <config:config-item config:name="GridSnapWidthXDenominator" config:type="int">1</config:config-item> + <config:config-item config:name="GridSnapWidthYNumerator" config:type="int">127</config:config-item> + <config:config-item config:name="GridSnapWidthYDenominator" config:type="int">1</config:config-item> + <config:config-item config:name="IsAngleSnapEnabled" config:type="boolean">false</config:config-item> + <config:config-item config:name="SnapAngle" config:type="int">1500</config:config-item> + <config:config-item config:name="ZoomOnPage" config:type="boolean">false</config:config-item> + </config:config-item-map-entry> + </config:config-item-map-indexed> + </config:config-item-set> + <config:config-item-set config:name="ooo:configuration-settings"> + <config:config-item config:name="ApplyUserData" config:type="boolean">true</config:config-item> + <config:config-item config:name="BitmapTableURL" config:type="string">$(user)/config/standard.sob</config:config-item> + <config:config-item config:name="CharacterCompressionType" config:type="short">0</config:config-item> + <config:config-item config:name="ColorTableURL" config:type="string">$(user)/config/standard.soc</config:config-item> + <config:config-item config:name="DashTableURL" config:type="string">$(user)/config/standard.sod</config:config-item> + <config:config-item config:name="DefaultTabStop" config:type="int">1270</config:config-item> + <config:config-item-map-indexed config:name="ForbiddenCharacters"> + <config:config-item-map-entry> + <config:config-item config:name="Language" config:type="string">en</config:config-item> + <config:config-item config:name="Country" config:type="string">US</config:config-item> + <config:config-item config:name="Variant" config:type="string"/> + <config:config-item config:name="BeginLine" config:type="string"/> + <config:config-item config:name="EndLine" config:type="string"/> + </config:config-item-map-entry> + </config:config-item-map-indexed> + <config:config-item config:name="GradientTableURL" config:type="string">$(user)/config/standard.sog</config:config-item> + <config:config-item config:name="HatchTableURL" config:type="string">$(user)/config/standard.soh</config:config-item> + <config:config-item config:name="IsKernAsianPunctuation" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintBooklet" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintBookletBack" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsPrintBookletFront" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsPrintDate" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintFitPage" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintHiddenPages" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsPrintPageName" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintTilePage" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintTime" config:type="boolean">false</config:config-item> + <config:config-item config:name="LineEndTableURL" config:type="string">$(user)/config/standard.soe</config:config-item> + <config:config-item config:name="LoadReadonly" config:type="boolean">false</config:config-item> + <config:config-item config:name="MeasureUnit" config:type="short">7</config:config-item> + <config:config-item config:name="PageNumberFormat" config:type="int">4</config:config-item> + <config:config-item config:name="ParagraphSummation" config:type="boolean">false</config:config-item> + <config:config-item config:name="PrintQuality" config:type="int">0</config:config-item> + <config:config-item config:name="PrinterIndependentLayout" config:type="string">low-resolution</config:config-item> + <config:config-item config:name="PrinterName" config:type="string">Generic Printer</config:config-item> + <config:config-item config:name="PrinterSetup" config:type="base64Binary">jAH+/0dlbmVyaWMgUHJpbnRlcgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAU0dFTlBSVAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAWAAMAsgAAAAAAAAAEAAhSAAAEdAAASm9iRGF0YSAxCnByaW50ZXI9R2VuZXJpYyBQcmludGVyCm9yaWVudGF0aW9uPVBvcnRyYWl0CmNvcGllcz0xCm1hcmdpbmRhanVzdG1lbnQ9MCwwLDAsMApjb2xvcmRlcHRoPTI0CnBzbGV2ZWw9MApwZGZkZXZpY2U9MApjb2xvcmRldmljZT0wClBQRENvbnRleERhdGEKRHVwbGV4Ok5vbmUAUGFnZVNpemU6QTQAABIAQ09NUEFUX0RVUExFWF9NT0RFCgBEVVBMRVhfT0ZG</config:config-item> + <config:config-item config:name="SaveVersionOnClose" config:type="boolean">false</config:config-item> + <config:config-item config:name="ScaleDenominator" config:type="int">1</config:config-item> + <config:config-item config:name="ScaleNumerator" config:type="int">1</config:config-item> + <config:config-item config:name="UpdateFromTemplate" config:type="boolean">true</config:config-item> + </config:config-item-set> + </office:settings> + <office:scripts> + <office:script script:language="ooo:Basic"> + <ooo:libraries xmlns:ooo="http://openoffice.org/2004/office" xmlns:xlink="http://www.w3.org/1999/xlink"> + <ooo:library-embedded ooo:name="Standard"/> + </ooo:libraries> + </office:script> + </office:scripts> + <office:styles> + <draw:gradient draw:name="Gradient_20_7" draw:display-name="Gradient 7" draw:style="linear" draw:start-color="#808080" draw:end-color="#ffffff" draw:start-intensity="100%" draw:end-intensity="100%" draw:angle="0" draw:border="0%"/> + <draw:hatch draw:name="Hatching_20_1" draw:display-name="Hatching 1" draw:style="single" draw:color="#808080" draw:distance="0.02cm" draw:rotation="0"/> + <draw:fill-image draw:name="Bitmape_20_1" draw:display-name="Bitmape 1"> + <office:binary-data>iVBORw0KGgoAAAANSUhEUgAAACAAAAAgCAMAAABEpIrGAAADAFBMVEUAAAAAAIAAgAAAgICA + AACAAICAgACAgIDAwMAAAP8A/wAA////AAD/AP///wD///8AAAAzAABmAACZAADMAAD/AAAA + MwAzMwBmMwCZMwDMMwD/MwAAZgAzZgBmZgCZZgDMZgD/ZgAAmQAzmQBmmQCZmQDMmQD/mQAA + zAAzzABmzACZzADMzAD/zAAA/wAz/wBm/wCZ/wDM/wD//wAAADMzADNmADOZADPMADP/ADMA + MzMzMzNmMzOZMzPMMzP/MzMAZjMzZjNmZjOZZjPMZjP/ZjMAmTMzmTNmmTOZmTPMmTP/mTMA + zDMzzDNmzDOZzDPMzDP/zDMA/zMz/zNm/zOZ/zPM/zP//zMAAGYzAGZmAGaZAGbMAGb/AGYA + M2YzM2ZmM2aZM2bMM2b/M2YAZmYzZmZmZmaZZmbMZmb/ZmYAmWYzmWZmmWaZmWbMmWb/mWYA + zGYzzGZmzGaZzGbMzGb/zGYA/2Yz/2Zm/2aZ/2bM/2b//2YAAJkzAJlmAJmZAJnMAJn/AJkA + M5kzM5lmM5mZM5nMM5n/M5kAZpkzZplmZpmZZpnMZpn/ZpkAmZkzmZlmmZmZmZnMmZn/mZkA + zJkzzJlmzJmZzJnMzJn/zJkA/5kz/5lm/5mZ/5nM/5n//5kAAMwzAMxmAMyZAMzMAMz/AMwA + M8wzM8xmM8yZM8zMM8z/M8wAZswzZsxmZsyZZszMZsz/ZswAmcwzmcxmmcyZmczMmcz/mcwA + zMwzzMxmzMyZzMzMzMz/zMwA/8wz/8xm/8yZ/8zM/8z//8wAAP8zAP9mAP+ZAP/MAP//AP8A + M/8zM/9mM/+ZM//MM///M/8AZv8zZv9mZv+ZZv/MZv//Zv8Amf8zmf9mmf+Zmf/Mmf//mf8A + zP8zzP9mzP+ZzP/MzP//zP8A//8z//9m//+Z///M//////8AuP8AAAAAAAAAAAAAAAAAAAAA + AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAC4 + 0k8YAAAAFklEQVR4nGPgJwAYRhWMKhhVMFIVAADLVTwBNA/g8AAAAABJRU5ErkJggg== + </office:binary-data> + </draw:fill-image> + <draw:marker draw:name="Arrow" svg:viewBox="0 0 20 30" svg:d="m10 0-10 30h20z"/> + <draw:stroke-dash draw:name="Fine_20_Dashed" draw:display-name="Fine Dashed" draw:style="rect" draw:dots1="1" draw:dots1-length="0.508cm" draw:dots2="1" draw:dots2-length="0.508cm" draw:distance="0.508cm"/> + <style:default-style style:family="graphic"> + <style:graphic-properties svg:stroke-color="#808080" draw:fill-color="#cfe7f5" fo:wrap-option="no-wrap"/> + <style:paragraph-properties style:text-autospace="ideograph-alpha" style:punctuation-wrap="simple" style:line-break="strict" style:writing-mode="lr-tb" style:font-independent-line-spacing="false"> + <style:tab-stops/> + </style:paragraph-properties> + <style:text-properties style:use-window-font-color="true" fo:font-family="'Liberation Serif'" style:font-family-generic="roman" style:font-pitch="variable" fo:font-size="24pt" fo:language="en" fo:country="US" style:font-family-asian="'DejaVu Sans'" style:font-family-generic-asian="system" style:font-pitch-asian="variable" style:font-size-asian="24pt" style:language-asian="zh" style:country-asian="CN" style:font-family-complex="'DejaVu Sans'" style:font-family-generic-complex="system" style:font-pitch-complex="variable" style:font-size-complex="24pt" style:language-complex="hi" style:country-complex="IN"/> + </style:default-style> + <style:style style:name="standard" style:family="graphic"> + <style:graphic-properties draw:stroke="solid" svg:stroke-width="0cm" svg:stroke-color="#808080" draw:marker-start-width="0.2cm" draw:marker-start-center="false" draw:marker-end-width="0.2cm" draw:marker-end-center="false" draw:fill="solid" draw:fill-color="#cfe7f5" draw:textarea-horizontal-align="justify" fo:padding-top="0.125cm" fo:padding-bottom="0.125cm" fo:padding-left="0.25cm" fo:padding-right="0.25cm" draw:shadow="hidden" draw:shadow-offset-x="0.2cm" draw:shadow-offset-y="0.2cm" draw:shadow-color="#808080"> + <text:list-style style:name="standard"> + <text:list-level-style-bullet text:level="1" text:bullet-char="●"> + <style:list-level-properties text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="2" text:bullet-char="●"> + <style:list-level-properties text:space-before="0.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="3" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="4" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="5" text:bullet-char="●"> + <style:list-level-properties text:space-before="2.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="6" text:bullet-char="●"> + <style:list-level-properties text:space-before="3cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="7" text:bullet-char="●"> + <style:list-level-properties text:space-before="3.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="8" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="9" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="10" text:bullet-char="●"> + <style:list-level-properties text:space-before="5.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + </text:list-style> + </style:graphic-properties> + <style:paragraph-properties fo:margin-left="0cm" fo:margin-right="0cm" fo:margin-top="0cm" fo:margin-bottom="0cm" fo:line-height="100%" fo:text-indent="0cm"/> + <style:text-properties style:use-window-font-color="true" style:text-outline="false" style:text-line-through-style="none" fo:font-family="'Liberation Sans'" style:font-family-generic="roman" style:font-pitch="variable" fo:font-size="18pt" fo:font-style="normal" fo:text-shadow="none" style:text-underline-style="none" fo:font-weight="normal" style:letter-kerning="true" style:font-family-asian="'AR PL UKai CN'" style:font-family-generic-asian="system" style:font-pitch-asian="variable" style:font-size-asian="18pt" style:font-style-asian="normal" style:font-weight-asian="normal" style:font-family-complex="'Lohit Devanagari'" style:font-family-generic-complex="system" style:font-pitch-complex="variable" style:font-size-complex="18pt" style:font-style-complex="normal" style:font-weight-complex="normal" style:text-emphasize="none" style:font-relief="none" style:text-overline-style="none" style:text-overline-color="font-color"/> + </style:style> + <style:style style:name="objectwitharrow" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="solid" svg:stroke-width="0.15cm" svg:stroke-color="#000000" draw:marker-start="Arrow" draw:marker-start-width="0.7cm" draw:marker-start-center="true" draw:marker-end-width="0.3cm"/> + </style:style> + <style:style style:name="objectwithshadow" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:shadow="visible" draw:shadow-offset-x="0.2cm" draw:shadow-offset-y="0.2cm" draw:shadow-color="#808080"/> + </style:style> + <style:style style:name="objectwithoutfill" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="solid" draw:stroke-dash="Fine_20_Dashed" svg:stroke-color="#000000" draw:fill="none" draw:fill-gradient-name="Gradient_20_7" draw:fill-hatch-name="Hatching_20_1" draw:fill-image-name="Bitmape_20_1"/> + </style:style> + <style:style style:name="text" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + </style:style> + <style:style style:name="textbody" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:text-properties fo:font-size="16pt"/> + </style:style> + <style:style style:name="textbodyjustfied" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:paragraph-properties fo:text-align="justify"/> + </style:style> + <style:style style:name="textbodyindent" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:paragraph-properties fo:margin-left="0cm" fo:margin-right="0cm" fo:text-indent="0.6cm"/> + </style:style> + <style:style style:name="title" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:text-properties fo:font-size="44pt"/> + </style:style> + <style:style style:name="title1" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="solid" draw:fill-color="#008080" draw:shadow="visible" draw:shadow-offset-x="0.2cm" draw:shadow-offset-y="0.2cm" draw:shadow-color="#808080"/> + <style:paragraph-properties fo:text-align="center"/> + <style:text-properties fo:font-size="24pt"/> + </style:style> + <style:style style:name="title2" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties svg:stroke-width="0.05cm" draw:fill-color="#ffcc99" draw:shadow="visible" draw:shadow-offset-x="0.2cm" draw:shadow-offset-y="0.2cm" draw:shadow-color="#808080"/> + <style:paragraph-properties fo:margin-left="0cm" fo:margin-right="0.2cm" fo:margin-top="0.1cm" fo:margin-bottom="0.1cm" fo:text-align="center" fo:text-indent="0cm"/> + <style:text-properties fo:font-size="36pt"/> + </style:style> + <style:style style:name="headline" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:paragraph-properties fo:margin-top="0.42cm" fo:margin-bottom="0.21cm"/> + <style:text-properties fo:font-size="24pt"/> + </style:style> + <style:style style:name="headline1" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:paragraph-properties fo:margin-top="0.42cm" fo:margin-bottom="0.21cm"/> + <style:text-properties fo:font-size="18pt" fo:font-weight="bold"/> + </style:style> + <style:style style:name="headline2" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:paragraph-properties fo:margin-top="0.42cm" fo:margin-bottom="0.21cm"/> + <style:text-properties fo:font-size="14pt" fo:font-style="italic" fo:font-weight="bold"/> + </style:style> + <style:style style:name="measure" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="solid" svg:stroke-color="#000000" draw:marker-start="Arrow" draw:marker-start-width="0.2cm" draw:marker-end="Arrow" draw:marker-end-width="0.2cm" draw:fill="none" draw:show-unit="true"/> + <style:text-properties fo:font-size="12pt"/> + </style:style> + </office:styles> + <office:automatic-styles> + <style:page-layout style:name="PM0"> + <style:page-layout-properties fo:margin-top="1cm" fo:margin-bottom="1cm" fo:margin-left="1cm" fo:margin-right="1cm" fo:page-width="76.2cm" fo:page-height="25.4cm" style:print-orientation="landscape"/> + </style:page-layout> + <style:style style:name="dp1" style:family="drawing-page"> + <style:drawing-page-properties draw:background-size="border" draw:fill="none"/> + </style:style> + <style:style style:name="dp2" style:family="drawing-page"/> + <style:style style:name="gr1" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:fill="solid" draw:fill-color="#ffffff" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false"/> + </style:style> + <style:style style:name="gr2" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties draw:marker-end="Arrow" draw:marker-end-width="0.3cm" draw:fill="none" draw:textarea-vertical-align="middle"/> + </style:style> + <style:style style:name="gr3" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties draw:stroke="dash" draw:marker-end="Arrow" draw:marker-end-width="0.3cm" draw:fill="none" draw:textarea-vertical-align="middle"/> + </style:style> + <style:style style:name="gr4" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false" fo:min-height="0cm" fo:min-width="0cm" fo:wrap-option="no-wrap"/> + </style:style> + <style:style style:name="P1" style:family="paragraph"> + <style:paragraph-properties fo:text-align="center"/> + </style:style> + <text:list-style style:name="L1"> + <text:list-level-style-bullet text:level="1" text:bullet-char="●"> + <style:list-level-properties text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="2" text:bullet-char="●"> + <style:list-level-properties text:space-before="0.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="3" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="4" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="5" text:bullet-char="●"> + <style:list-level-properties text:space-before="2.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="6" text:bullet-char="●"> + <style:list-level-properties text:space-before="3cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="7" text:bullet-char="●"> + <style:list-level-properties text:space-before="3.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="8" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="9" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="10" text:bullet-char="●"> + <style:list-level-properties text:space-before="5.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + </text:list-style> + </office:automatic-styles> + <office:master-styles> + <draw:layer-set> + <draw:layer draw:name="layout"/> + <draw:layer draw:name="background"/> + <draw:layer draw:name="backgroundobjects"/> + <draw:layer draw:name="controls"/> + <draw:layer draw:name="measurelines"/> + </draw:layer-set> + <style:master-page style:name="Default" style:page-layout-name="PM0" draw:style-name="dp1"/> + </office:master-styles> + <office:body> + <office:drawing> + <draw:page draw:name="page1" draw:style-name="dp2" draw:master-page-name="Default"> + <draw:custom-shape draw:style-name="gr1" draw:text-style-name="P1" xml:id="id1" draw:id="id1" draw:layer="layout" svg:width="1.803cm" svg:height="1.804cm" svg:x="38.12cm" svg:y="3.641cm"> + <text:p text:style-name="P1">OS</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="5400 5400 16200 16200" draw:type="flowchart-decision" draw:enhanced-path="M 0 10800 L 10800 0 21600 10800 10800 21600 0 10800 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:x1="38.12cm" svg:y1="4.543cm" svg:x2="12.21cm" svg:y2="6.588cm" draw:start-shape="id1" draw:start-glue-point="5" draw:end-shape="id2" draw:end-glue-point="4" svg:d="m38120 4543h-25910v2045"> + <text:p text:style-name="P1">Debian</text:p> + </draw:connector> + <draw:connector draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:x1="12.21cm" svg:y1="8.391cm" svg:x2="6.721cm" svg:y2="12.246cm" draw:start-shape="id2" draw:start-glue-point="6" draw:end-shape="id3" draw:end-glue-point="4" svg:d="m12210 8391v1927h-5489v1928"> + <text:p text:style-name="P1">USB</text:p> + </draw:connector> + <draw:connector draw:style-name="gr3" draw:text-style-name="P1" draw:layer="layout" svg:x1="13.111cm" svg:y1="7.49cm" svg:x2="18.523cm" svg:y2="12.247cm" draw:start-shape="id2" draw:start-glue-point="7" draw:end-shape="id4" draw:end-glue-point="4" svg:d="m13111 7490h5412v4757"> + <text:p text:style-name="P1">DVD</text:p> + </draw:connector> + <draw:connector draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:x1="39.923cm" svg:y1="4.543cm" svg:x2="64.002cm" svg:y2="5.74cm" draw:start-shape="id1" draw:start-glue-point="7" draw:end-shape="id5" draw:end-glue-point="4" svg:d="m39923 4543h24079v1197"> + <text:p text:style-name="P1">Mac</text:p> + </draw:connector> + <draw:connector draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:x1="39.923cm" svg:y1="4.543cm" svg:x2="47.28cm" svg:y2="9.198cm" draw:start-shape="id1" draw:start-glue-point="7" draw:end-shape="id6" draw:end-glue-point="4" svg:d="m39923 4543h7357v4655"> + <text:p text:style-name="P1">Windows</text:p> + </draw:connector> + <draw:connector draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:x1="38.12cm" svg:y1="4.543cm" svg:x2="32.477cm" svg:y2="9.195cm" draw:start-shape="id1" draw:start-glue-point="5" draw:end-shape="id7" draw:end-glue-point="4" svg:d="m38120 4543h-5643v4652"> + <text:p text:style-name="P1">Linux</text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr1" draw:text-style-name="P1" xml:id="id8" draw:id="id8" draw:layer="layout" svg:width="1.803cm" svg:height="1.803cm" svg:x="63.125cm" svg:y="12.751cm"> + <text:p text:style-name="P1">DVD</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="5400 5400 16200 16200" draw:type="flowchart-decision" draw:enhanced-path="M 0 10800 L 10800 0 21600 10800 10800 21600 0 10800 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr1" draw:text-style-name="P1" xml:id="id9" draw:id="id9" draw:layer="layout" svg:width="6.049cm" svg:height="0.933cm" svg:x="58.016cm" svg:y="15.388cm"> + <text:p text:style-name="P1">Mac USB via DVD</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr1" draw:text-style-name="P1" xml:id="id10" draw:id="id10" draw:layer="layout" svg:width="6.049cm" svg:height="0.933cm" svg:x="64.515cm" svg:y="15.387cm"> + <text:p text:style-name="P1">Mac USB via USB</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr1" draw:text-style-name="P1" xml:id="id12" draw:id="id12" draw:layer="layout" svg:width="3.386cm" svg:height="0.933cm" svg:x="71.114cm" svg:y="12.386cm"> + <text:p text:style-name="P1">Mac DVD</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:x1="63.125cm" svg:y1="13.653cm" svg:x2="61.041cm" svg:y2="15.388cm" draw:start-shape="id8" draw:start-glue-point="5" draw:end-shape="id9" draw:end-glue-point="4" svg:d="m63125 13653h-2084v1735"> + <text:p text:style-name="P1">Yes</text:p> + </draw:connector> + <draw:connector draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:x1="64.928cm" svg:y1="13.653cm" svg:x2="67.54cm" svg:y2="15.387cm" draw:start-shape="id8" draw:start-glue-point="7" draw:end-shape="id10" draw:end-glue-point="4" svg:d="m64928 13653h2612v1734"> + <text:p text:style-name="P1">No</text:p> + </draw:connector> + <draw:connector draw:style-name="gr3" draw:text-style-name="P1" draw:layer="layout" svg:x1="64.898cm" svg:y1="10.108cm" svg:x2="72.807cm" svg:y2="12.386cm" draw:start-shape="id11" draw:start-glue-point="7" draw:end-shape="id12" draw:end-glue-point="4" svg:d="m64898 10108h7909v2278"> + <text:p text:style-name="P1">DVD</text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr1" draw:text-style-name="P1" xml:id="id11" draw:id="id11" draw:layer="layout" svg:width="1.803cm" svg:height="1.803cm" svg:x="63.095cm" svg:y="9.206cm"> + <text:p text:style-name="P1">Clone/Install</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="5400 5400 16200 16200" draw:type="flowchart-decision" draw:enhanced-path="M 0 10800 L 10800 0 21600 10800 10800 21600 0 10800 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:x1="64.002cm" svg:y1="7.423cm" svg:x2="63.997cm" svg:y2="9.206cm" draw:start-shape="id5" draw:start-glue-point="6" draw:end-shape="id11" draw:end-glue-point="4" svg:d="m64002 7423v891h-5v892"> + <text:p text:style-name="P1">Model</text:p> + </draw:connector> + <draw:connector draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:x1="63.997cm" svg:y1="11.009cm" svg:x2="64.027cm" svg:y2="12.751cm" draw:start-shape="id11" draw:start-glue-point="6" draw:end-shape="id8" draw:end-glue-point="4" svg:d="m63997 11009v871h30v871"> + <text:p text:style-name="P1">Install</text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr1" draw:text-style-name="P1" xml:id="id13" draw:id="id13" draw:layer="layout" svg:width="2.485cm" svg:height="0.933cm" svg:x="54.879cm" svg:y="15.387cm"> + <text:p text:style-name="P1">Clone</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:x1="63.095cm" svg:y1="10.108cm" svg:x2="56.122cm" svg:y2="15.387cm" draw:start-shape="id11" draw:start-glue-point="5" draw:end-shape="id13" draw:end-glue-point="4" svg:d="m63095 10108h-6973v5279"> + <text:p text:style-name="P1">Clone</text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr1" draw:text-style-name="P1" xml:id="id6" draw:id="id6" draw:layer="layout" svg:width="1.803cm" svg:height="1.803cm" svg:x="46.378cm" svg:y="9.198cm"> + <text:p text:style-name="P1">Clone/Install</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="5400 5400 16200 16200" draw:type="flowchart-decision" draw:enhanced-path="M 0 10800 L 10800 0 21600 10800 10800 21600 0 10800 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr1" draw:text-style-name="P1" xml:id="id15" draw:id="id15" draw:layer="layout" svg:width="4.939cm" svg:height="0.933cm" svg:x="49.366cm" svg:y="11.932cm"> + <text:p text:style-name="P1">Windows DVD</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr1" draw:text-style-name="P1" xml:id="id14" draw:id="id14" draw:layer="layout" svg:width="3.008cm" svg:height="0.933cm" svg:x="39.678cm" svg:y="15.386cm"> + <text:p text:style-name="P1">Clone</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:x1="46.378cm" svg:y1="10.1cm" svg:x2="41.182cm" svg:y2="15.386cm" draw:start-shape="id6" draw:start-glue-point="5" draw:end-shape="id14" draw:end-glue-point="4" svg:d="m46378 10100h-5196v5286"> + <text:p text:style-name="P1">Clone</text:p> + </draw:connector> + <draw:connector draw:style-name="gr3" draw:text-style-name="P1" draw:layer="layout" svg:x1="48.181cm" svg:y1="10.1cm" svg:x2="51.836cm" svg:y2="11.932cm" draw:start-shape="id6" draw:start-glue-point="7" draw:end-shape="id15" draw:end-glue-point="4" svg:d="m48181 10100h3655v1832"> + <text:p text:style-name="P1">DVD</text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr1" draw:text-style-name="P1" xml:id="id16" draw:id="id16" draw:layer="layout" svg:width="4.939cm" svg:height="0.933cm" svg:x="44.777cm" svg:y="15.384cm"> + <text:p text:style-name="P1">Windows USB</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:x1="47.28cm" svg:y1="11.001cm" svg:x2="47.246cm" svg:y2="15.384cm" draw:start-shape="id6" draw:start-glue-point="6" draw:end-shape="id16" svg:d="m47280 11001v2191h-34v2192"> + <text:p text:style-name="P1">Install</text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr1" draw:text-style-name="P1" xml:id="id18" draw:id="id18" draw:layer="layout" svg:width="4.939cm" svg:height="0.933cm" svg:x="34.264cm" svg:y="11.93cm"> + <text:p text:style-name="P1">Linux DVD</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr1" draw:text-style-name="P1" xml:id="id17" draw:id="id17" draw:layer="layout" svg:width="3.278cm" svg:height="0.933cm" svg:x="24.976cm" svg:y="15.384cm"> + <text:p text:style-name="P1">Clone</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:x1="31.575cm" svg:y1="10.097cm" svg:x2="26.615cm" svg:y2="15.384cm" draw:start-shape="id7" draw:start-glue-point="5" draw:end-shape="id17" draw:end-glue-point="4" svg:d="m31575 10097h-4960v5287"> + <text:p text:style-name="P1">Clone</text:p> + </draw:connector> + <draw:connector draw:style-name="gr3" draw:text-style-name="P1" draw:layer="layout" svg:x1="33.378cm" svg:y1="10.097cm" svg:x2="36.733cm" svg:y2="11.93cm" draw:start-shape="id7" draw:start-glue-point="7" draw:end-shape="id18" svg:d="m33378 10097h3355v1833"> + <text:p text:style-name="P1">DVD</text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr1" draw:text-style-name="P1" xml:id="id19" draw:id="id19" draw:layer="layout" svg:width="4.939cm" svg:height="0.933cm" svg:x="29.945cm" svg:y="15.382cm"> + <text:p text:style-name="P1">Linux USB</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:x1="32.477cm" svg:y1="10.998cm" svg:x2="32.414cm" svg:y2="15.382cm" draw:start-shape="id7" draw:start-glue-point="6" draw:end-shape="id19" svg:d="m32477 10998v2192h-63v2192"> + <text:p text:style-name="P1">Install</text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr1" draw:text-style-name="P1" xml:id="id4" draw:id="id4" draw:layer="layout" svg:width="1.803cm" svg:height="1.803cm" svg:x="17.621cm" svg:y="12.247cm"> + <text:p text:style-name="P1">Graphical/Hacker</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="5400 5400 16200 16200" draw:type="flowchart-decision" draw:enhanced-path="M 0 10800 L 10800 0 21600 10800 10800 21600 0 10800 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr1" draw:text-style-name="P1" xml:id="id21" draw:id="id21" draw:layer="layout" svg:width="4.939cm" svg:height="0.933cm" svg:x="19.109cm" svg:y="15.381cm"> + <text:p text:style-name="P1">Hacker DVD</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:x1="17.621cm" svg:y1="13.149cm" svg:x2="15.478cm" svg:y2="15.38cm" draw:start-shape="id4" draw:start-glue-point="5" draw:end-shape="id20" draw:end-glue-point="4" svg:d="m17621 13149h-2143v2231"> + <text:p text:style-name="P1">Graphical</text:p> + </draw:connector> + <draw:connector draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:x1="19.424cm" svg:y1="13.149cm" svg:x2="21.579cm" svg:y2="15.381cm" draw:start-shape="id4" draw:start-glue-point="7" draw:end-shape="id21" draw:end-glue-point="4" svg:d="m19424 13149h2155v2232"> + <text:p text:style-name="P1">Hacker</text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr1" draw:text-style-name="P1" xml:id="id20" draw:id="id20" draw:layer="layout" svg:width="4.939cm" svg:height="0.933cm" svg:x="13.008cm" svg:y="15.38cm"> + <text:p text:style-name="P1">Debian DVD</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr1" draw:text-style-name="P1" xml:id="id3" draw:id="id3" draw:layer="layout" svg:width="1.803cm" svg:height="1.803cm" svg:x="5.819cm" svg:y="12.246cm"> + <text:p text:style-name="P1">Graphical/Hacker</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="5400 5400 16200 16200" draw:type="flowchart-decision" draw:enhanced-path="M 0 10800 L 10800 0 21600 10800 10800 21600 0 10800 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr1" draw:text-style-name="P1" xml:id="id23" draw:id="id23" draw:layer="layout" svg:width="4.939cm" svg:height="0.933cm" svg:x="7.312cm" svg:y="15.38cm"> + <text:p text:style-name="P1">Hacker USB</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:x1="5.819cm" svg:y1="13.148cm" svg:x2="3.801cm" svg:y2="15.379cm" draw:start-shape="id3" draw:start-glue-point="5" draw:end-shape="id22" draw:end-glue-point="4" svg:d="m5819 13148h-2018v2231"> + <text:p text:style-name="P1">Graphical</text:p> + </draw:connector> + <draw:connector draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:x1="7.622cm" svg:y1="13.148cm" svg:x2="9.782cm" svg:y2="15.38cm" draw:start-shape="id3" draw:start-glue-point="7" draw:end-shape="id23" draw:end-glue-point="4" svg:d="m7622 13148h2160v2232"> + <text:p text:style-name="P1">Hacker</text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr1" draw:text-style-name="P1" xml:id="id22" draw:id="id22" draw:layer="layout" svg:width="4.939cm" svg:height="0.933cm" svg:x="1.331cm" svg:y="15.379cm"> + <text:p text:style-name="P1">Debian USB</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr1" draw:text-style-name="P1" xml:id="id7" draw:id="id7" draw:layer="layout" svg:width="1.803cm" svg:height="1.803cm" svg:x="31.575cm" svg:y="9.195cm"> + <text:p text:style-name="P1">Clone/Install</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="5400 5400 16200 16200" draw:type="flowchart-decision" draw:enhanced-path="M 0 10800 L 10800 0 21600 10800 10800 21600 0 10800 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr1" draw:text-style-name="P1" xml:id="id5" draw:id="id5" draw:layer="layout" svg:width="2.286cm" svg:height="1.683cm" svg:x="62.859cm" svg:y="5.74cm"> + <text:p text:style-name="P1">Model</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 5400 10800 10800 21600 16200 10800" draw:text-areas="5400 10800 16200 21600" draw:type="flowchart-extract" draw:enhanced-path="M 10800 0 L 21600 21600 0 21600 10800 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr1" draw:text-style-name="P1" xml:id="id2" draw:id="id2" draw:layer="layout" svg:width="1.803cm" svg:height="1.803cm" svg:x="11.308cm" svg:y="6.588cm"> + <text:p text:style-name="P1">Clone/Install</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:text-areas="5400 5400 16200 16200" draw:type="flowchart-decision" draw:enhanced-path="M 0 10800 L 10800 0 21600 10800 10800 21600 0 10800 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr1" draw:text-style-name="P1" xml:id="id24" draw:id="id24" draw:layer="layout" svg:width="3.278cm" svg:height="0.933cm" svg:x="1.307cm" svg:y="6.996cm"> + <text:p text:style-name="P1">Clone</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr2" draw:text-style-name="P1" draw:layer="layout" svg:x1="11.308cm" svg:y1="7.49cm" svg:x2="4.585cm" svg:y2="7.463cm" draw:start-shape="id2" draw:start-glue-point="5" draw:end-shape="id24" draw:end-glue-point="7" svg:d="m11308 7490h-3765v-27h-2958"> + <text:p text:style-name="P1">Clone</text:p> + </draw:connector> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P1" draw:layer="layout" svg:width="8.001cm" svg:height="5.461cm" svg:x="66.659cm" svg:y="3.54cm"> + <text:p text:style-name="P1">Mac section needs to</text:p> + <text:p text:style-name="P1">be clarified depending</text:p> + <text:p text:style-name="P1">on whether or not <text:s/>we'll</text:p> + <text:p text:style-name="P1">build a list of hardware.</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:text-areas="800 800 20800 20800" draw:type="round-rectangular-callout" draw:modifiers="-3239.19020244939 22209.007689491" draw:enhanced-path="M 3590 0 X 0 3590 L ?f2 ?f3 0 8970 0 12630 ?f4 ?f5 0 18010 Y 3590 21600 L ?f6 ?f7 8970 21600 12630 21600 ?f8 ?f9 18010 21600 X 21600 18010 L ?f10 ?f11 21600 12630 21600 8970 ?f12 ?f13 21600 3590 Y 18010 0 L ?f14 ?f15 12630 0 8970 0 ?f16 ?f17 Z N"> + <draw:equation draw:name="f0" draw:formula="$0 -10800"/> + <draw:equation draw:name="f1" draw:formula="$1 -10800"/> + <draw:equation draw:name="f2" draw:formula="if(?f18 ,$0 ,0)"/> + <draw:equation draw:name="f3" draw:formula="if(?f18 ,$1 ,6280)"/> + <draw:equation draw:name="f4" draw:formula="if(?f23 ,$0 ,0)"/> + <draw:equation draw:name="f5" draw:formula="if(?f23 ,$1 ,15320)"/> + <draw:equation draw:name="f6" draw:formula="if(?f26 ,$0 ,6280)"/> + <draw:equation draw:name="f7" draw:formula="if(?f26 ,$1 ,21600)"/> + <draw:equation draw:name="f8" draw:formula="if(?f29 ,$0 ,15320)"/> + <draw:equation draw:name="f9" draw:formula="if(?f29 ,$1 ,21600)"/> + <draw:equation draw:name="f10" draw:formula="if(?f32 ,$0 ,21600)"/> + <draw:equation draw:name="f11" draw:formula="if(?f32 ,$1 ,15320)"/> + <draw:equation draw:name="f12" draw:formula="if(?f34 ,$0 ,21600)"/> + <draw:equation draw:name="f13" draw:formula="if(?f34 ,$1 ,6280)"/> + <draw:equation draw:name="f14" draw:formula="if(?f36 ,$0 ,15320)"/> + <draw:equation draw:name="f15" draw:formula="if(?f36 ,$1 ,0)"/> + <draw:equation draw:name="f16" draw:formula="if(?f38 ,$0 ,6280)"/> + <draw:equation draw:name="f17" draw:formula="if(?f38 ,$1 ,0)"/> + <draw:equation draw:name="f18" draw:formula="if($0 ,-1,?f19 )"/> + <draw:equation draw:name="f19" draw:formula="if(?f1 ,-1,?f22 )"/> + <draw:equation draw:name="f20" draw:formula="abs(?f0 )"/> + <draw:equation draw:name="f21" draw:formula="abs(?f1 )"/> + <draw:equation draw:name="f22" draw:formula="?f20 -?f21 "/> + <draw:equation draw:name="f23" draw:formula="if($0 ,-1,?f24 )"/> + <draw:equation draw:name="f24" draw:formula="if(?f1 ,?f22 ,-1)"/> + <draw:equation draw:name="f25" draw:formula="$1 -21600"/> + <draw:equation draw:name="f26" draw:formula="if(?f25 ,?f27 ,-1)"/> + <draw:equation draw:name="f27" draw:formula="if(?f0 ,-1,?f28 )"/> + <draw:equation draw:name="f28" draw:formula="?f21 -?f20 "/> + <draw:equation draw:name="f29" draw:formula="if(?f25 ,?f30 ,-1)"/> + <draw:equation draw:name="f30" draw:formula="if(?f0 ,?f28 ,-1)"/> + <draw:equation draw:name="f31" draw:formula="$0 -21600"/> + <draw:equation draw:name="f32" draw:formula="if(?f31 ,?f33 ,-1)"/> + <draw:equation draw:name="f33" draw:formula="if(?f1 ,?f22 ,-1)"/> + <draw:equation draw:name="f34" draw:formula="if(?f31 ,?f35 ,-1)"/> + <draw:equation draw:name="f35" draw:formula="if(?f1 ,-1,?f22 )"/> + <draw:equation draw:name="f36" draw:formula="if($1 ,-1,?f37 )"/> + <draw:equation draw:name="f37" draw:formula="if(?f0 ,?f28 ,-1)"/> + <draw:equation draw:name="f38" draw:formula="if($1 ,-1,?f39 )"/> + <draw:equation draw:name="f39" draw:formula="if(?f0 ,-1,?f28 )"/> + <draw:equation draw:name="f40" draw:formula="$0 "/> + <draw:equation draw:name="f41" draw:formula="$1 "/> + <draw:handle draw:handle-position="$0 $1"/> + </draw:enhanced-geometry> + </draw:custom-shape> + </draw:page> + </office:drawing> + </office:body> +</office:document> \ No newline at end of file diff --git a/wiki/src/blueprint/bootstrapping/assistant/router/3rd_iteration/router-3rd-iteration.fodp b/wiki/src/blueprint/bootstrapping/assistant/router/3rd_iteration/router-3rd-iteration.fodp new file mode 100644 index 0000000000000000000000000000000000000000..6b6772f951c0e89b4ceb62385e0a242cb4edcc8e --- /dev/null +++ b/wiki/src/blueprint/bootstrapping/assistant/router/3rd_iteration/router-3rd-iteration.fodp @@ -0,0 +1,2273 @@ +<?xml version="1.0" encoding="UTF-8"?> + +<office:document xmlns:office="urn:oasis:names:tc:opendocument:xmlns:office:1.0" xmlns:style="urn:oasis:names:tc:opendocument:xmlns:style:1.0" xmlns:text="urn:oasis:names:tc:opendocument:xmlns:text:1.0" xmlns:table="urn:oasis:names:tc:opendocument:xmlns:table:1.0" xmlns:draw="urn:oasis:names:tc:opendocument:xmlns:drawing:1.0" xmlns:fo="urn:oasis:names:tc:opendocument:xmlns:xsl-fo-compatible:1.0" xmlns:xlink="http://www.w3.org/1999/xlink" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:meta="urn:oasis:names:tc:opendocument:xmlns:meta:1.0" xmlns:number="urn:oasis:names:tc:opendocument:xmlns:datastyle:1.0" xmlns:presentation="urn:oasis:names:tc:opendocument:xmlns:presentation:1.0" xmlns:svg="urn:oasis:names:tc:opendocument:xmlns:svg-compatible:1.0" xmlns:chart="urn:oasis:names:tc:opendocument:xmlns:chart:1.0" xmlns:dr3d="urn:oasis:names:tc:opendocument:xmlns:dr3d:1.0" xmlns:math="http://www.w3.org/1998/Math/MathML" xmlns:form="urn:oasis:names:tc:opendocument:xmlns:form:1.0" xmlns:script="urn:oasis:names:tc:opendocument:xmlns:script:1.0" xmlns:config="urn:oasis:names:tc:opendocument:xmlns:config:1.0" xmlns:ooo="http://openoffice.org/2004/office" xmlns:ooow="http://openoffice.org/2004/writer" xmlns:oooc="http://openoffice.org/2004/calc" xmlns:dom="http://www.w3.org/2001/xml-events" xmlns:xforms="http://www.w3.org/2002/xforms" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:smil="urn:oasis:names:tc:opendocument:xmlns:smil-compatible:1.0" xmlns:anim="urn:oasis:names:tc:opendocument:xmlns:animation:1.0" xmlns:rpt="http://openoffice.org/2005/report" xmlns:of="urn:oasis:names:tc:opendocument:xmlns:of:1.2" xmlns:xhtml="http://www.w3.org/1999/xhtml" xmlns:grddl="http://www.w3.org/2003/g/data-view#" xmlns:officeooo="http://openoffice.org/2009/office" xmlns:tableooo="http://openoffice.org/2009/table" xmlns:drawooo="http://openoffice.org/2010/draw" xmlns:field="urn:openoffice:names:experimental:ooo-ms-interop:xmlns:field:1.0" xmlns:formx="urn:openoffice:names:experimental:ooxml-odf-interop:xmlns:form:1.0" xmlns:css3t="http://www.w3.org/TR/css3-text/" office:version="1.2" office:mimetype="application/vnd.oasis.opendocument.presentation"> + <office:meta><meta:initial-creator>Debian user</meta:initial-creator><meta:creation-date>2015-03-24T17:04:35</meta:creation-date><dc:date>2015-04-13T14:37:55</dc:date><dc:creator>moi </dc:creator><meta:editing-duration>PT7H12M55S</meta:editing-duration><meta:editing-cycles>63</meta:editing-cycles><meta:generator>LibreOffice/3.5$Linux_x86 LibreOffice_project/350m1$Build-2</meta:generator><meta:document-statistic meta:object-count="194"/></office:meta> + <office:settings> + <config:config-item-set config:name="ooo:view-settings"> + <config:config-item config:name="VisibleAreaTop" config:type="int">4437</config:config-item> + <config:config-item config:name="VisibleAreaLeft" config:type="int">7815</config:config-item> + <config:config-item config:name="VisibleAreaWidth" config:type="int">29592</config:config-item> + <config:config-item config:name="VisibleAreaHeight" config:type="int">16818</config:config-item> + <config:config-item-map-indexed config:name="Views"> + <config:config-item-map-entry> + <config:config-item config:name="ViewId" config:type="string">view1</config:config-item> + <config:config-item config:name="GridIsVisible" config:type="boolean">false</config:config-item> + <config:config-item config:name="GridIsFront" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsSnapToGrid" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsSnapToPageMargins" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsSnapToSnapLines" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsSnapToObjectFrame" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsSnapToObjectPoints" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPlusHandlesAlwaysVisible" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsFrameDragSingles" config:type="boolean">true</config:config-item> + <config:config-item config:name="EliminatePolyPointLimitAngle" config:type="int">1500</config:config-item> + <config:config-item config:name="IsEliminatePolyPoints" config:type="boolean">false</config:config-item> + <config:config-item config:name="VisibleLayers" config:type="base64Binary">//////////////////////////////////////////8=</config:config-item> + <config:config-item config:name="PrintableLayers" config:type="base64Binary">//////////////////////////////////////////8=</config:config-item> + <config:config-item config:name="LockedLayers" config:type="base64Binary"/> + <config:config-item config:name="NoAttribs" config:type="boolean">false</config:config-item> + <config:config-item config:name="NoColors" config:type="boolean">true</config:config-item> + <config:config-item config:name="RulerIsVisible" config:type="boolean">false</config:config-item> + <config:config-item config:name="PageKind" config:type="short">0</config:config-item> + <config:config-item config:name="SelectedPage" config:type="short">10</config:config-item> + <config:config-item config:name="IsLayerMode" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsDoubleClickTextEdit" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsClickChangeRotation" config:type="boolean">true</config:config-item> + <config:config-item config:name="SlidesPerRow" config:type="short">4</config:config-item> + <config:config-item config:name="EditModeStandard" config:type="int">0</config:config-item> + <config:config-item config:name="EditModeNotes" config:type="int">0</config:config-item> + <config:config-item config:name="EditModeHandout" config:type="int">1</config:config-item> + <config:config-item config:name="VisibleAreaTop" config:type="int">4437</config:config-item> + <config:config-item config:name="VisibleAreaLeft" config:type="int">7815</config:config-item> + <config:config-item config:name="VisibleAreaWidth" config:type="int">23691</config:config-item> + <config:config-item config:name="VisibleAreaHeight" config:type="int">18440</config:config-item> + <config:config-item config:name="GridCoarseWidth" config:type="int">2540</config:config-item> + <config:config-item config:name="GridCoarseHeight" config:type="int">2540</config:config-item> + <config:config-item config:name="GridFineWidth" config:type="int">254</config:config-item> + <config:config-item config:name="GridFineHeight" config:type="int">254</config:config-item> + <config:config-item config:name="GridSnapWidthXNumerator" config:type="int">254</config:config-item> + <config:config-item config:name="GridSnapWidthXDenominator" config:type="int">1</config:config-item> + <config:config-item config:name="GridSnapWidthYNumerator" config:type="int">254</config:config-item> + <config:config-item config:name="GridSnapWidthYDenominator" config:type="int">1</config:config-item> + <config:config-item config:name="IsAngleSnapEnabled" config:type="boolean">false</config:config-item> + <config:config-item config:name="SnapAngle" config:type="int">1500</config:config-item> + <config:config-item config:name="ZoomOnPage" config:type="boolean">false</config:config-item> + </config:config-item-map-entry> + </config:config-item-map-indexed> + </config:config-item-set> + <config:config-item-set config:name="ooo:configuration-settings"> + <config:config-item config:name="ApplyUserData" config:type="boolean">true</config:config-item> + <config:config-item config:name="BitmapTableURL" config:type="string">$(user)/config/standard.sob</config:config-item> + <config:config-item config:name="CharacterCompressionType" config:type="short">0</config:config-item> + <config:config-item config:name="ColorTableURL" config:type="string">$(user)/config/standard.soc</config:config-item> + <config:config-item config:name="DashTableURL" config:type="string">$(user)/config/standard.sod</config:config-item> + <config:config-item config:name="DefaultTabStop" config:type="int">1270</config:config-item> + <config:config-item-map-indexed config:name="ForbiddenCharacters"> + <config:config-item-map-entry> + <config:config-item config:name="Language" config:type="string">en</config:config-item> + <config:config-item config:name="Country" config:type="string">US</config:config-item> + <config:config-item config:name="Variant" config:type="string"/> + <config:config-item config:name="BeginLine" config:type="string"/> + <config:config-item config:name="EndLine" config:type="string"/> + </config:config-item-map-entry> + <config:config-item-map-entry> + <config:config-item config:name="Language" config:type="string">fr</config:config-item> + <config:config-item config:name="Country" config:type="string">FR</config:config-item> + <config:config-item config:name="Variant" config:type="string"/> + <config:config-item config:name="BeginLine" config:type="string"/> + <config:config-item config:name="EndLine" config:type="string"/> + </config:config-item-map-entry> + </config:config-item-map-indexed> + <config:config-item config:name="GradientTableURL" config:type="string">$(user)/config/standard.sog</config:config-item> + <config:config-item config:name="HandoutsHorizontal" config:type="boolean">true</config:config-item> + <config:config-item config:name="HatchTableURL" config:type="string">$(user)/config/standard.soh</config:config-item> + <config:config-item config:name="IsKernAsianPunctuation" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintBooklet" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintBookletBack" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsPrintBookletFront" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsPrintDate" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintDrawing" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsPrintFitPage" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintHandout" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintHiddenPages" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsPrintNotes" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintOutline" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintPageName" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintTilePage" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintTime" config:type="boolean">false</config:config-item> + <config:config-item config:name="LineEndTableURL" config:type="string">$(user)/config/standard.soe</config:config-item> + <config:config-item config:name="LoadReadonly" config:type="boolean">false</config:config-item> + <config:config-item config:name="PageNumberFormat" config:type="int">4</config:config-item> + <config:config-item config:name="ParagraphSummation" config:type="boolean">false</config:config-item> + <config:config-item config:name="PrintQuality" config:type="int">0</config:config-item> + <config:config-item config:name="PrinterIndependentLayout" config:type="string">low-resolution</config:config-item> + <config:config-item config:name="PrinterName" config:type="string">Generic Printer</config:config-item> + <config:config-item config:name="PrinterSetup" config:type="base64Binary">jAH+/0dlbmVyaWMgUHJpbnRlcgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAU0dFTlBSVAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAWAAMAsgAAAAAAAAAEAAhSAAAEdAAASm9iRGF0YSAxCnByaW50ZXI9R2VuZXJpYyBQcmludGVyCm9yaWVudGF0aW9uPVBvcnRyYWl0CmNvcGllcz0xCm1hcmdpbmRhanVzdG1lbnQ9MCwwLDAsMApjb2xvcmRlcHRoPTI0CnBzbGV2ZWw9MApwZGZkZXZpY2U9MApjb2xvcmRldmljZT0wClBQRENvbnRleERhdGEKRHVwbGV4Ok5vbmUAUGFnZVNpemU6QTQAABIAQ09NUEFUX0RVUExFWF9NT0RFCgBEVVBMRVhfT0ZG</config:config-item> + <config:config-item config:name="SaveVersionOnClose" config:type="boolean">false</config:config-item> + <config:config-item config:name="SlidesPerHandout" config:type="short">6</config:config-item> + <config:config-item config:name="UpdateFromTemplate" config:type="boolean">true</config:config-item> + </config:config-item-set> + </office:settings> + <office:scripts> + <office:script script:language="ooo:Basic"> + <ooo:libraries xmlns:ooo="http://openoffice.org/2004/office" xmlns:xlink="http://www.w3.org/1999/xlink"> + <ooo:library-embedded ooo:name="Standard"/> + </ooo:libraries> + </office:script> + </office:scripts> + <office:styles> + <draw:marker draw:name="Arrow" svg:viewBox="0 0 20 30" svg:d="m10 0-10 30h20z"/> + <style:default-style style:family="graphic"> + <style:graphic-properties svg:stroke-color="#808080" draw:fill-color="#cfe7f5" fo:wrap-option="no-wrap"/> + <style:paragraph-properties style:text-autospace="ideograph-alpha" style:punctuation-wrap="simple" style:line-break="strict" style:writing-mode="lr-tb" style:font-independent-line-spacing="false"> + <style:tab-stops/> + </style:paragraph-properties> + <style:text-properties style:use-window-font-color="true" fo:font-family="'Liberation Serif'" style:font-family-generic="roman" style:font-pitch="variable" fo:font-size="24pt" fo:language="en" fo:country="US" style:font-family-asian="'DejaVu Sans'" style:font-family-generic-asian="system" style:font-pitch-asian="variable" style:font-size-asian="24pt" style:language-asian="zh" style:country-asian="CN" style:font-family-complex="'DejaVu Sans'" style:font-family-generic-complex="system" style:font-pitch-complex="variable" style:font-size-complex="24pt" style:language-complex="hi" style:country-complex="IN"/> + </style:default-style> + <style:style style:name="standard" style:family="graphic"> + <style:graphic-properties draw:stroke="solid" svg:stroke-width="0cm" svg:stroke-color="#808080" draw:marker-start-width="0.2cm" draw:marker-start-center="false" draw:marker-end-width="0.2cm" draw:marker-end-center="false" draw:fill="solid" draw:fill-color="#cfe7f5" draw:textarea-horizontal-align="justify" fo:padding-top="0.125cm" fo:padding-bottom="0.125cm" fo:padding-left="0.25cm" fo:padding-right="0.25cm" draw:shadow="hidden" draw:shadow-offset-x="0.2cm" draw:shadow-offset-y="0.2cm" draw:shadow-color="#808080"> + <text:list-style style:name="standard"> + <text:list-level-style-bullet text:level="1" text:bullet-char="●"> + <style:list-level-properties text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="2" text:bullet-char="●"> + <style:list-level-properties text:space-before="0.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="3" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="4" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="5" text:bullet-char="●"> + <style:list-level-properties text:space-before="2.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="6" text:bullet-char="●"> + <style:list-level-properties text:space-before="3cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="7" text:bullet-char="●"> + <style:list-level-properties text:space-before="3.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="8" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="9" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="10" text:bullet-char="●"> + <style:list-level-properties text:space-before="5.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + </text:list-style> + </style:graphic-properties> + <style:paragraph-properties fo:margin-left="0cm" fo:margin-right="0cm" fo:margin-top="0cm" fo:margin-bottom="0cm" fo:line-height="100%" fo:text-indent="0cm"/> + <style:text-properties style:use-window-font-color="true" style:text-outline="false" style:text-line-through-style="none" fo:font-family="'Liberation Sans'" style:font-family-generic="roman" style:font-pitch="variable" fo:font-size="18pt" fo:font-style="normal" fo:text-shadow="none" style:text-underline-style="none" fo:font-weight="normal" style:letter-kerning="true" style:font-family-asian="'AR PL UKai CN'" style:font-family-generic-asian="system" style:font-pitch-asian="variable" style:font-size-asian="18pt" style:font-style-asian="normal" style:font-weight-asian="normal" style:font-family-complex="'Lohit Devanagari'" style:font-family-generic-complex="system" style:font-pitch-complex="variable" style:font-size-complex="18pt" style:font-style-complex="normal" style:font-weight-complex="normal" style:text-emphasize="none" style:font-relief="none" style:text-overline-style="none" style:text-overline-color="font-color"/> + </style:style> + <style:style style:name="objectwitharrow" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="solid" svg:stroke-width="0.15cm" svg:stroke-color="#000000" draw:marker-start="Arrow" draw:marker-start-width="0.7cm" draw:marker-start-center="true" draw:marker-end-width="0.3cm"/> + </style:style> + <style:style style:name="objectwithshadow" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:shadow="visible" draw:shadow-offset-x="0.2cm" draw:shadow-offset-y="0.2cm" draw:shadow-color="#808080"/> + </style:style> + <style:style style:name="objectwithoutfill" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties svg:stroke-color="#000000" draw:fill="none"/> + </style:style> + <style:style style:name="text" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + </style:style> + <style:style style:name="textbody" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:text-properties fo:font-size="16pt"/> + </style:style> + <style:style style:name="textbodyjustfied" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:paragraph-properties fo:text-align="justify"/> + </style:style> + <style:style style:name="textbodyindent" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:paragraph-properties fo:margin-left="0cm" fo:margin-right="0cm" fo:text-indent="0.6cm"/> + </style:style> + <style:style style:name="title" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:text-properties fo:font-size="44pt"/> + </style:style> + <style:style style:name="title1" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="solid" draw:fill-color="#008080" draw:shadow="visible" draw:shadow-offset-x="0.2cm" draw:shadow-offset-y="0.2cm" draw:shadow-color="#808080"/> + <style:paragraph-properties fo:text-align="center"/> + <style:text-properties fo:font-size="24pt"/> + </style:style> + <style:style style:name="title2" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties svg:stroke-width="0.05cm" draw:fill-color="#ffcc99" draw:shadow="visible" draw:shadow-offset-x="0.2cm" draw:shadow-offset-y="0.2cm" draw:shadow-color="#808080"/> + <style:paragraph-properties fo:margin-left="0cm" fo:margin-right="0.2cm" fo:margin-top="0.1cm" fo:margin-bottom="0.1cm" fo:text-align="center" fo:text-indent="0cm"/> + <style:text-properties fo:font-size="36pt"/> + </style:style> + <style:style style:name="headline" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:paragraph-properties fo:margin-top="0.42cm" fo:margin-bottom="0.21cm"/> + <style:text-properties fo:font-size="24pt"/> + </style:style> + <style:style style:name="headline1" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:paragraph-properties fo:margin-top="0.42cm" fo:margin-bottom="0.21cm"/> + <style:text-properties fo:font-size="18pt" fo:font-weight="bold"/> + </style:style> + <style:style style:name="headline2" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:paragraph-properties fo:margin-top="0.42cm" fo:margin-bottom="0.21cm"/> + <style:text-properties fo:font-size="14pt" fo:font-style="italic" fo:font-weight="bold"/> + </style:style> + <style:style style:name="measure" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="solid" svg:stroke-color="#000000" draw:marker-start="Arrow" draw:marker-start-width="0.2cm" draw:marker-end="Arrow" draw:marker-end-width="0.2cm" draw:fill="none" draw:show-unit="true"/> + <style:text-properties fo:font-size="12pt"/> + </style:style> + <style:style style:name="Default-background" style:family="presentation"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:text-properties style:letter-kerning="true"/> + </style:style> + <style:style style:name="Default-backgroundobjects" style:family="presentation"> + <style:graphic-properties draw:textarea-horizontal-align="justify" draw:shadow="hidden" draw:shadow-offset-x="0.2cm" draw:shadow-offset-y="0.2cm" draw:shadow-color="#808080"/> + <style:text-properties style:letter-kerning="true"/> + </style:style> + <style:style style:name="Default-notes" style:family="presentation"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:paragraph-properties fo:margin-left="0.6cm" fo:margin-right="0cm" fo:text-indent="-0.6cm"/> + <style:text-properties style:use-window-font-color="true" style:text-outline="false" style:text-line-through-style="none" fo:font-family="'Liberation Sans'" style:font-family-generic="roman" style:font-pitch="variable" fo:font-size="20pt" fo:font-style="normal" fo:text-shadow="none" style:text-underline-style="none" fo:font-weight="normal" style:letter-kerning="true" style:font-family-asian="'AR PL UKai CN'" style:font-family-generic-asian="system" style:font-pitch-asian="variable" style:font-size-asian="20pt" style:font-style-asian="normal" style:font-weight-asian="normal" style:font-family-complex="'Lohit Devanagari'" style:font-family-generic-complex="system" style:font-pitch-complex="variable" style:font-size-complex="20pt" style:font-style-complex="normal" style:font-weight-complex="normal" style:text-emphasize="none" style:font-relief="none" style:text-overline-style="none" style:text-overline-color="font-color"/> + </style:style> + <style:style style:name="Default-outline1" style:family="presentation"> + <style:graphic-properties draw:stroke="none" draw:fill="solid" draw:fill-color="#9999ff" draw:fill-image-width="0cm" draw:fill-image-height="0cm" draw:auto-grow-height="false" draw:fit-to-size="shrink-to-fit" fo:padding-top="1cm"> + <text:list-style style:name="Default-outline1"> + <text:list-level-style-bullet text:level="1" text:bullet-char="●"> + <style:list-level-properties text:space-before="0.3cm" text:min-label-width="0.9cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="2" text:bullet-char="–"> + <style:list-level-properties text:space-before="1.5cm" text:min-label-width="0.9cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="75%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="3" text:bullet-char="●"> + <style:list-level-properties text:space-before="2.8cm" text:min-label-width="0.8cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="4" text:bullet-char="–"> + <style:list-level-properties text:space-before="4.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="75%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="5" text:bullet-char="●"> + <style:list-level-properties text:space-before="5.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="6" text:bullet-char="●"> + <style:list-level-properties text:space-before="6.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="7" text:bullet-char="●"> + <style:list-level-properties text:space-before="7.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="8" text:bullet-char="●"> + <style:list-level-properties text:space-before="9cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="9" text:bullet-char="●"> + <style:list-level-properties text:space-before="10.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="10" text:bullet-char="●"> + <style:list-level-properties text:space-before="11.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + </text:list-style> + </style:graphic-properties> + <style:paragraph-properties fo:margin-top="1cm" fo:margin-bottom="0.5cm"> + <style:tab-stops/> + </style:paragraph-properties> + <style:text-properties style:use-window-font-color="true" style:text-outline="false" style:text-line-through-style="none" fo:font-family="'Liberation Sans'" style:font-family-generic="roman" style:font-pitch="variable" fo:font-size="32pt" fo:font-style="normal" fo:text-shadow="none" style:text-underline-style="none" fo:font-weight="normal" style:letter-kerning="true" style:font-family-asian="'AR PL UKai CN'" style:font-family-generic-asian="system" style:font-pitch-asian="variable" style:font-size-asian="32pt" style:font-style-asian="normal" style:font-weight-asian="normal" style:font-family-complex="'Lohit Devanagari'" style:font-family-generic-complex="system" style:font-pitch-complex="variable" style:font-size-complex="32pt" style:font-style-complex="normal" style:font-weight-complex="normal" style:text-emphasize="none" style:font-relief="none" style:text-overline-style="none" style:text-overline-color="font-color"/> + </style:style> + <style:style style:name="Default-outline2" style:family="presentation" style:parent-style-name="Default-outline1"> + <style:paragraph-properties fo:margin-top="0cm" fo:margin-bottom="0.4cm"/> + <style:text-properties fo:font-size="28pt" style:font-size-asian="28pt" style:font-size-complex="28pt"/> + </style:style> + <style:style style:name="Default-outline3" style:family="presentation" style:parent-style-name="Default-outline2"> + <style:paragraph-properties fo:margin-top="0cm" fo:margin-bottom="0.3cm"/> + <style:text-properties fo:font-size="24pt" style:font-size-asian="24pt" style:font-size-complex="24pt"/> + </style:style> + <style:style style:name="Default-outline4" style:family="presentation" style:parent-style-name="Default-outline3"> + <style:paragraph-properties fo:margin-top="0cm" fo:margin-bottom="0.2cm"/> + <style:text-properties fo:font-size="20pt" style:font-size-asian="20pt" style:font-size-complex="20pt"/> + </style:style> + <style:style style:name="Default-outline5" style:family="presentation" style:parent-style-name="Default-outline4"> + <style:paragraph-properties fo:margin-top="0cm" fo:margin-bottom="0.1cm"/> + <style:text-properties fo:font-size="20pt" style:font-size-asian="20pt" style:font-size-complex="20pt"/> + </style:style> + <style:style style:name="Default-outline6" style:family="presentation" style:parent-style-name="Default-outline5"> + <style:paragraph-properties fo:margin-top="0cm" fo:margin-bottom="0.1cm"/> + <style:text-properties fo:font-size="20pt" style:font-size-asian="20pt" style:font-size-complex="20pt"/> + </style:style> + <style:style style:name="Default-outline7" style:family="presentation" style:parent-style-name="Default-outline6"> + <style:paragraph-properties fo:margin-top="0cm" fo:margin-bottom="0.1cm"/> + <style:text-properties fo:font-size="20pt" style:font-size-asian="20pt" style:font-size-complex="20pt"/> + </style:style> + <style:style style:name="Default-outline8" style:family="presentation" style:parent-style-name="Default-outline7"> + <style:paragraph-properties fo:margin-top="0cm" fo:margin-bottom="0.1cm"/> + <style:text-properties fo:font-size="20pt" style:font-size-asian="20pt" style:font-size-complex="20pt"/> + </style:style> + <style:style style:name="Default-outline9" style:family="presentation" style:parent-style-name="Default-outline8"> + <style:paragraph-properties fo:margin-top="0cm" fo:margin-bottom="0.1cm"/> + <style:text-properties fo:font-size="20pt" style:font-size-asian="20pt" style:font-size-complex="20pt"/> + </style:style> + <style:style style:name="Default-subtitle" style:family="presentation"> + <style:graphic-properties draw:stroke="none" draw:fill="none" draw:textarea-vertical-align="middle"> + <text:list-style style:name="Default-subtitle"> + <text:list-level-style-bullet text:level="1" text:bullet-char="●"> + <style:list-level-properties/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="2" text:bullet-char="●"> + <style:list-level-properties text:space-before="0.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="3" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="4" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="5" text:bullet-char="●"> + <style:list-level-properties text:space-before="2.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="6" text:bullet-char="●"> + <style:list-level-properties text:space-before="3cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="7" text:bullet-char="●"> + <style:list-level-properties text:space-before="3.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="8" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="9" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="10" text:bullet-char="●"> + <style:list-level-properties text:space-before="5.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + </text:list-style> + </style:graphic-properties> + <style:paragraph-properties fo:margin-left="0cm" fo:margin-right="0cm" fo:text-align="center" fo:text-indent="0cm"/> + <style:text-properties style:use-window-font-color="true" style:text-outline="false" style:text-line-through-style="none" fo:font-family="'Liberation Sans'" style:font-family-generic="roman" style:font-pitch="variable" fo:font-size="32pt" fo:font-style="normal" fo:text-shadow="none" style:text-underline-style="none" fo:font-weight="normal" style:letter-kerning="true" style:font-family-asian="'AR PL UKai CN'" style:font-family-generic-asian="system" style:font-pitch-asian="variable" style:font-size-asian="32pt" style:font-style-asian="normal" style:font-weight-asian="normal" style:font-family-complex="'Lohit Devanagari'" style:font-family-generic-complex="system" style:font-pitch-complex="variable" style:font-size-complex="32pt" style:font-style-complex="normal" style:font-weight-complex="normal" style:text-emphasize="none" style:font-relief="none" style:text-overline-style="none" style:text-overline-color="font-color"/> + </style:style> + <style:style style:name="Default-title" style:family="presentation"> + <style:graphic-properties draw:stroke="none" draw:fill="none" draw:textarea-vertical-align="middle"> + <text:list-style style:name="Default-title"> + <text:list-level-style-bullet text:level="1" text:bullet-char="●"> + <style:list-level-properties/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="2" text:bullet-char="●"> + <style:list-level-properties text:space-before="0.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="3" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="4" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="5" text:bullet-char="●"> + <style:list-level-properties text:space-before="2.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="6" text:bullet-char="●"> + <style:list-level-properties text:space-before="3cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="7" text:bullet-char="●"> + <style:list-level-properties text:space-before="3.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="8" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="9" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="10" text:bullet-char="●"> + <style:list-level-properties text:space-before="5.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + </text:list-style> + </style:graphic-properties> + <style:paragraph-properties fo:text-align="center"/> + <style:text-properties style:use-window-font-color="true" style:text-outline="false" style:text-line-through-style="none" fo:font-family="'Liberation Sans'" style:font-family-generic="roman" style:font-pitch="variable" fo:font-size="44pt" fo:font-style="normal" fo:text-shadow="none" style:text-underline-style="none" fo:font-weight="normal" style:letter-kerning="true" style:font-family-asian="'AR PL UKai CN'" style:font-family-generic-asian="system" style:font-pitch-asian="variable" style:font-size-asian="44pt" style:font-style-asian="normal" style:font-weight-asian="normal" style:font-family-complex="'Lohit Devanagari'" style:font-family-generic-complex="system" style:font-pitch-complex="variable" style:font-size-complex="44pt" style:font-style-complex="normal" style:font-weight-complex="normal" style:text-emphasize="none" style:font-relief="none" style:text-overline-style="none" style:text-overline-color="font-color"/> + </style:style> + <style:style style:name="Standard-background" style:family="presentation"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:text-properties style:letter-kerning="true"/> + </style:style> + <style:style style:name="Standard-backgroundobjects" style:family="presentation"> + <style:graphic-properties draw:textarea-horizontal-align="justify" draw:shadow="hidden" draw:shadow-offset-x="0.2cm" draw:shadow-offset-y="0.2cm" draw:shadow-color="#808080"/> + <style:text-properties style:letter-kerning="true"/> + </style:style> + <style:style style:name="Standard-notes" style:family="presentation"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:paragraph-properties fo:margin-left="0.6cm" fo:margin-right="0cm" fo:text-indent="-0.6cm"/> + <style:text-properties style:use-window-font-color="true" style:text-outline="false" style:text-line-through-style="none" fo:font-family="'Liberation Sans'" style:font-family-generic="roman" style:font-pitch="variable" fo:font-size="28.1000003814697pt" fo:font-style="normal" fo:text-shadow="none" style:text-underline-style="none" fo:font-weight="normal" style:letter-kerning="true" style:font-family-asian="'Droid Sans'" style:font-family-generic-asian="system" style:font-pitch-asian="variable" style:font-size-asian="28.1000003814697pt" style:font-style-asian="normal" style:font-weight-asian="normal" style:font-family-complex="FreeSans" style:font-family-generic-complex="system" style:font-pitch-complex="variable" style:font-size-complex="28.1000003814697pt" style:font-style-complex="normal" style:font-weight-complex="normal" style:text-emphasize="none" style:font-relief="none" style:text-overline-style="none" style:text-overline-color="font-color"/> + </style:style> + <style:style style:name="Standard-outline1" style:family="presentation"> + <style:graphic-properties draw:stroke="none" draw:fill="none" draw:auto-grow-height="false" draw:fit-to-size="shrink-to-fit"> + <text:list-style style:name="Standard-outline1"> + <text:list-level-style-bullet text:level="1" text:bullet-char="●"> + <style:list-level-properties text:space-before="0.3cm" text:min-label-width="0.9cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="2" text:bullet-char="–"> + <style:list-level-properties text:space-before="1.5cm" text:min-label-width="0.9cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="75%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="3" text:bullet-char="●"> + <style:list-level-properties text:space-before="2.8cm" text:min-label-width="0.8cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="4" text:bullet-char="–"> + <style:list-level-properties text:space-before="4.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="75%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="5" text:bullet-char="●"> + <style:list-level-properties text:space-before="5.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="6" text:bullet-char="●"> + <style:list-level-properties text:space-before="6.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="7" text:bullet-char="●"> + <style:list-level-properties text:space-before="7.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="8" text:bullet-char="●"> + <style:list-level-properties text:space-before="9cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="9" text:bullet-char="●"> + <style:list-level-properties text:space-before="10.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="10" text:bullet-char="●"> + <style:list-level-properties text:space-before="11.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + </text:list-style> + </style:graphic-properties> + <style:paragraph-properties fo:margin-left="0cm" fo:margin-right="0cm" fo:margin-top="0cm" fo:margin-bottom="0.5cm" fo:text-indent="0cm"/> + <style:text-properties style:use-window-font-color="true" style:text-outline="false" style:text-line-through-style="none" fo:font-family="'Liberation Sans'" style:font-family-generic="roman" style:font-pitch="variable" fo:font-size="32pt" fo:font-style="normal" fo:text-shadow="none" style:text-underline-style="none" fo:font-weight="normal" style:letter-kerning="true" style:font-family-asian="'Droid Sans'" style:font-family-generic-asian="system" style:font-pitch-asian="variable" style:font-size-asian="32pt" style:font-style-asian="normal" style:font-weight-asian="normal" style:font-family-complex="FreeSans" style:font-family-generic-complex="system" style:font-pitch-complex="variable" style:font-size-complex="32pt" style:font-style-complex="normal" style:font-weight-complex="normal" style:text-emphasize="none" style:font-relief="none" style:text-overline-style="none" style:text-overline-color="font-color"/> + </style:style> + <style:style style:name="Standard-outline2" style:family="presentation" style:parent-style-name="Standard-outline1"> + <style:paragraph-properties fo:margin-left="0cm" fo:margin-right="0cm" fo:margin-top="0cm" fo:margin-bottom="0.4cm" fo:text-indent="0cm"/> + <style:text-properties fo:font-size="28pt" style:font-size-asian="28pt" style:font-size-complex="28pt"/> + </style:style> + <style:style style:name="Standard-outline3" style:family="presentation" style:parent-style-name="Standard-outline2"> + <style:paragraph-properties fo:margin-left="0cm" fo:margin-right="0cm" fo:margin-top="0cm" fo:margin-bottom="0.3cm" fo:text-indent="0cm"/> + <style:text-properties fo:font-size="24pt" style:font-size-asian="24pt" style:font-size-complex="24pt"/> + </style:style> + <style:style style:name="Standard-outline4" style:family="presentation" style:parent-style-name="Standard-outline3"> + <style:paragraph-properties fo:margin-left="0cm" fo:margin-right="0cm" fo:margin-top="0cm" fo:margin-bottom="0.2cm" fo:text-indent="0cm"/> + <style:text-properties fo:font-size="20pt" style:font-size-asian="20pt" style:font-size-complex="20pt"/> + </style:style> + <style:style style:name="Standard-outline5" style:family="presentation" style:parent-style-name="Standard-outline4"> + <style:paragraph-properties fo:margin-left="0cm" fo:margin-right="0cm" fo:margin-top="0cm" fo:margin-bottom="0.1cm" fo:text-indent="0cm"/> + <style:text-properties fo:font-size="20pt" style:font-size-asian="20pt" style:font-size-complex="20pt"/> + </style:style> + <style:style style:name="Standard-outline6" style:family="presentation" style:parent-style-name="Standard-outline5"> + <style:paragraph-properties fo:margin-left="0cm" fo:margin-right="0cm" fo:margin-top="0cm" fo:margin-bottom="0.1cm" fo:text-indent="0cm"/> + <style:text-properties fo:font-size="20pt" style:font-size-asian="20pt" style:font-size-complex="20pt"/> + </style:style> + <style:style style:name="Standard-outline7" style:family="presentation" style:parent-style-name="Standard-outline6"> + <style:paragraph-properties fo:margin-left="0cm" fo:margin-right="0cm" fo:margin-top="0cm" fo:margin-bottom="0.1cm" fo:text-indent="0cm"/> + <style:text-properties fo:font-size="20pt" style:font-size-asian="20pt" style:font-size-complex="20pt"/> + </style:style> + <style:style style:name="Standard-outline8" style:family="presentation" style:parent-style-name="Standard-outline7"> + <style:paragraph-properties fo:margin-left="0cm" fo:margin-right="0cm" fo:margin-top="0cm" fo:margin-bottom="0.1cm" fo:text-indent="0cm"/> + <style:text-properties fo:font-size="20pt" style:font-size-asian="20pt" style:font-size-complex="20pt"/> + </style:style> + <style:style style:name="Standard-outline9" style:family="presentation" style:parent-style-name="Standard-outline8"> + <style:paragraph-properties fo:margin-left="0cm" fo:margin-right="0cm" fo:margin-top="0cm" fo:margin-bottom="0.1cm" fo:text-indent="0cm"/> + <style:text-properties fo:font-size="20pt" style:font-size-asian="20pt" style:font-size-complex="20pt"/> + </style:style> + <style:style style:name="Standard-subtitle" style:family="presentation"> + <style:graphic-properties draw:stroke="none" draw:fill="none" draw:textarea-vertical-align="middle"> + <text:list-style style:name="Standard-subtitle"> + <text:list-level-style-bullet text:level="1" text:bullet-char="●"> + <style:list-level-properties/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="2" text:bullet-char="●"> + <style:list-level-properties text:space-before="0.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="3" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="4" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="5" text:bullet-char="●"> + <style:list-level-properties text:space-before="2.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="6" text:bullet-char="●"> + <style:list-level-properties text:space-before="3cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="7" text:bullet-char="●"> + <style:list-level-properties text:space-before="3.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="8" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="9" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="10" text:bullet-char="●"> + <style:list-level-properties text:space-before="5.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + </text:list-style> + </style:graphic-properties> + <style:paragraph-properties fo:margin-left="0cm" fo:margin-right="0cm" fo:text-align="center" fo:text-indent="0cm"/> + <style:text-properties style:use-window-font-color="true" style:text-outline="false" style:text-line-through-style="none" fo:font-family="'Liberation Sans'" style:font-family-generic="roman" style:font-pitch="variable" fo:font-size="32pt" fo:font-style="normal" fo:text-shadow="none" style:text-underline-style="none" fo:font-weight="normal" style:letter-kerning="true" style:font-family-asian="'Droid Sans'" style:font-family-generic-asian="system" style:font-pitch-asian="variable" style:font-size-asian="32pt" style:font-style-asian="normal" style:font-weight-asian="normal" style:font-family-complex="FreeSans" style:font-family-generic-complex="system" style:font-pitch-complex="variable" style:font-size-complex="32pt" style:font-style-complex="normal" style:font-weight-complex="normal" style:text-emphasize="none" style:font-relief="none" style:text-overline-style="none" style:text-overline-color="font-color"/> + </style:style> + <style:style style:name="Standard-title" style:family="presentation"> + <style:graphic-properties draw:stroke="none" draw:fill="none" draw:textarea-vertical-align="middle"> + <text:list-style style:name="Standard-title"> + <text:list-level-style-bullet text:level="1" text:bullet-char="●"> + <style:list-level-properties/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="2" text:bullet-char="●"> + <style:list-level-properties text:space-before="0.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="3" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="4" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="5" text:bullet-char="●"> + <style:list-level-properties text:space-before="2.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="6" text:bullet-char="●"> + <style:list-level-properties text:space-before="3cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="7" text:bullet-char="●"> + <style:list-level-properties text:space-before="3.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="8" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="9" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="10" text:bullet-char="●"> + <style:list-level-properties text:space-before="5.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + </text:list-style> + </style:graphic-properties> + <style:paragraph-properties fo:text-align="center"/> + <style:text-properties style:use-window-font-color="true" style:text-outline="false" style:text-line-through-style="none" fo:font-family="'Liberation Sans'" style:font-family-generic="roman" style:font-pitch="variable" fo:font-size="44pt" fo:font-style="normal" fo:text-shadow="none" style:text-underline-style="none" fo:font-weight="normal" style:letter-kerning="true" style:font-family-asian="'Droid Sans'" style:font-family-generic-asian="system" style:font-pitch-asian="variable" style:font-size-asian="44pt" style:font-style-asian="normal" style:font-weight-asian="normal" style:font-family-complex="FreeSans" style:font-family-generic-complex="system" style:font-pitch-complex="variable" style:font-size-complex="44pt" style:font-style-complex="normal" style:font-weight-complex="normal" style:text-emphasize="none" style:font-relief="none" style:text-overline-style="none" style:text-overline-color="font-color"/> + </style:style> + <style:presentation-page-layout style:name="AL0T26"> + <presentation:placeholder presentation:object="handout" svg:x="2.057cm" svg:y="1.743cm" svg:width="10.555cm" svg:height="-0.233cm"/> + <presentation:placeholder presentation:object="handout" svg:x="15.412cm" svg:y="1.743cm" svg:width="10.555cm" svg:height="-0.233cm"/> + <presentation:placeholder presentation:object="handout" svg:x="2.057cm" svg:y="3.612cm" svg:width="10.555cm" svg:height="-0.233cm"/> + <presentation:placeholder presentation:object="handout" svg:x="15.412cm" svg:y="3.612cm" svg:width="10.555cm" svg:height="-0.233cm"/> + <presentation:placeholder presentation:object="handout" svg:x="2.057cm" svg:y="5.481cm" svg:width="10.555cm" svg:height="-0.233cm"/> + <presentation:placeholder presentation:object="handout" svg:x="15.412cm" svg:y="5.481cm" svg:width="10.555cm" svg:height="-0.233cm"/> + </style:presentation-page-layout> + <style:presentation-page-layout style:name="AL1T0"> + <presentation:placeholder presentation:object="title" svg:x="2.057cm" svg:y="1.743cm" svg:width="23.911cm" svg:height="3.507cm"/> + <presentation:placeholder presentation:object="subtitle" svg:x="2.057cm" svg:y="5.838cm" svg:width="23.911cm" svg:height="13.23cm"/> + </style:presentation-page-layout> + <style:presentation-page-layout style:name="AL2T18"> + <presentation:placeholder presentation:object="title" svg:x="2.057cm" svg:y="1.743cm" svg:width="23.911cm" svg:height="3.507cm"/> + <presentation:placeholder presentation:object="object" svg:x="2.057cm" svg:y="5.838cm" svg:width="11.669cm" svg:height="6.311cm"/> + <presentation:placeholder presentation:object="object" svg:x="14.309cm" svg:y="5.838cm" svg:width="-0.585cm" svg:height="6.311cm"/> + <presentation:placeholder presentation:object="object" svg:x="2.057cm" svg:y="12.748cm" svg:width="11.669cm" svg:height="-0.601cm"/> + <presentation:placeholder presentation:object="object" svg:x="14.309cm" svg:y="12.748cm" svg:width="-0.585cm" svg:height="-0.601cm"/> + </style:presentation-page-layout> + <style:presentation-page-layout style:name="AL3T14"> + <presentation:placeholder presentation:object="title" svg:x="2.057cm" svg:y="1.743cm" svg:width="23.911cm" svg:height="3.507cm"/> + <presentation:placeholder presentation:object="object" svg:x="2.057cm" svg:y="5.838cm" svg:width="23.911cm" svg:height="6.311cm"/> + <presentation:placeholder presentation:object="outline" svg:x="2.057cm" svg:y="12.748cm" svg:width="23.911cm" svg:height="-0.601cm"/> + </style:presentation-page-layout> + <style:presentation-page-layout style:name="AL4T16"> + <presentation:placeholder presentation:object="title" svg:x="2.057cm" svg:y="1.743cm" svg:width="23.911cm" svg:height="3.507cm"/> + <presentation:placeholder presentation:object="object" svg:x="2.057cm" svg:y="5.838cm" svg:width="11.669cm" svg:height="6.311cm"/> + <presentation:placeholder presentation:object="object" svg:x="14.309cm" svg:y="5.838cm" svg:width="-0.585cm" svg:height="6.311cm"/> + <presentation:placeholder presentation:object="outline" svg:x="2.057cm" svg:y="12.748cm" svg:width="23.911cm" svg:height="-0.601cm"/> + </style:presentation-page-layout> + </office:styles> + <office:automatic-styles> + <style:page-layout style:name="PM0"> + <style:page-layout-properties fo:margin-top="0cm" fo:margin-bottom="0cm" fo:margin-left="0cm" fo:margin-right="0cm" fo:page-width="21cm" fo:page-height="29.7cm" style:print-orientation="portrait"/> + </style:page-layout> + <style:page-layout style:name="PM1"> + <style:page-layout-properties fo:margin-top="0cm" fo:margin-bottom="0cm" fo:margin-left="0cm" fo:margin-right="0cm" fo:page-width="28cm" fo:page-height="21cm" style:print-orientation="landscape"/> + </style:page-layout> + <style:page-layout style:name="PM2"> + <style:page-layout-properties fo:margin-top="0cm" fo:margin-bottom="0cm" fo:margin-left="0cm" fo:margin-right="0cm" fo:page-width="21cm" fo:page-height="29.7cm" style:print-orientation="landscape"/> + </style:page-layout> + <style:style style:name="dp1" style:family="drawing-page"> + <style:drawing-page-properties draw:background-size="border" draw:fill="none"/> + </style:style> + <style:style style:name="dp2" style:family="drawing-page"> + <style:drawing-page-properties presentation:display-header="true" presentation:display-footer="true" presentation:display-page-number="false" presentation:display-date-time="true"/> + </style:style> + <style:style style:name="dp3" style:family="drawing-page"> + <style:drawing-page-properties presentation:background-visible="true" presentation:background-objects-visible="true" presentation:display-footer="true" presentation:display-page-number="false" presentation:display-date-time="true"/> + </style:style> + <style:style style:name="gr1" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none" draw:fill-color="#ffffff" draw:auto-grow-height="false" fo:min-height="1.485cm"/> + </style:style> + <style:style style:name="gr2" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none" draw:fill-color="#ffffff" draw:textarea-vertical-align="bottom" draw:auto-grow-height="false" fo:min-height="1.485cm"/> + </style:style> + <style:style style:name="gr3" style:family="graphic"> + <style:graphic-properties style:protect="size"/> + </style:style> + <style:style style:name="gr4" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" svg:stroke-color="#000000" draw:fill="none" draw:fill-color="#ffffff" draw:textarea-horizontal-align="left" draw:auto-grow-height="true" draw:auto-grow-width="false" fo:min-height="1.782cm" fo:min-width="6.358cm"/> + </style:style> + <style:style style:name="gr5" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" svg:stroke-color="#000000" draw:fill="none" draw:fill-color="#ffffff" draw:textarea-horizontal-align="left" draw:auto-grow-height="true" draw:auto-grow-width="false" fo:min-height="0.712cm" fo:min-width="1.024cm"/> + </style:style> + <style:style style:name="gr6" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:fill="solid" draw:fill-color="#ffffff" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false"/> + </style:style> + <style:style style:name="gr7" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" svg:stroke-color="#000000" draw:fill="none" draw:fill-color="#ffffff" draw:textarea-horizontal-align="left" draw:auto-grow-height="true" draw:auto-grow-width="false" fo:min-height="2.134cm" fo:min-width="6.358cm"/> + </style:style> + <style:style style:name="gr8" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:fill="solid" draw:fill-color="#4c4c4c" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false"/> + </style:style> + <style:style style:name="pr1" style:family="presentation" style:parent-style-name="Default-backgroundobjects"> + <style:graphic-properties draw:stroke="none" draw:fill="none" draw:fill-color="#ffffff" draw:auto-grow-height="false" fo:min-height="1.449cm"/> + </style:style> + <style:style style:name="pr2" style:family="presentation" style:parent-style-name="Default-backgroundobjects"> + <style:graphic-properties draw:stroke="none" draw:fill="none" draw:fill-color="#ffffff" draw:auto-grow-height="false" fo:min-height="1.485cm"/> + </style:style> + <style:style style:name="pr3" style:family="presentation" style:parent-style-name="Default-backgroundobjects"> + <style:graphic-properties draw:stroke="none" draw:fill="none" draw:fill-color="#ffffff" draw:textarea-vertical-align="bottom" draw:auto-grow-height="false" fo:min-height="1.485cm"/> + </style:style> + <style:style style:name="pr4" style:family="presentation" style:parent-style-name="Standard-title"> + <style:graphic-properties fo:min-height="3.506cm"/> + </style:style> + <style:style style:name="pr5" style:family="presentation" style:parent-style-name="Standard-subtitle"> + <style:graphic-properties draw:fill-color="#ffffff" fo:min-height="11.514cm"/> + </style:style> + <style:style style:name="pr6" style:family="presentation" style:parent-style-name="Standard-notes"> + <style:graphic-properties draw:fill-color="#ffffff" fo:min-height="13.364cm"/> + </style:style> + <style:style style:name="pr7" style:family="presentation" style:parent-style-name="Default-outline1"> + <style:graphic-properties draw:fill="solid" draw:fill-color="#9999ff" fo:min-height="5.558cm"/> + </style:style> + <style:style style:name="pr8" style:family="presentation" style:parent-style-name="Default-outline1"> + <style:graphic-properties draw:fill="none" fo:min-height="5.558cm"/> + </style:style> + <style:style style:name="pr9" style:family="presentation" style:parent-style-name="Default-notes"> + <style:graphic-properties draw:fill-color="#ffffff" fo:min-height="13.364cm"/> + </style:style> + <style:style style:name="pr10" style:family="presentation" style:parent-style-name="Default-title"> + <style:graphic-properties draw:auto-grow-height="true" fo:min-height="3.506cm"/> + </style:style> + <style:style style:name="pr11" style:family="presentation" style:parent-style-name="Default-outline1"> + <style:graphic-properties draw:fill="solid" draw:fill-color="#9999ff" draw:fit-to-size="false" fo:min-height="5.558cm" fo:padding-top="0.3cm" fo:padding-bottom="0.4cm" fo:padding-left="0.4cm" fo:padding-right="0.4cm"/> + </style:style> + <style:style style:name="pr12" style:family="presentation" style:parent-style-name="Default-outline1"> + <style:graphic-properties draw:fill="solid" draw:fill-color="#9999ff" fo:min-height="5.558cm" fo:padding-top="0.3cm" fo:padding-bottom="0.4cm" fo:padding-left="0.4cm" fo:padding-right="0.4cm"/> + </style:style> + <style:style style:name="pr13" style:family="presentation" style:parent-style-name="Default-outline1"> + <style:graphic-properties draw:fill="solid" draw:fill-color="#ffffff" draw:fit-to-size="false" fo:min-height="5.558cm" fo:padding-top="0.3cm" fo:padding-bottom="0.4cm" fo:padding-left="0.4cm" fo:padding-right="0.4cm"/> + </style:style> + <style:style style:name="pr14" style:family="presentation" style:parent-style-name="Default-outline1"> + <style:graphic-properties draw:fill="solid" fo:min-height="11.928cm"/> + </style:style> + <style:style style:name="pr15" style:family="presentation" style:parent-style-name="Default-outline1"> + <style:graphic-properties fo:min-height="5.558cm"/> + </style:style> + <style:style style:name="pr16" style:family="presentation" style:parent-style-name="Default-outline1"> + <style:graphic-properties fo:min-height="11.928cm"/> + </style:style> + <style:style style:name="pr17" style:family="presentation" style:parent-style-name="Default-title"> + <style:graphic-properties fo:min-height="3.506cm"/> + </style:style> + <style:style style:name="pr18" style:family="presentation" style:parent-style-name="Default-subtitle"> + <style:graphic-properties draw:fill-color="#ffffff" fo:min-height="12.178cm"/> + </style:style> + <style:style style:name="pr19" style:family="presentation" style:parent-style-name="Default-subtitle"> + <style:graphic-properties draw:fill-color="#ffffff" draw:auto-grow-height="true" fo:min-height="12.178cm"/> + </style:style> + <style:style style:name="P1" style:family="paragraph"> + <style:text-properties fo:font-size="14pt" style:font-size-asian="14pt" style:font-size-complex="14pt"/> + </style:style> + <style:style style:name="P2" style:family="paragraph"> + <style:paragraph-properties fo:text-align="end"/> + <style:text-properties fo:font-size="14pt" style:font-size-asian="14pt" style:font-size-complex="14pt"/> + </style:style> + <style:style style:name="P3" style:family="paragraph"> + <style:paragraph-properties fo:text-align="center"/> + <style:text-properties fo:font-size="14pt" style:font-size-asian="14pt" style:font-size-complex="14pt"/> + </style:style> + <style:style style:name="P4" style:family="paragraph"> + <style:text-properties fo:font-family="'Source Sans Pro'" style:font-family-generic="swiss" style:font-pitch="variable"/> + </style:style> + <style:style style:name="P5" style:family="paragraph"> + <style:text-properties fo:font-size="32pt"/> + </style:style> + <style:style style:name="P6" style:family="paragraph"> + <style:text-properties fo:font-size="20pt"/> + </style:style> + <style:style style:name="P7" style:family="paragraph"> + <style:paragraph-properties fo:margin-top="1cm" fo:margin-bottom="0cm"/> + </style:style> + <style:style style:name="P8" style:family="paragraph"> + <style:paragraph-properties fo:margin-top="0cm" fo:margin-bottom="0.5cm"/> + </style:style> + <style:style style:name="P9" style:family="paragraph"> + <style:text-properties fo:font-size="26pt" style:font-size-asian="26pt" style:font-size-complex="26pt"/> + </style:style> + <style:style style:name="P10" style:family="paragraph"> + <style:text-properties fo:font-size="18pt"/> + </style:style> + <style:style style:name="P11" style:family="paragraph"> + <style:paragraph-properties fo:margin-top="1cm" fo:margin-bottom="0.2cm"/> + </style:style> + <style:style style:name="P12" style:family="paragraph"> + <style:paragraph-properties fo:margin-top="0cm" fo:margin-bottom="0.2cm"/> + </style:style> + <style:style style:name="P13" style:family="paragraph"> + <style:paragraph-properties fo:margin-top="0cm" fo:margin-bottom="0cm"/> + </style:style> + <style:style style:name="P14" style:family="paragraph"> + <style:text-properties fo:color="#000000" style:text-underline-style="none"/> + </style:style> + <style:style style:name="P15" style:family="paragraph"> + <style:paragraph-properties fo:text-align="center"/> + </style:style> + <style:style style:name="P16" style:family="paragraph"> + <style:paragraph-properties fo:text-align="center"/> + <style:text-properties fo:color="#ffffff" fo:font-size="18pt"/> + </style:style> + <style:style style:name="P17" style:family="paragraph"> + <style:paragraph-properties style:writing-mode="lr-tb"/> + </style:style> + <style:style style:name="T1" style:family="text"> + <style:text-properties fo:font-size="14pt" style:font-size-asian="14pt" style:font-size-complex="14pt"/> + </style:style> + <style:style style:name="T2" style:family="text"> + <style:text-properties fo:font-family="'Source Sans Pro'" style:font-family-generic="swiss" style:font-pitch="variable" fo:font-weight="bold" style:font-weight-asian="bold" style:font-weight-complex="bold"/> + </style:style> + <style:style style:name="T3" style:family="text"> + <style:text-properties fo:font-family="'Source Sans Pro'" style:font-family-generic="swiss" style:font-pitch="variable"/> + </style:style> + <style:style style:name="T4" style:family="text"> + <style:text-properties fo:font-family="'Source Sans Pro'" style:font-family-generic="swiss" style:font-pitch="variable" fo:font-size="40pt" fo:font-style="italic" style:font-size-asian="40pt" style:font-style-asian="italic" style:font-size-complex="40pt" style:font-style-complex="italic"/> + </style:style> + <style:style style:name="T5" style:family="text"> + <style:text-properties fo:font-family="'Source Sans Pro'" style:font-family-generic="swiss" style:font-pitch="variable" fo:font-size="26pt" style:font-size-asian="26pt" style:font-size-complex="26pt"/> + </style:style> + <style:style style:name="T6" style:family="text"> + <style:text-properties fo:font-family="'Source Sans Pro'" style:font-family-generic="swiss" style:font-pitch="variable" fo:font-size="26pt" fo:font-style="italic" style:font-size-asian="26pt" style:font-style-asian="italic" style:font-size-complex="26pt" style:font-style-complex="italic"/> + </style:style> + <style:style style:name="T7" style:family="text"> + <style:text-properties fo:color="#0000ff" fo:font-family="'Source Sans Pro'" style:font-family-generic="swiss" style:font-pitch="variable" fo:font-size="26pt" style:text-underline-style="solid" style:text-underline-width="auto" style:text-underline-color="font-color" style:font-size-asian="26pt" style:font-size-complex="26pt"/> + </style:style> + <style:style style:name="T8" style:family="text"> + <style:text-properties fo:font-size="18pt" style:font-size-asian="18pt" style:font-size-complex="18pt"/> + </style:style> + <style:style style:name="T9" style:family="text"> + <style:text-properties fo:font-size="26pt" style:font-size-asian="26pt" style:font-size-complex="26pt"/> + </style:style> + <style:style style:name="T10" style:family="text"> + <style:text-properties fo:font-size="18pt"/> + </style:style> + <style:style style:name="T11" style:family="text"> + <style:text-properties style:use-window-font-color="true" fo:font-size="24pt" fo:font-weight="bold" style:font-size-asian="24pt" style:font-weight-asian="bold" style:font-size-complex="24pt" style:font-weight-complex="bold"/> + </style:style> + <style:style style:name="T12" style:family="text"> + <style:text-properties fo:font-size="16pt" style:font-size-asian="16pt" style:font-size-complex="16pt"/> + </style:style> + <style:style style:name="T13" style:family="text"> + <style:text-properties fo:font-size="20pt" style:font-size-asian="20pt" style:font-size-complex="20pt"/> + </style:style> + <style:style style:name="T14" style:family="text"> + <style:text-properties fo:color="#ffffff" fo:font-size="48pt" style:font-size-asian="48pt" style:font-size-complex="48pt"/> + </style:style> + <style:style style:name="T15" style:family="text"> + <style:text-properties fo:color="#000000" fo:font-size="16pt" style:text-underline-style="none" style:font-size-asian="16pt" style:font-size-complex="16pt"/> + </style:style> + <style:style style:name="T16" style:family="text"> + <style:text-properties fo:color="#0000ff" fo:font-size="16pt" style:text-underline-style="solid" style:text-underline-width="auto" style:text-underline-color="font-color" style:font-size-asian="16pt" style:font-size-complex="16pt"/> + </style:style> + <style:style style:name="T17" style:family="text"> + <style:text-properties fo:color="#ffffff" fo:font-size="18pt"/> + </style:style> + <style:style style:name="T18" style:family="text"> + <style:text-properties fo:font-size="22pt" style:font-size-asian="22pt" style:font-size-complex="22pt"/> + </style:style> + <style:style style:name="T19" style:family="text"> + <style:text-properties fo:font-size="32pt"/> + </style:style> + <text:list-style style:name="L1"> + <text:list-level-style-bullet text:level="1" text:bullet-char="●"> + <style:list-level-properties text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="2" text:bullet-char="●"> + <style:list-level-properties text:space-before="0.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="3" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="4" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="5" text:bullet-char="●"> + <style:list-level-properties text:space-before="2.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="6" text:bullet-char="●"> + <style:list-level-properties text:space-before="3cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="7" text:bullet-char="●"> + <style:list-level-properties text:space-before="3.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="8" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="9" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="10" text:bullet-char="●"> + <style:list-level-properties text:space-before="5.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + </text:list-style> + <text:list-style style:name="L2"> + <text:list-level-style-bullet text:level="1" text:bullet-char="●"> + <style:list-level-properties/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="2" text:bullet-char="●"> + <style:list-level-properties text:space-before="0.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="3" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="4" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="5" text:bullet-char="●"> + <style:list-level-properties text:space-before="2.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="6" text:bullet-char="●"> + <style:list-level-properties text:space-before="3cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="7" text:bullet-char="●"> + <style:list-level-properties text:space-before="3.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="8" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="9" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="10" text:bullet-char="●"> + <style:list-level-properties text:space-before="5.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + </text:list-style> + <text:list-style style:name="L3"> + <text:list-level-style-bullet text:level="1" text:bullet-char="●"> + <style:list-level-properties/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="2" text:bullet-char="●"> + <style:list-level-properties text:space-before="0.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="3" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="4" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="5" text:bullet-char="●"> + <style:list-level-properties text:space-before="2.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="6" text:bullet-char="●"> + <style:list-level-properties text:space-before="3cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="7" text:bullet-char="●"> + <style:list-level-properties text:space-before="3.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="8" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="9" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="10" text:bullet-char="●"> + <style:list-level-properties text:space-before="5.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + </text:list-style> + <text:list-style style:name="L4"> + <text:list-level-style-bullet text:level="1" text:bullet-char="●"> + <style:list-level-properties text:space-before="0.3cm" text:min-label-width="0.9cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="2" text:bullet-char="–"> + <style:list-level-properties text:space-before="1.5cm" text:min-label-width="0.9cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="75%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="3" text:bullet-char="●"> + <style:list-level-properties text:space-before="2.8cm" text:min-label-width="0.8cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="4" text:bullet-char="–"> + <style:list-level-properties text:space-before="4.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="75%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="5" text:bullet-char="●"> + <style:list-level-properties text:space-before="5.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="6" text:bullet-char="●"> + <style:list-level-properties text:space-before="6.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="7" text:bullet-char="●"> + <style:list-level-properties text:space-before="7.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="8" text:bullet-char="●"> + <style:list-level-properties text:space-before="9cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="9" text:bullet-char="●"> + <style:list-level-properties text:space-before="10.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="10" text:bullet-char="●"> + <style:list-level-properties text:space-before="11.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + </text:list-style> + </office:automatic-styles> + <office:master-styles> + <draw:layer-set> + <draw:layer draw:name="layout"/> + <draw:layer draw:name="background"/> + <draw:layer draw:name="backgroundobjects"/> + <draw:layer draw:name="controls"/> + <draw:layer draw:name="measurelines"/> + </draw:layer-set> + <style:handout-master presentation:presentation-page-layout-name="AL0T26" style:page-layout-name="PM0" draw:style-name="dp2"> + <draw:page-thumbnail draw:layer="backgroundobjects" svg:width="8.999cm" svg:height="6.749cm" svg:x="1cm" svg:y="2.898cm"/> + <draw:page-thumbnail draw:layer="backgroundobjects" svg:width="8.999cm" svg:height="6.749cm" svg:x="1cm" svg:y="11.474cm"/> + <draw:page-thumbnail draw:layer="backgroundobjects" svg:width="8.999cm" svg:height="6.749cm" svg:x="1cm" svg:y="20.05cm"/> + <draw:page-thumbnail draw:layer="backgroundobjects" svg:width="8.999cm" svg:height="6.749cm" svg:x="11cm" svg:y="2.898cm"/> + <draw:page-thumbnail draw:layer="backgroundobjects" svg:width="8.999cm" svg:height="6.749cm" svg:x="11cm" svg:y="11.474cm"/> + <draw:page-thumbnail draw:layer="backgroundobjects" svg:width="8.999cm" svg:height="6.749cm" svg:x="11cm" svg:y="20.05cm"/> + <draw:frame draw:style-name="gr1" draw:text-style-name="P1" draw:layer="backgroundobjects" svg:width="9.112cm" svg:height="1.484cm" svg:x="0cm" svg:y="0cm" presentation:class="header"> + <draw:text-box> + <text:p text:style-name="P1"><text:span text:style-name="T1"><presentation:header/></text:span><text:span text:style-name="T1"><presentation:header/></text:span><text:span text:style-name="T1"><presentation:header/></text:span><text:span text:style-name="T1"><presentation:header/></text:span><text:span text:style-name="T1"><presentation:header/></text:span><text:span text:style-name="T1"><presentation:header/></text:span><text:span text:style-name="T1"><presentation:header/></text:span><text:span text:style-name="T1"><presentation:header/></text:span><text:span text:style-name="T1"><presentation:header/></text:span><text:span text:style-name="T1"><presentation:header/></text:span><presentation:header/></text:p> + </draw:text-box> + </draw:frame> + <draw:frame draw:style-name="gr1" draw:text-style-name="P2" draw:layer="backgroundobjects" svg:width="9.112cm" svg:height="1.484cm" svg:x="11.887cm" svg:y="0cm" presentation:class="date-time"> + <draw:text-box> + <text:p text:style-name="P2"><text:span text:style-name="T1"><presentation:date-time/></text:span><text:span text:style-name="T1"><presentation:date-time/></text:span><text:span text:style-name="T1"><presentation:date-time/></text:span><text:span text:style-name="T1"><presentation:date-time/></text:span><text:span text:style-name="T1"><presentation:date-time/></text:span><text:span text:style-name="T1"><presentation:date-time/></text:span><text:span text:style-name="T1"><presentation:date-time/></text:span><text:span text:style-name="T1"><presentation:date-time/></text:span><text:span text:style-name="T1"><presentation:date-time/></text:span><text:span text:style-name="T1"><presentation:date-time/></text:span><presentation:date-time/></text:p> + </draw:text-box> + </draw:frame> + <draw:frame draw:style-name="gr2" draw:text-style-name="P1" draw:layer="backgroundobjects" svg:width="9.112cm" svg:height="1.484cm" svg:x="0cm" svg:y="28.215cm" presentation:class="footer"> + <draw:text-box> + <text:p text:style-name="P1"><text:span text:style-name="T1"><presentation:footer/></text:span><text:span text:style-name="T1"><presentation:footer/></text:span><text:span text:style-name="T1"><presentation:footer/></text:span><text:span text:style-name="T1"><presentation:footer/></text:span><text:span text:style-name="T1"><presentation:footer/></text:span><text:span text:style-name="T1"><presentation:footer/></text:span><text:span text:style-name="T1"><presentation:footer/></text:span><text:span text:style-name="T1"><presentation:footer/></text:span><text:span text:style-name="T1"><presentation:footer/></text:span><text:span text:style-name="T1"><presentation:footer/></text:span><presentation:footer/></text:p> + </draw:text-box> + </draw:frame> + <draw:frame draw:style-name="gr2" draw:text-style-name="P2" draw:layer="backgroundobjects" svg:width="9.112cm" svg:height="1.484cm" svg:x="11.887cm" svg:y="28.215cm" presentation:class="page-number"> + <draw:text-box> + <text:p text:style-name="P2"><text:span text:style-name="T1"><text:page-number><numéro></text:page-number></text:span><text:span text:style-name="T1"><text:page-number><numéro></text:page-number></text:span><text:span text:style-name="T1"><text:page-number><numéro></text:page-number></text:span><text:span text:style-name="T1"><text:page-number><numéro></text:page-number></text:span><text:span text:style-name="T1"><text:page-number><numéro></text:page-number></text:span><text:span text:style-name="T1"><text:page-number><numéro></text:page-number></text:span><text:span text:style-name="T1"><text:page-number><numéro></text:page-number></text:span><text:span text:style-name="T1"><text:page-number><numéro></text:page-number></text:span><text:span text:style-name="T1"><text:page-number><numéro></text:page-number></text:span><text:span text:style-name="T1"><text:page-number><numéro></text:page-number></text:span><text:page-number><numéro></text:page-number></text:p> + </draw:text-box> + </draw:frame> + </style:handout-master> + <style:master-page style:name="Default" style:page-layout-name="PM1" draw:style-name="dp1"> + <draw:frame presentation:style-name="Default-title" draw:layer="backgroundobjects" svg:width="25.199cm" svg:height="3.506cm" svg:x="1.4cm" svg:y="0.837cm" presentation:class="title" presentation:placeholder="true"> + <draw:text-box/> + </draw:frame> + <draw:frame presentation:style-name="Default-outline1" draw:layer="backgroundobjects" svg:width="24.639cm" svg:height="12.179cm" svg:x="1.4cm" svg:y="4.914cm" presentation:class="outline" presentation:placeholder="true"> + <draw:text-box/> + </draw:frame> + <draw:frame presentation:style-name="Default-outline1" draw:layer="backgroundobjects" svg:width="24.639cm" svg:height="12.179cm" svg:x="1.4cm" svg:y="4.914cm" presentation:class="outline" presentation:placeholder="true"> + <draw:text-box/> + </draw:frame> + <draw:frame presentation:style-name="Default-outline1" draw:layer="backgroundobjects" svg:width="24.639cm" svg:height="12.179cm" svg:x="1.4cm" svg:y="4.914cm" presentation:class="outline" presentation:placeholder="true"> + <draw:text-box/> + </draw:frame> + <draw:frame presentation:style-name="Default-outline1" draw:layer="backgroundobjects" svg:width="24.639cm" svg:height="12.179cm" svg:x="1.4cm" svg:y="4.914cm" presentation:class="outline" presentation:placeholder="true"> + <draw:text-box/> + </draw:frame> + <draw:frame presentation:style-name="Default-outline1" draw:layer="backgroundobjects" svg:width="24.639cm" svg:height="12.179cm" svg:x="1.4cm" svg:y="4.914cm" presentation:class="outline" presentation:placeholder="true"> + <draw:text-box/> + </draw:frame> + <draw:frame presentation:style-name="Default-outline1" draw:layer="backgroundobjects" svg:width="24.639cm" svg:height="12.179cm" svg:x="1.4cm" svg:y="4.914cm" presentation:class="outline" presentation:placeholder="true"> + <draw:text-box/> + </draw:frame> + <draw:frame presentation:style-name="Default-outline1" draw:layer="backgroundobjects" svg:width="24.639cm" svg:height="12.179cm" svg:x="1.4cm" svg:y="4.914cm" presentation:class="outline" presentation:placeholder="true"> + <draw:text-box/> + </draw:frame> + <draw:frame presentation:style-name="Default-outline1" draw:layer="backgroundobjects" svg:width="24.639cm" svg:height="12.179cm" svg:x="1.4cm" svg:y="4.914cm" presentation:class="outline" presentation:placeholder="true"> + <draw:text-box/> + </draw:frame> + <draw:frame presentation:style-name="Default-outline1" draw:layer="backgroundobjects" svg:width="24.639cm" svg:height="12.179cm" svg:x="1.4cm" svg:y="4.914cm" presentation:class="outline" presentation:placeholder="true"> + <draw:text-box/> + </draw:frame> + <draw:frame presentation:style-name="Default-outline1" draw:layer="backgroundobjects" svg:width="24.639cm" svg:height="12.179cm" svg:x="1.4cm" svg:y="4.914cm" presentation:class="outline" presentation:placeholder="true"> + <draw:text-box/> + </draw:frame> + <draw:frame presentation:style-name="Default-outline1" draw:layer="backgroundobjects" svg:width="24.639cm" svg:height="12.179cm" svg:x="1.4cm" svg:y="4.914cm" presentation:class="outline" presentation:placeholder="true"> + <draw:text-box/> + </draw:frame> + <draw:frame presentation:style-name="pr1" draw:text-style-name="P1" draw:layer="backgroundobjects" svg:width="6.523cm" svg:height="1.448cm" svg:x="1.4cm" svg:y="19.131cm" presentation:class="date-time"> + <draw:text-box> + <text:p text:style-name="P1"><text:span text:style-name="T1"><presentation:date-time/></text:span><text:span text:style-name="T1"><presentation:date-time/></text:span><text:span text:style-name="T1"><presentation:date-time/></text:span><text:span text:style-name="T1"><presentation:date-time/></text:span><text:span text:style-name="T1"><presentation:date-time/></text:span><text:span text:style-name="T1"><presentation:date-time/></text:span><text:span text:style-name="T1"><presentation:date-time/></text:span><text:span text:style-name="T1"><presentation:date-time/></text:span><text:span text:style-name="T1"><presentation:date-time/></text:span><text:span text:style-name="T1"><presentation:date-time/></text:span><presentation:date-time/></text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr1" draw:text-style-name="P3" draw:layer="backgroundobjects" svg:width="8.875cm" svg:height="1.448cm" svg:x="9.576cm" svg:y="19.131cm" presentation:class="footer"> + <draw:text-box> + <text:p text:style-name="P3"><text:span text:style-name="T1"><presentation:footer/></text:span><text:span text:style-name="T1"><presentation:footer/></text:span><text:span text:style-name="T1"><presentation:footer/></text:span><text:span text:style-name="T1"><presentation:footer/></text:span><text:span text:style-name="T1"><presentation:footer/></text:span><text:span text:style-name="T1"><presentation:footer/></text:span><text:span text:style-name="T1"><presentation:footer/></text:span><text:span text:style-name="T1"><presentation:footer/></text:span><text:span text:style-name="T1"><presentation:footer/></text:span><text:span text:style-name="T1"><presentation:footer/></text:span><presentation:footer/></text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr1" draw:text-style-name="P2" draw:layer="backgroundobjects" svg:width="6.523cm" svg:height="1.448cm" svg:x="20.075cm" svg:y="19.131cm" presentation:class="page-number"> + <draw:text-box> + <text:p text:style-name="P2"><text:span text:style-name="T1"><text:page-number><numéro></text:page-number></text:span><text:span text:style-name="T1"><text:page-number><numéro></text:page-number></text:span><text:span text:style-name="T1"><text:page-number><numéro></text:page-number></text:span><text:span text:style-name="T1"><text:page-number><numéro></text:page-number></text:span><text:span text:style-name="T1"><text:page-number><numéro></text:page-number></text:span><text:span text:style-name="T1"><text:page-number><numéro></text:page-number></text:span><text:span text:style-name="T1"><text:page-number><numéro></text:page-number></text:span><text:span text:style-name="T1"><text:page-number><numéro></text:page-number></text:span><text:span text:style-name="T1"><text:page-number><numéro></text:page-number></text:span><text:span text:style-name="T1"><text:page-number><numéro></text:page-number></text:span><text:page-number><numéro></text:page-number></text:p> + </draw:text-box> + </draw:frame> + <presentation:notes style:page-layout-name="PM2"> + <draw:page-thumbnail presentation:style-name="Default-title" draw:layer="backgroundobjects" svg:width="14.848cm" svg:height="11.135cm" svg:x="3.075cm" svg:y="2.257cm" presentation:class="page"/> + <draw:frame presentation:style-name="Default-notes" draw:layer="backgroundobjects" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true"> + <draw:text-box/> + </draw:frame> + <draw:frame presentation:style-name="Default-notes" draw:layer="backgroundobjects" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true"> + <draw:text-box/> + </draw:frame> + <draw:frame presentation:style-name="Default-notes" draw:layer="backgroundobjects" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true"> + <draw:text-box/> + </draw:frame> + <draw:frame presentation:style-name="Default-notes" draw:layer="backgroundobjects" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true"> + <draw:text-box/> + </draw:frame> + <draw:frame presentation:style-name="Default-notes" draw:layer="backgroundobjects" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true"> + <draw:text-box/> + </draw:frame> + <draw:frame presentation:style-name="Default-notes" draw:layer="backgroundobjects" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true"> + <draw:text-box/> + </draw:frame> + <draw:frame presentation:style-name="Default-notes" draw:layer="backgroundobjects" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true"> + <draw:text-box/> + </draw:frame> + <draw:frame presentation:style-name="Default-notes" draw:layer="backgroundobjects" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true"> + <draw:text-box/> + </draw:frame> + <draw:frame presentation:style-name="Default-notes" draw:layer="backgroundobjects" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true"> + <draw:text-box/> + </draw:frame> + <draw:frame presentation:style-name="Default-notes" draw:layer="backgroundobjects" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true"> + <draw:text-box/> + </draw:frame> + <draw:frame presentation:style-name="Default-notes" draw:layer="backgroundobjects" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true"> + <draw:text-box/> + </draw:frame> + <draw:frame presentation:style-name="pr2" draw:text-style-name="P1" draw:layer="backgroundobjects" svg:width="9.112cm" svg:height="1.484cm" svg:x="0cm" svg:y="0cm" presentation:class="header"> + <draw:text-box> + <text:p text:style-name="P1"><text:span text:style-name="T1"><presentation:header/></text:span><text:span text:style-name="T1"><presentation:header/></text:span><text:span text:style-name="T1"><presentation:header/></text:span><text:span text:style-name="T1"><presentation:header/></text:span><text:span text:style-name="T1"><presentation:header/></text:span><text:span text:style-name="T1"><presentation:header/></text:span><text:span text:style-name="T1"><presentation:header/></text:span><text:span text:style-name="T1"><presentation:header/></text:span><text:span text:style-name="T1"><presentation:header/></text:span><text:span text:style-name="T1"><presentation:header/></text:span><presentation:header/></text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr2" draw:text-style-name="P2" draw:layer="backgroundobjects" svg:width="9.112cm" svg:height="1.484cm" svg:x="11.887cm" svg:y="0cm" presentation:class="date-time"> + <draw:text-box> + <text:p text:style-name="P2"><text:span text:style-name="T1"><presentation:date-time/></text:span><text:span text:style-name="T1"><presentation:date-time/></text:span><text:span text:style-name="T1"><presentation:date-time/></text:span><text:span text:style-name="T1"><presentation:date-time/></text:span><text:span text:style-name="T1"><presentation:date-time/></text:span><text:span text:style-name="T1"><presentation:date-time/></text:span><text:span text:style-name="T1"><presentation:date-time/></text:span><text:span text:style-name="T1"><presentation:date-time/></text:span><text:span text:style-name="T1"><presentation:date-time/></text:span><text:span text:style-name="T1"><presentation:date-time/></text:span><presentation:date-time/></text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr3" draw:text-style-name="P1" draw:layer="backgroundobjects" svg:width="9.112cm" svg:height="1.484cm" svg:x="0cm" svg:y="28.215cm" presentation:class="footer"> + <draw:text-box> + <text:p text:style-name="P1"><text:span text:style-name="T1"><presentation:footer/></text:span><text:span text:style-name="T1"><presentation:footer/></text:span><text:span text:style-name="T1"><presentation:footer/></text:span><text:span text:style-name="T1"><presentation:footer/></text:span><text:span text:style-name="T1"><presentation:footer/></text:span><text:span text:style-name="T1"><presentation:footer/></text:span><text:span text:style-name="T1"><presentation:footer/></text:span><text:span text:style-name="T1"><presentation:footer/></text:span><text:span text:style-name="T1"><presentation:footer/></text:span><text:span text:style-name="T1"><presentation:footer/></text:span><presentation:footer/></text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr3" draw:text-style-name="P2" draw:layer="backgroundobjects" svg:width="9.112cm" svg:height="1.484cm" svg:x="11.887cm" svg:y="28.215cm" presentation:class="page-number"> + <draw:text-box> + <text:p text:style-name="P2"><text:span text:style-name="T1"><text:page-number><numéro></text:page-number></text:span><text:span text:style-name="T1"><text:page-number><numéro></text:page-number></text:span><text:span text:style-name="T1"><text:page-number><numéro></text:page-number></text:span><text:span text:style-name="T1"><text:page-number><numéro></text:page-number></text:span><text:span text:style-name="T1"><text:page-number><numéro></text:page-number></text:span><text:span text:style-name="T1"><text:page-number><numéro></text:page-number></text:span><text:span text:style-name="T1"><text:page-number><numéro></text:page-number></text:span><text:span text:style-name="T1"><text:page-number><numéro></text:page-number></text:span><text:span text:style-name="T1"><text:page-number><numéro></text:page-number></text:span><text:span text:style-name="T1"><text:page-number><numéro></text:page-number></text:span><text:page-number><numéro></text:page-number></text:p> + </draw:text-box> + </draw:frame> + </presentation:notes> + </style:master-page> + <style:master-page style:name="Standard" style:page-layout-name="PM1" draw:style-name="dp1"> + <draw:frame presentation:style-name="Standard-title" draw:layer="backgroundobjects" svg:width="25.199cm" svg:height="3.506cm" svg:x="1.4cm" svg:y="0.837cm" presentation:class="title" presentation:placeholder="true"> + <draw:text-box/> + </draw:frame> + <draw:frame presentation:style-name="Standard-outline1" draw:layer="backgroundobjects" svg:width="24.639cm" svg:height="12.179cm" svg:x="1.4cm" svg:y="4.914cm" presentation:class="outline" presentation:placeholder="true"> + <draw:text-box/> + </draw:frame> + <presentation:notes style:page-layout-name="PM2"> + <draw:page-thumbnail presentation:style-name="Standard-title" draw:layer="backgroundobjects" svg:width="14.848cm" svg:height="11.136cm" svg:x="3.075cm" svg:y="2.257cm" presentation:class="page"/> + <draw:frame presentation:style-name="Standard-notes" draw:layer="backgroundobjects" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true"> + <draw:text-box/> + </draw:frame> + </presentation:notes> + </style:master-page> + </office:master-styles> + <office:body> + <office:presentation> + <draw:page draw:name="page1" draw:style-name="dp3" draw:master-page-name="Standard" presentation:presentation-page-layout-name="AL1T0"> + <office:forms form:automatic-focus="false" form:apply-design-mode="false"/> + <draw:frame presentation:style-name="pr4" draw:text-style-name="P4" draw:layer="layout" svg:width="25.199cm" svg:height="3.506cm" svg:x="1.4cm" svg:y="0.837cm" presentation:class="title" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T2">Welcome</text:span><text:span text:style-name="T3"> to the</text:span><text:span text:style-name="T3"><text:line-break/></text:span><text:span text:style-name="T4">Tails Installation Assistant</text:span></text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr5" draw:text-style-name="P5" draw:layer="layout" svg:width="25.4cm" svg:height="11.514cm" svg:x="1.316cm" svg:y="6.601cm" presentation:class="subtitle" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T5">Thank you for willing to use Tails.</text:span></text:p> + <text:p><text:span text:style-name="T5"/></text:p> + <text:p><text:span text:style-name="T5">Installing Tails can be quite long but</text:span></text:p> + <text:p><text:span text:style-name="T5">we hope you'll still have good time :)</text:span></text:p> + <text:p><text:span text:style-name="T6"/></text:p> + <text:p><text:span text:style-name="T5">We will first ask you a few questions to choose your installation scenario and then guide you step by step.</text:span></text:p> + <text:p><text:span text:style-name="T5"/></text:p> + <text:p><text:span text:style-name="T7"><text:a xlink:href="#Diapo 2">Let's start the journey!</text:a></text:span></text:p> + </draw:text-box> + </draw:frame> + <presentation:notes draw:style-name="dp2"> + <draw:page-thumbnail draw:style-name="gr3" draw:layer="layout" svg:width="14.848cm" svg:height="11.136cm" svg:x="3.075cm" svg:y="2.257cm" draw:page-number="1" presentation:class="page"/> + <draw:frame presentation:style-name="pr6" draw:text-style-name="P6" draw:layer="layout" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true" presentation:user-transformed="true"> + <draw:text-box/> + </draw:frame> + </presentation:notes> + </draw:page> + <draw:page draw:name="page2" draw:style-name="dp3" draw:master-page-name="Default" presentation:presentation-page-layout-name="AL2T18"> + <office:forms form:automatic-focus="false" form:apply-design-mode="false"/> + <draw:frame presentation:style-name="pr7" draw:layer="layout" svg:width="12.023cm" svg:height="3.262cm" svg:x="1.7cm" svg:y="7.914cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:list text:style-name="L4"> + <text:list-header> + <text:p>Windows</text:p> + </text:list-header> + </text:list> + </draw:text-box> + <office:event-listeners> + <presentation:event-listener script:event-name="dom:click" presentation:action="next-page"/> + </office:event-listeners> + </draw:frame> + <draw:frame presentation:style-name="pr7" draw:layer="layout" svg:width="12.023cm" svg:height="3.262cm" svg:x="14.325cm" svg:y="7.914cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:list text:style-name="L4"> + <text:list-header> + <text:p>Mac OS X</text:p> + </text:list-header> + </text:list> + </draw:text-box> + <office:event-listeners> + <presentation:event-listener script:event-name="dom:click" presentation:action="show" xlink:href="#page4" xlink:type="simple" xlink:show="embed" xlink:actuate="onRequest"/> + </office:event-listeners> + </draw:frame> + <draw:frame presentation:style-name="pr7" draw:text-style-name="P7" draw:layer="layout" svg:width="12.023cm" svg:height="3.3cm" svg:x="14.325cm" svg:y="12.448cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:list text:style-name="L4"> + <text:list-header> + <text:p text:style-name="P7">Other Linux</text:p> + <text:p text:style-name="P8"><text:span text:style-name="T8">(Red Hat, Fedora, etc.)</text:span></text:p> + </text:list-header> + </text:list> + </draw:text-box> + <office:event-listeners> + <presentation:event-listener script:event-name="dom:click" presentation:action="show" xlink:href="#page11" xlink:type="simple" xlink:show="embed" xlink:actuate="onRequest"/> + </office:event-listeners> + </draw:frame> + <draw:frame presentation:style-name="pr7" draw:text-style-name="P7" draw:layer="layout" svg:width="12.023cm" svg:height="3.3cm" svg:x="1.7cm" svg:y="12.448cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:list text:style-name="L4"> + <text:list-header> + <text:p text:style-name="P7">Debian & Ubuntu</text:p> + <text:p text:style-name="P8"><text:span text:style-name="T8">(Linux Mint)</text:span></text:p> + </text:list-header> + </text:list> + </draw:text-box> + <office:event-listeners> + <presentation:event-listener script:event-name="dom:click" presentation:action="show" xlink:href="#page8" xlink:type="simple" xlink:show="embed" xlink:actuate="onRequest"/> + </office:event-listeners> + </draw:frame> + <draw:frame presentation:style-name="pr8" draw:layer="layout" svg:width="24.715cm" svg:height="2.794cm" svg:x="1.701cm" svg:y="3.81cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p>Which operating system are you running?</text:p> + </draw:text-box> + </draw:frame> + <presentation:notes draw:style-name="dp2"> + <draw:page-thumbnail draw:style-name="gr3" draw:layer="layout" svg:width="14.848cm" svg:height="11.135cm" svg:x="3.075cm" svg:y="2.257cm" draw:page-number="2" presentation:class="page"/> + <draw:frame presentation:style-name="pr9" draw:layer="layout" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true" presentation:user-transformed="true"> + <draw:text-box/> + </draw:frame> + </presentation:notes> + </draw:page> + <draw:page draw:name="page3" draw:style-name="dp3" draw:master-page-name="Default" presentation:presentation-page-layout-name="AL3T14"> + <office:forms form:automatic-focus="false" form:apply-design-mode="false"/> + <draw:frame presentation:style-name="pr10" draw:layer="layout" svg:width="25.199cm" svg:height="3.506cm" svg:x="1.4cm" svg:y="0.837cm" presentation:class="title" presentation:user-transformed="true"> + <draw:text-box> + <text:p>Windows user</text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr8" draw:text-style-name="P9" draw:layer="layout" svg:width="4.403cm" svg:height="3.117cm" svg:x="0.185cm" svg:y="0.185cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T9">←</text:span><text:span text:style-name="T9"><text:a xlink:href="#Diapo 2">Back</text:a></text:span></text:p> + </draw:text-box> + </draw:frame> + <draw:frame draw:style-name="gr4" draw:text-style-name="P10" draw:layer="layout" svg:width="10.414cm" svg:height="2.032cm" svg:x="11.344cm" svg:y="4.19cm"> + <draw:text-box> + <text:p><text:span text:style-name="T10"><text:s/></text:span><text:span text:style-name="T10">You can :</text:span></text:p> + </draw:text-box> + </draw:frame> + <draw:frame draw:style-name="gr5" draw:text-style-name="P10" draw:layer="layout" svg:width="1.524cm" svg:height="0.962cm" svg:x="11.984cm" svg:y="11.938cm"> + <draw:text-box> + <text:p><text:span text:style-name="T10">or</text:span></text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr11" draw:layer="layout" svg:width="11.792cm" svg:height="10.527cm" svg:x="0.908cm" svg:y="5.983cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T11">COPY FROM A FRIEND</text:span></text:p> + <text:p><text:span text:style-name="T12">If you know someone of trust who uses Tails already, the easiest for you is to install your USB stick by copying from it.</text:span></text:p> + <text:list text:style-name="L4"> + <text:list-header> + <text:p text:style-name="P11"><text:span text:style-name="T9">You need:</text:span></text:p> + <text:list> + <text:list-item> + <text:p text:style-name="P12"><text:span text:style-name="T13">1 friend with Tails</text:span></text:p> + </text:list-item> + <text:list-item> + <text:p text:style-name="P12"><text:span text:style-name="T13">1 USB stick</text:span></text:p> + </text:list-item> + <text:list-item> + <text:p text:style-name="P12"><text:span text:style-name="T13">15 minutes to copy</text:span></text:p> + </text:list-item> + </text:list> + </text:list-header> + </text:list> + <text:p><text:span text:style-name="T9"/></text:p> + <text:list text:continue-numbering="true" text:style-name="L4"> + <text:list-item> + <text:list> + <text:list-header> + <text:p><text:span text:style-name="T9"/></text:p> + </text:list-header> + </text:list> + </text:list-item> + </text:list> + </draw:text-box> + <office:event-listeners> + <presentation:event-listener script:event-name="dom:click" presentation:action="show" xlink:href="#page12" xlink:type="simple" xlink:show="embed" xlink:actuate="onRequest"/> + </office:event-listeners> + </draw:frame> + <draw:frame presentation:style-name="pr12" draw:layer="layout" svg:width="12.446cm" svg:height="10.528cm" svg:x="14.732cm" svg:y="5.982cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T11">INSTALL FROM SCRATCH</text:span></text:p> + <text:p><text:span text:style-name="T14"/></text:p> + <text:list text:style-name="L4"> + <text:list-header> + <text:p text:style-name="P11"><text:span text:style-name="T9">You need:</text:span></text:p> + <text:list> + <text:list-item> + <text:p text:style-name="P12"><text:span text:style-name="T13">2 USB sticks</text:span></text:p> + </text:list-item> + <text:list-item> + <text:p text:style-name="P12"><text:span text:style-name="T13">1GB to download (1-2 hours)</text:span></text:p> + </text:list-item> + <text:list-item> + <text:p text:style-name="P12"><text:span text:style-name="T13">45 minutes to install</text:span></text:p> + </text:list-item> + </text:list> + </text:list-header> + </text:list> + <text:p/> + <text:list text:continue-numbering="true" text:style-name="L4"> + <text:list-item> + <text:list> + <text:list-header> + <text:p/> + </text:list-header> + </text:list> + </text:list-item> + </text:list> + </draw:text-box> + <office:event-listeners> + <presentation:event-listener script:event-name="dom:click" presentation:action="show" xlink:href="#page13" xlink:type="simple" xlink:show="embed" xlink:actuate="onRequest"/> + </office:event-listeners> + </draw:frame> + <draw:frame draw:style-name="gr5" draw:text-style-name="P10" draw:layer="layout" svg:width="1.294cm" svg:height="0.962cm" svg:x="13.184cm" svg:y="9.538cm"> + <draw:text-box> + <text:p><text:span text:style-name="T10">or</text:span></text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr13" draw:text-style-name="P14" draw:layer="layout" svg:width="12.592cm" svg:height="3.24cm" svg:x="14.432cm" svg:y="17.08cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p text:style-name="P13"><text:span text:style-name="T15">You can also:</text:span></text:p> + <text:list text:style-name="L4"> + <text:list-item> + <text:p text:style-name="P13"><text:span text:style-name="T16"><text:a xlink:href="#Diapo 14">Burn Tails on a DVD</text:a></text:span></text:p> + </text:list-item> + <text:list-item> + <text:p text:style-name="P13"><text:span text:style-name="T16"><text:a xlink:href="#Diapo 24">Run Tails in a virtual machine</text:a></text:span></text:p> + </text:list-item> + </text:list> + </draw:text-box> + </draw:frame> + <presentation:notes draw:style-name="dp2"> + <draw:page-thumbnail draw:style-name="gr3" draw:layer="layout" svg:width="14.848cm" svg:height="11.135cm" svg:x="3.075cm" svg:y="2.257cm" draw:page-number="3" presentation:class="page"/> + <draw:frame presentation:style-name="pr9" draw:text-style-name="P6" draw:layer="layout" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true" presentation:user-transformed="true"> + <draw:text-box/> + </draw:frame> + </presentation:notes> + </draw:page> + <draw:page draw:name="page4" draw:style-name="dp3" draw:master-page-name="Default" presentation:presentation-page-layout-name="AL3T14"> + <office:forms form:automatic-focus="false" form:apply-design-mode="false"/> + <draw:frame presentation:style-name="pr10" draw:layer="layout" svg:width="25.199cm" svg:height="3.506cm" svg:x="1.4cm" svg:y="0.837cm" presentation:class="title" presentation:user-transformed="true"> + <draw:text-box> + <text:p>Mac user</text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr8" draw:text-style-name="P9" draw:layer="layout" svg:width="4.403cm" svg:height="3.117cm" svg:x="0.185cm" svg:y="0.185cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T9">←</text:span><text:span text:style-name="T9"><text:a xlink:href="#Diapo 2">Back</text:a></text:span></text:p> + </draw:text-box> + </draw:frame> + <draw:custom-shape draw:style-name="gr6" draw:text-style-name="P15" draw:layer="layout" svg:width="11.938cm" svg:height="2.032cm" svg:x="6.858cm" svg:y="7.612cm"> + <office:event-listeners> + <presentation:event-listener script:event-name="dom:click" presentation:action="show" xlink:href="#page5" xlink:type="simple" xlink:show="embed" xlink:actuate="onRequest"/> + </office:event-listeners> + <text:p text:style-name="P15">LAPTOP</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:frame draw:style-name="gr7" draw:layer="layout" svg:width="13.208cm" svg:height="2.384cm" svg:x="6.858cm" svg:y="4.343cm"> + <draw:text-box> + <text:p>Tails is not working on all Mac mode. Select your model and to see if you can run Tails.</text:p> + </draw:text-box> + </draw:frame> + <draw:custom-shape draw:style-name="gr6" draw:text-style-name="P15" draw:layer="layout" svg:width="11.938cm" svg:height="2.032cm" svg:x="6.858cm" svg:y="10.152cm"> + <text:p text:style-name="P15">DESKTOP</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <presentation:notes draw:style-name="dp2"> + <draw:page-thumbnail draw:style-name="gr3" draw:layer="layout" svg:width="14.848cm" svg:height="11.135cm" svg:x="3.075cm" svg:y="2.257cm" draw:page-number="4" presentation:class="page"/> + <draw:frame presentation:style-name="pr9" draw:text-style-name="P6" draw:layer="layout" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true" presentation:user-transformed="true"> + <draw:text-box/> + </draw:frame> + </presentation:notes> + </draw:page> + <draw:page draw:name="page5" draw:style-name="dp3" draw:master-page-name="Default" presentation:presentation-page-layout-name="AL3T14"> + <office:forms form:automatic-focus="false" form:apply-design-mode="false"/> + <draw:frame presentation:style-name="pr10" draw:layer="layout" svg:width="25.199cm" svg:height="3.506cm" svg:x="1.4cm" svg:y="0.837cm" presentation:class="title" presentation:user-transformed="true"> + <draw:text-box> + <text:p>Mac user</text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr8" draw:text-style-name="P9" draw:layer="layout" svg:width="4.403cm" svg:height="3.117cm" svg:x="0.185cm" svg:y="0.185cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T9">←</text:span><text:span text:style-name="T9"><text:a xlink:href="#Diapo 4">Back</text:a></text:span></text:p> + </draw:text-box> + </draw:frame> + <draw:custom-shape draw:style-name="gr6" draw:text-style-name="P15" draw:layer="layout" svg:width="11.938cm" svg:height="1.024cm" svg:x="6.858cm" svg:y="7.15cm"> + <text:p text:style-name="P15">Macintosh PowerBook G3</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr6" draw:text-style-name="P15" draw:layer="layout" svg:width="11.938cm" svg:height="1.024cm" svg:x="6.857cm" svg:y="8.42cm"> + <text:p text:style-name="P15">Powerbook</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr6" draw:text-style-name="P15" draw:layer="layout" svg:width="11.938cm" svg:height="1.024cm" svg:x="6.858cm" svg:y="9.698cm"> + <text:p text:style-name="P15">iBook</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr6" draw:text-style-name="P15" draw:layer="layout" svg:width="11.938cm" svg:height="1.024cm" svg:x="6.857cm" svg:y="10.96cm"> + <office:event-listeners> + <presentation:event-listener script:event-name="dom:click" presentation:action="show" xlink:href="#page6" xlink:type="simple" xlink:show="embed" xlink:actuate="onRequest"/> + </office:event-listeners> + <text:p text:style-name="P15">Macbook</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr6" draw:text-style-name="P15" draw:layer="layout" svg:width="11.938cm" svg:height="1.024cm" svg:x="6.858cm" svg:y="12.238cm"> + <text:p text:style-name="P15">Macbook Pro</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr6" draw:text-style-name="P15" draw:layer="layout" svg:width="11.938cm" svg:height="1.024cm" svg:x="6.858cm" svg:y="13.462cm"> + <text:p text:style-name="P15">Macbook Air</text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:frame draw:style-name="gr7" draw:layer="layout" svg:width="13.208cm" svg:height="2.384cm" svg:x="6.858cm" svg:y="4.343cm"> + <draw:text-box> + <text:p>Tails is not working on all Mac mode. Select your model and to see if you can run Tails.</text:p> + </draw:text-box> + </draw:frame> + <presentation:notes draw:style-name="dp2"> + <draw:page-thumbnail draw:style-name="gr3" draw:layer="layout" svg:width="14.848cm" svg:height="11.135cm" svg:x="3.075cm" svg:y="2.257cm" draw:page-number="5" presentation:class="page"/> + <draw:frame presentation:style-name="pr9" draw:text-style-name="P6" draw:layer="layout" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true" presentation:user-transformed="true"> + <draw:text-box/> + </draw:frame> + </presentation:notes> + </draw:page> + <draw:page draw:name="page6" draw:style-name="dp3" draw:master-page-name="Default" presentation:presentation-page-layout-name="AL3T14"> + <office:forms form:automatic-focus="false" form:apply-design-mode="false"/> + <draw:frame presentation:style-name="pr10" draw:layer="layout" svg:width="25.199cm" svg:height="3.506cm" svg:x="1.4cm" svg:y="0.837cm" presentation:class="title" presentation:user-transformed="true"> + <draw:text-box> + <text:p>Mac user</text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr8" draw:text-style-name="P9" draw:layer="layout" svg:width="4.403cm" svg:height="3.117cm" svg:x="0.185cm" svg:y="0.185cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T9">←</text:span><text:span text:style-name="T9"><text:a xlink:href="#Diapo 5">Back</text:a></text:span></text:p> + </draw:text-box> + </draw:frame> + <draw:custom-shape draw:style-name="gr8" draw:text-style-name="P16" draw:layer="layout" svg:width="11.938cm" svg:height="1.024cm" svg:x="6.604cm" svg:y="4.064cm"> + <text:p text:style-name="P15"><text:span text:style-name="T17">Macbook</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:frame draw:style-name="gr7" draw:text-style-name="P10" draw:layer="layout" svg:width="13.208cm" svg:height="2.384cm" svg:x="6.35cm" svg:y="5.49cm"> + <draw:text-box> + <text:p><text:span text:style-name="T10">Macbook is working on USB and DVD.</text:span></text:p> + <text:p><text:span text:style-name="T10"/></text:p> + <text:p><text:span text:style-name="T10">So you can :</text:span></text:p> + </draw:text-box> + </draw:frame> + <draw:frame draw:style-name="gr5" draw:text-style-name="P10" draw:layer="layout" svg:width="1.524cm" svg:height="0.962cm" svg:x="11.984cm" svg:y="11.938cm"> + <draw:text-box> + <text:p><text:span text:style-name="T10">or</text:span></text:p> + </draw:text-box> + </draw:frame> + <draw:frame draw:style-name="gr5" draw:text-style-name="P10" draw:layer="layout" svg:width="1.524cm" svg:height="0.962cm" svg:x="11.984cm" svg:y="11.938cm"> + <draw:text-box> + <text:p><text:span text:style-name="T10">or</text:span></text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr11" draw:layer="layout" svg:width="11.792cm" svg:height="10.527cm" svg:x="0.908cm" svg:y="6.983cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T11">COPY FROM A FRIEND</text:span></text:p> + <text:p><text:span text:style-name="T12">If you know someone of trust who uses Tails already, the easiest for you is to install your USB stick by copying from it.</text:span></text:p> + <text:list text:style-name="L4"> + <text:list-header> + <text:p text:style-name="P11"><text:span text:style-name="T9">You need:</text:span></text:p> + <text:list> + <text:list-item> + <text:p text:style-name="P12"><text:span text:style-name="T13">1 friend with Tails</text:span></text:p> + </text:list-item> + <text:list-item> + <text:p text:style-name="P12"><text:span text:style-name="T13">1 USB stick</text:span></text:p> + </text:list-item> + <text:list-item> + <text:p text:style-name="P12"><text:span text:style-name="T13">15 minutes to copy</text:span></text:p> + </text:list-item> + </text:list> + </text:list-header> + </text:list> + <text:p/> + <text:list text:continue-numbering="true" text:style-name="L4"> + <text:list-item> + <text:list> + <text:list-header> + <text:p/> + </text:list-header> + </text:list> + </text:list-item> + </text:list> + </draw:text-box> + <office:event-listeners> + <presentation:event-listener script:event-name="dom:click" presentation:action="show" xlink:href="#page12" xlink:type="simple" xlink:show="embed" xlink:actuate="onRequest"/> + </office:event-listeners> + </draw:frame> + <draw:frame presentation:style-name="pr12" draw:layer="layout" svg:width="12.446cm" svg:height="10.528cm" svg:x="14.732cm" svg:y="6.982cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T11">INSTALL FROM SCRATCH</text:span></text:p> + <text:p><text:span text:style-name="T14"/></text:p> + <text:list text:style-name="L4"> + <text:list-header> + <text:p text:style-name="P11"><text:span text:style-name="T9">You need:</text:span></text:p> + <text:list> + <text:list-item> + <text:p text:style-name="P12"><text:span text:style-name="T13">1 DVD + 1 USB stick</text:span></text:p> + </text:list-item> + <text:list-item> + <text:p text:style-name="P12"><text:span text:style-name="T13">or 2 USB sticks</text:span></text:p> + </text:list-item> + <text:list-item> + <text:p text:style-name="P12"><text:span text:style-name="T13">1GB to download (1-2 hours)</text:span></text:p> + </text:list-item> + <text:list-item> + <text:p text:style-name="P13"><text:span text:style-name="T13">45 minutes to install</text:span></text:p> + </text:list-item> + </text:list> + </text:list-header> + </text:list> + <text:p/> + <text:list text:continue-numbering="true" text:style-name="L4"> + <text:list-item> + <text:list> + <text:list-header> + <text:p/> + </text:list-header> + </text:list> + </text:list-item> + </text:list> + </draw:text-box> + <office:event-listeners> + <presentation:event-listener script:event-name="dom:click" presentation:action="show" xlink:href="#page7" xlink:type="simple" xlink:show="embed" xlink:actuate="onRequest"/> + </office:event-listeners> + </draw:frame> + <draw:frame draw:style-name="gr5" draw:text-style-name="P10" draw:layer="layout" svg:width="1.294cm" svg:height="0.962cm" svg:x="13.184cm" svg:y="10.538cm"> + <draw:text-box> + <text:p><text:span text:style-name="T10">or</text:span></text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr13" draw:text-style-name="P14" draw:layer="layout" svg:width="12.592cm" svg:height="3.12cm" svg:x="14.432cm" svg:y="17.88cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p text:style-name="P13"><text:span text:style-name="T15">You can also:</text:span></text:p> + <text:list text:style-name="L4"> + <text:list-item> + <text:p text:style-name="P13"><text:span text:style-name="T16"><text:a xlink:href="#Diapo 15">Burn Tails on a DVD</text:a></text:span></text:p> + </text:list-item> + <text:list-item> + <text:p text:style-name="P13"><text:span text:style-name="T16"><text:a xlink:href="#Diapo 24">Run Tails in a virtual machine</text:a></text:span></text:p> + </text:list-item> + </text:list> + </draw:text-box> + </draw:frame> + <presentation:notes draw:style-name="dp2"> + <draw:page-thumbnail draw:style-name="gr3" draw:layer="layout" svg:width="14.848cm" svg:height="11.135cm" svg:x="3.075cm" svg:y="2.257cm" draw:page-number="6" presentation:class="page"/> + <draw:frame presentation:style-name="pr9" draw:text-style-name="P6" draw:layer="layout" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true" presentation:user-transformed="true"> + <draw:text-box/> + </draw:frame> + </presentation:notes> + </draw:page> + <draw:page draw:name="page7" draw:style-name="dp3" draw:master-page-name="Default" presentation:presentation-page-layout-name="AL3T14"> + <office:forms form:automatic-focus="false" form:apply-design-mode="false"/> + <draw:frame presentation:style-name="pr14" draw:layer="layout" svg:width="24.639cm" svg:height="7.3cm" svg:x="1.4cm" svg:y="3.114cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:list text:style-name="L4"> + <text:list-header> + <text:p>Use my DVD drive (recommended)</text:p> + <text:list> + <text:list-item> + <text:p>This technique helps you install a USB stick through burning a DVD first.</text:p> + </text:list-item> + <text:list-item> + <text:p>You need: 1 DVD and 1 USB stick</text:p> + </text:list-item> + </text:list> + </text:list-header> + </text:list> + </draw:text-box> + <office:event-listeners> + <presentation:event-listener script:event-name="dom:click" presentation:action="show" xlink:href="#page16" xlink:type="simple" xlink:show="embed" xlink:actuate="onRequest"/> + </office:event-listeners> + </draw:frame> + <draw:frame presentation:style-name="pr15" draw:layer="layout" svg:width="24.639cm" svg:height="8.792cm" svg:x="1.4cm" svg:y="11.274cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:list text:style-name="L4"> + <text:list-header> + <text:p>Use only USB sticks</text:p> + <text:list> + <text:list-item> + <text:p>This technique helps you install a USB stick by using a temporary Tails on a second USB stick.</text:p> + </text:list-item> + <text:list-item> + <text:p>It requires using the command line.</text:p> + </text:list-item> + <text:list-item> + <text:p>You need: 2 USB sticks</text:p> + </text:list-item> + </text:list> + </text:list-header> + </text:list> + </draw:text-box> + <office:event-listeners> + <presentation:event-listener script:event-name="dom:click" presentation:action="show" xlink:href="#page17" xlink:type="simple" xlink:show="embed" xlink:actuate="onRequest"/> + </office:event-listeners> + </draw:frame> + <draw:frame presentation:style-name="pr8" draw:text-style-name="P9" draw:layer="layout" svg:width="4.403cm" svg:height="3.625cm" svg:x="0.185cm" svg:y="0.185cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T9">←</text:span><text:span text:style-name="T9"><text:a xlink:href="#Diapo 6">Back</text:a></text:span></text:p> + </draw:text-box> + </draw:frame> + <presentation:notes draw:style-name="dp2"> + <draw:page-thumbnail draw:style-name="gr3" draw:layer="layout" svg:width="14.848cm" svg:height="11.135cm" svg:x="3.075cm" svg:y="2.257cm" draw:page-number="7" presentation:class="page"/> + <draw:frame presentation:style-name="pr9" draw:text-style-name="P6" draw:layer="layout" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true" presentation:user-transformed="true"> + <draw:text-box/> + </draw:frame> + </presentation:notes> + </draw:page> + <draw:page draw:name="page8" draw:style-name="dp3" draw:master-page-name="Default" presentation:presentation-page-layout-name="AL3T14"> + <office:forms form:automatic-focus="false" form:apply-design-mode="false"/> + <draw:frame presentation:style-name="pr10" draw:layer="layout" svg:width="25.199cm" svg:height="3.506cm" svg:x="1.4cm" svg:y="0.837cm" presentation:class="title" presentation:user-transformed="true"> + <draw:text-box> + <text:p>Debian user</text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr8" draw:text-style-name="P9" draw:layer="layout" svg:width="4.403cm" svg:height="3.117cm" svg:x="0.185cm" svg:y="0.185cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T9">←</text:span><text:span text:style-name="T9"><text:a xlink:href="#Diapo 2">Back</text:a></text:span></text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr11" draw:layer="layout" svg:width="11.792cm" svg:height="10.527cm" svg:x="0.908cm" svg:y="5.983cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T11">COPY FROM A FRIEND</text:span></text:p> + <text:p><text:span text:style-name="T12">If you know someone of trust who uses Tails already, the easiest for you is to install your USB stick by copying from it.</text:span></text:p> + <text:list text:style-name="L4"> + <text:list-header> + <text:p text:style-name="P11"><text:span text:style-name="T9">You need:</text:span></text:p> + <text:list> + <text:list-item> + <text:p text:style-name="P12"><text:span text:style-name="T13">1 friend with Tails</text:span></text:p> + </text:list-item> + <text:list-item> + <text:p text:style-name="P12"><text:span text:style-name="T13">1 USB stick</text:span></text:p> + </text:list-item> + <text:list-item> + <text:p text:style-name="P12"><text:span text:style-name="T13">15 minutes to copy</text:span></text:p> + </text:list-item> + </text:list> + </text:list-header> + </text:list> + <text:p/> + <text:list text:continue-numbering="true" text:style-name="L4"> + <text:list-item> + <text:list> + <text:list-header> + <text:p/> + </text:list-header> + </text:list> + </text:list-item> + </text:list> + </draw:text-box> + <office:event-listeners> + <presentation:event-listener script:event-name="dom:click" presentation:action="show" xlink:href="#page12" xlink:type="simple" xlink:show="embed" xlink:actuate="onRequest"/> + </office:event-listeners> + </draw:frame> + <draw:frame draw:style-name="gr4" draw:text-style-name="P10" draw:layer="layout" svg:width="10.414cm" svg:height="2.032cm" svg:x="9.144cm" svg:y="4.09cm"> + <draw:text-box> + <text:p><text:span text:style-name="T10"><text:s/></text:span><text:span text:style-name="T10">You can :</text:span></text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr12" draw:layer="layout" svg:width="12.446cm" svg:height="10.528cm" svg:x="14.732cm" svg:y="5.982cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T11">INSTALL FROM SCRATCH</text:span></text:p> + <text:p><text:span text:style-name="T14"/></text:p> + <text:list text:style-name="L4"> + <text:list-header> + <text:p text:style-name="P11"><text:span text:style-name="T9">You need:</text:span></text:p> + <text:list> + <text:list-item> + <text:p text:style-name="P12"><text:span text:style-name="T13">1 USB stick</text:span></text:p> + </text:list-item> + <text:list-item> + <text:p text:style-name="P12"><text:span text:style-name="T13">1GB to download (1-2 hours)</text:span></text:p> + </text:list-item> + <text:list-item> + <text:p text:style-name="P12"><text:span text:style-name="T13">25 minutes to install</text:span></text:p> + </text:list-item> + </text:list> + </text:list-header> + </text:list> + <text:p/> + <text:list text:continue-numbering="true" text:style-name="L4"> + <text:list-item> + <text:list> + <text:list-header> + <text:p/> + </text:list-header> + </text:list> + </text:list-item> + </text:list> + </draw:text-box> + <office:event-listeners> + <presentation:event-listener script:event-name="dom:click" presentation:action="show" xlink:href="#page9" xlink:type="simple" xlink:show="embed" xlink:actuate="onRequest"/> + </office:event-listeners> + </draw:frame> + <draw:frame presentation:style-name="pr13" draw:text-style-name="P14" draw:layer="layout" svg:width="12.592cm" svg:height="3.24cm" svg:x="14.432cm" svg:y="17.08cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p text:style-name="P13"><text:span text:style-name="T15">You can also:</text:span></text:p> + <text:list text:style-name="L4"> + <text:list-item> + <text:p text:style-name="P13"><text:span text:style-name="T16"><text:a xlink:href="#Diapo 10">Burn Tails on a DVD</text:a></text:span></text:p> + </text:list-item> + <text:list-item> + <text:p text:style-name="P13"><text:span text:style-name="T16"><text:a xlink:href="#Diapo 24">Run Tails in a virtual machine</text:a></text:span></text:p> + </text:list-item> + </text:list> + </draw:text-box> + </draw:frame> + <draw:frame draw:style-name="gr5" draw:text-style-name="P10" draw:layer="layout" svg:width="1.294cm" svg:height="0.962cm" svg:x="13.184cm" svg:y="9.538cm"> + <draw:text-box> + <text:p><text:span text:style-name="T10">or</text:span></text:p> + </draw:text-box> + </draw:frame> + <presentation:notes draw:style-name="dp2"> + <draw:page-thumbnail draw:style-name="gr3" draw:layer="layout" svg:width="14.848cm" svg:height="11.135cm" svg:x="3.075cm" svg:y="2.257cm" draw:page-number="8" presentation:class="page"/> + <draw:frame presentation:style-name="pr9" draw:text-style-name="P6" draw:layer="layout" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true" presentation:user-transformed="true"> + <draw:text-box/> + </draw:frame> + </presentation:notes> + </draw:page> + <draw:page draw:name="page9" draw:style-name="dp3" draw:master-page-name="Default" presentation:presentation-page-layout-name="AL4T16"> + <office:forms form:automatic-focus="false" form:apply-design-mode="false"/> + <draw:frame presentation:style-name="pr10" draw:layer="layout" svg:width="25.199cm" svg:height="3.506cm" svg:x="0cm" svg:y="6.737cm" presentation:class="title" presentation:user-transformed="true"> + <draw:text-box> + <text:p>Do you know the command line?</text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr16" draw:text-style-name="P17" draw:layer="layout" svg:width="12.57cm" svg:height="3.156cm" svg:x="1.2cm" svg:y="10.814cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:list text:style-name="L4"> + <text:list-header> + <text:p>Graphical installation</text:p> + </text:list-header> + </text:list> + </draw:text-box> + <office:event-listeners> + <presentation:event-listener script:event-name="dom:click" presentation:action="show" xlink:href="#page21" xlink:type="simple" xlink:show="embed" xlink:actuate="onRequest"/> + </office:event-listeners> + </draw:frame> + <draw:frame presentation:style-name="pr15" draw:text-style-name="P7" draw:layer="layout" svg:width="12.023cm" svg:height="3.156cm" svg:x="14.925cm" svg:y="10.814cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:list text:style-name="L4"> + <text:list-header> + <text:p text:style-name="P7">Command line</text:p> + <text:p text:style-name="P8"><text:span text:style-name="T8">(with OpenPGP verification)</text:span></text:p> + </text:list-header> + </text:list> + </draw:text-box> + <office:event-listeners> + <presentation:event-listener script:event-name="dom:click" presentation:action="show" xlink:href="#page23" xlink:type="simple" xlink:show="embed" xlink:actuate="onRequest"/> + </office:event-listeners> + </draw:frame> + <draw:frame presentation:style-name="pr8" draw:text-style-name="P9" draw:layer="layout" svg:width="4.403cm" svg:height="2.356cm" svg:x="0.184cm" svg:y="0.184cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T9">←</text:span><text:span text:style-name="T9"><text:a xlink:href="#Diapo 8">Back</text:a></text:span></text:p> + </draw:text-box> + </draw:frame> + <presentation:notes draw:style-name="dp2"> + <draw:page-thumbnail draw:style-name="gr3" draw:layer="layout" svg:width="14.848cm" svg:height="11.135cm" svg:x="3.075cm" svg:y="2.257cm" draw:page-number="9" presentation:class="page"/> + <draw:frame presentation:style-name="pr9" draw:text-style-name="P6" draw:layer="layout" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true" presentation:user-transformed="true"> + <draw:text-box/> + </draw:frame> + </presentation:notes> + </draw:page> + <draw:page draw:name="page10" draw:style-name="dp3" draw:master-page-name="Default" presentation:presentation-page-layout-name="AL4T16"> + <office:forms form:automatic-focus="false" form:apply-design-mode="false"/> + <draw:frame presentation:style-name="pr10" draw:layer="layout" svg:width="25.199cm" svg:height="3.506cm" svg:x="0cm" svg:y="6.737cm" presentation:class="title" presentation:user-transformed="true"> + <draw:text-box> + <text:p>Do you know the command line?</text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr16" draw:text-style-name="P17" draw:layer="layout" svg:width="12.57cm" svg:height="3.156cm" svg:x="1.2cm" svg:y="10.814cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:list text:style-name="L4"> + <text:list-header> + <text:p>Graphical installation</text:p> + </text:list-header> + </text:list> + </draw:text-box> + <office:event-listeners> + <presentation:event-listener script:event-name="dom:click" presentation:action="show" xlink:href="#page22" xlink:type="simple" xlink:show="embed" xlink:actuate="onRequest"/> + </office:event-listeners> + </draw:frame> + <draw:frame presentation:style-name="pr15" draw:text-style-name="P7" draw:layer="layout" svg:width="12.023cm" svg:height="3.156cm" svg:x="14.925cm" svg:y="10.814cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:list text:style-name="L4"> + <text:list-header> + <text:p text:style-name="P7">Command line</text:p> + <text:p text:style-name="P8"><text:span text:style-name="T8">(with OpenPGP verification)</text:span></text:p> + </text:list-header> + </text:list> + </draw:text-box> + <office:event-listeners> + <presentation:event-listener script:event-name="dom:click" presentation:action="show" xlink:href="#page18" xlink:type="simple" xlink:show="embed" xlink:actuate="onRequest"/> + </office:event-listeners> + </draw:frame> + <draw:frame presentation:style-name="pr8" draw:text-style-name="P9" draw:layer="layout" svg:width="4.403cm" svg:height="2.356cm" svg:x="0.184cm" svg:y="0.184cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T9">←</text:span><text:span text:style-name="T9"><text:a xlink:href="#Diapo 8">Back</text:a></text:span></text:p> + </draw:text-box> + </draw:frame> + <presentation:notes draw:style-name="dp2"> + <draw:page-thumbnail draw:style-name="gr3" draw:layer="layout" svg:width="14.848cm" svg:height="11.135cm" svg:x="3.075cm" svg:y="2.257cm" draw:page-number="10" presentation:class="page"/> + <draw:frame presentation:style-name="pr9" draw:text-style-name="P6" draw:layer="layout" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true" presentation:user-transformed="true"> + <draw:text-box/> + </draw:frame> + </presentation:notes> + </draw:page> + <draw:page draw:name="page11" draw:style-name="dp3" draw:master-page-name="Default" presentation:presentation-page-layout-name="AL3T14"> + <office:forms form:automatic-focus="false" form:apply-design-mode="false"/> + <draw:frame presentation:style-name="pr10" draw:layer="layout" svg:width="25.199cm" svg:height="3.506cm" svg:x="1.4cm" svg:y="0.837cm" presentation:class="title" presentation:user-transformed="true"> + <draw:text-box> + <text:p>Linux user</text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr8" draw:text-style-name="P9" draw:layer="layout" svg:width="4.403cm" svg:height="3.371cm" svg:x="0.185cm" svg:y="0.185cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T9">←</text:span><text:span text:style-name="T9"><text:a xlink:href="#Diapo 2">Back</text:a></text:span></text:p> + </draw:text-box> + </draw:frame> + <draw:frame draw:style-name="gr4" draw:text-style-name="P10" draw:layer="layout" svg:width="10.414cm" svg:height="2.032cm" svg:x="9.144cm" svg:y="4.29cm"> + <draw:text-box> + <text:p><text:span text:style-name="T10"><text:s/></text:span><text:span text:style-name="T10">You can :</text:span></text:p> + </draw:text-box> + </draw:frame> + <draw:frame draw:style-name="gr5" draw:text-style-name="P10" draw:layer="layout" svg:width="1.524cm" svg:height="0.962cm" svg:x="11.984cm" svg:y="11.938cm"> + <draw:text-box> + <text:p><text:span text:style-name="T10">or</text:span></text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr11" draw:layer="layout" svg:width="11.792cm" svg:height="10.527cm" svg:x="0.908cm" svg:y="5.983cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T11">COPY FROM A FRIEND</text:span></text:p> + <text:p><text:span text:style-name="T12">If you know someone of trust who uses Tails already, the easiest for you is to install your USB stick by copying from it.</text:span></text:p> + <text:list text:style-name="L4"> + <text:list-header> + <text:p text:style-name="P11"><text:span text:style-name="T9">You need:</text:span></text:p> + <text:list> + <text:list-item> + <text:p text:style-name="P12"><text:span text:style-name="T13">1 friend with Tails</text:span></text:p> + </text:list-item> + <text:list-item> + <text:p text:style-name="P12"><text:span text:style-name="T13">1 USB stick</text:span></text:p> + </text:list-item> + <text:list-item> + <text:p text:style-name="P12"><text:span text:style-name="T13">15 minutes to copy</text:span></text:p> + </text:list-item> + </text:list> + </text:list-header> + </text:list> + <text:p/> + <text:list text:continue-numbering="true" text:style-name="L4"> + <text:list-item> + <text:list> + <text:list-header> + <text:p/> + </text:list-header> + </text:list> + </text:list-item> + </text:list> + </draw:text-box> + <office:event-listeners> + <presentation:event-listener script:event-name="dom:click" presentation:action="show" xlink:href="#page12" xlink:type="simple" xlink:show="embed" xlink:actuate="onRequest"/> + </office:event-listeners> + </draw:frame> + <draw:frame presentation:style-name="pr12" draw:layer="layout" svg:width="12.446cm" svg:height="10.528cm" svg:x="14.732cm" svg:y="5.982cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T11">INSTALL FROM SCRATCH</text:span></text:p> + <text:p><text:span text:style-name="T14"/></text:p> + <text:list text:style-name="L4"> + <text:list-header> + <text:p text:style-name="P11"><text:span text:style-name="T9">You need:</text:span></text:p> + <text:list> + <text:list-item> + <text:p text:style-name="P12"><text:span text:style-name="T13">2 USB sticks</text:span></text:p> + </text:list-item> + <text:list-item> + <text:p text:style-name="P12"><text:span text:style-name="T13">1GB to download (1-2 hours)</text:span></text:p> + </text:list-item> + <text:list-item> + <text:p text:style-name="P12"><text:span text:style-name="T13">45 minutes to install</text:span></text:p> + <text:p><text:span text:style-name="T18"/></text:p> + </text:list-item> + </text:list> + </text:list-header> + </text:list> + <text:p/> + <text:list text:continue-numbering="true" text:style-name="L4"> + <text:list-item> + <text:list> + <text:list-header> + <text:p/> + </text:list-header> + </text:list> + </text:list-item> + </text:list> + </draw:text-box> + <office:event-listeners> + <presentation:event-listener script:event-name="dom:click" presentation:action="show" xlink:href="#page20" xlink:type="simple" xlink:show="embed" xlink:actuate="onRequest"/> + </office:event-listeners> + </draw:frame> + <draw:frame draw:style-name="gr5" draw:text-style-name="P10" draw:layer="layout" svg:width="1.294cm" svg:height="0.962cm" svg:x="13.184cm" svg:y="9.538cm"> + <draw:text-box> + <text:p><text:span text:style-name="T10">or</text:span></text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr13" draw:text-style-name="P14" draw:layer="layout" svg:width="12.592cm" svg:height="3.24cm" svg:x="14.432cm" svg:y="17.08cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p text:style-name="P13"><text:span text:style-name="T15">You can also:</text:span></text:p> + <text:list text:style-name="L4"> + <text:list-item> + <text:p text:style-name="P13"><text:span text:style-name="T16"><text:a xlink:href="#Diapo 19">Burn Tails on a DVD</text:a></text:span></text:p> + </text:list-item> + <text:list-item> + <text:p text:style-name="P13"><text:span text:style-name="T16"><text:a xlink:href="#Diapo 24">Run Tails in a virtual machine</text:a></text:span></text:p> + </text:list-item> + </text:list> + </draw:text-box> + </draw:frame> + <presentation:notes draw:style-name="dp2"> + <draw:page-thumbnail draw:style-name="gr3" draw:layer="layout" svg:width="14.848cm" svg:height="11.135cm" svg:x="3.075cm" svg:y="2.257cm" draw:page-number="11" presentation:class="page"/> + <draw:frame presentation:style-name="pr9" draw:text-style-name="P6" draw:layer="layout" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true" presentation:user-transformed="true"> + <draw:text-box/> + </draw:frame> + </presentation:notes> + </draw:page> + <draw:page draw:name="page12" draw:style-name="dp3" draw:master-page-name="Default" presentation:presentation-page-layout-name="AL1T0"> + <draw:frame presentation:style-name="pr17" draw:layer="layout" svg:width="25.199cm" svg:height="3.506cm" svg:x="1.4cm" svg:y="0.837cm" presentation:class="title" presentation:user-transformed="true"> + <draw:text-box> + <text:p>The end</text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr18" draw:text-style-name="P5" draw:layer="layout" svg:width="24.639cm" svg:height="12.178cm" svg:x="1.4cm" svg:y="4.914cm" presentation:class="subtitle" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T19">Clone</text:span></text:p> + </draw:text-box> + </draw:frame> + <presentation:notes draw:style-name="dp2"> + <draw:page-thumbnail draw:style-name="gr3" draw:layer="layout" svg:width="14.848cm" svg:height="11.135cm" svg:x="3.075cm" svg:y="2.257cm" draw:page-number="12" presentation:class="page"/> + <draw:frame presentation:style-name="pr9" draw:text-style-name="P6" draw:layer="layout" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true" presentation:user-transformed="true"> + <draw:text-box/> + </draw:frame> + </presentation:notes> + </draw:page> + <draw:page draw:name="page13" draw:style-name="dp3" draw:master-page-name="Default" presentation:presentation-page-layout-name="AL1T0"> + <draw:frame presentation:style-name="pr10" draw:layer="layout" svg:width="25.199cm" svg:height="3.506cm" svg:x="1.4cm" svg:y="0.837cm" presentation:class="title" presentation:user-transformed="true"> + <draw:text-box> + <text:p>The end</text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr19" draw:text-style-name="P5" draw:layer="layout" svg:width="24.639cm" svg:height="12.178cm" svg:x="1.4cm" svg:y="4.914cm" presentation:class="subtitle" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T19">Windows USB</text:span></text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr8" draw:text-style-name="P9" draw:layer="layout" svg:width="4.403cm" svg:height="3.37cm" svg:x="0.186cm" svg:y="0.186cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T9">←</text:span><text:span text:style-name="T9"><text:a xlink:href="#Diapo 3">Back</text:a></text:span></text:p> + </draw:text-box> + </draw:frame> + <presentation:notes draw:style-name="dp2"> + <draw:page-thumbnail draw:style-name="gr3" draw:layer="layout" svg:width="14.848cm" svg:height="11.135cm" svg:x="3.075cm" svg:y="2.257cm" draw:page-number="13" presentation:class="page"/> + <draw:frame presentation:style-name="pr9" draw:text-style-name="P6" draw:layer="layout" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true" presentation:user-transformed="true"> + <draw:text-box/> + </draw:frame> + </presentation:notes> + </draw:page> + <draw:page draw:name="page14" draw:style-name="dp3" draw:master-page-name="Default" presentation:presentation-page-layout-name="AL1T0"> + <draw:frame presentation:style-name="pr17" draw:layer="layout" svg:width="25.199cm" svg:height="3.506cm" svg:x="1.4cm" svg:y="0.837cm" presentation:class="title" presentation:user-transformed="true"> + <draw:text-box> + <text:p>The end</text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr18" draw:text-style-name="P5" draw:layer="layout" svg:width="24.639cm" svg:height="12.178cm" svg:x="1.4cm" svg:y="4.914cm" presentation:class="subtitle" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T19">Windows DVD</text:span></text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr8" draw:text-style-name="P9" draw:layer="layout" svg:width="4.403cm" svg:height="3.878cm" svg:x="0.186cm" svg:y="0.186cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T9">←</text:span><text:span text:style-name="T9"><text:a xlink:href="#Diapo 3">Back</text:a></text:span></text:p> + </draw:text-box> + </draw:frame> + <presentation:notes draw:style-name="dp2"> + <draw:page-thumbnail draw:style-name="gr3" draw:layer="layout" svg:width="14.848cm" svg:height="11.135cm" svg:x="3.075cm" svg:y="2.257cm" draw:page-number="14" presentation:class="page"/> + <draw:frame presentation:style-name="pr9" draw:text-style-name="P6" draw:layer="layout" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true" presentation:user-transformed="true"> + <draw:text-box/> + </draw:frame> + </presentation:notes> + </draw:page> + <draw:page draw:name="page15" draw:style-name="dp3" draw:master-page-name="Default" presentation:presentation-page-layout-name="AL1T0"> + <draw:frame presentation:style-name="pr17" draw:layer="layout" svg:width="25.199cm" svg:height="3.506cm" svg:x="1.4cm" svg:y="0.837cm" presentation:class="title" presentation:user-transformed="true"> + <draw:text-box> + <text:p>The end</text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr18" draw:text-style-name="P5" draw:layer="layout" svg:width="24.639cm" svg:height="12.178cm" svg:x="1.4cm" svg:y="4.914cm" presentation:class="subtitle" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T19">Mac DVD</text:span></text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr8" draw:text-style-name="P9" draw:layer="layout" svg:width="4.403cm" svg:height="3.116cm" svg:x="0.186cm" svg:y="0.186cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T9">←</text:span><text:span text:style-name="T9"><text:a xlink:href="#Diapo 6">Back</text:a></text:span></text:p> + </draw:text-box> + </draw:frame> + <presentation:notes draw:style-name="dp2"> + <draw:page-thumbnail draw:style-name="gr3" draw:layer="layout" svg:width="14.848cm" svg:height="11.135cm" svg:x="3.075cm" svg:y="2.257cm" draw:page-number="15" presentation:class="page"/> + <draw:frame presentation:style-name="pr9" draw:text-style-name="P6" draw:layer="layout" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true" presentation:user-transformed="true"> + <draw:text-box/> + </draw:frame> + </presentation:notes> + </draw:page> + <draw:page draw:name="page16" draw:style-name="dp3" draw:master-page-name="Default" presentation:presentation-page-layout-name="AL1T0"> + <draw:frame presentation:style-name="pr17" draw:layer="layout" svg:width="25.199cm" svg:height="3.506cm" svg:x="1.4cm" svg:y="0.837cm" presentation:class="title" presentation:user-transformed="true"> + <draw:text-box> + <text:p>The end</text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr18" draw:text-style-name="P5" draw:layer="layout" svg:width="24.639cm" svg:height="12.178cm" svg:x="1.4cm" svg:y="4.914cm" presentation:class="subtitle" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T19">Mac USB via DVD</text:span></text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr8" draw:text-style-name="P9" draw:layer="layout" svg:width="4.403cm" svg:height="3.116cm" svg:x="0.186cm" svg:y="0.186cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T9">←</text:span><text:span text:style-name="T9"><text:a xlink:href="#Diapo 7">Back</text:a></text:span></text:p> + </draw:text-box> + </draw:frame> + <presentation:notes draw:style-name="dp2"> + <draw:page-thumbnail draw:style-name="gr3" draw:layer="layout" svg:width="14.848cm" svg:height="11.135cm" svg:x="3.075cm" svg:y="2.257cm" draw:page-number="16" presentation:class="page"/> + <draw:frame presentation:style-name="pr9" draw:text-style-name="P6" draw:layer="layout" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true" presentation:user-transformed="true"> + <draw:text-box/> + </draw:frame> + </presentation:notes> + </draw:page> + <draw:page draw:name="page17" draw:style-name="dp3" draw:master-page-name="Default" presentation:presentation-page-layout-name="AL1T0"> + <draw:frame presentation:style-name="pr17" draw:layer="layout" svg:width="25.199cm" svg:height="3.506cm" svg:x="1.4cm" svg:y="0.837cm" presentation:class="title" presentation:user-transformed="true"> + <draw:text-box> + <text:p>The end</text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr18" draw:text-style-name="P5" draw:layer="layout" svg:width="24.639cm" svg:height="12.178cm" svg:x="1.4cm" svg:y="4.914cm" presentation:class="subtitle" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T19">Mac USB via USB</text:span></text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr8" draw:text-style-name="P9" draw:layer="layout" svg:width="4.403cm" svg:height="3.37cm" svg:x="0.186cm" svg:y="0.186cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T9">←</text:span><text:span text:style-name="T9"><text:a xlink:href="#Diapo 7">Back</text:a></text:span></text:p> + </draw:text-box> + </draw:frame> + <presentation:notes draw:style-name="dp2"> + <draw:page-thumbnail draw:style-name="gr3" draw:layer="layout" svg:width="14.848cm" svg:height="11.135cm" svg:x="3.075cm" svg:y="2.257cm" draw:page-number="17" presentation:class="page"/> + <draw:frame presentation:style-name="pr9" draw:text-style-name="P6" draw:layer="layout" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true" presentation:user-transformed="true"> + <draw:text-box/> + </draw:frame> + </presentation:notes> + </draw:page> + <draw:page draw:name="page18" draw:style-name="dp3" draw:master-page-name="Default" presentation:presentation-page-layout-name="AL1T0"> + <draw:frame presentation:style-name="pr10" draw:layer="layout" svg:width="25.199cm" svg:height="3.506cm" svg:x="1.4cm" svg:y="0.837cm" presentation:class="title" presentation:user-transformed="true"> + <draw:text-box> + <text:p>The end</text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr18" draw:text-style-name="P5" draw:layer="layout" svg:width="24.639cm" svg:height="12.178cm" svg:x="1.4cm" svg:y="4.914cm" presentation:class="subtitle" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T19">Hacker DVD</text:span></text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr8" draw:text-style-name="P9" draw:layer="layout" svg:width="4.403cm" svg:height="3.37cm" svg:x="0.187cm" svg:y="0.186cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T9">←</text:span><text:span text:style-name="T9"><text:a xlink:href="#Diapo 10">Back</text:a></text:span></text:p> + </draw:text-box> + </draw:frame> + <presentation:notes draw:style-name="dp2"> + <draw:page-thumbnail draw:style-name="gr3" draw:layer="layout" svg:width="14.848cm" svg:height="11.135cm" svg:x="3.075cm" svg:y="2.257cm" draw:page-number="18" presentation:class="page"/> + <draw:frame presentation:style-name="pr9" draw:text-style-name="P6" draw:layer="layout" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true" presentation:user-transformed="true"> + <draw:text-box/> + </draw:frame> + </presentation:notes> + </draw:page> + <draw:page draw:name="page19" draw:style-name="dp3" draw:master-page-name="Default" presentation:presentation-page-layout-name="AL1T0"> + <draw:frame presentation:style-name="pr17" draw:layer="layout" svg:width="25.199cm" svg:height="3.506cm" svg:x="1.4cm" svg:y="0.837cm" presentation:class="title" presentation:user-transformed="true"> + <draw:text-box> + <text:p>The end</text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr18" draw:text-style-name="P5" draw:layer="layout" svg:width="24.639cm" svg:height="12.178cm" svg:x="1.4cm" svg:y="4.914cm" presentation:class="subtitle" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T19">Linux DVD</text:span></text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr8" draw:text-style-name="P9" draw:layer="layout" svg:width="4.403cm" svg:height="3.37cm" svg:x="0.186cm" svg:y="0.186cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T9">←</text:span><text:span text:style-name="T9"><text:a xlink:href="#Diapo 11">Back</text:a></text:span></text:p> + </draw:text-box> + </draw:frame> + <presentation:notes draw:style-name="dp2"> + <draw:page-thumbnail draw:style-name="gr3" draw:layer="layout" svg:width="14.848cm" svg:height="11.135cm" svg:x="3.075cm" svg:y="2.257cm" draw:page-number="19" presentation:class="page"/> + <draw:frame presentation:style-name="pr9" draw:text-style-name="P6" draw:layer="layout" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true" presentation:user-transformed="true"> + <draw:text-box/> + </draw:frame> + </presentation:notes> + </draw:page> + <draw:page draw:name="page20" draw:style-name="dp3" draw:master-page-name="Default" presentation:presentation-page-layout-name="AL1T0"> + <draw:frame presentation:style-name="pr10" draw:layer="layout" svg:width="25.199cm" svg:height="3.506cm" svg:x="1.4cm" svg:y="0.837cm" presentation:class="title" presentation:user-transformed="true"> + <draw:text-box> + <text:p>The end</text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr19" draw:text-style-name="P5" draw:layer="layout" svg:width="24.639cm" svg:height="12.178cm" svg:x="1.4cm" svg:y="4.914cm" presentation:class="subtitle" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T19">Linux USB</text:span></text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr8" draw:text-style-name="P9" draw:layer="layout" svg:width="4.403cm" svg:height="3.37cm" svg:x="0.186cm" svg:y="0.186cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T9">←</text:span><text:span text:style-name="T9"><text:a xlink:href="#Diapo 11">Back</text:a></text:span></text:p> + </draw:text-box> + </draw:frame> + <presentation:notes draw:style-name="dp2"> + <draw:page-thumbnail draw:style-name="gr3" draw:layer="layout" svg:width="14.848cm" svg:height="11.135cm" svg:x="3.075cm" svg:y="2.257cm" draw:page-number="20" presentation:class="page"/> + <draw:frame presentation:style-name="pr9" draw:text-style-name="P6" draw:layer="layout" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true" presentation:user-transformed="true"> + <draw:text-box/> + </draw:frame> + </presentation:notes> + </draw:page> + <draw:page draw:name="page21" draw:style-name="dp3" draw:master-page-name="Default" presentation:presentation-page-layout-name="AL1T0"> + <draw:frame presentation:style-name="pr10" draw:layer="layout" svg:width="25.199cm" svg:height="3.506cm" svg:x="1.4cm" svg:y="0.837cm" presentation:class="title" presentation:user-transformed="true"> + <draw:text-box> + <text:p>The end</text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr18" draw:text-style-name="P5" draw:layer="layout" svg:width="24.639cm" svg:height="12.178cm" svg:x="1.4cm" svg:y="4.914cm" presentation:class="subtitle" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T19">Debian USB</text:span></text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr8" draw:text-style-name="P9" draw:layer="layout" svg:width="4.403cm" svg:height="3.37cm" svg:x="0.186cm" svg:y="0.186cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T9">←</text:span><text:span text:style-name="T9"><text:a xlink:href="#Diapo 9">Back</text:a></text:span></text:p> + </draw:text-box> + </draw:frame> + <presentation:notes draw:style-name="dp2"> + <draw:page-thumbnail draw:style-name="gr3" draw:layer="layout" svg:width="14.848cm" svg:height="11.135cm" svg:x="3.075cm" svg:y="2.257cm" draw:page-number="21" presentation:class="page"/> + <draw:frame presentation:style-name="pr9" draw:text-style-name="P6" draw:layer="layout" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true" presentation:user-transformed="true"> + <draw:text-box/> + </draw:frame> + </presentation:notes> + </draw:page> + <draw:page draw:name="page22" draw:style-name="dp3" draw:master-page-name="Default" presentation:presentation-page-layout-name="AL1T0"> + <draw:frame presentation:style-name="pr10" draw:layer="layout" svg:width="25.199cm" svg:height="3.506cm" svg:x="1.4cm" svg:y="0.837cm" presentation:class="title" presentation:user-transformed="true"> + <draw:text-box> + <text:p>The end</text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr18" draw:text-style-name="P5" draw:layer="layout" svg:width="24.639cm" svg:height="12.178cm" svg:x="1.4cm" svg:y="4.914cm" presentation:class="subtitle" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T19">Debian DVD</text:span></text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr8" draw:text-style-name="P9" draw:layer="layout" svg:width="4.403cm" svg:height="3.116cm" svg:x="0.186cm" svg:y="0.186cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T9">←</text:span><text:span text:style-name="T9"><text:a xlink:href="#Diapo 10">Back</text:a></text:span></text:p> + </draw:text-box> + </draw:frame> + <presentation:notes draw:style-name="dp2"> + <draw:page-thumbnail draw:style-name="gr3" draw:layer="layout" svg:width="14.848cm" svg:height="11.135cm" svg:x="3.075cm" svg:y="2.257cm" draw:page-number="22" presentation:class="page"/> + <draw:frame presentation:style-name="pr9" draw:text-style-name="P6" draw:layer="layout" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true" presentation:user-transformed="true"> + <draw:text-box/> + </draw:frame> + </presentation:notes> + </draw:page> + <draw:page draw:name="page23" draw:style-name="dp3" draw:master-page-name="Default" presentation:presentation-page-layout-name="AL1T0"> + <draw:frame presentation:style-name="pr10" draw:layer="layout" svg:width="25.199cm" svg:height="3.506cm" svg:x="1.4cm" svg:y="0.837cm" presentation:class="title" presentation:user-transformed="true"> + <draw:text-box> + <text:p>The end</text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr18" draw:text-style-name="P5" draw:layer="layout" svg:width="24.639cm" svg:height="12.178cm" svg:x="1.4cm" svg:y="4.914cm" presentation:class="subtitle" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T19">Hacker USB</text:span></text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr8" draw:text-style-name="P9" draw:layer="layout" svg:width="4.403cm" svg:height="3.37cm" svg:x="0.186cm" svg:y="0.186cm" presentation:class="outline" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T9">←</text:span><text:span text:style-name="T9"><text:a xlink:href="#Diapo 8">Back</text:a></text:span></text:p> + </draw:text-box> + </draw:frame> + <presentation:notes draw:style-name="dp2"> + <draw:page-thumbnail draw:style-name="gr3" draw:layer="layout" svg:width="14.848cm" svg:height="11.135cm" svg:x="3.075cm" svg:y="2.257cm" draw:page-number="23" presentation:class="page"/> + </presentation:notes> + </draw:page> + <draw:page draw:name="page24" draw:style-name="dp3" draw:master-page-name="Default" presentation:presentation-page-layout-name="AL1T0"> + <draw:frame presentation:style-name="pr10" draw:layer="layout" svg:width="25.199cm" svg:height="3.506cm" svg:x="1.4cm" svg:y="0.837cm" presentation:class="title" presentation:user-transformed="true"> + <draw:text-box> + <text:p>The end</text:p> + </draw:text-box> + </draw:frame> + <draw:frame presentation:style-name="pr18" draw:text-style-name="P5" draw:layer="layout" svg:width="24.639cm" svg:height="12.178cm" svg:x="1.4cm" svg:y="4.914cm" presentation:class="subtitle" presentation:user-transformed="true"> + <draw:text-box> + <text:p><text:span text:style-name="T19">Virtualization</text:span></text:p> + </draw:text-box> + </draw:frame> + <presentation:notes draw:style-name="dp2"> + <draw:page-thumbnail draw:style-name="gr3" draw:layer="layout" svg:width="14.848cm" svg:height="11.135cm" svg:x="3.075cm" svg:y="2.257cm" draw:page-number="24" presentation:class="page"/> + <draw:frame presentation:style-name="pr9" draw:text-style-name="P6" draw:layer="layout" svg:width="16.799cm" svg:height="13.364cm" svg:x="2.1cm" svg:y="14.107cm" presentation:class="notes" presentation:placeholder="true" presentation:user-transformed="true"> + <draw:text-box/> + </draw:frame> + </presentation:notes> + </draw:page> + <presentation:settings presentation:mouse-visible="false" presentation:transition-on-click="disabled"/> + </office:presentation> + </office:body> +</office:document> \ No newline at end of file diff --git a/wiki/src/blueprint/bootstrapping/assistant/router/3rd_iteration/testing.mdwn b/wiki/src/blueprint/bootstrapping/assistant/router/3rd_iteration/testing.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..6966a6383b660c0d269d8c8ed9c1c6e9956882b6 --- /dev/null +++ b/wiki/src/blueprint/bootstrapping/assistant/router/3rd_iteration/testing.mdwn @@ -0,0 +1,86 @@ +[[!meta title="User testing"]] + +Tester A +======== + + - OS: Debian + - Expertise: Occasional Tails user but never installed it before + - Scenario: You lost your Tails key and need to create a new one. + +Synopsis +-------- + +1. Start + - Doesn't understand "willing". + - Finds the first screen very friendly. +2. OS + - → Debian & Ubuntu +3. Debian user + - Doesn't choose "clone from a friend" because she's worried about her friend having a wrong or outdated version + - Suggests to add that the friend might have an outdated version and you should check that beforehand + - Suggests to change "friend" by "other USB" + - Doesn't understand "from scratch". + - Is confused by the line about download time and file size but understands it well in the end. + - Is confused by having two lines with different time references: + - Suggests to have a total time and a breakdown. + - Suggests to put the download time before the file size. + - When asked about what was on this screen: + - Remembers well the 4 options. + - Is not sure about the pros & cons of the different options: + - "Clone from a friend is easier but it didn't seem to be safe" + - "Virtual machine doesn't leave traces but the USB they can find it" + - → Install from scratch +4. Command line + - → Graphical installation + +Tester B +======== + + - OS: Ubuntu + - Expertise: Has heard about Tails but never used it before. + - Scenario: You want to publish some documents anonymously and a + friend recommended you to install Tails. + +Synopsis +-------- + +1. Start +2. OS + - → Debian & Ubuntu +3. Clone vs install + - "I could choose 'clone from a friend' and clone it from you but let's supposed that you're away..." + - "Install from scratch seems to be the usual thing I do to install a Linux OS." + - Finds that CD (sic) is not relevant for him because it's too much trouble. + - Remembers well the requirements from both options. + - Finds that 25 minutes is something reasonable. +4. Graphical vs command line + - "Since the command line scenario gives me the same options than the graphical scenario I prefer the graphical." + - → Graphical installation + +Tester Z +======== + + - OS: Debian + - Expertise: Has installed Tails using dd in the past. + - Scenario: Alone at home, you lost your Tails key and need to reinstall from scratch. + +Synopsis +-------- + +1. Start + - Likes to be warned + - "It's a "journey", woh?! Sounds funny..." +2. OS + - Is confused about what the "operating system" refers to + - "It is possible to run Tails from Windows?! I didn't know that..." + - → Debian & Ubuntu +3. Debian user + - Doesn't choose "clone from a friend" (partly because of the scenario) + - "I would have installed from scratch anyway because there are new + versions all the time, so if I install from scratch I'm sure to + have the latest version." + - → Install from scratch +4. Command line + - Chooses "graphical" because it sounds easier than the command line + - "With command line you can verify using OpenPGP, cool." + - → Graphical installation diff --git a/wiki/src/blueprint/bootstrapping/assistant/windows.mdwn b/wiki/src/blueprint/bootstrapping/assistant/windows.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..3fb693cc19657a017a61d9dd8bcde6600ed82040 --- /dev/null +++ b/wiki/src/blueprint/bootstrapping/assistant/windows.mdwn @@ -0,0 +1,363 @@ +[[!meta title="Full synopsis for Windows USB scenario"]] + +[[!toc]] + +Download and verify +=================== + +Plug first USB stick +==================== + +1. Plug the first USB stick into the computer. + +<div class="caution"> + +<p>All the data on the installed device will be lost.</p> + +</div> + +Because *Tails Installer* is not yet available in Windows, you first +need to install a temporary Tails on a first USB stick using a different +program called *Universal USB Installer*. On this temporary Tails you +won't benefit from important features like automatic upgrades or the +possibility of storing some of your personal files. After starting on +this temporary Tails, you will be able to install a second full-featured +Tails USB stick using *Tails Installer*. + +Copy ISO image on first USB stick +================================= + +1. Download <span class="application">Universal USB Installer</span>: + + <a class='download-file' href=https://tails.boum.org/Universal-USB-Installer.exe>Universal USB Installer</a> + +1. At the Windows security warning, click **Run** to run *Universal USB +Installer* without saving it. + +1. If a second security warning appears, also confirm that you want to +run the program. + +1. Read the licence agreement and click **I Agree** to continue and +start <span class="application">Universal USB Installer</span>. + + [[!img /doc/first_steps/installation/manual/windows/04-select-tails.png link=no alt="screenshot of Universal USB Installer"]] + +1. Select **Tails** from the drop-down list. + +1. Click **Browse** and choose the ISO image that you downloaded earlier. + +1. Use the drop-down list to specify the USB stick on which you want to copy +the ISO image. + +1. Click **Create**. + +1. A confirmation dialog appears. Click **Yes** to start the installation. + +1. After the installation is finished, click **Close** to quit *Universal USB +Installer*. + +You will now use this first USB stick as a temporary Tails to be able to +install Tails on the second USB stick using *Tails Installer*. + +Restart on first USB stick +========================== + +1. To be able to follow the rest of the instructions after shutting down +your computer, we recommend you either: + + - Open this page from your smartphone (recommended). + - Print the rest of the instructions on paper. + - Write down the URL of this page to be able to come back later:</br> + <https://tails.boum.org/install/win/usb/4-restart-temporary>. + +1. Shut down your computer while leaving the first USB stick plugged in. + +1. Switch on your computer. + + - If your computer starts on Tails, the **Boot Tails** screen + appears. Choose **Live** and press **Enter**. + + [[!img boot-menu.png link=no alt="Black screen with Tails artwork. 'Boot menu' with two options 'Live' and 'Live (failsafe)'."]] + + - If your computer starts on your usual operating system, refer to + the troubleshooting section [[Tails does not start at all|windows#at_all]]. + +1. After 30 seconds to 60 seconds, another screen, called *Tails +Greeter* appears. + + [[!img doc/first_steps/startup_options/tails-greeter-welcome-to-tails.png link=no]] + + - If your computer stops responding or displays error messages before + getting to *Tails Greeter*, refer to the troubleshooting section + [[Tails does not start entirely|windows#not_entirely]]. + +1. In *Tails Greeter*, select your preferred language in the drop-down +list on the bottom left of the screen. + +1. Click **Login**. + +1. After 15 seconds to 30 seconds, the Tails desktop appears. + + [[!img desktop.png size=640x480 link=no]] + +<a id="at_all"></a> + +Troubleshooting: Tails does not start at all +-------------------------------------------- + +The following section applies if the **Boot Tails** menu does not +appears when starting Tails. + +It is quite common for computers not to start automatically on a Tails +USB stick. Here are few troubleshooting techniques that you should try +one after the other. + +### Getting to the boot menu + +On most computer, you can press a *boot menu key* to display a list of possible +devices to start from. The following screenshot is an example of such boot +menu: + +[[!img boot_menu.png link=no]] + +This section explains how to identify the correct boot menu key on your +computer and how to use it to start Tails. + +1. Identify the potential boot menu keys for your computer depending on +your computer manufacturer in the following list: + + <table> + <tr><th>Manufacturer</th><th>Type</th><th>Models</th><th>Key</th><th>Notes</th></tr> + <tr><td>Acer</td><td>*</td><td>*</td><td>Esc, F12, F9</td></tr> + <tr><td>Acer</td><td>netbook</td><td>AspireOne </td><td>F12</td></tr> + <tr><td>Acer</td><td>netbook</td><td>Aspire Timeline</td><td>F12</td></tr> + <tr><td>Acer</td><td>netbook</td><td>Aspire v3, v5, v7</td><td>F12</td><td>Boot Menu must be enabled in BIOS. It is disabled by default. Please check your computer manual on how to enable it.</td></tr> + <tr><td>Apple</td><td>*</td><td>After 2006</td><td>Option</td></tr> + <tr><td>Asus</td><td>desktop</td><td>*</td><td>F8</td></tr> + <tr><td>Asus</td><td>laptop</td><td>*</td><td>Esc</td></tr> + <tr><td>Asus</td><td>laptop</td><td>R503C</td><td>F8</td></tr> + <tr><td>Asus</td><td>netbook</td><td>Eee PC 1025c</td><td>Esc</td></tr> + <tr><td>Compaq</td><td>*</td><td>Presario</td><td>Esc, F9</td></tr> + <tr><td>Dell</td><td>desktop</td><td>Dimension, Inspiron, Latitude</td><td>F12</td></tr> + <tr><td>Dell</td><td>desktop</td><td>Inspiron One 2020, 2305, 2320, 2330 All-In-One</td><td>F12</td></tr> + <tr><td>Dell</td><td>laptop</td><td>Inspiron</td><td> F12</td></tr> + <tr><td>Dell</td><td>laptop</td><td>Precision</td><td>F12</td></tr> + <tr><td>eMachines</td><td>*</td><td>*</td><td>F12</td></tr> + <tr><td>HP</td><td>generic</td><td>*</td><td>Esc, F9</td></tr> + <tr><td>HP</td><td>desktop</td><td>Media Center</td><td>Esc</td></tr> + <tr><td>HP</td><td>desktop</td><td>Pavilion 23 All In One</td><td>Esc</td></tr> + <tr><td>HP</td><td>desktop</td><td>Pavilion g6 and g7 </td><td>Esc</td></tr> + <tr><td>HP</td><td>desktop</td><td>Pavilion HPE PC, h8-1287c</td><td>Esc</td></tr> + <tr><td>HP</td><td>desktop</td><td>Pavilion PC, p6 2317c</td><td>Esc, then F9 for "Boot Menu"</td></tr> + <tr><td>HP</td><td>desktop</td><td>Pavilion PC, p7 1297cb</td><td>Esc, then F9 for "Boot Menu"</td></tr> + <tr><td>HP</td><td>desktop</td><td>TouchSmart 520 PC</td><td>Esc, then F9 for "Boot Menu"</td></tr> + <tr><td>HP</td><td>laptop</td><td>2000</td><td>Esc</td></tr> + <tr><td>HP</td><td>notebook</td><td>Pavilion</td><td>Esc</td></tr> + <tr><td>HP</td><td>notebook</td><td>ENVY dv6 and dv7 PC</td><td>Esc, then F9 for "Boot Menu"</td></tr> + <tr><td>Intel</td><td>*</td><td>*</td><td>F10</td></tr> + <tr><td>Lenovo</td><td>desktop</td><td>*</td><td>F12, F8, F10</td></tr> + <tr><td>Lenovo</td><td>laptop</td><td>*</td><td>F12</td></tr> + <tr><td>Lenovo</td><td>laptop</td><td>IdeaPad P500</td><td>F12 or Fn + F11</td></tr> + <tr><td>NEC</td><td>*</td><td>*</td><td>F5</td></tr> + <tr><td>Packard Bell</td><td>*</td><td>*</td><td>F8</td></tr> + <tr><td>Samsung</td><td>*</td><td>*</td><td>F12, Esc</td></tr> + <tr><td>Samsung</td><td>netbook</td><td>NC10</td><td>Esc</td></tr> + <tr><td>Samsung</td><td>ultrabook</td><td>Series 5 Ultra and Series 7 Chronos</td><td>Esc</td></tr> + <tr><td>Sharp</td><td>*</td><td>*</td><td>F2</td></tr> + <tr><td>Sony</td><td>*</td><td>VAIO, PCG, VGN</td><td>F11</td></tr> + <tr><td>Sony</td><td>*</td><td>VGN</td><td>Esc, F10</td></tr> + <tr><td>Toshiba</td><td>*</td><td>Protege, Satellite, Tecra</td><td>F12</td></tr> + <tr><td>Toshiba</td><td>*</td><td>Equium</td><td>F12</td></tr> + </table> + +1. Make sure the first USB stick is plugged into the computer. + +1. Shut down your computer. + +1. Hold down the first potential boot menu key identified in step 1 +while you switch on your computer. + + - If a boot menu with a list of possible devices to start from + appears, then select your first USB stick. + + - If you computer starts on your usual operating system, repeat steps + 2 and 3 for all the potential boot menu keys identified in step 1. + +### Edit the BIOS settings + +If you cannot get to the boot menu, you might need to edit your BIOS +settings. Consult your computer manual on how to enter the BIOS +settings. + +In the BIOS settings, try to apply the following changes one by one and +restart between each one of them. Some changes might not apply to your +computer model. + +1. Edit the **Boot Order**. Depending on your computer model you should +see an entry for **removable drive** or **USB media**. Move this entry +to the top of the list to force your computer to attempt to start from +your device before starting from the internal hard disk. Save your +changes and restart. + +1. Disable **Fast boot**. + +1. If the computer is configured to start with **legacy BIOS**, try to +configure it to start with **UEFI**. Else, if the computer is configured +to start with **UEFI**, try to configure it to start with **legacy +BIOS**. To do so, try any of the following options if available: + + - Enable Legacy mode + - Disable Secure boot + - Enable CSM boot + - Disable UEFI + +1. Try to upgrade your BIOS version. + +<a id="not_entirely"></a> + +Troubleshooting: Tails does not start entirely +---------------------------------------------- + +The following section applies if the **Boot Tails** appears but not +*Tails Greeter* when starting Tails. + +1. In the graphical boot menu, press `TAB`. + +2. Remove the `quiet` option from the boot command line. + +3. Add the `debug` and `nosplash` option. + +4. Hopefully, this displays useful messages while starting Tails. You can + then include them in a bug report to be sent: + + - either using [[WhisperBack|/doc/first_steps/bug_reporting]] if you + are able to start Tails from another media, + - either by [[sending us an email|/support/talk]] + +5. If the error message is `/bin/sh: can't access tty; job control + turned off` followed by `(initramfs)`, then try removing the + `live-media=removable` option. + + <div class="caution"> + + <strong>When removing this option, if an adversary installed a fake + Tails on an internal hard disk, then you will likely be starting + this dangerous operating system instead of the genuine Tails that + you intended to use.</strong> + + </div> + + If removing `live-media=removable` allows you to start Tails, please + report a bug as documented above: this allows us to improve the [[list + of problematic USB sticks|support/known_issues#problematic-usb-sticks]]. + In this case, you should install Tails on another, better supported + USB stick. + +Plug second USB stick +===================== + +1. After the Tails desktop appears, plug the second USB stick into the computer. + +<div class="caution"> + +<p>All the data on the installed device will be lost.</p> + +</div> + +<div class="next"> + +<p>You will now use *Tails Installer* to install Tails on this second +USB stick.</p> + +</div> + +Install Tails on second USB stick +================================= + +1. Choose + <span class="menuchoice"> + <span class="guimenu">Applications</span> ▸ + <span class="guisubmenu">Tails</span> ▸ + <span class="guimenuitem">Tails Installer</span> + </span> + to start <span class="application">Tails Installer</span>. + +1. Click on the <span class="button">Clone & Install</span> button to + install a new device. + +1. Choose your second USB stick from the <span class="guilabel">Target Device</span> + drop-down list. + +1. To start the installation, click on the <span + class="button">Install Tails</span> button. + +1. Read the warning message in the pop-up window. Click on the <span + class="button">Yes</span> button to confirm. + +Restart on second USB stick +=========================== + +1. Shut down your computer. + +1. Unplug the first USB stick and leaving the second USB stick plugged in. + +1. Switch on your computer. + + - If your computer starts on Tails, the **Boot Tails** screen + appears. Choose **Live** and press **Enter**. + + [[!img boot-menu.png link=no alt="Black screen with Tails artwork. 'Boot menu' with two options 'Live' and 'Live (failsafe)'."]] + + - If your computer starts on your usual operating system, refer to + the troubleshooting section [[Tails does not start at all|windows#at_all]]. + +1. After 30 seconds to 60 seconds, another screen, called *Tails +Greeter* appears. + + [[!img doc/first_steps/startup_options/tails-greeter-welcome-to-tails.png link=no]] + + - If your computer stops responding or displays error messages before + getting to *Tails Greeter*, refer to the troubleshooting section + [[Tails does not start entirely|windows#not_entirely]]. + +1. In *Tails Greeter*, select your preferred language in the drop-down +list on the bottom left of the screen. + +1. Click **Login**. + +1. After 15 seconds to 30 seconds, the Tails desktop appears. + + [[!img desktop.png size=640x480 link=no]] + +Configure persistence (optional) +================================ + +You can create a *persistent volume* in the remaining free space on the +device to store: + + - Your personal files and working documents + - The software packages that you download and install in Tails + - The configuration of the programs you use + - Your encryption keys + +The files in the persistent volume: + + - Remain available across separate working sessions. + - Are encrypted using a passphrase of your choice. + +Once the persistent volume is created, you can choose to activate it or not +each time you start Tails. + +How to use the persistent volume +-------------------------------- + + - [[Warnings about persistence|doc/first_steps/persistence/warnings]] + - [[Create & configure the persistent volume|doc/first_steps/persistence/configure]] + - [[Enable & use the persistent volume|doc/first_steps/persistence/use]] + - [[Change the passphrase of the persistent volume|doc/first_steps/persistence/change_passphrase]] + - [[Manually copy your persistent data to a new device|doc/first_steps/persistence/copy]] + - [[Check the file system of the persistent volume|doc/first_steps/persistence/check_file_system]] + - [[Delete the persistent volume|doc/first_steps/persistence/delete]] + +Restart on second USB stick +=========================== diff --git a/wiki/src/blueprint/bootstrapping/booting.mdwn b/wiki/src/blueprint/bootstrapping/booting.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..38fcfe89a97ababd9a9aa1f6401559cf44fb6067 --- /dev/null +++ b/wiki/src/blueprint/bootstrapping/booting.mdwn @@ -0,0 +1,56 @@ +UX considerations about for booting Tails +========================================= + +During the UX workshop, there was one quite big pain point: "how to start my computer with Tails", "on which key shall I press? when?" +Depending on the user OS and version (mac, linux, windows 7, windows 8) and its hardware, there is a lot of possible instructions and combinations. We need to find a way to easily find and remember the good way to do it (as the computer will be shut down by that time). + + +Different types of configuration +-------------------------------- + +- Configure to boot on Tails once. +- Configure to boot on Tails each time there is a Tails key plugged on the computer. + + +Some possible interfaces +------------------------ + +- Prompt the user for the model of the computer. Display the instructions. +- Embed a list of hardware and keys. Ask to search on this list. +- Link to a list of hardware and keys. Ask to go on an other website. + + +Deal with offline +----------------- + +At reboot, the user may not have an other working computer to display the online documentation, so maybe it could be useful to keep the contact with the user somehow. What are the different steps (instructions to boot, start the temp tails and clone, start the minimal tails and configure persistence, start the full-featured tails). + +Possible solutions: + +- Print a generic guide to boot +- Print a specific guide for his computer +- Invite to write the possible keys on a paper + + +Details on instructions +----------------------- + +- Screencast when we must press the key +- Have pictures of the keys (which is "Shift", "Esc", "Option", "Control", "F12"...) + + +Change the workflow +------------------- + +- Is it possible to tell the host operating system to restart on Tails directly? + - windows 8 seems to be kind of sport, but maybe not http://www.askvg.com/tip-5-easy-ways-to-switch-from-windows-8-to-other-installed-os-in-dual-boot-environment/ + + +Some links +---------- + +- https://guide.boum.org/tomes/1_hors_connexions/unepage/#index22h2 +- https://help.ubuntu.com/community/BootFromCD +- https://craftedflash.com/info/how-boot-computer-from-usb-flash-drive#BootMenuKeys +- https://neosmart.net/wiki/boot-usb-drive/#Shortcut_keys + diff --git a/wiki/src/blueprint/bootstrapping/extension.mdwn b/wiki/src/blueprint/bootstrapping/extension.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..41b6cbf18874e1dba4a30ad4185581f1309a0830 --- /dev/null +++ b/wiki/src/blueprint/bootstrapping/extension.mdwn @@ -0,0 +1,298 @@ +[[!meta title="Automatic ISO verification extension for Firefox"]] + +As part of our effort to simplify the workflow of a new user getting +started with Tails, we are working on a custom browser extension to +automate some verification of the ISO image after it has been +downloaded. + +This has to be considered as part of a bigger plan to: + + - Further automate ISO verification. See the blueprint on [[ISO + verification|verification]]. + - Guide the user through the whole process. See the blueprint on the + [[web assistant|assistant]]. + +The extension will be used as well by people doing full upgrades until +we automate the download and verification steps of a full upgrade in +Tails Upgrader. See the blueprint on [[upgrades|upgrade]]. + +[[!toc]] + +Vision +====== + +Software verification is a critical step in the use of secure +applications but it has traditionally been hard to provide, especially +from a user perspective. Usual solutions are: + + - Using HTTPS to download. But in the case of Tails, we are serving so + many downloads that we have to rely on mirrors hosted by third + parties. + - Providing OpenPGP signatures. But this really works only for the few + of us who know how to verify an OpenPGP signature and use the + OpenPGP Web-of-Trust correctly. + +We are trying here to provide a usable solution to verify a download +done through HTTP, while relying on cryptographic information fetched +elsewhere through HTTPS (and possibly with stronger authentication +mechanisms such as public key pinning from browser vendors). + +Goals +===== + + - Fix the ISO verification method using Windows which has been broken + for years. + - Simplify the installation process by automating *some* verification + of the ISO image inside the browser as part of the download process. + - In case of a bad ISO image, help the user diagnose whether the + download has been interrupted or the ISO has been corrupted. + - In case of an interrupted download, help the user resume it. This + requires us to have our mirrors stop sending HTTP ETag headers. See + [[!tails_ticket 9022]]. + - Allow users to install the extension without restarting the browser. + - Have the extension available in Firefox first, then Chrome. Firefox + makes sense as a first target because it is the base for Tor Browser + and is installed by default in Debian and Ubuntu. But Chrome is much + more popular. Usage share of web browsers are currently on + [[!wikipedia desc="Wikipedia" Usage_share_of_web_browsers]]: + - Chrome: 48.1% + - Internet Explorer: 17.5% + - Firefox: 16.7% + - Safari: 4.8% + - Opera: 1.5% + - Other: 11.4% + +Non goals +========= + + - Verify deprecated ISO images. + - Verify ISO images downloaded from nightly.tails.boum.org. + - Verify ISO images downloaded through BitTorrent. If we can rely on + our website to provide a correct cryptographic description of the + ISO image then we can rely on it as well to provide a correct + BitTorrent file. Then BitTorrent clients verify the integrity of + their downloads and we're good ([[!tails_ticket 9043]]). + +<a id="wireframe"></a> + +User scenario and wireframe +=========================== + + - [[Simplified wireframe|wireframe.pdf]] + - For the full wireframe, refer to the latest wireframe uploaded on [[!tails_ticket 8564]]. + +Open questions +-------------- + + - Maybe we will display educational material, such as our warnings, + while the ISO image is downloaded. + +<a id="integration"> + +Integration in the web assistant +================================ + +The extension will interact with a single web page that it will modify +to display the relevant content. This page will be the first step of one +of the scenarios of the [[web assistant|assistant]]. + +As we need a way of knowing where people are in the assistant, the +extension will potentially interact with several web pages on our +website, depending on the scenario, for example: + + - `/install/windows/usb/1-download/v1.en.html` for the Windows USB scenario in English. + - `/install/debian/dvd/1-download/v1.de.html` for the Debian DVD scenario in German. + +The `v1` part of the URL corresponds to the version of the extension. + +Initial browser detection +------------------------- + +On this page, the initial screen as seen by the user will have to depend +on the browser to propose only the relevant options. We also have to +provide a fallback for people who disable JavaScript. So we'll have +three potential versions of this initial script: + + A. If we cannot detect the browser (no JavaScript). + B. If we detect a supported browser (Firefox and Tor Browser to start + with, Chrome after the extension gets ported to Chrome, etc.). + C. If we detect an unsupported browser. + +We need some JavaScript code to display option B or C, and otherwise +display option A if there is no JavaScript. + +Localization +------------ + +The web page manipulated by the extension will be translated using our +usual infrastructure (ikiwiki and PO files). The extension must not +embed any user-visible string in its code. + +<a id="verification"></a> + +ISO verification mechanism +========================== + +We are considering here an attacker who can: + + - (A) Provide a malicious ISO image to the user for example by + operating a rogue Tails mirror. + +We are not considering an attacker who can: + + - (B) Do a man-in-the-middle attack by providing a rogue HTTPS certificate + for https://tails.boum.org/ signed by a certificate authority + trusted by the + browser but under the control of the attacker. + + Since the extension is targeted at new users, a MitM or exploit on + our website could defeat any verification technique by providing + simplified instructions or by faking ISO verification. + + To mitigate such an attack we should work on deploying HPKP (HTTP + Public Key Pinning) which provides TOFU on our SSL certificate + ([[!tails_ticket 9026]]). But our certificate could also probably be + integrated in the Firefox preload list shipped with the browser + ([[!tails_ticket 9027]]). + + - (C) Insert malicious content on https://tails.boum.org/ through an + exploit on our website as this could trick new users to skip the ISO + verification all the way. To prevent this kind of attack we should + instead: + + - Monitor externally the most relevant parts of our website. + - Work on integrating full upgrades in Tails Upgrader. See + [[!tails_ticket 7499]]. + + - (D) Insert malicious information in our main Git repository as such + an attacker could do attack (C) as well. + + - (E) Insert targeted malware on the user's computer as this could + defeat any possible verification mechanism that such an extension + could do. + + - (F) Provide a rogue extension to the user as this could defeat any + possible verification mechanism that such an extension could do. + + - (G) Insert malicious content on https://tails.boum.org/ after taking + control of the web server, or entire system, behind it. Such an + attacker could do attack (C) as well but in such a way that could be + much harder to detect (for example by serving malicious content to + some users). + + To mitigate such an attack in some cases we could both: + + - Encourage external documentation (screencasts on YouTube, printed + forms, etc.). But those would be vulnerable to other kind of + attacks. + - Not rely on the website to perform the ISO verification and rely + on a native interface accessible from the add-ons menu. + +Checksum verification +--------------------- + +The code of the extension includes: + + - The root certificate of the authority expected to sign the + certificate of https://tails.boum.org/ (until we get [[!tails_ticket 9027]]). + +When verifying an ISO image, the extension: + + - Connects to https://tails.boum.org/ and verifies its certificate + against its expected authority. + - If the certificate is trusted, then it downloads an ISO description + document (size, checksum). + - Verifies the ISO image against the document (first its size, then + its checksum). + +Security properties: + + - This technique would defeat attack A (malicious ISO). + +Other considerations: + + - We would have to upgrade the extension if the certificate authority + of https://tails.boum.org/ changes but we should know this in + advance. + - More complex verification mechanisms should be gradually [[built into + Tails Installer|blueprint/bootstrapping/installer]] where we can + defeat attacks B, C, D, F, and G. + +<a id="data_source"> + +Data source +=========== + +Building up on the format specified for [[upgrade description +files|contribute/design/incremental_upgrades#upgrade-description-files]], +the verification extension fetches an ISO description file from our +server to retrieve all the information it needs about the ISO image +(URL, size, checksum, etc.). As a beginning, this ISO description file +is not signed using OpenPGP. + +### URL + +For each release of Tails: + + - https://tails.boum.org/install/v1/Tails/i386/stable/0.23.yml + +With a copy or a symlink to the latest version on: + + - https://tails.boum.org/install/v1/Tails/i386/stable/latest.yml + +### ISO description file + + --- + build-target: i386 + channel: stable + product-name: Tails + version: '0.23' + target-files: + - sha256: 359d104737f1a448375d2030f938dea3d529468b8218485998ab893c1f7509eb + size: 939571200 + url: http://dl.amnesia.boum.org/tails/stable/tails-i386-0.23/tails-i386-0.23.iso + +Open questions +-------------- + + - It will be easier for us to provide a YAML file as we do that + already for automatic upgrades. But maybe we have to provide JSON + which is more widely available in JavaScript. + +Updates mechanism +================= + +We should also keep in mind how would the extension upgrade (change in +the code, change in the certificates it relies upon). If we need to +upgrade the extension: + + - In Firefox, it has to go through a manual review process that can + take several days. + - In Chrome, it can be uploaded directly to the store by us. + +Firefox checks for updates of the extension once per day on a secure +channel (the update pings are also used to generate add-ons usage +stats). Tor Browser doesn't prevent those updates [except for Torbutton +and Tor Launcher](https://lists.torproject.org/pipermail/tbb-dev/2015-April/000258.html). + +<a id="satori"></a> + +Satori +====== + +[Satori](https://chrome.google.com/webstore/detail/satori/oncomejlklhkbffpdhpmhldlfambmjlf) +has been suggested as an alternative to verify our downloads. + +Pros: + +- Already exists in beta. +- Knows how to calculate checksums. +- Probably more isolated from the browser than our current design. +- Not specific to Tails: reusable by the user for other software. + +Cons: + +- Checksum hardcoded (needs to be updated on each release). +- Current UI calculates the checksum but doesn't compare it. +- Not specific to Tails: more complex if you only want Tails. +- Doesn't work from Tor Browser. diff --git a/wiki/src/blueprint/bootstrapping/extension/wireframe.pdf b/wiki/src/blueprint/bootstrapping/extension/wireframe.pdf new file mode 100644 index 0000000000000000000000000000000000000000..8fc55ff585736676b4af687660d773540292a902 Binary files /dev/null and b/wiki/src/blueprint/bootstrapping/extension/wireframe.pdf differ diff --git a/wiki/src/blueprint/bootstrapping/installer.mdwn b/wiki/src/blueprint/bootstrapping/installer.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..e590eb0e4a7c52f743ca04360390f2348bb0961b --- /dev/null +++ b/wiki/src/blueprint/bootstrapping/installer.mdwn @@ -0,0 +1,100 @@ +[[!meta title="Tails Installer"]] + +[[!toc levels=2]] + +Vision +====== + +Installing Tails onto a USB stick is probably the most common and +recommended scenario when started with Tails as this allows incremental +upgrades and persistence. + +But as of 2014, getting Tails installed on a USB stick requires having a +first temporary Tails to boot from and then running Tails Installer. +Also, due to the way Tails Installer partitions the USB stick, this +requires having two USB sticks and going through manual installation +steps, often using command line. + +We want to eliminate the need for a first temporary Tails and have Tails +Installer available on Linux, Windows, and Mac OS. + +As part of the ISO verification process we also want to push more +verification logic to Tails Installer. See the [[blueprint on ISO +verification|verification]]. + +Tails Installer is also used to do full upgrades. We want to move this +to Tails Upgrader. See the [[blueprint on Tails Upgrader|upgrade]]. + +Roadmap +======= + +<a id="2015"></a> + +2015 +---- + +In 2015 we will work on porting Tails Installer to Debian. This is a +first step before having Tails available on any other platform. +This requires rethinking the scenarios in which Tails Installer is +used ([[!tails_ticket 7046]]) and adapting its interface accordingly. + +Those are the improvements that we propose for 2015: + +- Implement "Install from ISO". (([[!tails_ticket 8865]]) +- Adapt the splash screen to work outside of Tails (no "Clone" + option). +- Rework the wording of the main interface. ([[!tails_ticket 8866]]) +- Add visual and textual context to main interface. +- Add a splash about creating persistence after rebooting. +- Backport Tails Installer to Jessie ([[!tails_ticket 8805]]). + +This will have to be coordinated with the Ubuntu release calendar. +Ubuntu 15.10 is planned to be freezed in August 2015. + +<a id="bonus_for_2015"></a> + +Bonus for 2015 +-------------- + +The following improvements would be a nice addition to the roadmap for +2015. + +First of all: + +1. Autodetect if the destination key has Tails already, without making + this visible to the user yet, but that's a prerequisite for the + next steps. +2. Simplify the splash screen a bit thanks to the autodetection code: + merge "Clone and Install" and "Clone and Upgrade" into one single + "Clone" button: Depending on whether the destination device already + has Tails installed or not, dynamically change the label of main + action button to "Install" or "Upgrade" (for the second device). + (Note: this breaks the "re-installing Tails from scratch" use case, + but IIRC we already have documented how to uninstall Tails, so that's + no big deal). ([[!tails_ticket 9006]]) +3. If the destination device already has Tails installed, add a second + button below or side-by-side with the "Install" button with the label + "Upgrade". This allows to choose once more to either reinstall Tails + from scratch or to upgrade the exisiting installation. +4. When using the installer in Tails (as opposed to using the installer + from another platform), remove the splash screen and add a "Clone" + button to the main interface. ([[!tails_ticket 8859]]) + +And then: + +- If using the installer outside of Tails, point to the website to + download the ISO. ([[!tails_ticket 8867]]) +- Make it possible to "Upgrade from ISO" from + the command line. See the [[Debian Hacker|bootstrapping#tools]] bootstrapping path. ([[!tails_ticket 8861]]) +- Make it possible to "Install from ISO" from + the command line. See the [[Debian Hacker|bootstrapping#tools]] bootstrapping path. ([[!tails_ticket 8861]]). +- Store version of Tails on destination key after install and upgrade. ([[!tails_ticket 8863]]) + - This would allow to display version in "Target Device". ([[!tails_ticket 8862]]) +- Have Tails Installer available on Mac OS as there is currently no suitable other + installation technique using a graphical interface. + +Future +------ + +- Push more ISO verification logic to Tails Installer. See the + [[blueprint on ISO verification|verification]]. diff --git a/wiki/src/blueprint/bootstrapping/iso_verification_automation_proposals.ods b/wiki/src/blueprint/bootstrapping/iso_verification_automation_proposals.ods new file mode 100644 index 0000000000000000000000000000000000000000..82aee2955750a4db9c2fb30760c1d1810f619dfb Binary files /dev/null and b/wiki/src/blueprint/bootstrapping/iso_verification_automation_proposals.ods differ diff --git a/wiki/src/blueprint/bootstrapping/tools.fodg b/wiki/src/blueprint/bootstrapping/tools.fodg new file mode 100644 index 0000000000000000000000000000000000000000..c0c7bb6872ce968cd51f735c77ce888fe35ca48b --- /dev/null +++ b/wiki/src/blueprint/bootstrapping/tools.fodg @@ -0,0 +1,499 @@ +<?xml version="1.0" encoding="UTF-8"?> + +<office:document xmlns:office="urn:oasis:names:tc:opendocument:xmlns:office:1.0" xmlns:style="urn:oasis:names:tc:opendocument:xmlns:style:1.0" xmlns:text="urn:oasis:names:tc:opendocument:xmlns:text:1.0" xmlns:table="urn:oasis:names:tc:opendocument:xmlns:table:1.0" xmlns:draw="urn:oasis:names:tc:opendocument:xmlns:drawing:1.0" xmlns:fo="urn:oasis:names:tc:opendocument:xmlns:xsl-fo-compatible:1.0" xmlns:xlink="http://www.w3.org/1999/xlink" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:meta="urn:oasis:names:tc:opendocument:xmlns:meta:1.0" xmlns:number="urn:oasis:names:tc:opendocument:xmlns:datastyle:1.0" xmlns:presentation="urn:oasis:names:tc:opendocument:xmlns:presentation:1.0" xmlns:svg="urn:oasis:names:tc:opendocument:xmlns:svg-compatible:1.0" xmlns:chart="urn:oasis:names:tc:opendocument:xmlns:chart:1.0" xmlns:dr3d="urn:oasis:names:tc:opendocument:xmlns:dr3d:1.0" xmlns:math="http://www.w3.org/1998/Math/MathML" xmlns:form="urn:oasis:names:tc:opendocument:xmlns:form:1.0" xmlns:script="urn:oasis:names:tc:opendocument:xmlns:script:1.0" xmlns:config="urn:oasis:names:tc:opendocument:xmlns:config:1.0" xmlns:ooo="http://openoffice.org/2004/office" xmlns:ooow="http://openoffice.org/2004/writer" xmlns:oooc="http://openoffice.org/2004/calc" xmlns:dom="http://www.w3.org/2001/xml-events" xmlns:xforms="http://www.w3.org/2002/xforms" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:smil="urn:oasis:names:tc:opendocument:xmlns:smil-compatible:1.0" xmlns:anim="urn:oasis:names:tc:opendocument:xmlns:animation:1.0" xmlns:rpt="http://openoffice.org/2005/report" xmlns:of="urn:oasis:names:tc:opendocument:xmlns:of:1.2" xmlns:xhtml="http://www.w3.org/1999/xhtml" xmlns:grddl="http://www.w3.org/2003/g/data-view#" xmlns:officeooo="http://openoffice.org/2009/office" xmlns:tableooo="http://openoffice.org/2009/table" xmlns:drawooo="http://openoffice.org/2010/draw" xmlns:field="urn:openoffice:names:experimental:ooo-ms-interop:xmlns:field:1.0" xmlns:formx="urn:openoffice:names:experimental:ooxml-odf-interop:xmlns:form:1.0" xmlns:css3t="http://www.w3.org/TR/css3-text/" office:version="1.2" office:mimetype="application/vnd.oasis.opendocument.graphics"> + <office:meta><meta:initial-creator>Debian user</meta:initial-creator><meta:creation-date>2015-02-02T10:48:46</meta:creation-date><meta:generator>LibreOffice/3.5$Linux_x86 LibreOffice_project/350m1$Build-2</meta:generator><meta:document-statistic meta:object-count="38"/></office:meta> + <office:settings> + <config:config-item-set config:name="ooo:view-settings"> + <config:config-item config:name="VisibleAreaTop" config:type="int">-3704</config:config-item> + <config:config-item config:name="VisibleAreaLeft" config:type="int">-3175</config:config-item> + <config:config-item config:name="VisibleAreaWidth" config:type="int">42508</config:config-item> + <config:config-item config:name="VisibleAreaHeight" config:type="int">21789</config:config-item> + <config:config-item-map-indexed config:name="Views"> + <config:config-item-map-entry> + <config:config-item config:name="ViewId" config:type="string">view1</config:config-item> + <config:config-item config:name="GridIsVisible" config:type="boolean">false</config:config-item> + <config:config-item config:name="GridIsFront" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsSnapToGrid" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsSnapToPageMargins" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsSnapToSnapLines" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsSnapToObjectFrame" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsSnapToObjectPoints" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPlusHandlesAlwaysVisible" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsFrameDragSingles" config:type="boolean">true</config:config-item> + <config:config-item config:name="EliminatePolyPointLimitAngle" config:type="int">1500</config:config-item> + <config:config-item config:name="IsEliminatePolyPoints" config:type="boolean">false</config:config-item> + <config:config-item config:name="VisibleLayers" config:type="base64Binary">//////////////////////////////////////////8=</config:config-item> + <config:config-item config:name="PrintableLayers" config:type="base64Binary">//////////////////////////////////////////8=</config:config-item> + <config:config-item config:name="LockedLayers" config:type="base64Binary"/> + <config:config-item config:name="NoAttribs" config:type="boolean">false</config:config-item> + <config:config-item config:name="NoColors" config:type="boolean">true</config:config-item> + <config:config-item config:name="RulerIsVisible" config:type="boolean">true</config:config-item> + <config:config-item config:name="PageKind" config:type="short">0</config:config-item> + <config:config-item config:name="SelectedPage" config:type="short">0</config:config-item> + <config:config-item config:name="IsLayerMode" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsDoubleClickTextEdit" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsClickChangeRotation" config:type="boolean">false</config:config-item> + <config:config-item config:name="SlidesPerRow" config:type="short">4</config:config-item> + <config:config-item config:name="EditModeStandard" config:type="int">0</config:config-item> + <config:config-item config:name="EditModeNotes" config:type="int">0</config:config-item> + <config:config-item config:name="EditModeHandout" config:type="int">1</config:config-item> + <config:config-item config:name="VisibleAreaTop" config:type="int">-5474</config:config-item> + <config:config-item config:name="VisibleAreaLeft" config:type="int">-16331</config:config-item> + <config:config-item config:name="VisibleAreaWidth" config:type="int">63136</config:config-item> + <config:config-item config:name="VisibleAreaHeight" config:type="int">41422</config:config-item> + <config:config-item config:name="GridCoarseWidth" config:type="int">1270</config:config-item> + <config:config-item config:name="GridCoarseHeight" config:type="int">1270</config:config-item> + <config:config-item config:name="GridFineWidth" config:type="int">127</config:config-item> + <config:config-item config:name="GridFineHeight" config:type="int">127</config:config-item> + <config:config-item config:name="GridSnapWidthXNumerator" config:type="int">127</config:config-item> + <config:config-item config:name="GridSnapWidthXDenominator" config:type="int">1</config:config-item> + <config:config-item config:name="GridSnapWidthYNumerator" config:type="int">127</config:config-item> + <config:config-item config:name="GridSnapWidthYDenominator" config:type="int">1</config:config-item> + <config:config-item config:name="IsAngleSnapEnabled" config:type="boolean">false</config:config-item> + <config:config-item config:name="SnapAngle" config:type="int">1500</config:config-item> + <config:config-item config:name="ZoomOnPage" config:type="boolean">false</config:config-item> + </config:config-item-map-entry> + </config:config-item-map-indexed> + </config:config-item-set> + <config:config-item-set config:name="ooo:configuration-settings"> + <config:config-item config:name="ApplyUserData" config:type="boolean">true</config:config-item> + <config:config-item config:name="BitmapTableURL" config:type="string">$(user)/config/standard.sob</config:config-item> + <config:config-item config:name="CharacterCompressionType" config:type="short">0</config:config-item> + <config:config-item config:name="ColorTableURL" config:type="string">$(user)/config/standard.soc</config:config-item> + <config:config-item config:name="DashTableURL" config:type="string">$(user)/config/standard.sod</config:config-item> + <config:config-item config:name="DefaultTabStop" config:type="int">1270</config:config-item> + <config:config-item config:name="GradientTableURL" config:type="string">$(user)/config/standard.sog</config:config-item> + <config:config-item config:name="HatchTableURL" config:type="string">$(user)/config/standard.soh</config:config-item> + <config:config-item config:name="IsKernAsianPunctuation" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintBooklet" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintBookletBack" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsPrintBookletFront" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsPrintDate" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintFitPage" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintHiddenPages" config:type="boolean">true</config:config-item> + <config:config-item config:name="IsPrintPageName" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintTilePage" config:type="boolean">false</config:config-item> + <config:config-item config:name="IsPrintTime" config:type="boolean">false</config:config-item> + <config:config-item config:name="LineEndTableURL" config:type="string">$(user)/config/standard.soe</config:config-item> + <config:config-item config:name="LoadReadonly" config:type="boolean">false</config:config-item> + <config:config-item config:name="MeasureUnit" config:type="short">7</config:config-item> + <config:config-item config:name="PageNumberFormat" config:type="int">4</config:config-item> + <config:config-item config:name="ParagraphSummation" config:type="boolean">false</config:config-item> + <config:config-item config:name="PrintQuality" config:type="int">0</config:config-item> + <config:config-item config:name="PrinterIndependentLayout" config:type="string">low-resolution</config:config-item> + <config:config-item config:name="PrinterName" config:type="string"/> + <config:config-item config:name="PrinterSetup" config:type="base64Binary"/> + <config:config-item config:name="SaveVersionOnClose" config:type="boolean">false</config:config-item> + <config:config-item config:name="ScaleDenominator" config:type="int">1</config:config-item> + <config:config-item config:name="ScaleNumerator" config:type="int">1</config:config-item> + <config:config-item config:name="UpdateFromTemplate" config:type="boolean">true</config:config-item> + </config:config-item-set> + </office:settings> + <office:scripts> + <office:script script:language="ooo:Basic"> + <ooo:libraries xmlns:ooo="http://openoffice.org/2004/office" xmlns:xlink="http://www.w3.org/1999/xlink"> + <ooo:library-embedded ooo:name="Standard"/> + </ooo:libraries> + </office:script> + </office:scripts> + <office:styles> + <draw:marker draw:name="Arrow" svg:viewBox="0 0 20 30" svg:d="m10 0-10 30h20z"/> + <style:default-style style:family="graphic"> + <style:graphic-properties svg:stroke-color="#808080" draw:fill-color="#cfe7f5" fo:wrap-option="no-wrap"/> + <style:paragraph-properties style:text-autospace="ideograph-alpha" style:punctuation-wrap="simple" style:line-break="strict" style:writing-mode="lr-tb" style:font-independent-line-spacing="false"> + <style:tab-stops/> + </style:paragraph-properties> + <style:text-properties style:use-window-font-color="true" fo:font-family="'Liberation Serif'" style:font-family-generic="roman" style:font-pitch="variable" fo:font-size="24pt" fo:language="en" fo:country="US" style:font-family-asian="'DejaVu Sans'" style:font-family-generic-asian="system" style:font-pitch-asian="variable" style:font-size-asian="24pt" style:language-asian="zh" style:country-asian="CN" style:font-family-complex="'DejaVu Sans'" style:font-family-generic-complex="system" style:font-pitch-complex="variable" style:font-size-complex="24pt" style:language-complex="hi" style:country-complex="IN"/> + </style:default-style> + <style:style style:name="standard" style:family="graphic"> + <style:graphic-properties draw:stroke="solid" svg:stroke-width="0cm" svg:stroke-color="#808080" draw:marker-start-width="0.2cm" draw:marker-start-center="false" draw:marker-end-width="0.2cm" draw:marker-end-center="false" draw:fill="solid" draw:fill-color="#cfe7f5" draw:textarea-horizontal-align="justify" fo:padding-top="0.125cm" fo:padding-bottom="0.125cm" fo:padding-left="0.25cm" fo:padding-right="0.25cm" draw:shadow="hidden" draw:shadow-offset-x="0.2cm" draw:shadow-offset-y="0.2cm" draw:shadow-color="#808080"> + <text:list-style style:name="standard"> + <text:list-level-style-bullet text:level="1" text:bullet-char="●"> + <style:list-level-properties text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="2" text:bullet-char="●"> + <style:list-level-properties text:space-before="0.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="3" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="4" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="5" text:bullet-char="●"> + <style:list-level-properties text:space-before="2.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="6" text:bullet-char="●"> + <style:list-level-properties text:space-before="3cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="7" text:bullet-char="●"> + <style:list-level-properties text:space-before="3.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="8" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="9" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="10" text:bullet-char="●"> + <style:list-level-properties text:space-before="5.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + </text:list-style> + </style:graphic-properties> + <style:paragraph-properties fo:margin-left="0cm" fo:margin-right="0cm" fo:margin-top="0cm" fo:margin-bottom="0cm" fo:line-height="100%" fo:text-indent="0cm"/> + <style:text-properties style:use-window-font-color="true" style:text-outline="false" style:text-line-through-style="none" fo:font-family="'Liberation Sans'" style:font-family-generic="roman" style:font-pitch="variable" fo:font-size="18pt" fo:font-style="normal" fo:text-shadow="none" style:text-underline-style="none" fo:font-weight="normal" style:letter-kerning="true" style:font-family-asian="'AR PL UKai CN'" style:font-family-generic-asian="system" style:font-pitch-asian="variable" style:font-size-asian="18pt" style:font-style-asian="normal" style:font-weight-asian="normal" style:font-family-complex="'Lohit Devanagari'" style:font-family-generic-complex="system" style:font-pitch-complex="variable" style:font-size-complex="18pt" style:font-style-complex="normal" style:font-weight-complex="normal" style:text-emphasize="none" style:font-relief="none" style:text-overline-style="none" style:text-overline-color="font-color"/> + </style:style> + <style:style style:name="objectwitharrow" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="solid" svg:stroke-width="0.15cm" svg:stroke-color="#000000" draw:marker-start="Arrow" draw:marker-start-width="0.7cm" draw:marker-start-center="true" draw:marker-end-width="0.3cm"/> + </style:style> + <style:style style:name="objectwithshadow" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:shadow="visible" draw:shadow-offset-x="0.2cm" draw:shadow-offset-y="0.2cm" draw:shadow-color="#808080"/> + </style:style> + <style:style style:name="objectwithoutfill" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties svg:stroke-color="#000000" draw:fill="none"/> + </style:style> + <style:style style:name="text" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + </style:style> + <style:style style:name="textbody" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:text-properties fo:font-size="16pt"/> + </style:style> + <style:style style:name="textbodyjustfied" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:paragraph-properties fo:text-align="justify"/> + </style:style> + <style:style style:name="textbodyindent" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:paragraph-properties fo:margin-left="0cm" fo:margin-right="0cm" fo:text-indent="0.6cm"/> + </style:style> + <style:style style:name="title" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:text-properties fo:font-size="44pt"/> + </style:style> + <style:style style:name="title1" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="solid" draw:fill-color="#008080" draw:shadow="visible" draw:shadow-offset-x="0.2cm" draw:shadow-offset-y="0.2cm" draw:shadow-color="#808080"/> + <style:paragraph-properties fo:text-align="center"/> + <style:text-properties fo:font-size="24pt"/> + </style:style> + <style:style style:name="title2" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties svg:stroke-width="0.05cm" draw:fill-color="#ffcc99" draw:shadow="visible" draw:shadow-offset-x="0.2cm" draw:shadow-offset-y="0.2cm" draw:shadow-color="#808080"/> + <style:paragraph-properties fo:margin-left="0cm" fo:margin-right="0.2cm" fo:margin-top="0.1cm" fo:margin-bottom="0.1cm" fo:text-align="center" fo:text-indent="0cm"/> + <style:text-properties fo:font-size="36pt"/> + </style:style> + <style:style style:name="headline" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:paragraph-properties fo:margin-top="0.42cm" fo:margin-bottom="0.21cm"/> + <style:text-properties fo:font-size="24pt"/> + </style:style> + <style:style style:name="headline1" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:paragraph-properties fo:margin-top="0.42cm" fo:margin-bottom="0.21cm"/> + <style:text-properties fo:font-size="18pt" fo:font-weight="bold"/> + </style:style> + <style:style style:name="headline2" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="none" draw:fill="none"/> + <style:paragraph-properties fo:margin-top="0.42cm" fo:margin-bottom="0.21cm"/> + <style:text-properties fo:font-size="14pt" fo:font-style="italic" fo:font-weight="bold"/> + </style:style> + <style:style style:name="measure" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:stroke="solid" svg:stroke-color="#000000" draw:marker-start="Arrow" draw:marker-start-width="0.2cm" draw:marker-end="Arrow" draw:marker-end-width="0.2cm" draw:fill="none" draw:show-unit="true"/> + <style:text-properties fo:font-size="12pt"/> + </style:style> + </office:styles> + <office:automatic-styles> + <style:page-layout style:name="PM0"> + <style:page-layout-properties fo:margin-top="1cm" fo:margin-bottom="1cm" fo:margin-left="1cm" fo:margin-right="1cm" fo:page-width="30.48cm" fo:page-height="30.48cm" style:print-orientation="portrait"/> + </style:page-layout> + <style:style style:name="dp1" style:family="drawing-page"> + <style:drawing-page-properties draw:background-size="border" draw:fill="none"/> + </style:style> + <style:style style:name="dp2" style:family="drawing-page"/> + <style:style style:name="gr1" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties svg:stroke-width="0.102cm" svg:stroke-color="#800000" draw:marker-start-width="0.353cm" draw:marker-end-width="0.353cm" draw:fill="solid" draw:fill-color="#ffffff" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false" fo:padding-top="0.176cm" fo:padding-bottom="0.176cm" fo:padding-left="0.301cm" fo:padding-right="0.301cm"/> + </style:style> + <style:style style:name="gr2" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties svg:stroke-width="0.102cm" svg:stroke-color="#800080" draw:marker-start-width="0.353cm" draw:marker-end-width="0.353cm" draw:fill="solid" draw:fill-color="#ffffff" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false" fo:padding-top="0.176cm" fo:padding-bottom="0.176cm" fo:padding-left="0.301cm" fo:padding-right="0.301cm"/> + </style:style> + <style:style style:name="gr3" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties svg:stroke-width="0.102cm" svg:stroke-color="#008080" draw:marker-start-width="0.353cm" draw:marker-end-width="0.353cm" draw:fill="solid" draw:fill-color="#ffffff" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false" fo:padding-top="0.176cm" fo:padding-bottom="0.176cm" fo:padding-left="0.301cm" fo:padding-right="0.301cm"/> + </style:style> + <style:style style:name="gr4" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties svg:stroke-width="0.025cm" svg:stroke-color="#000000" draw:marker-start-width="0.237cm" draw:marker-end-width="0.237cm" draw:fill="solid" draw:fill-color="#e6ff00" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false" fo:padding-top="0.137cm" fo:padding-bottom="0.137cm" fo:padding-left="0.262cm" fo:padding-right="0.262cm"/> + </style:style> + <style:style style:name="gr5" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties svg:stroke-width="0.025cm" svg:stroke-color="#000000" draw:marker-start-width="0.237cm" draw:marker-end-width="0.237cm" draw:fill="solid" draw:fill-color="#3deb3d" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false" fo:padding-top="0.137cm" fo:padding-bottom="0.137cm" fo:padding-left="0.262cm" fo:padding-right="0.262cm"/> + </style:style> + <style:style style:name="gr6" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties svg:stroke-width="0.025cm" svg:stroke-color="#000000" draw:marker-start-width="0.237cm" draw:marker-end-width="0.237cm" draw:fill="solid" draw:fill-color="#ffd320" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false" fo:padding-top="0.137cm" fo:padding-bottom="0.137cm" fo:padding-left="0.262cm" fo:padding-right="0.262cm"/> + </style:style> + <style:style style:name="gr7" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties svg:stroke-width="0.2cm" svg:stroke-color="#800000" draw:marker-start-width="0.5cm" draw:marker-end="Arrow" draw:marker-end-width="0.6cm" draw:fill="none" draw:textarea-vertical-align="middle" fo:padding-top="0.225cm" fo:padding-bottom="0.225cm" fo:padding-left="0.35cm" fo:padding-right="0.35cm"/> + </style:style> + <style:style style:name="gr8" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties svg:stroke-width="0.025cm" svg:stroke-color="#000000" draw:marker-start-width="0.237cm" draw:marker-end-width="0.237cm" draw:fill="solid" draw:fill-color="#ffffff" draw:textarea-horizontal-align="justify" draw:textarea-vertical-align="middle" draw:auto-grow-height="false" fo:padding-top="0.137cm" fo:padding-bottom="0.137cm" fo:padding-left="0.262cm" fo:padding-right="0.262cm"/> + </style:style> + <style:style style:name="gr9" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties svg:stroke-width="0.102cm" svg:stroke-color="#008080" draw:marker-start-width="0.353cm" draw:marker-end="Arrow" draw:marker-end-width="0.453cm" draw:fill="none" draw:textarea-vertical-align="middle" fo:padding-top="0.176cm" fo:padding-bottom="0.176cm" fo:padding-left="0.301cm" fo:padding-right="0.301cm"/> + </style:style> + <style:style style:name="gr10" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties svg:stroke-width="0.2cm" svg:stroke-color="#008080" draw:marker-start-width="0.5cm" draw:marker-end="Arrow" draw:marker-end-width="0.6cm" draw:fill="none" draw:textarea-vertical-align="middle" fo:padding-top="0.225cm" fo:padding-bottom="0.225cm" fo:padding-left="0.35cm" fo:padding-right="0.35cm"/> + </style:style> + <style:style style:name="gr11" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties svg:stroke-width="0.2cm" svg:stroke-color="#800080" draw:marker-start-width="0.5cm" draw:marker-end="Arrow" draw:marker-end-width="0.6cm" draw:fill="none" draw:textarea-vertical-align="middle" fo:padding-top="0.225cm" fo:padding-bottom="0.225cm" fo:padding-left="0.35cm" fo:padding-right="0.35cm"/> + </style:style> + <style:style style:name="gr12" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties svg:stroke-width="0.102cm" svg:stroke-color="#800000" draw:marker-start-width="0.353cm" draw:marker-end="Arrow" draw:marker-end-width="0.453cm" draw:fill="none" draw:textarea-vertical-align="middle" fo:padding-top="0.176cm" fo:padding-bottom="0.176cm" fo:padding-left="0.301cm" fo:padding-right="0.301cm"/> + </style:style> + <style:style style:name="gr13" style:family="graphic" style:parent-style-name="standard"> + <style:graphic-properties draw:textarea-vertical-align="middle"/> + </style:style> + <style:style style:name="gr14" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties svg:stroke-width="0.152cm" svg:stroke-color="#008080" draw:marker-start-width="0.428cm" draw:marker-end="Arrow" draw:marker-end-width="0.528cm" draw:fill="none" draw:textarea-vertical-align="middle" fo:padding-top="0.201cm" fo:padding-bottom="0.201cm" fo:padding-left="0.326cm" fo:padding-right="0.326cm"/> + </style:style> + <style:style style:name="gr15" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties draw:marker-end="Arrow" draw:marker-end-width="0.3cm" draw:fill="none" draw:textarea-vertical-align="middle"/> + </style:style> + <style:style style:name="gr16" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties svg:stroke-width="0.203cm" draw:marker-start-width="0.504cm" draw:marker-end="Arrow" draw:marker-end-width="0.604cm" draw:fill="none" draw:textarea-vertical-align="middle" fo:padding-top="0.226cm" fo:padding-bottom="0.226cm" fo:padding-left="0.351cm" fo:padding-right="0.351cm"/> + </style:style> + <style:style style:name="gr17" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties svg:stroke-width="0.152cm" svg:stroke-color="#008080" draw:marker-start-width="0.228cm" draw:marker-end="Arrow" draw:marker-end-width="0.533cm" draw:fill="none" draw:textarea-vertical-align="middle" fo:padding-top="0.201cm" fo:padding-bottom="0.201cm" fo:padding-left="0.326cm" fo:padding-right="0.326cm"/> + </style:style> + <style:style style:name="gr18" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties svg:stroke-width="0.203cm" svg:stroke-color="#008080" draw:marker-end="Arrow" draw:marker-end-width="0.609cm" draw:fill="none" draw:textarea-vertical-align="middle" fo:padding-top="0.226cm" fo:padding-bottom="0.226cm" fo:padding-left="0.351cm" fo:padding-right="0.351cm"/> + </style:style> + <style:style style:name="gr19" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties svg:stroke-width="0.203cm" svg:stroke-color="#800000" draw:marker-end="Arrow" draw:marker-end-width="0.609cm" draw:fill="none" draw:textarea-vertical-align="middle" fo:padding-top="0.226cm" fo:padding-bottom="0.226cm" fo:padding-left="0.351cm" fo:padding-right="0.351cm"/> + </style:style> + <style:style style:name="gr20" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties svg:stroke-width="0.203cm" svg:stroke-color="#800000" draw:fill="none" draw:textarea-vertical-align="middle" fo:padding-top="0.226cm" fo:padding-bottom="0.226cm" fo:padding-left="0.351cm" fo:padding-right="0.351cm"/> + </style:style> + <style:style style:name="gr21" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties svg:stroke-width="0.102cm" svg:stroke-color="#000000" draw:marker-start-width="0.153cm" draw:marker-end="Arrow" draw:marker-end-width="0.458cm" draw:fill="none" draw:textarea-vertical-align="middle" fo:padding-top="0.176cm" fo:padding-bottom="0.176cm" fo:padding-left="0.301cm" fo:padding-right="0.301cm"/> + </style:style> + <style:style style:name="gr22" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties svg:stroke-width="0.203cm" svg:stroke-color="#800080" draw:fill="none" draw:textarea-vertical-align="middle" fo:padding-top="0.226cm" fo:padding-bottom="0.226cm" fo:padding-left="0.351cm" fo:padding-right="0.351cm"/> + </style:style> + <style:style style:name="gr23" style:family="graphic" style:parent-style-name="objectwithoutfill"> + <style:graphic-properties svg:stroke-width="0.203cm" svg:stroke-color="#800080" draw:marker-end="Arrow" draw:marker-end-width="0.609cm" draw:fill="none" draw:textarea-vertical-align="middle" fo:padding-top="0.226cm" fo:padding-bottom="0.226cm" fo:padding-left="0.351cm" fo:padding-right="0.351cm"/> + </style:style> + <style:style style:name="P1" style:family="paragraph"> + <style:paragraph-properties fo:text-align="center"/> + </style:style> + <style:style style:name="P2" style:family="paragraph"> + <style:paragraph-properties fo:text-align="center"/> + <style:text-properties fo:font-size="20pt" style:text-underline-style="none" style:font-size-asian="12pt" style:font-size-complex="12pt"/> + </style:style> + <style:style style:name="P3" style:family="paragraph"> + <style:paragraph-properties fo:text-align="center"/> + <style:text-properties fo:font-size="20pt"/> + </style:style> + <style:style style:name="T1" style:family="text"> + <style:text-properties fo:font-size="20pt" style:text-underline-style="none" style:font-size-asian="12pt" style:font-size-complex="12pt"/> + </style:style> + <style:style style:name="T2" style:family="text"> + <style:text-properties fo:font-size="16pt" style:text-underline-style="none" style:font-size-asian="16pt" style:font-size-complex="16pt"/> + </style:style> + <text:list-style style:name="L1"> + <text:list-level-style-bullet text:level="1" text:bullet-char="●"> + <style:list-level-properties text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="2" text:bullet-char="●"> + <style:list-level-properties text:space-before="0.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="3" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="4" text:bullet-char="●"> + <style:list-level-properties text:space-before="1.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="5" text:bullet-char="●"> + <style:list-level-properties text:space-before="2.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="6" text:bullet-char="●"> + <style:list-level-properties text:space-before="3cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="7" text:bullet-char="●"> + <style:list-level-properties text:space-before="3.6cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="8" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.2cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="9" text:bullet-char="●"> + <style:list-level-properties text:space-before="4.8cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + <text:list-level-style-bullet text:level="10" text:bullet-char="●"> + <style:list-level-properties text:space-before="5.4cm" text:min-label-width="0.6cm"/> + <style:text-properties fo:font-family="StarSymbol" style:use-window-font-color="true" fo:font-size="45%"/> + </text:list-level-style-bullet> + </text:list-style> + </office:automatic-styles> + <office:master-styles> + <draw:layer-set> + <draw:layer draw:name="layout"/> + <draw:layer draw:name="background"/> + <draw:layer draw:name="backgroundobjects"/> + <draw:layer draw:name="controls"/> + <draw:layer draw:name="measurelines"/> + </draw:layer-set> + <style:master-page style:name="Default" style:page-layout-name="PM0" draw:style-name="dp1"/> + </office:master-styles> + <office:body> + <office:drawing> + <draw:page draw:name="page1" draw:style-name="dp2" draw:master-page-name="Default"> + <draw:custom-shape draw:style-name="gr1" draw:text-style-name="P2" xml:id="id1" draw:id="id1" draw:layer="layout" svg:width="5.654cm" svg:height="1.505cm" svg:x="9.127cm" svg:y="1.043cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Debian</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr2" draw:text-style-name="P2" xml:id="id6" draw:id="id6" draw:layer="layout" svg:width="5.882cm" svg:height="1.505cm" svg:x="1.078cm" svg:y="1.043cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Debian Hacker</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr3" draw:text-style-name="P2" xml:id="id8" draw:id="id8" draw:layer="layout" svg:width="5.945cm" svg:height="1.505cm" svg:x="18.842cm" svg:y="1.043cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Other OS</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id2" draw:id="id2" draw:layer="layout" svg:width="8.721cm" svg:height="1.474cm" svg:x="7.627cm" svg:y="5.155cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Extension from Debian</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr5" draw:text-style-name="P2" xml:id="id7" draw:id="id7" draw:layer="layout" svg:width="10.541cm" svg:height="1.429cm" svg:x="1cm" svg:y="9.259cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">OpenPGP with Debian keyring</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr4" draw:text-style-name="P2" xml:id="id4" draw:id="id4" draw:layer="layout" svg:width="9.937cm" svg:height="1.879cm" svg:x="19.536cm" svg:y="10.879cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">OpenPGP documentation</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T2">(outside of the web assistant)</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr6" draw:text-style-name="P2" xml:id="id3" draw:id="id3" draw:layer="layout" svg:width="9.028cm" svg:height="1.505cm" svg:x="17.269cm" svg:y="5.155cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Extension from browser</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr7" draw:text-style-name="P3" draw:layer="layout" draw:type="lines" svg:x1="11.954cm" svg:y1="2.548cm" svg:x2="11.988cm" svg:y2="5.155cm" draw:start-shape="id1" draw:start-glue-point="6" draw:end-shape="id2" draw:end-glue-point="4" svg:d="m11954 2548v551l34 1543v513"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr8" draw:text-style-name="P2" xml:id="id5" draw:id="id5" draw:layer="layout" svg:width="4.398cm" svg:height="1.684cm" svg:x="12.749cm" svg:y="12.363cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Verified ISO</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr9" draw:text-style-name="P3" draw:layer="layout" draw:type="lines" svg:x1="21.783cm" svg:y1="6.66cm" svg:x2="24.505cm" svg:y2="10.879cm" draw:start-shape="id3" draw:start-glue-point="6" draw:end-shape="id4" draw:end-glue-point="4" svg:d="m21783 6660v513l2722 3192v514"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr10" draw:text-style-name="P3" draw:layer="layout" draw:type="lines" svg:x1="21.783cm" svg:y1="6.66cm" svg:x2="17.147cm" svg:y2="13.205cm" draw:start-shape="id3" draw:start-glue-point="6" draw:end-shape="id5" draw:end-glue-point="7" svg:d="m21783 6660v513l-4122 6032h-514"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr7" draw:text-style-name="P3" draw:layer="layout" draw:type="lines" svg:x1="11.988cm" svg:y1="6.629cm" svg:x2="14.948cm" svg:y2="12.363cm" draw:start-shape="id2" draw:start-glue-point="6" draw:end-shape="id5" draw:end-glue-point="4" svg:d="m11988 6629v514l2960 4707v513"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr11" draw:text-style-name="P3" draw:layer="layout" draw:type="lines" svg:x1="4.019cm" svg:y1="2.548cm" svg:x2="6.271cm" svg:y2="9.259cm" draw:start-shape="id6" draw:start-glue-point="6" draw:end-shape="id7" draw:end-glue-point="4" svg:d="m4019 2548v551l2252 5646v514"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr11" draw:text-style-name="P3" draw:layer="layout" draw:type="lines" svg:x1="6.271cm" svg:y1="10.688cm" svg:x2="12.749cm" svg:y2="13.205cm" draw:start-shape="id7" draw:start-glue-point="6" draw:end-shape="id5" svg:d="m6271 10688v513l5965 2004h513"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr10" draw:text-style-name="P3" draw:layer="layout" draw:type="lines" svg:x1="21.815cm" svg:y1="2.548cm" svg:x2="21.783cm" svg:y2="5.155cm" draw:start-shape="id8" draw:start-glue-point="6" draw:end-shape="id3" draw:end-glue-point="4" svg:d="m21815 2548v551l-32 1542v514"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr12" draw:text-style-name="P3" draw:layer="layout" draw:type="lines" svg:x1="11.988cm" svg:y1="6.629cm" svg:x2="11.541cm" svg:y2="9.974cm" draw:start-shape="id2" draw:start-glue-point="6" draw:end-shape="id7" draw:end-glue-point="7" svg:d="m11988 6629v514l66 2831h-513"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr9" draw:text-style-name="P3" draw:layer="layout" draw:type="lines" svg:x1="24.505cm" svg:y1="12.758cm" svg:x2="17.147cm" svg:y2="13.205cm" draw:start-shape="id4" draw:start-glue-point="6" draw:end-shape="id5" draw:end-glue-point="7" svg:d="m24505 12758v513l-6844-66h-514"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr8" draw:text-style-name="P2" xml:id="id14" draw:id="id14" draw:layer="layout" svg:width="5.471cm" svg:height="1.683cm" svg:x="2.763cm" svg:y="27.795cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Tails Installer</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr8" draw:text-style-name="P2" xml:id="id10" draw:id="id10" draw:layer="layout" svg:width="4.191cm" svg:height="1.683cm" svg:x="20.304cm" svg:y="18.296cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">UUI</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T2">(for Windows)</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr8" draw:text-style-name="P2" xml:id="id9" draw:id="id9" draw:layer="layout" svg:width="4.397cm" svg:height="1.684cm" svg:x="25.035cm" svg:y="18.263cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Disk Utility</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T2">(for Mac)</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr8" draw:text-style-name="P2" xml:id="id12" draw:id="id12" draw:layer="layout" svg:width="6.026cm" svg:height="1.683cm" svg:x="13.673cm" svg:y="18.283cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">GNOME Disks</text:span></text:p> + <text:p text:style-name="P1"><text:span text:style-name="T2">(for other Linux)</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:custom-shape draw:style-name="gr8" draw:text-style-name="P2" xml:id="id13" draw:id="id13" draw:layer="layout" svg:width="5.882cm" svg:height="1.683cm" svg:x="14.132cm" svg:y="23.501cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Temporary Tails</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr13" draw:text-style-name="P1" draw:layer="layout" svg:x1="17.147cm" svg:y1="13.205cm" svg:x2="17.147cm" svg:y2="13.205cm" draw:start-shape="id5" draw:start-glue-point="1" draw:end-shape="id5" draw:end-glue-point="1" svg:d="m17147 13205"> + <text:p/> + </draw:connector> + <draw:custom-shape draw:style-name="gr8" draw:text-style-name="P2" xml:id="id11" draw:id="id11" draw:layer="layout" svg:width="4.398cm" svg:height="1.683cm" svg:x="8.904cm" svg:y="23.469cm"> + <text:p text:style-name="P1"><text:span text:style-name="T1">Burn DVD</text:span></text:p> + <draw:enhanced-geometry svg:viewBox="0 0 21600 21600" draw:mirror-horizontal="false" draw:mirror-vertical="false" draw:glue-points="10800 0 0 10800 10800 21600 21600 10800" draw:type="flowchart-process" draw:enhanced-path="M 0 0 L 21600 0 21600 21600 0 21600 0 0 Z N"/> + </draw:custom-shape> + <draw:connector draw:style-name="gr14" draw:text-style-name="P1" draw:layer="layout" draw:type="lines" svg:x1="14.948cm" svg:y1="14.047cm" svg:x2="27.234cm" svg:y2="18.263cm" draw:start-shape="id5" draw:start-glue-point="6" draw:end-shape="id9" draw:end-glue-point="4" svg:d="m14948 14047v514l12286 3189v513"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr14" draw:text-style-name="P1" draw:layer="layout" draw:type="lines" svg:x1="14.948cm" svg:y1="14.047cm" svg:x2="22.4cm" svg:y2="18.296cm" draw:start-shape="id5" draw:start-glue-point="6" draw:end-shape="id10" draw:end-glue-point="4" svg:d="m14948 14047v514l7452 3221v514"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr15" draw:text-style-name="P1" draw:layer="layout" draw:type="lines" svg:x1="14.948cm" svg:y1="12.363cm" svg:x2="14.948cm" svg:y2="12.363cm" draw:start-shape="id5" draw:start-glue-point="0" draw:end-shape="id5" svg:d="m14948 12363v-513 0"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr16" draw:text-style-name="P1" draw:layer="layout" draw:type="lines" svg:x1="14.948cm" svg:y1="14.047cm" svg:x2="11.103cm" svg:y2="23.469cm" draw:start-shape="id5" draw:start-glue-point="6" draw:end-shape="id11" draw:end-glue-point="4" svg:d="m14948 14047v514l-3845 8394v514"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr14" draw:text-style-name="P1" draw:layer="layout" draw:type="lines" svg:x1="14.948cm" svg:y1="14.047cm" svg:x2="16.686cm" svg:y2="18.283cm" draw:start-shape="id5" draw:start-glue-point="6" draw:end-shape="id12" draw:end-glue-point="4" svg:d="m14948 14047v514l1738 3208v514"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr17" draw:text-style-name="P1" draw:layer="layout" draw:type="lines" svg:x1="27.234cm" svg:y1="19.947cm" svg:x2="17.073cm" svg:y2="23.501cm" draw:start-shape="id9" draw:start-glue-point="6" draw:end-shape="id13" draw:end-glue-point="4" svg:d="m27234 19947v514l-10161 2526v514"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr17" draw:text-style-name="P1" draw:layer="layout" draw:type="lines" svg:x1="22.4cm" svg:y1="19.979cm" svg:x2="17.073cm" svg:y2="23.501cm" draw:start-shape="id10" draw:start-glue-point="6" draw:end-shape="id13" draw:end-glue-point="4" svg:d="m22400 19979v513l-5327 2495v514"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr17" draw:text-style-name="P1" draw:layer="layout" draw:type="lines" svg:x1="16.686cm" svg:y1="19.966cm" svg:x2="17.073cm" svg:y2="23.501cm" draw:start-shape="id12" draw:start-glue-point="6" draw:end-shape="id13" draw:end-glue-point="4" svg:d="m16686 19966v513l387 2508v514"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr18" draw:text-style-name="P1" draw:layer="layout" draw:type="lines" svg:x1="17.073cm" svg:y1="25.184cm" svg:x2="8.234cm" svg:y2="28.636cm" draw:start-shape="id13" draw:start-glue-point="6" draw:end-shape="id14" svg:d="m17073 25184v513l-8326 2939h-513"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr19" draw:text-style-name="P1" draw:layer="layout" draw:type="line" svg:x1="5.494cm" svg:y1="17.323cm" svg:x2="5.499cm" svg:y2="27.795cm" draw:end-shape="id14" draw:end-glue-point="4" svg:d="m5494 17323 5 10472"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr20" draw:text-style-name="P1" draw:layer="layout" draw:type="lines" svg:x1="14.948cm" svg:y1="14.047cm" svg:x2="5.446cm" svg:y2="17.323cm" draw:start-shape="id5" draw:start-glue-point="6" svg:d="m14948 14047v514l-9502 2762v0"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr21" draw:text-style-name="P1" draw:layer="layout" draw:type="lines" svg:x1="11.103cm" svg:y1="25.152cm" svg:x2="8.234cm" svg:y2="28.636cm" draw:start-shape="id11" draw:start-glue-point="6" draw:end-shape="id14" draw:end-glue-point="7" svg:d="m11103 25152v513l-2356 2971h-513"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr22" draw:text-style-name="P1" draw:layer="layout" draw:type="lines" svg:x1="14.948cm" svg:y1="14.047cm" svg:x2="4.36cm" svg:y2="17.104cm" draw:start-shape="id5" draw:start-glue-point="6" svg:d="m14948 14047v514l-10588 2543v0"> + <text:p/> + </draw:connector> + <draw:connector draw:style-name="gr23" draw:text-style-name="P1" draw:layer="layout" draw:type="line" svg:x1="4.435cm" svg:y1="17.142cm" svg:x2="4.466cm" svg:y2="27.851cm" svg:d="m4435 17142 31 10709"> + <text:p/> + </draw:connector> + </draw:page> + </office:drawing> + </office:body> +</office:document> \ No newline at end of file diff --git a/wiki/src/blueprint/bootstrapping/tools.png b/wiki/src/blueprint/bootstrapping/tools.png new file mode 100644 index 0000000000000000000000000000000000000000..8d983512045bf5f97c5d3b63ede94fffe4c9df07 Binary files /dev/null and b/wiki/src/blueprint/bootstrapping/tools.png differ diff --git a/wiki/src/blueprint/bootstrapping/upgrade.mdwn b/wiki/src/blueprint/bootstrapping/upgrade.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..81540fec268c282ae765c3df9d39b1e64dc37074 --- /dev/null +++ b/wiki/src/blueprint/bootstrapping/upgrade.mdwn @@ -0,0 +1,60 @@ +[[!meta title="Full upgrades"]] + +Vision +====== + +As of 2014, incremental upgrades are available inside Tails if running +from a USB device installed using Tails Installer. Full upgrades have to +be done using a second USB stick and cloning using Tails Installer. + +On the long run we want to have all upgrade scenarios, both incremental +and full, handled by Tails Upgrader and done directly from Tails. This +will make it easier to understand which software does what, and will +also improve the overall security of full upgrades by removing the need +or the possibility to do them from a different operating system. + +Full upgrade scenarios +---------------------- + +The following diagram shows all possible upgrade scenarios (implemented +or not) given a running Tails (origin), an ISO image, and a destination +Tails. + +[[!img scenarios.png]] + +- **Upgrade from ISO** and **Clone and upgrade** are what we already + have in Tails Installer. +- **Self full upgrade** should be the ideal scenario for full upgrades, + that would then be conducted like IUK. See [[!tails_ticket 7499]]. +- **Hot clone** could be a fallback scenario for full upgrades in case + you can't download a full ISO. Still, as any clone operation, this + introduces the possibility of cross contamination between Tails keys + and should be discouraged in favor of self upgrades. + +Roadmap +======= + +2015 +---- + +In 2015, we want to clarify the possible upgrade scenarios to the user, +when asking for a full upgrade. We will present them as follows: + + - *Slow and secure*: download, verify in Tails, upgrade from ISO, + clone and upgrade: 1'30. + - *Fast*: clone and upgrade from a friend: 0'15. + - *Fast and insecure*: reboot in host operating system download, + upgrade from ISO: 0'30. + +Bonus for 2015 +-------------- + +- Automate the download and verification steps of the *slow and secure* + scenario in Tails Upgrader. This could be adapted from the existing + mechanisms for IUK. + +Future +------ + +- Allow self full upgrades from inside Tails and automate that in Tails + Upgrader. See [[!tails_ticket 7499]]. diff --git a/wiki/src/blueprint/bootstrapping/upgrade/scenarios.png b/wiki/src/blueprint/bootstrapping/upgrade/scenarios.png new file mode 100644 index 0000000000000000000000000000000000000000..8051ef8bd1335957aeb26899339203d9773e24eb Binary files /dev/null and b/wiki/src/blueprint/bootstrapping/upgrade/scenarios.png differ diff --git a/wiki/src/blueprint/bootstrapping/upgrade/scenarios.svg b/wiki/src/blueprint/bootstrapping/upgrade/scenarios.svg new file mode 100644 index 0000000000000000000000000000000000000000..33cd966f47bfae6bb7fca0083ad3cf47a6ac8290 --- /dev/null +++ b/wiki/src/blueprint/bootstrapping/upgrade/scenarios.svg @@ -0,0 +1,297 @@ +<?xml version="1.0" encoding="UTF-8" standalone="no"?> +<!-- Created with Inkscape (http://www.inkscape.org/) --> + +<svg + xmlns:dc="http://purl.org/dc/elements/1.1/" + xmlns:cc="http://creativecommons.org/ns#" + xmlns:rdf="http://www.w3.org/1999/02/22-rdf-syntax-ns#" + xmlns:svg="http://www.w3.org/2000/svg" + xmlns="http://www.w3.org/2000/svg" + xmlns:sodipodi="http://sodipodi.sourceforge.net/DTD/sodipodi-0.dtd" + xmlns:inkscape="http://www.inkscape.org/namespaces/inkscape" + width="391.06287" + height="271.73157" + id="svg2" + version="1.1" + inkscape:version="0.48.3.1 r9886" + sodipodi:docname="scenarios.svg" + inkscape:export-filename="/home/amnesia/Persistent/master/wiki/src/blueprint/bootstrapping_workflow/installer/upgrade_scenarios.png" + inkscape:export-xdpi="90" + inkscape:export-ydpi="90"> + <defs + id="defs4"> + <marker + inkscape:stockid="Arrow1Lstart" + orient="auto" + refY="0" + refX="0" + id="Arrow1Lstart" + style="overflow:visible"> + <path + id="path3771" + d="M 0,0 5,-5 -12.5,0 5,5 0,0 z" + style="fill-rule:evenodd;stroke:#000000;stroke-width:1pt" + transform="matrix(0.8,0,0,0.8,10,0)" + inkscape:connector-curvature="0" /> + </marker> + <marker + inkscape:stockid="Arrow1Lstart" + orient="auto" + refY="0" + refX="0" + id="Arrow1Lstart-3" + style="overflow:visible"> + <path + inkscape:connector-curvature="0" + id="path3771-6" + d="M 0,0 5,-5 -12.5,0 5,5 0,0 z" + style="fill-rule:evenodd;stroke:#000000;stroke-width:1pt" + transform="matrix(0.8,0,0,0.8,10,0)" /> + </marker> + <marker + inkscape:stockid="Arrow1Lstart" + orient="auto" + refY="0" + refX="0" + id="Arrow1Lstart-1" + style="overflow:visible"> + <path + inkscape:connector-curvature="0" + id="path3771-1" + d="M 0,0 5,-5 -12.5,0 5,5 0,0 z" + style="fill-rule:evenodd;stroke:#000000;stroke-width:1pt" + transform="matrix(0.8,0,0,0.8,10,0)" /> + </marker> + <marker + inkscape:stockid="Arrow1Lstart" + orient="auto" + refY="0" + refX="0" + id="Arrow1Lstart-4" + style="overflow:visible"> + <path + inkscape:connector-curvature="0" + id="path3771-8" + d="M 0,0 5,-5 -12.5,0 5,5 0,0 z" + style="fill-rule:evenodd;stroke:#000000;stroke-width:1pt" + transform="matrix(0.8,0,0,0.8,10,0)" /> + </marker> + <marker + inkscape:stockid="Arrow1Lstart" + orient="auto" + refY="0" + refX="0" + id="Arrow1Lstart-9" + style="overflow:visible"> + <path + inkscape:connector-curvature="0" + id="path3771-2" + d="M 0,0 5,-5 -12.5,0 5,5 0,0 z" + style="fill-rule:evenodd;stroke:#000000;stroke-width:1pt" + transform="matrix(0.8,0,0,0.8,10,0)" /> + </marker> + <marker + inkscape:stockid="Arrow1Lstart" + orient="auto" + refY="0" + refX="0" + id="Arrow1Lstart-6" + style="overflow:visible"> + <path + inkscape:connector-curvature="0" + id="path3771-13" + d="M 0,0 5,-5 -12.5,0 5,5 0,0 z" + style="fill-rule:evenodd;stroke:#000000;stroke-width:1pt" + transform="matrix(0.8,0,0,0.8,10,0)" /> + </marker> + </defs> + <sodipodi:namedview + id="base" + pagecolor="#ffffff" + bordercolor="#666666" + borderopacity="1.0" + inkscape:pageopacity="0.0" + inkscape:pageshadow="2" + inkscape:zoom="1.4" + inkscape:cx="244.63057" + inkscape:cy="136.21405" + inkscape:document-units="px" + inkscape:current-layer="layer1" + showgrid="false" + fit-margin-top="10" + fit-margin-left="10" + fit-margin-right="10" + fit-margin-bottom="10" + inkscape:window-width="1280" + inkscape:window-height="713" + inkscape:window-x="0" + inkscape:window-y="27" + inkscape:window-maximized="1" /> + <metadata + id="metadata7"> + <rdf:RDF> + <cc:Work + rdf:about=""> + <dc:format>image/svg+xml</dc:format> + <dc:type + rdf:resource="http://purl.org/dc/dcmitype/StillImage" /> + <dc:title /> + </cc:Work> + </rdf:RDF> + </metadata> + <g + inkscape:label="Layer 1" + inkscape:groupmode="layer" + id="layer1" + transform="translate(-46.125709,-203.96962)"> + <text + xml:space="preserve" + style="font-size:12.70937347px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;text-align:start;line-height:125%;letter-spacing:0px;word-spacing:0px;writing-mode:lr-tb;text-anchor:start;fill:#000000;fill-opacity:1;stroke:none;font-family:Sans;-inkscape-font-specification:Sans" + x="207.51237" + y="388.65912" + id="text4603-3" + sodipodi:linespacing="125%" + transform="matrix(0.99997828,0.00659158,-0.00659158,0.99997828,0,0)"><tspan + sodipodi:role="line" + id="tspan4605-6" + x="207.51237" + y="388.65912">Hot clone?</tspan></text> + <text + xml:space="preserve" + style="font-size:12.70937347px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;text-align:start;line-height:125%;letter-spacing:0px;word-spacing:0px;writing-mode:lr-tb;text-anchor:start;fill:#000000;fill-opacity:1;stroke:none;font-family:Sans;-inkscape-font-specification:Sans" + x="160.7253" + y="443.08328" + id="text4603-3-3" + sodipodi:linespacing="125%" + transform="matrix(0.99997828,0.00659158,-0.00659158,0.99997828,0,0)"><tspan + sodipodi:role="line" + id="tspan4605-6-2" + x="160.7253" + y="443.08328">Clone and upgrade</tspan></text> + <text + xml:space="preserve" + style="font-size:25.41874695px;font-style:normal;font-weight:normal;line-height:125%;letter-spacing:0px;word-spacing:0px;fill:#000000;fill-opacity:1;stroke:none;font-family:Sans" + x="207.28969" + y="232.8351" + id="text2985" + sodipodi:linespacing="125%"><tspan + sodipodi:role="line" + id="tspan2987" + x="207.28969" + y="232.8351">ISO</tspan></text> + <text + xml:space="preserve" + style="font-size:25.41874695px;font-style:normal;font-weight:normal;line-height:125%;letter-spacing:0px;word-spacing:0px;fill:#000000;fill-opacity:1;stroke:none;font-family:Sans" + x="283.46344" + y="413.71973" + id="text2989" + sodipodi:linespacing="125%"><tspan + sodipodi:role="line" + id="tspan2991" + x="283.46344" + y="413.71973">Destination</tspan></text> + <text + xml:space="preserve" + style="font-size:25.41874695px;font-style:normal;font-weight:normal;line-height:125%;letter-spacing:0px;word-spacing:0px;fill:#000000;fill-opacity:1;stroke:none;font-family:Sans" + x="54.698387" + y="418.96753" + id="text2993" + sodipodi:linespacing="125%"><tspan + sodipodi:role="line" + id="tspan2995" + x="54.698387" + y="418.96753">Origin</tspan></text> + <path + style="fill:none;stroke:#000000;stroke-width:1.27093732;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;marker-start:url(#Arrow1Lstart);marker-mid:none" + d="M 220.09679,245.37152 C 232.16615,357.12961 124.00654,390.20056 107.76074,384.66823" + id="path2997" + inkscape:connector-curvature="0" + sodipodi:nodetypes="cc" /> + <path + style="fill:none;stroke:#000000;stroke-width:1.27093732;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none" + d="m 199.39269,318.75455 3.14661,29.6187" + id="path4575" + inkscape:connector-curvature="0" /> + <path + style="fill:none;stroke:#000000;stroke-width:1.27093732;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none" + d="m 182.74766,332.70997 36.55479,-3.46612" + id="path4577" + inkscape:connector-curvature="0" /> + <path + style="fill:none;stroke:#000000;stroke-width:1.27093732;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;marker-start:url(#Arrow1Lstart);marker-mid:none" + d="M 83.73688,382.08011 C 88.103192,275.58531 148.1267,230.34198 197.99869,222.88388" + id="path2997-7" + inkscape:connector-curvature="0" + sodipodi:nodetypes="cc" /> + <text + xml:space="preserve" + style="font-size:12.70937347px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;text-align:start;line-height:125%;letter-spacing:0px;word-spacing:0px;writing-mode:lr-tb;text-anchor:start;fill:#000000;fill-opacity:1;stroke:none;font-family:Sans;-inkscape-font-specification:Sans" + x="-220.48318" + y="239.13588" + id="text4603" + sodipodi:linespacing="125%" + transform="matrix(0.54987745,-0.83524535,0.83524535,0.54987745,0,0)"><tspan + sodipodi:role="line" + id="tspan4605" + x="-220.48318" + y="239.13588">Self full upgrade</tspan></text> + <path + style="fill:none;stroke:#000000;stroke-width:1.27093732;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;marker-start:url(#Arrow1Lstart);marker-mid:none" + d="M 326.59606,424.29148 C 240.18572,486.6891 167.51821,467.4742 130.82731,432.88205" + id="path2997-7-9" + inkscape:connector-curvature="0" + sodipodi:nodetypes="cc" /> + <path + style="fill:none;stroke:#000000;stroke-width:1.27093732;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;marker-start:url(#Arrow1Lstart);marker-mid:none" + d="m 142.095,398.9448 c 47.49742,-33.79929 119.31549,-38.98827 175.10543,-15.95815" + id="path2997-7-9-1" + inkscape:connector-curvature="0" + sodipodi:nodetypes="cc" /> + <path + style="fill:none;stroke:#000000;stroke-width:1.27093732;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;marker-start:url(#Arrow1Lstart);marker-mid:none" + d="m 242.23456,245.41776 c 3.84684,90.09132 62.34034,128.06675 109.78531,139.54231" + id="path2997-7-9-1-9" + inkscape:connector-curvature="0" + sodipodi:nodetypes="cc" /> + <path + style="fill:none;stroke:#000000;stroke-width:1.27093732;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;marker-start:url(#Arrow1Lstart);marker-mid:none" + d="M 372.54439,382.7887 C 378.9589,308.54843 327.68403,224.55901 258.29952,225.76385" + id="path2997-7-9-1-6" + inkscape:connector-curvature="0" + sodipodi:nodetypes="cc" /> + <path + style="fill:none;stroke:#000000;stroke-width:1.27093732;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none" + d="m 277.52108,329.41789 3.14662,29.6187" + id="path4575-9" + inkscape:connector-curvature="0" /> + <path + style="fill:none;stroke:#000000;stroke-width:1.27093732;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none" + d="m 260.87606,343.37331 36.55478,-3.46612" + id="path4577-6" + inkscape:connector-curvature="0" /> + <text + xml:space="preserve" + style="font-size:12.70937347px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;text-align:start;line-height:125%;letter-spacing:0px;word-spacing:0px;writing-mode:lr-tb;text-anchor:start;fill:#000000;fill-opacity:1;stroke:none;font-family:Sans;-inkscape-font-specification:Sans" + x="373.47791" + y="-148.94458" + id="text4603-6" + sodipodi:linespacing="125%" + transform="matrix(0.53956122,0.84194637,-0.84194637,0.53956122,0,0)"><tspan + sodipodi:role="line" + id="tspan4605-0" + x="373.47791" + y="-148.94458">Upgrade from ISO</tspan></text> + <text + xml:space="preserve" + style="font-size:12.70937347px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;text-align:start;line-height:125%;letter-spacing:0px;word-spacing:0px;writing-mode:lr-tb;text-anchor:start;fill:#000000;fill-opacity:1;stroke:none;font-family:Sans;-inkscape-font-specification:Sans" + x="-198.01234" + y="269.49597" + id="text4603-37" + sodipodi:linespacing="125%" + transform="matrix(0.54987745,-0.83524535,0.83524535,0.54987745,0,0)"><tspan + sodipodi:role="line" + id="tspan4605-4" + x="-198.01234" + y="269.49597">#7499</tspan></text> + </g> +</svg> diff --git a/wiki/src/blueprint/bootstrapping/verification.mdwn b/wiki/src/blueprint/bootstrapping/verification.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..35f0edb21cfd9a1fd155fe821dc362dbb55d0cc7 --- /dev/null +++ b/wiki/src/blueprint/bootstrapping/verification.mdwn @@ -0,0 +1,99 @@ +[[!meta title="ISO verification"]] + +Vision +====== + +We have always pushed our users to verify our ISO images. But so far +this has been a complicated task, as it mainly relies on OpenPGP. But +we cannot ask newcomers to know OpenPGP before they get an ISO image +they can trust. So we want to automate this verification as much as +possible, while leaving the room for expert users to do more extensive +verification if they want to. + +Over 2015, we will be working on a [[browser extension|extension]] to +integrate ISO verification in the download process. + +In this blueprint, we propose to go even further and imagine what we +could do next. We initially considered two scenarios: + + - Pushing more verification logic into the browser extension. + - Pushing some verification logic into Tails Installer. This goes + along with having a multiplatform installer, which would be a huge + UX improvement of its own. + - Automating inside Tails the download and verification of ISO images + for full upgrades. + +We're currently considering more seriously the option of pushing more +verification logic into Tails Installer. It could then: + + - Automate OpenPGP verification. That would be easy to achieve on + Linux and would need more research for other platforms. Note that + having a super secure verification process on Windows might not be + relevant. + - Do download correlation of our signing key, and check it against the + Debian keyring on Debian and derivatives. + - Allow people to burn DVDs from Tails Installer as well. If Tails + Installer becomes the recommended tool for verifying Tails, people + should be able to burn DVDs from it. + - Allow expert users to build more trust in our signing key through + the OpenPGP WoT. + +The advantages of going this way instead of pushing more verification +logic into the browser extension are that: + + - More people will be able to work on such code. + - We will not rely on browsers for serious cryptography. + - We will have less implementation restrictions than inside browser extensions. + +The cons: + + - The verification using OpenPGP might be harder to port to Windows + and OS X. But we are ready to provide lower standards of + verification for them. + - How would people verify Tails Installer on Windows and OS X? Maybe + the browser extension could do that by then. + - The browser extension will lose some of its relevance. It will + still be useful until we get there, and maybe to verify Tails + Installer. + +<a id="seahorse"></a> + +About the removal of Seahorse Nautilus +====================================== + +As of now, we are explaining how to [[verify ISO images using +`seahorse-nautilus` for GNOME|doc/get/verify_the_iso_image_using_gnome]]. +While reworking the ISO verification scenarios, we pretty much settled on the +idea of removing Seahorse Nautilus as a verification option, at least from the +assistant. Here is why. + +Once we get the Firefox extension for ISO verification, Seahorse Nautilus will +partly duplicate its work. We could then recommend one, the other, or both to +people with GNOME. + +The idea behind Seahorse Nautilus was to allow an OpenPGP verification even for +people with no or little understanding of OpenPGP. The advantages are: + + - seahorse-nautilus runs from outside of the browser. + - seahorse-nautilus can be authenticated through APT even in Debian + Wheezy (via backports). + - If you get the right OpenPGP key, you rely on Tails developers and not on the + the webserver used for downloading the ISO. + +But documenting Seahorse Nautilus has we have been doing until now is only +stronger than the Firefox extension if TOFU is done well. And we believe that +this requires explaining much more that what is intended for a first-time Linux +user: + + - TOFU only work if trusted once :) While with Seahorse Nautilus, importing + the same key, or a different key for the same email address several times + produces the same notification: "Key Imported". In order to have our users do + TOFU for real, we would have to go through the list of existing keys and + check whether it's imported or not. + - What happen if we revoke our signing key? We'd have to explain how to + remove the old key and how to import the new key. Whereas the browser + extension (either through HTTPS or OpenPGP) could do that job on its own. + +So we think that this is too much for the assistant, and everybody should +instead go through the browser extension. Still, Seahorse Nautilus might still +fit in the advanced documentation for OpenPGP verification. diff --git a/wiki/src/blueprint/bootstrapping/verification_tools.png b/wiki/src/blueprint/bootstrapping/verification_tools.png new file mode 100644 index 0000000000000000000000000000000000000000..36e7ca4d945d6468c938de6d19118e75aaa21df0 Binary files /dev/null and b/wiki/src/blueprint/bootstrapping/verification_tools.png differ diff --git a/wiki/src/blueprint/bridge_support.mdwn b/wiki/src/blueprint/bridge_support.mdwn index c220f4d321acbafec49c65d7d5bf6b979242b729..e20a35baaec8689a4f80fa417a89228f2f9c691f 100644 --- a/wiki/src/blueprint/bridge_support.mdwn +++ b/wiki/src/blueprint/bridge_support.mdwn @@ -1,8 +1,7 @@ [[!toc levels=2]] **Note**: this was not updated accordingly to the way this feature is -being implemented yet. Updating the design documentation is tracked by -[[!tails_ticket 6843]]. +being implemented yet. Given the increasing practice of blocking Tor usage in more authoritarian countries, censorship resistance is getting more diff --git a/wiki/src/blueprint/delete_obsolete_Git_branches.mdwn b/wiki/src/blueprint/delete_obsolete_Git_branches.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..4895bd1200b71f289871edff7d2b696359c28bd0 --- /dev/null +++ b/wiki/src/blueprint/delete_obsolete_Git_branches.mdwn @@ -0,0 +1,92 @@ +Corresponding ticket: [[!tails_ticket 8616]], that's a blocker for [[!tails_ticket 8617]]. + +[[!toc levels=2]] + +Initial design +============== + +## When do we delete merged Git branches? + +After a new Tails release has been shipped, we should review which Git branches +has been merged in the release and remove them accordingly. This will make sure +that we keep a clean-ish Git repository for a new release cycle. + +## Deleting obsolete Git branches + +What we call an *obsolete* Git branch here is one that has been merged into +`master` already. + +It's _not_ the same as an old, stalled branch: an old branch may not have been +merged, it could've been around for longer then 6 months or even a year, the +work might never be done but we will consider it a WIP branch and will thus not +be deleted. + +After a Git branch has been merged and we discover that it introduces +a regression, the cleanest way would be to work on a resolution in a *new* Git +branch, and not reuse the old Git branch. Hence, we consider it safe to delete +branches that were already merged. + +<a id="apt-only-branches"></a> + +### Exception: branches created just to get an APT suite + +**Update**: [[!tails_ticket 8654]] has been implemented in a way that +makes all this moot (any branch that's created to get an APT suite +will have one commit to add that suite to `config/APT_overlays.d/` -- +the only exception being branches that would be created to create an +APT suite that they don't plan to use, but for that use case, so far +we've instead hard-coded the additional suite names we need in the +scripts that generate the reprepro configuration). + +Given how our [[contribute/APT_repository]] currently works, we sometimes push +Git branches merely to have an APT suite created, and be able to upload Debian +packages to it. Such a branch will look like it has been merged (it has no +commit on top of current `master`), but still it should not be deleted: +otherwise, our reprepro will remove the corresponding APT suite from its +configuration; the APT suite indices and packages will stay around, but when one +resumes work on this branch and pushes it again, then reprepro will most +probably either bail out (and cause additional work for our sysadmins), or just +create an empty APT suite (and then the packages previously uploaded to this APT +suite won't be part of it anymore, causing additional work for the developer). + +So, on the short-term, the person who deletes Git branches should manually scan +the list of candidates for deletion, and avoid deleting branches that 1. +were created merely to get an APT branch; and 2. were actually not merged yet. +Of course that's a bit painful and error-prone. + +Longer term, if/once we have each branch contain a config file with the list of +APT suites that shall be used (as mentioned on [[!tails_ticket 8654]]), then for +each branch that is a candidate for deletion we can: + +1. Check if that APT suite list file, in that branch, contains anything but + a base branch's APT suite. If it doesn't then it can be deleted. Otherwise, + go on: +2. Check each listed non-base APT suite for packages that either are not in some + base branch (XXX: which one?) at all, or are newer than the version in some + base branch (XXX: which one?). If such packages are found, then drop this + branch from the list of candidates for deletion, on the grounds that its APT + suite has work that hasn't been merged. + +Mid-term, we could do the check from step 2 above on the APT suite that +corresponds to each branch we're going to delete. It's going to be sub-optimal, +as most branches don't introduce Debian packages, but it would probably be good +enough, and the code will be reusable for the long-term solution anyway. + +Another mid-term solution would be to piggy-back on [[!tails_ticket 8689]]: +a branch that 1. has no commit on top of master; and 2. has no such change file; +probably was created only to get an APT suite, and should not be deleted. + +## Who does delete these Git branches? + +Ideally, the one who deletes them has access to push to the official Git +repository. If we would chose for having the release manager do this, it can be +done post-release and it wouldn't require people from the sysadmin team to step +in and issue a command. + +## What kind of privileges are required to do that? + +Push access to the official main Git repository. + +So far, only humans have write access there and we would like to not replace +them with robots yet. That is for the future (e.g. the system that hosts our APT +repository already has privileges akin to Git commit rights). diff --git a/wiki/src/blueprint/download_extension.mdwn b/wiki/src/blueprint/download_extension.mdwn deleted file mode 100644 index b2bed3f4909406dd9fd1207a0e711f5fcff15c76..0000000000000000000000000000000000000000 --- a/wiki/src/blueprint/download_extension.mdwn +++ /dev/null @@ -1,90 +0,0 @@ -[[!meta title="Automatic ISO verification extension for Firefox"]] - -We are planning to create a custom Firefox add-on to download and verify Tails -using SHA-256 checksum. - -[[!toc]] - -Objectives -========== - - - To fix the ISO verification method using Windows. It has been broken since - Firefox 20. - - To simplify the installation process by automating some ISO verification - during the download process. - -This would fix the main stumbling block for Tails verification (and thus -installation) for the vast majority of users. - -Security considerations -======================= - - - People are downloading their ISO image from one of our mirrors. Those - mirrors are run by volunteers and the content of what they serve is not - authenticated. - - On the other hand, the information served on tails.boum.org is - authenticated through HTTPS. - - Downloading Firefox and installing add-ons is also done through HTTPS on - mozilla.org. - - Forcing Firefox users who are downloading the ISO image through HTTP to - verify its checksum can only increase the average level of verification - that people do on Windows and Mac OS systems. - - But HTTPS does not provide strong authentication. So our documentation - should make that clear and keep providing instructions for authentication - using OpenPGP but as an additional check. - -<a id="scenario"></a> - -Scenario -======== - -ISO download ------------- - - - When the user clicks on the direct download button from the [[download - page|download#index2h1]], Firefox proposes to install the extension. - - The user allows the installation of the extension. - - The extension starts the download and the user decides where to save it. - - The webpage is modified and displays a progress bar of the download. - - The user might or might not close the webpage. - - The download also appears in the usual list of downloads of Firefox. - -ISO verification ----------------- - - - When the download finishes, the ISO verification starts. - - The extension checks the size of the download to verify that the download - was complete. - - The extension compares the checksum of the ISO image to a checksum found on - the website through HTTPS. - - The extension displays the result to the user: - - If the original webpage is still open, it now either: - - Points the user to the installation documentation. - - Proposes troubleshooting strategies. - - Otherwise it shows the result in a popup message and points to the - appropriate page. - -Other desirable features -======================== - - - Be able to use that extension, once installed to verify ISO images - downloaded using BitTorrent for example. - - Be able to use that extension to verify other ISO images, testing images, - older ISO images, etc. In that case the user would be warned about the - deprectated or experimental status of the ISO image. - - Be able to use that extension to check the GPG signature. On top of - verifying the checksum, this would provide TOFU authentication. Then, if the - user downloads a genuine app and a genuine key on first use, then she will - be protected from a later compromision of the HTTPS certificate of - tails.boum.org. - -Technical insight -================= - - - That technique should be multiplatform and work from TBB as well. - - The extension can get the checksum and the URL of the ISO image from the - `<div id="content">` in following static pages: - - <https://tails.boum.org/inc/stable_i386_iso_url/> - - <https://tails.boum.org/inc/stable_i386_hash/> - - The same tricks should be used to get the file size. - See [[!tails_ticket 7417]]. diff --git a/wiki/src/blueprint/encode_APT_suite_in_Git.mdwn b/wiki/src/blueprint/encode_APT_suite_in_Git.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..ab92fc541993d78d0b0572e685d24153caf8d1b9 --- /dev/null +++ b/wiki/src/blueprint/encode_APT_suite_in_Git.mdwn @@ -0,0 +1,213 @@ +[[!toc levels=2]] + +Rationale +========= + +* See [[!tails_ticket 8654]]. + +* Our automated builds/testing/QA/CI/whatever system [[needs + that|blueprint/automated_builds_and_tests/autobuild_specs#how-to-build-it]]. + +* For example, it would be good to allow building Jessie-based topic + branches with the `feature-jessie` APT suite. Right now, the only + way to build a topic branch based on Jessie is to first merge it + into `feature/jessie` locally... and our Jenkins stuff doesn't + support that, so we cannot add Jessie-based topic branches to our + automatic ISO build setup yet. + +Random ideas and notes +====================== + +Storing the base branch's name elsewhere +---------------------------------------- + +... e.g. in `config/base_branch`, as opposed to recording the +corresponding base APT suite in `config/APT_overlays`? + +This may be useful for other purposes: how CI infrastructure will soon +need to know what's the base branch for a given topic branch. + +**Current conclusion**: Yes. The work done in +`feature/8654-encode-apt-suite-in-git` assumes we'll be doing that. +(Update: we finally went for `config/APT_overlays.d/*`, implemented in +`feature/8654-encode-apt-suite-in-git-with-APT-overlays-dot-d`.) + +Also, it could be needed if/once we use the union merge driver for +`config/APT_overlays` (when merging a base branch into another one, the +union merge driver wouldn't DTRT, and surely another merge driver +would be more suitable for `config/base_branch`; that merge driver +should ensure that the current version of the file is left as is, +which can possibly be achieved simply with `driver = /bin/true`). + +Getting rid of the base APT suites +---------------------------------- + +Entirely get rid of the suites for the main branches: only keep a base +branch per base-major-distro-version (`tails-wheezy`, `tails-jessie`, +etc.)? + +Once we stop adding packages to main branches' APT suites except at +release time, it make little sense to merge their pile of overlays +into each base suite when we release, while we can simply merge them +into e.g. `tails-wheezy`, and in turn into the release tag's APT +suite. If we go this way, we need to encode the distribution name +somewhere in Git, e.g. `config/Debian_codename`. As a bonus, if we do +that, we could even: + + * pass the content of that file to `$RUN_LB_CONFIG --distribution` in + `auto/config` + * possibly generate parts of `config/chroot_sources` and + `config/chroot_apt/preferences` dynamically at build time + * in the end, we could almost build ISOs based on Debian sid simply + by changing a single configuration file in Git? + +**Current conclusion**: No. It makes things a little bit too +complicated e.g. during freeze time for major releases: one wonders +where the overlay APT suites merged into `testing` would +be aggregated. + +gitattributes +------------- + +[`gitattributes(5)`](http://git-scm.com/docs/gitattributes) files +enable us to define path-specific behaviour, such as a speficic merge +driver, or filters that shall be applied upon checkin or checkout. +For what matters here, this file should be stored in `.gitattributes` +at the root of our main Git repository; whatever is defined in-tree +can be overriden locally via `$GIT_DIR/info/attributes`. This means +that we can have: + +* default settings suitable for human contributors, stored in + `.gitattributes` in Git; +* local overrides for bits of our infrastructure that may need to + behave differently. + +Git ships with some built-in filters and merge drivers, that can +directly be used by specifying what path they should apply to via +`gitattributes(5)`. However, it's a different matter whenever one +wants to use *custom* merge drivers and filters: they have to be +defined in Git configuration, which can't be stored in the repo +itself. Then, contributors who need their Git to use custom filters +and merge drivers have to add an `[include]` section to their +`.git/config`, that points to a config file: + +* that defines the needed filters and merge drivers; +* that is hosted in *another* repo: otherwise, when checking out an + untrusted branch, arbitrary untrusted code could be run e.g. + via a `smudge` filter. + +Note that the merge driver only "affects how three versions of a file +are merged when a file-level merge is necessary during git merge". +It's not going to be used at all if only one side of the merge has +modified the file that has a merge driver defined. + +Merge driver for `config/APT_overlays` +-------------------------------------- + +What merge driver should we use for `config/APT_overlays`? + +What follows assumes that we're *not* storing the base branch's APT +suite in that file. + +* When doing base-branch-into-topic-branch merges in Jenkins, we'll + probably want to use the union merge driver for `config/APT_overlays`, + in order to resolve trivial merge conflicts by including the lines + from *both* sides. Ideally, we should use the union merge driver + only when the Git merge strategy being used would leave a conflict + unresolved. To achieve this, it might be that we can use a custom + merge driver, that first tries running `git merge-file`, and if that + one returns a strictly positive number, then runs it again with + `--union`. + +* When manually merging a base branch into another one, the union + merge driver is not very good: it'll introduce duplicated lines in + `config/APT_overlays`, e.g. when merging e.g. `stable` into `devel`. + A `clean` filter defined in `.gitattributes` might be enough to + de-duplicate these lines. + +* When manually merging a base branch into a topic branch, there are + several sub-cases: + - the base branch's `config/APT_overlays` has had new suites added: + then we want to add them in the topic branch too; in this case the + union merge driver could work, except if the base branch's + `config/APT_overlays` also had lines removed during the last + release; + - the base branch's `config/APT_overlays` has had suites removed, e.g. + during a release: then, ideally we want to remove them from the + topic branch as well. + It's no big deal in practice if lines that were deleted from + `config/APT_overlays` in the base branch are still in the topic branch + post-merge (the same packages are in the base branch's APT suite + anyway), but it's a bit ugly and there are chances that we end up + mistakenly re-adding the deleted lines in `config/APT_overlays` in the + base branch when merging the topic branch in it, and then the + release manager would merge these APT suites into the corresponding + base APT suite at release time, potentially downgrading packages + that have been upgraded by other merged branches. + +At this point, it doesn't feel worth analyzing all other possible +cases. It seems clear that no custom merge driver would do the right +thing in all cases of merges we do manually. + +**Current conclusion**: + +* human contributors will handle `config/APT_overlays` the good old way, + as any other file in our Git tree; +* we'll use the union merge driver in Jenkins. + +**Update**: all this reasoning is moot since we've moved to +`config/APT_overlays.d/*`, so we don't need the union merge +driver anymore. + +And later, we can reconsider if we need something more clever, e.g.: + +* We might have to use a custom merge driver to force a manual + conflict resolution for every manual merge that involves + `config/APT_overlays`, to avoid the case when Git tries to be clever + and makes the wrong decision. +* For Jenkins merges, we may need to investigate using the union merge + driver only when it's really needed. + +Merge driver for `config/base_branch` +------------------------------------- + +What merge driver should we use for `config/base_branch`? + +When merging between branches that have the same base branch, there's +no conflict, what should be done is quite obvious and then Git will +figure it out just fine. + +When merging between branches that don't have the same base branch, +the cases that matter most are: + +* Merging a base branch (B1) into another one (B2): as above, + `config/base_branch` should be left unchanged in the resulting B2. + +* Changing the base branch of a topic branch T, from B1 to B2: we want + T's old base branch to be replaced by B2. + +* Merging into B2 a topic branch T which is based on B1. In practice, + this should only happen when B1 = stable or testing, and B2 = devel, + and then the Right Way™ to do it would instead be to: + - either first merge T into B1 if it's ready, and then B1 into B2: + the first step is trivial, and the second one is the "merging + a base branch into another one" case, which was covered above; + - or, merge B2 into T, and then T into B2: the first step is + essentially about "changing the base branch of a topic branch" + case, which was covered above; the second step is trivial. + But mistakes may arise, so ideally we would cover cases when merges + are not done in ideal order. What should happen, then, is that + `config/base_branch` is left unchanged in B2 after the merge. + +To sum up, in all cases except "changing the base branch of a topic +branch", we want to keep whatever was in the branch we're merging +into. To achieve the general case, perhaps one can define a custom +merge driver, used for `config/base_branch`, that would simply call +`git merge-file --ours` if we're merging into a base branch, and `git +merge-file` otherwise. Git will handle the "changing the base branch +of a topic branch" corner case somehow, and it's still the +responsibility of the topic branch's developer to ensure that +`config/base_branch` is correct. + +**Current conclusion**: all this feels like premature optimization, or +bonus foolproof protection. We'll see how it goes in practice. diff --git a/wiki/src/blueprint/evaluate_Docker.mdwn b/wiki/src/blueprint/evaluate_Docker.mdwn index 911f17421115bbde382904351f043d1245c04eb4..8276d994621d173e0bd939066c47e537ba8b4164 100644 --- a/wiki/src/blueprint/evaluate_Docker.mdwn +++ b/wiki/src/blueprint/evaluate_Docker.mdwn @@ -6,22 +6,90 @@ For the detailed plans and things to evaluate in Docker, see [[!tails_ticket 753 Availability on target platforms ================================ -(as of 20141130) +(as of 20150324) Primary target platforms: * Debian Wheezy: no, even in backports; installation is [possible using ugly methods](https://docs.docker.com/installation/debian/) -* Debian Jessie: 1.3.1~dfsg1-2, and an unblock request has been filed - to let 1.3.2 in -* Debian sid: 1.3.2~dfsg1-1 +* Debian Jessie: will be maintained in jessie-backports ([[!debbug 781554]]) +* Debian sid: 1.3.3~dfsg1-2 +* Debian experimental: 1.5.0~dfsg1-1 * Ubuntu 14.04 LTS: 0.9.1, with 1.0.1 available in trusty-updates * Ubuntu 14.10: 1.2.0 +* Ubuntu 15.04: 1.3.3 Bonus: -* Arch: 1.3.2 -* Fedora: 1.3.0 flagged as stable, 1.3.2 in testing +* Arch: tracks upstream Git +* Fedora: package was retired of Fedora 22 + +API stability and backwards-compatibility +========================================= + +- "all [Docker] containers are backwards compatible, pretty much to + the first version. [...] In general backwards compatibility is a + big deal in the Docker project" + ([source](https://news.ycombinator.com/item?id=7985142), shykes + is a Docker developer) +- Apparently the Docker 1.0 release broke older stuff, see e.g. the + 0.6 release in + [the jenkins plugin changelog](https://wiki.jenkins-ci.org/display/JENKINS/Docker+Plugin). +- Environment replacement was formalized in Docker 1.3, and the new + behavior ["will be + preserved"](https://docs.docker.com/reference/builder/#environment-replacement). + +Image creation and maintenance +============================== + +This is about [[!tails_ticket 7533]]. That's Docker's equivalent of +Vagrant's basebox. + +The semi-official Debian images' creation process has been [described by Joey +Hess](http://joeyh.name/blog/entry/docker_run_debian/). They are built +with <https://github.com/tianon/docker-brew-debian.git>, which itself +uses +[`mkimage.sh`](https://github.com/docker/docker/blob/master/contrib/mkimage.sh). +There are `rootfs.tar.xz` files in the former repository. + +But there are other solutions around there that feel saner: + +* Jonathan Dowland has [documented](http://jmtd.net/log/debian_docker/) + and [published](https://github.com/jmtd/debian-docker/) the scripts he + uses to build his own Debian images from scratch, which feels saner. +* The [[!debwiki Cloud/CreateDockerImage]] Debian wiki page documents + how to use only stuff shipped in Debian to create a Debian image with + a single command. + +See also <https://docs.docker.com/articles/baseimages/>. + +Do we want to: + +1. Let the build system build and maintain its own images on the + developer's system, the same way we would do it if we were + publishing our images? +1. Produce and publish these images automatically, e.g. + daily or weekly? +1. Build them locally and then upload? If so, who would do it, + and when? + +Do something different for our base images (e.g. Debian Wheezy) +from we do for the specialized containers (e.g. ISO builder)? + +Image publication +================= + +By default, Docker downloads images from the [Docker Hub +Registry](https://registry.hub.docker.com/). If we want to publish our +images, of course we want to self-host them somehow. + +One can [run their own +registry](https://github.com/docker/docker-registry): + + * [specs](https://docs.docker.com/reference/api/hub_registry_spec/) + +Or, one can use `docker save` an image or `docker export` a container, +and then use `docker load` or `docker import`. Random notes ============ @@ -47,3 +115,65 @@ Random notes [[dedicated blueprint|blueprint/Linux_containers]]. * [overclockix](https://github.com/mbentley/overclockix) uses live-build and provides a Dockerfile for easier building. +* overlayfs support was added in Docker 1.4.0; we'll need that when + using Debian Stretch/sid once Linux 3.18 lands in there after + Jessie is released. + +Test run +======== + +(20150120, Debian sid host, `feature/7530-docker` Git branch) + + sudo apt --no-install-recommends install docker.io aufs-tools + sudo adduser "$(whoami)" docker + su - "$(whoami)" + make + +* `TAILS_BUILD_OPTIONS="noproxy"` => run [apt-cacher-ng in a different + container](https://docs.docker.com/examples/apt-cacher-ng/); + - [Linking these containers + together](https://docs.docker.com/userguide/dockerlinks/) would + allow to expose apt-cacher-ng's port only to our build container; + OTOH some of us will want to use the same apt-cacher-ng instance for + other use cases + - Docker will [have container + groups](https://github.com/docker/docker/issues/9694) at some + point, but we're not there yet; in the meantime, there are + [crane](https://github.com/michaelsauter/crane) and + [Fig](http://www.fig.sh/) +* Even with `--cache false`, some directories (`chroot`, `cache`) are + saved and retrieved from the container upon shutdown; same for + live-config -generated `config/*` files. That's because the current + directory is shared read-write with the container somehow. + This bind-mount should be read-only, but we still need to get the + build artifacts back on the host: + - see [Managing data in + containers](https://docs.docker.com/userguide/dockervolumes/) + - use `VOLUME` to share (read-write) the place where the build + artifacts shall be copied +* We're currently using the `debian:wheezy` template, that likely we + should not trust. How should we build, maintain, publish and use + our own? That's [[!tails_ticket 7533]]. +* Being in the `docker` group is basically equivalent to having full + root access. Do we want to encourage contributors to do that, or + to run `docker` commands with `sudo`, or to use Docker in + a virtual machine? +* We currently pass `--privileged` to `docker run`. Should we remove + it, and if yes, how? + - According to + <https://docs.docker.com/articles/dockerfile_best-practices/>, + "many of the “essential” packages from the base images will fail + to upgrade inside an unprivileged container". It seems that + the best practice is to publish _and regularly update_ a base + image, so that the most common usecases can avoid the APT upgrade + steps, and then run unprivileged. +* Adding `.git` to the `.dockerignore` file would speed up the build, + but some code in our build process wants to know what branch or + commit we're building from => maybe we could pre-compute this + information, and pass it to the build command in some way? +* What execution environment do we want to support? Only LXC + via libcontainer? Any usecase for e.g. the systemd- or + libvirt-based ones? +* Move more stuff from `Makefile` to `Dockerfile`? E.g. `DOCKER_MOUNT` + could be specified as `VOLUME`. Can we specify the build command as + `CMD`? diff --git a/wiki/src/blueprint/find_another_irc_commit_bot.mdwn b/wiki/src/blueprint/find_another_irc_commit_bot.mdwn index b46bc3cdba75327c310cca8094659842798a077d..e9458eab318e1a94eacf753f44b7c6e22faa211b 100644 --- a/wiki/src/blueprint/find_another_irc_commit_bot.mdwn +++ b/wiki/src/blueprint/find_another_irc_commit_bot.mdwn @@ -35,3 +35,5 @@ IRC" one. Or we could host the whole set of our own Git repositories ourselves, so that we can use KGB or irker. + +Note that GitLab also supports GitHub-style webhooks. diff --git a/wiki/src/blueprint/handheld.mdwn b/wiki/src/blueprint/handheld.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..a0f31ddd12e127ca4bd336772ccc4f6d0f3a59b9 --- /dev/null +++ b/wiki/src/blueprint/handheld.mdwn @@ -0,0 +1,50 @@ +Corresponding ticket: [[!tails_ticket 6064]] + +[[!toc levels=2]] + +Left to do +========== + +Generic +------- + +* Minimized applications in the taskbar can't be raised via the + taskbar. They can be raised via the *Activities Overwiew*. + +Toshiba Encore 2 +---------------- + +feature/jessie + 32-bit UEFI, 20150507: + +* The Florence virtual keyboard is not very usable: + - its default font size is way too small, but that can be configured + - its "systray" icon is too small to be clicked, so one can't toggle + the virtual keyboard on/off; see [[!tails_ticket 8312]] +* Wi-Fi +* Battery level monitoring: GNOME Shell always says 100%. +* Backlight tuning: GNOME Shell offers the UI, but it has no effect + that I can perceive. +* Tor Browser 4.5 [[!tor_bug 15953 desc="does a weird resizing dance on startup"]]. +* Sound card not detected (`/proc/asound/cards`), although a bunch of + `snd_soc_*` kernel modules are loaded. Logs complain about missing + `fw_sst_0f28.bin-i2s_master` firmware. Looks like [[!debbug 774914]] + or <https://ubuntuforums.org/showthread.php?t=2254631> that suggests + to fetch the firmware from the Chrome OS repository. Other sources + suggest that the DSDT may be buggy. + +Works fine +========== + +Generic +------- + +Toshiba Encore 2 +---------------- + +feature/jessie + 32-bit UEFI, 20150507: + +* boots fine with `nomodeset` (otherwise screen blanks at `switching + to inteldrmfb from simplefb`, although the OS continues loading) +* X.Org with KMS +* touchscreen +* USB diff --git a/wiki/src/blueprint/logo.mdwn b/wiki/src/blueprint/logo.mdwn index d5aa8d987c089a51622f1b8169b73084f21d1856..3ad5bff7b3ff0e13a520de030dac951fc052ba53 100644 --- a/wiki/src/blueprint/logo.mdwn +++ b/wiki/src/blueprint/logo.mdwn @@ -259,8 +259,6 @@ MewChan, walking cat [[!img mewchan-walking.png link="no" class="margin"]] -- [Original proposal](tails_walking_cat.zip) (uses Letter Gothic Std which is not free) - - TODO: Clarify license. <a id="mewchan"></a> @@ -270,8 +268,6 @@ MewChan, hiding cat [[!img mewchan-hiding.png link="no" class="margin"]] -- [Original proposal](tails_hiding_cat.zip) (uses Letter Gothic Std which is not free) - - TODO: Clarify license. Anon404 @@ -301,7 +297,6 @@ Hector, word [[!img hector-word.png link="no" class="margin"]] -- [[Original proposal with alternative versions|FINISHED_WORK.7z]] - License: GPLV3 Hector, man @@ -309,7 +304,6 @@ Hector, man [[!img hector-man.png link="no" class="margin"]] -- [[Original proposal with alternative versions|FINISHED_WORK.7z]] - License: GPLV3 Hector, woman @@ -317,7 +311,6 @@ Hector, woman [[!img hector-woman.png link="no" class="margin"]] -- [[Original proposal with alternative versions|FINISHED_WORK.7z]] - License: GPLV3 Luigi diff --git a/wiki/src/blueprint/macchanger.mdwn b/wiki/src/blueprint/macchanger.mdwn index bfab8b11c3bbb4b2a2b6d12ee3411cfa93905879..53f999ca419ebc50441bba6d4ad6a6cb7d9ff704 100644 --- a/wiki/src/blueprint/macchanger.mdwn +++ b/wiki/src/blueprint/macchanger.mdwn @@ -18,9 +18,9 @@ emitted. Some bugs of interest that may bring some hope: -* <https://bugzilla.gnome.org/show_bug.cgi?id=387832> -* <http://bugs.debian.org/cgi-bin/bugreport.cgi?bug=518368> -* <https://bugs.launchpad.net/ubuntu/+source/network-manager/+bug/336736> +* <https://bugzilla.gnome.org/show_bug.cgi?id=387832> resolved +* <http://bugs.debian.org/cgi-bin/bugreport.cgi?bug=518368> fixed upstream +* <https://bugs.launchpad.net/ubuntu/+source/network-manager/+bug/336736> wontfix ## Vendor bit randomisation with macchiato diff --git a/wiki/src/blueprint/monthly_meeting.mdwn b/wiki/src/blueprint/monthly_meeting.mdwn index 67f6004f89100fc827604d00fba5a44a498a038d..168e3542134dbdbce9662eebcb8a666d6eafe524 100644 --- a/wiki/src/blueprint/monthly_meeting.mdwn +++ b/wiki/src/blueprint/monthly_meeting.mdwn @@ -5,12 +5,11 @@ Availability and plans for the next weeks ========================================= - - Volunteers to handle "[Hole in the roof](https://labs.riseup.net/code/versions/198)" tickets this month + - Volunteers to handle "[Hole in the + roof](https://labs.riseup.net/code/versions/198)" tickets this + month + - Volunteers to handle important tickets flagged for next release, but without assignee - Availability and plans for monthly low-hanging fruits meeting Discussions =========== - - - [[!tails_ticket 8244 desc="Greeter revamp: Decide if we want to keep the wording 'Quick setup'"]] - - [[!tails_ticket 6432 desc="WhisperBack launcher in the applications menu should give a hint about its function"]] - - [[!tails_ticket 7076 desc="Warn against plugging a Tails device in untrusted systems"]] diff --git a/wiki/src/blueprint/python3.mdwn b/wiki/src/blueprint/python3.mdwn index 3e3127f6b0da91f03dc0bd20615d744c9410bd72..8bee1514d841ec415b8ff1d4df33e39561479a4a 100644 --- a/wiki/src/blueprint/python3.mdwn +++ b/wiki/src/blueprint/python3.mdwn @@ -44,12 +44,12 @@ None # Tails Greeter -* `pycountry`: OK, `python3-pycountry` (unstable) +* `pycountry`: OK, `python3-pycountry` - `icu`: OK, `python3-icu` # Tails Installer -- `configobj`: OK, `python3-configobj` (unstable) +- `configobj`: OK, `python3-configobj` - `StringIO`: the `StringIO` module is included in the stdlib, and available in python3 as `io.StringIO` or `io.BytesIO` - `PyQt4`: OK, `python3-pyqt4` diff --git a/wiki/src/blueprint/replace_Pidgin.mdwn b/wiki/src/blueprint/replace_Pidgin.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..a17f69c762eb1f8ce8b260b520030a174f3350f0 --- /dev/null +++ b/wiki/src/blueprint/replace_Pidgin.mdwn @@ -0,0 +1,51 @@ +Corresponding ticket: [[!tails_ticket 8573]] + +It would be nice to replace Pidgin with another secure IM client. Unfortunately no good alternative seems to exist today. To be able to decide, if another IM client would be a suitable replacement this document should list the requirements a client needs to fulfill to fit the bill. + +The document can also list candidate clients together with some indication where they are lacking (and where they shine). + +TODO: Would a pair of two separate client (XMPP and IRC) also be okay, or are we only looking for a single client that can do both? + +# Requirements +## General requirements + +### Documentation + +### Internationalization + +The client must be internationalized, ideally already translated in many languages - if not, adding new languages should be easy. + +### GUI + +The client must have a easy to use GUI that makes it hard for users to use the client in an insecure way. + +### TLS + +The client must support connections using TLS. + +TODO: Is STARTTLS needed? + +### Support for Tor + +The client must support Tor and must not leak any private data (hostname, username, local IP, ...) at the application level. + +### Support for OTR + +The client must support OTR and should make it easy to enforce usage of OTR for all conversations or only for specific contacts. + +Ideally, some usability study for the OTR user interface has been done. + +### Other + +TODO: Pidgin already has an apparmor profile; should we require that a replacement also comes with an apparmor profile? + +## XMPP (Jabber) +## IRC +### SASL +The client must support SASL authentication. + +# Candidate alternatives + +## Tor Messenger + +## xmpp-client diff --git a/wiki/src/blueprint/replace_vagrant.mdwn b/wiki/src/blueprint/replace_vagrant.mdwn index 77aaf2b747f449637793c294db62a06579ad6230..bc17554ceb842faa7ded68dfda096a16b48811e2 100644 --- a/wiki/src/blueprint/replace_vagrant.mdwn +++ b/wiki/src/blueprint/replace_vagrant.mdwn @@ -11,9 +11,10 @@ Goals of our Vagrant thing 2. Improve consistency between our various ways of building Tails ISOs (Tails developers currently use at least 3 different build setups, and our auto-builder yet another one). -3. Ideally, our "easy build" instructions should work at least on: +3. Our "easy build" instructions must work at least on: - Debian stable + backports - Debian testing +4. Ideally, our "easy build" instructions should also work at least on: - latest Ubuntu LTS - latest Ubuntu non-LTS @@ -38,7 +39,7 @@ What we have - retrieve the build artifacts from the build VM onto the host system * Vagrant hasn't been actively maintained in Debian for a while. - It'll likely be part of Jessie, but that's by a very short margin. + It'll be part of Jessie, but that was by a very short margin. * VirtualBox vs. QEMU/KVM: - One can't run both VirtualBox and QEMU/KVM on the same system. diff --git a/wiki/src/blueprint/report_2015_05.mdwn b/wiki/src/blueprint/report_2015_05.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..19a4fdd9c0b3a3c811174c70c489507ac0f26c0c --- /dev/null +++ b/wiki/src/blueprint/report_2015_05.mdwn @@ -0,0 +1,81 @@ +[[!meta title="Tails report for May, 2015"]] + +FIXME Edito + +Ideas: we don't do support on Tweeter. + +[[!toc]] + +Releases +======== + +* [[Tails 1.4 was released on May 12, 2015|news/version_1.4]] (major release). + +* The next release (1.4.1) is [[planned for June 30|https://tails.boum.org/contribute/calendar/]]. + +Code +==== + +FIXME + +* FIXME: initial steps to evaluate Tails on touchscreen devices + +Documentation and Website +========================= + +FIXME + +User Experience +=============== + +FIXME + +Infrastructure +============== + +* Our test suite covers FIXME scenarios, FIXME more that in April. + +* FIXME more? + +Funding +======= + +FIXME + +Outreach +======== + +* A talk about Tails took place at a [[MiniDebConf in Bucharest, Romania|http://bucharest2015.mini.debconf.org/]] May 16th. + +FIXME + +Upcoming events +--------------- + +* People are organizing [[a workshop about Tails|http://www.lacantine-brest.net/event/atelier-datalove-tails-x-tor/]] in Brest, France, in June. + +FIXME + +On-going discussions +==================== + +FIXME + +Press and testimonials +====================== + +FIXME + +Translation +=========== + +FIXME + +Metrics +======= + +* Tails has been started more than FIXME times this month. This makes FIXME boots a day on average. + +* FIXME downloads of the OpenPGP signature of Tails ISO from our website. + +* FIXME bug reports were received through WhisperBack. diff --git a/wiki/src/blueprint/report_2015_06.mdwn b/wiki/src/blueprint/report_2015_06.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..4ac7eb23ef4a8f3227b064b65127001cf623ef68 --- /dev/null +++ b/wiki/src/blueprint/report_2015_06.mdwn @@ -0,0 +1,73 @@ +[[!meta title="Tails report for June, 2015"]] + +FIXME Edito + +[[!toc]] + +Releases +======== + +* [[Tails 1.4.1 was released on June 30, 2015|news/version_1.4.1]] (minor release). + +* The next release (1.5) is [[planned for August 11|https://tails.boum.org/contribute/calendar/]]. + +Code +==== + +FIXME + +Documentation and Website +========================= + +FIXME + +User Experience +=============== + +FIXME + +Infrastructure +============== + +* Our test suite covers FIXME scenarios, FIXME more that in April. + +* FIXME more? + +Funding +======= + +FIXME + +Outreach +======== + +FIXME + +Upcoming events +--------------- + +FIXME + +On-going discussions +==================== + +FIXME + +Press and testimonials +====================== + +FIXME + +Translation +=========== + +FIXME + +Metrics +======= + +* Tails has been started more than FIXME times this month. This makes FIXME boots a day on average. + +* FIXME downloads of the OpenPGP signature of Tails ISO from our website. + +* FIXME bug reports were received through WhisperBack. diff --git a/wiki/src/blueprint/report_2015_07.mdwn b/wiki/src/blueprint/report_2015_07.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..e69de29bb2d1d6434b8b29ae775ad8c2e48c5391 diff --git a/wiki/src/blueprint/report_2015_08.mdwn b/wiki/src/blueprint/report_2015_08.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..e69de29bb2d1d6434b8b29ae775ad8c2e48c5391 diff --git a/wiki/src/blueprint/report_2015_09.mdwn b/wiki/src/blueprint/report_2015_09.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..e69de29bb2d1d6434b8b29ae775ad8c2e48c5391 diff --git a/wiki/src/blueprint/rewrite_Git_history.mdwn b/wiki/src/blueprint/rewrite_Git_history.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..573df1894414c546c41e9830a28b6d40a1e536b3 --- /dev/null +++ b/wiki/src/blueprint/rewrite_Git_history.mdwn @@ -0,0 +1,555 @@ +This is about [[!tails_ticket 6277]]. + +[[!toc levels=3]] + +Rewrite process +=============== + +## Clarifications + +This work has been done on an up-to-date Debian Wheezy LXC, it is advised to run it in a controlled environment, the code we use hasn't been audited. Please scrutinize carefully. I had to install the following packages: + +* git +* openjdk-6-jre + +## Reproduce results + +Create a working directory and in the working directory a *clean* and *dirty* directory. + +Inside the clean directory one should `git clone --mirror https://git-tails.immerda.ch/tails`. Make a full copy of the tails directory and place it in the dirty directory. + +To rewrite Git history we use [BFG Repo-Cleaner](https://rtyley.github.io/bfg-repo-cleaner/). It is currently not part of in Debian, we therefore download the jar file which can be found there: + + https://repo1.maven.org/maven2/com/madgag/bfg/1.12.3/bfg-1.12.3.jar + sha256sum(2e237631235cfb8cc2d49dabb986389851dca8a28a07083345274b443dfa4911) + +Now we go inside the dirty directory's Tails repository and run the following command to delete all the merged branches: + + git branch --merged master \ + | grep -v "\* master" \ + | xargs -n 1 git branch -d + +(1.25 mins) + +After we've done that, we're ready for the next step and that deleting a bunch of big files inside the repository we would like to get out: + + java -jar bfg-1.12.3.jar \ + --delete-folders '{promote,forum,deb-src}' \ + -D '{*.deb,*.gz,*.debian.tar.*,*.orig.tar.*,*.comment,tails_walking_cat.zip,tails_hiding_cat.zip,FINISHED_WORK.7z,forum.mdwn,XUL.mfasl,XPC.mfasl,firegpg.jar,noscript.jar,adblockplus.jar,WinXPDesktop.png,Desktop_en.png,Nautilus_en.png,Vidalia_menu_en.png,Vidalia_Netmap_en.png}' \ + dirty/tails.git + +After this has ran, we can go inside the dirty directory's Tails repository again and run the following command to rewrite history: + + git reflog expire --expire=now --all \ + && git gc --prune=now --aggressive + +The entire operation takes around 10 minutes. + +<a id="todo-process"></a> + +<a id="post-rewrite-contributors-doc"></a> + +Deleted files after running BFG repo-cleaner +============================================ + + c8fa3c85c7a7cf08389d61c18d2c03f92d420479 1154432 Desktop_en.png + 170631f621052cc54df9a3423bcb3916e66232d0 7397653 FINISHED_WORK.7z + 1ff60b7438e68339eabe49dc2b9a54970ff554ce 1154432 Nautilus_en.png + 5b910f8dd0352aee6d1593e593ceecd234294680 1154432 Vidalia_Netmap_en.png + 382aff8df93aacfa67af235532f289b086a7de99 1154432 Vidalia_menu_en.png + 083eaa84240a125a61a2222cdf48b3e896ba4fa3 965042 WinXPDesktop.png + 0ce3213337eb54e81561c9fae0f8a019999cf62d 1326432 XPC.mfasl + 0d2e62267378fa192a834effb6f91754b565d0e6 2752032 XPC.mfasl + 6b6a5964931337482b2b6d8594358cc2de101b05 1709261 XUL.mfasl + e44d906dc3fcd54a73515843b980519b0c5e49ec 153785 XUL.mfasl + 2c690793d7bea449e5c22af446aa981311a45bcb 1367870 adblockplus.jar + 3f2d1f4fc666d01786a7b95e4ebd26a49da51f80 1338611 adblockplus.jar + e387051cd8686f45ab596f6012ec828cf16eb1e1 1594950 aircrack-ng_1.1-1.1_i386.deb + 39064b9159d00785a233775703e9d0d9c09e66b0 1550846 aircrack-ng_1.1-1.1~bpo60+1~tails1_i386.deb + b04ee97cd7ac79f39ede8b43d721b825a95fe6fe 2148 aufs-modules-2.6-686_1.0_all.deb + 988d6ddfb3c66bd8e4433be88b275dfac8d9b037 182266 barry-util_0.15-1.1~bpo60+1~tails0_i386.deb + f9ce3bfb5c563872d542a1efc0a3fb1411733557 182394 barry-util_0.15-1.2~bpo60+1_i386.deb + 36c726c9a1fe3b9f713584fda22a78bf9cd73396 23148 bootchart_0.90.2-5~~amnesia1.tar.gz + e37c18d3330b22ff556f2de9533fa3a3fb7e648b 12436 bootchart_0.90.2-5~~amnesia1_amd64.deb + 91a277ba16d5c13e4f6cb4727e5a5d5c506fd07f 11952 bootchart_0.90.2-5~~amnesia1_i386.deb + f89be3d1b274edc80d3cab835792cc05e6b9a1f6 288585 cd_label.pdf.gz + f9d852c8fdf75b9027cff8b081397d2785d91937 1467267 firegpg.jar + 5d2f71871d067a5990e973fa2edc1dedff8bf952 1939511 firegpg.jar + 23baecf72553f7ab2aa6e00a2b8cbcc62ca71eb2 1403725 firegpg.jar + 6f97995fd66d268c6ace0c1e110be1ad30e88a06 462 forum.mdwn + 2301d1d78c80572409f11e51f3575a1471b38623 1066 forum.mdwn + 6b01b88c3865530fc3ce75337875e5fd3e7cdeda 1068 forum.mdwn + cf50b95bca89a22d80132bdd3052d14adabf81b8 1529 forum.mdwn + 166d32a25ceafbcc9841334c85aa901a555dda0d 1148 forum.mdwn + 320b3a313b3fed903eba0ac885ce32a9475e11ee 555 forum.mdwn + 17eee94709d2729e7b7c4e17ecb248459ab14c82 1066 forum.mdwn + 865159f240ef8f49e9fa42c287778daad6f9a0ac 1437 forum.mdwn + 3abe83958acd29dff5d2d55ea019290d0247370a 1582 forum.mdwn + ab7c54d318698d91c236b0355c32b97fd32bcc06 1162 forum.mdwn + fc5b46d6fcc9b9080e51b57ce9b832dc4acc25c5 431 forum.mdwn + 2ad8c921e1ff3f36c4ede2d41a6a2a6916315372 1060 forum.mdwn + f83a36c3e5bd1731ed561025db7983ddbdae4324 548 forum.mdwn + 8fd6d1578c9e08b7463a69b68f00dfcf938ab90f 1423 forum.mdwn + 9fbf1d3f6160da06326198f8fd8c0f35b600eacd 518 forum.mdwn + e70d2e98558fafee8d89690fc02819ba305a3969 416 forum.mdwn + 3ca1117bcb5a7b4694998cc2eada9953fa1d8228 556 forum.mdwn + 345905a9890c18bfcaed781526bc13700a8249bf 1060 forum.mdwn + fb700b09d1536244b79fa024f64adeab61327a06 415 forum.mdwn + 1c0b629cb294d16a5500d0018891a966b847facd 1446 forum.mdwn + 60a5669435527632fdb6a3495bc0903087908a68 1425 forum.mdwn + 0437ae04d6ec227ad8f011b257716c3ca46751c3 1099 forum.mdwn + 21562b675a4952a418f831f8bce847fa2d3e35b2 1073 forum.mdwn + 966241725e90213227af003b4ab712f42f892891 584526 foxyproxy_2.19.1-1_all.deb + 370a407b9ae5acd91d91c388d62e36ce91f24f5b 2084 gcc-4.5_1.0_all.deb + d1a67cfc9a9d7355540784266e35a50ea175b90f 2082 gcc-4.6_1.0_all.deb + 5a744a04daf0d1e4fdc264cab76bc6a63626ec23 2142 gcc-4.8_1.0_all.deb + 1b3004c13666d1d09e2865ce26ee6d82e218a896 87862 gnome-theme-xpluna_1.2-1_all.deb + a94d1c215ad7ce23488400942278338f4d9ca6c5 958234 gnome-xp-icon-theme_1.0-1_all.deb + 4262df8cee1847ca6025ab815656ee2041fdc734 22224 haveged_0.9-2~amnesia+lenny1_i386.deb + e1bbc4ff9fb54a3309dcaf59970a0300b71ee36a 22672 haveged_0.9-2~amnesia+lenny1_powerpc.deb + b050bd7f1ca0394abd729f4a262484b4e37d1ba0 22362 haveged_0.9-3~amnesia+lenny1_i386.deb + 213c4bbbb56feb25408f349eab9b1563a7e736b6 22786 haveged_0.9-3~amnesia+lenny1_powerpc.deb + eb31746a3fcea8b513853ff147e2c4eb3db53335 22368 haveged_0.9-3~amnesia+squeeze1_i386.deb + 13623a43c0d31381f16c7fce9d30d4ccd0a9f5c4 22600 haveged_0.9-3~amnesia+squeeze1_powerpc.deb + fe287002b8512dcae086449297c8871538ae98aa 24050 haveged_1.1-1~bpo60+1_i386.deb + 4062e62196470c9f9474607094d581dd7361f993 7976442 i2p-router_0.8.11+repack-3~1.gbp00ff06_all.deb + d1ee2285d2947efa5c39b04c1b9234f08cd4a2aa 8110394 i2p-router_0.8.13-1_all.deb + 78b768640d84acfd71a40eca85980a8f77abd49e 7852626 i2p-router_0.8.8+repack-1ppa1_all.deb + f887ddf50762eb14d9b7ba5b4b190cc0d996e98c 7260118 i2p-router_0.9-1squeeze1_all.deb + d748749e4dcb308bff3773a7029efbf0fcbbaec4 8972690 i2p-router_0.9.1+repack-1squeeze1_all.deb + d40ebc091fcaed5232de96275e70f43c997e87dd 9069638 i2p-router_0.9.2+repack-2squeeze1_all.deb + 68a999debc3a6cfe47e64889fd2dc1748b1de07d 7524492 i2p_0.8.0.1_i386.deb + 38aaba8603ff19689730b9e2a727022b626f1c08 22542 i2p_0.8.11+repack-3~1.gbp00ff06_all.deb + 1710ddf3b8109e7d1789e4b69b0d4fb5c7da63c6 23596 i2p_0.8.13-1_all.deb + 1bcd4322d56836846670c74a1dae94ca7cdb2278 13094 i2p_0.8.8+repack-1ppa1_all.deb + 78a178353694ce942f391e0dd5f76f67e7662c1b 23480 i2p_0.9-1squeeze1_all.deb + 4bf45648aa847d2f1ae71296b2d6383b43d513cc 25504 i2p_0.9.1+repack-1squeeze1_all.deb + bee06305954e6654a94cbf967909e8824a88a107 25490 i2p_0.9.2+repack-2squeeze1_all.deb + 214d3fda8b2a3a2d30f66e8a302458697dfe8c6f 65753 ipc-latest.tar.gz + f593c61b1ab5fd35d4a2d0811660f66a087a7efe 20792 libarchive-tar-wrapper-perl_0.16-1~bpo60+1_all.deb + d05cd1f03d88b7238ec6f1bac08e4afbc935a18f 250960 libbarry0_0.15-1.1~bpo60+1~tails0_i386.deb + 32724f579d8897b5c8d200204b75c9393f6d8dc2 251050 libbarry0_0.15-1.2~bpo60+1_i386.deb + a398eb380c7d0fe26d0c38aaa186ab19f73cb4e8 3826 libjbigi-jni_0.8.11+repack-3~1.gbp00ff06_i386.deb + 10ae0b6c1e443d94737d1f288231cc39828d573f 4050 libjbigi-jni_0.8.13-1_i386.deb + 3c6f03355fd357c70cf78cde36f894832e77b983 3972 libjbigi-jni_0.8.8+repack-1ppa1_i386.deb + c251b7ee6a021c55388c8bf993225005e2bfd96c 4060 libjbigi-jni_0.9-1squeeze1_i386.deb + 28ed1d6ae49be5e82fa9b10cd1a617326fbb0fe3 4050 libjbigi-jni_0.9.1+repack-1squeeze1_i386.deb + 260cbba998c1c66a9e57f2183f3e3f849cc3f1cf 4066 libjbigi-jni_0.9.2+repack-2squeeze1_i386.deb + 5c42be02612f8fc0e67f422003de1275ee197f68 272828 libmetacity-private0_2.30.1-3.0~squeeze+tails1_i386.deb + be82aac448eebc5c317d5672cbb39149f6a52fad 277740 libmetacity-private0_2.30.1-3.0~squeeze+tails1_powerpc.deb + ee8b2b5204d535488be12136cce693e6de0dc36c 250064 libmetacity0_2.22.0-2.0~lenny+amnesia1_i386.deb + 38366211e1cd343825dbafc5f2517d32c1cfc5f1 256948 libmetacity0_2.22.0-2.0~lenny+amnesia1_powerpc.deb + a92ea66a43839c243370c6a591747781c0623a55 11842 libstring-errf-perl_0.006-3~bpo60+1_all.deb + d309ddc8240610a09da006d92f8075d2eeb8f8ee 22222 libstring-formatter-perl_0.102082-1~bpo60+1_all.deb + 8f4b0c33f34bd7535b552f95c54b1fff58396bee 30118 live-boot-initramfs-tools_2.0.15-1+tails1.35f1a14_all.deb + c871cfe183343ff5a761661bc45356f54843c0b2 29014 live-boot-initramfs-tools_2.0.5-1+tails1.f1a9bd_all.deb + 4731de662f33bbbce5effe3ce704e3104758c7d1 29076 live-boot-initramfs-tools_2.0.5-1+tails2.6797e8_all.deb + dba7c65984d206134fc1e5e3840e13c94b25a49b 29070 live-boot-initramfs-tools_2.0.6-1+tails1.6797e8_all.deb + 0a2aaa3aaa9a8beddd0c96240962f88868bd9ae9 29362 live-boot-initramfs-tools_2.0.8-1+tails1.13926a_all.deb + b7eae259c9f02e24c73381bc5b20e3c54407c1bc 29398 live-boot-initramfs-tools_2.0.8-1+tails1.a20548_all.deb + fa8870b88651228a4f25ceeb0ee3dfdd4d2a5267 28116 live-boot-initramfs-tools_2.0~a16-1+tails1.cb5e34_all.deb + 60dd8f70eb608f89088079b71fc84fb079588c82 31592 live-boot-initramfs-tools_3.0~a13-1+tails1.gbp671cfa_all.deb + 6a35da27dba1f22abaa91082f0d722f2a83aa894 31598 live-boot-initramfs-tools_3.0~a13-1+tails1.gbp7690c6_all.deb + 2ea8d5fc49eb7d31ba2e4cc0b14dc9edf3173c03 31652 live-boot-initramfs-tools_3.0~a13-1+tails2.gbpf73454_all.deb + d32e90fbc2d72cf5ce7e59d49d674b1b0c7b2fbf 31678 live-boot-initramfs-tools_3.0~a13-1+tails3.gbpde8eab_all.deb + faad0df0e38bd0f21f231630f62f5a2cc0dd68b1 30718 live-boot-initramfs-tools_3.0~a13-2~1.gbp669d44_all.deb + d86bfdd622f3f2d24913cee3fd76664866c3e75d 34790 live-boot-initramfs-tools_3.0~a22-2~1.gbpf88546_all.deb + fc10221bb5ec6f65dbfa04f4f6860c10a9f971b6 39150 live-boot-initramfs-tools_3.0~a25-1+tails1~1.gbp8ce17c_all.deb + de26fa20813559ebf5982a85aa33c0182d982c4d 39376 live-boot-initramfs-tools_3.0~a25-1+tails1~2.gbp4cf30a_all.deb + 857e9c2e43930e87cc1feadb9f7170ae3320388e 39404 live-boot-initramfs-tools_3.0~a25-1+tails1~2.gbpe029d2_all.deb + 07e05d34044a203b6351ad758a47e79d6b395b98 40076 live-boot-initramfs-tools_3.0~a25-1+tails1~3.gbpb0a275_all.deb + f703724c82e58d735495df47aedf6042d487841b 40224 live-boot-initramfs-tools_3.0~a25-1+tails1~4.gbp732866_all.deb + ef52fc8a64ebd8431dc20352aae902433a80b071 40280 live-boot-initramfs-tools_3.0~a25-1+tails1~5.gbp48d06c_all.deb + 77bac27f975a3e4f2868333d6f0d33b5fd392298 49990 live-boot-initramfs-tools_3.0~a27-1+tails2~1.gbp319fe6_all.deb + 220861363e675abfb31066df2401a26a744ec81a 23770 live-boot-initramfs-tools_3.0~a35-1_all.deb + 4b08cfc2776b6f29a02cece3bfc0023a1e5b715c 25348 live-boot-initramfs-tools_3.0~b6-1_all.deb + e0c4b7458e9340a0c64883db2ae5d60b8d6717ef 25534 live-boot-initramfs-tools_3.0~b7-1_all.deb + 556effd0667a6062f283aba813e15c4107bd3233 76806 live-boot_2.0.15-1+tails1.35f1a14_all.deb + 541901f4281e0c3ac704b2467527304a6f671390 77596 live-boot_2.0.5-1+tails1.f1a9bd_all.deb + a64ecfdd94875599ad05a9d7115fa8bbfc8cf780 77690 live-boot_2.0.5-1+tails2.6797e8_all.deb + 3bfb26f17684241edeea114be3e5faf334abad69 77700 live-boot_2.0.6-1+tails1.6797e8_all.deb + a32f6c5fc52566f578e4bc2693de4e5a35c97ec5 78476 live-boot_2.0.8-1+tails1.13926a_all.deb + bfb8bf8f9ad436b046151e858ff9a85abe8689f0 78484 live-boot_2.0.8-1+tails1.a20548_all.deb + 3a9b62a469e3181c2b2572dd047f50bea87fbca0 76136 live-boot_2.0~a16-1+tails1.cb5e34_all.deb + 860c08069373eae8c90874ddb739502da4fd3903 78630 live-boot_3.0~a13-1+tails1.gbp671cfa_all.deb + fa2c124292f80db2f4a1cfa93f2213855e77c892 78628 live-boot_3.0~a13-1+tails1.gbp7690c6_all.deb + 0bbc5fbe3b5f82767bdef8b34689ed43e00a0964 78898 live-boot_3.0~a13-1+tails2.gbpf73454_all.deb + 0448d8d54f4b63c4eddd94d71195e5e7d7b609d5 78932 live-boot_3.0~a13-1+tails3.gbpde8eab_all.deb + 45d3d008f992bb640793ae51d75b008d001fb069 76886 live-boot_3.0~a13-2~1.gbp669d44_all.deb + 88dd4f985bef110c92c98652b4663a8e9ee485fb 20948 live-boot_3.0~a22-2~1.gbpf88546_all.deb + d362d7daaaddd6923a3f8fb6e8ab9d9991ea0568 21902 live-boot_3.0~a25-1+tails1~1.gbp8ce17c_all.deb + 6d1b35286ded212a4ce47840b5ff423af3993324 22018 live-boot_3.0~a25-1+tails1~2.gbp4cf30a_all.deb + d656a854a5987815da090d798a73b46d48992908 22044 live-boot_3.0~a25-1+tails1~2.gbpe029d2_all.deb + 08dafd37a19a999f2d12b52b6f03c6614ca138d8 22224 live-boot_3.0~a25-1+tails1~3.gbpb0a275_all.deb + 2a22d7ab44828cf2a3212a3d5b5eaf7b4c973488 22264 live-boot_3.0~a25-1+tails1~4.gbp732866_all.deb + 3af92bdf5beb80d44f32495ceaadb1b2dbeb3ce7 22354 live-boot_3.0~a25-1+tails1~5.gbp48d06c_all.deb + a27b7be9669d9feb5579fbc2f437a2f9e2b52e1e 30782 live-boot_3.0~a27-1+tails2~1.gbp319fe6_all.deb + e3698c7463de984b099453ded6f12ab8413613e7 46176 live-boot_3.0~a35-1_all.deb + c3194020234646ed2bfcae5801c4b646466db63a 47272 live-boot_3.0~b6-1_all.deb + 2f8249b1f20b685845dde5ea77051c6f223f4145 47482 live-boot_3.0~b7-1_all.deb + 785a0d1f5e1fa3cf4b8ea9d131d359e343e5f03c 1168620 live-build_2.0~a21-1_all.deb + fa44005fbc5c339b68d320ec17a717956bac6418 6268 live-config-sysvinit_2.0.0-1_all.deb + 3cc409326d5f6a23f144a8fbfe85f506cad14f12 6260 live-config-sysvinit_2.0.0-1_all.deb + da0ef20a46c023bff3b97445b3e176ece65c6566 13030 live-config-sysvinit_3.0.3-1_all.deb + 6a4702b62bfefbd138513649024b3e38a596fd2b 13376 live-config-sysvinit_3.0.8-1_all.deb + 7945a606d2c868ecf5515198a3306cccc62e8a4c 39472 live-config_2.0.0-1_all.deb + 8d164ca48e06f05c3856d09222fd9d44811d6f94 39402 live-config_2.0.0-1_all.deb + bb6b2ec4d721e6d6a5ee31be6e6c0c389a815b4f 22902 live-config_3.0.3-1_all.deb + 2d5fbc9e408afdc4044d631249f8bfd01494d48c 23256 live-config_3.0.8-1_all.deb + 5aa7258f114fc01ed6f8e5f64694b1645f10f6c7 53286 live-helper_2.0~a21-1_all.deb + fd65c70b3e42da8de08b867e7b1e8ac28d1c78e6 94652 live-initramfs_1.157.3-1_all.deb + b37726ee7bad759241d4c035ab28102dad6dc647 99710 live-initramfs_1.157.4-1_all.deb + 25b5328ea28cd1e5bd9bc13bac571edd89ee8a56 99708 live-initramfs_1.157.4-1_all.deb + 8970d6815f2578271c0d7df2e72e8471144093aa 98826 live-initramfs_1.157.4-1_all.deb + d9774b9d99ef582555c91ad22d847672a931149b 101092 live-initramfs_1.173.1-1_all.deb + 340d9038abf5b5b471bf533e2ef7dcfebd8540e6 100642 live-initramfs_1.173.1-1_all.deb + d47c086b1d9562b2c7cee09b45b9389854929ecc 100626 live-initramfs_1.173.1-1_all.deb + 43ab493e59bc53d1bf4ba8c9d736768192d39529 101606 live-initramfs_1.173.1-1_all.deb + ead42c0292471a8c75d5a09fc25cb05e543c11e1 104390 live-initramfs_1.177.2-1_all.deb + edaf9f77168eb84db20813248c426625b2b0c622 104396 live-initramfs_1.177.2-1_all.deb + 161838fad48d9dafeacf1015202cccc6ad6bf9f9 104364 live-initramfs_1.177.2-1_all.deb + 3eecea0e0364281b47839683c16a073739f39f1d 4650 live-initramfs_2.0.5-1+tails1.f1a9bd_all.deb + 0cd20b32e974912cb97854b213cd52e2371a7a39 4698 live-initramfs_2.0.5-1+tails2.6797e8_all.deb + a1d327216b8f787b257dfa502e9bf39dbb3a2689 4690 live-initramfs_2.0.6-1+tails1.6797e8_all.deb + e01a56d3c5d82bc4863834b1773c936b41ebc63d 4848 live-initramfs_2.0.8-1+tails1.13926a_all.deb + e4ee37ca67ed0cedc31a747be1d56a0441eadcab 4870 live-initramfs_2.0.8-1+tails1.a20548_all.deb + 464688b86aac46e6f65f7103721e9c7bf064dd43 3814 live-initramfs_2.0~a16-1+tails1.cb5e34_all.deb + e72f53f90b445424a1ea93882ba66d976637b60c 187386 liveusb-creator_3.11.4-10_all.deb + ab4f1d270450d448763facc5456962ace165f33d 206672 liveusb-creator_3.11.4-1_all.deb + d0765cd0d0d82ca8f1e6e8f02af4a05776f57cfb 171696 liveusb-creator_3.11.4-2_all.deb + e121d11636c2aec3742bef98ac0fbde00851ea4b 206964 liveusb-creator_3.11.4-2~1.gbp6e1d0a_all.deb + 1fb4d887249de30bd150182870b5f9691a9e90f6 176804 liveusb-creator_3.11.4-2~2.gbp3f493d_all.deb + 675d37f646f80acda679a2606af39e728a312c01 177288 liveusb-creator_3.11.4-2~3.gbpf9e5da_all.deb + d2df0a01bce5c362d5fa11e19687fcd7243a5277 177606 liveusb-creator_3.11.4-2~4.gbp9e95fa_all.deb + 3b479c314d50197d681c3e9477e5e4b5973d48e8 171066 liveusb-creator_3.11.4-2~7.gbp288bb8_all.deb + 2255862ac2d04ae4967d67d0dcd23eadfa38f2ea 183404 liveusb-creator_3.11.4-3_all.deb + c63338f155a9499cf880eb6bccb0a45066ce453f 183472 liveusb-creator_3.11.4-4_all.deb + ef36047ce685fceb4d483928364405cbe963e356 184086 liveusb-creator_3.11.4-6_all.deb + e5519e4a148038eedc60bdb405989684060b4956 186222 liveusb-creator_3.11.4-7_all.deb + 3c8ffde8c7328beaf4c895036b972e744a567837 186246 liveusb-creator_3.11.4-8_all.deb + 4e88edad7694168b2604e1ea29a5643c2e64d20c 187182 liveusb-creator_3.11.4-9_all.deb + 81d50d68d4101b5fc4166f9222aa621d22423d8d 187948 liveusb-creator_3.11.6-1_all.deb + f602464df02e11cd92a865202555516c291fd690 189104 liveusb-creator_3.11.6-2_all.deb + 61376b0e4cd704375bfa4272c295a744d3f50df0 189170 liveusb-creator_3.11.6-2_all.deb + 5c3ea064ef8b400838aa0608b6778f6631007f79 192894 liveusb-creator_3.11.6-3_all.deb + e6c6068b203a6a4a0c33d06864d6806e83ad8823 54510 mat_0.1-1~4.gbp70ebf7~bpo60+1_all.deb + 97086eefab10d4676844ebb8ad36b827b2f25fe1 55266 mat_0.2-1~bpo60+1_all.deb + d2083d8fb227af684c12074092e77005bb0b4b10 55908 mat_0.2.2-1~bpo60+1_all.deb + 2d8ff3fea9f3da79107244f9431327036e9d20ef 56100 mat_0.2.2-2_all.deb + afe0289a6b51ba0c142ea1cd589b18f82c0dd99a 56032 mat_0.2.2-2~bpo60+1_all.deb + 81358adbadf381963aeb90d790f668e344feb265 87536 mat_0.3.2-1~bpo60+1_all.deb + 072c278e6d30e612729bb4b2cf09dc95cf46fdbf 2174738 metacity-common_2.22.0-2.0~lenny+amnesia1_all.deb + aec5fcd027bdc5c991732050d6db3e1ec7185f67 2387382 metacity-common_2.30.1-1.0~squeeze+amnesia1_all.deb + e0a5f423ac20b9e0fd9a86761dde5157d4a53138 2387602 metacity-common_2.30.1-3.0~squeeze+tails1_all.deb + 6e37c77a58436517729af06c8036ab8e62743bfd 13080 metacity_2.22.0-2.0~lenny+amnesia1.diff.gz + ee3adb83e6ed6795c7adb61207a3c1ec38a5365e 436190 metacity_2.22.0-2.0~lenny+amnesia1_i386.deb + f5dc28012ac9c0047be64eece7c6026810d82756 467788 metacity_2.22.0-2.0~lenny+amnesia1_powerpc.deb + 34d21c8df54e17f799dc57cd79a1629f8c56453a 265566 metacity_2.30.1-1.0~squeeze+amnesia1.diff.gz + 92eef11f7a6a385cdda8b97798f9b7940352a391 452396 metacity_2.30.1-1.0~squeeze+amnesia1_i386.deb + c32ffe6d7f2320da4f5147ed74b34283d097393e 277721 metacity_2.30.1-3.0~squeeze+tails1.debian.tar.gz + b7e182c235bdb96cd87ac2a491b178a03bf967b7 453682 metacity_2.30.1-3.0~squeeze+tails1_i386.deb + 9ee791a13a824f22a40ba3d23bf7e1974a4360a6 467788 metacity_2.30.1-3.0~squeeze+tails1_powerpc.deb + fc9aa22dc9c40bf0d5c2001afcfb3f1d42e3289c 236008 msn-pecan_0.1.3-1~bpo60+1_i386.deb + 67a60cebdc1fbb265cb25f00b53ea2e0baa836e6 1278312 noscript.jar + e24ab5901d1e6393df628cb12dda725d4822436c 1052710 noscript.jar + 313f0e059ebdc1d3e0e9924b1c3d550263339e02 4624 onboard_0.92.0-0ubuntu4~~amnesia1.diff.gz + 84df4433354e734c70cdea26da0fd158fffda369 334038 onboard_0.92.0-0ubuntu4~~amnesia1_all.deb + e71ba6b80a34429782a69af7c4f35e2fe4608586 1118 onboard_0.93.0-0ubuntu3~~amnesia1.diff.gz + 46a8a9e32f635ac79830be45786c19aff16f6fc5 332954 onboard_0.93.0-0ubuntu3~~amnesia1_all.deb + 971c74b59769bad275ed3f6aacd8951611270db1 333596 onboard_0.93.0-0ubuntu4~amnesia1_all.deb + 409f94aa010b40545ff3dd686b61cfe77be875da 3909 onboard_0.94.0-ubuntu1+tails1.diff.gz + fd44080dc74db08f0ca58591dcb03f643320843c 409998 onboard_0.94.0-ubuntu1+tails1_all.deb + b836a8c05563db7f4d1f755d8bfc49d4f2bbd0a1 409892 onboard_0.94.0-ubuntu1+tails2_all.deb + 4bbb126ec1decc8e49af9e43a37c2b211f722833 141126 plymouth_0.8.3-20_i386.deb + e3f01352e32130763181d08d7a3e1cc68c6af173 127456 plymouth_0.8.3-20~bpo60+1_i386.deb + c0d9ef1d63ebc8568030cef1dd94214967179a74 223338 python-dbus_0.83.1-1+tails1_i386.deb + c24f71691f92e6ea7b06983ea8562e49b7895068 26362 python-pdfrw_0+svn136-3~bpo60+1_all.deb + abdf691b327ae42c76a139cf5429f887e0554554 18166 python-virtkey_0.50ubuntu2~bpo50+1_amd64.deb + 9a2b1855cc2d3f372ca6bd32ae5d8273b915ded3 16572 python-virtkey_0.50ubuntu2~bpo50+1_i386.deb + 9fc09d4e6407211bd925726adcd90a61195d133c 20668 python-virtkey_0.50ubuntu2~bpo50+1_powerpc.deb + da0ed99399571e185a774761db843b4c0d498db1 14518 python-virtkey_0.50ubuntu3~squeeze+amnesia1_i386.deb + 53bc74d6c2a13b3ddb58b629ab390dd1e1e0af2a 18376 python-virtkey_0.60.0-0ubuntu2~squeeze+tails1_i386.deb + 2050e6356aff777d69109ad5dc8f2802b257c135 17714 python-virtkey_0.60.0-0ubuntu2~squeeze+tails1_powerpc.deb + 3b1047e4ead26988470b6f3270a7c944a0d4e1ab 2146 squashfs-modules-2.6-686_1.0_all.deb + 4dcd4785a146f0e3d271bbbae0ddf2f8b606a97d 138988 squashfs-tools_4.2-1~squeeze+tails1_i386.deb + bb1bb035865ac984429967843c3e03854ac0a45f 153126 tails-greeter_0.0.3_all.deb + f9b7c1a2c944f0bd46146aa00a2317b15573a674 153100 tails-greeter_0.0.3_all.deb + b13ef1b02bbe94a4f409b21a43dd426aa417106f 154100 tails-greeter_0.0.3~1.gbp97e581_all.deb + ff0c9fd738a5438fb7464e6d7164f71cc794c5d1 154108 tails-greeter_0.0.3~1.gbp97e581_all.deb + f58056707059bd9a397529574f494b6fa3b4d7cd 155784 tails-greeter_0.0.5_all.deb + c7f2d1590cead297e0ab38e2c4f6faaa35e4cead 156150 tails-greeter_0.0.6_all.deb + 394c4ea717015cdd0675243c54e2a75ae3ee784e 156750 tails-greeter_0.0.7~2.gbpe5cc53_all.deb + 1074fdbd72aa2be93dde15bcd2d0dcead30c44e7 156782 tails-greeter_0.0.7~2.gbpe5cc53_all.deb + 2bb6efa9825cf70b944fafcfc516eb136414d46b 156436 tails-greeter_0.0.7~3.gbp8b5174_all.deb + b6d26999261ff150c8c488c1f2b04ca020f3834c 156632 tails-greeter_0.0.7~4.gbp3bb483_all.deb + 33935a0dd61b9733a3d5a821cc1f71b40df923fe 156422 tails-greeter_0.0.7~5.gbped2b66_all.deb + d20449fc8fb6c3c1502f5014d77396baa6ee4969 157542 tails-greeter_0.0.8_all.deb + 624a1114a4ee298aaa805f9e27d91b5e397e8543 157296 tails-greeter_0.0.8~3.gbp8776b9_all.deb + 0c701d25375a563272b7b99f00cacca05ddad6a2 157798 tails-greeter_0.0.8~4.gbp70d39c_all.deb + 9b486e9ed0838e73690c3df3b1208bfcfbf8474b 157848 tails-greeter_0.0.8~5.gbpdaa850_all.deb + a7c362ef4ba4c9e775686fcbb75304b2ae414408 157882 tails-greeter_0.0.8~6.gbpc6a32d_all.deb + 40eee0bedd3f67f1a7f91389a9fbef5fa64e269b 157184 tails-greeter_0.0.8~9.gbp8941ba_all.deb + 7511268ea1b04eafabde43129f1b5f036dece5d4 158812 tails-greeter_0.1.0_all.deb + ee266283901bfe4511050a694cdcf87608e409be 158938 tails-greeter_0.1.1~2.gbpad6da2_all.deb + 86288f4424e9995d1f3951fd086f495a978fd8b6 149454 tails-greeter_0.1.1~3+nogtkme_all.deb + 8ba954faad0b8802ad621bd52efe4ded6979c217 141942 tails-greeter_0.1.1~3.gbp7da38b_all.deb + fcdc2b57c8e816bdeef527d32945b0c14a2d3465 158942 tails-greeter_0.1.1~3.gbpddf9a1_all.deb + fad72a205120b1b9be22d12fe0bfcc8f7eab1082 143004 tails-greeter_0.1.1~5.gbp40e870_all.deb + 824f41ee59e2338d4a74e169e872437b619d89fa 143274 tails-greeter_0.1.1~6.gbpd3f7ca_all.deb + 5b37693c17ce073cf39c7652953fa7c76ecb6760 143412 tails-greeter_0.1.1~7.gbp53bb13_all.deb + 072129e5b7b4911b373c4cfb72fb5fca40404249 143722 tails-greeter_0.2.0_all.deb + af67e4c596ee2fba6341e2bcb0205620ffd92070 147154 tails-greeter_0.3.0_all.deb + 081ee41d43b78bfd6cc1bfb300f614445c988792 147140 tails-greeter_0.3.1_all.deb + 3783060e7bb20e0083f4c6a9914d7171b1a6c343 148298 tails-greeter_0.4_all.deb + f406f5ac3df21901be8c02a4c4667c3ea42cfc89 147502 tails-greeter_0.5_all.deb + 65bfff3c26e2c13eb29979de25dfa328c96437e7 148298 tails-greeter_0.6.1_all.deb + 58eefda4f9f55e5ee18a41f5ddca43443256165b 148726 tails-greeter_0.6.2_all.deb + 2a11cef27f7d94d91cf2c5ba799e7f17a120cb64 148870 tails-greeter_0.6.3_all.deb + 5833a9b80fb9a56e87e768347bc1eab295136959 149004 tails-greeter_0.6.3_all.deb + 10311ab6271ed820ad0cfc3c73339caadb635a20 148198 tails-greeter_0.6_all.deb + 5bc13ab35c11090fc98f772b8dddd7138ff32831 151620 tails-greeter_0.7.1_all.deb + 5804efe5abac6d836870b5b55499f226f76f3f23 153066 tails-greeter_0.7.2.1~~wheezy1_all.deb + 399bfabd350e5c79ff60111da80fceef7d8de606 152002 tails-greeter_0.7.2_all.deb + f4653a5e170c6debf3c54e1de68a9e3fdebdd912 152236 tails-greeter_0.7.3_all.deb + 18e09c9f39b740bfe8e1c73a5f7e4d8388961a45 153884 tails-greeter_0.7.3~1.gbp1d3cae_all.deb + ada734a31f63e37b7abacd1bb445cf8a0ed77684 159682 tails-greeter_0.7.4_all.deb + 74f086cc7bd8486ab4b57a1110fa811292af4f29 151406 tails-greeter_0.7_all.deb + e1e2329d381e1fb2ae49f39cb4e40dd9ed36d6e2 153978 tails-greeter_0.7~2.gbpd0c421_all.deb + 40fe064e8e8f8920514347a08ed47f27568eda84 151398 tails-greeter_0.7~3.gbp4db078_all.deb + ed236d4d18b1b85d7416fdd00c79f512b63c5d16 39864 tails-iuk_0.2-1_all.deb + 72ea8b226a8c005a7992b2cfa72dc14d6e31d1be 49276 tails-iuk_0.3.1-1_all.deb + 603f6dac85cf8389475e423d7897d5871fa957a6 50572 tails-iuk_0.3.3-1_all.deb + e43ba5f65d8d149a844142d4c860f3fbe5f190e9 50436 tails-iuk_0.3.4-1_all.deb + 89792e1b689851309371e24a52037c09c2ca5c01 55116 tails-iuk_0.3.5-1_all.deb + b83e70585f5ea3122f77c91951042d2023fb2f30 55462 tails-iuk_0.3.6-1_all.deb + e5fb3722a1cd15cfd01e998ef8b9eed2bcda707c 2477 tails-keysigning.txt.gz + 2cb313fd8609b1c31cf1d347c99b93239c14c8f7 57882 tails-persistence-setup_0.10-1_all.deb + 41542dc88821414b04c33b4ef202a712c4f96d81 59836 tails-persistence-setup_0.11-1_all.deb + e77a8721eab70c25f1e3f84e995f520bb1c41d63 59928 tails-persistence-setup_0.12-1_all.deb + 817da0bfa22766ec2106693065e2917f964f1f75 59852 tails-persistence-setup_0.13-1_all.deb + 019731bdc7969d05c5e02bf57e1c960ba9ced49e 59250 tails-persistence-setup_0.14-1_all.deb + 4e808a08e3585e376949595979e77e1eb854f937 59120 tails-persistence-setup_0.15-1_all.deb + 50c1914d0a1b12ecde9d4d8e5af127616a9f5010 60190 tails-persistence-setup_0.16-1_all.deb + 10b4ae113c51ad4d661c953cf536bccbf3a7bba6 62360 tails-persistence-setup_0.17-1_all.deb + b8d37ca9a583891695ff1cfccef9acde3914d8cb 63720 tails-persistence-setup_0.18-1_all.deb + b1ed776eefcc7cc35c0146cc81b2d9a3d77c4db6 72656 tails-persistence-setup_0.20-1_all.deb + 746b7ed1d7795b688b35a21066f1bb1f1499f634 70580 tails-persistence-setup_0.21-1_all.deb + 22bf648b645845b56c99b762021bcd69da92f31a 34578 tails-persistence-setup_0.5-1_all.deb + d047d983408048ef02e3b6f625f540fac182fc97 35312 tails-persistence-setup_0.6-1_all.deb + 400d8d0170865c824bf7666b88177bd6c124ea29 55592 tails-persistence-setup_0.7-1_all.deb + a4a01cf9fbfdb9a1a30ade2a611fcae7920031a9 57020 tails-persistence-setup_0.8-2_all.deb + be60323fdbe68efe378aaac29cf972afb94bc493 56446 tails-persistence-setup_0.8.1-1_all.deb + 0a81bcebda9f8e51d99c7099576c79bd8fee76c1 56640 tails-persistence-setup_0.8.2-1_all.deb + 1d3203afa9d1edc9869611bc9614ecce16637239 56950 tails-persistence-setup_0.8.3-1_all.deb + fbd4522137f1fb685b5e51a4c02319e8406187f6 59072 tails-persistence-setup_0.9-1_all.deb + b787bc08bfda761f46c31ca3306536dfd6e37da2 521562 tails_hiding_cat.zip + 261eb833fdd82de1dd85bc61b62edcd57595acca 178421 tails_walking_cat.zip + c2c31ceaf6b4973dbb5f38c486d5d997466c21d9 1412400 tor-geoipdb_0.2.2.37-1~~squeeze+1_all.deb + 2c93a093b5a9d2fbc9b28b3095e135c0abb34af3 1407870 tor_0.2.1.20-1~~lenny+1_powerpc.deb + f1e283403dec52ca1a9873bcad4f073176a25a48 1400938 tor_0.2.1.22-1~~lenny+1_powerpc.deb + 2350ea53d7cedd8b35985918704386120d32cbcf 1398372 tor_0.2.1.25-2~~lenny+1_powerpc.deb + 78bcef9fd65bd8bad95f308b9924b11f4693213b 1242392 tor_0.2.1.30-1~squeeze+1_powerpc.deb + b30f5ee1ccaca4b75de2e54140f75560c4a68d37 969706 tor_0.2.2.37-1~~squeeze+1_i386.deb + dbc676cd494a2f06f3f00a6d8a36d8fe57902921 162744 torchat-0.9.9.553.deb + 41e3b81c08eeb161831bd60edba7bdd363859ede 2692802 truecrypt-7.0a-linux-x86.tar.gz + a216c44c7e555e3ea603c991f23cebb2df4a023f 2646236 truecrypt-7.1-linux-x86.tar.gz + 4e234e5b86ae7a5d5d1668113aeb9cf3016b315c 2644819 truecrypt-7.1a-linux-x86.tar.gz + 052da86db77db506478b644e3bb66d201b0affc6 2604446 vidalia_0.2.10-1+tails1_i386.deb + 4021cf9e724e6f1066b03a17dd43957b1a900ae3 2355150 vidalia_0.2.10-1+tails1~lenny1_i386.deb + 5b76e72786ce9cf792a008fdad77f8e6e6f7b466 2616338 vidalia_0.2.10-3+tails2_i386.deb + 19317fc1f087d65dc09e9f2c86595fec4eb1cfac 2616386 vidalia_0.2.10-3+tails3_i386.deb + 1869d3f0bcc961f38fb4f00c107ec8f11ee72dfa 2616562 vidalia_0.2.10-3+tails4_i386.deb + b0370c05ec0f75be72d390b8a362e8bb16374753 2637818 vidalia_0.2.10-3+tails4_powerpc.deb + f37842a0b8d0569d2e9122f3a5b0f1f976dcf219 2614452 vidalia_0.2.10-3+tails5_i386.deb + 684f1e8de01ea2a89fbe424be8e1a90531f6b23b 2635118 vidalia_0.2.10-3+tails5_powerpc.deb + f90f4a2135bc2c242b7bd677a3f0a88026dc104e 2649330 vidalia_0.2.12-2+tails1_i386.deb + bcf0b5fb509ee980cd764ca9c89359e2c3754c41 2708940 vidalia_0.2.14-1+tails1_i386.deb + 04479009001826857257231a6ebb969472d4792f 2706182 vidalia_0.2.15-1+tails1_i386.deb + 672343f6c0bf9b224d99ce896e1e5e155836ae6a 2915958 vidalia_0.2.17-1+tails1_i386.deb + 9287c8bee25346908ca546c060c1c805abaf9505 3117694 vidalia_0.2.20-1+tails1_i386.deb + 187c33733e39df628365fc3f143b873192fe0d7a 17875 vidalia_0.2.6-1~~amnesia1.debian.tar.gz + ae852668619b736b05e1634c651d99c54d6401ce 2271786 vidalia_0.2.6-1~~amnesia1_amd64.deb + bd807cc1c16ddebd5713cdbbcaf71d005ab939f1 2253418 vidalia_0.2.6-1~~amnesia1_i386.deb + 5997a4a2073dd1f59b741f7790accdb844741c27 2692028 vidalia_0.2.6.orig.tar.gz + e7a0e5a5f599c7afec81bd2f7979771a8e3a35b9 18540 vidalia_0.2.7-1~lenny+amnesia1.debian.tar.gz + 2705002bbb3b125d1a9e4b90107d4918f5577f56 2291040 vidalia_0.2.7-1~lenny+amnesia1_amd64.deb + 361c18e47bfd7308f22a1416b177ef48de078700 2272854 vidalia_0.2.7-1~lenny+amnesia1_i386.deb + 1199d3a5fe0843e30b39698b266111784ad0cb18 2477386 vidalia_0.2.7-1~squeeze+amnesia1_i386.deb + 54fff75a2cc59455e1af49e070ea0a3dac24f0cd 2695858 vidalia_0.2.7.orig.tar.gz + 54c7a5b9ee813a65e8288f4c23c678e6897c51c7 47371 vidalia_0.2.8-1~lenny+amnesia1.diff.gz + e31a08b4a5c90f4663889321597102f4892ad1f2 2329686 vidalia_0.2.8-1~lenny+amnesia1_i386.deb + 78030bd9e70ffc0631350ad79ffa16999e928a67 2989387 vidalia_0.2.8.orig.tar.gz + 2c303c3b3f33f2334ca0b9b9f7b269fbf06a3474 2625814 vidalia_0.2.9-1+tails1_i386.deb + f9b916be224497d82d4488f8206d769bd4ad6407 2381332 vidalia_0.2.9-1+tails1~lenny1_i386.deb + 5c47fd77087bec44a2e5fa10b1f90af222fe6fb2 687828 virtualbox-dkms_4.1.10-dfsg-1~bpo60+1_all.deb + fa586b77943f1d6a077a29bf596fa3da93e90acf 609016 virtualbox-guest-dkms_4.1.10-dfsg-1~bpo60+1_all.deb + 4387dbddc6a3db8103f0209417613be175ed275a 601068 virtualbox-guest-dkms_4.1.6-dfsg-2~bpo60+1_all.deb + 588d914b4727b0d73f0ef438d0134856e9a54b4f 544760 virtualbox-guest-utils_4.1.10-dfsg-1~bpo60+1_i386.deb + 841937bc3eeb5dae596a32b0691835721101260b 533172 virtualbox-guest-utils_4.1.6-dfsg-2~bpo60+1_i386.deb + 39d423518c57d9c96f4bfd32f01d5f57692a74d5 1424334 virtualbox-guest-x11_4.1.10-dfsg-1~bpo60+1_i386.deb + b71607ecfa410adb348b5c5ec3340c7260fee002 1397844 virtualbox-guest-x11_4.1.6-dfsg-2~bpo60+1_i386.deb + 35dfabc9ca3dfcaf485d326278739fa48d66515f 523746 virtualbox-ose-guest-dkms_4.0.4-dfsg-1~squeeze+tails1_all.deb + 01f6d01641a33b9516122aac235fbb654155c03c 455316 virtualbox-ose-guest-source_4.0.4-dfsg-1~squeeze+tails1_all.deb + 8251856dbe5c85f40d6263d0808a9c530c90c297 498298 virtualbox-ose-guest-utils_4.0.4-dfsg-1~squeeze+tails1_i386.deb + c9b0747beca960dd1189184e4ce881a9095877fa 1576854 virtualbox-ose-guest-x11_4.0.4-dfsg-1~squeeze+tails1_i386.deb + a47cfc912f5d39e8ea20d850cefc948e49090a84 6488490 virtualbox-qt_4.1.10-dfsg-1~bpo60+1_i386.deb + 6cf679d607b2ed651678fe79e24a1a5ca19e588f 15585808 virtualbox_4.1.10-dfsg-1~bpo60+1_i386.deb + d4d70e83605e2f36f8c294a1db0ffe326a5f9633 17981 whisperback-1.1-beta.tar.gz + c21338260bbffe589807c51f4d96406ed14bd1a9 18902 whisperback-1.1-beta.tar.gz + e69de29bb2d1d6434b8b29ae775ad8c2e48c5391 0 whisperback-1.1-beta.tar.gz + ed70890d1b6f9cca1d62691e558906a8b04c1c1a 18051 whisperback-1.1-beta2.tar.gz + 58c08431deb51ad73b05e7955c73a260295750f3 19797 whisperback-1.2-beta.tar.gz + e4b18a8fa8aa4f1c1205bd64641d96d0ecb0fc58 19834 whisperback-1.2-beta2.tar.gz + 37a4cc386e17d71105cea15da746d86ae3a25eb8 33437 whisperback-1.2-beta3.tar.gz + 88c8bacbd0dc044c0d5ae798b3eee5c2dbd5c280 23024 whisperback_1.2-1_all.deb + 92424a0034ec53cacc5707a2bc7c2956949b80ff 23362 whisperback_1.2.1-1_all.deb + 73d32afd14cadbf9be0d07622d74a3d33c3ea801 21680 whisperback_1.2~beta3-1_all.deb + 3f2d8820de2e0061b89d4fe76aca9b0806a1c8ee 29562 whisperback_1.3.1-1_all.deb + 2b6e5f39f5586d0d246a2f908fbdf1b84aea4477 23974 whisperback_1.3~beta1_all.deb + 56690a5458c1b9dc66c12fc47d2edaa08f6a449d 24048 whisperback_1.3~beta2_all.deb + f3580a53368fad53b1e44f506371139eac017e42 24324 whisperback_1.3~beta3_all.deb + 910e82f40e702ee2f4751513019fb31b09e6eedc 28458 whisperback_1.4.1_all.deb + cd35e8ac44ab35d3f4b7fcb0eba1a35b7a9a706b 27696 whisperback_1.4.2_all.deb + dad41ab94ddf392205df2746de572d9cb89e9a3a 27922 whisperback_1.4_all.deb + 1fdab923b035b44707b855c0617ab7b257605908 43684 whisperback_1.5.1+1.gita7a363b_all.deb + dccc1d648c719a996a5315ff97a8e779cfa17ab2 29554 whisperback_1.5.1_all.deb + 9e571016de1701d591e53f55b9a43023c3c7e19b 30238 whisperback_1.5_all.deb + 07be2924029fe459aee9d8196cfae453e598bcfb 29148 whisperback_1.5~rc1_all.deb + 4f9d81c0ea089a58d792e23806460aa638171d43 45468 whisperback_1.6.1_all.deb + e30d0339a7494ce68acd6ba2837deaeb945e875f 55052 whisperback_1.6.2_all.deb + f87138c367250f6c448fddbf40356ae45983d598 45500 whisperback_1.6_all.deb + a8756fa68a74b1aaae734729fc97c084e06099f0 43404 whisperback_1.6~rc2_all.deb + 7f4d6f4ca38a6702687327b43ffbf3161d7993e9 4622 xp-cursor-theme_0.1-1_all.deb + 4bf2ec62c6a5de1fd79a6988ae6e8e1fed90c5d4 98324 xul-ext-cookie-monster_1.1.0-3+tails0_all.deb + e1d985eeb4c6bd076f3e778d2a6ca54b81bbb08d 809746 xul-ext-firegpg_0.8-1+tails2_i386.deb + 69dd999081251f2827f6e43193abcbc373eb6ce9 807570 xul-ext-firegpg_0.8-1+tails3_i386.deb + d2f94ccd4972ab6ef5fb7e235b58c0a4e174a5d0 807876 xul-ext-firegpg_0.8-1+tails4_i386.deb + a2c32d44d837b53405b7febd659b58a12b430987 808152 xul-ext-firegpg_0.8-1+tails5_i386.deb + e1a2ffb4c490ebe9e198fe266181fd539b68e8f6 707418 xul-ext-foxyproxy-standard_3.4-1+tails1_all.deb + 2cd515b703590d8753b07ba7080c920638b5a2bd 274278 xul-ext-torbutton_1.2.5-1+tails1~lenny_all.deb + 1e999b00d7bde58563905d2f0276402182a33b00 274284 xul-ext-torbutton_1.2.5-1+tails1~squeeze_all.deb + be359633dd8163eb3c1d9f03e25065f42d9b289e 1038604 yelp_2.30.1+webkit-1+tails1_i386.deb + +Remaining branches +================== + +[[!tails_ticket 8618]] + +Keep in the non-rewritten repo but delete in the rewritten one +-------------------------------------------------------------- + +* feature/live-build-3.x +* powerpc + +Probably merged before we rewrite history +----------------------------------------- + +* feature/6739-install-electrum +* feature/8777-update-screenshots + +Needs to be kept +---------------- + +* feature/edit-additional-software-conffile +* feature/7756-reintroduce-whisperback +* feature/jessie-kms-for-cirrus-etc +* bugfix/5394-time_syncing_in_bridge_mode +* bugfix/7037-stricter-permissions-on-tails-upgrade-frontend-gnupg-homedir +* bugfix/less-aggressive-hard-disk-APM-on-AC +* bugfix/sdmem_on_intel_gpu +* bugfix/6558-ssh-rfc1918-exceptions +* bugfix/8891-iso-image-padding +* bugfix/writable_boot_media +* doc/5685-new_software +* doc/6533-about_i2p +* doc/7083-FAQ_empty_trash +* doc/7226-torbrowser_new_identity +* doc/7368-warning_metadata +* doc/7470-new_identity_warning +* doc/7694-email_client +* doc/7879-http-server +* faq/7926-apt-get-upgrade +* faq/browsing-clipboard +* feature/5650-rngd +* feature/5711-liferea-persistence-preset +* feature/6397-stop-relying-on-the-removable-bit +* feature/7154-install-liferea-above-1.10.3 +* feature/7208-apt-offline +* feature/7530-docker +* feature/7530-docker-with-apt-cacher-ng +* feature/8415-overlayfs +* feature/8471-32-bit-UEFI +* feature/8665-remove-adblock +* feature/8740-new-signing-key-phase-2 +* feature/faster_sdmem_on_shutdown +* feature/hugetlb_mem_wipe +* feature/icedove +* feature/kms-for-cirrus-etc +* feature/remove-msmtp-mutt +* feature/tails-plymouth-theme +* feature/torbrowser-alpha +* feature/update_whisperback_help +* feature/wiperam-deb +* test/8894-log-file +* web/2014-income-statement +* web/7021-modernize-website +* web/7257-sidebar-submenus +* feature/improve_live-persist +* test/xxx-macchanger + +Can be deleted +-------------- + +(Needs to be double-checked, of course.) + +* bugfix/6221-support-newer-vagrant +* bugfix/6478 +* bugfix/7771-disable-cups-in-unsafe-browser +* bugfix/change_documentation_homepage +* bugfix/disable-dpms +* bugfix/dont_stop_memlockd +* bugfix/from_sdmem_to_memtest +* bugfix/git-https +* bugfix/inotify_scripts +* bugfix/kexec_amd64 +* bugfix/wheezy_was_released +* bugfix/wikileaks_irc +* contrib/CoC +* doc/contribute-split +* doc/design +* doc/explain_why_Tor_is_slow +* doc/fingerprint +* doc/gpgapplet_gnupg_persistence +* doc/split_wheezy_ticket +* feature/6297-save-packages-list +* feature/6489-i18n-upgrader-launcher +* feature/6641-live-media-bus +* feature/7530-docker_anonym +* feature/7909-scramblesuit +* feature/8681-test-suite-ramdisk +* feature/are_you_using_tor_link +* feature/custom_boot_menu +* feature/firewall_lockdown +* feature/fix_additional_software_escalation +* feature/linux-3.18 +* feature/liveusb_ui_improvement +* feature/minitube +* feature/persistent_bookmarks +* feature/remove_clock_applet +* feature/tomoyo +* feature/tor-0.2.4.22 +* feature/truecrypt-7.1a +* feature/virtualbox-host +* test/6559-adapt-test-suite-for-Wheezy-intrigeri +* test/jessie +* web/8503-x509-bug-in-1.2.2 +* feature/no-tordate +* feature/no-tordate-0.2.4.x +* feature/vagrant-libvirt +* test/better-configuration +* test/firewall-check-tag +* test/pidgin-wip +* test/reorg +* test/xxx-tor-bootstrap-tests +* web/greeter-wording +* web/layered-persistence-config diff --git a/wiki/src/blueprint/sandbox_the_web_browser.mdwn b/wiki/src/blueprint/sandbox_the_web_browser.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..7be3a77da24ab06c39a6a222559100e8fb12fb6d --- /dev/null +++ b/wiki/src/blueprint/sandbox_the_web_browser.mdwn @@ -0,0 +1,122 @@ +[[!toc levels=2]] + +Related pages +============= + +* [[!tails_ticket 5525]] +* [[blueprint/Mandatory_Access_Control]] +* [[contribute/design/application_isolation]] +* `feature/5525-sandbox-web-browser` branch +* [nightly built images](http://nightly.tails.boum.org/build_Tails_ISO_feature-5525-sandbox-web-browser/) + +Status +====== + +## automated test passes + +* feature/i2p (unconfined) +* feature/torified_browsing +* feature/unsafe_browser (unconfined) +* feature/windows_camouflage +* open `https://` URL from Pidgin +* relevant bits of feature/usb_install + - view persistent bookmarks, in read-only persistence mode ([[!tails_ticket 8787]]) + - persistent bookmarks, RW +* "Tails documentation" link on the Desktop ([[!tails_ticket 8788]]) +* default download directory is `~/Tor Browser` +* HTML5 audio playback +* WebM video and audio playback +* download to amnesiac `~/Tor Browser` +* read from amnesiac `~/Tor Browser` +* default upload directory is `~/Tor Browser/` +* `~/Tor Browser/` must always exist +* there must always be a GTK bookmark to `~/Tor Browser/` +* import OpenPGP key from website +* printing to file +* download to persistent `~/Persistent/Tor Browser`, in + read-write persistence mode +* read from persistent `~/Persistent/Tor Browser`, in read-write + persistence mode +* when `~/Persistent/` is persistent read-write, then + `~/Persistent/Tor Browser` must exist and there must be + a GNOME bookmark pointing to it + +## manual test OK + +(needs to be tested again with current status of the branch at some point) + +* add NoScript exception +* change stuff in about:prefs +* manually update AdBlock Plus lists +* add a bookmark, with persistent bookmarks feature enabled, in + read-only persistence mode +* install a Firefox add-on (this does not mean we actively support that, right? :) +* read from persistent `~/Persistent/Tor Browser`, in read-only + persistence mode + +## manual test OK, maybe needs automated test + + +## known issues + + +## needs testing + +* printing to real printer + +<a id="ux"></a> + +User experience matters +======================= + +Until the `feature/5525-sandbox-web-browser` branch is merged, see the +"User experience matters" section on +<https://git-tails.immerda.ch/tails/tree/wiki/src/contribute/design/application_isolation.mdwn?h=feature/5525-sandbox-web-browser>. + +Later, see [[contribute/design/application_isolation#ux]]. + +Remaining questions: + +1. What to do about alternative browsers (I2P and Unsafe Browser)? + We have [[!tails_ticket 8280 desc="a ticket"]] about allowing the + I2P Browser to access local files. Shall we use e.g. `~/Tor Browser + files/`, `~/I2P Browser files/` and `~/Unsafe Brower files/` (the + latter may make sense now that we plan to move the LAN browsing + support into the Unsafe Browser) — and equivalently, + `~/Persistent/Tor Browser/`, etc.? or rather a single + shared namespace, with e.g. `~/Browser files/Tor Browser`, + `~/Browser files/I2P Browser`, etc.? + + In any case, of course we should _not_ allow a given browser to + access files in other browsers' own download directory (this would + be too much of a linkability and de-anonymization risk) + +2. The "New Identity" problem. The Tor Browser tries hard to prevent + data to persist once its "New Identity" button has been clicked, to + prevent activities performed before and after this action to be + linked with each other. As boyska (a Freepto developer) made me + realize while we were discussing these problems, by introducing + a persistent downloads directory, we somewhat break this design + goal. Of course, we've never even tried protecting against this + specific attack, so maybe we can just ignore it for now. And the + Tor Browser doesn't try either -- once they add sandboxing + profiles, I bet they'll need to think about that too, so one way to + do it would be to start a discussion with them about this problem, + and consider it as a non-blocker for now. One idea we had with + boyska was to add a confirmation dialog when one clicks the "New + Identity" button in the Tor Browser, that makes it clear what's + going to be lost (e.g. tabs and clipboard, which surprises a lot of + users in my experience, see [[!tails_ticket 7709]]), warns them + that their previous downloads will be deleted, or rather moved to + a directory where that the Tor Browser hasn't access to. + Another idea is to block the "New Identity" until the user has + themselves emptied the browser files directory, e.g.: + + When I click on "New Identity" while there are files in one + of the downloads directories + Then I'm told "Tor Browser will be reset to a New Identity + once you have emptied folders $x and $y" + And then, once I have emptied the download directories + Then Tor Browser is reset to a New Identity + + Food for thought. diff --git a/wiki/src/blueprint/screen_locker.mdwn b/wiki/src/blueprint/screen_locker.mdwn index b85f5fb2928f7a92f40eba5e24d881b213cc4994..9d3d973b148c7721ac398d41b83f19d55e01014f 100644 --- a/wiki/src/blueprint/screen_locker.mdwn +++ b/wiki/src/blueprint/screen_locker.mdwn @@ -18,8 +18,9 @@ How do other live distributions do that? - http://www.linux-magazine.com/Online/Features/Getting-Started-with-Knoppix-7.3 - Base: Debian - Desktop: KDE + - Might be interested in our solution. - [Grml](http://grml.org/) - - Custom script called + - Already have a custom script called [grml-lock](https://github.com/grml/grml-scripts/blob/master/usr_bin/grml-lock) which is a wrapper around vlock that asks for a password on first use. - Base: Debian @@ -58,9 +59,10 @@ How to activate it? =================== - Through the better power off button (#5322). - - Automatically after X minutes of idle if a password has been set - already. - Through the usual GNOME shortcut: Meta+L + - If a password has been set already: + - Automatically after X minutes of idle. + - When closing the lid. Implementation ============== @@ -68,7 +70,7 @@ Implementation An initial implementation was started in [[!tails_gitweb_branch feature/better_power_off_button]], and reverted since it turned out to be more complicated than originally thought. This implementation and the problems -listed bellow were discussed on the tails-dev ML in November 2012. +listed below were discussed on the tails-dev ML in November 2012. Ideas to implement the password prompt before the first locking: diff --git a/wiki/src/blueprint/server_edition.mdwn b/wiki/src/blueprint/server_edition.mdwn index 2810e42541f230ccc9fa223a9fb45f757e08c0bc..92fd4ad3301259746f04094cf9e5152bc3ae615a 100644 --- a/wiki/src/blueprint/server_edition.mdwn +++ b/wiki/src/blueprint/server_edition.mdwn @@ -112,6 +112,7 @@ for GSoC 2012, and worked a bit before the student dropped the ball. You can check the proposal [here](https://dustri.org/pub/tails_server.pdf) The challenges behind this project are: + * Design and write the services configuration GUI [keywords: edit configuration files, upgrade between major Debian versions, debconf, Config::Model, augeas]. * How to create the hidden service key? [keywords: Vidalia, control protocol]. * Adapt the Tails boot process to allow switching to "server mode" when appropriate. diff --git a/wiki/src/blueprint/translation_platform.mdwn b/wiki/src/blueprint/translation_platform.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..2be689cc6b0117f2b34af87269d929ba65f2ebaf --- /dev/null +++ b/wiki/src/blueprint/translation_platform.mdwn @@ -0,0 +1,53 @@ +[[!meta title="Translation platform"]] + +Our (website) translation infrastructure has a pretty high barrier for +new translators, especially those who are not familiar with Git and/or +the command line. +Furthermore, the current process makes it hard to add new languages, as often a team cannot be built easily over a long period of time and a web interface could nevertheless help keep translations until a new person arrives. + +Corresponding ticket: [[!tails_ticket 9049]] + +MUST +==== + +* provide a usable easy web interface +* be usable from Tor Browser +* automatic pull from main Git repo +* provide a common glossary for each language, easy to use and improve +* allow translators to view, in the correct order, all strings that + come from the entire page being translated, both in English and in + the target language +* provide user roles (admin, reviewer, translator) + +SHOULD +====== + +* be "privacy sensitive", i.e. be operated by a non-profit +* allow translators to push translations through Git (so that core + developers only have to fetch reviewed translations from there) +* provide support for Git standard development branches (devel, stable, + and testing) but we could also agree upon translation only master + through this interface +* provide checks for inconsistent translations +* provide feature to write/read comments between translators + +MAY +=== + +* allow translating topic branches without confusing translators, + causing duplicate/premature work, fragmentation or merge conflicts + -- e.g. present only new or updated strings in topic branches; + see <https://mailman.boum.org/pipermail/tails-l10n/2015-March/002102.html> + for details +* provide a feature to easily see what is new, what needs updating, what are translation priorities +* provide possibility to set up new languages easily +* send email notifications + - to reviewers whenever new strings have been translated or updated + - to translators whenever a resource is updated +* respect authorship (different committers?) +* provide statistics about the percentage of translated and fuzzy strings +* Letting translators report about problems in original strings, e.g. + with a "Report a problem in the original English text" link, that + e.g. results in an email being sent to -l10n@ or -support-private@. + If we don't have that, then [[contribute/how/translate]] MUST + document how to report issues in the original English text. diff --git a/wiki/src/blueprint/update_camouflage_for_jessie.mdwn b/wiki/src/blueprint/update_camouflage_for_jessie.mdwn index 5c870981aa7b65c72b39158b25224da6a574fedb..96cc3464b581faefdbe63a450326d6af4bd9b098 100644 --- a/wiki/src/blueprint/update_camouflage_for_jessie.mdwn +++ b/wiki/src/blueprint/update_camouflage_for_jessie.mdwn @@ -80,3 +80,4 @@ Resources: [[apps-menu|https://git.gnome.org/browse/gnome-shell-extensions/tree/extensions/apps-menu]] and [[places-menu|https://git.gnome.org/browse/gnome-shell-extensions/tree/extensions/places-menu]] - a [[relevant cinnamon theme|http://cinnamon-spices.linuxmint.com/themes/view/188]] +- more ressources are listed in [[blueprint/Wheezy/]], some are probably still useful :) diff --git a/wiki/src/bugs.fr.po b/wiki/src/bugs.fr.po index 832691ccd0ce87608d9c217310b47e855a69cf99..38fd3a34cffbefa4a4394e7ff9ec55adaeff71dd 100644 --- a/wiki/src/bugs.fr.po +++ b/wiki/src/bugs.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-07-13 10:15+0300\n" +"POT-Creation-Date: 2015-02-22 12:54+0100\n" "PO-Revision-Date: 2013-10-21 14:31-0000\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -17,31 +17,22 @@ msgstr "" "X-Generator: Poedit 1.5.4\n" #. type: Plain text -#, fuzzy, no-wrap -#| msgid "[[!meta title=\"bugs\"]]" +#, no-wrap msgid "[[!meta title=\"Bugs\"]]\n" -msgstr "[[!meta title=\"bugs\"]]" +msgstr "[[!meta title=\"Bugs\"]]\n" #. type: Plain text -#, fuzzy -#| msgid "" -#| "If you've found a bug in The Amnesic Incognito Live System, please read " -#| "[[support/found_a_problem]]." msgid "" "If you've found a bug in Tails, please read [[doc/first_steps/" "bug_reporting]]." msgstr "" -"Si vous avez trouvé un bug dans The Amnesic Incognito Live System, veuillez " -"lire la page [[un problème ?|support/found_a_problem]]." +"Si vous avez trouvé un bug dans Tails, veuillez lire la page [[un problème ?|" +"doc/first_steps/bug_reporting]]." #. type: Plain text -#, fuzzy -#| msgid "" -#| "We don't use this section anymore, see [[!tails_redmine \"\" desc=" -#| "\"Redmine\"]] instead." msgid "" "We don't use this section anymore, see [[contribute/working_together/" "Redmine]] instead." msgstr "" -"Nous n'utilisons plus cette section, voir [[!tails_redmine \"\" desc=" -"\"Redmine\"]] à la place." +"Nous n'utilisons plus cette section, veuillez plutôt consulter la page " +"relative à [[Redmine|contribute/working_together/Redmine]]." diff --git a/wiki/src/contribute.de.po b/wiki/src/contribute.de.po index 51f4ff446ee4d5bd26ea321f36cc5e78698f7e2c..cb2004e21a68af156eae1a7b8b0193c6479dfa7d 100644 --- a/wiki/src/contribute.de.po +++ b/wiki/src/contribute.de.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-11-30 02:25+0100\n" +"POT-Creation-Date: 2015-03-06 20:59+0100\n" "PO-Revision-Date: 2014-04-18 23:25+0100\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -357,7 +357,7 @@ msgid "[[Merge policy|contribute/merge_policy]]" msgstr "[[Merge policy|contribute/merge_policy]]" #. type: Bullet: ' - ' -msgid "[[Logo|promote/logo]]" +msgid "[[Logo|promote/material/logo]]" msgstr "" #. type: Plain text @@ -465,6 +465,13 @@ msgstr "" "[[Kalender|contribute/calendar]] der Veröffentlichungen, Treffen, " "Arbeitsbesprechungen etc." +#. type: Bullet: ' - ' +#, fuzzy +#| msgid "[[Document progress|contribute/working_together/document_progress]]" +msgid "[[Code of conduct|contribute/working_together/code_of_conduct]]" +msgstr "" +"[[Fortschritte dokumentieren|contribute/working_together/document_progress]]" + #. type: Bullet: ' - ' #, fuzzy #| msgid "[[Meetings|contribute/meetings]], and minutes from past meetings" diff --git a/wiki/src/contribute.fr.po b/wiki/src/contribute.fr.po index e7439cb2682325006cfa850c124c38b3424bfd6d..9b1de6dc64387d5939b33a8d9d6afa58901e5d6c 100644 --- a/wiki/src/contribute.fr.po +++ b/wiki/src/contribute.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: \n" -"POT-Creation-Date: 2014-11-30 02:25+0100\n" +"POT-Creation-Date: 2015-03-06 20:59+0100\n" "PO-Revision-Date: 2014-03-26 10:50+0100\n" "Last-Translator: MR\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -45,7 +45,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid " [[!img user.png link=no]]\n" -msgstr "" +msgstr " [[!img user.png link=no]]\n" #. type: Plain text #, no-wrap @@ -84,7 +84,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid " [[!img donate.png link=no]]\n" -msgstr "" +msgstr " [[!img donate.png link=no]]\n" #. type: Plain text #, no-wrap @@ -114,12 +114,12 @@ msgstr "" "<div class=\"contribute-roles-3\">\n" "<h2>Faire bénéficier de vos compétences linguistiques</h2>\n" "<div class=\"contribute-role\" id=\"content-writer\">\n" -" <h3>Writer</h3>\n" +" <h3>Rédacteur</h3>\n" #. type: Plain text #, no-wrap msgid " [[!img writer.png link=no]]\n" -msgstr "" +msgstr " [[!img writer.png link=no]]\n" #. type: Plain text #, no-wrap @@ -145,7 +145,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid " [[!img translator.png link=no]]\n" -msgstr "" +msgstr " [[!img translator.png link=no]]\n" #. type: Plain text #, no-wrap @@ -169,7 +169,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid " [[!img speaker.png link=no]]\n" -msgstr "" +msgstr " [[!img speaker.png link=no]]\n" #. type: Plain text #, no-wrap @@ -204,7 +204,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid " [[!img software_developer.png link=no]]\n" -msgstr "" +msgstr " [[!img software_developer.png link=no]]\n" #. type: Plain text #, no-wrap @@ -230,7 +230,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid " [[!img system_administrator.png link=no]]\n" -msgstr "" +msgstr " [[!img system_administrator.png link=no]]\n" #. type: Plain text #, no-wrap @@ -256,7 +256,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid " [[!img designer.png link=no]]\n" -msgstr "" +msgstr " [[!img designer.png link=no]]\n" #. type: Plain text #, no-wrap @@ -282,7 +282,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<div class=\"toc\">\n" -msgstr "" +msgstr "<div class=\"toc\">\n" #. type: Plain text #, no-wrap @@ -305,12 +305,12 @@ msgstr "" #. type: Plain text #, no-wrap msgid "</div> <!-- .toc -->\n" -msgstr "" +msgstr "</div> <!-- .toc -->\n" #. type: Plain text #, no-wrap msgid "<div class=\"note\">\n" -msgstr "" +msgstr "<div class=\"note\">\n" #. type: Plain text msgid "" @@ -323,12 +323,12 @@ msgstr "" #. type: Plain text #, no-wrap msgid "</div>\n" -msgstr "" +msgstr "</div>\n" #. type: Plain text #, no-wrap msgid "<a id=\"reference-documents\"></a>\n" -msgstr "" +msgstr "<a id=\"reference-documents\"></a>\n" #. type: Title = #, no-wrap @@ -348,13 +348,13 @@ msgid "[[Merge policy|contribute/merge_policy]]" msgstr "" #. type: Bullet: ' - ' -msgid "[[Logo|promote/logo]]" +msgid "[[Logo|promote/material/logo]]" msgstr "" #. type: Plain text #, no-wrap msgid "<a id=\"tools\"></a>\n" -msgstr "" +msgstr "<a id=\"tools\"></a>\n" #. type: Title = #, no-wrap @@ -437,6 +437,10 @@ msgid "" "etc." msgstr "" +#. type: Bullet: ' - ' +msgid "[[Code of conduct|contribute/working_together/code_of_conduct]]" +msgstr "" + #. type: Bullet: ' - ' msgid "" "[[Contributors meetings|contribute/meetings]], and minutes from past meetings" diff --git a/wiki/src/contribute.mdwn b/wiki/src/contribute.mdwn index f6388a407985b2242ebbbd4c39e57afafa3e189d..c8d1a762c28006ae23e33099da994d8222dd6ae0 100644 --- a/wiki/src/contribute.mdwn +++ b/wiki/src/contribute.mdwn @@ -120,7 +120,7 @@ Reference documents - [[Design documents|contribute/design]] - [[Blueprints|blueprint]] - [[Merge policy|contribute/merge_policy]] - - [[Logo|promote/logo]] + - [[Logo|promote/material/logo]] <a id="tools"></a> @@ -164,6 +164,7 @@ Collective process ================== - [[Calendar|contribute/calendar]] of releases, meetings, working sessions, etc. + - [[Code of conduct|contribute/working_together/code_of_conduct]] - [[Contributors meetings|contribute/meetings]], and minutes from past meetings - [[contribute/Low-hanging_fruit_sessions]] - [[Marking a task as easy|contribute/working_together/criteria_for_easy_tasks]] diff --git a/wiki/src/contribute.pt.po b/wiki/src/contribute.pt.po index d8a66f69499f64e9129a9ff955c03f4c07566dfa..76220a6e825a51ca82b6514dc0c3bff85824bce6 100644 --- a/wiki/src/contribute.pt.po +++ b/wiki/src/contribute.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-11-30 02:25+0100\n" +"POT-Creation-Date: 2015-03-06 20:59+0100\n" "PO-Revision-Date: 2014-05-23 14:56-0300\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: Portuguese <LL@li.org>\n" @@ -361,7 +361,9 @@ msgid "[[Merge policy|contribute/merge_policy]]" msgstr "[[Política de aceitação de código|contribute/merge_policy]]" #. type: Bullet: ' - ' -msgid "[[Logo|promote/logo]]" +#, fuzzy +#| msgid "[[Logo|promote/logo]]" +msgid "[[Logo|promote/material/logo]]" msgstr "[[Logo|promote/logo]]" #. type: Plain text @@ -468,6 +470,13 @@ msgstr "" "[[Calendário|contribute/calendar]] de lançamentos, reuniões, sessões de " "trabalho, etc." +#. type: Bullet: ' - ' +#, fuzzy +#| msgid "[[Document progress|contribute/working_together/document_progress]]" +msgid "[[Code of conduct|contribute/working_together/code_of_conduct]]" +msgstr "" +"[[Documentação de progresso|contribute/working_together/document_progress]]" + #. type: Bullet: ' - ' #, fuzzy #| msgid "[[Meetings|contribute/meetings]], and minutes from past meetings" diff --git a/wiki/src/contribute/APT_repository.mdwn b/wiki/src/contribute/APT_repository.mdwn index 31375a61fb28050f535ca51dc0b0f7fae2b51f63..0355c3183953e8738a245e6d586f6d51bca019b0 100644 --- a/wiki/src/contribute/APT_repository.mdwn +++ b/wiki/src/contribute/APT_repository.mdwn @@ -12,26 +12,24 @@ We use one single APT repository hosting multiple *suites*: * We have a (read-only) suite for every past release: `0.9`, `0.10.1`, etc. -* We have a suite for each *main* branch: `stable`, `testing`, `devel` -* We have a suite for each *topic* branch: `bugfix/*`, `feature/*`. - **Important note**: the APT suite corresponding to a given Git topic +* We have a suite for each *main* branch: `stable`, `testing`, + `devel`, `feature-jessie` +* We have an overlay suite for each *topic* branch: `bugfix/*`, + `feature/*`, etc. + **Note**: the APT suite corresponding to a given Git topic branch contains *only* the packages this branch adds to the tag or - *main* branch it diverged from. + *main* branch it diverged from. Think of it as an overlay. * We also have a less formal `unstable` suite, that should not be used by any Tails git branch; it can be used as hosting space for other packaging work we might do, e.g. acting as upstream or Debian maintainers. -* We also have a `debomatic-squeeze-backports-mozilla` suite, used - (hopefully temporarily) import build-deps for our web browser, that - are not available elsewhere (anymore). This suite is used by the - `squeeze-backports-mozilla` chroot in our [[contribute/Debian - package builder]]. * We also have a `builder-wheezy` suite, used to provide additional packages needed on a Wheezy system to build Tails. The suite(s) to use as sources for APT, during the build and inside -the resulting system, are determined at Tails build time -(`auto/config`). See details in the *Build system* section bellow. +the resulting system, are determined by the content of the +`config/base_branch` and `config/APT_overlays.d/*` files. See details in +the *Build system* section below. We manage our APT repository with [reprepro](http://mirrorer.alioth.debian.org/). @@ -49,17 +47,54 @@ few minutes, detects new branches, and accordingly: Build system ============ -The build system adds the relevant APT sources: - -* if the version in `debian/changelog` was released already (i.e. - a matching tag exists), then add the suite corresponding to this - release (e.g. `0.10` or `0.10.1`); -* else, if building from the `testing` branch, add the `testing` suite -* else, if building from the `experimental` branch, add the `experimental` suite -* else, if building from the `devel` branch, add its own suite - -Also, if we're building from a bugfix or feature branch, add its -own suite. +The Tails ISO build system dynamically adds APT sources that will be +used during the build, and inside the resulting ISO itself. + +If the last version in `debian/changelog` was released already (i.e. +a matching tag exists), then the build system adds the suite +corresponding to this release (e.g. `1.5` or `3.0`), and that's all. + +Else, it adds: + +* one APT source for the base branch of the one being built, as found + in `config/base_branch`; +* one APT source for each suite listed in + `config/APT_overlays.d/*`; note that only the name of such + files matters, and their content is ignored. + +In practice, `config/APT_overlays.d/` contains: + +* for a topic branch: + - if needed, a file that is named like the branch's own overlay APT + suite; e.g. for the `bugfix/12345-whatever` branch, it would be + called `config/APT_overlays.d/bugfix-12345-whatever.suite` + - any file representing APT suites that came from merging its base + branch into this topic branch, that is: +* for a base branch (`stable`, `testing`, `devel` or + `feature/jessie`): a file for each additional, overlay APT suite that + came from topic branches that ship Debian packages and were merged + into this base branch since last time it was used to prepare + a release. + +The code that implements this is [[!tails_gitweb +auto/scripts/tails-custom-apt-sources]]. It has [[!tails_gitweb +features/build.feature desc="automated tests"]]. + +At release time, the release manager: + +1. merges into the release branch's APT suite all APT overlay + suites found in `config/APT_overlays.d/`; +2. empties `config/APT_overlays.d/` in the release branch; +3. merges the release branch into other base branches as needed, and + ensures that all resulting `config/APT_overlays.d/`:s make sense. + +Given this, the `experimental` branch doesn't need to be seen as +a base branch anymore; instead, it can be seen as an integration +branch of overlays on top of the `devel` one: its `config/APT_overlays.d/` +will merely add, on top of `devel`'s one, the list of APT suites that WIP +branches merged into `experimental` have introduced. On the other +hand, `feature/jessie` does need to be a base branch: we want to be +able to work on topic branches forked off `feature/jessie`. SSH access ========== @@ -150,52 +185,56 @@ Check the result: $ ssh reprepro@incoming.deb.tails.boum.org reprepro list $SUITE $PACKAGENAME -<a id="workflow-merge-topic-branch"></a> +<a id="workflow-merge-main-branch"></a> -Merging a topic branch +Merging a main branch ---------------------- -When a Git *topic* branch is merged into a *main* branch, the -corresponding operation must be done on the APT suites. +When a Git *main* branch (`devel`, `testing`, `stable`, +`feature/jessie`) is merged into another *main* branch, the corresponding +operation must be done on the APT suites. -Example: +1. Save the list of packages currently present in the APT suite we + want to merge *into*, e.g. `reprepro list devel`. - $ git checkout devel - $ git merge feature/icedove - $ ssh reprepro@incoming.deb.tails.boum.org \ - tails-merge-suite feature-icedove devel - $ git push +2. Make sure you are not going to overwrite newer packages with + older ones (hint: use the `tails-diff-suites` script). -(Note that unfortunately, contrary to what whoever with a Git -background would guess, the reprepro operation called *pull* is not -what we want: it pulls from *all* other suites into the ones specified -on the command-line.) +3. Merge the APT suites: -<a id="workflow-merge-main-branch"></a> + 1. Set some environment variables: -Merging a main branch ----------------------- + # the branch you want to merge + SRC=stable + # the branch you want to merge _into_ + DST=devel -When a Git *main* branch (`devel`, `experimental`, `testing`, -`stable`) is merged into another *main* branch, the corresponding -operation must be done on the APT suites. + 2. Merge in Git and APT: + + git checkout "$DST" && \ + git merge "$SRC" && \ + ssh reprepro@incoming.deb.tails.boum.org \ + tails-merge-suite "$SRC" "$DST" && \ + + 3. Restore the `config/base_branch` if needed: + + echo "${DST}" > config/base_branch && \ + git commit config/base_branch -m "Restore ${DST}'s base branch." || : + + 4. Push: + + git push origin "${DST}:${DST}" -1. Save the list of packages currently present in the APT suite we - want to merge *into*, e.g. `reprepro list experimental`. -2. Make sure you are not going to overwrite newer packages with - older ones. -3. Merge the APT suites [[the same way as when we merge a topic - branch|APT_repository#workflow-merge-topic-branch]]. 4. Make sure not to re-add, into the branch we merge into, any package that was removed from it, but still is in the branch we merge from: - e.g. when merging `devel` into `experimental`, it may be that - `experimental` had some packages removed (e.g. due to previously + e.g. when merging `stable` into `devel`, it may be that + `devel` had some packages removed (e.g. due to previously merging a topic branch into it, whose purpose is to *remove* custom packages). To this end, compare the resulting list of (package, - version) in the `experimental` APT suite with the one saved before - the merge (hint: use the `tails-diff-suites` script), check Git + version) in the `devel` APT suite with the one saved before + the merge, check Git merges history if needed, apply common sense, and remove from - `experimental` the packages that were removed from it a while ago, + `devel` the packages that were removed from it a while ago, and were just erroneously re-added by the merge operation. <a id="workflow-reset"></a> @@ -220,21 +259,48 @@ Resetting a suite to the state of another one ssh reprepro@incoming.deb.tails.boum.org \ tails-merge-suite $NEW $OLD -<a id="workflow-freeze"></a> +<a id="workflow-merge-overlays"></a> -Freezing devel into testing ---------------------------- +Merging APT overlays +-------------------- + +This operation merges all APT overlays listed in the given branch's +`config/APT_overlays.d/` into its own APT suite, empties +`config/APT_overlays.d/` accordingly, then commits and pushes to Git. + +1. Set some environment variables: + + # The branch that should have its overlays merged + BRANCH=devel + +2. Merge the APT overlays in reprepro: -1. Merge `devel` branch into `testing` in Git -2. (Manually) [[hard reset|APT_repository#workflow-reset]] the - `testing` suite to the current state of the `devel` one. + git checkout "$BRANCH" && \ + for overlay in $(ls config/APT_overlays.d/) ; do + if ! ssh reprepro@incoming.deb.tails.boum.org \ + tails-merge-suite "$overlay" "$BRANCH" ; then + echo "Failed to merge '$overlay' into '$BRANCH': $?" >&2 + break + fi + done + +3. Empty `config/APT_overlays.d/`: + + git checkout "$BRANCH" && \ + git rm config/APT_overlays.d/* && \ + git commit config/APT_overlays.d/ \ + -m "Empty the list of APT overlays: they were merged" + +4. Push the Git branch: + + git push origin "${BRANCH}:${BRANCH}" <a id="workflow-post-tag"></a> Tagging a new Tails release --------------------------- -Once the new release's Git tag is pushed, a cronjob should create +Once the new release's Git tag is pushed, a cronjob creates a new APT suite on the APT repository's side within a few minutes. This new APT suite is called the same as the new release version. One may check it has appeared in `~reprepro/conf/distributions`. @@ -266,7 +332,7 @@ If you just put out a final release: the next major release, so that next builds from the `devel` branch do not use the APT suite meant for the last release -* increment the version number in devel's `debian/changelog` to match +* increment the version number in stable's `debian/changelog` to match the next point release, so that next builds from the `stable` branch do not use the APT suite meant for the last release @@ -281,8 +347,17 @@ If you just released a RC: `testing`), so that the next builds from it do not use the APT suite meant for the RC -If the release was a major one, then [[reset the stable APT suite to -the state of the testing one|APT_repository#workflow-reset]]. +If the release was a major one, then: + +1. [[Hard reset the stable APT suite to + the state of the testing one|APT_repository#workflow-reset]]. + +2. Empty `config/APT_overlays.d` in the `stable` branch: + + git checkout stable && \ + git rm config/APT_overlays.d/* && \ + git commit config/APT_overlays.d/ \ + -m "Empty the list of APT overlays: they were merged" Giving access to a core developer --------------------------------- @@ -299,6 +374,6 @@ Contributing without privileged access Non-core developers without access to the "private" APT infrastructure would add the .deb they want to their Git branch as we have been -doing until now, push the result on repo.or.cz or whatever... and at +doing until now, push the result on GitLab or whatever... and at merge time, we would rewrite their history to remove the .deb, and import it into our APT repo. diff --git a/wiki/src/contribute/build.mdwn b/wiki/src/contribute/build.mdwn index ebcb03ff548ab5b26914b2976a3e87297e3e528f..f112790f9976a7d5dbb9fb632361ffc38c2fd683 100644 --- a/wiki/src/contribute/build.mdwn +++ b/wiki/src/contribute/build.mdwn @@ -2,6 +2,13 @@ [[!toc levels=2]] +Git repository and branches +=========================== + +You will need to clone the Tails Git repository, and to checkout the +branch that you want to build (most likely, _not_ `master`): learn +more about [[our Git branches layout|contribute/git#main-repo]]. + <a id="vagrant"></a> Using Vagrant @@ -94,7 +101,7 @@ Debian Wheezy and Jessie: Once all dependencies are installed, get the Tails sources and checkout the development branch: - git clone git://git.tails.boum.org/tails + git clone https://git-tails.immerda.ch/tails cd tails git checkout devel @@ -166,26 +173,6 @@ The following flags can be used to force a specific behaviour: if a local HTTP proxy is set. * **noproxy**: do not use any HTTP proxy. -### Bootstrap cache settings - -A Tails build starts with `debootstrap`:ing a minimal Debian system -which then is modified into a full Tails system. This is a rather time -consuming step that usually does not have to be done: the packages used -in it rarely get updated and hence the result is exactly the same most -of the time. - -The following flags can be used to force a specific behaviour: - - * **cache**: re-use a cached bootstrap stage (if available), and saves - the bootstrap stage to disk on successful build. This will also - reduce the amount of memory required for in-memory builds by around - 150 MiB (see the **ram** option above). **Warning:** this option may - create subtle differences between builds from the exact same Tails - source which are hard to track to track and understand. Use this - option only if you know what you are doing, and if you are not - building an actual release. - * **nocache**: do the bootstrap stage from scratch (default). - ### SquashFS compression settings One of the most expensive operations when building Tails is the creation @@ -204,7 +191,6 @@ Forcing a specific behaviour can be done using: Some operations are preserved accross builds. Currently they are: * The wiki (for documentation). -* The bootstrap stage cache (see the **cache** option above). In case you want to delete all these, the following option is available: @@ -262,13 +248,21 @@ The following Debian packages need to be installed: deb http://deb.tails.boum.org/ builder-wheezy main - This APT repository's signing key can be found on the keyservers. - It is certified by the [[!tails_website tails-signing.key - desc="Tails signing key"]], and its fingerprint is: + This APT repository's signing key can be found: + + - in our Git tree (that you have cloned already, right?): + `config/chroot_sources/tails.chroot.gpg` + - at <http://deb.tails.boum.org/key.asc> + - on the keyservers. + + It is certified by the + [[Tails signing key|doc/about/openpgp_keys#signing]], and its + fingerprint is: 221F 9A3C 6FA3 E09E 182E 060B C798 8EA7 A358 D82E -* `syslinux` +* `syslinux-utils` 6.03, e.g. from our `builder-wheezy` repository + just like `live-build` * `eatmydata`, `time` and `whois` (for `/usr/bin/mkpasswd`) * `ikiwiki` 3.20120725 or newer, available in wheezy-backports. * `apt-get install libyaml-perl libyaml-libyaml-perl po4a perlmagick @@ -280,10 +274,8 @@ The following Debian packages need to be installed: Configure live-build -------------------- -Add these lines to `/etc/live/build.conf`: - - LB_PARENT_MIRROR_BINARY="http://ftp.us.debian.org/debian/" - LB_MIRROR_BINARY="http://ftp.us.debian.org/debian/" +Remove any line matching `/^[[:space:]]*LB.*MIRROR.*=/` in +`/etc/live/build.conf`. Build process ------------- diff --git a/wiki/src/contribute/build/squid-deb-proxy.mdwn b/wiki/src/contribute/build/squid-deb-proxy.mdwn index 70bb47a2e23af969c3c723d4d2bfa421a01e68e6..37ad0eeb84dff1dfd888dc930cc05f1cbcf77843 100644 --- a/wiki/src/contribute/build/squid-deb-proxy.mdwn +++ b/wiki/src/contribute/build/squid-deb-proxy.mdwn @@ -29,7 +29,7 @@ On the other hand, we've found the upstream and Ubuntu packages to require many changes to be usable in Debian and especially for Tails purposes. Until we manage to turn our changes into a proper Debian package and make them generic enough to be pushed upstream, we -recommend using the installation instructions bellow. +recommend using the installation instructions below. 1. Install necessary dependencies: diff --git a/wiki/src/contribute/build/website.mdwn b/wiki/src/contribute/build/website.mdwn index e7d5d8b1021657e45c5eec5c8b25a3a0e8bdde52..ad3d5f30139222a93989f24094f8abc2e8ff7863 100644 --- a/wiki/src/contribute/build/website.mdwn +++ b/wiki/src/contribute/build/website.mdwn @@ -2,7 +2,18 @@ Here is how to build the wiki offline. -First, install the dependencies: +<div class="bug"> + +<p>The following instructions don't work as such in Tails. See +[[!tails_ticket 9018]] for a possible solution.</p> + +</div> + +If you have not done it before, update the list of packages known to Tails: + + sudo apt-get update + +Then install the dependencies: sudo apt-get install libyaml-perl libyaml-libyaml-perl po4a \ perlmagick libyaml-syck-perl ikiwiki diff --git a/wiki/src/contribute/calendar.mdwn b/wiki/src/contribute/calendar.mdwn index d154acbb2ad1210e159d6b14d09df7871e56954e..ff42ba3f37e032cf85804d16946f09d2070dd588 100644 --- a/wiki/src/contribute/calendar.mdwn +++ b/wiki/src/contribute/calendar.mdwn @@ -1,30 +1,53 @@ [[!meta title="Calendar"]] -* 2015-02-03: [[Monthly meeting|contribute/meetings]] +* 2015-05-11 + - All branches targeting Tails 1.4 must be merged into the 'testing' + branch by noon CEST. + - Tor Browser 4.5.x, based on Firefox 31.7.0esr, is hopefully out so + we can import it. + - Build and upload Tails 1.4 ISO image and IUKs. + - Start testing Tails 1.4 during late CEST if building the image + went smoothly. -* 2015-03-12: [[Low-hanging fruits session|contribute/low-hanging_fruit_sessions]] +* 2015-05-12: + - [[Low-hanging fruits session|contribute/low-hanging_fruit_sessions]] + - Finish testing Tails 1.4 by the afternoon, CEST. + - Release Tails 1.4 during late CEST -* 2015-02-24: Release 1.3. Still undecided who will be RM, but anonym - probably can do it. +* 2015-06-03: [[Monthly meeting|contribute/meetings]] -* 2015-03-03: [[Monthly meeting|contribute/meetings]] +* 2015-06-12: [[Low-hanging fruits session|contribute/low-hanging_fruit_sessions]] -* 2015-03-12: [[Low-hanging fruits session|contribute/low-hanging_fruit_sessions]] +* 2015-06-30: Release 1.4.1 + - anonym is the RM until June 10 + - intrigeri is the RM from June 10 to the release -* 2015-04-07: Release 1.3.1. +* 2015-07-03: [[Monthly meeting|contribute/meetings]] -* 2015-05-19: Release 1.4. +* 2015-07-12: [[Low-hanging fruits session|contribute/low-hanging_fruit_sessions]] -* 2015-06-30: Release 1.4.1 +* 2015-08-03: [[Monthly meeting|contribute/meetings]] * 2015-08-11: Release 1.5 + - intrigeri is the RM until July 20 + - anonym is the RM from July 20 to the release + +* 2015-08-12: [[Low-hanging fruits session|contribute/low-hanging_fruit_sessions]] + +* 2015-08-15 to 22: + [[DebConf15 in Heidelberg, Germany|http://debconf15.debconf.org/]]. Some + Tails contributors will attend. + +* 2015-09-03: [[Monthly meeting|contribute/meetings]] + +* 2015-09-12: [[Low-hanging fruits session|contribute/low-hanging_fruit_sessions]] -* 2015-09-22: Release 1.5.1 +* 2015-09-22: Release 1.5.1 (anonym is the RM) -* 2015-11-03: Release 1.6 +* 2015-11-03: Release 1.6 (anonym is the RM) -* 2015-12-22: Release 1.6.1 +* 2015-12-15: Release 1.6.1 (anonym is the RM) -* 2016-02-02: Release 1.7 +* 2016-02-02 (?): Release 1.7 -* 2016-03-15: Release 1.7.1 +* 2016-03-15 (?): Release 1.7.1 diff --git a/wiki/src/contribute/design.mdwn b/wiki/src/contribute/design.mdwn index d78c6150154aaabf9f8df2ad9b34338532b274aa..fa4a71d568aaa348cb9da5e943bd59c5429f56b0 100644 --- a/wiki/src/contribute/design.mdwn +++ b/wiki/src/contribute/design.mdwn @@ -845,6 +845,13 @@ granted to the vidalia user, who is running Vidalia. A filtering proxy to the control port exists, so Torbutton still can perform safe commands like `SIGNAL NEWNYM`. +We disabled the default warning messages of Tor (`WarnPlaintextPorts`) +when connecting to ports 110 (POP3) and 143 (IMAP). These ports are used +for both plaintext and StartTLS connections. As more and more email +providers recommend and even enforce StartTLS on these ports, the effect +of these warnings were most of the time counterproductive as people had +to click through needlessly scary security warnings. + - [[!tails_gitweb chroot_local-hooks/06-adduser_vidalia]] - [[!tails_gitweb chroot_local-includes/usr/local/sbin/restart-vidalia]] - [[!tails_gitweb chroot_local-includes/usr/local/sbin/tor-controlport-filter]] @@ -965,9 +972,6 @@ As for extensions we have the following differences: extension to protect against many tracking possibilities by removing most ads. -* Tails does not install the same Torbutton as in the TBB. We - installed a patched version. - * Tails does not install the Tor Launcher extension as part of the browser. A patched Tor Launcher is installed for use as a stand-alone XUL application, though. @@ -991,7 +995,7 @@ browser anyway: Once Tor is ready to be used, the user is informed they can now use the Internet: -- [[!tails_gitweb config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready-notification.sh]] +- [[!tails_gitweb config/chroot_local-includes/etc/NetworkManager/dispatcher.d/60-tor-ready.sh]] The remaining configuration differences can be found in: @@ -1214,14 +1218,26 @@ SOCKS port. During most of the ISO build process, APT uses the proxy configured through `live-build` (that is, usually a local `apt-cacher-ng`). -However, at the end of the `chroot_local-hooks` stage, a hook does (a -more elaborate version of) `s,http://,tor+http://` in APT sources. -Then, APT will use the `tor+http` method, that is a simple torsocks -wrapper for the good old `http` method. +However, at boot time, a hook does (a more elaborate version of) +`s,http://,tor+http://` in APT sources. Then, APT will use the +`tor+http` method, that is a simple torsocks wrapper for the good old +`http` method. -- [[!tails_gitweb config/chroot_local-hooks/99-zzz_runtime_apt_configuration]] - [[!tails_gitweb config/chroot_local-includes/usr/lib/apt/methods/tor+http]] -- [[!tails_gitweb config/chroot_local-includes/usr/local/lib/apt-toggle-tor-http]] +- [[!tails_gitweb config/chroot_local-includes/lib/live/config/1500-reconfigure-APT]] + +### 3.6.28 Electrum + +We install the [Electrum](https://electrum.org) Bitcoin client and the +default configuration tells it to use the default of Tor's +SOCKSPort:s, and sync the necessary parts of the Bitcoin blockchain +(as a lightweight client) from the default server pool using SSL. + +There is also a persistence preset for the live user's `.electrum` +configuration folder, which stores the Bitcoin wallet, application +preferences and the cached Bitcoin blockchain. + +- [[!tails_gitweb_dir config/chroot_local-includes/etc/skel/.electrum]] ## 3.7 Running Tails in virtual machines diff --git a/wiki/src/contribute/design/I2P.mdwn b/wiki/src/contribute/design/I2P.mdwn index ac989ea1da79a24f20afb8c413a97308c85e636a..f5927fdd22475903a3e8731b12d1be934b9dbadc 100644 --- a/wiki/src/contribute/design/I2P.mdwn +++ b/wiki/src/contribute/design/I2P.mdwn @@ -42,7 +42,7 @@ started automatically. Some reasons behind this decision include: 3. some level of system compromise through 0-day exploits in the I2P client -Users that want to use I2P must enable it by addinng the <span class="command">i2p</span> boot option +Users that want to use I2P must enable it by adding the <span class="command">i2p</span> boot option to the <span class="application">boot menu</span>. Once enabled, I2P will be started automatically by a NetworkManager hook (see [[!tails_gitweb config/chroot_local-includes/etc/NetworkManager/dispatcher.d/30-i2p.sh]]). @@ -164,7 +164,7 @@ shall eventually be imported into, and called e.g. grep -v -E '^\./($|usr/(share/doc/i2p-router/|share/i2p/|share/$|share/doc/$|bin/eepget|bin/i2prouter-nowrapper|share/man/man1/eepget\.1\.gz$|share/man/$|share/man/man1/$|bin/$|$))' dpkg-deb --contents i2p_*.deb | awk '{print $6}' | \ - grep -v -E '^\./($|etc/$|etc/i2p/|etc/init\.d/i2p$|etc/init\.d/$|usr/$|usr/share/$|usr/share/man/$|usr/share/man/man1/$|usr/share/man/man1/i2prouter\.1\.gz$|usr/share/doc/$|usr/share/doc/i2p$|usr/bin/$|usr/bin/i2prouter$)' + grep -v -E '^\./($|etc/(apparmor.d/(abstractions/)?)?$|etc/apparmor.d/(system_i2p|usr.bin.i2prouter|abstractions/i2p)$|etc/i2p/|etc/init\.d/i2p$|etc/init\.d/$|usr/$|usr/share/$|usr/share/man/$|usr/share/man/man1/$|usr/share/man/man1/i2prouter\.1\.gz$|usr/share/doc/$|usr/share/doc/i2p$|usr/bin/$|usr/bin/i2prouter$)' dpkg-deb --contents libjbigi-jni_*.deb | awk '{print $6}' | \ grep -v -E '^\./($|usr/$|usr/lib/$|usr/lib/jni/|usr/share/$|usr/share/doc/$|usr/share/doc/libjbigi-jni$)' @@ -184,9 +184,18 @@ scripts in each binary package. `feature-i2p-0.n.m`) 1. use `reprepro includedeb` to import the binary package(s) into the same dedicated APT suite -1. build an ISO from the Git branch created above +1. add the `feature-i2p-0.n.m` APT suite to `config/APT_overlays.d/` on the + `feature/i2p-0.n.m` Git branch: + + VERSION=0.n.m + touch "config/APT_overlays.d/feature-i2p-${VERSION}" && \ + git add "config/APT_overlays.d/feature-i2p-${VERSION}" && \ + git commit "config/APT_overlays.d/feature-i2p-${VERSION}" \ + -m "Add the feature-i2p-${VERSION} overlay APT suite." + +1. build an ISO from the `feature/i2p-0.n.m` Git branch 1. test this ISO -1. merge the Git branch and APT suite as appropriate +1. merge the `feature/i2p-0.n.m` branch into the appropriate base branch Things to meditate upon ======================= diff --git a/wiki/src/contribute/design/I2P_Browser.mdwn b/wiki/src/contribute/design/I2P_Browser.mdwn index b2ad411e52cda1ac673a77f5bc4be8a32b3076be..c0432a8d523f1b8f90631cb4da44b9baa943b8d1 100644 --- a/wiki/src/contribute/design/I2P_Browser.mdwn +++ b/wiki/src/contribute/design/I2P_Browser.mdwn @@ -54,5 +54,8 @@ Code * [[!tails_gitweb config/chroot_local-includes/usr/local/lib/tails-shell-library/chroot-browser.sh]] * [[!tails_gitweb config/chroot_local-includes/usr/local/lib/tails-shell-library/i2p.sh]] * [[!tails_gitweb config/chroot_local-includes/usr/share/applications/i2p.desktop.in]] -* [[!tails_gitweb chroot_local-includes/lib/live/config/2080-install-i2p] +* [[!tails_gitweb config/chroot_local-includes/lib/live/config/2080-install-i2p]] * [[!tails_gitweb config/chroot_local-includes/usr/local/bin/tails-activate-win8-theme]] +* [[!tails_gitweb config/chroot_local-includes/usr/share/tails/tor-browser-win8-theme/userChrome.css]] +* [[!tails_gitweb config/chroot_local-includes/usr/share/tails/tor-browser-win8-theme/theme.js]] +* [[!tails_gitweb config/chroot_local-includes/usr/share/tails/tor-browser-win8-theme/localstore.rdf]] diff --git a/wiki/src/contribute/design/MAC_address.mdwn b/wiki/src/contribute/design/MAC_address.mdwn index 43733e68d6b11a7932ec08060bb89fabf0ef27c9..314bdacd46408cdeecac8b51a612d54685902607 100644 --- a/wiki/src/contribute/design/MAC_address.mdwn +++ b/wiki/src/contribute/design/MAC_address.mdwn @@ -297,7 +297,7 @@ NetworkManager when MAC spoofing is enabled: [[!tails_ticket 6453]]. [[Limitation: Only spoof the NIC part of the MAC address|MAC_address#limitation-only-spoof-nic-part]] section below.** -The first six bytes of a MAC address determine the Organizationally Unique Identifier +The first three bytes of a MAC address determine the Organizationally Unique Identifier (OUI) which in practice determines the chipset's manufacturer, who generally owns several OUIs. Spoofing the OUI part in a way that satisfies our threat model is not straightforward because of @@ -333,7 +333,7 @@ common, consumer oriented hardware. ## Spoofing the NIC part of the MAC address -The last six bytes of the MAC address are meant to distinguish +The last three bytes of the MAC address are meant to distinguish individual devices among those with the same OUI. These should simply be selected at random, with the exception that we never allow it to stay the same, even if done in a fair, random way. Theoretically @@ -345,7 +345,7 @@ much worse. # Implementation The current implementation leaves the OUI part unchanged, and only spoofs the -last six bytes of any network device's MAC address immediately after +last three bytes of any network device's MAC address immediately after it is added by udev. Furthermore, to deal with potential network leaks before the user has chosen whether to enable MAC spoofing or not, the addition of network devices is delayed until after Tails Greeter knows @@ -475,7 +475,7 @@ well-understood. This is probably the main blocker for Tails to switch to `macchiato` and dare saying we satisfy the "Spoofing the OUI part of the MAC address" requirement from above. -What remains is to only spoof the latter six bytes, the NIC part. We +What remains is to only spoof the latter three bytes, the NIC part. We know it isn't a perfect strategy. The more uncommon the OUI of a user's device is, the more it can be used for tracking the user, i.e. the more it violates the `AvoidTracking` user goal. At least this diff --git a/wiki/src/contribute/design/Time_syncing.mdwn b/wiki/src/contribute/design/Time_syncing.mdwn index ad1f59e00b914529ea1227e930c02c2dd74f3e38..a006c5d374f22a58265b256af46302655252515b 100644 --- a/wiki/src/contribute/design/Time_syncing.mdwn +++ b/wiki/src/contribute/design/Time_syncing.mdwn @@ -24,16 +24,14 @@ using Tor so we can make Tor usable. In short this is how time syncing is performed when Tails starts: 0. Start Tor. If Tor is already working, skip to HTP step. -0. Let Tor fetch a consensus (wait 150 seconds twice, restarting Tor +0. Let Tor fetch a consensus (wait up to 150 seconds twice, restarting Tor in between). 0. If the time is too badly off, the authority certificate may not be - valid any more, so we set the system time to the Tails release date, which - will guarantee that the certificates are valid. Then we SIGHUP Tor - and wait for a new consensus again. -0. Set the system time to an initial "guess" based on the Tor - consensus validity period, no matter if the consensus was verifiable - or not. -0. Restart Tor, which now should be working. + valid, so we set the system time to the `valid-after` of the unverified + consensus Tor fetched for us, which will guarantee that the certificate + and consensus are all valid. Then we restart Tor (since it behaves badly + with time jumps during the early bootstrap stages) and wait until it + accepts the consensus and finishes the bootstrap. 0. Run HTP (see below) through Tor to get a more correct system time. A notification is shown while the whole process is running, @@ -127,9 +125,9 @@ custom version of the Perl HTP client into [[!tails_gitweb config/chroot_local-includes/usr/local/sbin/htpdate]]. The repository we copied this script from can be found there: - git://git.tails.boum.org/htp + https://git-tails.immerda.ch/htp -For reasons detailed bellow, this version of htpdate uses curl for all +For reasons detailed below, this version of htpdate uses curl for all of its HTTP operations. ## Authentication of servers diff --git a/wiki/src/contribute/design/Tor_network_configuration.mdwn b/wiki/src/contribute/design/Tor_network_configuration.mdwn index 07c4f3e5232e7bdfadfeb05376086b10724058f6..5ac47c93d0d91e1de8a01a8e8d7dd179fde4b484 100644 --- a/wiki/src/contribute/design/Tor_network_configuration.mdwn +++ b/wiki/src/contribute/design/Tor_network_configuration.mdwn @@ -46,16 +46,13 @@ Tails behaviour occur, in order: the reason why we have to take the more complex approach of starting Tor Launcher in parallel. -At the moment Tor Launcher isn't packaged ([[!tails_ticket 7087]]). We simply install it by -extracting the Tor Launcher standalone tarball (as created by running -`make standalone` in Tor Launcher's source's root directory) into -[[!tails_gitweb_dir config/chroot_local-includes/usr/share/tor-launcher-standalone]]. -As some of the required changes we've made are not upstreamed yet, the -Tor Launcher shipped in Tails is prepared from the `master` branch in -our [[!tails_gitweb_repo tor-launcher desc="Tor Launcher Git repo"]]. +We install Tor Launcher by extracting it from the Tor Browser tarball, +when building the ISO image. Scripts: +* [[!tails_gitweb config/chroot_local-hooks/10-tbb]] (installs Tor Launcher) + * [[!tails_gitweb config/chroot_local-includes/usr/local/sbin/tails-tor-launcher]] (Wrapper for Tor Launcher) diff --git a/wiki/src/contribute/design/UEFI.mdwn b/wiki/src/contribute/design/UEFI.mdwn index c6b587b6d8b4c36601df4b3339d43b534897a922..9ff714fea1ac812eb2fd34e04d25b41f4472a46b 100644 --- a/wiki/src/contribute/design/UEFI.mdwn +++ b/wiki/src/contribute/design/UEFI.mdwn @@ -30,8 +30,8 @@ Non-goals in Legacy BIOS boot mode from hybrid ISO cat'd on a USB device. If the firmware supports it, this can be done on the same computer; else, from another computer. -* 32-bit UEFI boot: this hardware is rare and mostly obsolete these - days +* 32-bit UEFI boot: this hardware is rare; we have [[!tails_ticket + 8471 desc="plans to reconsider this decision"]], though. * [[blueprint/UEFI Secure boot]] is not part of this plan. Picking technical solutions that leave room for it would be a great bonus, though. @@ -298,11 +298,7 @@ in the `EFI/BOOT` directory. ### syslinux backport -A backport of syslinux 6.x for Squeeze is installed from our APT -repository. We intend to [[!tails_ticket 6563 desc="prepare"]] and use -an official backport for Wheezy instead, uploaded to the official -Debian backports repositories, once syslinux 6.x is available in -Debian testing. +A backport of syslinux 6.x is installed from our APT repository. Future work =========== diff --git a/wiki/src/contribute/design/Unsafe_Browser.mdwn b/wiki/src/contribute/design/Unsafe_Browser.mdwn index 412eded80a2c6ebdad5e22e46af1c62f3c0c1800..7dddd533ba3b8764490aec82009c177b6aafbf95 100644 --- a/wiki/src/contribute/design/Unsafe_Browser.mdwn +++ b/wiki/src/contribute/design/Unsafe_Browser.mdwn @@ -87,3 +87,6 @@ Code * [[!tails_gitweb config/chroot_local-includes/usr/share/applications/unsafe-browser.desktop.in]] * [[!tails_gitweb config/chroot_local-includes/etc/sudoers.d/zzz_unsafe-browser]] * [[!tails_gitweb config/chroot_local-includes/usr/local/bin/tails-activate-win8-theme]] +* [[!tails_gitweb config/chroot_local-includes/usr/share/tails/tor-browser-win8-theme/userChrome.css]] +* [[!tails_gitweb config/chroot_local-includes/usr/share/tails/tor-browser-win8-theme/theme.js]] +* [[!tails_gitweb config/chroot_local-includes/usr/share/tails/tor-browser-win8-theme/localstore.rdf]] diff --git a/wiki/src/contribute/design/application_isolation.mdwn b/wiki/src/contribute/design/application_isolation.mdwn index c9050d331d63b490d62feff11ca46333caf303f6..bd35dfc460cc11df2c92470ec11ac9dfa705faae 100644 --- a/wiki/src/contribute/design/application_isolation.mdwn +++ b/wiki/src/contribute/design/application_isolation.mdwn @@ -37,7 +37,10 @@ The AppArmor confinement profiles included in Tails come from: * individual Debian packages that ship confinement profiles, e.g. Tor and Vidalia; * the [[!debpts apparmor-profiles]] package; -* the [[!debpts apparmor-profiles-extra]] package. +* the [[!debpts apparmor-profiles-extra]] package; +* the [[!debpts torbrowser-launcher]] package: + - [[!tails_gitweb config/chroot_local-includes/usr/share/tails/torbrowser-AppArmor-profile.patch]] + - [[!tails_gitweb config/chroot_local-hooks/19-install-tor-browser-AppArmor-profile]] To get the full and current list, run `aa-status` as `root` inside Tails. @@ -58,6 +61,8 @@ So, we have to adjust profiles a bit to make them support the paths that are actually seen by AppArmor in the context of Tails: * [[!tails_gitweb config/chroot_local-patches/apparmor-adjust-home-tunable.diff]] +* [[!tails_gitweb config/chroot_local-patches/apparmor-adjust-pidgin-profile.diff]] +* [[!tails_gitweb config/chroot_local-patches/apparmor-adjust-tor-abstraction.diff]] * [[!tails_gitweb config/chroot_local-patches/apparmor-adjust-tor-profile.diff]] * [[!tails_gitweb config/chroot_local-patches/apparmor-adjust-totem-profile.diff]] * [[!tails_gitweb config/chroot_local-patches/apparmor-adjust-user-tmp-abstraction.diff]] @@ -65,6 +70,81 @@ that are actually seen by AppArmor in the context of Tails: Below, we discuss various leads that might avoid the need for coming up with such adjustments, and maintaining it. +<a id="ux"></a> + +User experience matters +======================= + +Currently, no good way exists to let the user choose an arbitrary file +each time they want to open or save one, without leaving the AppArmor +profiles wide-open and then much less useful. + +Solutions to this problem are work-in-progress in various upstream +places (e.g. [for AppArmor](https://lists.ubuntu.com/archives/apparmor/2015-March/007415.html) and [for GNOME sandboxed +applications](https://mail.gnome.org/archives/gnome-os-list/2015-March/msg00010.html)). +The idea is +generally to introduce a privileged mediation layer between +applications, the GTK file chooser and the filesystem. So, some day we +can solve this problem in better ways, but we're not there yet. + +Tor Browser +----------- + +As of Tails 1.3, the Tor Browser is somewhat confined with AppArmor. + +Given we cannot seriously allow the Tor Browser to read and write +everywhere in the home and persistent directory, we had to allow it to +read/write files from/to one specific directory, and make it so the +user experience is not hurt too much. + +Now, let's say we have a downloads/uploads directory that's shared +between the Tor Browser, the file browser, and all non-confined +applications. That directory is called `~/Tor Browser/`, and a GTK +bookmark pointing to it is created at login time: + +* [[!tails_gitweb config/chroot_local-includes/etc/xdg/autostart/create-tor-browser-directories.desktop]] +* [[!tails_gitweb config/chroot_local-includes/usr/local/lib/create-tor-browser-directories]] +* [[!tails_gitweb config/chroot_local-includes/etc/xdg/autostart/add-GNOME-bookmarks.desktop]] +* [[!tails_gitweb config/chroot_local-includes/usr/local/lib/add-GNOME-bookmarks]] + +Then, we have a usability issue: the space available in that directory +is limited by the free system memory (RAM). So large file downloads +may fail. Note that Firefox doesn't mind letting users start +downloading a file to a directory that hasn't enough room available to +store it entirely, so this problem is not specific to downloading to +an amnesiac directory. + +Still, we thought it would be good to allow users to download large +files from Tor Browser to their persistent volume, so we have +introduced a second downloads/uploads directory: `~/Persistent/Tor +Browser/`, that is created whenever the "Personal data" (aka. +`~/Persistent/`) persistence feature is activated. In that case, if +persistence was activated read-write, another GTK bookmark pointing to +that directory is created at login time. + +This seemed to be better than introducing yet another persistence +feature (e.g. for `~/Tor Browser/`): having downloads be either always +amnesiac or always persistent (unless you restart or do stuff outside +of the browser) would seem like a regression, since it breaks one of +the core Tails properties. And forcing it to be a persistent folder by +default actually has security issues since secure deletion does not +work as expected on Flash memory. So, we decided that users need to +have the option to download either to an amnesiac (`~/Tor Browser/`) +or persistent (`~/Persistent/Tor Browser/`) place, like it was the +case previously. + +So, in a nutshell we give Tor Browser access to: + +* `~/Tor Browser/`, which is amnesiac, as everything else in Tails by + default; this is set to be the default download directory + ([[!tails_gitweb config/chroot_local-includes/etc/tor-browser/profile/preferences/0000tails.js]]); +* `~/Persistent/Tor Browser/`, that is persistent, and only created + when `~/Persistent/` is itself persistent and read-write. + +Note that we don't call these folders "Downloads", because e.g. +if someone creates an ODT file and wants to upload it, having to move +it to a folder called "Downloads" sounds really weird. + Future work =========== @@ -81,7 +161,7 @@ in this area. Isolating more types of resources --------------------------------- -Once AppArmor 2.9 is released and the corresponding kernel patches are +With AppArmor 2.9, once the corresponding kernel patches are merged into Linux mainline, we will get support for mediating many more types of resources: D-Bus calls, sockets, signals and so on. @@ -232,25 +312,23 @@ SquashFS initially, and written to the overlay. If that would be the case, then we would need to duplicate some rules in profiles to add back some paths that were rewritten. +<a id="overlayfs"></a> + overlayfs --------- [overlayfs](https://git.kernel.org/cgit/linux/kernel/git/mszeredi/vfs.git/tree/Documentation/filesystems/overlayfs.txt?h=overlayfs.current) -is another kind of union filesystem, that seems to have much greater -chances than aufs to be merged into Linux mainline some day. +is another kind of union filesystem. It has been merged in +Linux mainline, and is supported by live-boot 5. overlayfs works differently from aufs, in ways that give hope that it might be easier for AppArmor to support it natively. -Once it's merged in Linux mainline, Debian Live could be made to -support overlayfs as an alternative to aufs. One thing that should be -checked is whether overlayfs supports stacking up more than one -read-only branch, which we do need for the Tails -[[contribute/design/incremental upgrades]] feature. - Some ongoing work on AppArmor (labeling, extended conditionals) will help support overlayfs. Time will tell whether the result meets our needs. +See [[!tails_ticket 9045]] for more up-to-date information. + <a id="linux-containers"></a> Linux containers diff --git a/wiki/src/contribute/design/hybrid_ISO.mdwn b/wiki/src/contribute/design/hybrid_ISO.mdwn index 6fa0a5f5cb9e30a977175b9c2846c3227ade7e1d..554143e42ccb1da2b7b2cbe61d3e9f494a40ff23 100644 --- a/wiki/src/contribute/design/hybrid_ISO.mdwn +++ b/wiki/src/contribute/design/hybrid_ISO.mdwn @@ -1,10 +1,22 @@ Since 0.5 up to 0.10.2, every published Tails i386 ISO image has been a hybrid one: -- it can be burnt to a CD; +- it can be burnt to a DVD; - it also contains a full disk image (including partition table) and can thus be copied (using `dd`) to a USB stick; the USB stick's content is lost in the operation. +Then, we stopped hybrid'ing the ISO images we publish, and started +again in Tails 1.3. + +Nowadays, we pass the `-h 255 -s 63` options to `isohybrid`, as +advised by the syslinux community for images between 1 GiB and +4 (?) GiB. + +Archives +======== + +What follows comes from the Tails 0.10 days. + Successful tests: * boot the resulting `test.iso` as a normal optical drive in diff --git a/wiki/src/contribute/design/incremental_upgrades.mdwn b/wiki/src/contribute/design/incremental_upgrades.mdwn index 5b434e1d524bad61cb75a4e4a29c7a7e36f3fc29..fffffd42288f96f1d1099b61cfdfd7632c72adbe 100644 --- a/wiki/src/contribute/design/incremental_upgrades.mdwn +++ b/wiki/src/contribute/design/incremental_upgrades.mdwn @@ -531,7 +531,7 @@ files is protected as well as it is in the old Tails upgrade system. ## Discussion -**Note**: the attack definitions bellow come straight from the [TUF +**Note**: the attack definitions below come straight from the [TUF security documentation](https://www.updateframework.com/wiki/Docs/Security) (2012-05-04). @@ -577,6 +577,15 @@ Both with the old and new Tails upgrade systems, mounting such an attack requires either to take control of the Tails website or to break the SSL/TLS connection between the client and the server. +This attack is slightly mitigated by the fact that we are announcing +new releases in other ways: + +* one that does not rely on our website at all (Twitter); +* one that does not rely on our website to be safe at the time Tails + Upgrader checks for available upgrades, as long as it was safe at + the time the new release was published (<amnesia-news@boum.org> + announce mailing-list). + The move to a secure upgrade system, such as TUF, would make this stronger, thanks to short-lived signatures on meta-data. @@ -599,6 +608,10 @@ The upgrade-description files downloader and verifier could refuse to download upgrade-description files bigger than some reasonable constant, but this is not implemented yet. +This attack, when performed against the upgrade-description files +downloader and verifier is slightly mitigated in the same way as +"Indefinite freeze attacks" are. + ### Slow retrieval attacks > An attacker responds to clients with a very slow stream of data that diff --git a/wiki/src/contribute/design/installation.mdwn b/wiki/src/contribute/design/installation.mdwn index cca2d6fadb35ad2e9b510b9cd851c6157eeb1b74..1efc2592a259d654f5914b66c72e53a7766bfd04 100644 --- a/wiki/src/contribute/design/installation.mdwn +++ b/wiki/src/contribute/design/installation.mdwn @@ -1,7 +1,7 @@ [[!meta title="Installing onto a USB Stick"]] Tails is easily installed to a USB storage device -by cloning an existing Tails system that is running from CD or USB. +by cloning an existing Tails system that is running from DVD or USB. Tails Installer also supports upgrades from an ISO image or from the currently running Tails system. @@ -37,7 +37,7 @@ Mode of operation and booting methods In order to be able to have non-destructive upgrades, blind overwrites (using `dd` or similar raw copy methods) of the boot media is not possible -(even if Tails [[shipped hybrid ISO +(even when Tails [[ships hybrid ISO images|contribute/design/hybrid_ISO]]). Two alternatives booting methods have been investigated: @@ -150,3 +150,10 @@ mind, it proved to be hard, and future extension seems now out of question. Our [[future plans|blueprint/usb_install_and_upgrade]] include moving to another piece of software as a basis, and hopefully working more closely with this future upstream of ours. + +Source code +=========== + +The Tails Installer source code lives in a Git repository: + + <https://git-tails.immerda.ch/liveusb-creator/> diff --git a/wiki/src/contribute/design/memory_erasure.mdwn b/wiki/src/contribute/design/memory_erasure.mdwn index 54a3e9acbd49146a7ca8faf6829ebe73461d8d34..5e7bb85f7c747098a251bfdece32d37679ed6332 100644 --- a/wiki/src/contribute/design/memory_erasure.mdwn +++ b/wiki/src/contribute/design/memory_erasure.mdwn @@ -79,7 +79,7 @@ in the LSB headers). **Second, the memory erasure process is triggered when the boot medium is physically removed during runtime (USB boot medium is unplugged or -boot CD is ejected).** This is implemented by a custom `udev-watchdog` +boot DVD is ejected).** This is implemented by a custom `udev-watchdog` program monitors the boot medium; it's run by a wrapper, started at boot time, that brutally invokes the memory erasure process, bypassing other system shutdown scripts, when this medium happens to be @@ -93,20 +93,27 @@ physically removed. #### Making sure needed files are available -The memlockd daemon, appropriately configured, ensures every file +The `memlockd` daemon, appropriately configured, ensures every file needed by the memory erasure process is locked into memory from boot to memory erasure time. +Care have to be taken during the shutdown sequence, as `memlockd` is normally +unloaded before the `kexec` happens. This is done by preventing `memlockd` to +be stopped, and also by adding memlockd PID to the list of process that are +omitted by the `sendsigs` script (responsible for sending TERM and KILL signals +to remaining processes). + - [[!debpts memlockd]] - [[!tails_gitweb config/chroot_local-includes/etc/memlockd.cfg]] - [[!tails_gitweb config/chroot_local-patches/keep_memlockd_on_shutdown.diff]] +- [[!tails_gitweb config/chroot_local-includes/etc/init.d/tails-reconfigure-memlockd]] #### User interface Since this process can take a while the user can leave the computer and let it finish on its own after removing the boot medium, or simply turn it off if he or she is not worried about this attack: if Tails -was booted from a CD it is ejected before the memory wiping is +was booted from a DVD it is ejected before the memory wiping is started, and if it was booted from a USB drive it can be removed as soon as the memory wiping has been started. diff --git a/wiki/src/contribute/git.mdwn b/wiki/src/contribute/git.mdwn index a05fb2ce56f6671ca3ea6072ad9513f54b53bf07..5bc6754848c31014c0c9e01ece632571eedff314 100644 --- a/wiki/src/contribute/git.mdwn +++ b/wiki/src/contribute/git.mdwn @@ -57,27 +57,21 @@ See our [[contribute/merge_policy]]. Caution! -------- -If you want to commit patches that may be published later, you might -want to anonymize them a bit; to do so, run the following commands -in every of your local clones' directories: - - git config user.name 'Tails developers' - git config user.email tails@boum.org - -If you intend to prepare Tails releases, you'll also need to make +If you intend to prepare Tails releases, you'll need to make the development team signing key the default one for Git tags: - git config user.signingkey 1202821CBE2CD9C1 + git config user.signingkey A490D0F4D311A4153E2BB7CADBB802B258ACD84F Creating a new repository ------------------------- -1. Create a new repository at immerda. -2. Create a pull-style mirror at repo.or.cz. +Create a new repository at immerda. Repositories ============ +<a id="main-repo"></a> + Main repository --------------- @@ -89,7 +83,7 @@ Anyone can check it out like this: Developers with write access to the repositories should instead: - git clone 'ssh://boum_org_amnesia@webmasters.boum.org/~/wiki.git' + git clone boum_org_amnesia@webmasters.boum.org:wiki.git We have a [web interface](https://git-tails.immerda.ch/tails/) available for the main repository. @@ -167,6 +161,23 @@ any development. Please note that the `experimental` branch can be broken, have awful security problems and so on. No guarantee, blablabla. +Promotion material +------------------ + +This repository contains Tails [[promotion +material|contribute/how/promote/material]]. + +Anyone can check it out like this: + + git clone https://git-tails.immerda.ch/promotion-material + +Developers with write access to the repositories should instead: + + git clone boum_org_amnesia@webmasters.boum.org:promotion-material.git + +We have a [web interface](https://git-tails.immerda.ch/promotion-material/) +available for the promotion material repository. + <a id="puppet"></a> Puppet modules diff --git a/wiki/src/contribute/git/post-rewrite.mdwn b/wiki/src/contribute/git/post-rewrite.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..db4e600a7e5a6f6863b107e19f2cf0773ccf7941 --- /dev/null +++ b/wiki/src/contribute/git/post-rewrite.mdwn @@ -0,0 +1,158 @@ +[[!meta title="What must I do now that the Git repository's history has been rewritten?"]] + +[[!toc levels=1]] + +<div class="note"> + +This is about the main Tails Git repository. Other repositories, such +as the ones for the Greeter and other custom software, are not affected. + +</div> + +Back up your local Git directory +================================ + +<div class="caution"> + +If you make a mistake, some of the operations below will destroy your +great carefully hand-crafted Tails work. + +</div> + +Therefore, first backup the directory where your local Git working +directory lives. + +Store the name of the official Git remote +========================================= + +Find out how you have named the Git remote that points to the official +repository: + + OFFICIAL_REMOTE=$(git remote -v \ + | grep --color=never -E \ + '[a-zA-Z0-9_-]+\s+(https://git-tails.immerda.ch/tails(?:.git)?\s+|(ssh://)?boum_org_amnesia@webmasters\.boum\.org(:wiki\.git|/~/wiki.git)).*\(fetch\)$' \ + | awk '{print $1}') + [ -n "$OFFICIAL_REMOTE" ] || echo "No official remote found." + +If you see "No official remote found", then you are probably using +a deprecated or unsafe URL for your official remote. You'll need to +fix that first: [[find out what the correct URL +is|contribute/git#main-repo]], and then fix it in `.git/config` and +run the commands above again. + +<div class="caution"> + +All commands that follow must be run <emph>in the same terminal</emph> as the +previous ones: they are going to reuse the +<code>$OFFICIAL_REMOTE</code> shell variable and may do pretty ugly +things if it is not properly defined. + +</div> + +Delete all local tags +===================== + +So that you don't publish again any deleted tag that was based on the old, +non-rewritten history, delete all local tags you have: + + git tag | xargs git tag -d + +Fetch the rewritten history +=========================== + +Fetch the content of the updated official repository: + + git fetch --prune "$OFFICIAL_REMOTE" && \ + git fetch "$OFFICIAL_REMOTE" --tags + +Back up your existing local branches +==================================== + +Rename every local branch so that their name starts with the +`old-` prefix: + + for b in $(git branch --no-color) ; do + [ "$b" != '*' ] || continue + git branch -m "$b" "old-$b" + done + +This is needed for two reasons: + + * This makes sure that any work you may have started in the past, and + that was not merged yet, is saved somewhere and can be salvaged + later if needed. + + * The `old-` prefix is meant to be a warning sign, so that you don't + mistakenly base future work on the old, non-rewritten Git history + (such work *cannot* be merged into the official repository anymore, + as it would re-import all the data we just managed to get rid of). + +Clean up your personal Git repository +===================================== + +If you have a personal online Git repository, please consider +following these instructions. + +It is not compulsory, but if you don't do that, then any new +contributor who adds your personal Git repository as a Git remote will +need to download hundreds of megabytes of useless data, which is not +very welcoming. In particular, newcomers on your team would be +negatively affected... and you want new teammates, right? :) +I'm looking at you, dear translators. + +So, right now your personal Git repository contains _both_ the old +(non-rewritten) and the new (rewritten) Git history. Here is how to +get rid of the old one. + +### Set the `MY_REMOTE` variable + +In the following command, replace `XXX_REPLACE_ME` with the name of the remote +that points to your personal online Git repository: + + MY_REMOTE=XXX_REPLACE_ME + +## Delete all remote branches + +List branches that are in your personal online Git repository (in the +following commands, ): + + git branch --no-color -r --list "${MY_REMOTE}/*" \ + | grep -vE "^\s+${MY_REMOTE}/HEAD\s+" + +For each such branch, check if you have work in there that can still +be useful. If it's the case, then export it outside of Git, e.g. +using `git format-patch`. + +Then, delete all remote branches in your personal online Git +repository: + + for remote_branch in $(git branch --no-color -r --list "${MY_REMOTE}/*" \ + | grep -vE "^\s+${MY_REMOTE}/HEAD\s+") ; do + branch=$(echo "$remote_branch" | sed -r -e "s,^${MY_REMOTE}/,,") + git push --force "$MY_REMOTE" ":$branch" + done + +## Make sure you publish only up-to-date tags + +Force-push the updated tags so that they replace the old ones in your +personal online Git repository: + + git push --force "$MY_REMOTE" --tags + +Start working again +=================== + +You may use `git checkout` as usual to create: + + * a new local branch, for work you are starting right now; + * a new local branch tracking one that exists in the official + repository already, for work you are following-up on. + +Later, when you push a branch to your personal Git repository: + +* The first time you do that, it can take a while. +* If that branch did previously exist there, then you may need to pass + the `--force` option to `git push`: to avoid losing data, Git + refuses to rewrite history on the remote by default, so in the rare + cases when we want to do that (which is precisely the case here), + one has to override this protection. diff --git a/wiki/src/contribute/glossary.mdwn b/wiki/src/contribute/glossary.mdwn index e1ae8b1a36613672599f219e216649f96f43ad03..63711eeae732de5e2d8b4cbb9893095b8ef3f498 100644 --- a/wiki/src/contribute/glossary.mdwn +++ b/wiki/src/contribute/glossary.mdwn @@ -32,8 +32,22 @@ The words next release of Tails but fixes for serious bug and security issues; - the beginning of the said phase. +* **Front desk**: see the + [[definition of this shifting role|contribute/working_together/roles/front_desk/]] +* **Greeter**: the startup menu, see + [[!greeter_gitweb "" desc="its source code"]] * **IUK**: Incremental Upgrade Kit, see [[contribute/design/incremental_upgrades]] +* **known issues**: issues that we are aware of and don't need being + reported again, see [[support/known_issues]] +* **MAT**: see Metadata Anonymisation Toolkit +* **Metadata Anonymisation Toolkit**: tool to clean metadata from + plenty of document formats, see + [[MAT's website|https://mat.boum.org/]] +* **monthly reports**: published in the [[news]] once a month +* **persistence**: the opt-in feature that allows storing data and + configuration across Tails sessions in an encrypted partition, see + [[contribute/design/persistence]] * **Release manager**: see the [[definition of this shifting role|contribute/working_together/roles/release_manager]] * **RM**: see Release Manager diff --git a/wiki/src/contribute/how/code.mdwn b/wiki/src/contribute/how/code.mdwn index 55016a6ac1226fce7ce70b1de266903ce124ed15..43f6180ba103cc62a90296b018a1fa562634323f 100644 --- a/wiki/src/contribute/how/code.mdwn +++ b/wiki/src/contribute/how/code.mdwn @@ -18,7 +18,7 @@ to Tails. ## Focus on low-effort maintainability -Many, many Live CD projects — including a few ones that aimed at +Many, many Live system projects — including a few ones that aimed at enhancing their users' privacy — have lived fast and died young. We explain this by their being one wo/man efforts, as well as design decisions that made their maintenance much too costly timewise and @@ -129,7 +129,7 @@ before being merged, it's better if you push your work to a dedicated Git topic branch, and ask us to review it. If you already know where to host your personal repository in a public online place, this is great; otherwise, you can [fork us on -repo.or.cz](http://repo.or.cz/w/tails.git), or ask the Tails system +GitLab](https://gitlab.com/Tails/tails), or ask the Tails system administrators (<tails-sysadmins@boum.org>) to host your repository. # Want more? diff --git a/wiki/src/contribute/how/documentation.mdwn b/wiki/src/contribute/how/documentation.mdwn index 46e150a67f62d4d9b2cede59de074af6ba983c37..db2a55e3c1f7f66384c826f8461f63932789e4b9 100644 --- a/wiki/src/contribute/how/documentation.mdwn +++ b/wiki/src/contribute/how/documentation.mdwn @@ -23,7 +23,7 @@ translations that were made of the previous version. But there are still many ways you can start contributing: - We maintain a list of [documentation - tasks](https://labs.riseup.net/code/projects/tails/issues?query_id=118). + tasks](https://labs.riseup.net/code/projects/tails/issues?query_id=172). You can start writing a draft in the corresponding ticket and then [[ask us for review|contribute/talk]]. @@ -39,9 +39,9 @@ Documentation writers coordinate themselves using our usual Documentation writers should also read our [[documentation guidelines|guidelines]]. -If you want to test your contributions before to sharing them with us, -you can [[build and update the documentation -offline|contribute/build/website]]. +We recommend you to [[build an offline version of the +documentation|contribute/build/website]] to test your contributions +before sharing them with us. # Translating diff --git a/wiki/src/contribute/how/documentation/guidelines.mdwn b/wiki/src/contribute/how/documentation/guidelines.mdwn index 77a563e1a58544e172705a62095e5880872687e4..ef4d02b3848f8413db4bc694161a19d6fb1f8d6b 100644 --- a/wiki/src/contribute/how/documentation/guidelines.mdwn +++ b/wiki/src/contribute/how/documentation/guidelines.mdwn @@ -137,6 +137,12 @@ using <span class="application">Tails OpenPGP Applet</span>. </div> +Ikiwiki shortcuts +================= + +The `\[[!wikipedia ..]]` strings you can find in some files are ikiwiki [[shortcuts]]. +You might also need to understand [[ikiwiki directives|ikiwiki/directive]]. + Related online resources ======================== diff --git a/wiki/src/contribute/how/donate.de.po b/wiki/src/contribute/how/donate.de.po index a5e6d1a6809179ae6730a71b73bdac25881b1ff7..a10a183fa78eecfa4fa530a2acdc0930bfeaeec4 100644 --- a/wiki/src/contribute/how/donate.de.po +++ b/wiki/src/contribute/how/donate.de.po @@ -6,37 +6,53 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-09-22 12:27+0300\n" -"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" -"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"POT-Creation-Date: 2015-03-16 21:58+0100\n" +"PO-Revision-Date: 2015-03-16 22:03+0100\n" +"Last-Translator: Tails developers <tails@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"X-Generator: Poedit 1.5.4\n" #. type: Plain text #, no-wrap msgid "[[!meta title=\"Make a donation\"]]\n" +msgstr "[[!meta title=\"Eine Spende tätigen\"]]\n" + +#. type: Plain text +#, no-wrap +msgid "" +"Tails is free because <strong>nobody should have to pay to be safe\n" +"while using computers</strong>. But Tails cannot stay alive without\n" +"money and <strong>we need your help</strong>!\n" msgstr "" +"Tails ist kostenlos, da <strong>niemand für die sichere Nutzung eines Computers\n" +"bezahlen müssen sollte</strong>. Allerdings kann Tails nicht ohne finanzielle\n" +"Unterstützung bestehen, daher <strong>brauchen wir Ihre Hilfe</strong>!\n" #. type: Plain text #, no-wrap msgid "" -"**Your support is critical to our success.** Consider making\n" -"a donation to Tails.\n" +"<strong>[[Discover who you are helping around the world when\n" +"donating to Tails.|news/who_are_you_helping]]</strong>\n" msgstr "" +"<strong>[[Erfahren Sie mehr, wem Sie weltweit mit einer Spende an Tails\n" +"helfen.|news/who_are_you_helping]]</strong>\n" #. type: Plain text msgid "" "Note that Tails is a project mainly run by volunteers. There are [[many " "other ways to contribute|contribute]]!" msgstr "" +"Beachten Sie, dass Tails ein hauptsächlich von Freiwilligen betriebenes " +"Projekt ist. Es gibt [[viele andere Wege sich einzubringen|contribute]]!" #. type: Title = #, no-wrap msgid "Ways to donate\n" -msgstr "" +msgstr "Möglichkeiten zu Spenden\n" #. type: Bullet: ' * ' msgid "" @@ -44,17 +60,22 @@ msgid "" "Foundation](https://pressfreedomfoundation.org/bundle/encryption-tools-" "journalists)." msgstr "" +"Crowdfunding Kampagne der amerikanischen Organisation [Freedom of the Press " +"Foundation](https://pressfreedomfoundation.org/bundle/encryption-tools-" +"journalists)." #. type: Plain text #, no-wrap msgid " If you live in the US, your donation will be tax-deductible.\n" -msgstr "" +msgstr " Falls Sie in den USA leben wird Ihre Spende von der Steuer absetzbar sein.\n" #. type: Bullet: ' * ' msgid "" "[[Bank wire transfer|donate#swift]] or [[Paypal|donate#paypal]] through the " "German organization [Zwiebelfreunde e.V.](https://www.zwiebelfreunde.de/)." msgstr "" +"[[Banküberweisung|donate#swift]] oder [[Paypal|donate#paypal]] über die " +"deutsche Organisation [Zwiebelfreunde e.V.](https://www.zwiebelfreunde.de/)." #. type: Plain text #, no-wrap @@ -64,10 +85,14 @@ msgid "" " Zwiebelfreunde](https://www.torservers.net/contact.html) for a donation\n" " receipt if you need one.\n" msgstr "" +" Wenn Sie in Europa leben, lässt sich Ihre Spende möglicherweise von der Steuer absetzen. Überprüfen Sie die genauen\n" +" Bedingungen in Ihrem Land und [fragen Sie \n" +" Zwiebelfreunde](https://www.torservers.net/contact.html) nach einer\n" +" Spendenquittung, falls Sie eine benötigen.\n" #. type: Bullet: ' * ' msgid "[[Bitcoin|donate#bitcoin]]" -msgstr "" +msgstr "[[Bitcoin|donate#bitcoin]]" #. type: Bullet: ' * ' msgid "" @@ -75,30 +100,33 @@ msgid "" "(https://www.torproject.org/donate/). They do great work, and also support " "us financially." msgstr "" +"Falls Ihnen keine dieser Methoden zusagt, können Sie auch [eine Spende an " +"das Tor Project](https://www.torproject.org/donate/) in Betracht ziehen. Sie " +"leisten großartige Arbeit und unterstützen uns ebenfalls finanziell." #. type: Plain text msgid "Thank you for your donation!" -msgstr "" +msgstr "Vielen Dank für Ihre Spende!" #. type: Plain text #, no-wrap msgid "<a id=\"bitcoin\"></a>\n" -msgstr "" +msgstr "<a id=\"bitcoin\"></a>\n" #. type: Title - #, no-wrap msgid "Bitcoin\n" -msgstr "" +msgstr "Bitcoin\n" #. type: Plain text #, no-wrap msgid "You can send Bitcoins to **<a href=\"bitcoin:1BvBMSEYstWetqTFn5Au4m4GFg7xJaNVN2\">1BvBMSEYstWetqTFn5Au4m4GFg7xJaNVN2</a>**.\n" -msgstr "" +msgstr "Sie können Bitcoins an **<a href=\"bitcoin:1BvBMSEYstWetqTFn5Au4m4GFg7xJaNVN2\">1BvBMSEYstWetqTFn5Au4m4GFg7xJaNVN2</a>** senden.\n" #. type: Plain text #, no-wrap msgid "<div class=\"caution\">\n" -msgstr "" +msgstr "<div class=\"caution\">\n" #. type: Plain text #, no-wrap @@ -106,21 +134,23 @@ msgid "" "<p>Bitcoin is <a href=\"https://bitcoin.org/en/faq#is-bitcoin-anonymous\">not\n" "anonymous</a>.</p>\n" msgstr "" +"<p>Bitcoin ist <a href=\"https://bitcoin.org/en/faq#is-bitcoin-anonymous\">nicht\n" +"anonym</a>.</p>\n" #. type: Plain text #, no-wrap msgid "</div>\n" -msgstr "" +msgstr "</div>\n" #. type: Plain text #, no-wrap msgid "<a id=\"swift\"></a>\n" -msgstr "" +msgstr "<a id=\"swift\"></a>\n" #. type: Title - #, no-wrap msgid "Bank wire transfer\n" -msgstr "" +msgstr "Banküberweisung\n" #. type: Plain text #, no-wrap @@ -131,27 +161,34 @@ msgid "" " BIC: GENODEM1GLS\n" " Address of bank: Christstrasse 9, 44789 Bochum, Germany\n" msgstr "" +" Kontoinhaber: Zwiebelfreunde e.V.\n" +" Name der Bank: GLS Gemeinschaftsbank eG\n" +" IBAN: DE25430609671126825603\n" +" BIC: GENODEM1GLS\n" +" Adresse der Bank: Christstrasse 9, 44789 Bochum, Deutschland\n" #. type: Plain text #, no-wrap msgid "<a id=\"paypal\"></a>\n" -msgstr "" +msgstr "<a id=\"paypal\"></a>\n" #. type: Title - #, no-wrap msgid "Paypal\n" -msgstr "" +msgstr "Paypal\n" #. type: Plain text msgid "" "Please, use the euro (EUR) as currency as this makes accounting easier. " "However, Paypal automatically converts it to your local currency." msgstr "" +"Bitte benutzen Sie Euro (EUR) als Währung, da dies die Buchhaltung " +"vereinfacht. Paypal wird die Umrechnung in Ihre lokale Währung übernehmen." #. type: Title ### #, no-wrap msgid "Set up a recurring donation" -msgstr "" +msgstr "Eine Spende per Dauerauftrag einrichten" #. type: Plain text #, no-wrap @@ -205,11 +242,59 @@ msgid "" "\t<input type=\"submit\" value=\"Subscribe\" class=\"button\" />\n" "</form>\n" msgstr "" +"<form action=\"https://www.paypal.com/cgi-bin/webscr\" method=\"post\" target='_blank' class='donation'>\n" +"\t<input type=\"hidden\" name=\"cmd\" value=\"_xclick-subscriptions\"/>\n" +"\t<input type=\"hidden\" name=\"business\" value=\"donate@torservers.net\"/>\n" +"\t<input type=\"hidden\" name=\"item_name\" value=\"Tails recurring donation\"/>\n" +"\t<input type=\"hidden\" name=\"no_note\" value=\"1\"/>\n" +"\t<input type=\"hidden\" name=\"src\" value=\"1\"/>\n" +"\t<input type=\"hidden\" name=\"modify\" value=\"1\"/>\n" +"\t<input type=\"hidden\" name=\"t3\" value=\"M\"/>\n" +"\t<input name=\"lc\" type=\"hidden\" value=\"US\" />\n" +"\t<input type=\"radio\" name=\"a3\" value=\"5\" id=\"sub5\" checked=\"checked\" /><label for=\"sub5\">5</label>\n" +"\t<input type=\"radio\" name=\"a3\" value=\"10\" id=\"sub10\"/><label for=\"sub10\">10</label>\n" +"\t<input type=\"radio\" name=\"a3\" value=\"20\" id=\"sub20\"/><label for=\"sub20\">20</label>\n" +"\t<input type=\"radio\" name=\"a3\" value=\"50\" id=\"sub50\"/><label for=\"sub50\">50</label>\n" +"\t<input type=\"radio\" name=\"a3\" value=\"100\" id=\"sub100\"/><label for=\"sub100\">100</label>\n" +"\t<input type=\"radio\" name=\"a3\" value=\"250\" id=\"sub250\"/><label for=\"sub250\">250</label>\n" +"\t<input type=\"radio\" name=\"a3\" value=\"500\" id=\"sub500\"/><label for=\"sub500\">500</label>\n" +"\t<select name=\"currency_code\">\n" +"\t\t\t<option value='EUR'>EUR</option>\n" +"\t\t\t<option value='USD'>USD</option>\n" +"\t\t\t<option value='GBP'>GBP</option>\n" +"\t\t\t<option value='CAD'>CAD</option>\n" +"\t\t\t<option value='AUD'>AUD</option>\n" +"\t\t\t<option value='NZD'>NZD</option>\n" +"\t\t\t<option value='SEK'>SEK</option>\n" +"\t\t\t<option value='CZK'>CZK</option>\n" +"\t\t\t<option value='PLN'>PLN</option>\n" +"\t\t\t<option value='DKK'>DKK</option>\n" +"\t\t\t<option value='NOK'>NOK</option>\n" +"\t\t\t<option value='MXN'>MXN</option>\n" +"\t\t\t<option value='CHF'>CHF</option>\n" +"\t\t\t<option value='HKD'>HKD</option>\n" +"\t\t\t<option value='HUF'>HUF</option>\n" +"\t\t\t<option value='ILS'>ILS</option>\n" +"\t\t\t<option value='BRL'>BRL</option>\n" +"\t\t\t<option value='JPY'>JPY</option>\n" +"\t\t\t<option value='MYR'>MYR</option>\n" +"\t\t\t<option value='PHP'>PHP</option>\n" +"\t\t\t<option value='SGD'>SGD</option>\n" +"\t\t\t<option value='TWD'>TWD</option>\n" +"\t\t\t<option value='THB'>THB</option>\n" +"\t</select>\n" +"\t<br/>\n" +"\t<input type=\"radio\" name=\"p3\" value=\"1\" id=\"sub_m\" checked=\"checked\" /><label for=\"sub_m\">monatlich</label>\n" +"\t<input type=\"radio\" name=\"p3\" value=\"3\" id=\"sub_q\"/><label for=\"sub_q\">quartalsweise</label>\n" +"\t<input type=\"radio\" name=\"p3\" value=\"12\" id=\"sub_y\"/><label for=\"sub_y\">jährlich</label>\n" +"\t<br/>\n" +"\t<input type=\"submit\" value=\"Absenden\" class=\"button\" />\n" +"</form>\n" #. type: Title ### #, no-wrap msgid "Make a one-time donation" -msgstr "" +msgstr "Eine einmalige Spende tätigen" #. type: Plain text #, no-wrap @@ -255,13 +340,63 @@ msgid "" "\t<input type=\"submit\" value=\"Donate\" class=\"button\" />\n" "</form>\n" msgstr "" +"<form action='https://www.paypal.com/cgi-bin/webscr' id='paypalForm' method='post' target='_blank' class='donation'>\n" +"\t<input name='cmd' type='hidden' value='_donations' />\n" +"\t<input name='business' type='hidden' value='donate@torservers.net' />\n" +"\t<input name='item_name' type='hidden' value='Tails one-time donation' />\n" +"\t<input type=\"hidden\" name=\"no_shipping\" value=\"1\"/>\n" +"\t<input name=\"lc\" type=\"hidden\" value=\"US\" />\n" +"\t<input type=\"radio\" name=\"amount\" value=\"5\" id=\"pp_5\" /><label for=\"pp_5\">5</label>\n" +"\t<input type=\"radio\" name=\"amount\" value=\"10\" id=\"pp_10\"/><label for=\"pp_10\">10</label>\n" +"\t<input type=\"radio\" name=\"amount\" value=\"20\" id=\"pp_20\"/><label for=\"pp_20\">20</label>\n" +"\t<input type=\"radio\" name=\"amount\" value=\"50\" id=\"pp_50\"/><label for=\"pp_50\">50</label>\n" +"\t<input type=\"radio\" name=\"amount\" value=\"100\" id=\"pp_100\"/><label for=\"pp_100\">100</label>\n" +"\t<input type=\"radio\" name=\"amount\" value=\"\" id=\"pp_cust\" checked=\"checked\"/><label for=\"pp_cust\">anderer Betrag</label>\n" +"\t<select name=\"currency_code\">\n" +"\t\t<option value='EUR'>EUR</option>\n" +"\t\t<option value='USD'>USD</option>\n" +"\t\t<option value='GBP'>GBP</option>\n" +"\t\t<option value='CAD'>CAD</option>\n" +"\t\t<option value='AUD'>AUD</option>\n" +"\t\t<option value='NZD'>NZD</option>\n" +"\t\t<option value='SEK'>SEK</option>\n" +"\t\t<option value='CZK'>CZK</option>\n" +"\t\t<option value='PLN'>PLN</option>\n" +"\t\t<option value='DKK'>DKK</option>\n" +"\t\t<option value='NOK'>NOK</option>\n" +"\t\t<option value='MXN'>MXN</option>\n" +"\t\t<option value='CHF'>CHF</option>\n" +"\t\t<option value='HKD'>HKD</option>\n" +"\t\t<option value='HUF'>HUF</option>\n" +"\t\t<option value='ILS'>ILS</option>\n" +"\t\t<option value='BRL'>BRL</option>\n" +"\t\t<option value='JPY'>JPY</option>\n" +"\t\t<option value='MYR'>MYR</option>\n" +"\t\t<option value='PHP'>PHP</option>\n" +"\t\t<option value='SGD'>SGD</option>\n" +"\t\t<option value='TWD'>TWD</option>\n" +"\t\t<option value='THB'>THB</option>\n" +"\t</select>\n" +"\t<br/>\n" +"\t<input type=\"submit\" value=\"Spenden\" class=\"button\" />\n" +"</form>\n" #. type: Title = #, no-wrap msgid "How does Tails use this money?\n" -msgstr "" +msgstr "Wofür verwendet Tails dieses Geld?\n" #. type: Plain text msgid "" "Our [[financial documents|doc/about/finances]] are available for your review." msgstr "" +"Unsere [[Auflistungen über die Verwendung der Zuwendungen|doc/about/" +"finances]] sind für Sie einsehbar." + +#~ msgid "" +#~ "**Your support is critical to our success.** Consider making\n" +#~ "a donation to Tails.\n" +#~ msgstr "" +#~ "**Ihre Hilfe ist ausschlaggebend für unseren Erfolg.** Bitte erwägen " +#~ "Sie,\n" +#~ " Tails eine Spende zukommen zu lassen.\n" diff --git a/wiki/src/contribute/how/donate.fr.po b/wiki/src/contribute/how/donate.fr.po index cf0bb243ff0dcfd45a31928ff480fc568ae738ff..941eaa81c59ee637c568282860d5e0838ba1ac8e 100644 --- a/wiki/src/contribute/how/donate.fr.po +++ b/wiki/src/contribute/how/donate.fr.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-09-22 12:27+0300\n" -"PO-Revision-Date: 2014-08-14 10:59+0200\n" +"POT-Creation-Date: 2015-03-16 21:58+0100\n" +"PO-Revision-Date: 2015-03-16 22:03+0100\n" "Last-Translator: Tails translators <tails@boum.org>\n" "Language-Team: Tails translators <tails@boum.org>\n" "Language: \n" @@ -24,11 +24,22 @@ msgstr "[[!meta title=\"Faire un don\"]]\n" #. type: Plain text #, no-wrap msgid "" -"**Your support is critical to our success.** Consider making\n" -"a donation to Tails.\n" +"Tails is free because <strong>nobody should have to pay to be safe\n" +"while using computers</strong>. But Tails cannot stay alive without\n" +"money and <strong>we need your help</strong>!\n" msgstr "" -"**Votre soutien est essentiel.** Envisagez de faire\n" -"un don à Tails.\n" +"Tails est gratuit car <strong>personne ne devrait avoir à payer pour être en\n" +"sécurité lors de l'utilisation d'ordinateurs</strong>. Cela dit, Tails ne peut\n" +"pas survivre sans argent et <strong>nous avons besoin de votre aide </strong>!\n" + +#. type: Plain text +#, no-wrap +msgid "" +"<strong>[[Discover who you are helping around the world when\n" +"donating to Tails.|news/who_are_you_helping]]</strong>\n" +msgstr "" +"<strong>[[Découvrez qui vous aidez, à travers le monde, lorsque vous faites un\n" +"don à Tails.|news/who_are_you_helping]]</strong>\n" #. type: Plain text msgid "" @@ -379,3 +390,10 @@ msgstr "Comment Tails utilise cet argent ?\n" msgid "" "Our [[financial documents|doc/about/finances]] are available for your review." msgstr "Vous pouvez consulter nos [[rapports financiers|doc/about/finances]]." + +#~ msgid "" +#~ "**Your support is critical to our success.** Consider making\n" +#~ "a donation to Tails.\n" +#~ msgstr "" +#~ "**Votre soutien est essentiel.** Envisagez de faire\n" +#~ "un don à Tails.\n" diff --git a/wiki/src/contribute/how/donate.mdwn b/wiki/src/contribute/how/donate.mdwn index f853de713fa52329e05bd2859a2bee0e4f1775cc..a50a7714efa0ed174c6b3fa899b60c346f577ab0 100644 --- a/wiki/src/contribute/how/donate.mdwn +++ b/wiki/src/contribute/how/donate.mdwn @@ -1,7 +1,11 @@ [[!meta title="Make a donation"]] -**Your support is critical to our success.** Consider making -a donation to Tails. +Tails is free because <strong>nobody should have to pay to be safe +while using computers</strong>. But Tails cannot stay alive without +money and <strong>we need your help</strong>! + +<strong>[[Discover who you are helping around the world when +donating to Tails.|news/who_are_you_helping]]</strong> Note that Tails is a project mainly run by volunteers. There are [[many other ways to contribute|contribute]]! diff --git a/wiki/src/contribute/how/donate.pt.po b/wiki/src/contribute/how/donate.pt.po index 642411b3daff8a9572a926be96567f52a7107529..f6332bc04f1e6dfeb0ab622d605280c3d62f2bb1 100644 --- a/wiki/src/contribute/how/donate.pt.po +++ b/wiki/src/contribute/how/donate.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-09-22 12:27+0300\n" +"POT-Creation-Date: 2015-03-16 21:58+0100\n" "PO-Revision-Date: 2014-09-15 12:30-0300\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -23,11 +23,17 @@ msgstr "[[!meta title=\"Faça uma doação\"]]\n" #. type: Plain text #, no-wrap msgid "" -"**Your support is critical to our success.** Consider making\n" -"a donation to Tails.\n" +"Tails is free because <strong>nobody should have to pay to be safe\n" +"while using computers</strong>. But Tails cannot stay alive without\n" +"money and <strong>we need your help</strong>!\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<strong>[[Discover who you are helping around the world when\n" +"donating to Tails.|news/who_are_you_helping]]</strong>\n" msgstr "" -"**Seu apoio é crítico para nosso sucesso.** Considere fazer\n" -"uma doação para o Tails.\n" #. type: Plain text msgid "" @@ -381,3 +387,10 @@ msgid "" msgstr "" "Nossos [[documentos financeiros|doc/about/finances]] estão disponíveis para " "seu escrutínio." + +#~ msgid "" +#~ "**Your support is critical to our success.** Consider making\n" +#~ "a donation to Tails.\n" +#~ msgstr "" +#~ "**Seu apoio é crítico para nosso sucesso.** Considere fazer\n" +#~ "uma doação para o Tails.\n" diff --git a/wiki/src/contribute/how/mirror/automatically_download_and_seed_Tails_over_BitTorrent.mdwn b/wiki/src/contribute/how/mirror/automatically_download_and_seed_Tails_over_BitTorrent.mdwn index d3dd6b4a17aedc92033d45b9e771cf7c4f32efe4..144faf0f26315ac03b817ff01b4c4f4b387cf997 100644 --- a/wiki/src/contribute/how/mirror/automatically_download_and_seed_Tails_over_BitTorrent.mdwn +++ b/wiki/src/contribute/how/mirror/automatically_download_and_seed_Tails_over_BitTorrent.mdwn @@ -29,8 +29,8 @@ After installing rTorrent, you will want to have it run at boot time. It greatly depends on the init system your distributions uses. -One way to do this is to install an initscript, such as [that -(crappy) one](automatically_download_and_seed_Tails_over_BitTorrent/rtorrent), +One way to do this is to install an initscript, such as [[that +(crappy) one|automatically_download_and_seed_Tails_over_BitTorrent/rtorrent]], by placing it into `/etc/init.d/`, editing it to replace `USERNAME` with your username, and then setting it to run at boot (`chkconfig` on Red Hat -like systems, `rcconf` or `update-rc.d` on Debian-like systems). @@ -55,7 +55,7 @@ You can modify the [official rtorrent.rc](http://libtorrent.rakshasa.no/browser/trunk/rtorrent/doc/rtorrent.rc#latest) or start from [[this modified rtorrent.rc|automatically_download_and_seed_Tails_over_BitTorrent/rtorrent.rc]]. The modified -version comes pre-configured for randomization of ports, disabled DHT, +version comes pre-configured for randomization of ports, and forced encryption. The changes you have to do yourself are: diff --git a/wiki/src/contribute/how/promote.mdwn b/wiki/src/contribute/how/promote.mdwn index 36be95234f60e2252ddfd97fdce02056a03af4d3..0172c1afc2701bede16ec67404b6dbc9d5adcdfa 100644 --- a/wiki/src/contribute/how/promote.mdwn +++ b/wiki/src/contribute/how/promote.mdwn @@ -36,11 +36,12 @@ on Redmine. # Advertising material -Some minimal amount of advertising material is available already: +Some minimal amount of [[advertising material|promote/material]] is available already: * [[Press and media information|press]] - * [[DVD label|promote/cd_label.pdf.gz]] - * [[Slides|promote/slides]] + * [[DVD label|promote/material/cd_label.pdf.gz]] + * [[Slides|promote/material/slides]] + * [[Stickers|promote/material/stickers]] As you can see, there is room for improvement. Do not hesitate adding to the list! diff --git a/wiki/src/promote.mdwn b/wiki/src/contribute/how/promote/material.mdwn similarity index 75% rename from wiki/src/promote.mdwn rename to wiki/src/contribute/how/promote/material.mdwn index 19d6b148d5dc07af1de236f4c268459f48534d20..f6171a5412f3e75d4e4cf87c54b35f06d1b21b55 100644 --- a/wiki/src/promote.mdwn +++ b/wiki/src/contribute/how/promote/material.mdwn @@ -3,4 +3,4 @@ Here, we list material that can be used to promote Tails. [[Read more|contribute/how/promote]] about promoting Tails. -[[!map pages="promote/*"]] +[[!map pages="contribute/how/promote/material/*"]] diff --git a/wiki/src/contribute/how/sysadmin.mdwn b/wiki/src/contribute/how/sysadmin.mdwn index b634a179dd309b9d135254e8c487feb2efca1c80..b927e447f403f7b5d1ae540a749daae5007f0755 100644 --- a/wiki/src/contribute/how/sysadmin.mdwn +++ b/wiki/src/contribute/how/sysadmin.mdwn @@ -124,5 +124,5 @@ this is great; or else you may ask us to host your repository. # Contact information Email us at <tails-sysadmins@boum.org>. We prefer receiving email -encrypted with our OpenPGP key, that can be found on the keyservers, -and is certified by the Tails signing key. +encrypted with [[our OpenPGP key|doc/about/openpgp_keys#sysadmins]], +that is certified by the Tails signing key. diff --git a/wiki/src/contribute/how/testing.mdwn b/wiki/src/contribute/how/testing.mdwn index 6069bdc6780ec9a9e93a440a3e9b59eef7621018..f0f62959ce21b58da0e4630a959ff14de576df1d 100644 --- a/wiki/src/contribute/how/testing.mdwn +++ b/wiki/src/contribute/how/testing.mdwn @@ -54,6 +54,7 @@ Subscribe Archives from the list ====================== -This list is archived publicly: - -<https://mailman.boum.org/pipermail/tails-testers/> +Any message sent to this list is stored in a [public +archive](https://mailman.boum.org/pipermail/tails-testers/), so beware of +what your email content and headers reveal about yourself: location, +IP address, email subject and content, etc. diff --git a/wiki/src/contribute/how/translate.mdwn b/wiki/src/contribute/how/translate.mdwn index 5178c3688aa3a583c96a17765d55f4a171ff5349..06b6ba25a017fc09ea6822ef88baac77c8b38ecb 100644 --- a/wiki/src/contribute/how/translate.mdwn +++ b/wiki/src/contribute/how/translate.mdwn @@ -40,6 +40,10 @@ a language team if you want to participate. In general, you can contact the translation teams via the [[mailing list for translators|translate#follow-up]]. +Translators should focus on translating and maintaining the +[[core pages|contribute/l10n_tricks/core_po_files.txt]] first, then on +the rest of the website. + <a id="language-teams"></a> Currently, there are three active **language teams**: diff --git a/wiki/src/contribute/how/translate/team/de.mdwn b/wiki/src/contribute/how/translate/team/de.mdwn index 3557eea5e133a8d7865652a6ff1c636a876ef73c..b2202eefbe6dece19de2498e4e24a66da7dd23cb 100644 --- a/wiki/src/contribute/how/translate/team/de.mdwn +++ b/wiki/src/contribute/how/translate/team/de.mdwn @@ -34,7 +34,15 @@ unsure which term applies best. # Contributors' repositories -* flapflap: [[https://git.gitorious.org/flapflap/tailsxlat.git]] -* spriver: [[https://github.com/spriver/tails]] -* sycamoreone: [[https://git-tails.immerda.ch/sycamoreone/tails]] -* u: [[https://git-tails.immerda.ch/u451f/tails]] +In alphabetical order: + +* flapflap: [[https://gitlab.com/flapflap/tails.git]]<br/> + OpenPGP: `2354 8DDD 83F5 3E54 024C E4CC 73F0 75CE 217E 3C9F` +* muri: [[https://gitlab.com/muri/tails.git]]<br/> + OpenPGP: `0A22 2156 C805 923B B6A5 C26A 076D 7386 D16D 072E` +* spriver: [[https://gitlab.com/spriver/tails]]<br/> + OpenPGP: `179E 23A5 4D25 CF05 FC5F A67A C914 7FC5 687A 380F` +* sycamoreone: [[https://git-tails.immerda.ch/sycamoreone/tails]]<br/> + OpenPGP: `7204 C800 522E 14C0 7F87 1C6D E6AE 11A3 F6B8 D449` +* u: [[https://git-tails.immerda.ch/u451f/tails]]<br/> + OpenPGP: `EDE3 F444 3F34 D261 9514 D790 B14B B0C3 8D86 1CF1` diff --git a/wiki/src/contribute/how/translate/team/fr.mdwn b/wiki/src/contribute/how/translate/team/fr.mdwn index ea178b69bdf58b21deca67983ce5de4d7b7c9263..6ff8a69ddcc946e3a331bd7b73d192001db6bf2b 100644 --- a/wiki/src/contribute/how/translate/team/fr.mdwn +++ b/wiki/src/contribute/how/translate/team/fr.mdwn @@ -30,7 +30,7 @@ For French, various bits of text can be translated via Git: # Contributors' repositories -* matsa: [[http://repo.or.cz/w/tails/matsa.git]] +* matsa: [[https://git-tails.immerda.ch/matsa/tails/]] * mercedes508: [[https://git-tails.immerda.ch/mercedes508]] * seb35: [[https://git-tails.immerda.ch/seb35]] diff --git a/wiki/src/contribute/how/translate/team/new.mdwn b/wiki/src/contribute/how/translate/team/new.mdwn index 2600106113e269864ccb98c8a8447c2e72dd0684..6eea675a5f6715148dc2bd7ac5682c27aa0d3693 100644 --- a/wiki/src/contribute/how/translate/team/new.mdwn +++ b/wiki/src/contribute/how/translate/team/new.mdwn @@ -40,6 +40,13 @@ This may take some time. Don't get discouraged! Along the way, do not hesitate to report about your progress, and to ask for help, on the [[mailing list for translators|translate#follow-up]] :) +As soon as the translations of core pages reach 25%, you can ask on +the mailing-list for your language to be enabled on the website. If +the translations go below 25% later, it will be disabled from the +website. When the core pages are completely translated, you can start +translating other parts of the website. It is also good to translate +the news and release announcements. + Finally, in order to ease collaboration and to make it easier to join you, the new team should document what glossaries it uses, and what Git repositories are used by its members (see e.g. the [[French diff --git a/wiki/src/contribute/how/translate/with_Git.mdwn b/wiki/src/contribute/how/translate/with_Git.mdwn index 15bd8fdc44008092443dbe24a9e0c583b1154f54..bc7436ed17f043ac44309e533a98ecd4ceb169bd 100644 --- a/wiki/src/contribute/how/translate/with_Git.mdwn +++ b/wiki/src/contribute/how/translate/with_Git.mdwn @@ -71,7 +71,7 @@ ask on the [[mailing list for translators|translate#follow-up]], we will be glad Git server. There are a lot of websites providing you with such a possibility. If you already know where to host it in a public place, this is great; - else, [fork us on repo.or.cz](http://repo.or.cz/w/tails.git) or ask + else, [fork us on GitLab](https://gitlab.com/Tails/tails) or ask the Tails system administrators (<tails-sysadmins@boum.org>) to host your repository. @@ -82,7 +82,7 @@ ask on the [[mailing list for translators|translate#follow-up]], we will be glad This example clones an empty repository into the "tails" folder: - git clone http://repo.or.cz/r/tails/yourrepo.git tails + git clone git@gitlab.com:Tails/tails.git tails 2. **Copy the source code from the main repository** @@ -98,8 +98,8 @@ ask on the [[mailing list for translators|translate#follow-up]], we will be glad More specifically, if you type `git remote -v` and you'll see something like this: - origin ssh://yourrepo@repo.or.cz/srv/git/tails/yourrepo.git (fetch) - origin ssh://yourrepo@repo.or.cz/srv/git/tails/yourrepo.git (push) + origin git@gitlab.com:Tails/tails.git (fetch) + origin git@gitlab.com:Tails/tails.git (push) tails https://git-tails.immerda.ch/tails (fetch) tails https://git-tails.immerda.ch/tails (push) @@ -176,7 +176,7 @@ ask on the [[mailing list for translators|translate#follow-up]], we will be glad Each [[language team|translate#language-teams]] keeps track of their contributors' repositories. To add one of these repositories as a `remote` in Git, use the following command line: - git remote add [name] git://git.tails.boum.org/[name].git + git remote add [name] https://git-tails.immerda.ch/[name].git For example: diff --git a/wiki/src/contribute/how/user_interface.mdwn b/wiki/src/contribute/how/user_interface.mdwn index d7e5dbd818b0b44da5071b47244815904ff2c1a4..cf7e85886f235f766d197e29a0ebdb442b6e99a6 100644 --- a/wiki/src/contribute/how/user_interface.mdwn +++ b/wiki/src/contribute/how/user_interface.mdwn @@ -20,7 +20,22 @@ Even if you don't implement your suggestions yourself, [create tickets](https://labs.riseup.net/code/projects/tails/issues/new) with your ideas so that others can benefit from your insight. +Resources +========= + + - [[Guidelines for user testing|user_interface/testing]] + Talk to us ========== -[[!inline pages="contribute/talk" raw="yes"]] +You can subscribe to the tails-ux mailing-list: + +<form method="POST" action="https://mailman.boum.org/subscribe/tails-ux"> + <input class="text" name="email" value=""/> + <input class="button" type="submit" value="Subscribe"/> +</form> + +Any message sent to this list is stored in a +[public archive](https://mailman.boum.org/pipermail/tails-ux/), so +beware of what your email content and headers reveal about yourself: +location, IP address, email subject and content, etc. diff --git a/wiki/src/contribute/how/user_interface/testing.mdwn b/wiki/src/contribute/how/user_interface/testing.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..11988f4c3c98c067989c44106e5228cb20ce7b9c --- /dev/null +++ b/wiki/src/contribute/how/user_interface/testing.mdwn @@ -0,0 +1,57 @@ +[[!meta title="Guidelines for user testing"]] + +User testing is an irreplaceable tool to understand user experience and +take decisions while doing design iterations. Here are a few guidelines +to take the most of it. + +1. Welcome the tester: + + - Do a little icebreaker to present yourself, gather context information about the tester and make everybody at ease. + - Explain the context of the user experience up to the point where the test starts. + - Don't explain what you are going to test, nor its intended results. + - Explain the methodology of the test: + - Designers are not testing the tester but the product. + - Designers will not answer the tester's questions. + - Tester should speak out loud. + - Tester should express their doubts. + - Designers want to read the tester's mind. + +1. Conduct the test: + + - Designers should be two people working in a team: + - One interacting with the tester: + - Presents the test. + - Ask questions: + - Always ask open questions. + - Ask questions about past information (possibly after closing the screen). + - Never answers to questions. + - One taking notes: + - Describe the tester. + - What is the tester saying or experiencing. + - What is the tester doing, step by step. + - Do not interpret yet what's going on. + + - Debrief the test with the tester: + - Global feeling + - Go back to key points + - Listen to ideas only to better understand problems + + - Doing multiple tests: + - If testing different prototypes, alternate the order. + - All tests after the first one will be biased. + - Don't reuse testers to test the same design. + +1. Debrief after each test: + + - Check notes. + - List issues or points of interest from note taking: + - In a spreadsheet: + - Lines are issues. + - Columns are testers. + - Compact information. + - Don't modify your design yet! + +1. Interpret the results after all tests: + + - Sort issues by frequency. + - Target the three most frequent issues in your next design iteration. diff --git a/wiki/src/contribute/l10n_tricks.mdwn b/wiki/src/contribute/l10n_tricks.mdwn index 462adbbf5cffd0b40f4e7b014c26ab86bbc30a16..95a6e0f0acb609463d5870fff9197d6040ff29ea 100644 --- a/wiki/src/contribute/l10n_tricks.mdwn +++ b/wiki/src/contribute/l10n_tricks.mdwn @@ -40,20 +40,22 @@ up/down, you can add those lines in .vimrc: Check the validity of PO files ============================== -Use the tool [i18nspector](http://jwilk.net/software/i18nspector). +To check the validity of PO files, install [i18nspector](http://jwilk.net/software/i18nspector) +by running the following command line: -To copy, install and run it issue the following commands in the folder where -you want to download it: + sudo apt-get install i18nspector/wheezy-backports + +You can then check a single file: - apt-get install i18nspector/unstable i18nspector <PO file> -Run i18nspector on the whole wiki -================================= +or the whole wiki: cd wiki/src contribute/l10n_tricks/check_po.sh +You can get an explaination of each error message on the [[following documentation|https://readthedocs.org/projects/i18nspector/downloads/pdf/latest/]]. + Rewrap files ============ @@ -114,3 +116,8 @@ Execute from the root of the Git repository: ./import-translations ./wiki/src/contribute/l10n_tricks/transifex_translators.sh + +Get an overview of translation progress +======================================= + +You can get a list of pages that are not 100% translated on [[this dedicated page|contribute/how/translate/translation_progress]]. diff --git a/wiki/src/contribute/l10n_tricks/check_po.sh b/wiki/src/contribute/l10n_tricks/check_po.sh index 24af67547e035283f2a3f603bcccdaf1a5c1b429..f781c526bfa278b5ac204cc04640183fdebc2e7f 100755 --- a/wiki/src/contribute/l10n_tricks/check_po.sh +++ b/wiki/src/contribute/l10n_tricks/check_po.sh @@ -37,6 +37,7 @@ no-package-name-in-project-id-version no-plural-forms-header-field no-report-msgid-bugs-to-header-field no-version-in-project-id-version +stray-previous-msgid unable-to-determine-language unknown-poedit-language " | grep -v '^$' > "$PATTERNS_FILE" diff --git a/wiki/src/contribute/l10n_tricks/doc-whatchanged b/wiki/src/contribute/l10n_tricks/doc-whatchanged new file mode 100755 index 0000000000000000000000000000000000000000..9311bcd48dbeb3afc958fa4fb1fcea03925b0565 --- /dev/null +++ b/wiki/src/contribute/l10n_tricks/doc-whatchanged @@ -0,0 +1,30 @@ +#!/bin/sh + +set -e +set -u + +### Global variables + +PROG=$(basename "$0") +USAGE="Usage: $PROG TIME +Example: $PROG '2 weeks ago'" + +### Functions + +fatal() { + echo "$*" >&2 + exit 2 +} + +display_usage_and_error_out() { + fatal "$USAGE" +} + +### Main + +[ $# -eq 1 ] || display_usage_and_error_out +TIME="$1" + +git diff "master@{$TIME}..master" --stat=200 -- wiki/src \ + | grep --color=never -E '\.(mdwn|html)\s+' \ + | grep -E -v '^\s+wiki/src/(blueprint|contribute)/' diff --git a/wiki/src/contribute/l10n_tricks/language_statistics.sh b/wiki/src/contribute/l10n_tricks/language_statistics.sh index d4d01cafe0407446e05e3dc73d3b0931ba4ef14a..1755e833c02e4d9a8d85aef976bf5ce017376cbc 100755 --- a/wiki/src/contribute/l10n_tricks/language_statistics.sh +++ b/wiki/src/contribute/l10n_tricks/language_statistics.sh @@ -15,10 +15,6 @@ count_original_words () { cat | grep ^msgid | sed 's/^msgid "//g;s/"$//g' | wc -w } -count_translated_words () { - cat | grep ^msgstr | sed 's/^msgstr "//g;s/"$//g' | wc -w -} - statistics () { PO_MESSAGES="$(mktemp -t XXXXXX.$lang.po)" msgcat --files-from=$PO_FILES --output=$PO_MESSAGES @@ -33,7 +29,7 @@ statistics () { ) TRANSLATED_WC=$( msgattrib --translated --no-fuzzy --no-obsolete --no-wrap $PO_MESSAGES \ - | count_translated_words + | count_original_words ) echo " - $lang: $(($TRANSLATED*100/$TOTAL))% ($TRANSLATED) strings translated, $(($FUZZY*100/$TOTAL))% strings fuzzy, $(($TRANSLATED_WC*100/$TOTAL_WC))% words translated" rm -f $PO_FILES $PO_MESSAGES @@ -63,6 +59,9 @@ for lang in $LANGUAGES ; do statistics $PO_FILES done +echo "" +echo "Total original words: $TOTAL_WC" + # core PO files echo "" echo "[[Core PO files|contribute/l10n_tricks/core_po_files.txt]]" @@ -77,3 +76,6 @@ for lang in $LANGUAGES ; do > $PO_FILES statistics $PO_FILES done + +echo "" +echo "Total original words: $TOTAL_WC" diff --git a/wiki/src/contribute/low-hanging_fruit_sessions.mdwn b/wiki/src/contribute/low-hanging_fruit_sessions.mdwn index 465596a5415859f9f0326b52baeaf4fc1763b95d..a3b780c91d5876773b207017e7c1ba1a9d4dfc77 100644 --- a/wiki/src/contribute/low-hanging_fruit_sessions.mdwn +++ b/wiki/src/contribute/low-hanging_fruit_sessions.mdwn @@ -18,3 +18,5 @@ The goals are to: * Enjoy doing non-urgent things and have some fun together. * Get a lot of small improvements into the next Tails release. * Cleanup our todo list a bit. +* Try to handle bug fixes for the next release that are not assigned to + anybody. diff --git a/wiki/src/contribute/meetings/201502.mdwn b/wiki/src/contribute/meetings/201502.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..d2f6cb8995bd5880bfd36108fda116983c85b3d8 --- /dev/null +++ b/wiki/src/contribute/meetings/201502.mdwn @@ -0,0 +1,33 @@ +[[!meta title="February 2015 meeting"]] + +[[!toc levels=1]] + + +# [[!tails_ticket 8244 desc="Greeter revamp: Decide if we want to keep the wording 'Quick setup'"]] + +Postpone: the ticket was not relevant to discuss according to the latest +discussions and mockups. + +# [[!tails_ticket 6432 desc="WhisperBack launcher in the applications menu should give a hint about its function"]] + +We choose to go with the "WhisperBack Error Reporting" wording. + +# [[!tails_ticket 7076 desc="Warn against plugging a Tails device in untrusted systems"]] + +We choose to put the warn in the "Warnings" page, and see later if this page +grows too big. + +# [[!tails_ticket 8253 desc="Ship a tool to quickly edit (resize...) pictures"]] + +This could fit in the use cases, so we need a GUI tool for that. There are a +bunch of nautilus plugins that can do that, so next step is to test them and +pick one or none. Requirements: sanely developed and maintained upstream. + +# [[!tails_ticket 8796 desc="Consider using the purple of the logo as background color"]] + +We decided to ship a darker blue blackground. Someone building a proposal or +willing to lead a discussion about visual identity would be welcome. + +# [[!tails_ticket 8696 desc="Consider hiding the TBB logo in Tor Launcher "]] + +We will remove this logo, so ticket about using that envvar for that. diff --git a/wiki/src/contribute/meetings/201503.mdwn b/wiki/src/contribute/meetings/201503.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..1682eb4159613f5e7f1475138a054221c6b5bf68 --- /dev/null +++ b/wiki/src/contribute/meetings/201503.mdwn @@ -0,0 +1,55 @@ +[[!meta title="March 2015 online meeting"]] + +[[!toc levels=1]] + +# Volunteers to handle "[Hole in the roof](https://labs.riseup.net/code/versions/198)" tickets this month + +intrigeri started with [[!tails_ticket 6840]]. +anonym will also look into it also into [[!tails_ticket 7546]]. + +We agreed to drop [[!tails_ticket 5985]] from the "holes in the roof" list and noted, +that [[!tails_ticket 5318]] should be taken care of when the Greeter is rewritten ([[!tails_ticket 8230]]). + +# Availability and plans for monthly low-hanging fruits meeting + +At least 5 people would like to attend. + +# [[!tails_ticket 8586 desc="Create a directory of organizations doing Tails training"]] + +We agreed that the Tails homepage should contain such a list, +under the following conditions: + +* We note that the list is not exhaustive. +* We keep in touch with the organizations listed and for each organization + we need someone committed to update the page. +* We make the target audience clear and get the agreement of the org before adding them. + This is important to make sure, that organizations aren't overrun by interested parties. +* We try not to duplicate work of other organizations. + +intrigeri can create such a page one of these month. BitingBird might also be interested. + +# [[!tails_ticket 7400 desc="Don't start Vidalia in Windows 8 camouflage?"]] + +We agreed to make this a low priority wishlist ticket. + +The ticket is also related to [[!tails_ticket 9002]] about a green onion feature +in post-Vidalia Tails. + +# [[!tails_ticket 8873 desc="Decide which kind of verification would the ISO verification extension do"]] + +We decided that the problem space of this ticket is not appropriate for a monthly meeting. +Instead please read the [blueprint](https://tails.boum.org/blueprint/bootstrapping/extension/#verification) +and comment on the [mailing list thread](https://mailman.boum.org/pipermail/tails-dev/2015-March/008333.html). + +# Important tickets with milestone, but without assignee, see the [mailing-list](https://mailman.boum.org/pipermail/tails-dev/2015-February/008239.html) + +The questions is: How do we handle unexpected and high-priority tasks, when all the people who usually do this are already overwhelmed? + +We decide to discuss these tasks in the monthly meetings similar to the way +holes-in-the-roof are already handled. These tickets can also be prioritized at +low-hanging fruits meetings. + +sajolida will take care of updating the meetings template, + +To be better prepared for such emergency events we should, in the future, +also budget time for bug fixing when fundraising. diff --git a/wiki/src/contribute/meetings/201504.mdwn b/wiki/src/contribute/meetings/201504.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..fbd4f0d9d0c049a6f0c95c7596bf72c47712e122 --- /dev/null +++ b/wiki/src/contribute/meetings/201504.mdwn @@ -0,0 +1,51 @@ +[[!meta title="April 2015 online meeting"]] + +[[!toc levels=1]] + +# Volunteers to handle "[Hole in the roof](https://labs.riseup.net/code/versions/198)" tickets this month + +KillYourTV might be able to test [[!tails_ticket 5306]], if his other +commitments for the next release don't eat all his time. + +# Volunteers to handle important tickets flagged for next release, but without assignee + +Anonym is planning to take [[!tails_ticket 9072]]. +Bertagaz is interested to give a try to fix [[!tails_ticket 9000]] if time +permits. +[[!tails_ticket 8243]] probably won't be fixed for 1.4, but some discussions +are kinda blocking it (e.g "keeping up with pluggable transports by using TBB's +Tor and tor-launcher"). This was added to the next summit agenda. + +# Availability and plans for monthly low-hanging fruits meeting + +Not much availability, but KillYourTV intend to attend. + +# [[!tails_ticket 5613 desc="Document time sync failure"]] + +Given our plans wrt. time syncing are changing (e.g. Intrigeri has a proposal +in mind that makes this moot), it's not worth investing time in documenting +that *now*. But if we're still in the same position in 6-8 months, we should +probably reconsider. + +Also, this ticket is blocking [[!tails_ticket 5459]], and both of this tickets +are blocked by [[!tails_ticket 5424]] + +# [[!tails_ticket 9174 desc="Migrate our blueprints to blueprints.tails.boum.org"]] + +Discussions have started on tails-dev@ ("Underlay for UX or blueprints") +whether to move the blueprints on "https://blueprints.tails.boum.org". + +There's not much downside people can see to this move (and not much people +participating/reading the thread it seems), so Intrigeri and Sajolida who are +part of the discussion can take any decisions they feel necessary on this. + +# [[!tails_ticket 9047 desc="Tails trademark?"]] + +It seems one can claim a unregistered trademark without doing any bureaucracy, +*just* by adding it to your website somewhere. + +We have not much clues about the advantages of this, so the next steps would be +to investigate more concretly what are the advantages of an unregistered +trademark and what are the corresponding use case, as well as investigate what +would be the visual impact of such TM craps on our website. + diff --git a/wiki/src/contribute/meetings/201505.mdwn b/wiki/src/contribute/meetings/201505.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..9a7fafbcdf327cdc7e7370c8a1ebf29e54b181be --- /dev/null +++ b/wiki/src/contribute/meetings/201505.mdwn @@ -0,0 +1,90 @@ +[[!meta title="May 2015 online meeting"]] + +[[!toc levels=1]] + +# Volunteers to handle "[Hole in the roof](https://labs.riseup.net/code/versions/198)" tickets this month + +adamb will look into Vagrant issues. + +# Availability and plans for monthly low-hanging fruits meeting + +Six of us will try, to various degrees, to make it. + +# Claws Mail leaks cleartext of encrypted email to the IMAP server + +## Security advisory synopsis + +All those who commented found the synopsis on [[!tails_ticket 9161]] +great. It has a few issues, though, that intrigeri reported on the +ticket (note 9). + +## [[!tails_ticket 9303 desc="Consider proposing POP instead of IMAP by default" + +We agreed that this would be good, if we can preconfigure it to not +delete messages from the server by default (which makes sense +especially in an amnesic live system). + +sajolida will investigate if we can do that. + +## [[!tails_ticket 9302 desc="Consider shipping claws-mail 3.10.1-2~bpo70+1"]] + +We agreed that doing this is useless, given cleartext email will be +sent to the server's Queue folder anyway, unless manual configuration +is done. + +And while we're at it, we're also going to reject [[!tails_ticket 8305]]. + +## [[!tails_ticket 9298 desc="How much do we want Tor Browser's per-tab circuit view?"]] + +For most applications (e.g. Pidgin, but not Claws Mail), Vidalia +currently displays DOMAIN:PORT information for each circuit. +But according to the screenshots on [[!tails_ticket 6842]], once we +replace Vidalia with Tor Monitor, we'll only have IP:PORT information, +that most users won't be able to correlate with their web +browsing activity. + +But we're not there yet. So, for the moment we'll simply keep Tor +Browser's per-tab circuit view disabled, on the grounds that this info +is already available in Vidalia. + +And later, some of us will argue that when we replace Vidalia with Tor +Monitor, in order to avoid a UX regression, either we ship Tor +Browser's per-tab circuit view (and go through a complicated security +analysis thereof), or we have Tor Monitor display the DOMAIN:PORT +information like Vidalia does. That was suggested on [[!tails_ticket +6842]]. + +Also note that the security analysis isn't only about Tor Browser's +per-tab circuit view. It's also about Tor Monitor, Vidalia, retrieving +info via the X protocol, and what practical attacks one can conduct +with the full circuits/streams info in hand. anonym will file tickets +about it. + +# [[!tails_ticket 9277 desc="Research BitTorrent trackers we could use"]] + +The open tracker we're using currently has difficulties handling the +load and costs. It's been proposed to use http://coppersurfer.tk/ +instead, but there are many unknowns about it, and some of us would +like to support the tracker we've been using forever. So, we've +decided to *add* http://coppersurfer.tk/ to the list of trackers in +our torrents for a couple releases, and then see => [[!tails_ticket +9335]]. + +# [[!tails_ticket 7912 desc="Non-US keyboard layout selected with Greeter sometimes is not active when logged in"]] + +This bug has an easy workaround, it seems that it doesn't affect +Tails/Jessie, and it doesn't seem easy to fix. So we decided to simply +flag it as resolved in the 4.0 milestone, and add it to known issues +for Wheezy (along with the trivial workaround when it happens) if it's +not there yet. BitingBird will do the latter ([[!tails_ticket 9336]]). + +# Create tickets to track UX regressions caused by AppArmor + +Frontdesk sees a lot of user despair that's possibly related to +AppArmor, and most importantly, to the fact that no notification tells +users that AppArmor is blocking things. OTOH, developers got very very +few actionable bug reports on this topic, so it's hard to create +useful tickets about it. intrigeri will investigate installing +[[!debpkg apparmor-notify]] to provide notifications on AppArmor +denials, which should alleviate the most pressing UX problems: +[[!tails_ticket 9337]]. diff --git a/wiki/src/contribute/merge_policy/review.mdwn b/wiki/src/contribute/merge_policy/review.mdwn index ce4e4414e85ac01882b78bdfb787976d6fffce40..ce21297c4e05636591a436296be2bf5d25516f53 100644 --- a/wiki/src/contribute/merge_policy/review.mdwn +++ b/wiki/src/contribute/merge_policy/review.mdwn @@ -4,9 +4,12 @@ - When you start doing a review'n'merge, assign the relevant ticket to you, in order to avoid duplicated work. -- Build the branch (or experimental) and test the feature. +- Merge the base branch (the one you're supposed to merge the reviewed + topic branch into, as specified in `config/base_branch` and in the + pull request -- they must match) into the topic branch. +- Build the topic branch and test the feature. - Check the diff e.g. with `git log -p`. Beware of changes introduced - by merge commits: either add the `-cc` option to `git log`, or use + by merge commits: either add the `--cc` option to `git log`, or use `git diff` after reviewing the individual patches. - Check the APT suite with `ssh reprepro@incoming.deb.tails.boum.org reprepro list [bugfix|feature]-<name-with-dashes>` @@ -22,7 +25,7 @@ ## Merge -On the Git side, merge the branch with `--no-ff`: +Merge the branch with `--no-ff`: - for a new feature: into `devel`; then merge `devel` into `experimental` @@ -41,9 +44,6 @@ your merge to our main [[Git repository|contribute/Git]]. For example: Merge branch 'bugfix/8470-clean-up-apt-pinning' (Fix-committed: #8470) -On the APT repository side, -[[merge the suites|APT_repository#workflow-merge-topic-branch]]. - ## Book keeping 1. Update the *QA Check* field on the ticket. If there is no remaining diff --git a/wiki/src/contribute/release_process.mdwn b/wiki/src/contribute/release_process.mdwn index 700b3adaea2fe3c6d5fea6450b25e1e6b2770f14..537f58a4a2552b410baf9a76d2b4e61bf45313e7 100644 --- a/wiki/src/contribute/release_process.mdwn +++ b/wiki/src/contribute/release_process.mdwn @@ -29,7 +29,7 @@ the scripts snippets found on this page: repository used to prepare the release (`stable` or `testing`). * `RELEASE_CHECKOUT`: a checkout of the branch of the main Tails Git repository used to prepare the release (`stable` or `testing`). -* `TAILS_SIGNATURE_KEY=0D24B36AA9A2A651787876451202821CBE2CD9C1` +* `TAILS_SIGNATURE_KEY=A490D0F4D311A4153E2BB7CADBB802B258ACD84F` * `IUK_CHECKOUT`: a checkout of the relevant tag of the `iuk` Git repository. * `PERL5LIB_CHECKOUT`: a checkout of the relevant tag of the @@ -55,15 +55,66 @@ See [[release_process/Debian_security_updates]]. Select the right branch ======================= -For a major release, the `devel` branch should be merged into the `testing` -branch and changes should be made from there. - -From minor releases, work should happen in `stable`. +What we refer to as the "release branch" (and `RELEASE_BRANCH`) should +be `testing` for major releases, and `stable` for point-releases. <div class="caution"> -Then, read this document from the branch used to prepare the release. +Read the remainder of this document from the branch used to prepare the release! </div> +Freeze +====== + +Major release +------------- + +If we are at freeze time for a major release: + +1. Merge the `master` Git branch into `devel`: + + git checkout devel && git merge --no-ff origin/master + +2. [[Merge each APT overlay + suite|contribute/APT_repository#workflow-merge-overlays]] listed in + the `devel` branch's `config/APT_overlays.d/` into the `devel` + APT suite. + +3. Merge the `devel` Git branch into the `testing` one: + + git checkout testing && git merge devel + + ... and check that the resulting `config/APT_overlays.d/` in the + `testing` branch is empty. + +4. [[Hard reset|APT_repository#workflow-reset]] the `testing` APT + suite to the current state of the `devel` one. + +5. If there is no Jenkins job building ISO images from the `testing` + branch, ask <tails-sysadmins@boum.org> to re-activate it. + +Point-release +------------- + +If we are at freeze time for a point-release: + +1. Merge the `master` Git branch into `stable`: + + git checkout stable && git merge --no-ff origin/master + +2. [[Merge each APT overlay + suite|contribute/APT_repository#workflow-merge-overlays]] listed in + the `stable` branch's `config/APT_overlays.d/` into the `stable` + APT suite. + +Common steps for point and major releases +----------------------------------------- + +After either of the above sections' steps, reset the release branch's +`config/base_branch`: + + echo "${RELEASE_BRANCH}" > config/base_branch && \ + git commit config/base_branch -m "Restore ${RELEASE_BRANCH}'s base branch." + Update included files ===================== @@ -116,7 +167,8 @@ Then check the PO files: Correct any displayed error, then commit the changes if any. -Then see the relevant release processes: +Then see the relevant release processes, and upload the packages to +the release branch's APT suite: * [[liveusb-creator]] * [[tails-greeter]] @@ -126,10 +178,9 @@ Then see the relevant release processes: * whisperback: * follow [upstream release process](https://git-tails.immerda.ch/whisperback/plain/HACKING) * build a Debian package - * upload it to our [[APT repository]] -Upgrade the Tor Browser ------------------------ +Upgrade Tor Browser +------------------- See the dedicated page: [[tor-browser]] @@ -148,21 +199,62 @@ Commit the result, including new PO files: git add po && git commit -m 'Update PO files.' -Freeze ------- +When preparing an actual release +================================ -If we are at freeze time for a major release: +If we're about to prepare an image for a final (non-RC) release, then +follow these instructions: + +Major release +------------- + +[[Merge each APT overlay +suite|contribute/APT_repository#workflow-merge-overlays]] listed in +the `testing` branch's `config/APT_overlays.d/` into the `testing` +APT suite. -* Merge the `master` Git branch into `devel`. -* Merge the `devel` Git branch into `testing`. -* Reset the `testing` APT suite to the state of the `devel` one, as - documented on [[contribute/APT_repository#workflow-freeze]]. -* If there is no Jenkins job building ISO images from the `testing` - branch, ask <tails-sysadmins@boum.org> to re-activate it. +Point-release +------------- + +<div class="note"> +For point-releases, we generally do not put any RC out, so freeze time +is the same as preparing the actual release. Hence, the following +steps have already been done above, and this section is a noop in the +general case. +</div> -Else, if we are at freeze time for a point-release: +[[Merge each APT overlay +suite|contribute/APT_repository#workflow-merge-overlays]] listed in +the `stable` branch's `config/APT_overlays.d/` into the `stable` APT suite. -* Merge the `master` Git branch into `stable`. +Update other base branches +========================== + +1. Merge the release branch into `devel` following the instructions for + [[merging base branches|contribute/APT_repository#workflow-merge-main-branch]]. + +2. Merge `devel` into `feature/jessie` following the instructions for + [[merging base branches|contribute/APT_repository#workflow-merge-main-branch]]. + Given that these two branches' APT suites have diverged a lot, and + that `tails-merge-suite` currently happily overwrites newer + packages in the target with older packages from the source, it's + probably easier to just merge each individual APT overlay that was + just merged into the release branch into `feautre/jessie`'s APT + suite. Also, most of our just upgraded bundled packages + (e.g. `tails-greeter`) may need to be rebuilt for Jessie. + +3. Ensure that the release, `devel` and `feature/jessie` branches + have the expected content in `config/APT_overlays.d/`: e.g. it must + not list any overlay APT suite that has been merged already. + +4. Push the modified branches to Git: + + git push origin "${RELEASE_BRANCH}:${RELEASE_BRANCH}" \ + devel:devel \ + feature/jessie:feature/jessie + +Update more included files +========================== Changelog --------- @@ -182,7 +274,9 @@ Then, gather other useful information from: * every custom bundled package's own Changelog (Greeter, Persistent Volume Assistant, etc.); -* the "Fix committed" section on the *Release Manager View* +* the diff between the previous version's `.packages` file and the one + from the to-be-released ISO; +* the "Fix committed" section on the *Release Manager View for $VERSION* in Redmine. Finally, commit: @@ -255,12 +349,20 @@ To get a list of changes on the website: Import the signing key ====================== +Skip this part if you have a Tails signing subkey on an OpenPGPG +smartcard, i.e. if you are one of the usual release managers. This is +only relevant when the master key has been reassembled, e.g. for +signing a Tails emergency release where none of the usual release +managers are available. + You should never import the Tails signing key into your own keyring, and a good practice is to import it to a tmpfs to limit the risks that the private key material is written to disk: export GNUPGHOME=$(mktemp -d) - sudo mount -t tmpfs tmpfs "$GNUPGHOME" + sudo mount -t ramfs ramfs "$GNUPGHOME" + sudo chown $(id -u):$(id -g) "$GNUPGHOME" + sudo chmod 0700 "$GNUPGHOME" gpg --homedir $HOME/.gnupg --export $TAILS_SIGNATURE_KEY | gpg --import gpg --import path/to/private-key @@ -290,6 +392,20 @@ repository documentation. Build images ============ +Sanity check +------------ + +Verify that the TBB release used in Tails still is the most +recent. Also look if there's a new `-buildX` tag for the targetted TBB +and Tor Browser versions in their respective Git repos: + +* <https://gitweb.torproject.org/builders/tor-browser-bundle.git> +* <https://gitweb.torproject.org/tor-browser.git> + +A new tag may indicate that a new TBB release is imminent. + +Better catch this before people spend time doing manual tests. + Build the almost-final image ---------------------------- @@ -347,7 +463,7 @@ First, create a directory with a suitable name and go there: Second, copy the built image to this brand new directory. Then, rename it: - mv "$ARTIFACTS/tails-i386-*-$VERSION-*.iso" "tails-i386-$VERSION.iso" + mv "$ARTIFACTS/tails-i386-${RELEASE_BRANCH}-$VERSION-"*".iso" "$ISOS/tails-i386-$VERSION/tails-i386-$VERSION.iso" Third, generate detached OpenPGP signatures for the image to be published, in the same directory as the image and with a `.sig` @@ -499,16 +615,8 @@ Upload images Sanity check ------------ -Verify that the TBB release used in Tails still is the most -recent. Also look if there's a new `-buildX` tag for the targetted TBB -and Tor Browser versions in their respective Git repos: - -* <https://gitweb.torproject.org/builders/tor-browser-bundle.git> -* <https://gitweb.torproject.org/tor-browser.git> - -A new tag may indicate that a new TBB release is imminent. - -Better catch this before people spend time doing manual tests. +Verify once more that the TBB we ship is still the most recent (see +above). ## Announce, seed and test the Torrents @@ -589,7 +697,7 @@ In order to get any new documentation into the website, merge either Rename the `.packages` file to remove the `.iso` and build date parts of its name: - mv "$ARTIFACTS"/tails-i386-*-"$VERSION"-*.iso.packages \ + mv "$ARTIFACTS"/tails-i386-"${RELEASE_BRANCH}-$VERSION"-*.iso.packages \ "$ARTIFACTS/tails-i386-$VERSION.packages" Copy the `.iso.sig`, `.packages`, `.torrent` and `.torrent.sig` files @@ -611,6 +719,12 @@ to be released in `inc/*`: cut -f 1 -d ' ' | tr -d '\n' \ > "$RELEASE_CHECKOUT/wiki/src/inc/stable_i386_hash.html" +Update the size of the ISO image in `inc/*`: + + LC_NUMERIC=C ls -l --si $ISOS/tails-i386-$VERSION/tails-i386-$VERSION.iso | \ + cut -f 5 -d ' ' | sed -r 's/(.+)([MG])/\1 \2B/' | tr -d '\n' \ + > "$RELEASE_CHECKOUT/wiki/src/inc/stable_i386_iso_size.html" + Update the [[support/known_issues]] page: - Add regressions brought by the new release. @@ -628,8 +742,6 @@ Write the announcement for the release in [[!tails_gitweb_commit 9925321]] breaks all existing persistent profiles). - Document known issues. -- Update the link(s) to these release notes in - `wiki/src/doc/first_steps/upgrade.mdwn`. Write an announcement listing the security bugs affecting the previous version in `security/` in order to let the users of the old versions @@ -685,6 +797,7 @@ Then, record the last commit before putting the release out for real: Testing ======= +1. Email <tails-testers@boum.org> to ask them to test the tentative ISO. 1. Set up a Gobby document and copy the [[manual test suite|contribute/release_process/test]] in it. 1. Email to <tails@boum.org> and potential contributors that tests may start: @@ -692,7 +805,6 @@ Testing - make it clear where and how you expect to get feedback - attach the Torrent - attach the `.packages` file -1. Email <tails-testers@boum.org> to ask them to test the tentative ISO. 1. Make sure someone is committed to run the automated test suite. 1. Make sure that enough people are here to run the tests, that they report their results in due time, and that they make it clear when @@ -712,10 +824,22 @@ Push ### Git -Push the last commits to our Git repository: +If preparing a release candidate, just push the `master` branch: + + git push origin master:master - ( cd "$RELEASE_CHECKOUT" && git push ) && \ - ( cd "$MASTER_CHECKOUT" && git fetch && git merge "$RELEASE_BRANCH" && git push ) +If preparing an actual release, push the last commits to our Git +repository like this: + + ( cd "$RELEASE_CHECKOUT" && \ + git push origin "$RELEASE_BRANCH:$RELEASE_BRANCH" \ + devel:devel \ + ) && \ + ( cd "$MASTER_CHECKOUT" && \ + git fetch && \ + git merge "$RELEASE_BRANCH" && \ + git push origin master:master \ + ) ... and ask <root@boum.org> to refresh the ikiwiki wrappers for our website. @@ -730,8 +854,8 @@ tracker. For a list of candidates, see: * the [issues in *Fix committed* status](https://labs.riseup.net/code/projects/tails/issues?query_id=111); -* the "Fix committed" section on the [Release Manager - View](https://labs.riseup.net/code/projects/tails/issues?query_id=130). +* the "Fix committed" section on the *Release Manager View for $VERSION* + in Redmine. Then, mark the just-released Redmine milestone as done: go to the target version page, click *Edit*, and set *Status* to *Closed*. @@ -739,10 +863,30 @@ target version page, click *Edit*, and set *Status* to *Closed*. ### Tickets linked from the website Go through the tickets linked from the documentation and support sections of the -website and point documentation writers to the ticket that might be resolved in +website and point documentation writers to the tickets that might be resolved in this release. - git grep tails_ticket -- "wiki/src/[ds]*/*.mdwn" + find wiki/src/{doc,support} -name "*.mdwn" -o -name "*.html" | xargs cat | \ + ruby -e 'puts STDIN.read.scan(/\[\[!tails_ticket\s+(\d+)[^\]]*\]\]/)' | \ + while read ticket; do + url="https://labs.riseup.net/code/issues/${ticket}" + url_content=$(curl --fail --silent ${url}) + if [ "${?}" -ne 0 ]; then + echo "Failed to fetch ${url} so manually investigate #${ticket}" >&2 + continue + fi + status=$(echo "${url_content}" | \ + sed -n 's,^.*<th class="status">Status:</th><td class="status">\([^<]\+\)</td>.*$,\1,p') + if [ "${status}" != "New" ] && \ + [ "${status}" != "Confirmed" ] && \ + [ "${status}" != "In Progress" ]; then + echo "It seems ticket #${ticket} has been fixed (Status: ${status}) so please find all instances in the wiki and fix them. Ticket URL: ${url}" + fi + done + +Remember that ticket expressions, e.g. `[[!tails_ticket 1234]]`, can +span several lines, so finding the ones reported by the above code +*might* be harder than `git grep "tails_ticket 1234"`. Test suite ---------- @@ -784,8 +928,19 @@ We announce *major* releases on the Tor blog: Tor weekly news --------------- -Write a short announcement for the Tor weekly news, or find someone -who's happy to do it. +Write a short announcement for the [Tor weekly +news](https://trac.torproject.org/projects/tor/wiki/TorWeeklyNews)'s +next issue (follow the *Next steps* link), or find someone who's happy +to do it. + +Amnesia news +------------ + +The release notes should have been automatically sent to +`amensia-news@` (thanks to the `announce` flag) but it will be stuck +in the moderation +queue. [Log in](https://mailman.boum.org/admindb/amnesia-news) and +accept it. Prepare for the next release ============================ @@ -830,26 +985,19 @@ this, and skip what does not make sense for a RC. | sed -e 's,^[a-f0-9]\+\s\+,,' | sort -u - `git checkout experimental && git reset --hard devel` - - [[hard reset|contribute/APT_repository#workflow-reset]] the `experimental` - APT suite to the state of the `devel` one. - - merge additional branches into experimental (both at the Git and - APT levels) + - merge additional Git branches into experimental for branch in $UNMERGED_BRANCHES ; do git merge $branch - suite=$(echo $branch | sed -e 's,[/_],-,g') - if [ $(ssh reprepro@incoming.deb.tails.boum.org reprepro list $suite | wc -l) -gt 0 ] ; then - ssh reprepro@incoming.deb.tails.boum.org tails-merge-suite $suite experimental - fi done - - `git push --force origin experimental` + - `git push --force origin experimental:experimental` 1. Make sure Jenkins manages to build all updated major branches fine: <https://jenkins.tails.boum.org/>. 1. Delete the _Release Manager View for $VERSION_ Redmine custom query. 1. Ensure the next few releases have their own _Release Manager View_. -1. On the [[!tails_roadmap]], update the *Due date* for the *Broken - windows* so that this section appears after the next release. +1. On the [[!tails_roadmap]], update the *Due date* for the *Holes + in the Roof* so that this section appears after the next release. * If the next release is a point-release, ask <tails-sysadmins@boum.org> to disable the Jenkins job that's building ISO images from the `testing` branch (since it basically diff --git a/wiki/src/contribute/release_process/Torbutton.mdwn b/wiki/src/contribute/release_process/Torbutton.mdwn deleted file mode 100644 index 99aaf4bcac3e67d80cacf7e71567377a18205346..0000000000000000000000000000000000000000 --- a/wiki/src/contribute/release_process/Torbutton.mdwn +++ /dev/null @@ -1,55 +0,0 @@ -[[!meta title="Releasing Torbutton"]] - -[[!toc levels=1]] - -Update the Debian package -========================= - -Add a remote with upstream repository if not already done: - - $ git remote add upstream-remote https://git.torproject.org/torbutton.git - -Verify the new upstream tag: - - git tag -v <version> - -Merge the new upstream tag: - - git checkout upstream - git merge <version> - git tag upstream/<version> - -Merge `upstream` branch to `master` branch: - - git checkout master - git merge upstream/<version> - -Update `debian/changelog`: - - git-dch -v <version>-1 - -(Do not forget to set the appropriate release.) - -Commit the changelog: - - git commit debian/changelog - -Build a new Debian package: - - git-buildpackage - -If everything is fine, tag the release and push the changes: - - git-buildpackage --git-tag-only --git-sign-tags - git push && git push --tags - -Add the Debian package to Tails -=============================== - -Sign the package: - - debsign $CHANGES_FILE - -Upload: - - dupload --to tails $CHANGES_FILE diff --git a/wiki/src/contribute/release_process/liveusb-creator.mdwn b/wiki/src/contribute/release_process/liveusb-creator.mdwn index cbeb23544649d1871af1cc35da62f82a6bcc0e2e..382d1b6f8208f954d424f819bc48849e17c66fe8 100644 --- a/wiki/src/contribute/release_process/liveusb-creator.mdwn +++ b/wiki/src/contribute/release_process/liveusb-creator.mdwn @@ -90,7 +90,9 @@ it in `..`, and then re-run the command with `--git-no-pristine-tar`. Add a signed tag to the Git repository and push the changes: git-buildpackage --git-tag-only --git-sign-tags && \ - git push && git push --tags + git push origin master:master \ + debian:debian && \ + git push --tags (Make sure both `master` and `debian` are pushed.) diff --git a/wiki/src/contribute/release_process/liveusb-creator/topic_branch.mdwn b/wiki/src/contribute/release_process/liveusb-creator/topic_branch.mdwn index 4a14ed28e676c98bddf1383170689a612f309c2d..4fe9b9365ef5dde08000a772131891eeae0e1199 100644 --- a/wiki/src/contribute/release_process/liveusb-creator/topic_branch.mdwn +++ b/wiki/src/contribute/release_process/liveusb-creator/topic_branch.mdwn @@ -5,7 +5,7 @@ follows: 1. `git checkout -b debian_$TOPIC debian` 2. `git merge feature/$TOPIC` -3. Use `git-dch --auto --snapshot --ignore-branch` too fill `debian/changelog`, and +3. Use `git-dch --auto --snapshot --ignore-branch` to fill `debian/changelog`, and insert something like "+feature.$TOPIC.1bugfix-6092-drop-racy-code" (with all special characters changed to full stops, i.e. ".") between the version last packaged in the "debian" branch, and the gbp snapshot number diff --git a/wiki/src/contribute/release_process/perl5lib.mdwn b/wiki/src/contribute/release_process/perl5lib.mdwn index 74a07889f64bc247ebe3e6a7f34ed737fc0d58a0..952e0d1f25d36aaab6a4e53544adc2a08549ea6c 100644 --- a/wiki/src/contribute/release_process/perl5lib.mdwn +++ b/wiki/src/contribute/release_process/perl5lib.mdwn @@ -88,7 +88,11 @@ If everything is fine, add a signed tag to the repository and push the changes: git-buildpackage --git-tag-only --git-sign-tags && \ - git push && git push --tags + git push origin master:master \ + debian:debian \ + pristine-tar:pristine-tar \ + upstream:upstream && \ + git push --tags (Make sure `master`, `upstream`, `debian` and `pristine-tar` were all pushed.) diff --git a/wiki/src/contribute/release_process/persistence-setup.mdwn b/wiki/src/contribute/release_process/persistence-setup.mdwn index 0ed8363a5c2647c47fa6e94f8068bd16e56867a0..30abf0e2fed710bd8ca2e711df713768cdd1982f 100644 --- a/wiki/src/contribute/release_process/persistence-setup.mdwn +++ b/wiki/src/contribute/release_process/persistence-setup.mdwn @@ -85,7 +85,11 @@ If everything is fine, add a signed tag to the repository and push the changes: git-buildpackage --git-tag-only --git-sign-tags && \ - git push && git push --tags + git push origin master:master \ + debian:debian \ + pristine-tar:pristine-tar \ + upstream:upstream && \ + git push --tags (Make sure `master`, `upstream`, `debian` and `pristine-tar` were all pushed.) diff --git a/wiki/src/contribute/release_process/tails-greeter.mdwn b/wiki/src/contribute/release_process/tails-greeter.mdwn index 7711ad2adff8d193e065468aefe963b317714578..168a1da8f10cd669d8c587181fec7354eb7b961c 100644 --- a/wiki/src/contribute/release_process/tails-greeter.mdwn +++ b/wiki/src/contribute/release_process/tails-greeter.mdwn @@ -38,7 +38,7 @@ Build a new Debian package (use a Wheezy/i386 chroot): If everything is fine, tag the release and push the changes: git-buildpackage --git-tag-only --git-sign-tags --git-keyid=$PGP_PUB_KEY && \ - git push && git push --tags + git push origin master:master && git push --tags Add the Debian package to Tails =============================== diff --git a/wiki/src/contribute/release_process/tails-iuk.mdwn b/wiki/src/contribute/release_process/tails-iuk.mdwn index 79ac5d1c6d25c9138ad89062416907135cf29658..bf524772c100bfdee5bb5c1ab76a8cdf8b19cee9 100644 --- a/wiki/src/contribute/release_process/tails-iuk.mdwn +++ b/wiki/src/contribute/release_process/tails-iuk.mdwn @@ -99,9 +99,17 @@ Build a Debian package (use a Wheezy chroot with the right version of `tails-perl5lib` installed), add a signed tag to the repository and push the changes: - git-buildpackage && \ - git-buildpackage --git-tag-only --git-sign-tags && \ - git push && git push --tags + git-buildpackage + +If everything is fine, add a signed tag to the repository and push the +changes: + + git-buildpackage --git-tag-only --git-sign-tags && \ + git push origin master:master \ + debian:debian \ + pristine-tar:pristine-tar \ + upstream:upstream && \ + git push --tags Add the Debian package to Tails =============================== diff --git a/wiki/src/contribute/release_process/test.mdwn b/wiki/src/contribute/release_process/test.mdwn index 8ec2f223e2ba718ff485f7370713754205d422b6..33206a951038d4ac3c27f2382788bc09b9229a84 100644 --- a/wiki/src/contribute/release_process/test.mdwn +++ b/wiki/src/contribute/release_process/test.mdwn @@ -23,9 +23,9 @@ Boot the candidate ISO and find the commit it was build from with the Then, from the source tree, see the diff: - git diff --find-renames <old tag>..<ISO commit> + git diff --find-renames <old ISO commit>..<ISO commit> -e.g. `git diff 0.17..06fa1ab80d55c9f29274b7459bd198edb1a8d53d` +e.g. `git diff --find-renames 334e1c485a3a79be9fff899d4dc9d2db89cdc9e1..cfbde80925fdd0af008f10bc90c8a91a578c58e3` ## Result @@ -33,8 +33,8 @@ Compare the list of bundled packages and versions with the one shipped last time. `.packages` are usually attached to the email announcing the ISO is ready. /usr/bin/diff -u \ - wiki/src/torrents/files/tails-i386-0.16.packages \ - tails-i386-0.17.packages \ + wiki/src/torrents/files/tails-i386-1.3.1.packages \ + tails-i386-1.3.2.packages \ | wdiff --diff-input --terminal Check the output for: @@ -101,233 +101,17 @@ tracked by tickets prefixed with `todo/test_suite:`. * Browsing (by IP) a HTTP or HTTPS server on the LAN should be possible. * Browsing (by IP) a FTP server on the LAN should be possible. -# Pidgin - -(automate: [[!tails_ticket 7820]]) - -* Check that you can initiate an OTR conversation. -* Check that XMPP is working with a new test profile. - For example using Riseup: - - Username: username - - Domain: riseup.net - - Connect server: 4cjw6cwpeaeppfqz.onion - - Then try to create and connect to a new room: - - Room: testing - - Server: conference.riseup.net - - Handle: username -* Check that Pidgin doesn't leak too much information when replying to - CTCP requests: - * Start Tails, launch Pidgin, and join #tails. - * Also join #tails from a client that supports CTCP commands - properly, e.g. Konversation. - * Try to send `/ctcp <Tails_account_nick> COMMAND` from the other client to Pidgin: - - You should get no answer apart for the PING and VERSION commands - ([[!tails_ticket 5823]]). - - List of `/ctcp` commands, see [this page](http://www.wikkedwire.com/irccommands): - - PING - - VERSION - - FINGER - - USERINFO - - CLIENTINFO - - TIME - # Tor -(automate: [[!tails_ticket 7821]]) - * The version of Tor should be the latest stable one, which is the highest version number before alpha releases on <http://deb.torproject.org/torproject.org/pool/main/t/tor/>. -* Check that the firewall-level Tor enforcement is effective: - - check output of `iptables -L -n -v` - - check output of `iptables -t nat -L -n -v` - - try connecting to the Internet after unsetting `$SOCKS_SERVER` and - `$SOCKS5_SERVER` using a piece of software that does not obey the - GNOME proxy settings, *and* is not explicitly torified in Tails: - - unset SOCKS_SERVER ; unset SOCKS5_SERVER - curl --noproxy '*' http://monip.org/ - - ... should only give you "Connection refused" error message. -* Check that IPv6 traffic is blocked: - - check output of `ip6tables -L -n` - - at a place with working IPv6: try connecting to a known-working - IPv6-enabled server on its IPv6 address over TCP and icmp6. -* After DHCP has been set up, `/etc/resolv.conf` must read `nameserver 127.0.0.1`. -* Before DHCP has been set up, `/etc/resolv.conf` must read `nameserver 127.0.0.1`. -* [[doc/first_steps/startup_options/bridge_mode]] should work: - 1. Set up an administrator password. - 1. Enable network configuration in Tails Greeter. - 1. Configure a few bridges in Tor Launcher: - - bridge 198.252.153.59:9001 - obfs2 198.252.153.59:16492 - obfs3 198.252.153.59:16493 - - 1. Use the Internet. - 1. Check that the only outgoing direct network connections go to the - configured bridges: - - sudo watch "netstat -taupen | grep ESTABLISHED" - -* Verify that all destinations reached from an intensive Tails session - are tor routers or - authorities: - 1. Boot Tails without the network in. - 1. Set up an administration password. - 1. Start dumping your whole session's network activity with `sudo - tcpdump -n -i any -w dump` (or better, do the dump on another machine, - or on the host OS if Tails is running in a VM). - 1. Plug the network. - 1. Wait for Tor to be functional. - 1. Save `/var/lib/tor/cached-microdesc-consensus` out of the VM (it's needed - to analyze the network dump later on). - 1. Do *a lot* of network stuff (why not run do this while doing all - the other tests **but** I2P and the unsafe browser, which would - show many false positives?) - 1. Then check all destinations, e.g. by using tshark and the script below: - - # set DUMP to the output of tcpdump above - DUMP=dump - # set CONSENSUS to Tor's consensus from the Tails session - CONSENSUS=cached-microdesc-consensus - NODES=$(mktemp) - awk '/^r / { print $6 }' ${CONSENSUS} > ${NODES} - # Note that these default directory authorities may change! To be - # sure, check in Tor's source, src/or/config.c:~900 - DIR_AUTHS=" - 128.31.0.39 - 86.59.21.38 - 194.109.206.212 - 82.94.251.203 - 76.73.17.194 - 212.112.245.170 - 193.23.244.244 - 208.83.223.34 - 171.25.193.9 - 154.35.32.5 - " - tshark -r ${DUMP} -T fields -e ip.dst | sort | uniq | \ - while read x; do - ip_expr=$(echo ${x} | sed -e "s@\.@\\\.@g") - if echo ${DIR_AUTHS} | grep -qe "${ip_expr}"; then - continue - fi - if ! grep -qe "^${ip_expr}$" ${NODES}; then - echo "${x} is bad" - fi - done - rm ${NODES} - - Note that this script will produce some false positives, like your - gateway, broadcasts, etc. - -## Stream isolation - -See our [[stream isolation design -page|contribute/design/stream_isolation]] for details such as port -numbers, that are not duplicated here to avoid desynchronization. - -Assumptions for the following tests: first, Tor stream isolation -features properly do their work; second, our `torrc` sets the right -`SocksPort` options to implement what we want. - -**Note**: the following commands would advantageously be replaced with -the appropriate tcpdump or tshark filters. - -* Make sure Claws Mail use its dedicated `SocksPort` when connecting - to IMAP / POP3 / SMTP servers: - - sudo watch -n 0.1 'netstat -taupen | grep claws' - -* Make sure these use the `SocksPort` dedicated for Tails-specific applications: - - htpdate — as root, run: - - service htpdate stop \ - && rm -f /var/run/htpdate/{done,success} \ - && service htpdate start - - ... with the following command running in another terminal: - - sudo watch -n 0.1 'netstat -taupen | grep curl' - - - security check — run `tails-security-check` with the following - command running in another terminal: - - sudo watch -n 0.1 'netstat -taupen | grep perl' - - - incremental upgrades — run `tails-upgrade-frontend-wrapper` with - the following command running in another terminal: - - sudo watch -n 0.1 'netstat -taupen | grep perl' - -* Make sure the Tor Browser uses its dedicated `SocksPort`: quit the Tor Browser - then start it with the following command running in another - terminal: - - sudo watch -n 0.1 'netstat -taupen | grep firefox' - -* Make sure other applications use the default system-wide - `SocksPort`: - - Gobby 0.5 — start Gobby 0.5 from the *Applications* menu and - connect to a server (for example `gobby.debian.org`), with the following command running in - another terminal: - - sudo watch -n 0.1 'netstat -taupen | grep gobby' - - - SSH — run (no need to authenticate the server or to login): - - ssh lizard.tails.boum.org - - ... with the following command running in another terminal: - - sudo watch -n 0.1 'netstat -taupen | grep -E "connect-proxy|ssh"' - - - whois — run: - - whois example.com - - ... with the following command running in another terminal: - - sudo watch -n 0.1 'netstat -taupen | grep whois' - -* Make sure a random application run using `torify` and `torsocks` - uses the default system-wide `SocksPort`. Run: - - torify /usr/bin/gobby-0.5 - - ... and connect to a server (for example `gobby.debian.org`), with the following command running - in another terminal: - - sudo watch -n 0.1 'netstat -taupen | grep gobby' - - Then do the same test for: - - torsocks /usr/bin/gobby-0.5 - -# Use of untrusted partitions - -(automate: [[!tails_ticket 7822]]) - -* Is any local hard-disk swap partition used as swap? - boot on a (possibly virtual) machine that has a cleartext swap - partition not managed by LVM. To verify that a local GTP partition is swap, - check its type code with `sgdisk -p`, Linux swap is code 8200. - - This swap partition must not be used by Tails. Run `cat /proc/swaps`. - -* Is a persistence volume on a local hard-disk partition used? - (Hint: setup a libvirt USB disk with GPT and a partition labeled - `TailsData`, set the `removable` flag on it, check that - tails-greeter proposes to enable persistence. Then remove the - `removable` flag, and check that tails-greeter does not propose to - enable persistence anymore.) # Claws * Check mail over IMAP using: - a "clearnet" IMAP server. - - a hidden service IMAP server (e.g. TorMail, jhiwjjlqpyawmpjx.onion, or - Riseup, zsolxunfmbfuq7wf.onion with SSL). + - a hidden service IMAP server (e.g. Riseup, zsolxunfmbfuq7wf.onion + with SSL). * Send an email using: - a "clearnet" SMTP server. - a hidden service SMTP server (see above). @@ -349,6 +133,11 @@ the appropriate tcpdump or tshark filters. verify that it only contains `localhost`: `tcpdump -A -r dump` 5. Check the `Received:` and `Message-Id` fields in the received message: it must not leak the hostname, nor the local IP. +* Make sure Claws Mail use its dedicated `SocksPort` when connecting + to IMAP / POP3 / SMTP servers by monitoring the output of this + command: + + sudo watch -n 0.1 'netstat -taupen | grep claws' # WhisperBack @@ -356,23 +145,6 @@ the appropriate tcpdump or tshark filters. * When we receive this bug report on the tails-bugs mailing-list, Schleuder tells us that it was sent encrypted. -# Time - -(automate: [[!tails_ticket 5836]]) - -1. Boot Tails without a network cable connected. - (e.g. `virsh domif-setlink tails-dev 52:54:00:05:17:62 down`.) -2. Set an administration password. -3. set the time to an obviously wrong one: - - date --set="Mon, 01 Mar 2000 15:45:34 - 0800" - -4. Connect the network cable. - (e.g. `virsh domif-setlink tails-dev 52:54:00:05:17:62 up`) - -=> the date should be corrected and Tor/Vidalia should start -correctly. - # Erase memory on shutdown - `memlockd` must be running @@ -438,25 +210,9 @@ Start I2P by appending `i2p` to the kernel command line. * The I2P router console should still be accessible on <http://127.0.0.1:7657> -# Git - -* clone a repository over `git://` - - git clone git://git.tails.boum.org/htp - -* clone a repository over `https://` - - git clone https://git-tails.immerda.ch/htp - -* clone a repository over SSH - # SSH -* Connecting over SSH to a server on the Internet should work (and - appear in Vidalia's connections list). * Connecting (by IP) over SSH to a server on the LAN should work. -* Connecting to a sftp server on the Internet using GNOME's "Connect - to a server" should work. # APT @@ -535,23 +291,13 @@ Start I2P by appending `i2p` to the kernel command line. Enable Windows camouflage via the Tails Greeter checkbox and: * Tails OpenPGP Applet's context menu should look readable -* The Tor Browser should use a Internet Explorer theme -* The Unsafe Browser has no scary red theme - -# Unsafe Web Browser +* The Tor Browser, Unsafe Browser and I2P Browser should all use the + Internet Explorer theme. +* Vidalia should not start. -(automate: [[!tails_ticket 7823]]) +# Unsafe Browser -* On start, if no DNS server was configured in NetworkManager - (e.g. if there's no network connection), there must be an error. -* Once started, check that: - - the Tor Browser instance runs as the `clearnet` user. - - it has no proxy configured. - - no extensions are installed. - - there are no bookmarks except the default Firefox ones. -* On exit, check that: - - make sure that its chroot gets properly teared down on exit (there - should be nothing mounted inside `/var/lib/unsafe-browser`). +Google must be the default, pre-selected search plugin. # Real (non-VM) hardware @@ -566,6 +312,10 @@ Enable Windows camouflage via the Tails Greeter checkbox and: # Documentation +* The "Tails documentation" desktop launcher should open the + [[getting started]] page (automate: [[!tails_ticket 8788]]): + - in one language to which the website is translated + - in one language to which the website is not translated (=> English) * Browse around in the documentation shipped in the image. Internal links should be fine. @@ -577,12 +327,13 @@ language. You *really* have to reboot between each language. * The chosen keyboard layout must be applied. * The virtual keyboard must work and be auto-configured to use the same keyboard layout as the X session. -* The Startpage search engine must be localized for the languages we ship a - search plugin for: - - find /usr/local/lib/tor-browser/distribution/searchplugins/locale -iname startpage-*.xml +* In the Tor Browser: + - Disconnect.me must be the default, pre-selected search plugin. + - the Disconnect.me, Startpage and Wikipedia search plugins must be + localized for the supported locales: -* The Wikipedia search engine must be localized for all languages. + . /usr/local/lib/tails-shell-library/tor-browser.sh + supported_tor_browser_locales ## Spellchecking @@ -607,12 +358,3 @@ language. You *really* have to reboot between each language. start without errors), and that `/var/log/syslog` seems OK. * MAT should be able to clean a PDF file, such as: <http://examples.itextpdf.com/results/part3/chapter12/pdf_metadata.pdf> -* The Tails signing key shipped should be up-to-date (that is, neither it nor - one its subkeys must have expired, or be about to expire any time soon). - - `gpg --list-keys --with-colons 1202821CBE2CD9C1` -* The "Report an error" desktop launcher should open the [[support]] - page, both in English and in one language to which the website is - translated (automate: [[!tails_ticket 6904]]). -* One should be able to refresh the GnuPG keyring in Seahorse (with - the workaround documented in comment 4 on [[!tails_ticket 7051]], - until that ticket is fixed for real). diff --git a/wiki/src/contribute/release_process/test/automated_tests.mdwn b/wiki/src/contribute/release_process/test/automated_tests.mdwn index 22db600d7a5832346adce3feee66ba0072a999d7..423714b53fd9b8af31b46ad2d9d7fcbec02943fa 100644 --- a/wiki/src/contribute/release_process/test/automated_tests.mdwn +++ b/wiki/src/contribute/release_process/test/automated_tests.mdwn @@ -25,6 +25,8 @@ the Sikuli programmatic interface from our step definitions. See [[contribute/release_process/test/setup]] and [[contribute/release_process/test/usage]]. +Core developers can also run it [[usage/on_lizard]]. + ## Features With this tool, it is possible to: @@ -101,6 +103,15 @@ Requirements on the guest (the remote shell server): firewall exceptions; actually we don't want any network traffic at all from it, but this kind of follows from the previous requirement any way) +* must start before Tails Greeter. Since that's the first point of + user interaction in a Tails system (if we ignore the boot menu), it + seems like a good place to be able to assume that the remote shell + is running. + +Scripts: + +* [[!tails_gitweb config/chroot_local-includes/usr/local/lib/tails-autotest-remote-shell]] +* [[!tails_gitweb config/chroot_local-includes/etc/init.d/tails-autotest-remote-shell]] # The art of writing new product test cases @@ -202,7 +213,7 @@ Beyond the obvious, after this step all steps requiring the administrative password have access to it. And I log in to a new session - And GNOME has started + And the Tails desktop is ready And I have a network connection And Tor is ready diff --git a/wiki/src/contribute/release_process/test/erase_memory_on_shutdown/pxedump.mdwn b/wiki/src/contribute/release_process/test/erase_memory_on_shutdown/pxedump.mdwn index 3ae889ad9c498605ead052da5ba5f3ffde3546e9..822e59e867b70e8671ba81aa9bf72f1134d7e00e 100644 --- a/wiki/src/contribute/release_process/test/erase_memory_on_shutdown/pxedump.mdwn +++ b/wiki/src/contribute/release_process/test/erase_memory_on_shutdown/pxedump.mdwn @@ -48,7 +48,7 @@ and port udp/31337 will go through. sudo ip addr add 172.32.1.1/24 dev tap0 sudo ip link set tap0 up -* Press 'Q' to disable PXE for the initial boot. Let the Tails CD boot. +* Press 'Q' to disable PXE for the initial boot. Let the Tails DVD boot. # Dump the RAM diff --git a/wiki/src/contribute/release_process/test/setup.mdwn b/wiki/src/contribute/release_process/test/setup.mdwn index b3bc0d3e990d00f2cde0f50c8960dafb9db4ea68..a54e599a4b62921f815e34ad8f8d15d5b0e0fcf7 100644 --- a/wiki/src/contribute/release_process/test/setup.mdwn +++ b/wiki/src/contribute/release_process/test/setup.mdwn @@ -1,7 +1,8 @@ [[!meta title="Test suite installation and setup"]] -Until we have a Puppet module to manage this in automated fashion, -here's how to setup an environment to run our automated test suite. +Here's how to set up an environment to run our automated test suite. +Alternatively, you way want to use the `tails::tester` class from the +[[!tails_gitweb_repo puppet-tails]] Puppet module. Once you have a working environment, see [[test/usage]]. @@ -10,23 +11,22 @@ Once you have a working environment, see [[test/usage]]. Install dependencies ==================== -The following packages are necessary on Debian Wheezy, with -wheezy-backports sources added: - - echo 'deb http://ftp.us.debian.org/debian/ testing main contrib non-free' \ - > /etc/apt/sources.list.d/testing.list && \ - echo -e "Package: *\nPin: release o=Debian,a=stable\nPin-Priority: 990" \ - > /etc/apt/preferences.d/Debian_stable && \ - echo -e "Package: *\nPin: release o=Debian,a=testing\nPin-Priority: 500" \ - > /etc/apt/preferences.d/Debian_testing && \ - apt-get update && - apt-get install git i18nspector xvfb virt-viewer libsikuli-script-java \ - libxslt1-dev tcpdump unclutter radvd x11-apps syslinux \ - libcap2-bin devscripts libvirt-ruby ruby-rspec gawk ntp ovmf/testing \ - ruby-json x11vnc xtightvncviewer ffmpeg libavcodec-extra-53 \ - libvpx1 dnsmasq-base openjdk-7-jre && \ - apt-get -t wheezy-backports install qemu-kvm qemu-system-x86 libvirt0 \ - libvirt-dev libvirt-bin seabios ruby-rjb ruby-packetfu cucumber && \ +First of all, one needs a Debian Jessie system with the `non-free` APT +components enabled. + +The following packages are necessary on Debian Jessie: + + echo -e "Package: *\nPin: release o=Debian,n=jessie\nPin-Priority: 990" \ + > /etc/apt/preferences.d/Debian_jessie && \ + apt update && \ + apt install git i18nspector xvfb virt-viewer libsikuli-script-java \ + libxslt1-dev tcpdump unclutter radvd x11-apps \ + libcap2-bin devscripts ruby-libvirt ruby-rspec gawk ntp ovmf \ + ruby-json x11vnc xtightvncviewer libav-tools \ + libvpx1 dnsmasq-base openjdk-7-jre ruby-guestfs ruby-net-irc \ + ruby-test-unit qemu-kvm qemu-system-x86 libvirt0 libvirt-dev \ + libvirt-daemon-system libvirt-clients seabios ruby-rjb \ + ruby-packetfu cucumber python-potr python-jabberbot && \ service libvirtd restart Other requirements diff --git a/wiki/src/contribute/release_process/test/usage.mdwn b/wiki/src/contribute/release_process/test/usage.mdwn index 153536066a759e88bdb1821c76a3107ee8c0992d..2bb353d63c6e527faba02e19194d23fac279e2d0 100644 --- a/wiki/src/contribute/release_process/test/usage.mdwn +++ b/wiki/src/contribute/release_process/test/usage.mdwn @@ -1,9 +1,15 @@ [[!meta title="Running the automated test suite"]] +[[!toc levels=2]] + +Basic usage +=========== + Use the `run_test_suite` script found in the Tails source root to run all automated Cucumber test features. See the [[setup documentation|test/setup]] in case you don't have a testing -environment yet. +environment yet. Note that the full Tails source tree must be readable +by the user running the test suite. It's important to note that some features only depend on the Tails sources, and some on the actual product of the sources, i.e. a Tails @@ -31,3 +37,161 @@ For full instructions, see its `--help`. Note: since the test suite itself uses `virt-viewer` to interact with the Tails guest you cannot use it as that will steal the session from the test suite, leaving it with a blank screen. + +Configuration +============= + +The test suite can be configured in the following ways: + +1. `run_test_suite` parameters, which takes precedence over + +2. the local configuration file `features/config/local.yml`, which +takes precedence over + +2. the local configuration files in `features/config/*.d` (with + internal precedence according to lexical order), which takes + precedence over + +4. the default configuration file `features/config/defaults.yml`. + +However, some values are treated as secrets and have no +defaults. These secrets are generally information about online sevices +to be used in certain features, like host, port and credentials -- +stuff we don't want to make public. These must be set explicitly in +order for those features to run. + +A Git repository, shared among a bunch of core Tails contributors, +includes _some_ of the needed secrets (more specifically, those that +can be use by concurrent test suite runs): + + git clone tails@git.tails.boum.org:test-suite-shared-secrets \ + features/config/shared-secrets.d + +## Non-secret configuration + +Here's a list of all non-secret key-value pairs that can be supported +by the local configuration file: + +* `DEBUG`: Boolean value. If set to `true`, various debugging info + will be printed. Defaults to `false`. + +* `PAUSE_ON_FAIL`: Boolean value. If set to `true`, the test suite run + is suspended on failure until ENTER is pressed. This is useful for + investigating the state of the VM guest to see exactly why a test + failed. Defaults to `false`. + +* `SIKULI_RETRY_FINDFAILED`: Boolean value. If set to `true`, print a + warning whenever Sikuli fails to find an image and allow *one* retry + after pressing ENTER. This is useful for updating outdated images, + or when extracting new images. Defaults to `false`. + +* `TEMP_DIR`: String value. Directory where various temporary files + are written during a test, e.g. VM snapshots and memory dumps, + failure screenshots, pcap files and disk images. Defaults to + `"/tmp/TailsToaster"`. + +## "Secret" configuration + +This section describes the formats for all secret configurations that +must be configured in the local configuration file for certain +features or scenarios to work. If any of these are omitted, parts of +the test suite will fail. + +### Tor pluggable transports + +The format is: + + Tor: + Transports: + $TYPE: + - ipv4_address: "1.2.3.4" + ipv4_port: 443 + fingerprint: "01234567890abcdef01234567890abcdef012345" + extra: + - ipv4_address: "5.6.7.8" + [...] + $ANOTHER_TYPE: + - ipv4_address: "1.2.3.4" + [...] + +where the type `$TYPE` (and `$ANOTHER_TYPE`) should be something like +`Obfs4` or `Bridge` (the first type) or whatever Tor calls them. Both +`fingerprint` and `extra` are optional and can be left empty (or +skipped completely), but e.g. `extra` is necessary for `Obfs4` type +bridges, for the `cert=... iat-mode=...` stuff, and the same for +`Scramblesuite`'s `password=...`. + +This setting is required for `tor_bridges.feature` (requires types +`Bridge`, `Obfs2`, `Obfs3` and `Obfs4`) and `time_syncing.feature` +(requires type `Bridge` only). + +### Pidgin + +These secrets are required for some scenarios in +`pidgin.feature`. Here's an example which explains the format: + + Pidgin: + Accounts: + XMPP: + Tails_account: + username: "test" + domain: "jabber.org" + password: "opensesame" + Friend_account: + username: "friend" + domain: "jabber.org" + password: "trustno1" + otr_key: | + (privkeys + (account + (name friend) + (protocol xmpp) + (private-key + (dsa + [...] + +Note that the fields used in the above example show the *mandatory* +fields. + +The XMPP account described by `Tails_account` (to be used in Tails' +Pidgin) and `Friend_account` (run via a bot from the tester host) must +be subscribed to each other but to no other XMPP account. Also, for the +`Friend_account`, it's important that the `otr_key`'s `name` field is +the same as `username`, and that the `protocol` field is `xmpp`. + +If a "Connect Server" is needed for any of the accounts, it can be set +in the *optional* `connect_server` field. + +In case the `Tails_account`'s conference server doesn't allow creating +arbitrary chat rooms, a specific one that is known to work can be set +in the *optional* `chat_room` field. It should still be a room with a +strange name that is highly likely to always be empty; otherwise the +test will fail. + +XMPP services known to work well both for `Tails_account` and +`Friend_account` are: +* riseup.net (use `connect_server: xmpp.riseup.net`) +* jabber.org (doesn't allow creating arbitrary chatrooms, so setting + `chat_room` may be needed) +* jabber.ccc.de + +### SSH + +These settings are required for `ssh.feature`. The format is: + + $TYPE: + hostname: 1.2.3.4 + private_key: | + -----BEGIN RSA PRIVATE KEY----- + MIIJKAIBAAKCAgEAwJJK8LFxTWVnKUeOBdw+w69fDMmJugJmCx1TF/QS7kPfVPRl + lz3hNOpdgZ0BkvC2Fd+mHAUKDWU5SHfCtYl2XyUkJ0p00844rphX+Bl0kVM7ISXt + [...] + -----END RSA PRIVATE KEY----- + public_key: "ssh-rsa AAAAB3NzaC1yc2EA..." + port: 22 + username: "someuser" + +where `$TYPE` is `SSH` or `SFTP`. Secrets must be specified for both `SSH` and +`SFTP`. If `port` is not specified, `22`will be used. + +The SSH test expects the remote system to have a default `bash` shell prompt. diff --git a/wiki/src/contribute/release_process/test/usage/on_lizard.mdwn b/wiki/src/contribute/release_process/test/usage/on_lizard.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..9d4d09d57750199f82951b676300db2338767c60 --- /dev/null +++ b/wiki/src/contribute/release_process/test/usage/on_lizard.mdwn @@ -0,0 +1,29 @@ +[[!meta title="Running the automated test suite on lizard"]] + +The isotester1 VM on lizard is configured to run our automated test +suite. Core Tails developers can run it there, e.g. on ISO images +built by Jenkins. + +[[!toc levels=2]] + +# Entering the system + +As a core developer, you have SSH access to `isotester1.lizard`. +The connection details you need live in our internal Git repository. + +# Getting an ISO image + +You can quickly retrieve ISO images built by Jenkins from +<http://nightly.tails.boum.org/>, e.g. using `wget` or `curl`. + +# Running the test suite + +Use `sudo su -` to enter a root session. + +A clone of the Tails Git repository can be found in `/srv/git/`. + +When using the `--capture` option, please pass it a filename within +`/tmp/TailsToaster`, for storage management reasons. + +You can access the VNC display of the system under testing using +a SSH tunnel. diff --git a/wiki/src/contribute/release_process/tor-browser.mdwn b/wiki/src/contribute/release_process/tor-browser.mdwn index dcd8933e8d59f382f17b480feb533e594784bd5a..10e93247f4ba55227af8ffddf4908da4825d069c 100644 --- a/wiki/src/contribute/release_process/tor-browser.mdwn +++ b/wiki/src/contribute/release_process/tor-browser.mdwn @@ -1,43 +1,186 @@ [[!meta title="Releasing the Tor Browser"]] +[[!toc levels=2]] + +The big picture +=============== + +The Tails ISO build system [[!tails_gitweb +config/chroot_local-hooks/10-tbb desc="downloads"]] a set of Tor +Browser tarballs from a location specified in [[!tails_gitweb +config/chroot_local-includes/usr/share/tails/tbb-dist-url.txt]], and +compares their hash with previously verified ones found in +[[!tails_gitweb +config/chroot_local-includes/usr/share/tails/tbb-sha256sums.txt]]. + +Once released officially, Tor Browser tarballs can be found in +a [permanent (?) +location](http://archive.torproject.org/tor-package-archive/torbrowser/). +However, when upgrading Tor Browser for an imminent Tails release, we +generally have to use Tor Browser tarballs that are under QA and not +officially released yet. So, we have to retrieve them from another, +temporary location, such as +<http://people.torproject.org/~mikeperry/builds/>. If we hard-coded +this temporary URL in `tbb-dist-url.txt`, then our release tag would +only be buildable for as long the tarballs stay in that place, which +at best is a few months. + +To solve this, we host ourselves the Tor Browser tarballs we need, and +point to [this permanent +location](http://torbrowser-archive.tails.boum.org/) for anything that +we tag. + +Still, one can set an arbitrary download location in +`tbb-dist-url.txt`, which should provide all the flexibility needed +for development purposes. + +Upgrade Tor Browser in Tails +============================ + Have a look at * <https://archive.torproject.org/tor-package-archive/torbrowser/> * <https://www.torproject.org/dist/torbrowser/> * <https://people.torproject.org/~mikeperry/builds/> +* <https://people.torproject.org/~gk/builds/> * <https://people.torproject.org/~linus/builds/> -and see if the desired version is available. We prefer -`archive.torproject.org` since the other sources periodically cleans -up old releases. Set `DIST_URL` to the chosen url, and set `VERSION` -to the desired TBB version, for example: +and see if the desired version is available. Set `DIST_URL` to the +chosen URL, and set `VERSION` to the desired Tor Browser version, for +example: - DIST_URL=https://people.torproject.org/~mikeperry/builds/ - VERSION=4.0 + DIST_URL=https://people.torproject.org/~mikeperry/builds/4.5-build5/ + VERSION=4.5 -Fetch the version's `sha256sums.txt` and `sha256sums.txt.asc` and -verify with `gpg`: +Fetch the version's hash file and its detached signature, and verify +with GnuPG: - wget ${DIST_URL}/${VERSION}/sha256sums.txt{,.asc} && \ + wget ${DIST_URL}/sha256sums.txt{,.asc} && \ gpg --verify sha256sums.txt.asc sha256sums.txt Filter the tarballs we want and make them available at build time, when the tarballs are fetched: - grep "\<tor-browser-linux32-.*\.tar.xz$" sha256sums.txt > \ + grep --color=never "\<tor-browser-linux32-.*\.tar.xz$" sha256sums.txt > \ config/chroot_local-includes/usr/share/tails/tbb-sha256sums.txt -Then update the url to the one chosen above: +Then update the URL to the one chosen above: echo "${DIST_URL}" | sed "s,^https://,http://," > \ config/chroot_local-includes/usr/share/tails/tbb-dist-url.txt -NOTE: We must use http (not http**s**) due to limitations/bugs in -`apt-cacher-ng`, which often is used in Tails build +<div class="note"> +<p> +We cannot use HTTPS due to limitations/bugs in +<code>apt-cacher-ng</code>, which often is used in Tails build environments. However, it is of no consequence since we verify the checksum file. +</p> +</div> Lastly, commit: git commit config/chroot_local-includes/usr/share/tails/tbb-*.txt \ - -m "Upgrade TBB to ${VERSION}." + -m "Upgrade Tor Browser to ${VERSION}." + +<div class="caution"> +<p> +If this new Tor Browser is meant to be included in a Tails +release, then that's not enough: as explained above, we need to host +the corresponding tarballs ourselves, so read on the next section. +</p> +</div> + +Self-hosted Tor Browser tarballs archive +======================================== + +Initial setup +------------- + +First, install git-annex from wheezy-backports or newer. + +Then, make sure you have an entry for `git.puppet.tails.boum.org` in +your `~/.ssh/config`. See systems/ISO_history in the internal Git repo +for details. + +Then, clone the metadata repository and initialize git-annex: + + git clone gitolite@git.puppet.tails.boum.org:torbrowser-archive.git && \ + cd torbrowser-archive && \ + git annex init + +You now have a lot of (dangling) symlinks in place of the files that are +available in this git-annex repo. + +To synchronize your local git-annex metadata with the remote, run: + + git annex sync + +Set up environment variables +---------------------------- + +1. Make sure you still have the environment variables defined in the + previous section set. + +2. Make `TAILS_GIT_REPO` point to the main Tails Git repository + checkout where `tbb-dist-url.txt` is being worked on, for example: + + TAILS_GIT_REPO="$HOME/tails/git" + +3. Make `TORBROWSER_ARCHIVE` point to your local git annex working + copy of our Tor Browser archive, for example: + + TORBROWSER_ARCHIVE="$HOME/tails/torbrowser-archive" + +Import a new set of Tor Browser tarballs +---------------------------------------- + +1. Download and verify all the tarballs we need: + + TMPDIR=$(mktemp -d) + CHROOT_INCLUDES="${TAILS_GIT_REPO}/config/chroot_local-includes" + TBB_SHA256SUMS_FILE="${CHROOT_INCLUDES}/usr/share/tails/tbb-sha256sums.txt" + TBB_DIST_URL_FILE="${CHROOT_INCLUDES}/usr/share/tails/tbb-dist-url.txt" + TBB_TARBALLS_BASE_URL="$(cat "${TBB_DIST_URL_FILE}" | sed "s,^http://,https://,")" + cat "$TBB_SHA256SUMS_FILE" | while read expected_sha256 tarball; do + ( + cd "$TMPDIR" + curl --remote-name "${TBB_TARBALLS_BASE_URL}/${tarball}" + ) + done + (cd "$TMPDIR" && sha256sum -c "$TBB_SHA256SUMS_FILE") + +3. Move the tarballs into your local Git annex: + + cd "$TORBROWSER_ARCHIVE" && \ + mkdir "$VERSION" && cd "$VERSION" && \ + git annex import --duplicate "$TMPDIR/"* + +Commit and push your changes +---------------------------- + + cd "$TORBROWSER_ARCHIVE" && \ + git commit -m "Add Tor Browser ${VERSION}." && \ + git annex sync && \ + git annex copy --to origin + +Adjust the URL in the main Git repository +----------------------------------------- + + cd "$TAILS_GIT_REPO" && \ + echo "http://torbrowser-archive.tails.boum.org/${VERSION}/" > \ + config/chroot_local-includes/usr/share/tails/tbb-dist-url.txt && \ + git commit config/chroot_local-includes/usr/share/tails/tbb-dist-url.txt \ + -m "Fetch Tor Browser from our own archive." + +Wait for the synchronization +---------------------------- + +Once you've gone through these steps, a cronjob that runs every +5 minutes will download the tarballs and make them available on +<http://torbrowser-archive.tails.boum.org/>. + +Wait for this to happen before you can build Tails using the new URL. + +In the meantime, you might want to import the new Tor Browser tarballs +into your `apt-cacher-ng` local cache. diff --git a/wiki/src/contribute/release_process/tor.mdwn b/wiki/src/contribute/release_process/tor.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..a7af007c7a3ee20ef5afec5f9ff58f06aad958a7 --- /dev/null +++ b/wiki/src/contribute/release_process/tor.mdwn @@ -0,0 +1,57 @@ +[[!meta title="Releasing tor"]] + +[[!toc levels=1]] + +Note: we're _not_ using Git, as weasel's script do lots of clever +things between the Git tree and the source package. So let's simply +take whatever he has uploaded to Debian and build it against +wheezy-backports, to get seccomp support. + +1. Make sure you have Debian unstable APT deb-src sources configured. + +2. Make sure you have an up-to-date wheezy-backports i386 pbuider chroot. + +3. Download the source package from Debian unstable, extract it, cd + into the directory: + + WORKDIR=$(mktemp -d) + cd "$WORKDIR" && \ + apt-get source tor/unstable && \ + cd tor-* + +4. Set `$DISTRIBUTION` to the name of the Tails APT suite you'll want + to upload to, e.g.: + + DISTRIBUTION=feature-tor-custom-build + +5. Update `debian/changelog`: + + UNSTABLE_VERSION=$(dpkg-parsechangelog --count 1 -SVersion) + WHEEZY_TPO_VERSION="${UNSTABLE_VERSION}~d70.wheezy+1" + TAILS_VERSION="${WHEEZY_TPO_VERSION}+tails1" + dch --newversion "$TAILS_VERSION" --force-bad-version \ + --distribution "$DISTRIBUTION" --force-distribution \ + "Rebuild on wheezy-backports to get seccomp support" + + Check the resulting `debian/changelog` entry. + +6. Add a build dependency on `linux-libc-dev` >= 3.16 (which is in + wheezy-backports): + + sed --regexp-extended -i 's/^(Build-Depends:[^\[]*)\s+(\[.*\])?$/\1, linux-libc-dev (>= 3.16) \2/' debian/control + dch --append "Build depend on linux-libc-dev (>= 3.16) to fix build error from undefined IP6T_SO_ORIGINAL_DST" + +6. Build in your wheezy-backports i386 chroot. + +7. Tweak the resulting `.changes` file so that it includes the + upstream tarball: + + changestool *.changes includeallsources + +8. Sign the resulting package: + + debsign *.changes + +9. Upload the resulting package: + + dupload --to tails *.changes diff --git a/wiki/src/contribute/talk.html b/wiki/src/contribute/talk.html index 2f6dbae94b93da7c01d76ad7e1f98d22151dddc5..649995e15f0b69849631f48667db21c8622213f4 100644 --- a/wiki/src/contribute/talk.html +++ b/wiki/src/contribute/talk.html @@ -38,6 +38,6 @@ <p> For matters that need to be hidden from the public eyes, email the private development mailing list: <a href='mailto:tails@boum.org'>tails@boum.org</a>. - To achieve end-to-end encryption, encrypt such email with [[our OpenPGP key|doc/about/openpgp_keys]]. + To achieve end-to-end encryption, encrypt such email with [[our OpenPGP key|doc/about/openpgp_keys#private]]. </p> diff --git a/wiki/src/contribute/working_together/Redmine.mdwn b/wiki/src/contribute/working_together/Redmine.mdwn index 72036a8880b7035e2b79901a53214da1ae70147a..a5d1369ba6511f64430c753e1b67ef767ae594aa 100644 --- a/wiki/src/contribute/working_together/Redmine.mdwn +++ b/wiki/src/contribute/working_together/Redmine.mdwn @@ -11,6 +11,9 @@ process|contribute/merge_policy/review]] documentation. Email commands ============== +For details, see the [corresponding documentation on the Redmine +website](http://www.redmine.org/projects/redmine/wiki/RedmineReceivingEmails#How-it-works). + Create a ticket by email ------------------------ @@ -41,6 +44,6 @@ description for your changes. For example: To: redmine@labs.riseup.net Subject: Re: [Tails - Feature #6813] (Confirmed) Test creating a ticket by email - Status: Resolved + Status: Resolved - This works but Redmine is quite picky on the syntax... + This works but Redmine is quite picky on the syntax... diff --git a/wiki/src/contribute/working_together/code_of_conduct.mdwn b/wiki/src/contribute/working_together/code_of_conduct.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..b238f21d5f58a8f66dbd40116281feea2ab21ab5 --- /dev/null +++ b/wiki/src/contribute/working_together/code_of_conduct.mdwn @@ -0,0 +1,76 @@ +[[!meta title="Code of conduct"]] + +Like the technical community as a whole, the Tails team and community +is made up of a mixture of people from all over the world, working on +every aspect of the mission — including mentorship, teaching, and +connecting people. + +Diversity is one of our huge strengths, but it can also lead to +communication issues and unhappiness. To that end, we have a few +ground rules that we ask people to adhere to when they're +participating within this community and project. These rules apply +equally to founders, mentors and those seeking help and guidance. + +This isn't an exhaustive list of things that you can't do. Rather, +take it in the spirit in which it's intended — a guide to make it +easier to enrich all of us and the technical communities in which +we participate. + +This policy applies to all spaces used by the Tails project. This +includes IRC, the mailing lists, the issue tracker, the website, +events, and any other forums which the community uses for +communication. + +If you believe someone is violating this policy, we ask that you +report it by emailing <tails@boum.org> + +* **Be welcoming, friendly, and patient.** +* **Be considerate.** Your work will be used by other people, and you + in turn will depend on the work of others. Any decision you take + will affect users and other contributors, and you should take those + consequences into account when making decisions. Remember that we're + a world-wide community, so you might not be communicating in someone + else's primary language. +* **Be respectful.** Not all of us will agree all the time, but + disagreement is no excuse for poor behavior and poor manners. + We might all experience some frustration now and then, but we cannot + allow that frustration to turn into a personal attack. It's + important to remember that a community where people feel + uncomfortable or threatened is not a productive one. Members of the + Tails community should be respectful when dealing with other members + as well as with people outside the Tails community. +* **Be careful in the words that you choose.** Be kind to others. + Do not insult or put down other participants. Harassment and other + exclusionary behavior aren't acceptable. This includes, but is not + limited to: + - Violent threats or language directed against another person. + - Sexist, racist, or otherwise discriminatory jokes and language. + - Exhibiting sexually explicit or violent speak or material. + - Publishing (or threatening to publish) other people's personally + identifying information ("doxing"). + - Recording, photographing or filming other persons without their + consent. Seek consent before recording. Also ask people who may be + seen or heard in the background. Similarly, don't publish private + communication without asking first, except if the communication + was unwanted (harrassment, threats etc). In doubt, you can ask us + before publishing something. + - Personal insults, especially those using racist or sexist terms. + - Unwelcome sexual attention. + - Advocating for, or encouraging, any of the above behavior. + - Repeated harassment of others. In general, if someone asks you to + stop, then stop. +* **When we disagree, try to understand why.** Disagreements, both + social and technical, happen all the time and Tails is no exception. + It is important that we resolve disagreements and differing views + constructively. Remember that we're different. The strength of Tails + comes from its varied community, people from a wide range of + backgrounds. Different people have different perspectives on issues. + Being unable to understand why someone holds a viewpoint doesn't + mean that they're wrong. Don't forget that it is human to err and + blaming each other doesn't get us anywhere. Instead, please consider + offering your help in order to resolve issues and to help learn + from mistakes. + +Adapted from the [Django Code of +Conduct](https://www.djangoproject.com/conduct/), that itself +attributes it to the [Speak Up! project](http://speakup.io/coc.html). diff --git a/wiki/src/contribute/working_together/roles/front_desk.mdwn b/wiki/src/contribute/working_together/roles/front_desk.mdwn index 6bc85f4d8934ec8078b4eed902efbd55c6cd1278..57b7886c385daf909035ef4cef5b0db63acb96f8 100644 --- a/wiki/src/contribute/working_together/roles/front_desk.mdwn +++ b/wiki/src/contribute/working_together/roles/front_desk.mdwn @@ -12,7 +12,7 @@ User support tails-support-private@boum.org. - Make sure everything is replied on tails-support@boum.org, while leaving space for other people to participate. - - Improve the FAQ incrementally based on the work done by email, and do + - Improve the list of known issues and FAQ incrementally based on the work done by email, and do whatever small tasks will make the frontdesk job's easier in the future. - Do user support on IRC if you feel like it. diff --git a/wiki/src/contribute/working_together/roles/release_manager.mdwn b/wiki/src/contribute/working_together/roles/release_manager.mdwn index f4b9ab2ab4f3bbc55b163e2da2d9e9d328e9dc49..d6ce05287386e35c1303c61e85f8728abf21babe 100644 --- a/wiki/src/contribute/working_together/roles/release_manager.mdwn +++ b/wiki/src/contribute/working_together/roles/release_manager.mdwn @@ -4,9 +4,11 @@ ## In the beginning of your shift +- Check the Mozilla release calendars: + * [Google calendar](https://www.google.com/calendar/embed?src=mozilla.com_2d37383433353432352d3939%40resource.calendar.google.com) + * [Release schedule](https://wiki.mozilla.org/RapidRelease/Calendar) - Send the release schedule to <tails-dev@boum.org> and - <tails-l10n@boum.org>. Use the [Mozilla release - calendar](https://wiki.mozilla.org/RapidRelease/Calendar). + <tails-l10n@boum.org>. Ask the core team and contributors for availability at the dates designated for testing the RC and final image. - Update [[contribute/calendar]] accordingly. @@ -22,13 +24,35 @@ * Create a ticket for the release your shift is about, so that we update the CA bundle that's used by Tails Upgrader and the security check. +- Check when our OpenPGP signing key expires. + If that's before, or soon after, the scheduled date for the release + _after_ the one your shift is about, then shout. ## Around two weeks before the freeze - Have a look at recent changes in [Torbutton](https://gitweb.torproject.org/torbutton.git), and - do whatever is needed to get the fixes we need in the release. + make sure they are compatible with our configuration. - Have Kill Your TV upgrade I2P if needed. See [[contribute/design/I2P]]. +- If needed, update the list of Tor authorities in the test + suite configuration. + +## The Friday before the release date + +We need to coordinate our Tails release with the Tor Browser +developers to make sure that the Tor Browser we plan to include in our +release is ready in time for when we build the release image. The +Friday prior to the release seems like a good candidate, since it's +around this time they usually release tarballs for testing, and it +will still give some time for us to improvise according to their +"delayed" schedule and arrange a contingency plan (e.g. possibly +delaying our release a day or two). Asking for a status report a day +or two earlier than Friday *in addition* won't hurt, too. + +Note: Georg Koppen, a Tor Browser developer, has promised to try to Cc +tails-dev@ when sending QA requests to tor-qa@lists.torproject.org +which should make this easier. We should also be notified of any last +last-minute rebuilds that we otherwise probably would miss out on. ## Continuously diff --git a/wiki/src/contribute/working_together/roles/sysadmins.mdwn b/wiki/src/contribute/working_together/roles/sysadmins.mdwn index 6ae5d272dcae81fb9ce35e5310cd5342b1ef5f82..3806aed45612e3f926c720473d2efe94da2b6ed9 100644 --- a/wiki/src/contribute/working_together/roles/sysadmins.mdwn +++ b/wiki/src/contribute/working_together/roles/sysadmins.mdwn @@ -45,6 +45,15 @@ The [[principles used by the broader Tails project|contribute/relationship_with_upstream]] also apply for system administration. +<a id="duties"></a> + +# Duties during sysadmin shifts + +* keep systems up-to-date, reboot them as needed +* keep backups up-to-date +* keep Puppet modules up-to-date wrt. upstream changes +* keep Jenkins plugins up-to-date + <a id="tools"></a> # Tools @@ -119,11 +128,15 @@ We use Redmine tickets for public discussion and tasks management: ## git-annex -* purpose: host the full history of Tails released images +* purpose: host the full history of Tails released images and Tor + Browser tarballs * access: Tails core developers only * tools: [[!debpts git-annex]] -* configuration: `tails::gitolite` class in [[!tails_gitweb_repo - puppet-tails]] +* configuration: + - `tails::git_annex` and `tails::gitolite` classes in + [[!tails_gitweb_repo puppet-tails]] + - `tails::git_annex::mirror` defined resource in + [[!tails_gitweb_repo puppet-tails]] ## Jenkins @@ -165,7 +178,7 @@ We use Redmine tickets for public discussion and tasks management: for testing * access: anyone who gets it from [BridgeDB](https://bridges.torproject.org/) -* tools: [[!debpts tor]], [[!debpts obfsproxy]] +* tools: [[!debpts tor]], [[!debpts obfs4proxy]] * configuration: - `tails::apt::repository::torproject` in [[!tails_gitweb_repo puppet-tails]] diff --git a/wiki/src/doc.de.po b/wiki/src/doc.de.po index e382b9d63c875b0c4c714aecfa10d8bb7d7a7cc2..e5090bced830bee3186caceb2094a2b154e476f9 100644 --- a/wiki/src/doc.de.po +++ b/wiki/src/doc.de.po @@ -6,15 +6,15 @@ msgid "" msgstr "" "Project-Id-Version: Tails website\n" -"POT-Creation-Date: 2014-07-23 00:01+0300\n" -"PO-Revision-Date: 2014-07-18 23:32+0100\n" -"Last-Translator: Tails translators <amnesia@boum.org>\n" -"Language-Team: LANGUAGE <LL@li.org>\n" +"POT-Creation-Date: 2015-02-09 16:04+0100\n" +"PO-Revision-Date: 2015-04-19 11:51+0100\n" +"Last-Translator: Tails translators <tails@boum.org>\n" +"Language-Team: Tails translators <tails-l10n@boum.org>\n" "Language: de_DE\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: Poedit 1.5.4\n" +"X-Generator: Poedit 1.6.10\n" #. type: Plain text #, no-wrap @@ -26,6 +26,25 @@ msgid "This documentation is a work in progress and a collective task." msgstr "" "Diese Dokumentation ist ständig in Bearbeitung und eine kollektive Aufgabe." +#. type: Plain text +#, no-wrap +msgid "<div class=\"tip\">\n" +msgstr "<div class=\"tip\">\n" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>If this section doesn't answer your questions, you can also look at our\n" +"[[FAQ|support/faq]].</p>\n" +msgstr "" +"<p>Falls dieser Abschnitt ihre Fragen nicht beantwortet, können Sie auch einen Blick auf unsere\n" +"[[FAQ|support/faq]] werfen.</p>\n" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "</div>\n" + #. type: Plain text msgid "" "Read about how you can help [[improving Tails documentation|/contribute/how/" diff --git a/wiki/src/doc.fr.po b/wiki/src/doc.fr.po index 2f6b4d5770bb643aa05d60e6c1a11b9efe013736..d5a8223b05018d745f6c97d6dfa3d51de09c7ca8 100644 --- a/wiki/src/doc.fr.po +++ b/wiki/src/doc.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: SACKAGE VERSION\n" -"POT-Creation-Date: 2014-07-02 02:49+0300\n" +"POT-Creation-Date: 2015-02-09 16:04+0100\n" "PO-Revision-Date: 2014-04-25 06:01-0000\n" "Last-Translator: amnesia <amnesia@boum.org>\n" "Language-Team: SLANGUAGE <LL@li.org>\n" @@ -27,6 +27,25 @@ msgstr "" "Cette documentation est en perpétuelle évolution, ainsi qu'un travail " "collectif." +#. type: Plain text +#, no-wrap +msgid "<div class=\"tip\">\n" +msgstr "<div class=\"tip\">\n" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>If this section doesn't answer your questions, you can also look at our\n" +"[[FAQ|support/faq]].</p>\n" +msgstr "" +"<p>Si cette documentation ne répond pas à vos questions, vous pouvez également\n" +"consulter notre [[foire aux questions|support/faq]].</p>\n" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "</div>\n" + #. type: Plain text msgid "" "Read about how you can help [[improving Tails documentation|/contribute/how/" diff --git a/wiki/src/doc.mdwn b/wiki/src/doc.mdwn index 38628a4b1b94c52750af730016a0eef44ea442f2..02713eff762f0eeb9fa78c9eebe71662948b436c 100644 --- a/wiki/src/doc.mdwn +++ b/wiki/src/doc.mdwn @@ -2,6 +2,13 @@ This documentation is a work in progress and a collective task. +<div class="tip"> + +<p>If this section doesn't answer your questions, you can also look at our +[[FAQ|support/faq]].</p> + +</div> + Read about how you can help [[improving Tails documentation|/contribute/how/documentation]]. diff --git a/wiki/src/doc.pt.po b/wiki/src/doc.pt.po index 7d2fe07f895501d5d79825958f19596975b4d062..646834b2cb40b174f13660e97176cf1cafb16a2e 100644 --- a/wiki/src/doc.pt.po +++ b/wiki/src/doc.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-07-30 18:10-0300\n" +"POT-Creation-Date: 2015-02-09 16:04+0100\n" "PO-Revision-Date: 2014-07-31 11:42-0300\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: Portuguese <LL@li.org>\n" @@ -28,8 +28,29 @@ msgid "This documentation is a work in progress and a collective task." msgstr "Esta documentação é um trabalho em progresso e uma tarefa coletiva." #. type: Plain text -msgid "Read about how you can help [[improving Tails documentation|/contribute/how/documentation]]." -msgstr "Leia sobre como você pode ajudar a [[melhorar a documentação do Tails|/contribute/how/documentation]]." +#, no-wrap +msgid "<div class=\"tip\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>If this section doesn't answer your questions, you can also look at our\n" +"[[FAQ|support/faq]].</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +msgid "" +"Read about how you can help [[improving Tails documentation|/contribute/how/" +"documentation]]." +msgstr "" +"Leia sobre como você pode ajudar a [[melhorar a documentação do Tails|/" +"contribute/how/documentation]]." #. type: Plain text msgid "- [[Introduction to this documentation|introduction]]" diff --git a/wiki/src/doc/about.de.po b/wiki/src/doc/about.de.po index d80833db5525d9a0dbf5c7a47dfd3c07b013054f..0fe0941d5900a9067c0ba31c168bf45a57d193f8 100644 --- a/wiki/src/doc/about.de.po +++ b/wiki/src/doc/about.de.po @@ -6,10 +6,11 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2012-07-22 18:24+0300\n" +"POT-Creation-Date: 2015-01-15 05:20+0100\n" "PO-Revision-Date: 2014-12-26 13:00-0000\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" diff --git a/wiki/src/doc/about.index.de.po b/wiki/src/doc/about.index.de.po index 8a029dd392456c2148d75363498dd710e163afbc..60ddab717341679f459d0f6b8b5e5c454d1527f8 100644 --- a/wiki/src/doc/about.index.de.po +++ b/wiki/src/doc/about.index.de.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-04-30 07:36+0300\n" +"POT-Creation-Date: 2015-01-25 22:13+0100\n" "PO-Revision-Date: 2014-06-14 20:30-0000\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -46,6 +46,12 @@ msgstr "[[!traillink Tails_vertrauen|about/trust]]" msgid "[[!traillink License|about/license]]" msgstr "[[!traillink Lizenzen|about/license]]" +#. type: Bullet: ' - ' +msgid "" +"[[!traillink Acknowledgments_and_similar_projects|about/" +"acknowledgments_and_similar_projects]]" +msgstr "" + #. type: Bullet: ' - ' msgid "[[!traillink Finances|about/finances]]" msgstr "[[!traillink Finanzen|about/finances]]" diff --git a/wiki/src/doc/about.index.fr.po b/wiki/src/doc/about.index.fr.po index 0af6740fb7283bc2780592858a0ffe943cabd4a8..4bb4cfb89e267fd4098eb2b6a6d2b9871e07964e 100644 --- a/wiki/src/doc/about.index.fr.po +++ b/wiki/src/doc/about.index.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-06-08 19:38+0300\n" +"POT-Creation-Date: 2015-01-25 22:13+0100\n" "PO-Revision-Date: 2014-05-10 20:50-0000\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -46,6 +46,14 @@ msgstr "[[!traillink Avoir_confiance_en_Tails|about/trust]]" msgid "[[!traillink License|about/license]]" msgstr "[[!traillink License|about/license]]" +#. type: Bullet: ' - ' +msgid "" +"[[!traillink Acknowledgments_and_similar_projects|about/" +"acknowledgments_and_similar_projects]]" +msgstr "" +"[[!traillink Remerciements_et_projets_similaires|about/" +"acknowledgments_and_similar_projects]]" + #. type: Bullet: ' - ' msgid "[[!traillink Finances|about/finances]]" msgstr "[[!traillink Finances|about/finances]]" diff --git a/wiki/src/doc/about.index.mdwn b/wiki/src/doc/about.index.mdwn index c26d58d93a73da280060eca62c8e6ee2750d61fb..ea49a92ec37d1e82d55732b6c9930383f508122e 100644 --- a/wiki/src/doc/about.index.mdwn +++ b/wiki/src/doc/about.index.mdwn @@ -5,4 +5,5 @@ - [[!traillink Can_I_hide_the_fact_that_I_am_using_Tails?|about/fingerprint]] - [[!traillink Trusting_Tails|about/trust]] - [[!traillink License|about/license]] + - [[!traillink Acknowledgments_and_similar_projects|about/acknowledgments_and_similar_projects]] - [[!traillink Finances|about/finances]] diff --git a/wiki/src/doc/about.index.pt.po b/wiki/src/doc/about.index.pt.po index bb8238e2008049edef8c43daecc6a0d6db4d17f5..75b1761cd0daf9effa026fe2e4c258ab80501fad 100644 --- a/wiki/src/doc/about.index.pt.po +++ b/wiki/src/doc/about.index.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-05-30 12:51+0300\n" +"POT-Creation-Date: 2015-01-25 22:13+0100\n" "PO-Revision-Date: 2014-05-23 11:25-0300\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -46,6 +46,12 @@ msgstr "[[!traillink Confiando_no_Tails|about/trust]]" msgid "[[!traillink License|about/license]]" msgstr "[[!traillink Licença|about/license]]" +#. type: Bullet: ' - ' +msgid "" +"[[!traillink Acknowledgments_and_similar_projects|about/" +"acknowledgments_and_similar_projects]]" +msgstr "" + #. type: Bullet: ' - ' msgid "[[!traillink Finances|about/finances]]" msgstr "[[!traillink Finanças|about/finances]]" diff --git a/wiki/src/doc/about/acknowledgments_and_similar_projects.de.po b/wiki/src/doc/about/acknowledgments_and_similar_projects.de.po new file mode 100644 index 0000000000000000000000000000000000000000..95ec173a2993080a66c061e09c54674cd226fae0 --- /dev/null +++ b/wiki/src/doc/about/acknowledgments_and_similar_projects.de.po @@ -0,0 +1,184 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-01-25 22:13+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Acknowledgements and similar projects\"]]\n" +msgstr "[[!meta title=\"Danksagungen und ähnliche Projekte\"]]\n" + +#. type: Title = +#, no-wrap +msgid "Acknowledgements\n" +msgstr "Danksagungen\n" + +#. type: Bullet: ' - ' +msgid "" +"Tails could not exist without [[Debian|https://www.debian.org/]], [[Debian " +"Live|http://live.debian.net]], and [[Tor|https://www.torproject.org/]]; see " +"our [[contribute/relationship with upstream]] document for details." +msgstr "" +"Tails wäre ohne [[Debian|https://www.debian.org/]], [[Debian Live|http://" +"live.debian.net]], und [[Tor|https://www.torproject.org/]] nicht möglich; " +"siehe unsere [[Beziehungen zum Upstream|contribute/" +"relationship_with_upstream]] für Details." + +#. type: Bullet: ' - ' +msgid "" +"Tails was inspired by the [[Incognito " +"LiveCD|http://web.archive.org/web/20090220133020/http://anonymityanywhere.com/]]. " +"The Incognito author declared it to be dead on March 23rd, 2010, and wrote " +"that Tails \"should be considered as its spiritual successor\"." +msgstr "" +"Tails wurde durch die [[Incognito LiveCD|http://web.archive.org/" +"web/20090220133020/http://anonymityanywhere.com/]] inspiriert. Der " +"Inkognito-Autor erklärte diese am 23. März 2010 für tot und schrieb, dass " +"Tails \"als der geistige Nachfolger angesehen werden sollte\"." + +#. type: Bullet: ' - ' +msgid "" +"The [[Privatix Live-System|http://mandalka.name/privatix/]] an early source " +"of inspiration, too." +msgstr "" +"Das [[Privatix Live-System|http://mandalka.name/privatix/]] war ebenfalls " +"eine frühe Quelle der Inspiration." + +#. type: Bullet: ' - ' +msgid "" +"Some ideas (in particular [[tordate|contribute/design/Time_syncing]] and " +"improvements to our [[contribute/design/memory_erasure]] procedure) were " +"borrowed from [Liberté Linux](http://dee.su/liberte)." +msgstr "" +"Einige Ideen (insbesondere [[tordate|contribute/design/Time_syncing]] und " +"die Verbesserung unserer [[Prozedur zum Löschen des Hauptspeichers|" +"contribute/design/memory_erasure]]) wurden von [Liberté Linux](http://dee." +"su/liberte) entliehen." + +#. type: Plain text +#, no-wrap +msgid "<a id=\"similar_projects\"></a>\n" +msgstr "<a id=\"similar_projects\"></a>\n" + +#. type: Title = +#, no-wrap +msgid "Similar projects\n" +msgstr "Ähnliche Projekte\n" + +#. type: Plain text +msgid "" +"Feel free to contact us if you think that your project is missing, or if " +"some project is listed in the wrong category." +msgstr "" +"Wenn Sie glauben, dass Ihr Projekt hier fehlt oder ein Projekt in der " +"falschen Kategorie aufgeführt ist, dann kontaktieren Sie uns bitte." + +#. type: Title ## +#, no-wrap +msgid "Active projects" +msgstr "Aktive Projekte" + +#. type: Bullet: '* ' +msgid "[Freepto](http://www.freepto.mx/)" +msgstr "[Freepto](http://www.freepto.mx/)" + +#. type: Bullet: '* ' +msgid "[JonDo Live-CD](https://anonymous-proxy-servers.net/en/jondo-live-cd.html)" +msgstr "[JonDo Live-CD](https://www.anonym-surfen.de/jondo-live-cd.html)" + +#. type: Bullet: '* ' +msgid "[Lightweight Portable Security](http://www.spi.dod.mil/lipose.htm)" +msgstr "[Lightweight Portable Security](http://www.spi.dod.mil/lipose.htm)" + +#. type: Bullet: '* ' +msgid "[SubgraphOS](https://subgraph.com/sgos/)" +msgstr "[SubgraphOS](https://subgraph.com/sgos/)" + +#. type: Bullet: '* ' +msgid "[Whonix](https://www.whonix.org/)" +msgstr "[Whonix](https://www.whonix.org/)" + +#. type: Title ## +#, no-wrap +msgid "Discontinued, abandoned or sleeping projects" +msgstr "Eingestellte, aufgegebene und ruhende Projekte" + +#. type: Bullet: '* ' +msgid "[Anonym.OS](http://sourceforge.net/projects/anonym-os/)" +msgstr "[Anonym.OS](http://sourceforge.net/projects/anonym-os/)" + +#. type: Bullet: '* ' +msgid "[IprediaOS](http://www.ipredia.org/)" +msgstr "[IprediaOS](http://www.ipredia.org/)" + +#. type: Bullet: '* ' +msgid "[ISXUbuntu](http://www.isoc-ny.org/wiki/ISXubuntu)" +msgstr "[ISXUbuntu](http://www.isoc-ny.org/wiki/ISXubuntu)" + +#. type: Bullet: '* ' +msgid "[ELE](http://www.northernsecurity.net/download/ele/) (dead link)" +msgstr "[ELE](http://www.northernsecurity.net/download/ele/) (toter Link)" + +#. type: Bullet: '* ' +msgid "[Estrella Roja](http://distrowatch.com/table.php?distribution=estrellaroja)" +msgstr "[Estrella Roja](http://distrowatch.com/table.php?distribution=estrellaroja)" + +#. type: Bullet: '* ' +msgid "[The Haven Project](https://www.haven-project.org/) (dead link)" +msgstr "[The Haven Project](https://www.haven-project.org/) (toter Link)" + +#. type: Bullet: '* ' +msgid "" +"[The Incognito " +"LiveCD](http://web.archive.org/web/20090220133020/http://anonymityanywhere.com/)" +msgstr "" +"[The Incognito LiveCD](http://web.archive.org/web/20090220133020/http://" +"anonymityanywhere.com/)" + +#. type: Bullet: '* ' +msgid "[Liberté Linux](http://dee.su/liberte)" +msgstr "[Liberté Linux](http://dee.su/liberte)" + +#. type: Bullet: '* ' +msgid "[Odebian](http://www.odebian.org/)" +msgstr "[Odebian](http://www.odebian.org/)" + +#. type: Bullet: '* ' +msgid "[onionOS](http://jamon.name/files/onionOS/) (dead link)" +msgstr "[onionOS](http://jamon.name/files/onionOS/) (toter Link)" + +#. type: Bullet: '* ' +msgid "[ParanoidLinux](http://www.paranoidlinux.org/) (dead link)" +msgstr "[ParanoidLinux](http://www.paranoidlinux.org/) (toter Link)" + +#. type: Bullet: '* ' +msgid "[Phantomix](http://phantomix.ytternhagen.de/)" +msgstr "[Phantomix](http://phantomix.ytternhagen.de/)" + +#. type: Bullet: '* ' +msgid "[Polippix](http://polippix.org/)" +msgstr "[Polippix](http://polippix.org/)" + +#. type: Bullet: '* ' +msgid "[Privatix](http://www.mandalka.name/privatix/)" +msgstr "[Privatix](http://www.mandalka.name/privatix/)" + +#. type: Bullet: '* ' +msgid "[Ubuntu Privacy Remix](https://www.privacy-cd.org/)" +msgstr "[Ubuntu Privacy Remix](https://www.privacy-cd.org/)" + +#. type: Bullet: '* ' +msgid "[uVirtus](http://uvirtus.org/)" +msgstr "[uVirtus](http://uvirtus.org/)" diff --git a/wiki/src/doc/about/acknowledgments_and_similar_projects.fr.po b/wiki/src/doc/about/acknowledgments_and_similar_projects.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..1c4bd1f21ada37f493a164ea0dd50b98fd60e1d4 --- /dev/null +++ b/wiki/src/doc/about/acknowledgments_and_similar_projects.fr.po @@ -0,0 +1,186 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-01-25 22:13+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Acknowledgements and similar projects\"]]\n" +msgstr "[[!meta title=\"Remerciements et projets similaires\"]]\n" + +#. type: Title = +#, no-wrap +msgid "Acknowledgements\n" +msgstr "Remerciements\n" + +#. type: Bullet: ' - ' +msgid "" +"Tails could not exist without [[Debian|https://www.debian.org/]], [[Debian " +"Live|http://live.debian.net]], and [[Tor|https://www.torproject.org/]]; see " +"our [[contribute/relationship with upstream]] document for details." +msgstr "" +"Tails ne pourrait exister sans [[Debian|https://www.debian.org/]], " +"[[Debian Live|http://live.debian.net]], et [[Tor|https://www.torproject." +"org/]]; pour en savoir plus, consultez [[cette page|contribute/" +"relationship with upstream]]." + +#. type: Bullet: ' - ' +msgid "" +"Tails was inspired by the [[Incognito " +"LiveCD|http://web.archive.org/web/20090220133020/http://anonymityanywhere.com/]]. " +"The Incognito author declared it to be dead on March 23rd, 2010, and wrote " +"that Tails \"should be considered as its spiritual successor\"." +msgstr "" +"Tails est inspiré du [[LiveCD Incognito|http://web.archive.org/" +"web/20090220133020/http://anonymityanywhere.com/]]. L'auteur de celui-ci " +"l'a abandonné le 23 mars 2010 et a déclaré que Tails \"peut être " +"considéré comme son successeur spirituel\" (\"should be considered as its " +"spiritual successor\".)" + +#. type: Bullet: ' - ' +msgid "" +"The [[Privatix Live-System|http://mandalka.name/privatix/]] an early source " +"of inspiration, too." +msgstr "" +"Le [[Live-System Privatix|http://mandalka.name/privatix/]] est lui aussi " +"une source d'inspiration." + +#. type: Bullet: ' - ' +msgid "" +"Some ideas (in particular [[tordate|contribute/design/Time_syncing]] and " +"improvements to our [[contribute/design/memory_erasure]] procedure) were " +"borrowed from [Liberté Linux](http://dee.su/liberte)." +msgstr "" +"Certaines idées (en particulier [[tordate|contribute/design/" +"Time_syncing]] et plusieurs améliorations de notre [[contribute/design/" +"memory_erasure]] procédure) ont été empruntées à [Liberté Linux](http://" +"dee.su/liberte)." + +#. type: Plain text +#, no-wrap +msgid "<a id=\"similar_projects\"></a>\n" +msgstr "<a id=\"similar_projects\"></a>\n" + +#. type: Title = +#, no-wrap +msgid "Similar projects\n" +msgstr "Projets similaires\n" + +#. type: Plain text +msgid "" +"Feel free to contact us if you think that your project is missing, or if " +"some project is listed in the wrong category." +msgstr "" +"N'hésitez pas à nous contacter si vous pensez que votre projet manque, ou " +"si un projet est dans la mauvaise catégorie." + +#. type: Title ## +#, no-wrap +msgid "Active projects" +msgstr "Projets actifs" + +#. type: Bullet: '* ' +msgid "[Freepto](http://www.freepto.mx/)" +msgstr "[Freepto](http://www.freepto.mx/)" + +#. type: Bullet: '* ' +msgid "[JonDo Live-CD](https://anonymous-proxy-servers.net/en/jondo-live-cd.html)" +msgstr "[JonDo Live-CD](https://anonymous-proxy-servers.net/en/jondo-live-cd.html)" + +#. type: Bullet: '* ' +msgid "[Lightweight Portable Security](http://www.spi.dod.mil/lipose.htm)" +msgstr "[Lightweight Portable Security](http://www.spi.dod.mil/lipose.htm)" + +#. type: Bullet: '* ' +msgid "[SubgraphOS](https://subgraph.com/sgos/)" +msgstr "[SubgraphOS](https://subgraph.com/sgos/)" + +#. type: Bullet: '* ' +msgid "[Whonix](https://www.whonix.org/)" +msgstr "[Whonix](https://www.whonix.org/)" + +#. type: Title ## +#, no-wrap +msgid "Discontinued, abandoned or sleeping projects" +msgstr "Projets non mis à jour, abandonnés ou arrêtés" + +#. type: Bullet: '* ' +msgid "[Anonym.OS](http://sourceforge.net/projects/anonym-os/)" +msgstr "[Anonym.OS](http://sourceforge.net/projects/anonym-os/)" + +#. type: Bullet: '* ' +msgid "[IprediaOS](http://www.ipredia.org/)" +msgstr "[IprediaOS](http://www.ipredia.org/)" + +#. type: Bullet: '* ' +msgid "[ISXUbuntu](http://www.isoc-ny.org/wiki/ISXubuntu)" +msgstr "[ISXUbuntu](http://www.isoc-ny.org/wiki/ISXubuntu)" + +#. type: Bullet: '* ' +msgid "[ELE](http://www.northernsecurity.net/download/ele/) (dead link)" +msgstr "[ELE](http://www.northernsecurity.net/download/ele/) (lien cassé)" + +#. type: Bullet: '* ' +msgid "[Estrella Roja](http://distrowatch.com/table.php?distribution=estrellaroja)" +msgstr "[Estrella Roja](http://distrowatch.com/table.php?distribution=estrellaroja)" + +#. type: Bullet: '* ' +msgid "[The Haven Project](https://www.haven-project.org/) (dead link)" +msgstr "[The Haven Project](https://www.haven-project.org/) (lien mort)" + +#. type: Bullet: '* ' +msgid "" +"[The Incognito " +"LiveCD](http://web.archive.org/web/20090220133020/http://anonymityanywhere.com/)" +msgstr "" +"[The Incognito " +"LiveCD](http://web.archive.org/web/20090220133020/http://anonymityanywhere.com/)" + +#. type: Bullet: '* ' +msgid "[Liberté Linux](http://dee.su/liberte)" +msgstr "[Liberté Linux](http://dee.su/liberte)" + +#. type: Bullet: '* ' +msgid "[Odebian](http://www.odebian.org/)" +msgstr "[Odebian](http://www.odebian.org/)" + +#. type: Bullet: '* ' +msgid "[onionOS](http://jamon.name/files/onionOS/) (dead link)" +msgstr "[onionOS](http://jamon.name/files/onionOS/) (lien mort)" + +#. type: Bullet: '* ' +msgid "[ParanoidLinux](http://www.paranoidlinux.org/) (dead link)" +msgstr "[ParanoidLinux](http://www.paranoidlinux.org/) (lien mort)" + +#. type: Bullet: '* ' +msgid "[Phantomix](http://phantomix.ytternhagen.de/)" +msgstr "[Phantomix](http://phantomix.ytternhagen.de/)" + +#. type: Bullet: '* ' +msgid "[Polippix](http://polippix.org/)" +msgstr "[Polippix](http://polippix.org/)" + +#. type: Bullet: '* ' +msgid "[Privatix](http://www.mandalka.name/privatix/)" +msgstr "[Privatix](http://www.mandalka.name/privatix/)" + +#. type: Bullet: '* ' +msgid "[Ubuntu Privacy Remix](https://www.privacy-cd.org/)" +msgstr "[Ubuntu Privacy Remix](https://www.privacy-cd.org/)" + +#. type: Bullet: '* ' +msgid "[uVirtus](http://uvirtus.org/)" +msgstr "[uVirtus](http://uvirtus.org/)" diff --git a/wiki/src/doc/about/acknowledgments_and_similar_projects.mdwn b/wiki/src/doc/about/acknowledgments_and_similar_projects.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..958e0010d9223bd09389dcdc4e5f8d8e3680e831 --- /dev/null +++ b/wiki/src/doc/about/acknowledgments_and_similar_projects.mdwn @@ -0,0 +1,55 @@ +[[!meta title="Acknowledgements and similar projects"]] + +Acknowledgements +================ + + - Tails could not exist without [[Debian|https://www.debian.org/]], + [[Debian Live|http://live.debian.net]], and + [[Tor|https://www.torproject.org/]]; see our + [[contribute/relationship with upstream]] document for details. + - Tails was inspired by the [[Incognito + LiveCD|http://web.archive.org/web/20090220133020/http://anonymityanywhere.com/]]. The + Incognito author declared it to be dead on March 23rd, 2010, and + wrote that Tails "should be considered as its spiritual + successor". + - The [[Privatix Live-System|http://mandalka.name/privatix/]] an + early source of inspiration, too. + - Some ideas (in particular + [[tordate|contribute/design/Time_syncing]] and improvements to our + [[contribute/design/memory_erasure]] procedure) were borrowed from + [Liberté Linux](http://dee.su/liberte). + +<a id="similar_projects"></a> + +Similar projects +================ + +Feel free to contact us if you think that your project is missing, or +if some project is listed in the wrong category. + +## Active projects + +* [Freepto](http://www.freepto.mx/) +* [JonDo Live-CD](https://anonymous-proxy-servers.net/en/jondo-live-cd.html) +* [Lightweight Portable Security](http://www.spi.dod.mil/lipose.htm) +* [SubgraphOS](https://subgraph.com/sgos/) +* [Whonix](https://www.whonix.org/) + +## Discontinued, abandoned or sleeping projects + +* [Anonym.OS](http://sourceforge.net/projects/anonym-os/) +* [IprediaOS](http://www.ipredia.org/) +* [ISXUbuntu](http://www.isoc-ny.org/wiki/ISXubuntu) +* [ELE](http://www.northernsecurity.net/download/ele/) (dead link) +* [Estrella Roja](http://distrowatch.com/table.php?distribution=estrellaroja) +* [The Haven Project](https://www.haven-project.org/) (dead link) +* [The Incognito LiveCD](http://web.archive.org/web/20090220133020/http://anonymityanywhere.com/) +* [Liberté Linux](http://dee.su/liberte) +* [Odebian](http://www.odebian.org/) +* [onionOS](http://jamon.name/files/onionOS/) (dead link) +* [ParanoidLinux](http://www.paranoidlinux.org/) (dead link) +* [Phantomix](http://phantomix.ytternhagen.de/) +* [Polippix](http://polippix.org/) +* [Privatix](http://www.mandalka.name/privatix/) +* [Ubuntu Privacy Remix](https://www.privacy-cd.org/) +* [uVirtus](http://uvirtus.org/) diff --git a/wiki/src/doc/about/acknowledgments_and_similar_projects.pt.po b/wiki/src/doc/about/acknowledgments_and_similar_projects.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..bf0c6bf57a7c4b6e75c0571c267db0f5dcb53462 --- /dev/null +++ b/wiki/src/doc/about/acknowledgments_and_similar_projects.pt.po @@ -0,0 +1,185 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-01-25 22:13+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Acknowledgements and similar projects\"]]\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Acknowledgements\n" +msgstr "Agradecimentos\n" + +#. type: Bullet: ' - ' +msgid "" +"Tails could not exist without [[Debian|https://www.debian.org/]], [[Debian " +"Live|http://live.debian.net]], and [[Tor|https://www.torproject.org/]]; see " +"our [[contribute/relationship with upstream]] document for details." +msgstr "" +"Tails não poderia existir sem o [[Debian|https://www.debian.org/]], o " +"[[Debian Live|http://live.debian.net]], e o [[Tor|https://www.torproject." +"org/]]; veja nosso documento sobre o [[relacionamento com *upstream*|" +"contribute/relationship with upstream]] para mais detalhes." + +#. type: Bullet: ' - ' +msgid "" +"Tails was inspired by the [[Incognito " +"LiveCD|http://web.archive.org/web/20090220133020/http://anonymityanywhere.com/]]. " +"The Incognito author declared it to be dead on March 23rd, 2010, and wrote " +"that Tails \"should be considered as its spiritual successor\"." +msgstr "" +"Tails foi inspirado pelo [[Incognito LiveCD|http://web.archive.org/" +"web/20090220133020/http://anonymityanywhere.com/]]. O autor do Incognito " +"declarou que o projeto terminou em 23 de março de 2010, e escreveu que o " +"Tails \"deveria ser considerado seu sucessor espiritual\"." + +#. type: Bullet: ' - ' +msgid "" +"The [[Privatix Live-System|http://mandalka.name/privatix/]] an early source " +"of inspiration, too." +msgstr "" +"O [[Privatix Live-System|http://mandalka.name/privatix/]] também foi uma " +"fonte de inspiração inicial." + +#. type: Bullet: ' - ' +msgid "" +"Some ideas (in particular [[tordate|contribute/design/Time_syncing]] and " +"improvements to our [[contribute/design/memory_erasure]] procedure) were " +"borrowed from [Liberté Linux](http://dee.su/liberte)." +msgstr "" +"Algumas ideias (em particular [[tordate|contribute/design/Time_syncing]] " +"e melhorias no nosso procedimento de [[apagamento de memória|contribute/" +"design/memory_erasure]]) foram tomadas do [Liberté Linux](http://dee.su/" +"liberte)." + +#. type: Plain text +#, no-wrap +msgid "<a id=\"similar_projects\"></a>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Similar projects\n" +msgstr "" + +#. type: Plain text +msgid "" +"Feel free to contact us if you think that your project is missing, or if " +"some project is listed in the wrong category." +msgstr "" +"Sinta-se à vontade para nos contatar se você acha que seu projeto não " +"está listado, ou se algum dos projetos está listado numa categoria que " +"não deveria." + +#. type: Title ## +#, no-wrap +msgid "Active projects" +msgstr "Projetos ativos" + +#. type: Bullet: '* ' +msgid "[Freepto](http://www.freepto.mx/)" +msgstr "[Freepto](http://www.freepto.mx/)" + +#. type: Bullet: '* ' +msgid "[JonDo Live-CD](https://anonymous-proxy-servers.net/en/jondo-live-cd.html)" +msgstr "[JonDo Live-CD](https://anonymous-proxy-servers.net/en/jondo-live-cd.html)" + +#. type: Bullet: '* ' +msgid "[Lightweight Portable Security](http://www.spi.dod.mil/lipose.htm)" +msgstr "[Lightweight Portable Security](http://www.spi.dod.mil/lipose.htm)" + +#. type: Bullet: '* ' +msgid "[SubgraphOS](https://subgraph.com/sgos/)" +msgstr "[SubgraphOS](https://subgraph.com/sgos/)" + +#. type: Bullet: '* ' +msgid "[Whonix](https://www.whonix.org/)" +msgstr "[Whonix](https://www.whonix.org/)" + +#. type: Title ## +#, no-wrap +msgid "Discontinued, abandoned or sleeping projects" +msgstr "Projetos suspensos, abandonados ou dormentes" + +#. type: Bullet: '* ' +msgid "[Anonym.OS](http://sourceforge.net/projects/anonym-os/)" +msgstr "[Anonym.OS](http://sourceforge.net/projects/anonym-os/)" + +#. type: Bullet: '* ' +msgid "[IprediaOS](http://www.ipredia.org/)" +msgstr "[IprediaOS](http://www.ipredia.org/)" + +#. type: Bullet: '* ' +msgid "[ISXUbuntu](http://www.isoc-ny.org/wiki/ISXubuntu)" +msgstr "[ISXUbuntu](http://www.isoc-ny.org/wiki/ISXubuntu)" + +#. type: Bullet: '* ' +msgid "[ELE](http://www.northernsecurity.net/download/ele/) (dead link)" +msgstr "[ELE](http://www.northernsecurity.net/download/ele/) (link quebrado)" + +#. type: Bullet: '* ' +msgid "[Estrella Roja](http://distrowatch.com/table.php?distribution=estrellaroja)" +msgstr "[Estrella Roja](http://distrowatch.com/table.php?distribution=estrellaroja)" + +#. type: Bullet: '* ' +msgid "[The Haven Project](https://www.haven-project.org/) (dead link)" +msgstr "[The Haven Project](https://www.haven-project.org/) (link quebrado)" + +#. type: Bullet: '* ' +msgid "" +"[The Incognito " +"LiveCD](http://web.archive.org/web/20090220133020/http://anonymityanywhere.com/)" +msgstr "" +"[The Incognito " +"LiveCD](http://web.archive.org/web/20090220133020/http://anonymityanywhere.com/)" + +#. type: Bullet: '* ' +msgid "[Liberté Linux](http://dee.su/liberte)" +msgstr "[Liberté Linux](http://dee.su/liberte)" + +#. type: Bullet: '* ' +msgid "[Odebian](http://www.odebian.org/)" +msgstr "[Odebian](http://www.odebian.org/)" + +#. type: Bullet: '* ' +msgid "[onionOS](http://jamon.name/files/onionOS/) (dead link)" +msgstr "[onionOS](http://jamon.name/files/onionOS/) (link quebrado)" + +#. type: Bullet: '* ' +msgid "[ParanoidLinux](http://www.paranoidlinux.org/) (dead link)" +msgstr "[ParanoidLinux](http://www.paranoidlinux.org/) (link quebrado)" + +#. type: Bullet: '* ' +msgid "[Phantomix](http://phantomix.ytternhagen.de/)" +msgstr "[Phantomix](http://phantomix.ytternhagen.de/)" + +#. type: Bullet: '* ' +msgid "[Polippix](http://polippix.org/)" +msgstr "[Polippix](http://polippix.org/)" + +#. type: Bullet: '* ' +msgid "[Privatix](http://www.mandalka.name/privatix/)" +msgstr "[Privatix](http://www.mandalka.name/privatix/)" + +#. type: Bullet: '* ' +msgid "[Ubuntu Privacy Remix](https://www.privacy-cd.org/)" +msgstr "[Ubuntu Privacy Remix](https://www.privacy-cd.org/)" + +#. type: Bullet: '* ' +msgid "[uVirtus](http://uvirtus.org/)" +msgstr "[uVirtus](http://uvirtus.org/)" diff --git a/wiki/src/doc/about/features.de.po b/wiki/src/doc/about/features.de.po index dae2cdcb5de0ca10ef1dc4b2e24b1985752c359d..86e3a23e199f2afc5ad9bb7be24ab0a7c2310f20 100644 --- a/wiki/src/doc/about/features.de.po +++ b/wiki/src/doc/about/features.de.po @@ -6,10 +6,10 @@ msgid "" msgstr "" "Project-Id-Version: Tails translations\n" -"POT-Creation-Date: 2014-12-02 16:30+0100\n" -"PO-Revision-Date: 2014-08-14 15:57+0200\n" -"Last-Translator: Tails translators <amnesia@boum.org>\n" -"Language-Team: LANGUAGE <LL@li.org>\n" +"POT-Creation-Date: 2015-05-11 14:31+0000\n" +"PO-Revision-Date: 2015-04-19 21:46+0100\n" +"Last-Translator: Tails developers <tails@boum.org>\n" +"Language-Team: Tails translations <tails-l10n@boum.org>\n" "Language: de\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -26,15 +26,28 @@ msgstr "[[!meta title=\"Features und mitgelieferte Programme\"]]\n" msgid "[[!toc levels=2]]\n" msgstr "[[!toc levels=2]]\n" +#. type: Plain text +msgid "" +"Tails is based on [[Debian|https://www.debian.org/]] 7 (Wheezy). It will " +"switch to Debian 8 (Jessie) a few months after its release." +msgstr "" +"Tails basiert auf [[Debian|https://www.debian.org/]] 7 (Wheezy). Es wird ein " +"paar Monate nach der Veröffentlichung zu Debian 8 (Jessie) wechseln." + #. type: Title = #, no-wrap msgid "Included software\n" msgstr "Mitgelieferte Programme\n" #. type: Bullet: '* ' +#, fuzzy +#| msgid "" +#| "[GNOME](http://www.gnome.org), an intuitive and attractive desktop " +#| "environment" msgid "" "[GNOME](http://www.gnome.org), an intuitive and attractive desktop " -"environment" +"environment ([[More...|doc/first_steps/" +"introduction_to_gnome_and_the_tails_desktop]])" msgstr "" "[GNOME](http://www.gnome.org), eine intuitive und attraktive Desktop-Umgebung" @@ -48,12 +61,12 @@ msgstr "Netzwerk\n" #| msgid "" #| "* [Tor](https://www.torproject.org) with:\n" #| " - [[stream isolation|contribute/design/stream_isolation]]\n" -#| " - regular and obfsproxy bridges support\n" +#| " - regular, obfs2, obfs3, obfs4 and ScrambleSuit bridges support\n" #| " - the [Vidalia](https://www.torproject.org/projects/vidalia) graphical frontend\n" #| "* [NetworkManager](http://projects.gnome.org/NetworkManager/) for easy\n" #| " network configuration\n" -#| "* [Firefox](http://getfirefox.com) preconfigured with:\n" -#| " - TorBrowser patches\n" +#| "* [Tor Browser](https://www.torproject.org/projects/torbrowser.html.en), a web\n" +#| " browser based on [Mozilla Firefox](http://getfirefox.com) and modified to protect your anonymity with:\n" #| " - [Torbutton](https://www.torproject.org/torbutton) for anonymity\n" #| " and protection against evil JavaScript\n" #| " - all cookies are treated as session cookies by default;\n" @@ -66,19 +79,20 @@ msgstr "Netzwerk\n" #| " [OTR](http://www.cypherpunks.ca/otr/index.php) for Off-the-Record\n" #| " Messaging\n" #| "* [Claws Mail](http://www.claws-mail.org/) e-mail client, with\n" -#| " GnuPG support\n" +#| " GnuPG support ([[More...|doc/anonymous_internet/Claws_Mail]])\n" #| "* [Liferea](http://liferea.sourceforge.net/) feed aggregator\n" #| "* [Gobby](http://gobby.0x539.de/trac/) for collaborative text writing\n" #| "* [Aircrack-ng](http://aircrack-ng.org/) for wireless networks auditing\n" #| "* [I2P](https://geti2p.net/) an anonymizing network\n" +#| "* [Electrum](https://electrum.org/), an easy-to-use bitcoin client\n" msgid "" "* [Tor](https://www.torproject.org) with:\n" " - [[stream isolation|contribute/design/stream_isolation]]\n" -" - regular and obfsproxy bridges support\n" -" - the [Vidalia](https://www.torproject.org/projects/vidalia) graphical frontend\n" +" - regular, obfs2, obfs3, obfs4, and ScrambleSuit bridges support\n" +" - the [Vidalia](https://www.torproject.org/projects/vidalia) graphical frontend ([[More...|doc/anonymous_internet/vidalia]])\n" "* [NetworkManager](http://projects.gnome.org/NetworkManager/) for easy\n" -" network configuration\n" -"* [Tor Browser](https://www.torproject.org/projects/torbrowser.html.en), a web\n" +" network configuration ([[More...|doc/anonymous_internet/networkmanager]])\n" +"* [Tor Browser](https://www.torproject.org/projects/torbrowser.html.en) ([[More...|doc/anonymous_internet/Tor_Browser]]), a web\n" " browser based on [Mozilla Firefox](http://getfirefox.com) and modified to protect your anonymity with:\n" " - [Torbutton](https://www.torproject.org/torbutton) for anonymity\n" " and protection against evil JavaScript\n" @@ -90,27 +104,28 @@ msgid "" " - [AdBlock Plus](https://adblockplus.org/en/firefox) to remove advertisements.\n" "* [Pidgin](http://www.pidgin.im/) preconfigured with\n" " [OTR](http://www.cypherpunks.ca/otr/index.php) for Off-the-Record\n" -" Messaging\n" +" Messaging ([[More...|doc/anonymous_internet/pidgin]])\n" "* [Claws Mail](http://www.claws-mail.org/) e-mail client, with\n" -" GnuPG support\n" +" GnuPG support ([[More...|doc/anonymous_internet/Claws_Mail]])\n" "* [Liferea](http://liferea.sourceforge.net/) feed aggregator\n" "* [Gobby](http://gobby.0x539.de/trac/) for collaborative text writing\n" "* [Aircrack-ng](http://aircrack-ng.org/) for wireless networks auditing\n" -"* [I2P](https://geti2p.net/) an anonymizing network\n" +"* [I2P](https://geti2p.net/) an anonymizing network ([[More...|doc/anonymous_internet/i2p]])\n" +"* [Electrum](https://electrum.org/), an easy-to-use bitcoin client ([[More...|doc/anonymous_internet/electrum]])\n" msgstr "" "* [Tor](https://www.torproject.org) mit:\n" " - [[stream isolation|contribute/design/stream_isolation]]\n" -" - Unterstützung für normale und obfsproxy Relays\n" -" - dem grafischen Front End [Vidalia](https://www.torproject.org/projects/vidalia)\n" +" - Unterstützung von normalen, obfs2, obfs3, obfs4 und ScrambleSuit Bridges\n" +" - dem grafischen Front-End [Vidalia](https://www.torproject.org/projects/vidalia)\n" "* [NetworkManager](http://projects.gnome.org/NetworkManager/) für einfache\n" " Netzwerkkonfiguration\n" -"* [Firefox](http://getfirefox.com) vorkonfiguriert mit:\n" -" - TorBrowser-Korrekturen\n" +"* [Tor Browser](https://www.torproject.org/projects/torbrowser.html.de), ein Webbrowser\n" +" basierend auf [Mozilla Firefox](http://getfirefox.com) und angepasst um Ihre Anonymität zu schützen mit:\n" " - [Torbutton](https://www.torproject.org/torbutton) für Anonymität\n" " und Schutz gegen böses JavaScript\n" -" - alle Cookies werden standardmässig als Session-Cookies behandelt;\n" +" - alle Cookies werden standardmäßig als Session-Cookies behandelt;\n" " - [HTTPS Everywhere](https://www.eff.org/https-everywhere)\n" -" aktiviert SSL-verschlüsselte Verbindungen zu einer grossen Anzahl\n" +" aktiviert erkennbar SSL-verschlüsselte Verbindungen zu einer großen Anzahl\n" " von bekannten Webseiten\n" " - [NoScript](http://noscript.net/) für noch mehr Kontrolle über JavaScript.\n" " - [AdBlock Plus](https://adblockplus.org/en/firefox) um Werbung zu entfernen.\n" @@ -118,11 +133,12 @@ msgstr "" " [OTR](http://www.cypherpunks.ca/otr/index.php) Off-the-Record\n" " Messaging (Verschlüsselung von Instant-Nachrichten)\n" "* [Claws Mail](http://www.claws-mail.org/) E-Mail-Programm mit\n" -" GnuPG-Unterstützung\n" +" GnuPG-Unterstützung ([[Mehr...|doc/anonymous_internet/Claws_Mail]])\n" "* [Liferea](http://liferea.sourceforge.net/) Feed-Aggregator\n" "* [Gobby](http://gobby.0x539.de/trac/) zum kollaborativen Schreiben von Texten\n" "* [Aircrack-ng](http://aircrack-ng.org/) um drahtlose Netzwerke zu prüfen\n" "* [I2P](https://geti2p.net/) ein Anonymisierungsnetzwerk\n" +"* [Electrum](https://electrum.org/), ein leicht zu benutzender Bitcoin-Client\n" #. type: Title - #, no-wrap @@ -130,13 +146,21 @@ msgid "Desktop Edition\n" msgstr "Desktop-Ausgabe\n" #. type: Bullet: '* ' -msgid "[LibreOffice](http://www.libreoffice.org/)" +#, fuzzy +#| msgid "[LibreOffice](http://www.libreoffice.org/)" +msgid "" +"[LibreOffice](http://www.libreoffice.org/) ([[More...|doc/" +"sensitive_documents/office_suite]])" msgstr "[LibreOffice](http://www.libreoffice.org/)" #. type: Bullet: '* ' +#, fuzzy +#| msgid "" +#| "[Gimp](http://www.gimp.org/) and [Inkscape](http://www.inkscape.org/) to " +#| "edit images" msgid "" "[Gimp](http://www.gimp.org/) and [Inkscape](http://www.inkscape.org/) to " -"edit images" +"edit images ([[More...|doc/sensitive_documents/graphics]])" msgstr "" "[Gimp](http://www.gimp.org/) und [Inkscape](http://www.inkscape.org/) zum " "Bearbeiten von Bildern" @@ -146,14 +170,23 @@ msgid "[Scribus](http://www.scribus.net) for page layout" msgstr "[Scribus](http://www.scribus.net) ein Layout-Programm" #. type: Bullet: '* ' +#, fuzzy +#| msgid "" +#| "[Audacity](http://audacity.sourceforge.net/) for recording and editing " +#| "sounds" msgid "" -"[Audacity](http://audacity.sourceforge.net/) for recording and editing sounds" +"[Audacity](http://audacity.sourceforge.net/) for recording and editing " +"sounds ([[More...|doc/sensitive_documents/sound_and_video]])" msgstr "" "[Audacity](http://audacity.sourceforge.net/) zum Aufnehmen und Bearbeiten " "von Sound" #. type: Bullet: '* ' -msgid "[PiTiVi](http://www.pitivi.org/) for non-linear audio/video editing" +#, fuzzy +#| msgid "[PiTiVi](http://www.pitivi.org/) for non-linear audio/video editing" +msgid "" +"[PiTiVi](http://www.pitivi.org/) for non-linear audio/video editing " +"([[More...|doc/sensitive_documents/sound_and_video]])" msgstr "" "[PiTiVi](http://www.pitivi.org/) zur nicht-linearen Audio-/Videobearbeitung" @@ -193,10 +226,15 @@ msgid "Encryption and privacy\n" msgstr "Verschlüsselung und Privatsphäre\n" #. type: Bullet: '* ' +#, fuzzy +#| msgid "" +#| "[[!wikipedia Linux_Unified_Key_Setup desc=\"LUKS\"]] and [[!wikipedia " +#| "GNOME_Disks]] to install and use encrypted storage devices, for example " +#| "USB sticks" msgid "" "[[!wikipedia Linux_Unified_Key_Setup desc=\"LUKS\"]] and [[!wikipedia " "GNOME_Disks]] to install and use encrypted storage devices, for example USB " -"sticks" +"sticks ([[More...|doc/encryption_and_privacy/encrypted_volumes]])" msgstr "" "[[!wikipedia_de Linux_Unified_Key_Setup desc=\"LUKS\"]] und [[!wikipedia " "GNOME_Disks]] zum Installieren und Nutzen verschlüsselter Speichermedien, " @@ -208,7 +246,7 @@ msgid "" "data encyption and signing" msgstr "" "[GnuPG](http://gnupg.org/), die GNU-Implentierung von OpenPGP zum " -"Verschlüsseln und Unterschreiben von E-mails und Daten" +"Verschlüsseln und Unterschreiben von E-Mails und Daten" #. type: Bullet: '* ' msgid "" @@ -216,7 +254,7 @@ msgid "" "key signing and exchange" msgstr "" "[Monkeysign](http://web.monkeysphere.info/monkeysign), ein Werkzeug für das " -"Beglaubigen und Austauschen von OpenPGP-Schlüsseln" +"Signieren und Austauschen von OpenPGP-Schlüsseln" #. type: Bullet: '* ' msgid "[PWGen](http://pwgen-win.sourceforge.net/), a strong password generator" @@ -235,10 +273,15 @@ msgstr "" "libgfshare) und [ssss](http://point-at-infinity.org/ssss/)" #. type: Bullet: '* ' +#, fuzzy +#| msgid "" +#| "[Florence](http://florence.sourceforge.net/) virtual keyboard as a " +#| "countermeasure against hardware [keyloggers](http://en.wikipedia.org/wiki/" +#| "Keylogger)" msgid "" "[Florence](http://florence.sourceforge.net/) virtual keyboard as a " "countermeasure against hardware [keyloggers](http://en.wikipedia.org/wiki/" -"Keylogger)" +"Keylogger) ([[More...|doc/encryption_and_privacy/virtual_keyboard]])" msgstr "" "[Florence](http://florence.sourceforge.net/) eine virtuelle Tastatur zum " "Schutz gegen Hardware-[[!wikipedia_de desc=\"Keylogger\" Keylogger]]" @@ -249,40 +292,90 @@ msgstr "" "[MAT](https://mat.boum.org/) zum Anonymisieren von Metadaten in Dateien" #. type: Bullet: '* ' -msgid "[KeePassX](http://www.keepassx.org/) password manager" +#, fuzzy +#| msgid "[KeePassX](http://www.keepassx.org/) password manager" +msgid "" +"[KeePassX](http://www.keepassx.org/) password manager ([[More...|doc/" +"encryption_and_privacy/manage_passwords]])" msgstr "[KeePassX](http://www.keepassx.org/) ein Passwortmanager" #. type: Bullet: '* ' -msgid "[GtkHash](http://gtkhash.sourceforge.net/) to calculate checksums" +#, fuzzy +#| msgid "[GtkHash](http://gtkhash.sourceforge.net/) to calculate checksums" +msgid "" +"[GtkHash](http://gtkhash.sourceforge.net/) to calculate checksums ([[More...|" +"doc/encryption_and_privacy/checksums]])" +msgstr "" +"[GtkHash](http://gtkhash.sourceforge.net/) zum Berechnen von Prüfsummen" + +#. type: Bullet: '* ' +#, fuzzy +#| msgid "" +#| "[Keyringer](https://keyringer.pw/), an encrypted and distributed secret " +#| "sharing software (command line)" +msgid "" +"[Keyringer](https://keyringer.pw/), a command line tool to encrypt secrets " +"shared through Git ([[More...|doc/encryption_and_privacy/keyringer]])" +msgstr "" +"[Keyringer](https://keyringer.pw/), eine Software zum verschlüsselten und " +"dezentralen Austausch von Geheimnissen (Kommandozeile)" + +#. type: Bullet: '* ' +msgid "" +"[Paperkey](http://www.jabberwocky.com/software/paperkey/) a command line " +"tool to back up OpenPGP secret keys on paper ([[More...|doc/advanced_topics/" +"paperkey]])" msgstr "" -"[GtkHash](http://gtkhash.sourceforge.net/) zum berechnen von Checksummen" #. type: Plain text msgid "" "The full packages list can be found in the [BitTorrent files download " "directory](/torrents/files/) (look for files with the `.packages` extension)." msgstr "" -"Die gesamte Paketlisten kann im [BitTorrent-Downloadverzeichnis](/torrents/" +"Die gesamte Paketliste kann im [BitTorrent-Downloadverzeichnis](/torrents/" "files/) gefunden werden (siehe Dateien mit der Endung `.packages`)" +#. type: Title = +#, no-wrap +msgid "Additional software\n" +msgstr "Weitere Software\n" + +#. type: Plain text +msgid "" +"You can [[install additional software|doc/advanced_topics/" +"additional_software]] in Tails: all software packaged for Debian is " +"installable in Tails." +msgstr "" +"Sie können in Tails [[zusätzliche Software installieren|doc/advanced_topics/" +"additional_software]]: alle Softwarepakete, die es für Debian gibt, können " +"in Tails installiert werden." + #. type: Title = #, no-wrap msgid "Additional features\n" msgstr "Weitere Merkmale\n" #. type: Bullet: '* ' +#, fuzzy +#| msgid "" +#| "automatic mechanism to upgrade a USB stick or a SD card to newer versions" msgid "" -"automatic mechanism to upgrade a USB stick or a SD card to newer versions" +"automatic mechanism to [[upgrade a USB stick or a SD card|doc/first_steps/" +"upgrade]] to newer versions" msgstr "" "ein automatischer Mechanismus zum Aktualisieren des USB-Sticks oder der SD-" "Karte auf eine neuere Version" #. type: Bullet: '* ' +#, fuzzy +#| msgid "" +#| "can be run as a virtualized guest inside [VirtualBox](http://www." +#| "virtualbox.org/)" msgid "" "can be run as a virtualized guest inside [VirtualBox](http://www.virtualbox." -"org/)" +"org/) ([[More...|doc/advanced_topics/virtualization]])" msgstr "" -"kann als virtuelle Maschine in [VirtualBox](http://www.virtualbox.org/) " +"kann als virtuelle Maschine in [VirtualBox](http://www.virtualbox.org/) " "ausgeführt werden" #. type: Bullet: '* ' @@ -292,7 +385,7 @@ msgid "" "Incognito Live System in about one hour on a modern desktop computer" msgstr "" "[[Individuelles Anpassen|contribute/customize]] (d.h. ein fehlendes Stück " -"Software hinzuzufügen) ist relativ leicht: ein eigenes Amnesic Incognito " +"Software hinzuzufügen) ist relativ leicht: ein eigenes Amnesic Incognito " "Livesystem kann in ca. einer Stunde auf einem modernen Rechner eigens " "[[erstellt|contribute/build]] werden" @@ -312,14 +405,16 @@ msgstr "" #. type: Bullet: '* ' msgid "Some [[contribute/design/application_isolation]] with AppArmor" msgstr "" +"Etwas [[Anwendungs-Isolation|contribute/design/application_isolation]] mit " +"AppArmor" -#. type: Plain text +#. type: Bullet: '* ' msgid "" "To prevent cold-boot attacks and various memory forensics, Tails erases " "memory on shutdown and when the boot media is physically removed." msgstr "" "Um Cold-Boot-Attacken und diverse Computer-Forensiktechniken zu verhindern, " -"löscht Tails den Arbeitsspeicher beim Herunterfahren und wenn das " +"löscht Tails den Arbeitsspeicher beim Herunterfahren sowie wenn das " "Startmedium entfernt wird." #. type: Title = @@ -328,9 +423,14 @@ msgid "Multilingual support\n" msgstr "Sprachunterstützung\n" #. type: Plain text -msgid "One can choose at boot time between a big number of languages." +msgid "" +"When starting Tails, you can choose between a large number of languages, " +"including Arabic, Azerbaijani, Catalan, Czech, Welsh, Danish, German, Greek, " +"English, Spanish, Persian, Finnish, French, Croatian, Hungarian, Indonesian, " +"Italian, Japanese, Khmer, Korean, Latvian, Bokmål, Dutch, Polish, " +"Portuguese, Russian, Slovak, Slovene, Albanian, Serbian, Swedish, Turkish, " +"Ukrainian, and Chinese." msgstr "" -"Beim Systemstart kann zwischen vielen verschiedenen Sprachen gewählt werden." #. type: Plain text msgid "The required keyboard input system is automatically enabled." @@ -357,6 +457,11 @@ msgstr "" "Wenn Sie Tails für Benutzer in Ihrer Sprache leichter zugänglich machen " "wollen, beachten Sie den [[Übersetzerleitfaden|contribute/how/translate]]." +#~ msgid "One can choose at boot time between a big number of languages." +#~ msgstr "" +#~ "Beim Systemstart kann zwischen vielen verschiedenen Sprachen gewählt " +#~ "werden." + #~ msgid "" #~ "[[TrueCrypt|encryption_and_privacy/truecrypt]] a disk encryption software" #~ msgstr "" diff --git a/wiki/src/doc/about/features.fr.po b/wiki/src/doc/about/features.fr.po index d5231597c71340e9df88e9db69dcd5cc60e74955..0a2273b78a7141d0cce792710323b5d59a93f5ba 100644 --- a/wiki/src/doc/about/features.fr.po +++ b/wiki/src/doc/about/features.fr.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-12-02 16:30+0100\n" -"PO-Revision-Date: 2014-10-09 16:12-0000\n" +"POT-Creation-Date: 2015-05-11 14:31+0000\n" +"PO-Revision-Date: 2015-04-08 18:36+0200\n" "Last-Translator: \n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" @@ -26,15 +26,26 @@ msgstr "[[!meta title=\"Fonctionnalités et logiciels inclus\"]]\n" msgid "[[!toc levels=2]]\n" msgstr "[[!toc levels=2]]\n" +#. type: Plain text +msgid "" +"Tails is based on [[Debian|https://www.debian.org/]] 7 (Wheezy). It will " +"switch to Debian 8 (Jessie) a few months after its release." +msgstr "" + #. type: Title = #, no-wrap msgid "Included software\n" msgstr "Logiciels inclus\n" #. type: Bullet: '* ' +#, fuzzy +#| msgid "" +#| "[GNOME](http://www.gnome.org), an intuitive and attractive desktop " +#| "environment" msgid "" "[GNOME](http://www.gnome.org), an intuitive and attractive desktop " -"environment" +"environment ([[More...|doc/first_steps/" +"introduction_to_gnome_and_the_tails_desktop]])" msgstr "" "[GNOME](http://www.gnome.org), un environnement de bureau intuitif et élégant" @@ -48,12 +59,12 @@ msgstr "Réseau\n" #| msgid "" #| "* [Tor](https://www.torproject.org) with:\n" #| " - [[stream isolation|contribute/design/stream_isolation]]\n" -#| " - regular and obfsproxy bridges support\n" +#| " - regular, obfs2, obfs3, obfs4 and ScrambleSuit bridges support\n" #| " - the [Vidalia](https://www.torproject.org/projects/vidalia) graphical frontend\n" #| "* [NetworkManager](http://projects.gnome.org/NetworkManager/) for easy\n" #| " network configuration\n" -#| "* [Firefox](http://getfirefox.com) preconfigured with:\n" -#| " - TorBrowser patches\n" +#| "* [Tor Browser](https://www.torproject.org/projects/torbrowser.html.en), a web\n" +#| " browser based on [Mozilla Firefox](http://getfirefox.com) and modified to protect your anonymity with:\n" #| " - [Torbutton](https://www.torproject.org/torbutton) for anonymity\n" #| " and protection against evil JavaScript\n" #| " - all cookies are treated as session cookies by default;\n" @@ -66,19 +77,20 @@ msgstr "Réseau\n" #| " [OTR](http://www.cypherpunks.ca/otr/index.php) for Off-the-Record\n" #| " Messaging\n" #| "* [Claws Mail](http://www.claws-mail.org/) e-mail client, with\n" -#| " GnuPG support\n" +#| " GnuPG support ([[More...|doc/anonymous_internet/Claws_Mail]])\n" #| "* [Liferea](http://liferea.sourceforge.net/) feed aggregator\n" #| "* [Gobby](http://gobby.0x539.de/trac/) for collaborative text writing\n" #| "* [Aircrack-ng](http://aircrack-ng.org/) for wireless networks auditing\n" #| "* [I2P](https://geti2p.net/) an anonymizing network\n" +#| "* [Electrum](https://electrum.org/), an easy-to-use bitcoin client\n" msgid "" "* [Tor](https://www.torproject.org) with:\n" " - [[stream isolation|contribute/design/stream_isolation]]\n" -" - regular and obfsproxy bridges support\n" -" - the [Vidalia](https://www.torproject.org/projects/vidalia) graphical frontend\n" +" - regular, obfs2, obfs3, obfs4, and ScrambleSuit bridges support\n" +" - the [Vidalia](https://www.torproject.org/projects/vidalia) graphical frontend ([[More...|doc/anonymous_internet/vidalia]])\n" "* [NetworkManager](http://projects.gnome.org/NetworkManager/) for easy\n" -" network configuration\n" -"* [Tor Browser](https://www.torproject.org/projects/torbrowser.html.en), a web\n" +" network configuration ([[More...|doc/anonymous_internet/networkmanager]])\n" +"* [Tor Browser](https://www.torproject.org/projects/torbrowser.html.en) ([[More...|doc/anonymous_internet/Tor_Browser]]), a web\n" " browser based on [Mozilla Firefox](http://getfirefox.com) and modified to protect your anonymity with:\n" " - [Torbutton](https://www.torproject.org/torbutton) for anonymity\n" " and protection against evil JavaScript\n" @@ -90,25 +102,26 @@ msgid "" " - [AdBlock Plus](https://adblockplus.org/en/firefox) to remove advertisements.\n" "* [Pidgin](http://www.pidgin.im/) preconfigured with\n" " [OTR](http://www.cypherpunks.ca/otr/index.php) for Off-the-Record\n" -" Messaging\n" +" Messaging ([[More...|doc/anonymous_internet/pidgin]])\n" "* [Claws Mail](http://www.claws-mail.org/) e-mail client, with\n" -" GnuPG support\n" +" GnuPG support ([[More...|doc/anonymous_internet/Claws_Mail]])\n" "* [Liferea](http://liferea.sourceforge.net/) feed aggregator\n" "* [Gobby](http://gobby.0x539.de/trac/) for collaborative text writing\n" "* [Aircrack-ng](http://aircrack-ng.org/) for wireless networks auditing\n" -"* [I2P](https://geti2p.net/) an anonymizing network\n" +"* [I2P](https://geti2p.net/) an anonymizing network ([[More...|doc/anonymous_internet/i2p]])\n" +"* [Electrum](https://electrum.org/), an easy-to-use bitcoin client ([[More...|doc/anonymous_internet/electrum]])\n" msgstr "" "* [Tor](https://www.torproject.org) avec :\n" " - [[isolation de flux|contribute/design/stream_isolation]]\n" -" - prise en charge des bridges normaux et obfsproxy\n" +" - prise en charge des bridges normaux, obfs2, obfs3, obfs4 et ScrambleSuit\n" " - l'interface graphique [Vidalia](https://www.torproject.org/projects/vidalia)\n" "* [NetworkManager](http://projects.gnome.org/NetworkManager/) pour une\n" " configuration réseau simple\n" -"* [Firefox](http://getfirefox.com) préconfiguré avec :\n" -" - patches du TorBrowser\n" +"* Le [navigateur Tor](https://www.torproject.org/projects/torbrowser.html.en), un navigateur\n" +" web basé sur [Mozilla Firefox](http://getfirefox.com) et modifié pour protéger votre anonymat, avec :\n" " - [Torbutton](https://www.torproject.org/torbutton) pour\n" " l'anonymat et la protection contre JavaScript\n" -" - tous les cookies sont traités comme des cookies de session par défaut ;\n" +" - tous les cookies sont traités comme des cookies de session par défaut;\n" " - [HTTPS Everywhere](https://www.eff.org/https-everywhere)\n" " active de manière transparente les connexion chiffrées SSL vers un grand nombre\n" " de sites webs\n" @@ -118,11 +131,13 @@ msgstr "" " [OTR](http://www.cypherpunks.ca/otr/index.php) pour la messagerie\n" " Off-the-Record\n" "* [Claws Mail](http://www.claws-mail.org/) client mail, avec\n" -" prise en charge de GnuPG\n" +" prise en charge de GnuPG ([[Plus\n" +" l'information...|doc/anonymous_internet/Claws_Mail]])\n" "* [Liferea](http://liferea.sourceforge.net/) agrégateur de flux\n" "* [Gobby](http://gobby.0x539.de/trac/) pour l'édition collaborative de texte\n" "* [Aircrack-ng](http://aircrack-ng.org/) pour l'audit de réseaux sans-fil\n" "* [I2P](https://geti2p.net/) un réseau d'anonymisation\n" +"* [Electrum](https://electrum.org/), un client bitcoin facile à utiliser\n" #. type: Title - #, no-wrap @@ -130,13 +145,21 @@ msgid "Desktop Edition\n" msgstr "Bureautique\n" #. type: Bullet: '* ' -msgid "[LibreOffice](http://www.libreoffice.org/)" +#, fuzzy +#| msgid "[LibreOffice](http://www.libreoffice.org/)" +msgid "" +"[LibreOffice](http://www.libreoffice.org/) ([[More...|doc/" +"sensitive_documents/office_suite]])" msgstr "[LibreOffice](http://www.libreoffice.org/)" #. type: Bullet: '* ' +#, fuzzy +#| msgid "" +#| "[Gimp](http://www.gimp.org/) and [Inkscape](http://www.inkscape.org/) to " +#| "edit images" msgid "" "[Gimp](http://www.gimp.org/) and [Inkscape](http://www.inkscape.org/) to " -"edit images" +"edit images ([[More...|doc/sensitive_documents/graphics]])" msgstr "" "[Gimp](http://www.gimp.org/) et [Inkscape](http://www.inkscape.org/) pour la " "retouche d'images" @@ -146,14 +169,23 @@ msgid "[Scribus](http://www.scribus.net) for page layout" msgstr "[Scribus](http://www.scribus.net), un logiciel de PAO" #. type: Bullet: '* ' +#, fuzzy +#| msgid "" +#| "[Audacity](http://audacity.sourceforge.net/) for recording and editing " +#| "sounds" msgid "" -"[Audacity](http://audacity.sourceforge.net/) for recording and editing sounds" +"[Audacity](http://audacity.sourceforge.net/) for recording and editing " +"sounds ([[More...|doc/sensitive_documents/sound_and_video]])" msgstr "" "[Audacity](http://audacity.sourceforge.net/) pour l'enregistrement et " "l'édition audio" #. type: Bullet: '* ' -msgid "[PiTiVi](http://www.pitivi.org/) for non-linear audio/video editing" +#, fuzzy +#| msgid "[PiTiVi](http://www.pitivi.org/) for non-linear audio/video editing" +msgid "" +"[PiTiVi](http://www.pitivi.org/) for non-linear audio/video editing " +"([[More...|doc/sensitive_documents/sound_and_video]])" msgstr "" "[PiTiVi](http://www.pitivi.org/) pour le montage audio/vidéo non-linéaire" @@ -195,10 +227,15 @@ msgid "Encryption and privacy\n" msgstr "Chiffrement et vie privée\n" #. type: Bullet: '* ' +#, fuzzy +#| msgid "" +#| "[[!wikipedia Linux_Unified_Key_Setup desc=\"LUKS\"]] and [[!wikipedia " +#| "GNOME_Disks]] to install and use encrypted storage devices, for example " +#| "USB sticks" msgid "" "[[!wikipedia Linux_Unified_Key_Setup desc=\"LUKS\"]] and [[!wikipedia " "GNOME_Disks]] to install and use encrypted storage devices, for example USB " -"sticks" +"sticks ([[More...|doc/encryption_and_privacy/encrypted_volumes]])" msgstr "" "[[!wikipedia_fr LUKS]] et [[!wikipedia GNOME_Disks]] pour créer et utiliser " "périphériques chiffrés, comme par exemple des clés USB" @@ -237,10 +274,15 @@ msgstr "" "infinity.org/ssss/)" #. type: Bullet: '* ' +#, fuzzy +#| msgid "" +#| "[Florence](http://florence.sourceforge.net/) virtual keyboard as a " +#| "countermeasure against hardware [keyloggers](http://en.wikipedia.org/wiki/" +#| "Keylogger)" msgid "" "[Florence](http://florence.sourceforge.net/) virtual keyboard as a " "countermeasure against hardware [keyloggers](http://en.wikipedia.org/wiki/" -"Keylogger)" +"Keylogger) ([[More...|doc/encryption_and_privacy/virtual_keyboard]])" msgstr "" "[Florence](http://florence.sourceforge.net/) un clavier virtuel pour se " "prémunir des [keyloggers](http://en.wikipedia.org/wiki/Keylogger) physiques" @@ -252,15 +294,42 @@ msgstr "" "dans les fichiers" #. type: Bullet: '* ' -msgid "[KeePassX](http://www.keepassx.org/) password manager" +#, fuzzy +#| msgid "[KeePassX](http://www.keepassx.org/) password manager" +msgid "" +"[KeePassX](http://www.keepassx.org/) password manager ([[More...|doc/" +"encryption_and_privacy/manage_passwords]])" msgstr "gestionnaire de mot de passe [KeePassX](http://www.keepassx.org/)" #. type: Bullet: '* ' -msgid "[GtkHash](http://gtkhash.sourceforge.net/) to calculate checksums" +#, fuzzy +#| msgid "[GtkHash](http://gtkhash.sourceforge.net/) to calculate checksums" +msgid "" +"[GtkHash](http://gtkhash.sourceforge.net/) to calculate checksums ([[More...|" +"doc/encryption_and_privacy/checksums]])" msgstr "" "[GtkHash](http://gtkhash.sourceforge.net/) pour calculer les sommes de " "contrôle" +#. type: Bullet: '* ' +#, fuzzy +#| msgid "" +#| "[Keyringer](https://keyringer.pw/), an encrypted and distributed secret " +#| "sharing software (command line)" +msgid "" +"[Keyringer](https://keyringer.pw/), a command line tool to encrypt secrets " +"shared through Git ([[More...|doc/encryption_and_privacy/keyringer]])" +msgstr "" +"[Keyringer](https://keyringer.pw/), un utilitaire en ligne de commande " +"permettant le partage de secrets de manière distribuée et chiffrée" + +#. type: Bullet: '* ' +msgid "" +"[Paperkey](http://www.jabberwocky.com/software/paperkey/) a command line " +"tool to back up OpenPGP secret keys on paper ([[More...|doc/advanced_topics/" +"paperkey]])" +msgstr "" + #. type: Plain text msgid "" "The full packages list can be found in the [BitTorrent files download " @@ -270,22 +339,43 @@ msgstr "" "l'extension `.packages` du [répertoire de téléchargement Bittorent](/" "torrents/files/)." +#. type: Title = +#, fuzzy, no-wrap +#| msgid "Additional features\n" +msgid "Additional software\n" +msgstr "Fonctionnalités supplémentaires\n" + +#. type: Plain text +msgid "" +"You can [[install additional software|doc/advanced_topics/" +"additional_software]] in Tails: all software packaged for Debian is " +"installable in Tails." +msgstr "" + #. type: Title = #, no-wrap msgid "Additional features\n" msgstr "Fonctionnalités supplémentaires\n" #. type: Bullet: '* ' +#, fuzzy +#| msgid "" +#| "automatic mechanism to upgrade a USB stick or a SD card to newer versions" msgid "" -"automatic mechanism to upgrade a USB stick or a SD card to newer versions" +"automatic mechanism to [[upgrade a USB stick or a SD card|doc/first_steps/" +"upgrade]] to newer versions" msgstr "" "automatisation de la mise à jour d'une clé USB ou d'une carte SDvers une " "version plus récente" #. type: Bullet: '* ' +#, fuzzy +#| msgid "" +#| "can be run as a virtualized guest inside [VirtualBox](http://www." +#| "virtualbox.org/)" msgid "" "can be run as a virtualized guest inside [VirtualBox](http://www.virtualbox." -"org/)" +"org/) ([[More...|doc/advanced_topics/virtualization]])" msgstr "" "peut être utilisé en tant que système invité dans [VirtualBox](http://www." "virtualbox.org/)" @@ -321,7 +411,7 @@ msgstr "" "Quelques [[isolations d’applications|contribute/design/" "application_isolation]] grâce à AppArmor" -#. type: Plain text +#. type: Bullet: '* ' msgid "" "To prevent cold-boot attacks and various memory forensics, Tails erases " "memory on shutdown and when the boot media is physically removed." @@ -337,9 +427,14 @@ msgid "Multilingual support\n" msgstr "Support de différentes langues\n" #. type: Plain text -msgid "One can choose at boot time between a big number of languages." +msgid "" +"When starting Tails, you can choose between a large number of languages, " +"including Arabic, Azerbaijani, Catalan, Czech, Welsh, Danish, German, Greek, " +"English, Spanish, Persian, Finnish, French, Croatian, Hungarian, Indonesian, " +"Italian, Japanese, Khmer, Korean, Latvian, Bokmål, Dutch, Polish, " +"Portuguese, Russian, Slovak, Slovene, Albanian, Serbian, Swedish, Turkish, " +"Ukrainian, and Chinese." msgstr "" -"Vous pouvez choisir parmis une grande variété de langues lors du démarrage." #. type: Plain text msgid "The required keyboard input system is automatically enabled." @@ -368,6 +463,11 @@ msgstr "" "votre langue, jetez un œil aux [[instructions de traduction|contribute/how/" "translate]]." +#~ msgid "One can choose at boot time between a big number of languages." +#~ msgstr "" +#~ "Vous pouvez choisir parmis une grande variété de langues lors du " +#~ "démarrage." + #~ msgid "" #~ "[[TrueCrypt|encryption_and_privacy/truecrypt]] a disk encryption software" #~ msgstr "" diff --git a/wiki/src/doc/about/features.mdwn b/wiki/src/doc/about/features.mdwn index 95346b74db34936811719d5b82388c5a15feed1f..38d4ad8ea42dcca7b1fcb1c478c235e2dd7c796d 100644 --- a/wiki/src/doc/about/features.mdwn +++ b/wiki/src/doc/about/features.mdwn @@ -2,22 +2,26 @@ [[!toc levels=2]] +Tails is based on [[Debian|https://www.debian.org/]] 7 (Wheezy). +It will switch to Debian 8 (Jessie) a few months +after its release. + Included software ================= * [GNOME](http://www.gnome.org), an intuitive and attractive desktop - environment + environment ([[More...|doc/first_steps/introduction_to_gnome_and_the_tails_desktop]]) Networking ---------- * [Tor](https://www.torproject.org) with: - [[stream isolation|contribute/design/stream_isolation]] - - regular and obfsproxy bridges support - - the [Vidalia](https://www.torproject.org/projects/vidalia) graphical frontend + - regular, obfs2, obfs3, obfs4, and ScrambleSuit bridges support + - the [Vidalia](https://www.torproject.org/projects/vidalia) graphical frontend ([[More...|doc/anonymous_internet/vidalia]]) * [NetworkManager](http://projects.gnome.org/NetworkManager/) for easy - network configuration -* [Tor Browser](https://www.torproject.org/projects/torbrowser.html.en), a web + network configuration ([[More...|doc/anonymous_internet/networkmanager]]) +* [Tor Browser](https://www.torproject.org/projects/torbrowser.html.en) ([[More...|doc/anonymous_internet/Tor_Browser]]), a web browser based on [Mozilla Firefox](http://getfirefox.com) and modified to protect your anonymity with: - [Torbutton](https://www.torproject.org/torbutton) for anonymity and protection against evil JavaScript @@ -29,24 +33,25 @@ Networking - [AdBlock Plus](https://adblockplus.org/en/firefox) to remove advertisements. * [Pidgin](http://www.pidgin.im/) preconfigured with [OTR](http://www.cypherpunks.ca/otr/index.php) for Off-the-Record - Messaging + Messaging ([[More...|doc/anonymous_internet/pidgin]]) * [Claws Mail](http://www.claws-mail.org/) e-mail client, with - GnuPG support + GnuPG support ([[More...|doc/anonymous_internet/Claws_Mail]]) * [Liferea](http://liferea.sourceforge.net/) feed aggregator * [Gobby](http://gobby.0x539.de/trac/) for collaborative text writing * [Aircrack-ng](http://aircrack-ng.org/) for wireless networks auditing -* [I2P](https://geti2p.net/) an anonymizing network +* [I2P](https://geti2p.net/) an anonymizing network ([[More...|doc/anonymous_internet/i2p]]) +* [Electrum](https://electrum.org/), an easy-to-use bitcoin client ([[More...|doc/anonymous_internet/electrum]]) Desktop Edition --------------- -* [LibreOffice](http://www.libreoffice.org/) +* [LibreOffice](http://www.libreoffice.org/) ([[More...|doc/sensitive_documents/office_suite]]) * [Gimp](http://www.gimp.org/) and - [Inkscape](http://www.inkscape.org/) to edit images + [Inkscape](http://www.inkscape.org/) to edit images ([[More...|doc/sensitive_documents/graphics]]) * [Scribus](http://www.scribus.net) for page layout * [Audacity](http://audacity.sourceforge.net/) for recording and - editing sounds -* [PiTiVi](http://www.pitivi.org/) for non-linear audio/video editing + editing sounds ([[More...|doc/sensitive_documents/sound_and_video]]) +* [PiTiVi](http://www.pitivi.org/) for non-linear audio/video editing ([[More...|doc/sensitive_documents/sound_and_video]]) * [Poedit](http://poedit.sourceforge.net/) to edit .po files * [Simple Scan](https://launchpad.net/simple-scan) and [SANE](http://www.sane-project.org/) for scanner support @@ -60,7 +65,7 @@ Encryption and privacy * [[!wikipedia Linux_Unified_Key_Setup desc="LUKS"]] and [[!wikipedia GNOME_Disks]] to - install and use encrypted storage devices, for example USB sticks + install and use encrypted storage devices, for example USB sticks ([[More...|doc/encryption_and_privacy/encrypted_volumes]]) * [GnuPG](http://gnupg.org/), the GNU implementation of OpenPGP for email and data encyption and signing * [Monkeysign](http://web.monkeysphere.info/monkeysign), @@ -72,36 +77,49 @@ Encryption and privacy and [ssss](http://point-at-infinity.org/ssss/) * [Florence](http://florence.sourceforge.net/) virtual keyboard as a countermeasure against hardware - [keyloggers](http://en.wikipedia.org/wiki/Keylogger) + [keyloggers](http://en.wikipedia.org/wiki/Keylogger) ([[More...|doc/encryption_and_privacy/virtual_keyboard]]) * [MAT](https://mat.boum.org/) to anonymize metadata in files -* [KeePassX](http://www.keepassx.org/) password manager -* [GtkHash](http://gtkhash.sourceforge.net/) to calculate checksums +* [KeePassX](http://www.keepassx.org/) password manager ([[More...|doc/encryption_and_privacy/manage_passwords]]) +* [GtkHash](http://gtkhash.sourceforge.net/) to calculate checksums ([[More...|doc/encryption_and_privacy/checksums]]) +* [Keyringer](https://keyringer.pw/), a command line tool to encrypt secrets shared through Git ([[More...|doc/encryption_and_privacy/keyringer]]) +* [Paperkey](http://www.jabberwocky.com/software/paperkey/) a command line tool to back up OpenPGP secret keys on paper ([[More...|doc/advanced_topics/paperkey]]) The full packages list can be found in the [BitTorrent files download directory](/torrents/files/) (look for files with the `.packages` extension). +Additional software +=================== + +You can +[[install additional software|doc/advanced_topics/additional_software]] +in Tails: all software packaged for Debian is installable in Tails. + Additional features =================== -* automatic mechanism to upgrade a USB stick or a SD card to newer versions +* automatic mechanism to [[upgrade a USB stick or a SD card|doc/first_steps/upgrade]] to newer versions * can be run as a virtualized guest inside - [VirtualBox](http://www.virtualbox.org/) + [VirtualBox](http://www.virtualbox.org/) ([[More...|doc/advanced_topics/virtualization]]) * [[customization|contribute/customize]] (e.g. to add a given missing piece of software) is relatively easy: one may [[contribute/build]] a custom Amnesic Incognito Live System in about one hour on a modern desktop computer * 64-bit PAE-enabled kernel with NX-bit and SMP support on hardware that supports it * Some basic [[doc/first_steps/accessibility]] features * Some [[contribute/design/application_isolation]] with AppArmor - -To prevent cold-boot attacks and various memory forensics, Tails -erases memory on shutdown and when the boot media is physically -removed. +* To prevent cold-boot attacks and various memory forensics, Tails + erases memory on shutdown and when the boot media is physically + removed. Multilingual support ==================== -One can choose at boot time between a big number of languages. +When starting Tails, you can choose between a large number of languages, including Arabic, +Azerbaijani, Catalan, Czech, Welsh, Danish, German, Greek, English, +Spanish, Persian, Finnish, French, Croatian, Hungarian, Indonesian, +Italian, Japanese, Khmer, Korean, Latvian, Bokmål, Dutch, Polish, +Portuguese, Russian, Slovak, Slovene, Albanian, Serbian, Swedish, +Turkish, Ukrainian, and Chinese. The required keyboard input system is automatically enabled. diff --git a/wiki/src/doc/about/features.pt.po b/wiki/src/doc/about/features.pt.po index 3056f29e0c49c1ba44fc5671c874f7accff71edd..694fb964456fb29ed0197d353daa1a29c1271c90 100644 --- a/wiki/src/doc/about/features.pt.po +++ b/wiki/src/doc/about/features.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-12-02 16:30+0100\n" +"POT-Creation-Date: 2015-05-11 14:31+0000\n" "PO-Revision-Date: 2014-08-14 15:59+0200\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -25,15 +25,26 @@ msgstr "[[!meta title=\"Características e programas inclusos\"]]\n" msgid "[[!toc levels=2]]\n" msgstr "[[!toc levels=2]]\n" +#. type: Plain text +msgid "" +"Tails is based on [[Debian|https://www.debian.org/]] 7 (Wheezy). It will " +"switch to Debian 8 (Jessie) a few months after its release." +msgstr "" + #. type: Title = #, no-wrap msgid "Included software\n" msgstr "Programas inclusos\n" #. type: Bullet: '* ' +#, fuzzy +#| msgid "" +#| "[GNOME](http://www.gnome.org), an intuitive and attractive desktop " +#| "environment" msgid "" "[GNOME](http://www.gnome.org), an intuitive and attractive desktop " -"environment" +"environment ([[More...|doc/first_steps/" +"introduction_to_gnome_and_the_tails_desktop]])" msgstr "" "[GNOME](http://www.gnome.org), um ambiente desktop atrativo e intuitivo" @@ -73,11 +84,11 @@ msgstr "Rede\n" msgid "" "* [Tor](https://www.torproject.org) with:\n" " - [[stream isolation|contribute/design/stream_isolation]]\n" -" - regular and obfsproxy bridges support\n" -" - the [Vidalia](https://www.torproject.org/projects/vidalia) graphical frontend\n" +" - regular, obfs2, obfs3, obfs4, and ScrambleSuit bridges support\n" +" - the [Vidalia](https://www.torproject.org/projects/vidalia) graphical frontend ([[More...|doc/anonymous_internet/vidalia]])\n" "* [NetworkManager](http://projects.gnome.org/NetworkManager/) for easy\n" -" network configuration\n" -"* [Tor Browser](https://www.torproject.org/projects/torbrowser.html.en), a web\n" +" network configuration ([[More...|doc/anonymous_internet/networkmanager]])\n" +"* [Tor Browser](https://www.torproject.org/projects/torbrowser.html.en) ([[More...|doc/anonymous_internet/Tor_Browser]]), a web\n" " browser based on [Mozilla Firefox](http://getfirefox.com) and modified to protect your anonymity with:\n" " - [Torbutton](https://www.torproject.org/torbutton) for anonymity\n" " and protection against evil JavaScript\n" @@ -89,13 +100,14 @@ msgid "" " - [AdBlock Plus](https://adblockplus.org/en/firefox) to remove advertisements.\n" "* [Pidgin](http://www.pidgin.im/) preconfigured with\n" " [OTR](http://www.cypherpunks.ca/otr/index.php) for Off-the-Record\n" -" Messaging\n" +" Messaging ([[More...|doc/anonymous_internet/pidgin]])\n" "* [Claws Mail](http://www.claws-mail.org/) e-mail client, with\n" -" GnuPG support\n" +" GnuPG support ([[More...|doc/anonymous_internet/Claws_Mail]])\n" "* [Liferea](http://liferea.sourceforge.net/) feed aggregator\n" "* [Gobby](http://gobby.0x539.de/trac/) for collaborative text writing\n" "* [Aircrack-ng](http://aircrack-ng.org/) for wireless networks auditing\n" -"* [I2P](https://geti2p.net/) an anonymizing network\n" +"* [I2P](https://geti2p.net/) an anonymizing network ([[More...|doc/anonymous_internet/i2p]])\n" +"* [Electrum](https://electrum.org/), an easy-to-use bitcoin client ([[More...|doc/anonymous_internet/electrum]])\n" msgstr "" "* [Tor](https://www.torproject.org) com:\n" " - [[isolamento de fluxo|contribute/design/stream_isolation]]\n" @@ -128,13 +140,21 @@ msgid "Desktop Edition\n" msgstr "Edição de Desktop\n" #. type: Bullet: '* ' -msgid "[LibreOffice](http://www.libreoffice.org/)" +#, fuzzy +#| msgid "[LibreOffice](http://www.libreoffice.org/)" +msgid "" +"[LibreOffice](http://www.libreoffice.org/) ([[More...|doc/" +"sensitive_documents/office_suite]])" msgstr "[LibreOffice.org](http://www.libreoffice.org/)" #. type: Bullet: '* ' +#, fuzzy +#| msgid "" +#| "[Gimp](http://www.gimp.org/) and [Inkscape](http://www.inkscape.org/) to " +#| "edit images" msgid "" "[Gimp](http://www.gimp.org/) and [Inkscape](http://www.inkscape.org/) to " -"edit images" +"edit images ([[More...|doc/sensitive_documents/graphics]])" msgstr "" "[Gimp](http://www.gimp.org/) e [Inkscape](http://www.inkscape.org/) para a " "edição de imagens" @@ -144,13 +164,22 @@ msgid "[Scribus](http://www.scribus.net) for page layout" msgstr "[Scribus](http://www.scribus.net) para diagramação" #. type: Bullet: '* ' +#, fuzzy +#| msgid "" +#| "[Audacity](http://audacity.sourceforge.net/) for recording and editing " +#| "sounds" msgid "" -"[Audacity](http://audacity.sourceforge.net/) for recording and editing sounds" +"[Audacity](http://audacity.sourceforge.net/) for recording and editing " +"sounds ([[More...|doc/sensitive_documents/sound_and_video]])" msgstr "" "[Audacity](http://audacity.sourceforge.net/) para gravação e edição de áudio" #. type: Bullet: '* ' -msgid "[PiTiVi](http://www.pitivi.org/) for non-linear audio/video editing" +#, fuzzy +#| msgid "[PiTiVi](http://www.pitivi.org/) for non-linear audio/video editing" +msgid "" +"[PiTiVi](http://www.pitivi.org/) for non-linear audio/video editing " +"([[More...|doc/sensitive_documents/sound_and_video]])" msgstr "" "[PiTIVi](http://www.pitivi.org/) para edição não-linear de áudio e vídeo" @@ -191,10 +220,15 @@ msgid "Encryption and privacy\n" msgstr "Criptografia e privacidade\n" #. type: Bullet: '* ' +#, fuzzy +#| msgid "" +#| "[[!wikipedia Linux_Unified_Key_Setup desc=\"LUKS\"]] and [[!wikipedia " +#| "GNOME_Disks]] to install and use encrypted storage devices, for example " +#| "USB sticks" msgid "" "[[!wikipedia Linux_Unified_Key_Setup desc=\"LUKS\"]] and [[!wikipedia " "GNOME_Disks]] to install and use encrypted storage devices, for example USB " -"sticks" +"sticks ([[More...|doc/encryption_and_privacy/encrypted_volumes]])" msgstr "" "[[!wikipedia Linux_Unified_Key_Setup desc=\"LUKS\"]] e [[!wikipedia " "GNOME_Disks]] para instalar e usar dispositivos de armazenamento " @@ -232,10 +266,15 @@ msgstr "" "software/libgfshare) e [ssss](http://point-at-infinity.org/ssss/)" #. type: Bullet: '* ' +#, fuzzy +#| msgid "" +#| "[Florence](http://florence.sourceforge.net/) virtual keyboard as a " +#| "countermeasure against hardware [keyloggers](http://en.wikipedia.org/wiki/" +#| "Keylogger)" msgid "" "[Florence](http://florence.sourceforge.net/) virtual keyboard as a " "countermeasure against hardware [keyloggers](http://en.wikipedia.org/wiki/" -"Keylogger)" +"Keylogger) ([[More...|doc/encryption_and_privacy/virtual_keyboard]])" msgstr "" "[Florence](http://florence.sourceforge.net/) teclado virtual como medida " "contra [keyloggers](http://en.wikipedia.org/wiki/Keylogger) de hardware" @@ -245,14 +284,35 @@ msgid "[MAT](https://mat.boum.org/) to anonymize metadata in files" msgstr "[MAT](https://mat.boum.org/) para anonimizar metadados de arquivos" #. type: Bullet: '* ' -msgid "[KeePassX](http://www.keepassx.org/) password manager" +#, fuzzy +#| msgid "[KeePassX](http://www.keepassx.org/) password manager" +msgid "" +"[KeePassX](http://www.keepassx.org/) password manager ([[More...|doc/" +"encryption_and_privacy/manage_passwords]])" msgstr "[KeePassX](http://www.keepassx.org/), gerenciador de senhas" #. type: Bullet: '* ' -msgid "[GtkHash](http://gtkhash.sourceforge.net/) to calculate checksums" +#, fuzzy +#| msgid "[GtkHash](http://gtkhash.sourceforge.net/) to calculate checksums" +msgid "" +"[GtkHash](http://gtkhash.sourceforge.net/) to calculate checksums ([[More...|" +"doc/encryption_and_privacy/checksums]])" msgstr "" "[GtkHash](http://gtkhash.sourceforge.net/) para calcular somas de verificação" +#. type: Bullet: '* ' +msgid "" +"[Keyringer](https://keyringer.pw/), a command line tool to encrypt secrets " +"shared through Git ([[More...|doc/encryption_and_privacy/keyringer]])" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"[Paperkey](http://www.jabberwocky.com/software/paperkey/) a command line " +"tool to back up OpenPGP secret keys on paper ([[More...|doc/advanced_topics/" +"paperkey]])" +msgstr "" + #. type: Plain text msgid "" "The full packages list can be found in the [BitTorrent files download " @@ -261,22 +321,43 @@ msgstr "" "A lista completa de pacotes pode ser encontrada no [diretório de download de " "arquivos BitTorrent](/torrents/files/) (arquivos com a extensão `.packages`)." +#. type: Title = +#, fuzzy, no-wrap +#| msgid "Additional features\n" +msgid "Additional software\n" +msgstr "Características adicionais\n" + +#. type: Plain text +msgid "" +"You can [[install additional software|doc/advanced_topics/" +"additional_software]] in Tails: all software packaged for Debian is " +"installable in Tails." +msgstr "" + #. type: Title = #, no-wrap msgid "Additional features\n" msgstr "Características adicionais\n" #. type: Bullet: '* ' +#, fuzzy +#| msgid "" +#| "automatic mechanism to upgrade a USB stick or a SD card to newer versions" msgid "" -"automatic mechanism to upgrade a USB stick or a SD card to newer versions" +"automatic mechanism to [[upgrade a USB stick or a SD card|doc/first_steps/" +"upgrade]] to newer versions" msgstr "" "mecanismo automático para atualizar uma memória USB ou um cartão SD para " "novas versões" #. type: Bullet: '* ' +#, fuzzy +#| msgid "" +#| "can be run as a virtualized guest inside [VirtualBox](http://www." +#| "virtualbox.org/)" msgid "" "can be run as a virtualized guest inside [VirtualBox](http://www.virtualbox." -"org/)" +"org/) ([[More...|doc/advanced_topics/virtualization]])" msgstr "" "pode ser utilizado como um sistema virtual dentro do [VirtualBox](http://www." "virtualbox.org/)" @@ -309,7 +390,7 @@ msgstr "" msgid "Some [[contribute/design/application_isolation]] with AppArmor" msgstr "" -#. type: Plain text +#. type: Bullet: '* ' msgid "" "To prevent cold-boot attacks and various memory forensics, Tails erases " "memory on shutdown and when the boot media is physically removed." @@ -324,8 +405,14 @@ msgid "Multilingual support\n" msgstr "Idiomas\n" #. type: Plain text -msgid "One can choose at boot time between a big number of languages." -msgstr "É possível escolher uma entre muitas línguas durante o boot." +msgid "" +"When starting Tails, you can choose between a large number of languages, " +"including Arabic, Azerbaijani, Catalan, Czech, Welsh, Danish, German, Greek, " +"English, Spanish, Persian, Finnish, French, Croatian, Hungarian, Indonesian, " +"Italian, Japanese, Khmer, Korean, Latvian, Bokmål, Dutch, Polish, " +"Portuguese, Russian, Slovak, Slovene, Albanian, Serbian, Swedish, Turkish, " +"Ukrainian, and Chinese." +msgstr "" #. type: Plain text msgid "The required keyboard input system is automatically enabled." @@ -354,6 +441,9 @@ msgstr "" "falam seu idioma, consulte as [[linhas gerais de tradução|contribute/how/" "translate]]." +#~ msgid "One can choose at boot time between a big number of languages." +#~ msgstr "É possível escolher uma entre muitas línguas durante o boot." + #~ msgid "" #~ "[[TrueCrypt|encryption_and_privacy/truecrypt]] a disk encryption software" #~ msgstr "" diff --git a/wiki/src/doc/about/fingerprint.de.po b/wiki/src/doc/about/fingerprint.de.po index cbed1fe73ba3bf21e63c3e5849000f4b7e1dcfd0..a0e6f7713c745fb7df583752bae3a9a564ccaaad 100644 --- a/wiki/src/doc/about/fingerprint.de.po +++ b/wiki/src/doc/about/fingerprint.de.po @@ -6,14 +6,15 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-10-15 18:40+0300\n" -"PO-Revision-Date: 2014-06-14 20:59-0000\n" +"POT-Creation-Date: 2015-04-24 17:28+0300\n" +"PO-Revision-Date: 2015-02-21 21:40-0000\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"X-Generator: Poedit 1.5.4\n" #. type: Plain text #, no-wrap @@ -31,8 +32,7 @@ msgstr "" "Internet-Nutzer Tails verwendet oder nicht." #. type: Plain text -#, fuzzy, no-wrap -#| msgid "[[As explained on our warning page|warning#fingerprint]], when using Tails it is possible to know that you are using Tor. But Tails tries to **make it as difficult as possible to distinguish Tails users from other Tor users**, especially Tor Browser Bundle (TBB) users. If it is possible to determine whether your are a Tails users or a TBB user, this provides more information about you and in consequence reduces your anonymity." +#, no-wrap msgid "" "[[As explained on our warning page|warning#fingerprint]], when using\n" "Tails it is possible to know that you are using Tor. But Tails tries to\n" @@ -41,7 +41,15 @@ msgid "" "possible to determine whether you are a user of <span class=\"application\">Tor Browser</span> inside or outside of Tails, this\n" "provides more information about you and in consequence reduces your\n" "anonymity.\n" -msgstr "[[Wie auf unserer Warnhinweise-Seite erklärt|warning#fingerprint]] sind Tor-Nutzer als solche erkennbar – folglich auch die Nutzer von Tails, denn: Tails schickt automatisch alle Verbindungen über das Tor-Netzwerk. Aber Tails versucht auch, es **so schwer wie möglich zu machen, Tails-Nutzer von anderen Tor-Nutzern zu unterscheiden**, insbesondere von Nutzern des Tor Browser Bundles (TBB). Wenn eine Unterscheidung, ob ein Anwender Tails oder TBB nutzt, gelingt, bedeutet dies zusätzliche Information über den Nutzer und verringert somit dessen Anonymität." +msgstr "" +"[[Wie auf unserer Warnhinweise-Seite erklärt|warning#fingerprint]], ist\n" +"es bei der Verwendung von Tails möglich, Sie als Tor-Nutzer zu erkennen.\n" +"Allerdings versucht Tails **die Unterscheidung zwischen Tails- und anderen\n" +"Tor-Nutzern so schwierig wie möglich zu machen**, insbesondere mit Nutzern\n" +"von <span class=\"application\">Tor Browser</span> außerhalb von Tails.\n" +"Falls die Unterscheidung, ob Sie <span class=\"application\">Tor Browser</span>\n" +"innerhalb oder außerhalb von Tails verwenden, gelingt, bedeutet dies mehr\n" +"Information über Sie und verringert somit Ihre Anonymität.\n" #. type: Plain text msgid "" @@ -68,31 +76,38 @@ msgstr "" "und Schriftarten, sowie die Zeitzone gehören." #. type: Plain text -#, fuzzy, no-wrap -#| msgid "To make it difficult to distinguish Tails users from TBB users, **the Tor browser tries to provide the same information as the TBB** in order to have similar fingerprints." +#, no-wrap msgid "" "To make it difficult to distinguish Tails users,\n" "**<span class=\"application\">Tor Browser</span> in Tails tries to provide the same information as <span class=\"application\">Tor Browser</span> on other operating systems** in\n" "order to have similar fingerprints.\n" -msgstr "Um die Unterscheidung von Tails- und TBB-Nutzern zu erschweren, **versucht der Tor-Browser, einen ähnlichen Fingerabdruck wie das TBB** zu erzeugen; es bietet Webseiten also möglichst die gleichen Informationen an." +msgstr "" +"Um die Unterscheidung von Tails-Nutzern zu erschweren, **versucht der\n" +"<span class=\"application\">Tor Browser</span> in Tails nach außen hin die gleichen\n" +"Informationen zu liefern, wie ein <span class=\"application\">Tor Browser</span> auf\n" +"einem anderen Betriebssystem**, sodass sich die Fingerabdrücke sehr ähneln.\n" #. type: Plain text -#, fuzzy, no-wrap -#| msgid "See the [[fingerprint section of known issues page|support/known_issues#fingerprint]] for a list of known differences between the fingerprints of the Tor browser and the TBB." +#, no-wrap msgid "" "See the [[fingerprint section of known issues\n" "page|support/known_issues#fingerprint]] for a list of known differences\n" "between the fingerprints of <span class=\"application\">Tor Browser</span> inside and outside of Tails.\n" -msgstr "Der [[Abschnitt »Fingerabdruck« auf der Seite der bekannten Probleme|support/known_issues#fingerprint]] enthält eine Liste der bekannten Unterschiede zwischen dem Tails-Browser und dem TBB." +msgstr "" +"Der [[Abschnitt »Fingerabdruck« auf der Seite der bekannten\n" +"Probleme|support/known_issues#fingerprint]] enthält eine Liste der bekannten\n" +"Unterschiede zwischen <span class=\"application\">Tor Browser</span> innerhalb\n" +"und außerhalb von Tails.\n" #. type: Plain text -#, fuzzy, no-wrap -#| msgid "Apart from that, **some of the extensions included in Tor browser are different** than the ones included in the TBB. More sophisticated attacks can use those differences to distinguish Tails user from TBB users." +#, no-wrap msgid "" "Apart from that, **some of the <span class=\"application\">Tor Browser</span> extensions included in Tails are\n" "specific to Tails**. More sophisticated\n" "attacks can use those differences to distinguish Tails users.\n" -msgstr "Allerdings sind **einige der Erweiterungen des Tails-Browsers von denen verschieden**, die mit dem TBB mitgeliefert werden. Bei einem komplexen Ausspähversuch können diese Unterschiede herangezogen werden, um zwischen Tails- und TBB-Nutzern zu unterscheiden." +msgstr "" +"Darüber hinaus sind **einige der Erweiterungen im <span class=\"application\">Tor Browser</span> in Tails\n" +"kennzeichnend für Tails**. Aufwändigere Angriffe können mit Hilfe dieser Unterschiede Tails-Nutzer unterscheiden.\n" #. type: Plain text #, no-wrap @@ -102,11 +117,10 @@ msgid "" "that you are not downloading the advertisements that are included in a\n" "webpage, that could help identify you as a Tails user.\n" msgstr "" -"Zum Tails-Browser gehört zum Beispiel das Add-on <span class=\n" -"\"application\">Adblock Plus</span>, das Werbung unterdrückt. \n" -"Wenn ein Angreifer feststellt, dass ein Nutzer aus dem Tor-Netzwerk\n" -"keine Werbung von einer Website lädt, kann er darauf schließen,\n" -" dass dieser Nutzer Tails verwendet.\n" +"Zum Beispiel beinhaltet Tails <span class=\"application\">Adblock Plus</span>,\n" +"das Werbung unterdrückt. Kann ein Angreifer bestimmen, dass Sie die eingebundene\n" +"Werbung in einer Webseite nicht herunterladen, so kann das helfen, Sie als Tails-Nutzer zu\n" +"identifizieren.\n" #. type: Plain text #, no-wrap @@ -115,9 +129,9 @@ msgid "" "regarding the fingerprint of the [[<span class=\"application\">Unsafe\n" "Browser</span>|doc/anonymous_internet/unsafe_browser]]**.\n" msgstr "" -"Außerdem befassen sich die Tails-Entwickler vorläufig **nicht mit dem \n" -"Fingerabdruck des [[<span class=\"application\">Unsicheren Browsers\n" -"</span>|doc/anonymous_internet/unsafe_browser]]**.\n" +"Darüber hinaus sollten Sie sich bewusst sein, dass derzeit **keine besonderen\n" +"Vorkehrungen bezüglich des Fingerabdruck des [[<span class=\"application\">Unsicheren\n" +"Browsers</span>|doc/anonymous_internet/unsafe_browser]] getroffen werden**.\n" #. type: Title = #, no-wrap @@ -132,20 +146,10 @@ msgid "" msgstr "" "Meist sind Tor Bridges (dt: Tor Brücken) ein guter Weg, die Verwendung von " "Tor gegenüber einem lokalen Beobachter zu verbergen. Falls das für Sie " -"wichtig ist, lesen Sie die Dokumentation über den [[Tor Bridge Modus|doc/" +"wichtig ist, lesen Sie unsere Dokumentation über den [[Tor Bridge Modus|doc/" "first_steps/startup_options/bridge_mode]]." #. type: Bullet: ' - ' -#, fuzzy -#| msgid "" -#| "A Tails system is **almost exclusively generating Tor activity** on the " -#| "network. Usually TBB users also have network activity outside of Tor, " -#| "either from another web browser or other applications. So the proportion " -#| "of Tor activity could be used to determine whether a user is using Tails " -#| "or the TBB. If you are sharing your Internet connection with other users " -#| "that are not using Tails it is probably harder for your ISP to determine " -#| "whether a single user is generating only Tor traffic and so maybe using " -#| "Tails." msgid "" "A Tails system is **almost exclusively generating Tor activity** on the " "network. Usually users of <span class=\"application\">Tor Browser</span> on " @@ -157,25 +161,18 @@ msgid "" "probably harder for your ISP to determine whether a single user is " "generating only Tor traffic and so maybe using Tails." msgstr "" -"Ein Tails System erzeugt **fast ausschließlich Netzwerkverkehr im Tor-" -"Netzwerk**. TBB-Nutzer verursachen hingegen normalerweise auch Verkehr " -"außerhalb des Tor-Netzwerks, weil sie neben Tor andere Browser und " -"Internetanwendungen benutzen. Deshalb kann der proportionale Anteil der Tor-" -"Aktivitäten ein Indikator dafür sein, ob ein Nutzer Tails oder TBB " -"verwendet. Teilen sich mehrere Anwender einen Internetanschluss, ist es für " -"den Internetdienstanbieter schwieriger zu ermitteln, ob der einzelne " -"überproportional häufig Tor-Verkehr verursacht, also möglicherweise Tails-" -"Nutzer ist." +"Ein Tails System erzeugt **fast ausschließlich Aktivität im Tor-Netz**. " +"Nutzer des <span class=\"application\">Tor Browser</span> auf anderen " +"Betriebssystemen verursachen aber üblicherweise auch Aktivität außerhalb des " +"Tor-Netzwerks, beispielsweise durch einen anderen Browser oder andere " +"Internetanwendungen. Deshalb kann der proportionale Anteil der Tor-Aktivität " +"ein Indikator dafür sein, ob ein Nutzer von <span class=\"application\">Tor " +"Browser</span> Tails verwendet oder nicht. Teilen sich mehrere Anwender " +"einen Internetanschluss, ist es für den Internetdienstanbieter schwieriger " +"zu ermitteln, ob ein einzelner Nutzer überwiegend Tor-Verkehr verursacht und " +"daher wahrscheinlich Tails verwendet." #. type: Bullet: ' - ' -#, fuzzy -#| msgid "" -#| "Tails **does not use the entry guards mechanism of Tor**. With the [entry " -#| "guard mechanism](https://www.torproject.org/docs/faq#EntryGuards), a Tor " -#| "user always uses the same few relays as first hops. As Tails does not " -#| "store any Tor information between separate working sessions, it does not " -#| "store the entry guards information either. This behaviour could be used " -#| "to distinguish Tails users from TBB users across several working sessions." msgid "" "Tails **does not use the entry guards mechanism of Tor**. With the [entry " "guard mechanism](https://www.torproject.org/docs/faq#EntryGuards), a Tor " @@ -185,15 +182,12 @@ msgid "" "Tails users across several working sessions." msgstr "" "Tails **benutzt den Tor-Entry-Guard-Mechanismus nicht**. Der [Entry-Guard-" -"Mechanismus](https://www.torproject.org/docs/faq#EntryGuards) sorgt dafür, " -"dass ein Tor-Client immer dieselben Eintrittsserver als Startpunkt für eine " -"Verbindung nutzt. Zum Tails-Konzept gehört es jedoch, dass das System " -"keinerlei Informationen über eine Arbeitssitzung speichert. Also gehen auch " -"die Informationen darüber verloren, welche Server als Einstieg in das " -"Netzwerk verwendet wurden. Wer über mehrere Sitzungen hinweg das " -"Einstiegsverhalten von Nutzern in das Tor-Netzwerk vergleicht, kann folglich " -"mit hoher Wahrscheinlichkeit TBB-Anwender und Tails-Anwender voneinander " -"unterscheiden." +"Mechanismus](https://www.torproject.org/docs/faq#EntryGuards) bewirkt, dass " +"ein Tor-Client immer die selben Eintrittsserver in das Tor-Netzwerk nutzt. " +"Da Tails aber keine Information zu Tor zwischen verschiedenen Sitzungen " +"speichert, kann es den Eintrittsknoten ebenfalls nicht speichern. Dieses " +"Verhalten kann zur Unterscheidung von Tails-Nutzern über mehrere Sitzungen " +"hinweg verwendet werden." #. type: Bullet: ' - ' #, fuzzy @@ -201,15 +195,17 @@ msgstr "" #| "When starting, Tails synchronizes the system clock to make sure it is " #| "accurate. While doing this, if the time is set too much in the past or in " #| "the future, Tor is shut down and started again. This behavior could be " -#| "used to distinguish Tails from TBB users, especially this happens every " -#| "time Tails starts." +#| "used to distinguish Tails users, especially this happens every time Tails " +#| "starts." msgid "" "When starting, Tails synchronizes the system clock to make sure it is " "accurate. While doing this, if the time is set too much in the past or in " "the future, Tor is shut down and started again. This behavior could be used " -"to distinguish Tails users, especially this happens every time Tails starts." +"to distinguish Tails users, especially since this happens every time Tails " +"starts." msgstr "" -"Beim Start synchronisiert Tails die Systemuhr. Falls die Zeitabweichung zu " -"groß ist, wird Tor automatisch geschlossen und neu gestartet. Dieses " -"Verhalten kann verraten, ob ein Nutzer das TBB verwendet oder Tails, vor " -"allem, wenn es bei jedem Neustart von Tails auftritt." +"Beim Start synchronisiert Tails die Systemuhr, um ihre Genauigkeit " +"sicherzustellen. Falls die Zeitabweichung zu groß ist, wird Tor automatisch " +"geschlossen und neu gestartet. Dieses Verhalten kann zur Unterscheidung von " +"Tails-Nutzern verwendet werden, vor allem, da dies bei jedem Neustart von " +"Tails auftritt." diff --git a/wiki/src/doc/about/fingerprint.fr.po b/wiki/src/doc/about/fingerprint.fr.po index 8e627ddc83c8bdfe23266bed72dfbb801d8b48a5..70954cff156d295aefda5ab2e11be26cce2be6ad 100644 --- a/wiki/src/doc/about/fingerprint.fr.po +++ b/wiki/src/doc/about/fingerprint.fr.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-10-15 18:40+0300\n" -"PO-Revision-Date: 2014-05-10 20:53-0000\n" +"POT-Creation-Date: 2015-04-24 17:28+0300\n" +"PO-Revision-Date: 2015-01-18 11:05-0000\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" @@ -28,13 +28,12 @@ msgid "" "particular user is using Tails or not." msgstr "" "Dans ce contexte, nous utilisons le terme *empreinte* pour parler des " -"**manières particulières dont Tails se comporte sur Internet**. Ces " +"manières particulières dont Tails se comporte sur Internet. Ces " "particularités peuvent être utilisées pour déterminer si quelqu'un utilise " "Tails ou non." #. type: Plain text -#, fuzzy, no-wrap -#| msgid "[[As explained on our warning page|warning#fingerprint]], when using Tails it is possible to know that you are using Tor. But Tails tries to **make it as difficult as possible to distinguish Tails users from other Tor users**, especially Tor Browser Bundle (TBB) users. If it is possible to determine whether your are a Tails users or a TBB user, this provides more information about you and in consequence reduces your anonymity." +#, no-wrap msgid "" "[[As explained on our warning page|warning#fingerprint]], when using\n" "Tails it is possible to know that you are using Tor. But Tails tries to\n" @@ -43,7 +42,14 @@ msgid "" "possible to determine whether you are a user of <span class=\"application\">Tor Browser</span> inside or outside of Tails, this\n" "provides more information about you and in consequence reduces your\n" "anonymity.\n" -msgstr "[[Comme expliqué sur notre page d'avertissements|warning#fingerprint]], en utilisant Tails il est possible de savoir que vous utilisez Tor. Mais Tails essaye de rendre **aussi difficile que possible de distinguer les utilisateurs de Tails de ceux de Tor**, en particulier des utilisateurs du Tor Browser Bundle (TBB). La possibilité de savoir si vous êtes un utilisateur de Tails ou du TBB, fournit plus d'informations sur vous et diminue d'autant plus votre anonymat." +msgstr "" +"[[Comme expliqué sur notre page d'avertissements|warning#fingerprint]], en utilisant Tails\n" +"il est possible de savoir que vous utilisez Tor. Mais Tails essaye de rendre\n" +"**aussi difficile que possible de distinguer les utilisateurs de Tails de ceux de Tor**,\n" +"en particulier des personnes utilisant le <span class=\"application\">navigateur Tor</span> en dehors de Tails.\n" +"La possibilité de savoir si vous êtes un utilisateur du <span class=\"application\">navigateur Tor</span> dans Tails\n" +"ou en dehors fournit plus d'informations sur vous et diminue d'autant plus votre\n" +"anonymat.\n" #. type: Plain text msgid "" @@ -71,31 +77,37 @@ msgstr "" "disponibles etc." #. type: Plain text -#, fuzzy, no-wrap -#| msgid "To make it difficult to distinguish Tails users from TBB users, **the Tor browser tries to provide the same information as the TBB** in order to have similar fingerprints." +#, no-wrap msgid "" "To make it difficult to distinguish Tails users,\n" "**<span class=\"application\">Tor Browser</span> in Tails tries to provide the same information as <span class=\"application\">Tor Browser</span> on other operating systems** in\n" "order to have similar fingerprints.\n" -msgstr "Pour rendre difficile de distinguer un utilisateur de Tails de ceux du TBB, **le navigateur Tor essaye de fournir les mêmes informations que le TBB** afin d'avoir des empreintes similaires." +msgstr "" +"Pour rendre difficile de distinguer un utilisateur de Tails,\n" +"**le <span class=\"application\">navigateur Tor</span> inclus dans Tails essaye de révéler des informations identiques à un <span class=\"application\">navigateur Tor</span> utilisé sur un autre système d'exploitation**\n" +"afin d'avoir des empreintes similaires.\n" #. type: Plain text -#, fuzzy, no-wrap -#| msgid "See the [[fingerprint section of known issues page|support/known_issues#fingerprint]] for a list of known differences between the fingerprints of the Tor browser and the TBB." +#, no-wrap msgid "" "See the [[fingerprint section of known issues\n" "page|support/known_issues#fingerprint]] for a list of known differences\n" "between the fingerprints of <span class=\"application\">Tor Browser</span> inside and outside of Tails.\n" -msgstr "Voir la [[section empreinte des problèmes connus|support/known_issues#fingerprint]] pour une liste des différences connues entre l'empreinte du navigateur de Tails et celle du TBB." +msgstr "" +"Voir la [[section empreinte des problèmes connus|support/known_issues#fingerprint]]\n" +"pour une liste des différences connues entre l'empreinte du navigateur\n" +"<span class=\"application\">navigateur Tor</span> dans Tails et en dehors.\n" #. type: Plain text -#, fuzzy, no-wrap -#| msgid "Apart from that, **some of the extensions included in Tor browser are different** than the ones included in the TBB. More sophisticated attacks can use those differences to distinguish Tails user from TBB users." +#, no-wrap msgid "" "Apart from that, **some of the <span class=\"application\">Tor Browser</span> extensions included in Tails are\n" "specific to Tails**. More sophisticated\n" "attacks can use those differences to distinguish Tails users.\n" -msgstr "En plus de cela, **quelques extensions inclues dans le navigateur de Tails sont différentes** de celles inclues dans le TBB. Des attaques plus sophistiquées utilisent ces différences pour distinguer des utilisateurs de Tails de ceux du TBB." +msgstr "" +"En plus de cela, **quelques extensions inclues dans le <span class=\"application\">navigateur Tor</span> de Tails sont spécifiques à Tails*.\n" +"Des attaques plus sophistiquées peuvent utiliser ces différences pour distinguer\n" +"les utilisateurs de Tails.\n" #. type: Plain text #, no-wrap @@ -138,16 +150,6 @@ msgstr "" "first_steps/startup_options/bridge_mode]]." #. type: Bullet: ' - ' -#, fuzzy -#| msgid "" -#| "A Tails system is **almost exclusively generating Tor activity** on the " -#| "network. Usually TBB users also have network activity outside of Tor, " -#| "either from another web browser or other applications. So the proportion " -#| "of Tor activity could be used to determine whether a user is using Tails " -#| "or the TBB. If you are sharing your Internet connection with other users " -#| "that are not using Tails it is probably harder for your ISP to determine " -#| "whether a single user is generating only Tor traffic and so maybe using " -#| "Tails." msgid "" "A Tails system is **almost exclusively generating Tor activity** on the " "network. Usually users of <span class=\"application\">Tor Browser</span> on " @@ -160,23 +162,16 @@ msgid "" "generating only Tor traffic and so maybe using Tails." msgstr "" "Un système Tails ne **génère quasiment que du trafic Tor** sur le réseau. " -"Habituellement les utilisateurs du TBB ont également du trafic hors de Tor, " -"que ce soit à travers un autre navigateur web ou d'autres applications. Ce " -"qui fait que la proportion de trafic via Tor pourrait être utilisée pour " -"savoir si vous utilisez Tails ou le TBB. Si vous partagez une connexion " -"Internet avec d'autres personnes qui n'utilisent pas Tails, il est " -"probablement plus difficile pour votre FAI de savoir si un utilisateur " -"génère seulement du trafic Tor ou s'il utilise Tails." +"Habituellement les utilisateurs du <span class=\"application\">navigateur " +"Tor</span> ont également du trafic hors de Tor, que ce soit à travers un " +"autre navigateur web ou d'autres applications. Ce qui fait que la proportion " +"de trafic via Tor pourrait être utilisée pour savoir si un utilisateur du " +"<span class=\"application\">navigateur Tor</span> utilise Tails ou non. Si " +"vous partagez une connexion Internet avec d'autres personnes qui n'utilisent " +"pas Tails, il est probablement plus difficile pour votre FAI de savoir si un " +"utilisateur génère seulement du trafic Tor ou s'il utilise Tails." #. type: Bullet: ' - ' -#, fuzzy -#| msgid "" -#| "Tails **does not use the entry guards mechanism of Tor**. With the [entry " -#| "guard mechanism](https://www.torproject.org/docs/faq#EntryGuards), a Tor " -#| "user always uses the same few relays as first hops. As Tails does not " -#| "store any Tor information between separate working sessions, it does not " -#| "store the entry guards information either. This behaviour could be used " -#| "to distinguish Tails users from TBB users across several working sessions." msgid "" "Tails **does not use the entry guards mechanism of Tor**. With the [entry " "guard mechanism](https://www.torproject.org/docs/faq#EntryGuards), a Tor " @@ -191,8 +186,8 @@ msgstr "" "relais comme nœuds d'entrée. Comme Tails ne conserve aucune information de " "Tor entre deux sessions de travail, il ne conserve pas non plus les " "informations de gardes d'entrée. Ce comportement pourrait être utilisé pour " -"distinguer un utilisateur de Tails d'un utilisateur du TBB à travers de " -"multiples sessions de travail." +"distinguer un utilisateur de Tails à travers de multiples sessions de " +"travail." #. type: Bullet: ' - ' #, fuzzy @@ -200,16 +195,17 @@ msgstr "" #| "When starting, Tails synchronizes the system clock to make sure it is " #| "accurate. While doing this, if the time is set too much in the past or in " #| "the future, Tor is shut down and started again. This behavior could be " -#| "used to distinguish Tails from TBB users, especially this happens every " -#| "time Tails starts." +#| "used to distinguish Tails users, especially this happens every time Tails " +#| "starts." msgid "" "When starting, Tails synchronizes the system clock to make sure it is " "accurate. While doing this, if the time is set too much in the past or in " "the future, Tor is shut down and started again. This behavior could be used " -"to distinguish Tails users, especially this happens every time Tails starts." +"to distinguish Tails users, especially since this happens every time Tails " +"starts." msgstr "" "Au démarrage, Tails synchronise l'horloge du système pour être sûr qu'elle " "est correcte. En faisant cela, si l'horloge est trop mal réglée dans le " "passé ou le futur, Tor est redémarré. Ce comportement pourrait être utilisé " -"pour distinguer des utilisateurs de Tails de ceux du TBB, en particulier si " -"cela arrive à chaque fois que Tails démarre." +"pour distinguer des utilisateurs de Tails, en particulier si cela arrive à " +"chaque fois que Tails démarre." diff --git a/wiki/src/doc/about/fingerprint.mdwn b/wiki/src/doc/about/fingerprint.mdwn index 0b52ca95e09897c974077666a8cb125f24259bca..137c839fb006e40b762d6c6db154532f03c13338 100644 --- a/wiki/src/doc/about/fingerprint.mdwn +++ b/wiki/src/doc/about/fingerprint.mdwn @@ -73,4 +73,4 @@ For your ISP or local network administrator is accurate. While doing this, if the time is set too much in the past or in the future, Tor is shut down and started again. This behavior could be used to distinguish Tails users, - especially this happens every time Tails starts. + especially since this happens every time Tails starts. diff --git a/wiki/src/doc/about/fingerprint.pt.po b/wiki/src/doc/about/fingerprint.pt.po index 4c3e9baa2fa9d9e4fdd1d7fff1c8c974dc5f6bcc..fc5a8a1ec8d1100d6d8435c324e3209da758f05b 100644 --- a/wiki/src/doc/about/fingerprint.pt.po +++ b/wiki/src/doc/about/fingerprint.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-10-15 18:40+0300\n" +"POT-Creation-Date: 2015-04-24 17:28+0300\n" "PO-Revision-Date: 2014-07-31 12:48-0300\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -202,7 +202,8 @@ msgid "" "When starting, Tails synchronizes the system clock to make sure it is " "accurate. While doing this, if the time is set too much in the past or in " "the future, Tor is shut down and started again. This behavior could be used " -"to distinguish Tails users, especially this happens every time Tails starts." +"to distinguish Tails users, especially since this happens every time Tails " +"starts." msgstr "" "Ao iniciar, o Tails sincroniza o relógio do sistema para ter certeza de que " "está preciso. Ao fazê-lo, se o relógio estiver ajustado para muito no " diff --git a/wiki/src/doc/about/license.de.po b/wiki/src/doc/about/license.de.po index a0d045853c5985e4692a8e09997d325714a05247..99cf3f554574513f98c2edc9696f169cf12bcb59 100644 --- a/wiki/src/doc/about/license.de.po +++ b/wiki/src/doc/about/license.de.po @@ -6,14 +6,15 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-05-09 10:11+0300\n" -"PO-Revision-Date: 2014-02-07 21:59+0100\n" -"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"POT-Creation-Date: 2015-02-22 12:54+0100\n" +"PO-Revision-Date: 2015-01-17 20:30-0000\n" +"Last-Translator: Tails developers <tails@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"X-Generator: Poedit 1.5.4\n" #. type: Plain text #, no-wrap @@ -27,7 +28,7 @@ msgid "" msgstr "" "Tails ist [[Freie Software|http://www.gnu.org/philosophy/free-sw.html]], die " "unter der GNU General Public License (Version 3 oder höher) veröffentlicht " -"wurde." +"wird." #. type: Plain text msgid "" @@ -64,11 +65,34 @@ msgid "" " - [[Graphic Design|http://thenounproject.com/term/graphic_design/9198/]]:\n" " Creative Commons — Attribution, by Cornelius Danger.\n" msgstr "" +" - Das Tails-Logo basiert auf [[USB|http://thenounproject.com/term/usb/23873/]]\n" +" von Ilsur Aptukov von The Noun Project.\n" +" - Debian Logo: Copyright (c) 1999 Software in the Public Interest.\n" +" - Onion Logo: eingetragenes Markenzeichen von The Tor Project, Inc.; das Tails\n" +"Project ist autorisiert, es unter bestimmten Bedingungen zu verwenden; lizenziert unter\n" +"Creative Commons Attribution 3.0 United States License.\n" +" - Icons von [[The Noun Project|http://thenounproject.com/]]:\n" +" - [[Announcement|http://thenounproject.com/term/announcement/1186/]]:\n" +" Creative Commons - Attribution, von Olivier Guin.\n" +" - [[Code|http://thenounproject.com/term/code/18033/]]: Creative Commons —\n" +" Attribution, von Azis.\n" +" - [[Pen|http://thenounproject.com/term/pen/18907/]]: Creative Commons —\n" +" Attribution, von factor[e] design initiative.\n" +" - [[Loan|http://thenounproject.com/term/loan/19538/]]: Public Domain, von\n" +" Rohith M S.\n" +" - [[User|http://thenounproject.com/term/user/419/]]: Creative Commons —\n" +" Attribution, von Edward Boatman.\n" +" - [[Translation|http://thenounproject.com/term/translation/5735/]]: Creative\n" +" Commons — Attribution, von Joe Mortell.\n" +" - [[Gears|http://thenounproject.com/term/gears/8949/]]: Creative Commons —\n" +" Attribution, von Cris Dobbins.\n" +" - [[Graphic Design|http://thenounproject.com/term/graphic_design/9198/]]:\n" +" Creative Commons — Attribution, von Cornelius Danger.\n" #. type: Title = #, no-wrap msgid "Distribution of the source code\n" -msgstr "" +msgstr "Verbreitung des Quellcodes\n" #. type: Plain text msgid "" @@ -80,6 +104,14 @@ msgid "" "all parties (packages that can not be found in the regular Debian archive " "anymore can be found at <http://snapshot.debian.org/>)." msgstr "" +"Der Großteil der in Tails mitgelieferten Software ist direkt Debian-Paketen " +"entnommen und nicht für Tails verändert oder neu kompiliert. Software, die " +"für Tails verändert oder neu kompiliert wird, ist über [[unsere Git " +"Repositories|/contribute/git]] verfügbar. Falls Sie die unveränderten " +"Quellen zu Debian-Paketen benötigen oder möchten, ist es für alle am " +"einfachsten, wenn Sie diese direkt von Debian beziehen (Pakete, die sich " +"nicht mehr im regulären Debian-Archiv befinden, können auf <http://snapshot." +"debian.org/> gefunden werden)." #. type: Plain text msgid "" @@ -89,6 +121,12 @@ msgid "" "you only require one or two source packages, Tails can work with you to send " "a copy of individual packages electronically." msgstr "" +"Gemäß der General Public License (Abschnitt 3(b) der GPLv2 und Abschnitt 6" +"(b) der GPLv3) ist der vollständige Quellcode aller Tails-Releases für " +"jeden, der danach fragt, als DVD via Briefpost gegen eine Aufwendung " +"verfügbar. Falls Sie nur ein oder zwei Quellpakete benötigen, kann auch eine " +"Lösung ausgearbeitet werden, Ihnen die einzelnen Pakete auf elektronischem " +"Wege zukommen zu lassen." #~ msgid "Debian logo: Copyright (c) 1999 Software in the Public Interest." #~ msgstr "Debian-Logo: Copyright (c) 1999 Software in the Public Interest." diff --git a/wiki/src/doc/about/openpgp_keys.de.po b/wiki/src/doc/about/openpgp_keys.de.po index 28d54999ecbd79f72f00de64e58ec9552a8fa9e0..afff05cd78bde96b9110cedd467df03ca90de5ba 100644 --- a/wiki/src/doc/about/openpgp_keys.de.po +++ b/wiki/src/doc/about/openpgp_keys.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2015-01-08 22:05+0100\n" +"POT-Creation-Date: 2015-05-09 01:33+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -27,7 +27,25 @@ msgstr "" #. type: Plain text #, no-wrap -msgid "[[!toc levels=2]]\n" +msgid "<div class=\"caution\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>Make sure to [[verify the key|doc/get/trusting_tails_signing_key]]\n" +"that you downloaded, because there are fake (malicious) Tails OpenPGP keys\n" +"on the keyservers.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!toc levels=1]]\n" msgstr "" #. type: Plain text @@ -149,7 +167,7 @@ msgid "Its only purpose is:" msgstr "" #. type: Bullet: '- ' -msgid "to sign Tails released images (starting with 0.6)" +msgid "to sign Tails released images;" msgstr "" #. type: Bullet: '- ' @@ -163,12 +181,53 @@ msgid "" "systems managed by anyone else than Tails core developers." msgstr "" +#. type: Title ### +#, no-wrap +msgid "Primary key" +msgstr "" + #. type: Plain text #, no-wrap msgid "" -" pub 4096R/0x1202821CBE2CD9C1 2010-10-07 [expires: 2015-04-30]\n" -" Key fingerprint = 0D24 B36A A9A2 A651 7878 7645 1202 821C BE2C D9C1\n" -" uid Tails developers (signing key) <tails@boum.org>\n" +"* Is not owned in a usable format by any single individual. It is\n" +" split cryptographically using\n" +" [gfshare](http://www.digital-scurf.org/software/libgfshare).\n" +"* Is only used offline, in an air-gapped Tails with only interfaces:\n" +" - plugging removable storage to send to the outside world whatever\n" +" is needed (public key, secret key stubs, parts of the secret\n" +" master key, etc.)\n" +" - plugging removable storage to receive from the outside world\n" +" whatever is needed (Debian packages, public keys, etc.)\n" +" - plugging into another running operating system to install Tails\n" +"* Expires in less than one year. We will extend its validity as many\n" +" times as we find reasonable.\n" +msgstr "" + +#. type: Title ### +#, no-wrap +msgid "Signing subkeys" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Stored on OpenPGP smartcards owned by those who need it. Smartcards ensure " +"that the cryptographic operations are done on the smartcard itself and that " +"the secret cryptographic material is not directly available to the operating " +"system using it." +msgstr "" + +#. type: Bullet: '* ' +msgid "Expiration date: same as the subkey." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" pub 4096R/0xDBB802B258ACD84F 2015-01-18 [expires: 2016-01-11]\n" +" Key fingerprint = A490 D0F4 D311 A415 3E2B B7CA DBB8 02B2 58AC D84F\n" +" uid [ full ] Tails developers (offline long-term identity key) <tails@boum.org>\n" +" sub 4096R/0x98FEC6BC752A3DB6 2015-01-18 [expires: 2016-01-11]\n" +" sub 4096R/0x3C83DCB52F699C56 2015-01-18 [expires: 2016-01-11]\n" msgstr "" #. type: Bullet: ' - ' @@ -207,11 +266,6 @@ msgid "" "bug_reporting]]." msgstr "" -#. type: Plain text -#, no-wrap -msgid "[[!tails_website tails-bugs.key desc=\"Download the key\"]]\n" -msgstr "" - #. type: Plain text #, no-wrap msgid "" @@ -223,3 +277,96 @@ msgid "" " uid Tails private user support <tails-support-private@boum.org>\n" " sub 4096R/9D6D6472AFC1AD77 2013-07-24 [expires: 2018-07-23]\n" msgstr "" + +#. type: Bullet: ' - ' +msgid "download it from this website: [[!tails_website tails-bugs.key]]" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"press\"></a>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Press team key\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "Use this key to encrypt private emails sent to <tails-press@boum.org>." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" pub 4096R/0x457080B5A072CBE3 2014-07-11\n" +" Key fingerprint = F3CD 9B7B 4BDF 9995 DA22 088E 4570 80B5 A072 CBE3\n" +"\tuid Tails press team (schleuder list) <tails-press@boum.org>\n" +"\tuid Tails press team (schleuder list) <tails-press-owner@boum.org>\n" +"\tuid Tails press team (schleuder list) <tails-press-request@boum.org>\n" +"\tsub 4096R/0x5748DE3BC338BFFC 2014-07-11\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "download it from this website: [[!tails_website tails-press.key]]" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"accounting\"></a>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Accounting team key\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Use this key to encrypt private emails sent to <tails-accounting@boum.org>." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"\tpub 4096R/0xC436090F4BB47C6F 2014-07-11\n" +"\tKey fingerprint = 256D EB90 7788 0CD6 8167 8528 C436 090F 4BB4 7C6F\n" +"\tuid Tails accounting team (schleuder list) <tails-accounting@boum.org>\n" +"\tuid Tails accounting team (schleuder list) <tails-accounting-request@boum.org>\n" +"\tuid Tails accounting team (schleuder list) <tails-accounting-owner@boum.org>\n" +"\tsub 4096R/0x289A5B45A9E89475 2014-07-11\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "download it from this website: [[!tails_website tails-accounting.key]]" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"sysadmins\"></a>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Sysadmins team key\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Use this key to encrypt private emails sent to <tails-sysadmins@boum.org>." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" pub 4096R/0x70F4F03116525F43 2012-08-23 [expires: 2016-08-16]\n" +" Key fingerprint = D113 CB6D 5131 D34B A5F0 FE9E 70F4 F031 1652 5F43\n" +" uid Tails system administrators <tails-sysadmins@boum.org>\n" +" uid Tails system administrators (schleuder list) <tails-sysadmins-owner@boum.org>\n" +" uid Tails system administrators (schleuder list) <tails-sysadmins-request@boum.org>\n" +" sub 4096R/0x58BA940CCA0A30B4 2012-08-23 [expires: 2016-08-16]\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "download it from this website: [[!tails_website tails-sysadmins.key]]" +msgstr "" diff --git a/wiki/src/doc/about/openpgp_keys.fr.po b/wiki/src/doc/about/openpgp_keys.fr.po index 23c998066bfa70644ec51fd750627d59acc69789..d8263d99d4f788f49290fe0821cd6106979b921f 100644 --- a/wiki/src/doc/about/openpgp_keys.fr.po +++ b/wiki/src/doc/about/openpgp_keys.fr.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: Tails-l10n-wiki\n" -"POT-Creation-Date: 2015-01-08 22:05+0100\n" -"PO-Revision-Date: 2014-08-14 22:58-0000\n" +"POT-Creation-Date: 2015-05-09 01:33+0300\n" +"PO-Revision-Date: 2015-01-17 18:08-0000\n" "Last-Translator: Tails translators <tails@boum.org>\n" "Language-Team: Tails translators <tails-l10n@boum.org>\n" "Language: fr\n" @@ -27,7 +27,26 @@ msgstr "Les développeurs Tails utilisent plusieurs paires de clés OpenPGP." #. type: Plain text #, no-wrap -msgid "[[!toc levels=2]]\n" +msgid "<div class=\"caution\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>Make sure to [[verify the key|doc/get/trusting_tails_signing_key]]\n" +"that you downloaded, because there are fake (malicious) Tails OpenPGP keys\n" +"on the keyservers.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "[[!toc levels=2]]\n" +msgid "[[!toc levels=1]]\n" msgstr "[[!toc levels=2]]\n" #. type: Plain text @@ -36,10 +55,9 @@ msgid "<a id=\"private\"></a>\n" msgstr "" #. type: Title = -#, fuzzy, no-wrap -#| msgid "Mailing-list key\n" +#, no-wrap msgid "Private mailing-list key\n" -msgstr "Clé de la liste de discussion\n" +msgstr "Clé de la liste de discussion privée\n" #. type: Title - #, no-wrap @@ -120,13 +138,7 @@ msgid "Key details\n" msgstr "Détails de la clé\n" #. type: Plain text -#, fuzzy, no-wrap -#| msgid "" -#| " pub 4096R/F93E735F 2009-08-14 Tails developers (Schleuder mailing-list) <tails@boum.org>\n" -#| " Key fingerprint = 09F6 BC8F EEC9 D8EE 005D BAA4 1D29 75ED F93E 735F\n" -#| " uid Amnesia <amnesia@boum.org>\n" -#| " uid T(A)ILS developers (Schleuder mailing-list) <amnesia@boum.org>\n" -#| " sub 4096R/E89382EB 2009-08-14 [expires: 2015-01-03]\n" +#, no-wrap msgid "" " pub 4096R/0x1D2975EDF93E735F 2009-08-14 [expires: 2016-12-27]\n" " Key fingerprint = 09F6 BC8F EEC9 D8EE 005D BAA4 1D29 75ED F93E 735F\n" @@ -135,11 +147,12 @@ msgid "" " uid Tails list (schleuder list) <tails-owner@boum.org>\n" " sub 4096R/0xD843C2F5E89382EB 2009-08-14 [expires: 2016-12-27]\n" msgstr "" -" pub 4096R/F93E735F 2009-08-14 Tails developers (Schleuder mailing-list) <tails@boum.org>\n" +" pub 4096R/0x1D2975EDF93E735F 2009-08-14 [expires: 2016-12-27]\n" " Key fingerprint = 09F6 BC8F EEC9 D8EE 005D BAA4 1D29 75ED F93E 735F\n" -" uid Amnesia <amnesia@boum.org>\n" -" uid T(A)ILS developers (Schleuder mailing-list) <amnesia@boum.org>\n" -" sub 4096R/E89382EB 2009-08-14 [expires: 2015-01-03]\n" +" uid Tails developers (Schleuder mailing-list) <tails@boum.org>\n" +" uid Tails list (schleuder list) <tails-request@boum.org>\n" +" uid Tails list (schleuder list) <tails-owner@boum.org>\n" +" sub 4096R/0xD843C2F5E89382EB 2009-08-14 [expires: 2016-12-27]\n" #. type: Title - #, no-wrap @@ -186,7 +199,9 @@ msgid "Its only purpose is:" msgstr "Son seul but est :" #. type: Bullet: '- ' -msgid "to sign Tails released images (starting with 0.6)" +#, fuzzy +#| msgid "to sign Tails released images (starting with 0.6)" +msgid "to sign Tails released images;" msgstr "de signer les versions publiées de Tails (à partir de la 0.6)." #. type: Bullet: '- ' @@ -206,22 +221,55 @@ msgstr "" "administré\n" "par quelqu'un d'autre que les développeurs principaux de Tails." +#. type: Title ### +#, no-wrap +msgid "Primary key" +msgstr "" + #. type: Plain text +#, no-wrap +msgid "" +"* Is not owned in a usable format by any single individual. It is\n" +" split cryptographically using\n" +" [gfshare](http://www.digital-scurf.org/software/libgfshare).\n" +"* Is only used offline, in an air-gapped Tails with only interfaces:\n" +" - plugging removable storage to send to the outside world whatever\n" +" is needed (public key, secret key stubs, parts of the secret\n" +" master key, etc.)\n" +" - plugging removable storage to receive from the outside world\n" +" whatever is needed (Debian packages, public keys, etc.)\n" +" - plugging into another running operating system to install Tails\n" +"* Expires in less than one year. We will extend its validity as many\n" +" times as we find reasonable.\n" +msgstr "" + +#. type: Title ### #, fuzzy, no-wrap -#| msgid "" -#| " pub 4096R/1202821CBE2CD9C1 2010-10-07 [expires: 2015-02-05]\n" -#| " Key fingerprint = 0D24 B36A A9A2 A651 7878 7645 1202 821C BE2C D9C1\n" -#| " uid Tails developers (signing key) <tails@boum.org>\n" -#| " uid T(A)ILS developers (signing key) <amnesia@boum.org>\n" +#| msgid "Signing key\n" +msgid "Signing subkeys" +msgstr "Clé de signature\n" + +#. type: Bullet: '* ' msgid "" -" pub 4096R/0x1202821CBE2CD9C1 2010-10-07 [expires: 2015-04-30]\n" -" Key fingerprint = 0D24 B36A A9A2 A651 7878 7645 1202 821C BE2C D9C1\n" -" uid Tails developers (signing key) <tails@boum.org>\n" +"Stored on OpenPGP smartcards owned by those who need it. Smartcards ensure " +"that the cryptographic operations are done on the smartcard itself and that " +"the secret cryptographic material is not directly available to the operating " +"system using it." +msgstr "" + +#. type: Bullet: '* ' +msgid "Expiration date: same as the subkey." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" pub 4096R/0xDBB802B258ACD84F 2015-01-18 [expires: 2016-01-11]\n" +" Key fingerprint = A490 D0F4 D311 A415 3E2B B7CA DBB8 02B2 58AC D84F\n" +" uid [ full ] Tails developers (offline long-term identity key) <tails@boum.org>\n" +" sub 4096R/0x98FEC6BC752A3DB6 2015-01-18 [expires: 2016-01-11]\n" +" sub 4096R/0x3C83DCB52F699C56 2015-01-18 [expires: 2016-01-11]\n" msgstr "" -" pub 4096R/1202821CBE2CD9C1 2010-10-07 [expires: 2015-02-05]\n" -" Key fingerprint = 0D24 B36A A9A2 A651 7878 7645 1202 821C BE2C D9C1\n" -" uid Tails developers (signing key) <tails@boum.org>\n" -" uid T(A)ILS developers (signing key) <amnesia@boum.org>\n" #. type: Bullet: ' - ' msgid "download it from this website: [[!tails_website tails-signing.key]]" @@ -247,33 +295,26 @@ msgstr "" #. type: Title = #, no-wrap msgid "User support key\n" -msgstr "" +msgstr "Clé pour l'assistance utilisateur\n" #. type: Bullet: ' - ' msgid "" "Use this key to encrypt private support requests sent to <tails-support-" "private@boum.org>." msgstr "" +"Utilisez cette clé pour les demandes d'aide adressées à <tails-support-" +"private@boum.org>." #. type: Bullet: ' - ' msgid "" "This same key is used to handle [[*WhisperBack* reports|first_steps/" "bug_reporting]]." msgstr "" +"Cette clé est également utilisée pour les rapports envoyés avec " +"[[*WhisperBack*|first_steps/bug_reporting]]." #. type: Plain text #, no-wrap -msgid "[[!tails_website tails-bugs.key desc=\"Download the key\"]]\n" -msgstr "" - -#. type: Plain text -#, fuzzy, no-wrap -#| msgid "" -#| " pub 4096R/F93E735F 2009-08-14 Tails developers (Schleuder mailing-list) <tails@boum.org>\n" -#| " Key fingerprint = 09F6 BC8F EEC9 D8EE 005D BAA4 1D29 75ED F93E 735F\n" -#| " uid Amnesia <amnesia@boum.org>\n" -#| " uid T(A)ILS developers (Schleuder mailing-list) <amnesia@boum.org>\n" -#| " sub 4096R/E89382EB 2009-08-14 [expires: 2015-01-03]\n" msgid "" " pub 4096R/EC57B56EF0C43132 2013-07-24 [expires: 2018-07-23]\n" " Key fingerprint = 1F56 EDD3 0741 0480 35DA C1C5 EC57 B56E F0C4 3132\n" @@ -283,11 +324,185 @@ msgid "" " uid Tails private user support <tails-support-private@boum.org>\n" " sub 4096R/9D6D6472AFC1AD77 2013-07-24 [expires: 2018-07-23]\n" msgstr "" -" pub 4096R/F93E735F 2009-08-14 Tails developers (Schleuder mailing-list) <tails@boum.org>\n" +" pub 4096R/EC57B56EF0C43132 2013-07-24 [expires: 2018-07-23]\n" +" Key fingerprint = 1F56 EDD3 0741 0480 35DA C1C5 EC57 B56E F0C4 3132\n" +" uid Tails bug squad <tails-bugs@boum.org>\n" +" uid Tails bug squad (schleuder list) <tails-bugs-owner@boum.org>\n" +" uid Tails bug squad (schleuder list) <tails-bugs-request@boum.org>\n" +" uid Tails private user support <tails-support-private@boum.org>\n" +" sub 4096R/9D6D6472AFC1AD77 2013-07-24 [expires: 2018-07-23]\n" + +#. type: Bullet: ' - ' +#, fuzzy +#| msgid "download it from this website: [[!tails_website tails-signing.key]]" +msgid "download it from this website: [[!tails_website tails-bugs.key]]" +msgstr "la télécharger depuis ce site : [[!tails_website tails-signing.key]]" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"press\"></a>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Press team key\n" +msgstr "" + +#. type: Bullet: ' - ' +#, fuzzy +#| msgid "" +#| "Use this key to encrypt private support requests sent to <tails-support-" +#| "private@boum.org>." +msgid "Use this key to encrypt private emails sent to <tails-press@boum.org>." +msgstr "" +"Utilisez cette clé pour les demandes d'aide adressées à <tails-support-" +"private@boum.org>." + +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "" +#| " pub 4096R/0x1D2975EDF93E735F 2009-08-14 [expires: 2016-12-27]\n" +#| " Key fingerprint = 09F6 BC8F EEC9 D8EE 005D BAA4 1D29 75ED F93E 735F\n" +#| " uid Tails developers (Schleuder mailing-list) <tails@boum.org>\n" +#| " uid Tails list (schleuder list) <tails-request@boum.org>\n" +#| " uid Tails list (schleuder list) <tails-owner@boum.org>\n" +#| " sub 4096R/0xD843C2F5E89382EB 2009-08-14 [expires: 2016-12-27]\n" +msgid "" +" pub 4096R/0x457080B5A072CBE3 2014-07-11\n" +" Key fingerprint = F3CD 9B7B 4BDF 9995 DA22 088E 4570 80B5 A072 CBE3\n" +"\tuid Tails press team (schleuder list) <tails-press@boum.org>\n" +"\tuid Tails press team (schleuder list) <tails-press-owner@boum.org>\n" +"\tuid Tails press team (schleuder list) <tails-press-request@boum.org>\n" +"\tsub 4096R/0x5748DE3BC338BFFC 2014-07-11\n" +msgstr "" +" pub 4096R/0x1D2975EDF93E735F 2009-08-14 [expires: 2016-12-27]\n" +" Key fingerprint = 09F6 BC8F EEC9 D8EE 005D BAA4 1D29 75ED F93E 735F\n" +" uid Tails developers (Schleuder mailing-list) <tails@boum.org>\n" +" uid Tails list (schleuder list) <tails-request@boum.org>\n" +" uid Tails list (schleuder list) <tails-owner@boum.org>\n" +" sub 4096R/0xD843C2F5E89382EB 2009-08-14 [expires: 2016-12-27]\n" + +#. type: Bullet: ' - ' +#, fuzzy +#| msgid "download it from this website: [[!tails_website tails-email.key]]" +msgid "download it from this website: [[!tails_website tails-press.key]]" +msgstr "la télécharger depuis ce site : [[!tails_website tails-email.key]]" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"accounting\"></a>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Accounting team key\n" +msgstr "" + +#. type: Bullet: ' - ' +#, fuzzy +#| msgid "" +#| "Use this key to encrypt private support requests sent to <tails-support-" +#| "private@boum.org>." +msgid "" +"Use this key to encrypt private emails sent to <tails-accounting@boum.org>." +msgstr "" +"Utilisez cette clé pour les demandes d'aide adressées à <tails-support-" +"private@boum.org>." + +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "" +#| " pub 4096R/0x1D2975EDF93E735F 2009-08-14 [expires: 2016-12-27]\n" +#| " Key fingerprint = 09F6 BC8F EEC9 D8EE 005D BAA4 1D29 75ED F93E 735F\n" +#| " uid Tails developers (Schleuder mailing-list) <tails@boum.org>\n" +#| " uid Tails list (schleuder list) <tails-request@boum.org>\n" +#| " uid Tails list (schleuder list) <tails-owner@boum.org>\n" +#| " sub 4096R/0xD843C2F5E89382EB 2009-08-14 [expires: 2016-12-27]\n" +msgid "" +"\tpub 4096R/0xC436090F4BB47C6F 2014-07-11\n" +"\tKey fingerprint = 256D EB90 7788 0CD6 8167 8528 C436 090F 4BB4 7C6F\n" +"\tuid Tails accounting team (schleuder list) <tails-accounting@boum.org>\n" +"\tuid Tails accounting team (schleuder list) <tails-accounting-request@boum.org>\n" +"\tuid Tails accounting team (schleuder list) <tails-accounting-owner@boum.org>\n" +"\tsub 4096R/0x289A5B45A9E89475 2014-07-11\n" +msgstr "" +" pub 4096R/0x1D2975EDF93E735F 2009-08-14 [expires: 2016-12-27]\n" +" Key fingerprint = 09F6 BC8F EEC9 D8EE 005D BAA4 1D29 75ED F93E 735F\n" +" uid Tails developers (Schleuder mailing-list) <tails@boum.org>\n" +" uid Tails list (schleuder list) <tails-request@boum.org>\n" +" uid Tails list (schleuder list) <tails-owner@boum.org>\n" +" sub 4096R/0xD843C2F5E89382EB 2009-08-14 [expires: 2016-12-27]\n" + +#. type: Bullet: ' - ' +#, fuzzy +#| msgid "download it from this website: [[!tails_website tails-signing.key]]" +msgid "download it from this website: [[!tails_website tails-accounting.key]]" +msgstr "la télécharger depuis ce site : [[!tails_website tails-signing.key]]" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"sysadmins\"></a>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Sysadmins team key\n" +msgstr "" + +#. type: Bullet: ' - ' +#, fuzzy +#| msgid "" +#| "Use this key to encrypt private support requests sent to <tails-support-" +#| "private@boum.org>." +msgid "" +"Use this key to encrypt private emails sent to <tails-sysadmins@boum.org>." +msgstr "" +"Utilisez cette clé pour les demandes d'aide adressées à <tails-support-" +"private@boum.org>." + +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "" +#| " pub 4096R/0x1D2975EDF93E735F 2009-08-14 [expires: 2016-12-27]\n" +#| " Key fingerprint = 09F6 BC8F EEC9 D8EE 005D BAA4 1D29 75ED F93E 735F\n" +#| " uid Tails developers (Schleuder mailing-list) <tails@boum.org>\n" +#| " uid Tails list (schleuder list) <tails-request@boum.org>\n" +#| " uid Tails list (schleuder list) <tails-owner@boum.org>\n" +#| " sub 4096R/0xD843C2F5E89382EB 2009-08-14 [expires: 2016-12-27]\n" +msgid "" +" pub 4096R/0x70F4F03116525F43 2012-08-23 [expires: 2016-08-16]\n" +" Key fingerprint = D113 CB6D 5131 D34B A5F0 FE9E 70F4 F031 1652 5F43\n" +" uid Tails system administrators <tails-sysadmins@boum.org>\n" +" uid Tails system administrators (schleuder list) <tails-sysadmins-owner@boum.org>\n" +" uid Tails system administrators (schleuder list) <tails-sysadmins-request@boum.org>\n" +" sub 4096R/0x58BA940CCA0A30B4 2012-08-23 [expires: 2016-08-16]\n" +msgstr "" +" pub 4096R/0x1D2975EDF93E735F 2009-08-14 [expires: 2016-12-27]\n" " Key fingerprint = 09F6 BC8F EEC9 D8EE 005D BAA4 1D29 75ED F93E 735F\n" -" uid Amnesia <amnesia@boum.org>\n" -" uid T(A)ILS developers (Schleuder mailing-list) <amnesia@boum.org>\n" -" sub 4096R/E89382EB 2009-08-14 [expires: 2015-01-03]\n" +" uid Tails developers (Schleuder mailing-list) <tails@boum.org>\n" +" uid Tails list (schleuder list) <tails-request@boum.org>\n" +" uid Tails list (schleuder list) <tails-owner@boum.org>\n" +" sub 4096R/0xD843C2F5E89382EB 2009-08-14 [expires: 2016-12-27]\n" + +#. type: Bullet: ' - ' +#, fuzzy +#| msgid "download it from this website: [[!tails_website tails-signing.key]]" +msgid "download it from this website: [[!tails_website tails-sysadmins.key]]" +msgstr "la télécharger depuis ce site : [[!tails_website tails-signing.key]]" + +#~ msgid "[[!tails_website tails-bugs.key desc=\"Download the key\"]]\n" +#~ msgstr "[[!tails_website tails-bugs.key desc=\"Téléchargez la clé\"]]\n" + +#~ msgid "" +#~ " pub 4096R/0x1202821CBE2CD9C1 2010-10-07 [expires: 2015-04-30]\n" +#~ " Key fingerprint = 0D24 B36A A9A2 A651 7878 7645 1202 821C BE2C " +#~ "D9C1\n" +#~ " uid Tails developers (signing key) <tails@boum.org>\n" +#~ msgstr "" +#~ " pub 4096R/0x1202821CBE2CD9C1 2010-10-07 [expires: 2015-04-30]\n" +#~ " Key fingerprint = 0D24 B36A A9A2 A651 7878 7645 1202 821C BE2C " +#~ "D9C1\n" +#~ " uid Tails developers (signing key) <tails@boum.org>\n" #~ msgid "" #~ "- download it from this website: [[!tails_website tails-signing.key]] - " diff --git a/wiki/src/doc/about/openpgp_keys.mdwn b/wiki/src/doc/about/openpgp_keys.mdwn index 309eaa7780ba20bd8cb85f45fb2d307351c3125f..693c5149d5e6a58a4472ff9a0802e3aad284d2cd 100644 --- a/wiki/src/doc/about/openpgp_keys.mdwn +++ b/wiki/src/doc/about/openpgp_keys.mdwn @@ -2,7 +2,15 @@ Tails developers maintain several OpenPGP key pairs. -[[!toc levels=2]] +<div class="caution"> + +<p>Make sure to [[verify the key|doc/get/trusting_tails_signing_key]] +that you downloaded, because there are fake (malicious) Tails OpenPGP keys +on the keyservers.</p> + +</div> + +[[!toc levels=1]] <a id="private"></a> @@ -70,7 +78,7 @@ encryption subkey. Its only purpose is: -- to sign Tails released images (starting with 0.6) +- to sign Tails released images; - to certify other cryptographic public keys needed for Tails development. @@ -80,12 +88,37 @@ Policy The secret key material will never be stored on an online server or on systems managed by anyone else than Tails core developers. +### Primary key + +* Is not owned in a usable format by any single individual. It is + split cryptographically using + [gfshare](http://www.digital-scurf.org/software/libgfshare). +* Is only used offline, in an air-gapped Tails with only interfaces: + - plugging removable storage to send to the outside world whatever + is needed (public key, secret key stubs, parts of the secret + master key, etc.) + - plugging removable storage to receive from the outside world + whatever is needed (Debian packages, public keys, etc.) + - plugging into another running operating system to install Tails +* Expires in less than one year. We will extend its validity as many + times as we find reasonable. + +### Signing subkeys + +* Stored on OpenPGP smartcards owned by those who need it. + Smartcards ensure that the cryptographic operations are done on the + smartcard itself and that the secret cryptographic material is not + directly available to the operating system using it. +* Expiration date: same as the subkey. + Key details ----------- - pub 4096R/0x1202821CBE2CD9C1 2010-10-07 [expires: 2015-04-30] - Key fingerprint = 0D24 B36A A9A2 A651 7878 7645 1202 821C BE2C D9C1 - uid Tails developers (signing key) <tails@boum.org> + pub 4096R/0xDBB802B258ACD84F 2015-01-18 [expires: 2016-01-11] + Key fingerprint = A490 D0F4 D311 A415 3E2B B7CA DBB8 02B2 58AC D84F + uid [ full ] Tails developers (offline long-term identity key) <tails@boum.org> + sub 4096R/0x98FEC6BC752A3DB6 2015-01-18 [expires: 2016-01-11] + sub 4096R/0x3C83DCB52F699C56 2015-01-18 [expires: 2016-01-11] How to get the public key? -------------------------- @@ -118,8 +151,6 @@ The secret key material and its passphrase are stored on the server that runs our encrypted mailing-list software and on systems managed by core Tails developers. -[[!tails_website tails-bugs.key desc="Download the key"]] - Key details ----------- @@ -130,3 +161,100 @@ Key details uid Tails bug squad (schleuder list) <tails-bugs-request@boum.org> uid Tails private user support <tails-support-private@boum.org> sub 4096R/9D6D6472AFC1AD77 2013-07-24 [expires: 2018-07-23] + +How to get the public key? +-------------------------- + +There are multiple ways to get this OpenPGP public key: + + - download it from this website: [[!tails_website tails-bugs.key]] + - fetch it from your favourite keyserver. + +<a id="press"></a> + +Press team key +============== + +Purpose +------- + +### Encryption + + - Use this key to encrypt private emails sent to <tails-press@boum.org>. + +Key details +----------- + pub 4096R/0x457080B5A072CBE3 2014-07-11 + Key fingerprint = F3CD 9B7B 4BDF 9995 DA22 088E 4570 80B5 A072 CBE3 + uid Tails press team (schleuder list) <tails-press@boum.org> + uid Tails press team (schleuder list) <tails-press-owner@boum.org> + uid Tails press team (schleuder list) <tails-press-request@boum.org> + sub 4096R/0x5748DE3BC338BFFC 2014-07-11 + +How to get the public key? +-------------------------- + +There are multiple ways to get this OpenPGP public key: + + - download it from this website: [[!tails_website tails-press.key]] + - fetch it from your favourite keyserver. + +<a id="accounting"></a> + +Accounting team key +=================== + +Purpose +------- + +### Encryption + + - Use this key to encrypt private emails sent to <tails-accounting@boum.org>. + +Key details +----------- + + pub 4096R/0xC436090F4BB47C6F 2014-07-11 + Key fingerprint = 256D EB90 7788 0CD6 8167 8528 C436 090F 4BB4 7C6F + uid Tails accounting team (schleuder list) <tails-accounting@boum.org> + uid Tails accounting team (schleuder list) <tails-accounting-request@boum.org> + uid Tails accounting team (schleuder list) <tails-accounting-owner@boum.org> + sub 4096R/0x289A5B45A9E89475 2014-07-11 + +How to get the public key? +-------------------------- + +There are multiple ways to get this OpenPGP public key: + + - download it from this website: [[!tails_website tails-accounting.key]] + - fetch it from your favourite keyserver. + +<a id="sysadmins"></a> + +Sysadmins team key +================== + +Purpose +------- + +### Encryption + + - Use this key to encrypt private emails sent to <tails-sysadmins@boum.org>. + +Key details +----------- + + pub 4096R/0x70F4F03116525F43 2012-08-23 [expires: 2016-08-16] + Key fingerprint = D113 CB6D 5131 D34B A5F0 FE9E 70F4 F031 1652 5F43 + uid Tails system administrators <tails-sysadmins@boum.org> + uid Tails system administrators (schleuder list) <tails-sysadmins-owner@boum.org> + uid Tails system administrators (schleuder list) <tails-sysadmins-request@boum.org> + sub 4096R/0x58BA940CCA0A30B4 2012-08-23 [expires: 2016-08-16] + +How to get the public key? +-------------------------- + +There are multiple ways to get this OpenPGP public key: + + - download it from this website: [[!tails_website tails-sysadmins.key]] + - fetch it from your favourite keyserver. diff --git a/wiki/src/doc/about/openpgp_keys.pt.po b/wiki/src/doc/about/openpgp_keys.pt.po index 9b3dc9232a02ce313a5208f5b605cba642d2eaf4..6fab07d8f7c555952532c52dc276b2ca117ab86d 100644 --- a/wiki/src/doc/about/openpgp_keys.pt.po +++ b/wiki/src/doc/about/openpgp_keys.pt.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2015-01-08 22:05+0100\n" +"POT-Creation-Date: 2015-05-09 01:33+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -28,7 +28,25 @@ msgstr "" #. type: Plain text #, no-wrap -msgid "[[!toc levels=2]]\n" +msgid "<div class=\"caution\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>Make sure to [[verify the key|doc/get/trusting_tails_signing_key]]\n" +"that you downloaded, because there are fake (malicious) Tails OpenPGP keys\n" +"on the keyservers.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!toc levels=1]]\n" msgstr "" #. type: Plain text @@ -172,7 +190,9 @@ msgid "Its only purpose is:" msgstr "Seus únicos propósitos são:" #. type: Bullet: '- ' -msgid "to sign Tails released images (starting with 0.6)" +#, fuzzy +#| msgid "to sign Tails released images (starting with 0.6)" +msgid "to sign Tails released images;" msgstr "assinar imagens lançadas do Tails (a partir da versão 0.6)" #. type: Bullet: '- ' @@ -191,12 +211,54 @@ msgstr "" "gerenciados por outras pessoas que não sejam desenvolvedores/as do núcleo do " "Tails." +#. type: Title ### +#, no-wrap +msgid "Primary key" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"* Is not owned in a usable format by any single individual. It is\n" +" split cryptographically using\n" +" [gfshare](http://www.digital-scurf.org/software/libgfshare).\n" +"* Is only used offline, in an air-gapped Tails with only interfaces:\n" +" - plugging removable storage to send to the outside world whatever\n" +" is needed (public key, secret key stubs, parts of the secret\n" +" master key, etc.)\n" +" - plugging removable storage to receive from the outside world\n" +" whatever is needed (Debian packages, public keys, etc.)\n" +" - plugging into another running operating system to install Tails\n" +"* Expires in less than one year. We will extend its validity as many\n" +" times as we find reasonable.\n" +msgstr "" + +#. type: Title ### +#, fuzzy, no-wrap +#| msgid "Signing key\n" +msgid "Signing subkeys" +msgstr "Chave de assinatura\n" + +#. type: Bullet: '* ' +msgid "" +"Stored on OpenPGP smartcards owned by those who need it. Smartcards ensure " +"that the cryptographic operations are done on the smartcard itself and that " +"the secret cryptographic material is not directly available to the operating " +"system using it." +msgstr "" + +#. type: Bullet: '* ' +msgid "Expiration date: same as the subkey." +msgstr "" + #. type: Plain text #, no-wrap msgid "" -" pub 4096R/0x1202821CBE2CD9C1 2010-10-07 [expires: 2015-04-30]\n" -" Key fingerprint = 0D24 B36A A9A2 A651 7878 7645 1202 821C BE2C D9C1\n" -" uid Tails developers (signing key) <tails@boum.org>\n" +" pub 4096R/0xDBB802B258ACD84F 2015-01-18 [expires: 2016-01-11]\n" +" Key fingerprint = A490 D0F4 D311 A415 3E2B B7CA DBB8 02B2 58AC D84F\n" +" uid [ full ] Tails developers (offline long-term identity key) <tails@boum.org>\n" +" sub 4096R/0x98FEC6BC752A3DB6 2015-01-18 [expires: 2016-01-11]\n" +" sub 4096R/0x3C83DCB52F699C56 2015-01-18 [expires: 2016-01-11]\n" msgstr "" #. type: Bullet: ' - ' @@ -237,11 +299,6 @@ msgid "" "bug_reporting]]." msgstr "" -#. type: Plain text -#, no-wrap -msgid "[[!tails_website tails-bugs.key desc=\"Download the key\"]]\n" -msgstr "" - #. type: Plain text #, no-wrap msgid "" @@ -253,3 +310,108 @@ msgid "" " uid Tails private user support <tails-support-private@boum.org>\n" " sub 4096R/9D6D6472AFC1AD77 2013-07-24 [expires: 2018-07-23]\n" msgstr "" + +#. type: Bullet: ' - ' +#, fuzzy +#| msgid "download it from this website: [[!tails_website tails-signing.key]]" +msgid "download it from this website: [[!tails_website tails-bugs.key]]" +msgstr "baixe-a deste website: [[!tails_website tails-signing.key]]" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"press\"></a>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Press team key\n" +msgstr "" + +#. type: Bullet: ' - ' +#, fuzzy +#| msgid "send an email to <tails-sendkey@boum.org>." +msgid "Use this key to encrypt private emails sent to <tails-press@boum.org>." +msgstr "envie um email para <tails-sendkey@boum.org>." + +#. type: Plain text +#, no-wrap +msgid "" +" pub 4096R/0x457080B5A072CBE3 2014-07-11\n" +" Key fingerprint = F3CD 9B7B 4BDF 9995 DA22 088E 4570 80B5 A072 CBE3\n" +"\tuid Tails press team (schleuder list) <tails-press@boum.org>\n" +"\tuid Tails press team (schleuder list) <tails-press-owner@boum.org>\n" +"\tuid Tails press team (schleuder list) <tails-press-request@boum.org>\n" +"\tsub 4096R/0x5748DE3BC338BFFC 2014-07-11\n" +msgstr "" + +#. type: Bullet: ' - ' +#, fuzzy +#| msgid "download it from this website: [[!tails_website tails-email.key]]" +msgid "download it from this website: [[!tails_website tails-press.key]]" +msgstr "baixe-a deste website: [[!tails_website tails-email.key]]" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"accounting\"></a>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Accounting team key\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Use this key to encrypt private emails sent to <tails-accounting@boum.org>." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"\tpub 4096R/0xC436090F4BB47C6F 2014-07-11\n" +"\tKey fingerprint = 256D EB90 7788 0CD6 8167 8528 C436 090F 4BB4 7C6F\n" +"\tuid Tails accounting team (schleuder list) <tails-accounting@boum.org>\n" +"\tuid Tails accounting team (schleuder list) <tails-accounting-request@boum.org>\n" +"\tuid Tails accounting team (schleuder list) <tails-accounting-owner@boum.org>\n" +"\tsub 4096R/0x289A5B45A9E89475 2014-07-11\n" +msgstr "" + +#. type: Bullet: ' - ' +#, fuzzy +#| msgid "download it from this website: [[!tails_website tails-signing.key]]" +msgid "download it from this website: [[!tails_website tails-accounting.key]]" +msgstr "baixe-a deste website: [[!tails_website tails-signing.key]]" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"sysadmins\"></a>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Sysadmins team key\n" +msgstr "" + +#. type: Bullet: ' - ' +#, fuzzy +#| msgid "send an email to <tails-sendkey@boum.org>." +msgid "" +"Use this key to encrypt private emails sent to <tails-sysadmins@boum.org>." +msgstr "envie um email para <tails-sendkey@boum.org>." + +#. type: Plain text +#, no-wrap +msgid "" +" pub 4096R/0x70F4F03116525F43 2012-08-23 [expires: 2016-08-16]\n" +" Key fingerprint = D113 CB6D 5131 D34B A5F0 FE9E 70F4 F031 1652 5F43\n" +" uid Tails system administrators <tails-sysadmins@boum.org>\n" +" uid Tails system administrators (schleuder list) <tails-sysadmins-owner@boum.org>\n" +" uid Tails system administrators (schleuder list) <tails-sysadmins-request@boum.org>\n" +" sub 4096R/0x58BA940CCA0A30B4 2012-08-23 [expires: 2016-08-16]\n" +msgstr "" + +#. type: Bullet: ' - ' +#, fuzzy +#| msgid "download it from this website: [[!tails_website tails-signing.key]]" +msgid "download it from this website: [[!tails_website tails-sysadmins.key]]" +msgstr "baixe-a deste website: [[!tails_website tails-signing.key]]" diff --git a/wiki/src/doc/about/tor.fr.po b/wiki/src/doc/about/tor.fr.po index b5c7ee75f780703617caa65ac130a48489a041e5..277e2cf4704d674c34b97824c9d1276b14700d00 100644 --- a/wiki/src/doc/about/tor.fr.po +++ b/wiki/src/doc/about/tor.fr.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-06-08 19:38+0300\n" -"PO-Revision-Date: 2014-05-11 13:35-0000\n" +"POT-Creation-Date: 2015-02-22 12:54+0100\n" +"PO-Revision-Date: 2015-01-18 11:06-0000\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" @@ -181,7 +181,7 @@ msgstr "" "Tails est un système d'exploitation complet qui utilise Tor en tant qu'application\n" "réseau par défaut. The Tor Project recommande l'utilisation de Tails pour les cas\n" "d'usages non pris en compte par leurs propres projets (par exemple le\n" -"<span class=\"application\">Tor Browser</span>).\n" +"<span class=\"application\">navigateur Tor</span>).\n" #. type: Plain text msgid "" diff --git a/wiki/src/doc/about/warning.de.po b/wiki/src/doc/about/warning.de.po index 43d80e86d0d9df3be4d1140d14528c0eee79b114..e2c74abfb69e13f6e5684aba612641fadf746528 100644 --- a/wiki/src/doc/about/warning.de.po +++ b/wiki/src/doc/about/warning.de.po @@ -6,19 +6,20 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-12-11 14:03+0100\n" -"PO-Revision-Date: 2014-06-14 21:11-0000\n" +"POT-Creation-Date: 2015-02-24 09:18+0100\n" +"PO-Revision-Date: 2015-01-16 21:52-0000\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"X-Generator: Poedit 1.5.4\n" #. type: Plain text #, no-wrap msgid "[[!meta title=\"Warning\"]]\n" -msgstr "[[!meta title=\"Warnung\"]]\n" +msgstr "[[!meta title=\"Warnhinweise\"]]\n" #. type: Plain text msgid "" @@ -30,30 +31,30 @@ msgid "" msgstr "" "Obwohl wir unser Bestes geben, um Ihnen gute Werkzeuge anzubieten, die Ihre " "Privatsphäre während der Benutzung eines Computers schützen, **gibt es keine " -"Magie und keine perfekte Lösung zu einem solch komplexen Problem**. Die " -"Grenzen dieser Werkzeuge zu verstehen, ist ein sehr wichtiger Schritt, um " -"erstens zu entscheiden, ob Tails das Richtige für Sie ist, und zweitens " -"hilft es Ihnen Tails sinnvoll einzusetzen." +"magische oder perfekte Lösung zu einem derart komplexen Problem**. Die " +"Grenzen dieser Werkzeuge zu verstehen ist ein sehr wichtiger Schritt, um " +"zunächst zu entscheiden, ob Tails das Richtige für Sie ist, und um Ihnen " +"anschließend beim sinnvollen Gebrauch zu helfen." #. type: Plain text #, no-wrap msgid "[[!toc levels=2]]\n" -msgstr "" +msgstr "[[!toc levels=2]]\n" #. type: Plain text #, no-wrap msgid "<a id=\"exit_node\"></a>\n" -msgstr "" +msgstr "<a id=\"exit_node\"></a>\n" #. type: Title = #, no-wrap msgid "Tor exit nodes can eavesdrop on communications\n" -msgstr "Tor Austritts-Knoten können Verbindungen abhören\n" +msgstr "Tor-Ausgangsrelais können Verbindungen abhören\n" #. type: Plain text #, no-wrap msgid "**Tor is about hiding your location, not about encrypting your communication.**\n" -msgstr "**Tor soll deinen Aufenthaltsort verbergen, nicht deine Verbindung verschlüsseln.**\n" +msgstr "**Tor soll Ihren Aufenthaltsort verbergen, nicht Ihre Verbindung verschlüsseln.**\n" #. type: Plain text msgid "" @@ -62,7 +63,7 @@ msgid "" "cover your tracks. So no observer at any single point can tell where the " "data came from or where it's going." msgstr "" -"Anstatt einen direkten Weg vom Ausgangspunkt zum Ziel zu nehmen, verlaufen " +"Anstatt einen direkten Weg von der Quelle zum Ziel zu nehmen, verlaufen " "Verbindungen über das Tor-Netzwerk auf einem zufälligen Weg über mehrere Tor-" "Relais, sodass kein Beobachter an irgendeinem Ort sagen kann, wo die Daten " "herkamen oder wohin sie übertragen werden." @@ -70,7 +71,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "[[!img htw2-tails.png link=no alt=\"A Tor connection usually goes through 3 relays with the last one establishing the actual connection to the final destination\"]]\n" -msgstr "" +msgstr "[[!img htw2-tails.png link=no alt=\"Eine Tor-Verbindung geht üblicherweise über drei Relais, wobei das letzte die eigentliche Verbindung zum Ziel herstellt\"]]\n" #. type: Plain text msgid "" @@ -82,6 +83,13 @@ msgid "" "communications?](https://trac.torproject.org/projects/tor/wiki/" "TheOnionRouter/TorFAQ#CanexitnodeseavesdroponcommunicationsIsntthatbad)." msgstr "" +"Das letzte Relais einer solchen Verbindung, das Ausgangsrelais, stellt die " +"eigentliche Verbindung zu dem Zielserver her. Da Tor die Daten zwischen " +"Ausgangsrelais und Zielserver nicht verschlüsselt und konzeptionell nicht " +"verschlüsseln kann, **kann jedes Ausgangsrelais jeden beliebigen durch ihn " +"hindurch geleiteten Datenverkehr aufzeichnen**. Siehe [Tor FAQ: Can exit " +"nodes eavesdrop on communications?](https://trac.torproject.org/projects/tor/" +"wiki/TheOnionRouter/TorFAQ#CanexitnodeseavesdroponcommunicationsIsntthatbad)." #. type: Plain text msgid "" @@ -89,14 +97,19 @@ msgid "" "e-mail messages sent by foreign embassies and human rights groups around the " "world by spying on the connections coming out of an exit node he was " "running. See [Wired: Rogue Nodes Turn Tor Anonymizer Into Eavesdropper's " -"Paradise.](http://www.wired.com/politics/security/news/2007/09/" -"embassy_hacks)." +"Paradise](http://www.wired.com/politics/security/news/2007/09/embassy_hacks)." msgstr "" +"Beispielsweise hat ein Sicherheitsforscher im Jahr 2007 weltweit tausende " +"private E-Mails zwischen ausländischen Botschaften und Menschenrechtsgruppen " +"abgehört, indem er die aus von ihm betriebenen Ausgangsrelais ausgehenden " +"Verbindungen überwacht hat. Siehe [Wired: Rogue Nodes Turn Tor Anonymizer " +"Into Eavesdropper's Paradise](http://www.wired.com/politics/security/" +"news/2007/09/embassy_hacks)." #. type: Plain text #, no-wrap msgid "**To protect yourself from such attacks you should use end-to-end encryption.**\n" -msgstr "" +msgstr "**Um sich vor solchen Angriffen zu schützen, sollten Sie Ende-zu-Ende Verschlüsselung verwenden.**\n" #. type: Plain text #, no-wrap @@ -105,16 +118,19 @@ msgid "" "browsing, sending email or chatting, as presented on our [[about\n" "page|/about#cryptography]].\n" msgstr "" +"**Tails beinhaltet viele Werkzeuge, um Ihnen bei der Verwendung starker Verschlüsselung zu helfen**,\n" +"wie zum Beispiel beim Internet-Browsing, dem Versenden einer E-Mail oder im Chat, wie in unserer\n" +"[[Über Tails Seite|/about#cryptography]] beschrieben.\n" #. type: Plain text #, no-wrap msgid "<a id=\"fingerprint\"></a>\n" -msgstr "" +msgstr "<a id=\"fingerprint\"></a>\n" #. type: Title = #, no-wrap msgid "Tails makes it clear that you are using Tor and probably Tails\n" -msgstr "" +msgstr "Tails stellt klar, dass Sie Tor und möglicherweise Tails verwenden\n" #. type: Plain text #, no-wrap @@ -125,6 +141,10 @@ msgid "" "conditions|first_steps/startup_options/bridge_mode]] can help you hide the fact\n" "that you are using Tor.\n" msgstr "" +"**Ihr Internet Service Provider (ISP) oder Administrator des lokalen Netzwerks**\n" +"kann sehen, dass Sie sich zu einem Tor-Relais und beispielsweise nicht zu einem normalen Web-Server verbinden.\n" +"Die Verwendung von [[Tor-Bridges in bestimmten Situationen|first_steps/startup_options/bridge_mode]] kann Ihnen helfen,\n" +"die Tatsache, dass Sie Tor verwenden, zu verschleiern.\n" #. type: Plain text #, no-wrap @@ -135,6 +155,10 @@ msgid "" "Bulk Exit List tool](https://check.torproject.org/cgi-bin/TorBulkExitList.py) of\n" "the Tor Project.\n" msgstr "" +"**Der Zielserver, den Sie über Tor kontaktieren**, kann durch Abfragen der öffentlichen Liste\n" +"von Tor-Ausgangsrelais herausfinden, ob Ihre Kommunikation einem solchen entstammt.\n" +"Beispielsweise mit Hilfe des [Tor Bulk Exit List Werkzeugs](https://check.torproject.org/cgi-bin/TorBulkExitList.py)\n" +"von The Tor Project.\n" #. type: Plain text #, no-wrap @@ -143,20 +167,24 @@ msgid "" "The anonymity provided by Tor and Tails works by trying to make all of their\n" "users look the same so it's not possible to identify who is who amongst them.\n" msgstr "" +"**Demnach lässt Sie die Verwendung von Tails nicht wie ein zufälliger Internetnutzer aussehen.**\n" +"Die Anonymität durch Tor und Tails funktioniert durch den Versuch, alle ihre Nutzer gleich aussehen zu lassen\n" +"und so eine Unterscheidung wer wer ist unmöglich zu machen.\n" #. type: Plain text msgid "See also [[Can I hide the fact that I am using Tails?|fingerprint]]" msgstr "" +"Siehe auch [[Kann ich verschleiern, dass ich Tails verwende?|fingerprint]]" #. type: Plain text #, no-wrap msgid "<a id=\"man-in-the-middle\"></a>\n" -msgstr "" +msgstr "<a id=\"man-in-the-middle\"></a>\n" #. type: Title = #, no-wrap msgid "Man-in-the-middle attacks\n" -msgstr "" +msgstr "Man-in-the-Middle-Angriffe\n" #. type: Plain text msgid "" @@ -166,16 +194,21 @@ msgid "" "each other over a private connection, when in fact the entire conversation " "is controlled by the attacker." msgstr "" +"Ein Man-in-the-Middle-Angriff (MITM) ist eine Form eines aktiven Angriffs " +"auf ein Rechnernetz, bei dem der Angreifer jeweils unabhängige Verbindungen " +"zwischen den Opfern herstellt und die Nachrichten zwischen ihnen " +"weiterleitet. Der Angreifer täuscht den Opfern eine direkte Verbindung vor, " +"kontrolliert aber selbst die gesamte Konversation." #. type: Plain text #, no-wrap msgid "[[!img man-in-the-middle.png link=no alt=\"Illustration of a man-in-the-middle attack\"]]\n" -msgstr "" +msgstr "[[!img man-in-the-middle.png link=no alt=\"Illustration eines Man-in-the-Middle-Angriffs\"]]\n" #. type: Plain text #, no-wrap msgid "<!-- Source: wiki/lib/man-in-the-middle.svg -->\n" -msgstr "" +msgstr "<!-- Source: wiki/lib/man-in-the-middle.svg -->\n" #. type: Plain text msgid "" @@ -185,6 +218,11 @@ msgid "" "doing MITM attacks](http://www.teamfurry.com/wordpress/2007/11/20/tor-exit-" "node-doing-mitm-attacks)." msgstr "" +"Bei der Verwendung von Tor sind Man-in-the-Middle-Angriffe immer noch " +"zwischen Ausgangsrelais und Zielserver möglich. Zudem kann das " +"Ausgangsrelais selbst als Mittelsmann agieren. Für ein Beispiel eines " +"solchen Angriffs, siehe [MW-Blog: TOR exit-node doing MITM attacks](http://" +"www.teamfurry.com/wordpress/2007/11/20/tor-exit-node-doing-mitm-attacks)." #. type: Plain text #, no-wrap @@ -193,6 +231,9 @@ msgid "" "encryption** and while doing so taking extra care at verifying the server\n" "authenticity.\n" msgstr "" +"**Nochmals sei darauf hingewiesen, dass Sie zum Schutz vor einem solchen Angriff\n" +"Ende-zu-Ende Verschlüsselung verwenden sollten** und währenddessen zusätzliche Sorgfalt\n" +"bei der Überprüfung der Authentizität der Server walten lassen sollten.\n" #. type: Plain text #, no-wrap @@ -205,17 +246,27 @@ msgid "" "trusted way of checking the certificate's fingerprint with the people running\n" "the service.\n" msgstr "" +"Normalerweise geschieht dies automatisch anhand von SSL-Zertifikaten, die von Ihrem\n" +"Browser mit einer Liste anerkannter [[!wikipedia_de\n" +"Zertifizierungsstelle desc=\"Zertifizierungsstellen\"]] abgeglichen werden.\n" +"Falls Sie eine Sicherheitsausnahmemeldung, wie dargestellt, angezeigt bekommen, könnten\n" +"Sie ein Opfer eines Man-in-the-Middle-Angriffs sein und sollten die Warnung nicht umgehen,\n" +"es sei denn, Sie haben einen anderen vertrauenswürdigen Weg, den Fingerabdruck des Zertifikats\n" +"mit den Menschen, die den Dienst betreiben, zu überprüfen.\n" #. type: Plain text #, no-wrap msgid "[[!img ssl_warning.png link=no alt=\"This Connection is Untrusted\"]]\n" -msgstr "" +msgstr "[[!img ssl_warning.png link=no alt=\"Dieser Verbindung wird nicht vertraut\"]]\n" #. type: Plain text msgid "" "But on top of that the certificate authorities model of trust on Internet is " "susceptible to various methods of compromise." msgstr "" +"Allerdings kommt noch hinzu, dass das Vertrauensmodell mit " +"Zertifizierungsstellen im Internet anfällig gegenüber zahlreicher Methoden " +"der Kompromittierung ist." #. type: Plain text msgid "" @@ -228,6 +279,15 @@ msgid "" "[Comodo: The Recent RA Compromise](http://blogs.comodo.com/it-security/data-" "security/the-recent-ra-compromise/)." msgstr "" +"Beispielsweise berichtete Comodo, eines der größten Unternehmen für SSL-" +"Zertifikate, am 15. März 2011, dass ein Benutzerkonto mit Rechten einer " +"Registrierungsstelle kompromittiert worden sei. Diese wurde anschließend zum " +"Anlegen eines neuen Benutzerkontos verwendet, welches neun " +"Signierungsanfragen für Zertifikate von sieben Domains ausgestellt hat: mail." +"google.com, login.live.com, www.google.com, login.yahoo.com (drei " +"Zertifikate), login.skype.com, addons.mozilla.org, und global trustee. Siehe " +"[Comodo: The Recent RA Compromise](http://blogs.comodo.com/it-security/data-" +"security/the-recent-ra-compromise/)." #. type: Plain text msgid "" @@ -240,6 +300,14 @@ msgid "" "it](https://blog.torproject.org/blog/diginotar-debacle-and-what-you-should-" "do-about-it)." msgstr "" +"Später im Jahr 2011 stellte DigiNotar, ein dänisches Unternehmen für SSL-" +"Zertifikate, fehlerhafterweise Zertifikate für eine oder mehrere bösartige " +"Gruppen aus. Später wurde bekannt, dass das Unternehmen bereits Monate " +"zuvor, vielleicht im Mai 2009, wenn nicht noch früher, kompromittiert wurde. " +"Aggressive Zertifikate wurden für Domains, wie google.com, mozilla.org, " +"torproject.org, login.yahoo.com und viele weitere, ausgestellt. Siehe [The " +"Tor Project: The DigiNotar Debacle, and what you should do about it](https://" +"blog.torproject.org/blog/diginotar-debacle-and-what-you-should-do-about-it)." #. type: Plain text #, no-wrap @@ -247,6 +315,8 @@ msgid "" "**This still leaves open the possibility of a man-in-the-middle attack even when\n" "your browser is trusting an HTTPS connection.**\n" msgstr "" +"**Man-in-the-Middle-Angriffe sind daher immer noch möglich, selbst wenn Ihr\n" +"Browser der HTTPS-Verbindung vertraut.**\n" #. type: Plain text msgid "" @@ -257,6 +327,13 @@ msgid "" "MitM attempts, or attacks targeted at **a specific server**, and especially " "those among its users who happen to use Tor." msgstr "" +"Durch das Bereitstellen von Anonymität macht es Tor einerseits schwieriger, " +"einen Man-in-the-Middle-Angriff mit bösartigen SSL-Zertifikaten gegen **eine " +"bestimmte Person** durchzuführen. Aber andererseits erleichtert Tor Menschen " +"und Organisationen, die Ausgangsrelais betreiben, umfangreiche MITM " +"Angriffsversuche durchzuführen, oder gezielte Angriffe gegen **einen " +"bestimmten Server** durchzuführen, insbesondere solche, bei denen die Nutzer " +"Tor verwenden." #. type: Plain text #, no-wrap @@ -268,11 +345,17 @@ msgid "" "Project: Detecting Certificate Authority compromises and web browser\n" "collusion</a>.</p>\n" msgstr "" +"<p class=\"quoted-from\">Zitiert aus [[!wikipedia_de Man-in-the-Middle-Angriff\n" +"desc=\"Wikipedia: %s\"]], [[!wikipedia\n" +"Comodo_Group#Iran_SSL_certificate_controversy desc=\"Wikipedia: %s\"]] und <a\n" +"href=\"https://blog.torproject.org/blog/detecting-certificate-authority-compromises-and-web-browser-collusion\">Tor\n" +"Project: Detecting Certificate Authority compromises and web browser\n" +"collusion</a>.</p>\n" #. type: Title = #, no-wrap msgid "Confirmation attacks\n" -msgstr "" +msgstr "Bestätigungsangriffe\n" #. type: Plain text msgid "" @@ -281,6 +364,11 @@ msgid "" "of the Tor network. That's because if you can see both flows, some simple " "statistics let you decide whether they match up." msgstr "" +"Das Konzept von Tor versucht nicht vor Angreifern zu schützen, die sowohl " +"die in das Tor-Netz hineingehenden, als auch die daraus ausgehenden " +"übertragenen Daten sehen oder messen können. Daher kann man bei Kenntnis " +"beider Datenflüsse durch einfache Wahrscheinlichkeitsrechnung entscheiden, " +"ob sie zusammen passen." #. type: Plain text msgid "" @@ -288,6 +376,9 @@ msgid "" "administrator) and the ISP of the destination server (or the destination " "server itself) cooperate to attack you." msgstr "" +"Dies ist auch möglich, wenn Ihr ISP (oder Administrator des lokalen " +"Netzwerks) und der ISP des Zielservers (oder der Zielserver selbst) bei " +"einem Angriff gegen Sie zusammenarbeiten." #. type: Plain text msgid "" @@ -297,6 +388,12 @@ msgid "" "to confirm an hypothesis by monitoring the right locations in the network " "and then doing the math." msgstr "" +"Tor versucht dort vor Datenflussanalyse zu schützen, wo ein Angreifer " +"versucht zu lernen, wer zu untersuchen ist. Aber Tor kann nicht vor " +"Datenflussbestätigung (auch bekannt als Ende-zu-Ende Korrelation) schützen, " +"bei der ein Angreifer, durch Beobachten der richtigen Stellen im Netzwerk " +"und anschließender mathematischer Auswertung, eine Annahme zu bestätigen " +"versucht." #. type: Plain text #, no-wrap @@ -305,11 +402,14 @@ msgid "" "href=\"https://blog.torproject.org/blog/one-cell-enough\">Tor Project: \"One cell\n" "is enough to break Tor's anonymity\"</a>.</p>\n" msgstr "" +"<p class=\"quoted-from\">Zitiert aus <a\n" +"href=\"https://blog.torproject.org/blog/one-cell-enough\">Tor Project: \"One cell\n" +"is enough to break Tor's anonymity\"</a>.</p>\n" #. type: Title = #, no-wrap msgid "Tails doesn't encrypt your documents by default\n" -msgstr "" +msgstr "Tails verschlüsselt Ihre Dokumente standardmäßig nicht\n" #. type: Plain text msgid "" @@ -320,6 +420,13 @@ msgid "" "that the files you may create will keep tracks that they were created using " "Tails." msgstr "" +"Standardmäßig werden Dokumente, die Sie möglicherweise auf einem Datenträger " +"speichern, nicht verschlüsselt, außer im [[verschlüsselten beständigen " +"Speicher|doc/first_steps/persistence]]. Allerdings enthält Tails Werkzeuge " +"zum Verschlüsseln von Dokumenten oder Datenträgern, wie zum Beispiel GnuPG " +"beziehungsweise LUKS. Es ist wahrscheinlich, dass die von Ihnen erstellten " +"Dateien Einträge beinhalten, die den Nachweis erlauben, dass sie auf Tails " +"erstellt wurden." #. type: Plain text #, no-wrap @@ -327,6 +434,8 @@ msgid "" "**If you need to access the local hard-disks** of the computer you are using, be\n" "conscious that you might then leave trace of your activities with Tails on it.\n" msgstr "" +"**Wenn Sie Zugriff auf die lokale Festplatte des verwendeten Computers benötigen**, seien\n" +"Sie sich bewusst, dass Sie darauf eine Spur der Aktivitäten von Tails hinterlassen können.\n" #. type: Plain text #, no-wrap @@ -334,6 +443,8 @@ msgid "" "Tails doesn't clear the metadata of your documents for you and doesn't encrypt the Subject: and other headers of your encrypted e-mail messages\n" "===========================================================================================\n" msgstr "" +"Tails bereinigt Ihre Dokumente nicht von Metadaten und verschlüsselt weder die Betreffzeile noch andere Header-Zeilen Ihrer verschlüsselten E-Mails\n" +"===========================================================================================\n" #. type: Plain text msgid "" @@ -348,6 +459,18 @@ msgid "" "compatibility with the original SMTP protocol. Unfortunately no RFC standard " "exists yet for Subject encryption." msgstr "" +"Eine Vielzahl an Dateiformaten speichern versteckte Daten oder Metadaten in " +"den Dateien. Textverarbeitungsprogramme oder PDF Dateien könnten den Namen " +"des Autors, Datum und Uhrzeit der Erstellung der Datei, und manchmal sogar " +"Teile der Änderungshistorie der Datei speichern... Die versteckten Daten " +"sind abhängig vom Dateiformat und von der verwendeten Software. Bitte " +"beachten Sie auch, dass die Betreffzeile und die anderen Header-Zeilen in " +"einer OpenPGP-verschlüsselten E-Mail nicht verschlüsselt sind. Das ist kein " +"Fehler in Tails oder dem [OpenPGP](http://www.mozilla-enigmail.org/forum/" +"viewtopic.php?f=3&t=328) Protokoll; Es ist ein Ergebnis der " +"Rückwärtskompatibilität mit dem ursprünglichen SMTP Protokoll. Leider " +"existieren noch keine RFC Standards, die die Verschlüsselung der " +"Betreffzeile gestatten." #. type: Plain text msgid "" @@ -360,6 +483,14 @@ msgid "" "cropped or blurred images for which the EXIF thumbnail still contains the " "full original picture." msgstr "" +"Bilddateiformate, wie TIFF oder JPEG, schießen hier möglicherweise den Vogel " +"ab. Diese Dateien, die von Digitalkameras oder Handys erstellt werden, " +"beinhalten Metadaten im EXIF-Format, die Datum und Uhrzeit und manchmal auch " +"GPS Koordinaten des Aufnahmeorts, Marke und Seriennummer des Aufnahmegeräts, " +"als auch ein Vorschaubild des originalen Bildes beinhalten können. " +"Bildverarbeitungssoftware neigt dazu diese Daten intakt zu lassen. Das " +"Internet ist voll von zugeschnittenen oder unscharf gemachten Fotos, bei " +"denen das EXIF-Vorschaubild dennoch die komplette originale Aufnahme zeigt." #. type: Plain text #, no-wrap @@ -368,11 +499,15 @@ msgid "" "Tails' design goal to help you do that. For example, Tails already comes with\n" "the [Metadata anonymisation toolkit](https://mat.boum.org/).\n" msgstr "" +"**Tails bereinigt Ihre Dateien nicht von Metadaten für Sie**. Noch nicht. Denn es\n" +"ist eines der gewünschten Designziele von Tails Sie dabei zu unterstützen.\n" +"Beispielsweise beinhaltet Tails bereits den [Metadata anonymisation\n" +"toolkit](https://mat.boum.org/).\n" #. type: Title = #, no-wrap msgid "Tor doesn't protect you from a global adversary\n" -msgstr "" +msgstr "Tor schützt Sie nicht vor einem globalen Angreifer\n" #. type: Plain text msgid "" @@ -382,6 +517,12 @@ msgid "" "communications across the network, it would be statistically possible to " "identify Tor circuits and thus matching Tor users and destination servers." msgstr "" +"Ein globaler passiver Angreifer wäre die Person oder Institution mit der " +"Fähigkeit, gleichzeitig den gesamten Datenverkehr aller Computer in einem " +"Netzwerk zu beobachten. Beispielsweise wäre es durch die Analyse von Zeit- " +"und Volumenmustern der unterschiedlichen Kommunikation im Netzwerk " +"statistisch möglich, Tor-Verbindungen zu identifizieren und so Tor-Nutzer " +"und Zielserver abzugleichen." #. type: Plain text msgid "" @@ -389,6 +530,9 @@ msgid "" "to create a low-latency communication service usable for web browsing, " "Internet chat or SSH connections." msgstr "" +"Es ist ein Teil der grundlegenden Abwägung in Tor, diese Bedrohung nicht zu " +"beachten, um einen Kommunikationsdienst mit niedriger Latenz für " +"Webbrowsing, Internet-Chat oder SSH-Verbindungen zu schaffen." #. type: Plain text msgid "" @@ -396,16 +540,19 @@ msgid "" "Router](https://svn.torproject.org/svn/projects/design-paper/tor-design." "pdf), part 3. Design goals and assumptions." msgstr "" +"Für weiterführende Information siehe [Tor Project: The Second-Generation " +"Onion Router](https://svn.torproject.org/svn/projects/design-paper/tor-" +"design.pdf), Teil 3. Design goals and assumptions." #. type: Plain text #, no-wrap msgid "<a id=\"identities\"></a>\n" -msgstr "" +msgstr "<a id=\"identities\"></a>\n" #. type: Title = #, no-wrap msgid "Tails doesn't magically separate your different contextual identities\n" -msgstr "" +msgstr "Tails besitzt keinen magischen Mechanismus, um Ihre Identitäten für verschiedene Kontexte zu trennen\n" #. type: Plain text msgid "" @@ -414,6 +561,11 @@ msgid "" "separate from another. For example hiding your location to check your email " "and publishing anonymously a document." msgstr "" +"Im Allgemeinen sei davon abgeraten, die selbe Tails-Sitzung für zwei " +"verschiedene Aufgaben oder zwei kontextabhängige Identitäten zu verwenden, " +"sofern Sie diese wirklich voneinander getrennt wissen möchten. Zum Beispiel " +"für das Verbergen Ihres Aufenthaltsorts zum Empfangen Ihrer E-Mails und für " +"die anonyme Veröffentlichung eines Dokuments." #. type: Plain text msgid "" @@ -426,6 +578,15 @@ msgid "" "are facing a global adversary as described above, it might then also be in " "position to do this correlation." msgstr "" +"Erstens, da Tor dazu tendiert die selbe Verbindung zu verwenden, " +"beispielsweise innerhalb der selben Browser-Sitzung. Da das Ausgangsrelais " +"einer Verbindung sowohl den Zielserver (und, sofern nicht verschlüsselt, " +"möglicherweise den Inhalt der Kommunikation), als auch die Adresse des " +"vorangegangenen Relais von dem die Kommunikation kam, kennt, erleichtert " +"dies die Erkennung verschiedener Anfragen an Webseiten der selben Verbindung " +"und möglicherweise des selben Benutzers. Falls Sie sich einem globalen " +"Angreifer, wie oben beschrieben, ausgesetzt sehen, könnte dieser auch zur " +"Durchführung dieser Korrelation in der Lage sein." #. type: Plain text msgid "" @@ -434,6 +595,10 @@ msgid "" "reveal that the same person was behind the various actions made during the " "session." msgstr "" +"Zweitens kann, im Fall einer Sicherheitslücke oder falscher Bedienung von " +"Tails oder einer der Anwendungen, Information über Ihre Sitzung nach außen " +"gelangen. Das könnte aufdecken, dass die selbe Person hinter diversen " +"Handlungen während dieser Sitzung steckt." #. type: Plain text #, no-wrap @@ -441,21 +606,22 @@ msgid "" "**The solution to both threats is to shutdown and restart Tails** every time\n" "you're using a new identity, if you really want to isolate them better.\n" msgstr "" +"**Die Lösung für beide Szenarien ist, Tails jedes Mal herunterzufahren und neuzustarten**,\n" +"wenn Sie eine neue Identität verwenden und diese besser voneinander trennen möchten.\n" #. type: Plain text msgid "" -"Vidalia's \"New Identity\" button forces Tor to use new circuits but only " -"for new connections: existing connections might stay open. Plus, apart from " -"the Tor circuits, other kind of information can reveal your past activities, " -"for example the cookies stored by your browser. So this feature of Vidalia " -"is not a solution to really separate contextual identities. Shutdown and " -"restart Tails instead." +"As explained in our documentation about [[Vidalia|anonymous_internet/" +"vidalia#new_identity]] and [[Tor Browser|anonymous_internet/" +"Tor_Browser#new_identity]], their **New identity** features are not perfect " +"solutions to separate different contextual identities. **Shutdown and " +"restart Tails instead.**" msgstr "" #. type: Title = #, no-wrap msgid "Tails doesn't make your crappy passwords stronger\n" -msgstr "" +msgstr "Tails macht Ihre schlechten Passwörter nicht sicherer\n" #. type: Plain text msgid "" @@ -463,6 +629,9 @@ msgid "" "the computer you're using. But again, **neither of both are magic spells for " "computer security**." msgstr "" +"Tor ermöglicht Ihnen Anonymität im Internet; Tails ermöglicht Ihnen, keine " +"Spuren auf dem verwendeten Computer zu hinterlassen. Trotzdem ist **keines " +"von beiden ein magischer Zauber für Computersicherheit**." #. type: Plain text #, no-wrap @@ -472,11 +641,15 @@ msgid "" "practices to create better password, you can read [[!wikipedia\n" "Weak_password#Examples_of_weak_passwords desc=\"Wikipedia: Weak Passwords\"]].\n" msgstr "" +"Falls Sie schwache Passwörter verwenden, können diese durch Brute-Force Angriffe erraten werden,\n" +"unabhängig davon, ob Sie Tails verwenden oder nicht. Um herauszufinden, ob Ihr Passwort schwach ist, oder um bewährte\n" +"Praktiken für sichere Passwörter zu erlernen, können Sie [[!wikipedia\n" +"Weak_password#Examples_of_weak_passwords desc=\"Wikipedia: Weak Passwords\"]] lesen.\n" #. type: Title = #, no-wrap msgid "Tails is a work in progress\n" -msgstr "" +msgstr "Tails ist ständig in Bearbeitung\n" #. type: Plain text msgid "" @@ -484,3 +657,24 @@ msgid "" "development and might contain programming errors or security holes. [[Stay " "tuned|download#stay_tuned]] to Tails development." msgstr "" +"Tails und die gesamte mitgelieferte Software werden ständig weiterentwickelt " +"und können Programmierfehler oder Sicherheitslücken enthalten. [[Halten Sie " +"sich daher auf dem Laufenden|download#stay_tuned]] in Bezug auf die " +"Entwicklung von Tails." + +#~ msgid "" +#~ "Vidalia's \"New Identity\" button forces Tor to use new circuits but only " +#~ "for new connections: existing connections might stay open. Plus, apart " +#~ "from the Tor circuits, other kind of information can reveal your past " +#~ "activities, for example the cookies stored by your browser. So this " +#~ "feature of Vidalia is not a solution to really separate contextual " +#~ "identities. Shutdown and restart Tails instead." +#~ msgstr "" +#~ "Die \"Neue Identität\"-Funktion in Vidalia zwingt Tor eine neue " +#~ "Verbindung zu verwenden, aber nur für neue Verbindungen: Bereits " +#~ "existierende Verbindungen können weiterhin bestehen. Abgesehen von den " +#~ "Tor-Verbindungen kann andere Information ihre vergangenen Aktivitäten " +#~ "zeigen, beispielsweise die in Ihrem Browser abgespeicherten Cookies. " +#~ "Daher ist diese Funktion in Vidalia keine echte Lösung, um Identitäten in " +#~ "verschiedenen Kontexten wirklich zu trennen. Fahren Sie Tails stattdessen " +#~ "herunter und starten es neu." diff --git a/wiki/src/doc/about/warning.fr.po b/wiki/src/doc/about/warning.fr.po index faf4578e54ba9d6d65298c4fe2d25018e7ed6f94..27559997d6bb009de3698fb597a28a97400d63ec 100644 --- a/wiki/src/doc/about/warning.fr.po +++ b/wiki/src/doc/about/warning.fr.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-12-11 14:03+0100\n" -"PO-Revision-Date: 2014-11-24 16:47+0100\n" +"POT-Creation-Date: 2015-02-24 09:18+0100\n" +"PO-Revision-Date: 2015-01-25 10:17+0100\n" "Last-Translator: amnesia <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" @@ -100,14 +100,13 @@ msgid "" "e-mail messages sent by foreign embassies and human rights groups around the " "world by spying on the connections coming out of an exit node he was " "running. See [Wired: Rogue Nodes Turn Tor Anonymizer Into Eavesdropper's " -"Paradise.](http://www.wired.com/politics/security/news/2007/09/" -"embassy_hacks)." +"Paradise](http://www.wired.com/politics/security/news/2007/09/embassy_hacks)." msgstr "" "Par exemple, en 2007, un chercheur en sécurité informatique a intercepté des " "milliers d'e-mails privés envoyés par des ambassades étrangères et des ONG à " "travers le monde en écoutant le trafic sortant du nœud de sortie qu'il " "faisait fonctionner. Voir [Wired: Rogue Nodes Turn Tor Anonymizer Into " -"Eavesdropper's Paradise (en).](http://www.wired.com/politics/security/" +"Eavesdropper's Paradise (en)](http://www.wired.com/politics/security/" "news/2007/09/embassy_hacks)." #. type: Plain text @@ -216,7 +215,7 @@ msgstr "[[!img man-in-the-middle.png link=no alt=\"Illustration d'une attaque de #. type: Plain text #, no-wrap msgid "<!-- Source: wiki/lib/man-in-the-middle.svg -->\n" -msgstr "" +msgstr "<!-- Source: wiki/lib/man-in-the-middle.svg -->\n" #. type: Plain text msgid "" @@ -415,13 +414,6 @@ msgid "Tails doesn't encrypt your documents by default\n" msgstr "Tails ne chiffre pas vos documents par défaut\n" #. type: Plain text -#, fuzzy -#| msgid "" -#| "The documents that you might save on storage devices will not be " -#| "encrypted by default. But Tails provides you with tools to encrypt your " -#| "documents, such as GnuPG, or encrypt your storage device, such as LUKS. " -#| "It is likely that the files you may create will keep tracks that they " -#| "were created using Tails." msgid "" "The documents that you might save on storage devices will not be encrypted " "by default, except in the [[encrypted persistent volume|doc/first_steps/" @@ -431,11 +423,12 @@ msgid "" "Tails." msgstr "" "Les documents que vous pouvez sauvegarder sur des volumes de stockage, ne " -"seront pas chiffrés par défaut. Mais Tails fournit des outils permettant le " -"chiffrement de vos documents, comme GnuPG, ou bien des outils permettant le " -"chiffrement de vos volumes de stockage, comme LUKS. Il est commun que des " -"fichiers que vous pouvez créer gardent des traces disant qu'ils furent créés " -"utilisant Tails." +"seront pas chiffrés par défaut, sauf si vous utilisez la [[partition " +"persistante chiffrée|doc/first_steps/persistence]]. Mais Tails fournit des " +"outils permettant le chiffrement de vos documents, comme GnuPG,ou bien des " +"outils permettant le chiffrement de vos volumes de stockage, comme LUKS. Il " +"est probable que les fichiers que vous créez ainsi gardent des traces " +"indiquant qu'ils furent créés en utilisant Tails." #. type: Plain text #, no-wrap @@ -619,21 +612,12 @@ msgstr "" #. type: Plain text msgid "" -"Vidalia's \"New Identity\" button forces Tor to use new circuits but only " -"for new connections: existing connections might stay open. Plus, apart from " -"the Tor circuits, other kind of information can reveal your past activities, " -"for example the cookies stored by your browser. So this feature of Vidalia " -"is not a solution to really separate contextual identities. Shutdown and " -"restart Tails instead." +"As explained in our documentation about [[Vidalia|anonymous_internet/" +"vidalia#new_identity]] and [[Tor Browser|anonymous_internet/" +"Tor_Browser#new_identity]], their **New identity** features are not perfect " +"solutions to separate different contextual identities. **Shutdown and " +"restart Tails instead.**" msgstr "" -"Le bouton \"Utiliser une nouvelle identité\" oblige Tor à utiliser un " -"nouveau parcours mais uniquement pour les nouvelles connexions: les " -"connexions déjà existantes peuvent rester ouvertes. De plus, en dehors des " -"circuits Tor, d'autres types d'informations peuvent en dire long sur vos " -"activités récentes sur le réseau. Par exemple, les cookies conservés par " -"votre navigateur web. Cette fonctionnalité de Vidalia n'est pas une solution " -"pour effectivement séparer différentes identités contextuelles. Il vaut " -"mieux éteindre et redémarrer Tails." #. type: Title = #, no-wrap @@ -680,6 +664,23 @@ msgstr "" "trous de sécurité. [[Gardez un œil|download#stay_tuned]] sur le " "développement de Tails." +#~ msgid "" +#~ "Vidalia's \"New Identity\" button forces Tor to use new circuits but only " +#~ "for new connections: existing connections might stay open. Plus, apart " +#~ "from the Tor circuits, other kind of information can reveal your past " +#~ "activities, for example the cookies stored by your browser. So this " +#~ "feature of Vidalia is not a solution to really separate contextual " +#~ "identities. Shutdown and restart Tails instead." +#~ msgstr "" +#~ "Le bouton \"Utiliser une nouvelle identité\" oblige Tor à utiliser un " +#~ "nouveau parcours mais uniquement pour les nouvelles connexions: les " +#~ "connexions déjà existantes peuvent rester ouvertes. De plus, en dehors " +#~ "des circuits Tor, d'autres types d'informations peuvent en dire long sur " +#~ "vos activités récentes sur le réseau. Par exemple, les cookies conservés " +#~ "par votre navigateur web. Cette fonctionnalité de Vidalia n'est pas une " +#~ "solution pour effectivement séparer différentes identités contextuelles. " +#~ "Il vaut mieux éteindre et redémarrer Tails." + #~ msgid "" #~ "**Your ISP or your local network administrator** can easily check that " #~ "you're\n" diff --git a/wiki/src/doc/about/warning.mdwn b/wiki/src/doc/about/warning.mdwn index 56fa2d75c7b8c22bb75f50beebdf658464488b8f..b7dde40d7cdc86b562f266db18ad5793913738c2 100644 --- a/wiki/src/doc/about/warning.mdwn +++ b/wiki/src/doc/about/warning.mdwn @@ -33,7 +33,7 @@ For example, in 2007, a security researcher intercepted thousands of private e-mail messages sent by foreign embassies and human rights groups around the world by spying on the connections coming out of an exit node he was running. See [Wired: Rogue Nodes Turn Tor Anonymizer Into Eavesdropper's -Paradise.](http://www.wired.com/politics/security/news/2007/09/embassy_hacks). +Paradise](http://www.wired.com/politics/security/news/2007/09/embassy_hacks). **To protect yourself from such attacks you should use end-to-end encryption.** @@ -230,12 +230,11 @@ that the same person was behind the various actions made during the session. **The solution to both threats is to shutdown and restart Tails** every time you're using a new identity, if you really want to isolate them better. -Vidalia's "New Identity" button forces Tor to use new circuits but only for new -connections: existing connections might stay open. Plus, apart from the Tor -circuits, other kind of information can reveal your past activities, for example -the cookies stored by your browser. So this feature of Vidalia is not a -solution to really separate contextual identities. Shutdown and restart Tails -instead. +As explained in our documentation about [[Vidalia|anonymous_internet/vidalia#new_identity]] +and [[Tor Browser|anonymous_internet/Tor_Browser#new_identity]], +their **New identity** features are not perfect solutions to separate +different contextual identities. **Shutdown and restart Tails +instead.** Tails doesn't make your crappy passwords stronger ================================================= diff --git a/wiki/src/doc/about/warning.pt.po b/wiki/src/doc/about/warning.pt.po index 87e850f85e73e2fc2d6a6b3239a9f1c581225076..f3e011874d3055ff8e7ec3d4198e2c365469784f 100644 --- a/wiki/src/doc/about/warning.pt.po +++ b/wiki/src/doc/about/warning.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-12-11 14:03+0100\n" +"POT-Creation-Date: 2015-02-24 09:18+0100\n" "PO-Revision-Date: 2014-11-24 16:47+0100\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -96,8 +96,7 @@ msgid "" "e-mail messages sent by foreign embassies and human rights groups around the " "world by spying on the connections coming out of an exit node he was " "running. See [Wired: Rogue Nodes Turn Tor Anonymizer Into Eavesdropper's " -"Paradise.](http://www.wired.com/politics/security/news/2007/09/" -"embassy_hacks)." +"Paradise](http://www.wired.com/politics/security/news/2007/09/embassy_hacks)." msgstr "" "Por exemplo, em 2007 um pesquisador de segurança interceptou milhares de " "mensagens de e-mail enviadas por embaixadas estrangeiras e grupos de " @@ -606,20 +605,12 @@ msgstr "" #. type: Plain text msgid "" -"Vidalia's \"New Identity\" button forces Tor to use new circuits but only " -"for new connections: existing connections might stay open. Plus, apart from " -"the Tor circuits, other kind of information can reveal your past activities, " -"for example the cookies stored by your browser. So this feature of Vidalia " -"is not a solution to really separate contextual identities. Shutdown and " -"restart Tails instead." +"As explained in our documentation about [[Vidalia|anonymous_internet/" +"vidalia#new_identity]] and [[Tor Browser|anonymous_internet/" +"Tor_Browser#new_identity]], their **New identity** features are not perfect " +"solutions to separate different contextual identities. **Shutdown and " +"restart Tails instead.**" msgstr "" -"O botão de \"Nova Identidade\" do Vidalia força o Tor a utilizar novos " -"circuitos mas apenas para novas conexões: conexões existentes podem ainda " -"continuar abertas. Ainda, independentemente dos circuitos do Tor, outros " -"tipos de informação podem revelar suas atividades passadas, por exemplo os " -"cookies armazenados no seu navegador. Assim essa funcionalidade do Vidalia " -"não é uma solução para realmente separar identidades contextuais. Ao invés " -"disso, desligue e reinicie o Tails." #. type: Title = #, no-wrap @@ -664,6 +655,22 @@ msgstr "" "contínuo e pode conter erros de programação e brechas de segurança. [[Fique " "atento/a|download#stay_tuned]] ao desenvolvimento do Tails." +#~ msgid "" +#~ "Vidalia's \"New Identity\" button forces Tor to use new circuits but only " +#~ "for new connections: existing connections might stay open. Plus, apart " +#~ "from the Tor circuits, other kind of information can reveal your past " +#~ "activities, for example the cookies stored by your browser. So this " +#~ "feature of Vidalia is not a solution to really separate contextual " +#~ "identities. Shutdown and restart Tails instead." +#~ msgstr "" +#~ "O botão de \"Nova Identidade\" do Vidalia força o Tor a utilizar novos " +#~ "circuitos mas apenas para novas conexões: conexões existentes podem ainda " +#~ "continuar abertas. Ainda, independentemente dos circuitos do Tor, outros " +#~ "tipos de informação podem revelar suas atividades passadas, por exemplo " +#~ "os cookies armazenados no seu navegador. Assim essa funcionalidade do " +#~ "Vidalia não é uma solução para realmente separar identidades contextuais. " +#~ "Ao invés disso, desligue e reinicie o Tails." + #~ msgid "" #~ "**Your ISP or your local network administrator** can easily check that " #~ "you're\n" diff --git a/wiki/src/doc/advanced_topics.index.de.po b/wiki/src/doc/advanced_topics.index.de.po index 45d395769a01781138d9cc3c5729f1a549198d85..10c1d4041c649a1da79324e89d2c172d1f93fcd9 100644 --- a/wiki/src/doc/advanced_topics.index.de.po +++ b/wiki/src/doc/advanced_topics.index.de.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-03-18 02:28+0100\n" +"POT-Creation-Date: 2015-05-11 14:31+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -17,15 +17,23 @@ msgstr "" #. type: Bullet: ' - ' msgid "" -"[[!traillink Protection_against_cold_boot_attacks|advanced_topics/" -"cold_boot_attacks]]" +"[[!traillink Install_additional_software|advanced_topics/" +"additional_software]]" msgstr "" #. type: Bullet: ' - ' -msgid "[[!traillink Virtualization|advanced_topics/virtualization]]" +msgid "" +"[[!traillink Protection_against_cold_boot_attacks|advanced_topics/" +"cold_boot_attacks]]" msgstr "" -#. type: Bullet: ' - ' +#. type: Plain text +#, no-wrap msgid "" -"[[!traillink Enable_a_wireless_device|advanced_topics/wireless_devices]]" +" - [[!traillink Virtualization|advanced_topics/virtualization]]\n" +" - [[!traillink <span_class=\"application\">VirtualBox</span>|advanced_topics/virtualization/virtualbox]]\n" +" - [[!traillink <span_class=\"application\">GNOME_Boxes</span>|advanced_topics/virtualization/boxes]]\n" +" - [[!traillink <span_class=\"application\">virt-manager</span>|advanced_topics/virtualization/virt-manager]]\n" +" - [[!traillink Enable_a_wireless_device|advanced_topics/wireless_devices]]\n" +" - [[!traillink Backing_up_OpenPGP_secret_keys_on_paper_using_<span_class=\"application\">paperkey</span>|advanced_topics/paperkey]]\n" msgstr "" diff --git a/wiki/src/doc/advanced_topics.index.fr.po b/wiki/src/doc/advanced_topics.index.fr.po index 6e5f361bc28f314fb986756d61dad6815e649b8c..2a62ec7f532d6d607f90e95068eacc02294ff4dd 100644 --- a/wiki/src/doc/advanced_topics.index.fr.po +++ b/wiki/src/doc/advanced_topics.index.fr.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: SACKAGE VERSION\n" -"POT-Creation-Date: 2014-06-08 19:38+0300\n" -"PO-Revision-Date: 2014-05-10 21:02-0000\n" +"POT-Creation-Date: 2015-05-11 14:31+0000\n" +"PO-Revision-Date: 2015-02-17 14:18-0000\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: SLANGUAGE <LL@li.org>\n" "Language: \n" @@ -16,6 +16,14 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "X-Generator: Poedit 1.5.4\n" +#. type: Bullet: ' - ' +#, fuzzy +#| msgid "[[!traillink Virtualization|advanced_topics/virtualization]]" +msgid "" +"[[!traillink Install_additional_software|advanced_topics/" +"additional_software]]" +msgstr "[[!traillink Virtualisation|advanced_topics/virtualization]]" + #. type: Bullet: ' - ' msgid "" "[[!traillink Protection_against_cold_boot_attacks|advanced_topics/" @@ -24,16 +32,33 @@ msgstr "" "[[!traillink Protection_contre_les_attaques_par_démarrage_à_froid|" "advanced_topics/cold_boot_attacks]]" -#. type: Bullet: ' - ' -msgid "[[!traillink Virtualization|advanced_topics/virtualization]]" -msgstr "[[!traillink Virtualisation|advanced_topics/virtualization]]" - -#. type: Bullet: ' - ' +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "" +#| " - [[!traillink Virtualization|advanced_topics/virtualization]]\n" +#| " - [[!traillink <span_class=\"application\">VirtualBox</span>|advanced_topics/virtualization/virtualbox]]\n" +#| " - [[!traillink <span_class=\"application\">GNOME_Boxes</span>|advanced_topics/virtualization/boxes]]\n" +#| " - [[!traillink <span_class=\"application\">virt-manager</span>|advanced_topics/virtualization/virt-manager]]\n" +#| " - [[!traillink Enable_a_wireless_device|advanced_topics/wireless_devices]]\n" msgid "" -"[[!traillink Enable_a_wireless_device|advanced_topics/wireless_devices]]" +" - [[!traillink Virtualization|advanced_topics/virtualization]]\n" +" - [[!traillink <span_class=\"application\">VirtualBox</span>|advanced_topics/virtualization/virtualbox]]\n" +" - [[!traillink <span_class=\"application\">GNOME_Boxes</span>|advanced_topics/virtualization/boxes]]\n" +" - [[!traillink <span_class=\"application\">virt-manager</span>|advanced_topics/virtualization/virt-manager]]\n" +" - [[!traillink Enable_a_wireless_device|advanced_topics/wireless_devices]]\n" +" - [[!traillink Backing_up_OpenPGP_secret_keys_on_paper_using_<span_class=\"application\">paperkey</span>|advanced_topics/paperkey]]\n" msgstr "" -"[[!traillink Activer_un_périphérique_sans-fil|advanced_topics/" -"wireless_devices]]" +" - [[!traillink Virtualisation|advanced_topics/virtualization]]\n" +" - [[!traillink <span_class=\"application\">VirtualBox</span>|advanced_topics/virtualization/virtualbox]]\n" +" - [[!traillink <span_class=\"application\">GNOME_Boxes</span>|advanced_topics/virtualization/boxes]]\n" +" - [[!traillink <span_class=\"application\">virt-manager</span>|advanced_topics/virtualization/virt-manager]]\n" +" - [[!traillink Activer_un_périphérique_sans-fil|advanced_topics/wireless_devices]]\n" + +#~ msgid "" +#~ "[[!traillink Enable_a_wireless_device|advanced_topics/wireless_devices]]" +#~ msgstr "" +#~ "[[!traillink Activer_un_périphérique_sans-fil|advanced_topics/" +#~ "wireless_devices]]" #~ msgid "[[!traillink Enable_MAC_Changer|advanced_topics/mac_changer]]" #~ msgstr "[[!traillink Activer_MAC_Changer|advanced_topics/mac_changer]]" diff --git a/wiki/src/doc/advanced_topics.index.mdwn b/wiki/src/doc/advanced_topics.index.mdwn index 3b86c51353d5f2391ea7cfdaf94dcf6d4c3f5204..ffa751087db76063f41ed1f073c419380875353f 100644 --- a/wiki/src/doc/advanced_topics.index.mdwn +++ b/wiki/src/doc/advanced_topics.index.mdwn @@ -1,3 +1,8 @@ + - [[!traillink Install_additional_software|advanced_topics/additional_software]] - [[!traillink Protection_against_cold_boot_attacks|advanced_topics/cold_boot_attacks]] - [[!traillink Virtualization|advanced_topics/virtualization]] + - [[!traillink <span_class="application">VirtualBox</span>|advanced_topics/virtualization/virtualbox]] + - [[!traillink <span_class="application">GNOME_Boxes</span>|advanced_topics/virtualization/boxes]] + - [[!traillink <span_class="application">virt-manager</span>|advanced_topics/virtualization/virt-manager]] - [[!traillink Enable_a_wireless_device|advanced_topics/wireless_devices]] + - [[!traillink Backing_up_OpenPGP_secret_keys_on_paper_using_<span_class="application">paperkey</span>|advanced_topics/paperkey]] diff --git a/wiki/src/doc/advanced_topics.index.pt.po b/wiki/src/doc/advanced_topics.index.pt.po index 99a6dcc1839f8e8b6949a0eeca8e77d4257cf2c0..2f97605f2d4024ada81fb08c01f4de721adaca67 100644 --- a/wiki/src/doc/advanced_topics.index.pt.po +++ b/wiki/src/doc/advanced_topics.index.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-03-18 02:28+0100\n" +"POT-Creation-Date: 2015-05-11 14:31+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -15,6 +15,14 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +#. type: Bullet: ' - ' +#, fuzzy +#| msgid "[[!traillink Virtualization|advanced_topics/virtualization]]" +msgid "" +"[[!traillink Install_additional_software|advanced_topics/" +"additional_software]]" +msgstr "[[!traillink Virtualização|advanced_topics/virtualization]]" + #. type: Bullet: ' - ' msgid "" "[[!traillink Protection_against_cold_boot_attacks|advanced_topics/" @@ -23,16 +31,22 @@ msgstr "" "[[!traillink Proteção_contra_ataques_*cold_boot*|advanced_topics/" "cold_boot_attacks]]" -#. type: Bullet: ' - ' -msgid "[[!traillink Virtualization|advanced_topics/virtualization]]" -msgstr "[[!traillink Virtualização|advanced_topics/virtualization]]" +#. type: Plain text +#, no-wrap +msgid "" +" - [[!traillink Virtualization|advanced_topics/virtualization]]\n" +" - [[!traillink <span_class=\"application\">VirtualBox</span>|advanced_topics/virtualization/virtualbox]]\n" +" - [[!traillink <span_class=\"application\">GNOME_Boxes</span>|advanced_topics/virtualization/boxes]]\n" +" - [[!traillink <span_class=\"application\">virt-manager</span>|advanced_topics/virtualization/virt-manager]]\n" +" - [[!traillink Enable_a_wireless_device|advanced_topics/wireless_devices]]\n" +" - [[!traillink Backing_up_OpenPGP_secret_keys_on_paper_using_<span_class=\"application\">paperkey</span>|advanced_topics/paperkey]]\n" +msgstr "" -#. type: Bullet: ' - ' #, fuzzy -#| msgid "[[!traillink Enable_MAC_Changer|advanced_topics/mac_changer]]" -msgid "" -"[[!traillink Enable_a_wireless_device|advanced_topics/wireless_devices]]" -msgstr "[[!traillink Habilitar_MAC_Changer|advanced_topics/mac_changer]]" +#~| msgid "[[!traillink Enable_MAC_Changer|advanced_topics/mac_changer]]" +#~ msgid "" +#~ "[[!traillink Enable_a_wireless_device|advanced_topics/wireless_devices]]" +#~ msgstr "[[!traillink Habilitar_MAC_Changer|advanced_topics/mac_changer]]" #~ msgid "[[!traillink Enable_MAC_Changer|advanced_topics/mac_changer]]" #~ msgstr "[[!traillink Habilitar_MAC_Changer|advanced_topics/mac_changer]]" diff --git a/wiki/src/doc/advanced_topics/additional_software.de.po b/wiki/src/doc/advanced_topics/additional_software.de.po new file mode 100644 index 0000000000000000000000000000000000000000..8bcff1cb12139290beda9cbe1dbfafafe53c3e25 --- /dev/null +++ b/wiki/src/doc/advanced_topics/additional_software.de.po @@ -0,0 +1,133 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-13 13:48+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Install additional software\"]]\n" +msgstr "" + +#. type: Plain text +msgid "" +"Tails includes a [[coherent but limited set of applications|doc/about/" +"features]]. More applications can be installed as on any Debian system. Only " +"applications that are packaged for Debian can be installed. To know if an " +"application is packaged for Debian, and to find the name of the " +"corresponding software packages, you can search for it in the [[Debian " +"package directory|https://www.debian.org/distrib/packages]]." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"caution\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>The packages included in Tails are carefully tested for security.\n" +"Installing additional packages might break the security built in Tails.\n" +"Be careful with what you install.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"Since Tails is amnesic, any additional software package needs to be reinstalled in each working\n" +"session. To install the same software packages automatically at the beginning of every working session use the\n" +"[[<span class=\"guilabel\">Additional software packages</span> persistence feature|doc/first_steps/persistence/configure#additional_software]] instead.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"tip\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<p>Packages that use the network need to be configured to go through Tor. They are otherwise blocked from accessing the network.</p>\n" +msgstr "" + +#. type: Plain text +msgid "To install additional software packages:" +msgstr "" + +#. type: Bullet: '1. ' +msgid "" +"[[Set up an administration password|doc/first_steps/startup_options/" +"administration_password]]." +msgstr "" + +#. type: Bullet: '2. ' +msgid "" +"Open a [[root terminal|doc/first_steps/startup_options/" +"administration_password#open_root_terminal]]." +msgstr "" + +#. type: Bullet: '3. ' +msgid "" +"Execute the following command to update the lists of available packages:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " apt-get update\n" +msgstr "" + +#. type: Bullet: '3. ' +msgid "" +"To install an additional package, execute the following command, replacing `" +"[package]` with the name of the package that you want to install:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " apt-get install [package]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " For example, to install the package `ikiwiki`, execute:\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " apt-get install ikiwiki\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " <div class=\"note\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" <p>You can also write multiple package names to install several packages at the same\n" +" time. If a package has dependencies, those will be installed\n" +" automatically.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " </div>\n" +msgstr "" diff --git a/wiki/src/doc/advanced_topics/additional_software.fr.po b/wiki/src/doc/advanced_topics/additional_software.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..8bcff1cb12139290beda9cbe1dbfafafe53c3e25 --- /dev/null +++ b/wiki/src/doc/advanced_topics/additional_software.fr.po @@ -0,0 +1,133 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-13 13:48+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Install additional software\"]]\n" +msgstr "" + +#. type: Plain text +msgid "" +"Tails includes a [[coherent but limited set of applications|doc/about/" +"features]]. More applications can be installed as on any Debian system. Only " +"applications that are packaged for Debian can be installed. To know if an " +"application is packaged for Debian, and to find the name of the " +"corresponding software packages, you can search for it in the [[Debian " +"package directory|https://www.debian.org/distrib/packages]]." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"caution\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>The packages included in Tails are carefully tested for security.\n" +"Installing additional packages might break the security built in Tails.\n" +"Be careful with what you install.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"Since Tails is amnesic, any additional software package needs to be reinstalled in each working\n" +"session. To install the same software packages automatically at the beginning of every working session use the\n" +"[[<span class=\"guilabel\">Additional software packages</span> persistence feature|doc/first_steps/persistence/configure#additional_software]] instead.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"tip\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<p>Packages that use the network need to be configured to go through Tor. They are otherwise blocked from accessing the network.</p>\n" +msgstr "" + +#. type: Plain text +msgid "To install additional software packages:" +msgstr "" + +#. type: Bullet: '1. ' +msgid "" +"[[Set up an administration password|doc/first_steps/startup_options/" +"administration_password]]." +msgstr "" + +#. type: Bullet: '2. ' +msgid "" +"Open a [[root terminal|doc/first_steps/startup_options/" +"administration_password#open_root_terminal]]." +msgstr "" + +#. type: Bullet: '3. ' +msgid "" +"Execute the following command to update the lists of available packages:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " apt-get update\n" +msgstr "" + +#. type: Bullet: '3. ' +msgid "" +"To install an additional package, execute the following command, replacing `" +"[package]` with the name of the package that you want to install:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " apt-get install [package]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " For example, to install the package `ikiwiki`, execute:\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " apt-get install ikiwiki\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " <div class=\"note\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" <p>You can also write multiple package names to install several packages at the same\n" +" time. If a package has dependencies, those will be installed\n" +" automatically.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " </div>\n" +msgstr "" diff --git a/wiki/src/doc/advanced_topics/additional_software.mdwn b/wiki/src/doc/advanced_topics/additional_software.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..383cde08982c8e0b2a445348737ed3f6e207a10f --- /dev/null +++ b/wiki/src/doc/advanced_topics/additional_software.mdwn @@ -0,0 +1,53 @@ +[[!meta title="Install additional software"]] + +Tails includes a +[[coherent but limited set of applications|doc/about/features]]. More +applications can be installed as on any Debian system. Only +applications that are packaged for Debian can be installed. To know if an application +is packaged for Debian, and to find the name of the corresponding software packages, you can search for it in the +[[Debian package directory|https://www.debian.org/distrib/packages]]. + +<div class="caution"> + +<p>The packages included in Tails are carefully tested for security. +Installing additional packages might break the security built in Tails. +Be careful with what you install.</p> + +</div> + +Since Tails is amnesic, any additional software package needs to be reinstalled in each working +session. To install the same software packages automatically at the beginning of every working session use the +[[<span class="guilabel">Additional software packages</span> persistence feature|doc/first_steps/persistence/configure#additional_software]] instead. + +<div class="tip"> + +<p>Packages that use the network need to be configured to go through Tor. They are otherwise blocked from accessing the network.</p> + +</div> + +To install additional software packages: + +1. [[Set up an administration password|doc/first_steps/startup_options/administration_password]]. + +2. Open a [[root terminal|doc/first_steps/startup_options/administration_password#open_root_terminal]]. + +3. Execute the following command to update the lists of available packages: + + apt-get update + +3. To install an additional package, execute the following command, replacing + `[package]` with the name of the package that you want to install: + + apt-get install [package] + + For example, to install the package `ikiwiki`, execute: + + apt-get install ikiwiki + + <div class="note"> + + <p>You can also write multiple package names to install several packages at the same + time. If a package has dependencies, those will be installed + automatically.</p> + + </div> diff --git a/wiki/src/doc/advanced_topics/additional_software.pt.po b/wiki/src/doc/advanced_topics/additional_software.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..8bcff1cb12139290beda9cbe1dbfafafe53c3e25 --- /dev/null +++ b/wiki/src/doc/advanced_topics/additional_software.pt.po @@ -0,0 +1,133 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-13 13:48+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Install additional software\"]]\n" +msgstr "" + +#. type: Plain text +msgid "" +"Tails includes a [[coherent but limited set of applications|doc/about/" +"features]]. More applications can be installed as on any Debian system. Only " +"applications that are packaged for Debian can be installed. To know if an " +"application is packaged for Debian, and to find the name of the " +"corresponding software packages, you can search for it in the [[Debian " +"package directory|https://www.debian.org/distrib/packages]]." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"caution\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>The packages included in Tails are carefully tested for security.\n" +"Installing additional packages might break the security built in Tails.\n" +"Be careful with what you install.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"Since Tails is amnesic, any additional software package needs to be reinstalled in each working\n" +"session. To install the same software packages automatically at the beginning of every working session use the\n" +"[[<span class=\"guilabel\">Additional software packages</span> persistence feature|doc/first_steps/persistence/configure#additional_software]] instead.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"tip\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<p>Packages that use the network need to be configured to go through Tor. They are otherwise blocked from accessing the network.</p>\n" +msgstr "" + +#. type: Plain text +msgid "To install additional software packages:" +msgstr "" + +#. type: Bullet: '1. ' +msgid "" +"[[Set up an administration password|doc/first_steps/startup_options/" +"administration_password]]." +msgstr "" + +#. type: Bullet: '2. ' +msgid "" +"Open a [[root terminal|doc/first_steps/startup_options/" +"administration_password#open_root_terminal]]." +msgstr "" + +#. type: Bullet: '3. ' +msgid "" +"Execute the following command to update the lists of available packages:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " apt-get update\n" +msgstr "" + +#. type: Bullet: '3. ' +msgid "" +"To install an additional package, execute the following command, replacing `" +"[package]` with the name of the package that you want to install:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " apt-get install [package]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " For example, to install the package `ikiwiki`, execute:\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " apt-get install ikiwiki\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " <div class=\"note\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" <p>You can also write multiple package names to install several packages at the same\n" +" time. If a package has dependencies, those will be installed\n" +" automatically.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " </div>\n" +msgstr "" diff --git a/wiki/src/doc/advanced_topics/cold_boot_attacks.fr.po b/wiki/src/doc/advanced_topics/cold_boot_attacks.fr.po index d4786d9d903ac89c88c8c9db4ca49524a40aff3b..2297b82a214acd7239857996552bbe8691b8a171 100644 --- a/wiki/src/doc/advanced_topics/cold_boot_attacks.fr.po +++ b/wiki/src/doc/advanced_topics/cold_boot_attacks.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-12-03 15:03+0100\n" +"POT-Creation-Date: 2015-02-22 12:54+0100\n" "PO-Revision-Date: 2014-04-05 17:47+0200\n" "Last-Translator: \n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -106,10 +106,6 @@ msgstr "" "[[éteindre Tails|doc/first_steps/shutdown]] rapidement." #. type: Plain text -#, fuzzy -#| msgid "" -#| "As far as we know, cold boot attacks are not a common procedure for data " -#| "recovery, but it might still be good to be prepared." msgid "" "As far as we know, cold boot attacks are not a common procedure for data " "recovery, but it might still be good to be prepared. If no cold boot attack " @@ -118,4 +114,6 @@ msgid "" msgstr "" "Autant que nous sachions, les attaques par démarrage à froid ne sont pas " "encore une procédure standard pour la récupération de données, mais il est " -"toujours bon d'y être préparé." +"toujours bon d'y être préparé. Si aucune attaque n'est menée directement " +"après l'extinction de l'ordinateur, la RAM se vide en quelques minutes, et " +"toutes les données disparaissent." diff --git a/wiki/src/doc/advanced_topics/paperkey.de.po b/wiki/src/doc/advanced_topics/paperkey.de.po new file mode 100644 index 0000000000000000000000000000000000000000..7010a623ea18846996d4ff548e913e9a26121e11 --- /dev/null +++ b/wiki/src/doc/advanced_topics/paperkey.de.po @@ -0,0 +1,84 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-05-11 14:31+0000\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Backing up OpenPGP secret keys on paper using paperkey\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<span " +"class=\"application\">[Paperkey](http://www.jabberwocky.com/software/paperkey/)</span> " +"is a command\n" +"line tool to export OpenPGP secret keys in a format suitable for\n" +"printing on paper.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"Paper can be destroyed easily but it also has amazingly long retention\n" +"qualities, far longer than the magnetic or optical media that are\n" +"generally used to back up computer data. So <span " +"class=\"application\">paperkey</span> can be useful in\n" +"combination with other backup strategies.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"note\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>Your OpenPGP key as exported by <span\n" +"class=\"application\">paperkey</span> is still protected by your\n" +"passphrase.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"To learn how to use <span class=\"application\">paperkey</span>, read the " +"[documentation on the\n" +"<span class=\"application\">paperkey</span> " +"website](http://www.jabberwocky.com/software/paperkey/).\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"For example, to export an OpenPGP secret key using <span " +"class=\"application\">paperkey</span>, execute\n" +"the following command, replacing <span class=\"command\">[keyid]</span> with " +"the ID of the key that\n" +"you want to export:\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " gpg --export-secret-key [keyid] | paperkey | gedit\n" +msgstr "" diff --git a/wiki/src/doc/advanced_topics/paperkey.fr.po b/wiki/src/doc/advanced_topics/paperkey.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..7010a623ea18846996d4ff548e913e9a26121e11 --- /dev/null +++ b/wiki/src/doc/advanced_topics/paperkey.fr.po @@ -0,0 +1,84 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-05-11 14:31+0000\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Backing up OpenPGP secret keys on paper using paperkey\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<span " +"class=\"application\">[Paperkey](http://www.jabberwocky.com/software/paperkey/)</span> " +"is a command\n" +"line tool to export OpenPGP secret keys in a format suitable for\n" +"printing on paper.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"Paper can be destroyed easily but it also has amazingly long retention\n" +"qualities, far longer than the magnetic or optical media that are\n" +"generally used to back up computer data. So <span " +"class=\"application\">paperkey</span> can be useful in\n" +"combination with other backup strategies.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"note\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>Your OpenPGP key as exported by <span\n" +"class=\"application\">paperkey</span> is still protected by your\n" +"passphrase.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"To learn how to use <span class=\"application\">paperkey</span>, read the " +"[documentation on the\n" +"<span class=\"application\">paperkey</span> " +"website](http://www.jabberwocky.com/software/paperkey/).\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"For example, to export an OpenPGP secret key using <span " +"class=\"application\">paperkey</span>, execute\n" +"the following command, replacing <span class=\"command\">[keyid]</span> with " +"the ID of the key that\n" +"you want to export:\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " gpg --export-secret-key [keyid] | paperkey | gedit\n" +msgstr "" diff --git a/wiki/src/doc/advanced_topics/paperkey.mdwn b/wiki/src/doc/advanced_topics/paperkey.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..67f19429d41feffb04384aeef93cdf138a33cd4d --- /dev/null +++ b/wiki/src/doc/advanced_topics/paperkey.mdwn @@ -0,0 +1,27 @@ +[[!meta title="Backing up OpenPGP secret keys on paper using paperkey"]] + +<span class="application">[Paperkey](http://www.jabberwocky.com/software/paperkey/)</span> is a command +line tool to export OpenPGP secret keys in a format suitable for +printing on paper. + +Paper can be destroyed easily but it also has amazingly long retention +qualities, far longer than the magnetic or optical media that are +generally used to back up computer data. So <span class="application">paperkey</span> can be useful in +combination with other backup strategies. + +<div class="note"> + +<p>Your OpenPGP key as exported by <span +class="application">paperkey</span> is still protected by your +passphrase.</p> + +</div> + +To learn how to use <span class="application">paperkey</span>, read the [documentation on the +<span class="application">paperkey</span> website](http://www.jabberwocky.com/software/paperkey/). + +For example, to export an OpenPGP secret key using <span class="application">paperkey</span>, execute +the following command, replacing <span class="command">[keyid]</span> with the ID of the key that +you want to export: + + gpg --export-secret-key [keyid] | paperkey | gedit diff --git a/wiki/src/doc/advanced_topics/paperkey.pt.po b/wiki/src/doc/advanced_topics/paperkey.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..7010a623ea18846996d4ff548e913e9a26121e11 --- /dev/null +++ b/wiki/src/doc/advanced_topics/paperkey.pt.po @@ -0,0 +1,84 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-05-11 14:31+0000\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Backing up OpenPGP secret keys on paper using paperkey\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<span " +"class=\"application\">[Paperkey](http://www.jabberwocky.com/software/paperkey/)</span> " +"is a command\n" +"line tool to export OpenPGP secret keys in a format suitable for\n" +"printing on paper.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"Paper can be destroyed easily but it also has amazingly long retention\n" +"qualities, far longer than the magnetic or optical media that are\n" +"generally used to back up computer data. So <span " +"class=\"application\">paperkey</span> can be useful in\n" +"combination with other backup strategies.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"note\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>Your OpenPGP key as exported by <span\n" +"class=\"application\">paperkey</span> is still protected by your\n" +"passphrase.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"To learn how to use <span class=\"application\">paperkey</span>, read the " +"[documentation on the\n" +"<span class=\"application\">paperkey</span> " +"website](http://www.jabberwocky.com/software/paperkey/).\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"For example, to export an OpenPGP secret key using <span " +"class=\"application\">paperkey</span>, execute\n" +"the following command, replacing <span class=\"command\">[keyid]</span> with " +"the ID of the key that\n" +"you want to export:\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " gpg --export-secret-key [keyid] | paperkey | gedit\n" +msgstr "" diff --git a/wiki/src/doc/encryption_and_privacy/openpgp_with_claws_mail.pt.po b/wiki/src/doc/advanced_topics/virtualization.caution.de.po similarity index 57% rename from wiki/src/doc/encryption_and_privacy/openpgp_with_claws_mail.pt.po rename to wiki/src/doc/advanced_topics/virtualization.caution.de.po index c0beccc2e0add873e4fe137ef2a6a237c66a1acd..738831f920f56942f90b0a02739b51d2caeee00d 100644 --- a/wiki/src/doc/encryption_and_privacy/openpgp_with_claws_mail.pt.po +++ b/wiki/src/doc/advanced_topics/virtualization.caution.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2012-06-07 13:33+0300\n" +"POT-Creation-Date: 2015-02-10 13:52+0100\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -18,5 +18,18 @@ msgstr "" #. type: Plain text #, no-wrap -msgid "[[!meta title=\"OpenPGP with Claws Mail\"]]\n" +msgid "<div class=\"caution\">\n" +msgstr "" + +#. type: Plain text +msgid "" +"Running Tails inside a virtual machine has [[various security " +"implications|virtualization#security]]. Depending on the host operating " +"system and your security needs, running Tails in a virtual machine might be " +"dangerous." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" msgstr "" diff --git a/wiki/src/doc/advanced_topics/virtualization.caution.fr.po b/wiki/src/doc/advanced_topics/virtualization.caution.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..a173dd726f3afb4f04f866f646acc5fc97f47df6 --- /dev/null +++ b/wiki/src/doc/advanced_topics/virtualization.caution.fr.po @@ -0,0 +1,38 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-02-23 12:10+0000\n" +"PO-Revision-Date: 2015-02-17 14:30-0000\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Generator: Poedit 1.5.4\n" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"caution\">\n" +msgstr "<div class=\"caution\">\n" + +#. type: Plain text +msgid "" +"Running Tails inside a virtual machine has [[various security implications|" +"virtualization#security]]. Depending on the host operating system and your " +"security needs, running Tails in a virtual machine might be dangerous." +msgstr "" +"Utiliser Tails dans une machine virtuelle a [[de nombreuses conséquences en " +"terme de sécurité|virtualization#security]]. En fonction du système " +"d’exploitation hôte et de vos besoins en terme de sécurité, faire tourner " +"Tails dans une machine virtuelle peut être dangereux." + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "</div>\n" diff --git a/wiki/src/doc/advanced_topics/virtualization.caution.mdwn b/wiki/src/doc/advanced_topics/virtualization.caution.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..b7b4f90c7802239673f3b0f13300fb5b65ab69da --- /dev/null +++ b/wiki/src/doc/advanced_topics/virtualization.caution.mdwn @@ -0,0 +1,7 @@ +<div class="caution"> + +Running Tails inside a virtual machine has [[various security +implications|virtualization#security]]. Depending on the host operating system and your security +needs, running Tails in a virtual machine might be dangerous. + +</div> diff --git a/wiki/src/doc/encryption_and_privacy/openpgp_with_claws_mail.de.po b/wiki/src/doc/advanced_topics/virtualization.caution.pt.po similarity index 57% rename from wiki/src/doc/encryption_and_privacy/openpgp_with_claws_mail.de.po rename to wiki/src/doc/advanced_topics/virtualization.caution.pt.po index 39e0b7f7f4792bb52e69d521bfaa93ed7be781e2..738831f920f56942f90b0a02739b51d2caeee00d 100644 --- a/wiki/src/doc/encryption_and_privacy/openpgp_with_claws_mail.de.po +++ b/wiki/src/doc/advanced_topics/virtualization.caution.pt.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2011-12-25 22:40+0100\n" +"POT-Creation-Date: 2015-02-10 13:52+0100\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -18,5 +18,18 @@ msgstr "" #. type: Plain text #, no-wrap -msgid "[[!meta title=\"OpenPGP with Claws Mail\"]]\n" +msgid "<div class=\"caution\">\n" +msgstr "" + +#. type: Plain text +msgid "" +"Running Tails inside a virtual machine has [[various security " +"implications|virtualization#security]]. Depending on the host operating " +"system and your security needs, running Tails in a virtual machine might be " +"dangerous." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" msgstr "" diff --git a/wiki/src/doc/advanced_topics/virtualization.de.po b/wiki/src/doc/advanced_topics/virtualization.de.po index c9547fcf27ffb6d0863f77ac01c6082ae500f3b3..1d2a701c88c4f187b64db39402665b38d27298e8 100644 --- a/wiki/src/doc/advanced_topics/virtualization.de.po +++ b/wiki/src/doc/advanced_topics/virtualization.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2013-10-24 01:48+0300\n" +"POT-Creation-Date: 2015-02-10 13:52+0100\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -28,84 +28,219 @@ msgstr "" #. type: Plain text msgid "" -"Certain users might not want to restart the computer every time they wish to " -"use the Internet anonymously with Tails. For those, a so called [virtual " -"machine](http://en.wikipedia.org/wiki/Virtual_machine) can be used to run " -"Tails inside the \"host\" operating system installed on the computer (e.g. " -"Microsoft Windows, Mac OS X, etc.). Essentially these programs emulate real " -"computers that you can run \"guest\" operating systems (in this case Tails) " -"in so they appear in a window within the host operating system. Using one of " -"these technologies allows for convenient access to Tails's features in a " -"protected environment while you at the same time have access to your normal " -"operation system." +"It is sometimes convenient to be able to run Tails without having to restart " +"your computer every time. This is possible using [[!wikipedia " +"Virtual_machine desc=\"virtual machines\"]]." +msgstr "" + +#. type: Plain text +msgid "" +"With virtual machines, it is possible to run Tails inside a *host* operating " +"system (Linux, Windows, or Mac OS X). A virtual machine emulates a real " +"computer and its operating system, called *guest* which appears in a window " +"on the *host* operating system." +msgstr "" + +#. type: Plain text +msgid "" +"When running Tails in a virtual machine, you can use most features of Tails " +"from your usual operating system and use both in parallel without the need " +"to restart the computer." +msgstr "" + +#. type: Plain text +msgid "" +"This is how Tails looks like when run in a virtual machine on Debian using " +"*VirtualBox*:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!img tails-in-jessie.png alt=\"Tails running in a VirtuaBox window inside a Debian desktop with GNOME 3\" link=no]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"note\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>We do not currently provide a solution for running a virtual machine\n" +"inside a Tails host. See [[!tails_ticket 5606]].</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"security\"></a>\n" msgstr "" #. type: Title = #, no-wrap -msgid "Security issues\n" +msgid "Security considerations\n" msgstr "" #. type: Plain text -msgid "There are a few security issues with this approach though." +#, no-wrap +msgid "<div class=\"caution\">\n" msgstr "" #. type: Plain text msgid "" -"When running Tails inside a virtual machine, both the host operating system " -"and the virtualization software are able to monitor what you are doing in " -"Tails." +"Running Tails inside a virtual machine has various security implications. " +"Depending on the host operating system and your security needs, running " +"Tails in a virtual machine might be dangerous." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"trustworthy\"></a>\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Both the host operating system and the [[virtualization software|" +"virtualization#software]] are able to monitor what you are doing in Tails." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" If the host operating system is compromised with a software\n" +" keylogger or other malware, then it can break the security features\n" +" of Tails.\n" msgstr "" #. type: Plain text +#, no-wrap +msgid " <div class=\"caution\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap msgid "" -"The main issue is if the host operating system is compromised with a " -"software keylogger or other malware, which Tails does not provide any " -"protection against – in fact, that is impossible." +" Only run Tails in a virtual machine if the host operating system is\n" +" trustworthy.\n" msgstr "" #. type: Plain text -msgid "Moreover traces are likely to be left on the local hard disk." +#, no-wrap +msgid " </div>\n" msgstr "" #. type: Plain text +#, no-wrap +msgid "<a id=\"traces\"></a>\n" +msgstr "" + +#. type: Bullet: ' - ' msgid "" -"As such, this is only recommended when the other alternative is not an " -"option or when you are absolutely sure that your host system is clean." +"Traces of your Tails session are likely to be left on the local hard disk. " +"For example, host operating systems usually use swapping (or *paging*) which " +"copies part of the RAM to the hard disk." msgstr "" #. type: Plain text +#, no-wrap msgid "" -"That's why Tails warns you when you are running it inside a virtual machine. " -"Do not expect Tails to protect you if you run it in a virtual machine if you " -"do not trust the host computer, Tails is not magical!" +" Only run Tails in a virtual machine if leaving traces on the hard disk\n" +" is not a concern for you.\n" msgstr "" #. type: Plain text msgid "" -"If you read this warning while you are not aware to be using a virtual " -"machine: there could be a [[bug|support/found_a_problem]] in the " -"virtualization detection software Tails uses... or something really weird is " -"happening." +"This is why Tails warns you when it is running inside a virtual machine." msgstr "" #. type: Plain text msgid "" -"If you are unsure, and if you can afford it, run Tails from a DVD, USB stick " -"or SD card instead." +"The Tails virtual machine does not modify the behaviour of the host " +"operating system and the network traffic of the host is not anonymized. The " +"MAC address of the computer is not modified by the [[MAC address spoofing|" +"first_steps/startup_options/mac_spoofing]] feature of Tails when run in a " +"virtual machine." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"software\"></a>\n" msgstr "" #. type: Title = #, no-wrap -msgid "Tips and tricks\n" +msgid "Virtualization solutions\n" +msgstr "" + +#. type: Plain text +msgid "" +"To run Tails inside a virtual machine, you need to have virtualization " +"software installed on the host operating system. Different virtualization " +"software exist for Linux, Windows, and Mac OS X." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>The following list includes only free software as we believe that\n" +"this is a necessary condition for it to be trustworthy. See the\n" +"[[previous warning|virtualization#trustworthy]] and our statement about\n" +"[[free software and public scrutiny|about/trust#free_software]].</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>Proprietary virtualization software solutions exist such as <span\n" +"class=\"application\">VMWare</span> but are not listed here on\n" +"purpose.</p>\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"*VirtualBox* is available for Linux, Windows, and Mac. Its free software " +"version does not include support for USB devices and does not allow to use a " +"persistent volume." msgstr "" #. type: Plain text +#, no-wrap +msgid " [[See the corresponding documentation.|virtualbox]]\n" +msgstr "" + +#. type: Bullet: ' - ' msgid "" -"Some [[tips]] can help making the host operating system and virtualization " -"software a tiny bit more secure." +"*GNOME Boxes* is available for Linux. It has a simple user interface but " +"does not allow to use a persistent volume." msgstr "" #. type: Plain text +#, no-wrap +msgid " [[See the corresponding documentation.|boxes]]\n" +msgstr "" + +#. type: Bullet: ' - ' msgid "" -"In the future, it will be possible to easily start [[Tails within Windows]]." +"*virt-manager* is available for Linux. It has a more complex user interface " +"and allows to use a persistent volume, either by:" +msgstr "" + +#. type: Bullet: ' - ' +msgid "Starting Tails from a USB stick or SD card." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Creating a virtual USB storage volume saved as a single file on the host " +"operating system." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " [[See the corresponding documentation.|virt-manager]]\n" msgstr "" diff --git a/wiki/src/doc/advanced_topics/virtualization.fr.po b/wiki/src/doc/advanced_topics/virtualization.fr.po index 4dda3803e46f2419c038c56e0a65dacbe51d9f0a..be56f657715b7e3b5daf62dc776ef945a372428a 100644 --- a/wiki/src/doc/advanced_topics/virtualization.fr.po +++ b/wiki/src/doc/advanced_topics/virtualization.fr.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: \n" -"POT-Creation-Date: 2013-10-24 01:48+0300\n" -"PO-Revision-Date: 2013-06-17 19:11-0000\n" +"POT-Creation-Date: 2015-02-23 12:10+0000\n" +"PO-Revision-Date: 2015-02-17 15:09-0000\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" @@ -28,126 +28,372 @@ msgstr "[[!toc levels=2]]\n" #. type: Plain text msgid "" -"Certain users might not want to restart the computer every time they wish to " -"use the Internet anonymously with Tails. For those, a so called [virtual " -"machine](http://en.wikipedia.org/wiki/Virtual_machine) can be used to run " -"Tails inside the \"host\" operating system installed on the computer (e.g. " -"Microsoft Windows, Mac OS X, etc.). Essentially these programs emulate real " -"computers that you can run \"guest\" operating systems (in this case Tails) " -"in so they appear in a window within the host operating system. Using one of " -"these technologies allows for convenient access to Tails's features in a " -"protected environment while you at the same time have access to your normal " -"operation system." +"It is sometimes convenient to be able to run Tails without having to restart " +"your computer every time. This is possible using [[!wikipedia " +"Virtual_machine desc=\"virtual machines\"]]." +msgstr "" +"Il peut être pratique de pouvoir lancer Tails sans avoir à redémarrer son " +"ordinateur à chaque fois. C'est possible grâce aux [[!wikipedia_fr " +"Machine_virtuelle desc=\"machines virtuelles\"]]." + +#. type: Plain text +msgid "" +"With virtual machines, it is possible to run Tails inside a *host* operating " +"system (Linux, Windows, or Mac OS X). A virtual machine emulates a real " +"computer and its operating system, called *guest* which appears in a window " +"on the *host* operating system." +msgstr "" +"Grâce aux machines virtuelles, il est possible de faire tourner Tails à " +"l'intérieur d'un système d'exploitation *hôte* (Linux, Windows, ou Mac " +"OS X). Une machine virtuelle émule un vrai ordinateur et son système " +"d’exploitation, appelé *invité* qui apparaît dans une fenêtre du système " +"d'exploitation *hôte*." + +#. type: Plain text +msgid "" +"When running Tails in a virtual machine, you can use most features of Tails " +"from your usual operating system and use both in parallel without the need " +"to restart the computer." +msgstr "" +"Lorsque vous utilisez Tails dans une machine virtuelle, vous pouvez utilisez " +"la plupart des fonctionnalités de Tails depuis votre système d'exploitation " +"habituel et utiliser ceux-ci en parallèle sans avoir besoin de redémarrer " +"l'ordinateur." + +#. type: Plain text +msgid "" +"This is how Tails looks like when run in a virtual machine on Debian using " +"*VirtualBox*:" +msgstr "" +"Voilà ce à quoi ressemble Tails dans une machine virtuelle sous Debian en " +"utilisant *VirtualBox* :" + +#. type: Plain text +#, no-wrap +msgid "[[!img tails-in-jessie.png alt=\"Tails running in a VirtuaBox window inside a Debian desktop with GNOME 3\" link=no]]\n" +msgstr "[[!img tails-in-jessie.png alt=\"Tails dans une fenêtre VirtuaBox dans un bureau Debian avec GNOME 3\" link=no]]\n" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"note\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>We do not currently provide a solution for running a virtual machine\n" +"inside a Tails host. See [[!tails_ticket 5606]].</p>\n" +msgstr "" +"<p>Nous ne fournissons pas à l'heure actuelle de solution pour faire tourner\n" +"une machine virtuelle dans un hôte Tails. Voir le [[!tails_ticket 5606]].</p>\n" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"security\"></a>\n" msgstr "" -"Certains utilisateurs pourraient ne pas vouloir redémarrer l'ordinateur à " -"chaque fois qu'ils souhaitent utiliser internet anonymement avec Tails. Pour " -"ces personnes, une [machine virtuelle](http://fr.wikipedia.org/wiki/" -"machine_virtuelle) peut être utilisée pour démarrer Tails à l'intérieur du " -"système d'exploitation \"hôte\" installé dans l'ordinateur (e.x. Microsoft " -"Windows, Mac OS X, etc.). Globalement, ces programmes simulent des " -"ordinateurs réels à l'intérieur desquels vous pouvez démarrer des systèmes " -"d'exploitation \"invités\" (dans ce cas Tails). Ils apparaissent alors dans " -"une fenêtre à l'intérieur du système d'exploitation hôte. Utiliser une de " -"ces technologies permet un accès commode aux fonctionnalités de Tails dans " -"un environnement protégé tout en ayant accès à votre système d'exploitation " -"habituel." #. type: Title = #, no-wrap -msgid "Security issues\n" -msgstr "Problèmes de sécurité\n" +msgid "Security considerations\n" +msgstr "Considérations de sécurité\n" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"caution\">\n" +msgstr "" #. type: Plain text -msgid "There are a few security issues with this approach though." +msgid "" +"Running Tails inside a virtual machine has various security implications. " +"Depending on the host operating system and your security needs, running " +"Tails in a virtual machine might be dangerous." +msgstr "" +"Faire tourner Tails dans une machine virtuelle a de nombreuses conséquences " +"en terme de sécurité. En fonction du système d’exploitation hôte et de vos " +"besoins en terme de sécurité, faire tourner Tails dans une machine virtuelle " +"peut être dangereux." + +#. type: Plain text +#, no-wrap +msgid "<a id=\"trustworthy\"></a>\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Both the host operating system and the [[virtualization software|" +"virtualization#software]] are able to monitor what you are doing in Tails." msgstr "" -"Cependant, il y a certains problèmes de sécurité lorsque l'on choisit cette " -"technique." +"Le système d'exploitation hôte ainsi que le [[logiciel de virtualisation|" +"virtualization#software]] sont capables d'observer et d'analyser ce que vous " +"faites dans Tails." #. type: Plain text +#, no-wrap msgid "" -"When running Tails inside a virtual machine, both the host operating system " -"and the virtualization software are able to monitor what you are doing in " -"Tails." +" If the host operating system is compromised with a software\n" +" keylogger or other malware, then it can break the security features\n" +" of Tails.\n" msgstr "" -"Lorsque vous utilisez Tails au sein d'une machine virtuelle, le système " -"d'exploitation hôte ainsi que le logiciel de virtualisation sont capables " -"d'observer et d'analyser ce que vous faites dans Tails." +" Si le système d'exploitation hôte est compromis par un enregistreur de frappe logiciel\n" +" ou autre logiciel malveillant, cela peut outrepasser les fonctionnalités de\n" +" sécurité de Tails.\n" #. type: Plain text +#, no-wrap +msgid " <div class=\"caution\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap msgid "" -"The main issue is if the host operating system is compromised with a " -"software keylogger or other malware, which Tails does not provide any " -"protection against – in fact, that is impossible." +" Only run Tails in a virtual machine if the host operating system is\n" +" trustworthy.\n" msgstr "" -"Le principal risque est que le système d'exploitation hôte soit compromis " -"par un logiciel keylogger ou un autre logiciel malveillant, contre lesquels " -"Tails ne fournit aucune protection - et pour cause : c'est impossible." +" N'utilisez Tails dans une machine virtuelle que si le système d’exploitation\n" +" hôte est de confiance.\n" #. type: Plain text -msgid "Moreover traces are likely to be left on the local hard disk." +#, no-wrap +msgid " </div>\n" msgstr "" -"De plus, des traces pourront potentiellement être laissées sur votre disque " -"dur local." #. type: Plain text +#, no-wrap +msgid "<a id=\"traces\"></a>\n" +msgstr "" + +#. type: Bullet: ' - ' msgid "" -"As such, this is only recommended when the other alternative is not an " -"option or when you are absolutely sure that your host system is clean." +"Traces of your Tails session are likely to be left on the local hard disk. " +"For example, host operating systems usually use swapping (or *paging*) which " +"copies part of the RAM to the hard disk." msgstr "" -"Ainsi, cette pratique n'est recommandée que s'il n'y a pas d'alternative, ou " -"si vous êtes absolument certain que votre système hôte est sûr et propre." +"Des traces de votre session Tails son susceptibles d'être laissées sur votre " +"disque dur local. Par exemple, le système d'exploitation hôte utilise " +"habituellement la mémoire virtuelle (swap ou *paging*) dans laquelle une " +"partie de la RAM est copiée sur le disque dur." #. type: Plain text +#, no-wrap msgid "" -"That's why Tails warns you when you are running it inside a virtual machine. " -"Do not expect Tails to protect you if you run it in a virtual machine if you " -"do not trust the host computer, Tails is not magical!" +" Only run Tails in a virtual machine if leaving traces on the hard disk\n" +" is not a concern for you.\n" msgstr "" -"C'est pourquoi Tails tient à vous prévenir, si vous utilisez une machine " -"virtuelle. N'espérez pas que Tails vous protège si vous l'utilisez sur une " -"machine virtuelle et que vous ne faites pas confiance à l'ordinateur hôte. " -"Tails ne peut pas faire de miracle !" +" N'utilisez Tails dans une machine virtuelle que si laisser des traces sur le\n" +" disque dur n'est pas un problème pour vous.\n" #. type: Plain text msgid "" -"If you read this warning while you are not aware to be using a virtual " -"machine: there could be a [[bug|support/found_a_problem]] in the " -"virtualization detection software Tails uses... or something really weird is " -"happening." +"This is why Tails warns you when it is running inside a virtual machine." msgstr "" -"Si vous lisez cet avertissement alors que vous n'êtes pas au courant que " -"vous utilisez une machine virtuelle : il pourrait y avoir un [[bug|support/" -"found_a_problem]] dans le logiciel de détection de virtualisation que Tails " -"utilise... Ou bien quelque chose de vraiment étrange est en train de se " -"produire." +"C'est pourquoi Tails vous avertit quand il est lancé dans une machine " +"virtuelle." #. type: Plain text msgid "" -"If you are unsure, and if you can afford it, run Tails from a DVD, USB stick " -"or SD card instead." +"The Tails virtual machine does not modify the behaviour of the host " +"operating system and the network traffic of the host is not anonymized. The " +"MAC address of the computer is not modified by the [[MAC address spoofing|" +"first_steps/startup_options/mac_spoofing]] feature of Tails when run in a " +"virtual machine." +msgstr "" +"La machine virtuelle Tails ne modifie pas le comportement du système " +"d'exploitation hôte et le trafic réseau de l'hôte n'est pas anonymisé. " +"L'adresse MAC de l'ordinateur n'est pas modifiée par la fonctionnalité " +"d'[[usurpation d'adresse MAC|first_steps/startup_options/mac_spoofing]] de " +"Tails si celui-ci est lancé dans une machine virtuelle." + +#. type: Plain text +#, no-wrap +msgid "<a id=\"software\"></a>\n" msgstr "" -"Si vous n'êtes pas sûr, et si vous pouvez vous le permettre, utilisez Tails " -"depuis un DVD, une clé USB ou un carte SD." #. type: Title = #, no-wrap -msgid "Tips and tricks\n" -msgstr "Astuces\n" +msgid "Virtualization solutions\n" +msgstr "Solutions de virtualisation\n" + +#. type: Plain text +msgid "" +"To run Tails inside a virtual machine, you need to have virtualization " +"software installed on the host operating system. Different virtualization " +"software exist for Linux, Windows, and Mac OS X." +msgstr "" +"Pour faire tourner Tails dans une machine virtuelle, vous avez besoin d'un " +"logiciel de virtualisation installé sur le système d'exploitation hôte. " +"Différents logiciels de virtualisation existent pour Linux, Windows, et Mac " +"OS X." + +#. type: Plain text +#, no-wrap +msgid "" +"<p>The following list includes only free software as we believe that\n" +"this is a necessary condition for it to be trustworthy. See the\n" +"[[previous warning|virtualization#trustworthy]] and our statement about\n" +"[[free software and public scrutiny|about/trust#free_software]].</p>\n" +msgstr "" +"<p>La liste suivante contient seulement des logiciels libres car nous croyons\n" +"que c'est une condition nécessaire pour leurs faire confiance. Voir\n" +"l'[[avertissement précédent|virtualization#trustworthy]] et notre déclaration sur les\n" +"[[logiciels libres et l'examen publique|about/trust#free_software]].</p>\n" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>Proprietary virtualization software solutions exist such as <span\n" +"class=\"application\">VMWare</span> but are not listed here on\n" +"purpose.</p>\n" +msgstr "" +"<p>Des logiciels propriétaires de virtualisation existent, tels que <span\n" +"class=\"application\">VMWare</span>, mais ils ne sont pas listés ici\n" +"à dessein.</p>\n" + +#. type: Bullet: ' - ' +msgid "" +"*VirtualBox* is available for Linux, Windows, and Mac. Its free software " +"version does not include support for USB devices and does not allow to use a " +"persistent volume." +msgstr "" +"*VirtualBox* est disponible pour Linux, Windows, et Mac. Sa version libre " +"n'inclut pas la gestion des périphériques USB et ne permet pas d'utiliser la " +"persistance." #. type: Plain text +#, no-wrap +msgid " [[See the corresponding documentation.|virtualbox]]\n" +msgstr " [[Voir la documentation correspondante.|virtualbox]]\n" + +#. type: Bullet: ' - ' msgid "" -"Some [[tips]] can help making the host operating system and virtualization " -"software a tiny bit more secure." +"*GNOME Boxes* is available for Linux. It has a simple user interface but " +"does not allow to use a persistent volume." msgstr "" -"Plusieurs [[astuces|tips]] peuvent aider à rendre le système d'exploitation " -"hôte un peu plus sécurisé." +"*GNOME Boxes* est disponible pour Linux. Son interface utilisateur est " +"simple mais il ne permet pas l'utilisation de la persistance." #. type: Plain text +#, no-wrap +msgid " [[See the corresponding documentation.|boxes]]\n" +msgstr " [[Voir la documentation correspondante.|boxes]]\n" + +#. type: Bullet: ' - ' msgid "" -"In the future, it will be possible to easily start [[Tails within Windows]]." +"*virt-manager* is available for Linux. It has a more complex user interface " +"and allows to use a persistent volume, either by:" msgstr "" -"À l'avenir, il sera possible de lancer facilement [[Tails sous Windows|" -"tails_within_windows]]." +"*virt-manager* est disponible pour Linux. Il a une interface utilisateur " +"plus complexe et permet l'utilisation de la persistance, soit en :" + +#. type: Bullet: ' - ' +msgid "Starting Tails from a USB stick or SD card." +msgstr "Démarrant Tails depuis une clé USB ou une carte SD." + +#. type: Bullet: ' - ' +msgid "" +"Creating a virtual USB storage volume saved as a single file on the host " +"operating system." +msgstr "" +"En créant une volume de stockage USB virtuel sauvegardé dans un unique " +"fichier sur le système d'exploitation hôte." + +#. type: Plain text +#, no-wrap +msgid " [[See the corresponding documentation.|virt-manager]]\n" +msgstr " [[Voir la documentation correspondante.|virt-manager]]\n" + +#~ msgid "" +#~ "Certain users might not want to restart the computer every time they wish " +#~ "to use the Internet anonymously with Tails. For those, a so called " +#~ "[virtual machine](http://en.wikipedia.org/wiki/Virtual_machine) can be " +#~ "used to run Tails inside the \"host\" operating system installed on the " +#~ "computer (e.g. Microsoft Windows, Mac OS X, etc.). Essentially these " +#~ "programs emulate real computers that you can run \"guest\" operating " +#~ "systems (in this case Tails) in so they appear in a window within the " +#~ "host operating system. Using one of these technologies allows for " +#~ "convenient access to Tails's features in a protected environment while " +#~ "you at the same time have access to your normal operation system." +#~ msgstr "" +#~ "Certains utilisateurs pourraient ne pas vouloir redémarrer l'ordinateur à " +#~ "chaque fois qu'ils souhaitent utiliser internet anonymement avec Tails. " +#~ "Pour ces personnes, une [machine virtuelle](http://fr.wikipedia.org/wiki/" +#~ "machine_virtuelle) peut être utilisée pour démarrer Tails à l'intérieur " +#~ "du système d'exploitation \"hôte\" installé dans l'ordinateur (e.x. " +#~ "Microsoft Windows, Mac OS X, etc.). Globalement, ces programmes simulent " +#~ "des ordinateurs réels à l'intérieur desquels vous pouvez démarrer des " +#~ "systèmes d'exploitation \"invités\" (dans ce cas Tails). Ils apparaissent " +#~ "alors dans une fenêtre à l'intérieur du système d'exploitation hôte. " +#~ "Utiliser une de ces technologies permet un accès commode aux " +#~ "fonctionnalités de Tails dans un environnement protégé tout en ayant " +#~ "accès à votre système d'exploitation habituel." + +#~ msgid "There are a few security issues with this approach though." +#~ msgstr "" +#~ "Cependant, il y a certains problèmes de sécurité lorsque l'on choisit " +#~ "cette technique." + +#~ msgid "Moreover traces are likely to be left on the local hard disk." +#~ msgstr "" +#~ "De plus, des traces pourront potentiellement être laissées sur votre " +#~ "disque dur local." + +#~ msgid "" +#~ "As such, this is only recommended when the other alternative is not an " +#~ "option or when you are absolutely sure that your host system is clean." +#~ msgstr "" +#~ "Ainsi, cette pratique n'est recommandée que s'il n'y a pas d'alternative, " +#~ "ou si vous êtes absolument certain que votre système hôte est sûr et " +#~ "propre." + +#~ msgid "" +#~ "That's why Tails warns you when you are running it inside a virtual " +#~ "machine. Do not expect Tails to protect you if you run it in a virtual " +#~ "machine if you do not trust the host computer, Tails is not magical!" +#~ msgstr "" +#~ "C'est pourquoi Tails tient à vous prévenir, si vous utilisez une machine " +#~ "virtuelle. N'espérez pas que Tails vous protège si vous l'utilisez sur " +#~ "une machine virtuelle et que vous ne faites pas confiance à l'ordinateur " +#~ "hôte. Tails ne peut pas faire de miracle !" + +#~ msgid "" +#~ "If you read this warning while you are not aware to be using a virtual " +#~ "machine: there could be a [[bug|support/found_a_problem]] in the " +#~ "virtualization detection software Tails uses... or something really weird " +#~ "is happening." +#~ msgstr "" +#~ "Si vous lisez cet avertissement alors que vous n'êtes pas au courant que " +#~ "vous utilisez une machine virtuelle : il pourrait y avoir un [[bug|" +#~ "support/found_a_problem]] dans le logiciel de détection de virtualisation " +#~ "que Tails utilise... Ou bien quelque chose de vraiment étrange est en " +#~ "train de se produire." + +#~ msgid "" +#~ "If you are unsure, and if you can afford it, run Tails from a DVD, USB " +#~ "stick or SD card instead." +#~ msgstr "" +#~ "Si vous n'êtes pas sûr, et si vous pouvez vous le permettre, utilisez " +#~ "Tails depuis un DVD, une clé USB ou un carte SD." + +#~ msgid "Tips and tricks\n" +#~ msgstr "Astuces\n" + +#~ msgid "" +#~ "Some [[tips]] can help making the host operating system and " +#~ "virtualization software a tiny bit more secure." +#~ msgstr "" +#~ "Plusieurs [[astuces|tips]] peuvent aider à rendre le système " +#~ "d'exploitation hôte un peu plus sécurisé." + +#~ msgid "" +#~ "In the future, it will be possible to easily start [[Tails within " +#~ "Windows]]." +#~ msgstr "" +#~ "À l'avenir, il sera possible de lancer facilement [[Tails sous Windows|" +#~ "tails_within_windows]]." #~ msgid "" #~ "There are a few security issues with this approach though. The main issue " diff --git a/wiki/src/doc/advanced_topics/virtualization.mdwn b/wiki/src/doc/advanced_topics/virtualization.mdwn index 137b1b0c156df52b66e8e01a4e233288e8e1c148..6f7c405882937de0762c616cd02b55cd775e5224 100644 --- a/wiki/src/doc/advanced_topics/virtualization.mdwn +++ b/wiki/src/doc/advanced_topics/virtualization.mdwn @@ -2,52 +2,124 @@ [[!toc levels=2]] -Certain users might not want to restart the computer every time they -wish to use the Internet anonymously with Tails. For those, a so -called [virtual machine](http://en.wikipedia.org/wiki/Virtual_machine) -can be used to run Tails inside the "host" operating system -installed on the computer (e.g. Microsoft Windows, Mac OS X, etc.). -Essentially these programs emulate real computers that you can run -"guest" operating systems (in this case Tails) in so they appear in -a window within the host operating system. Using one of these -technologies allows for convenient access to Tails's features in a -protected environment while you at the same time have access to your -normal operation system. +It is sometimes convenient to be able to run Tails without having to +restart your computer every time. This is possible using +[[!wikipedia Virtual_machine desc="virtual machines"]]. -Security issues -=============== +With virtual machines, it is possible to run Tails inside a *host* +operating system (Linux, Windows, or Mac OS X). A virtual machine +emulates a real computer and its operating system, called *guest* which +appears in a window on the *host* operating system. -There are a few security issues with this approach though. +When running Tails in a virtual machine, you can use most features of +Tails from your usual operating system and use both in parallel +without the need to restart the computer. -When running Tails inside a virtual machine, both the host operating system -and the virtualization software are able to monitor what you are doing in -Tails. +This is how Tails looks like when run in a virtual machine on Debian using *VirtualBox*: -The main issue is if the host operating system is compromised with a software -keylogger or other malware, which Tails does not provide any protection against -– in fact, that is impossible. +[[!img tails-in-jessie.png alt="Tails running in a VirtuaBox window inside a Debian desktop with GNOME 3" link=no]] -Moreover traces are likely to be left on the local hard disk. +<div class="note"> -As such, this is only recommended when the other alternative is not an option -or when you are absolutely sure that your host system is clean. +<p>We do not currently provide a solution for running a virtual machine +inside a Tails host. See [[!tails_ticket 5606]].</p> -That's why Tails warns you when you are running it inside a virtual -machine. Do not expect Tails to protect you if you run it in a virtual -machine if you do not trust the host computer, Tails is not magical! +</div> -If you read this warning while you are not aware to be using a virtual -machine: there could be a [[bug|support/found_a_problem]] in the -virtualization detection software Tails uses... or something really -weird is happening. +<a id="security"></a> -If you are unsure, and if you can afford it, run Tails from a DVD, -USB stick or SD card instead. +Security considerations +======================= -Tips and tricks -=============== +<div class="caution"> -Some [[tips]] can help making the host -operating system and virtualization software a tiny bit more secure. +Running Tails inside a virtual machine has various security +implications. Depending on the host operating system and your security +needs, running Tails in a virtual machine might be dangerous. -In the future, it will be possible to easily start [[Tails within Windows]]. +</div> + +<a id="trustworthy"></a> + + - Both the host operating system and the [[virtualization + software|virtualization#software]] are able to monitor what you are + doing in Tails. + + If the host operating system is compromised with a software + keylogger or other malware, then it can break the security features + of Tails. + + <div class="caution"> + + Only run Tails in a virtual machine if the host operating system is + trustworthy. + + </div> + +<a id="traces"></a> + + - Traces of your Tails session are likely to be left on the local hard + disk. For example, host operating systems usually use swapping (or *paging*) which + copies part of the RAM to the hard disk. + + <div class="caution"> + + Only run Tails in a virtual machine if leaving traces on the hard disk + is not a concern for you. + + </div> + +This is why Tails warns you when it is running inside a virtual machine. + +<div class="note"> + +The Tails virtual machine does not modify the behaviour of the host +operating system and the network traffic of the host is not anonymized. The MAC +address of the computer is not modified by the [[MAC address +spoofing|first_steps/startup_options/mac_spoofing]] feature of Tails +when run in a virtual machine. + +</div> + +<a id="software"></a> + +Virtualization solutions +======================== + +To run Tails inside a virtual machine, you need to have +virtualization software installed on the host operating system. +Different virtualization software exist for Linux, Windows, and Mac OS X. + +<div class="note"> + +<p>The following list includes only free software as we believe that +this is a necessary condition for it to be trustworthy. See the +[[previous warning|virtualization#trustworthy]] and our statement about +[[free software and public scrutiny|about/trust#free_software]].</p> + +<p>Proprietary virtualization software solutions exist such as <span +class="application">VMWare</span> but are not listed here on +purpose.</p> + +</div> + + - *VirtualBox* is available for Linux, Windows, and Mac. Its + free software version does not include support for USB devices and + does not allow to use a persistent volume. + + [[See the corresponding documentation.|virtualbox]] + + - *GNOME Boxes* is available for Linux. It has a simple user + interface but does not allow to use a persistent volume. + + [[See the corresponding documentation.|boxes]] + + - *virt-manager* is available for Linux. It has a more + complex user interface and allows to use a persistent volume, either + by: + + - Starting Tails from a USB stick or SD card. + - Creating a virtual USB storage volume saved as a single file on the host + operating system. + + [[See the corresponding documentation.|virt-manager]] diff --git a/wiki/src/doc/advanced_topics/virtualization.pt.po b/wiki/src/doc/advanced_topics/virtualization.pt.po index c9547fcf27ffb6d0863f77ac01c6082ae500f3b3..1d2a701c88c4f187b64db39402665b38d27298e8 100644 --- a/wiki/src/doc/advanced_topics/virtualization.pt.po +++ b/wiki/src/doc/advanced_topics/virtualization.pt.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2013-10-24 01:48+0300\n" +"POT-Creation-Date: 2015-02-10 13:52+0100\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -28,84 +28,219 @@ msgstr "" #. type: Plain text msgid "" -"Certain users might not want to restart the computer every time they wish to " -"use the Internet anonymously with Tails. For those, a so called [virtual " -"machine](http://en.wikipedia.org/wiki/Virtual_machine) can be used to run " -"Tails inside the \"host\" operating system installed on the computer (e.g. " -"Microsoft Windows, Mac OS X, etc.). Essentially these programs emulate real " -"computers that you can run \"guest\" operating systems (in this case Tails) " -"in so they appear in a window within the host operating system. Using one of " -"these technologies allows for convenient access to Tails's features in a " -"protected environment while you at the same time have access to your normal " -"operation system." +"It is sometimes convenient to be able to run Tails without having to restart " +"your computer every time. This is possible using [[!wikipedia " +"Virtual_machine desc=\"virtual machines\"]]." +msgstr "" + +#. type: Plain text +msgid "" +"With virtual machines, it is possible to run Tails inside a *host* operating " +"system (Linux, Windows, or Mac OS X). A virtual machine emulates a real " +"computer and its operating system, called *guest* which appears in a window " +"on the *host* operating system." +msgstr "" + +#. type: Plain text +msgid "" +"When running Tails in a virtual machine, you can use most features of Tails " +"from your usual operating system and use both in parallel without the need " +"to restart the computer." +msgstr "" + +#. type: Plain text +msgid "" +"This is how Tails looks like when run in a virtual machine on Debian using " +"*VirtualBox*:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!img tails-in-jessie.png alt=\"Tails running in a VirtuaBox window inside a Debian desktop with GNOME 3\" link=no]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"note\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>We do not currently provide a solution for running a virtual machine\n" +"inside a Tails host. See [[!tails_ticket 5606]].</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"security\"></a>\n" msgstr "" #. type: Title = #, no-wrap -msgid "Security issues\n" +msgid "Security considerations\n" msgstr "" #. type: Plain text -msgid "There are a few security issues with this approach though." +#, no-wrap +msgid "<div class=\"caution\">\n" msgstr "" #. type: Plain text msgid "" -"When running Tails inside a virtual machine, both the host operating system " -"and the virtualization software are able to monitor what you are doing in " -"Tails." +"Running Tails inside a virtual machine has various security implications. " +"Depending on the host operating system and your security needs, running " +"Tails in a virtual machine might be dangerous." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"trustworthy\"></a>\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Both the host operating system and the [[virtualization software|" +"virtualization#software]] are able to monitor what you are doing in Tails." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" If the host operating system is compromised with a software\n" +" keylogger or other malware, then it can break the security features\n" +" of Tails.\n" msgstr "" #. type: Plain text +#, no-wrap +msgid " <div class=\"caution\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap msgid "" -"The main issue is if the host operating system is compromised with a " -"software keylogger or other malware, which Tails does not provide any " -"protection against – in fact, that is impossible." +" Only run Tails in a virtual machine if the host operating system is\n" +" trustworthy.\n" msgstr "" #. type: Plain text -msgid "Moreover traces are likely to be left on the local hard disk." +#, no-wrap +msgid " </div>\n" msgstr "" #. type: Plain text +#, no-wrap +msgid "<a id=\"traces\"></a>\n" +msgstr "" + +#. type: Bullet: ' - ' msgid "" -"As such, this is only recommended when the other alternative is not an " -"option or when you are absolutely sure that your host system is clean." +"Traces of your Tails session are likely to be left on the local hard disk. " +"For example, host operating systems usually use swapping (or *paging*) which " +"copies part of the RAM to the hard disk." msgstr "" #. type: Plain text +#, no-wrap msgid "" -"That's why Tails warns you when you are running it inside a virtual machine. " -"Do not expect Tails to protect you if you run it in a virtual machine if you " -"do not trust the host computer, Tails is not magical!" +" Only run Tails in a virtual machine if leaving traces on the hard disk\n" +" is not a concern for you.\n" msgstr "" #. type: Plain text msgid "" -"If you read this warning while you are not aware to be using a virtual " -"machine: there could be a [[bug|support/found_a_problem]] in the " -"virtualization detection software Tails uses... or something really weird is " -"happening." +"This is why Tails warns you when it is running inside a virtual machine." msgstr "" #. type: Plain text msgid "" -"If you are unsure, and if you can afford it, run Tails from a DVD, USB stick " -"or SD card instead." +"The Tails virtual machine does not modify the behaviour of the host " +"operating system and the network traffic of the host is not anonymized. The " +"MAC address of the computer is not modified by the [[MAC address spoofing|" +"first_steps/startup_options/mac_spoofing]] feature of Tails when run in a " +"virtual machine." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"software\"></a>\n" msgstr "" #. type: Title = #, no-wrap -msgid "Tips and tricks\n" +msgid "Virtualization solutions\n" +msgstr "" + +#. type: Plain text +msgid "" +"To run Tails inside a virtual machine, you need to have virtualization " +"software installed on the host operating system. Different virtualization " +"software exist for Linux, Windows, and Mac OS X." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>The following list includes only free software as we believe that\n" +"this is a necessary condition for it to be trustworthy. See the\n" +"[[previous warning|virtualization#trustworthy]] and our statement about\n" +"[[free software and public scrutiny|about/trust#free_software]].</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>Proprietary virtualization software solutions exist such as <span\n" +"class=\"application\">VMWare</span> but are not listed here on\n" +"purpose.</p>\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"*VirtualBox* is available for Linux, Windows, and Mac. Its free software " +"version does not include support for USB devices and does not allow to use a " +"persistent volume." msgstr "" #. type: Plain text +#, no-wrap +msgid " [[See the corresponding documentation.|virtualbox]]\n" +msgstr "" + +#. type: Bullet: ' - ' msgid "" -"Some [[tips]] can help making the host operating system and virtualization " -"software a tiny bit more secure." +"*GNOME Boxes* is available for Linux. It has a simple user interface but " +"does not allow to use a persistent volume." msgstr "" #. type: Plain text +#, no-wrap +msgid " [[See the corresponding documentation.|boxes]]\n" +msgstr "" + +#. type: Bullet: ' - ' msgid "" -"In the future, it will be possible to easily start [[Tails within Windows]]." +"*virt-manager* is available for Linux. It has a more complex user interface " +"and allows to use a persistent volume, either by:" +msgstr "" + +#. type: Bullet: ' - ' +msgid "Starting Tails from a USB stick or SD card." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Creating a virtual USB storage volume saved as a single file on the host " +"operating system." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " [[See the corresponding documentation.|virt-manager]]\n" msgstr "" diff --git a/wiki/src/doc/advanced_topics/virtualization/boxes.de.po b/wiki/src/doc/advanced_topics/virtualization/boxes.de.po new file mode 100644 index 0000000000000000000000000000000000000000..054539ed68e0a255193fa547bdaaebe7c54ecd88 --- /dev/null +++ b/wiki/src/doc/advanced_topics/virtualization/boxes.de.po @@ -0,0 +1,146 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-02-27 16:14+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"GNOME Boxes\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"[<span class=\"application\">GNOME Boxes</span>](https://wiki.gnome.org/Boxes) aims at providing a simple\n" +"interface to create and use virtual machines for Linux with GNOME.\n" +"*GNOME Boxes* does not allow to use a persistent volume.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"doc/advanced_topics/virtualization.caution\" raw=\"yes\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"note\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<p>The following instructions have been tested on Debian Jessie.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Installation\n" +msgstr "" + +#. type: Plain text +msgid "" +"To install *GNOME Boxes* in Debian or Ubuntu, execute the following command:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " sudo apt-get install gnome-boxes\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Running Tails from an ISO image\n" +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "Start *GNOME Boxes*." +msgstr "" + +#. type: Bullet: ' 2. ' +msgid "Click on the **New** button on the top of the window." +msgstr "" + +#. type: Bullet: ' 3. ' +msgid "" +"In the **Source Selection** dialog, choose **Select a file** and browse for " +"the ISO image that you want to start from." +msgstr "" + +#. type: Bullet: ' 4. ' +msgid "" +"In the **Review** dialog, click on the **Create** button on the top of the " +"window." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Shared clipboard\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"caution\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>The shared clipboard of <span class=\"application\">GNOME Boxes</span>\n" +"is enabled by default. This can allow sensitive data to be copied by\n" +"mistake from the virtual machine onto the host operating system or vice\n" +"versa.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<p>We recommend you to disable the shared clipboard.</p>\n" +msgstr "" + +#. type: Plain text +msgid "To disable the shared clipboard:" +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "Click on the" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " [[!img preferences-system-symbolic.png alt=\"Preferences\" class=symbolic link=no]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" button on the top-right corner of the window.\n" +" 2. Select the **Display** screen in the left pane.\n" +" 3. Deactivate **Share clipboard** in the right pane.\n" +" 4. Click on the\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " [[!img go-previous-symbolic.png alt=\"Previous\" class=symbolic link=no]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " button to go back to the display of the virtual machine.\n" +msgstr "" diff --git a/wiki/src/doc/advanced_topics/virtualization/boxes.fr.po b/wiki/src/doc/advanced_topics/virtualization/boxes.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..5c6cf0035c90b35988a5504959f6d2bc41e26590 --- /dev/null +++ b/wiki/src/doc/advanced_topics/virtualization/boxes.fr.po @@ -0,0 +1,176 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-02-27 16:14+0100\n" +"PO-Revision-Date: 2015-02-21 15:24-0000\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Generator: Poedit 1.5.4\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"GNOME Boxes\"]]\n" +msgstr "[[!meta title=\"GNOME Boxes\"]]\n" + +#. type: Plain text +#, no-wrap +msgid "" +"[<span class=\"application\">GNOME Boxes</span>](https://wiki.gnome.org/Boxes) aims at providing a simple\n" +"interface to create and use virtual machines for Linux with GNOME.\n" +"*GNOME Boxes* does not allow to use a persistent volume.\n" +msgstr "" +"[<span class=\"application\">GNOME Boxes</span>](https://wiki.gnome.org/Boxes) vise à fournir une interface\n" +"simple pour créer et utiliser des machines virtuelles pour Linux avec GNOME.\n" +"*GNOME Boxes* ne permet pas d'utiliser la persistance.\n" + +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"doc/advanced_topics/virtualization.caution\" raw=\"yes\"]]\n" +msgstr "[[!inline pages=\"doc/advanced_topics/virtualization.caution.fr\" raw=\"yes\"]]\n" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"note\">\n" +msgstr "<div class=\"note\">\n" + +#. type: Plain text +#, no-wrap +msgid "<p>The following instructions have been tested on Debian Jessie.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "</div>\n" + +#. type: Title = +#, no-wrap +msgid "Installation\n" +msgstr "Installation\n" + +#. type: Plain text +msgid "" +"To install *GNOME Boxes* in Debian or Ubuntu, execute the following command:" +msgstr "" +"Pour installer *GNOME Boxes* dans Debian ou Ubuntu, exécuter la commande " +"suivante :" + +#. type: Plain text +#, no-wrap +msgid " sudo apt-get install gnome-boxes\n" +msgstr " sudo apt-get install gnome-boxes\n" + +#. type: Title = +#, no-wrap +msgid "Running Tails from an ISO image\n" +msgstr "Lancer Tails depuis une image ISO\n" + +#. type: Bullet: ' 1. ' +msgid "Start *GNOME Boxes*." +msgstr "Lancer *GNOME Boxes*." + +#. type: Bullet: ' 2. ' +msgid "Click on the **New** button on the top of the window." +msgstr "Cliquer sur le bouton **Nouveau** en haut de la fenêtre." + +#. type: Bullet: ' 3. ' +msgid "" +"In the **Source Selection** dialog, choose **Select a file** and browse for " +"the ISO image that you want to start from." +msgstr "" +"Dans la section **Sélection de la source**, choisir **sélectionner un " +"fichier** et naviguer jusqu'à l'image ISO que vous voulez lancer." + +#. type: Bullet: ' 4. ' +msgid "" +"In the **Review** dialog, click on the **Create** button on the top of the " +"window." +msgstr "" +"Dans la section **Résumé**, cliquer sur le bouton **Créer** en haut de la " +"fenêtre." + +#. type: Title = +#, no-wrap +msgid "Shared clipboard\n" +msgstr "Presse-papier partagé\n" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"caution\">\n" +msgstr "<div class=\"caution\">\n" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>The shared clipboard of <span class=\"application\">GNOME Boxes</span>\n" +"is enabled by default. This can allow sensitive data to be copied by\n" +"mistake from the virtual machine onto the host operating system or vice\n" +"versa.</p>\n" +msgstr "" +"<p>Le presse-papier partagé de <span class=\"application\">GNOME Boxes</span>\n" +"est activé par défaut. Cela peut permettre la copie par erreur de données sensibles\n" +"depuis la machine virtuelle vers le système d'exploitation hôte et\n" +"inversement.</p>\n" + +#. type: Plain text +#, no-wrap +msgid "<p>We recommend you to disable the shared clipboard.</p>\n" +msgstr "<p>Nous vous recommandons de désactiver le presse-papier partagé.</p>\n" + +#. type: Plain text +msgid "To disable the shared clipboard:" +msgstr "Pour désactiver le presse-papier partagé :" + +#. type: Bullet: ' 1. ' +msgid "Click on the" +msgstr "Cliquer sur le bouton" + +#. type: Plain text +#, no-wrap +msgid " [[!img preferences-system-symbolic.png alt=\"Preferences\" class=symbolic link=no]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" button on the top-right corner of the window.\n" +" 2. Select the **Display** screen in the left pane.\n" +" 3. Deactivate **Share clipboard** in the right pane.\n" +" 4. Click on the\n" +msgstr "" +" en haut à droite de la fenêtre.\n" +" 2. Sélectionner l'écran **Affichage** dans la partie gauche.\n" +" 3. Désactiver **Presse-papier** dans la partie droite.\n" +" 4. Cliquer sur le\n" + +#. type: Plain text +#, no-wrap +msgid " [[!img go-previous-symbolic.png alt=\"Previous\" class=symbolic link=no]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " button to go back to the display of the virtual machine.\n" +msgstr " bouton pour revenir à l’affichage de la machine virtuelle.\n" + +#~ msgid "" +#~ "<p>In Debian Wheezy, Ubuntu 14.04, and earlier,\n" +#~ "<span class=\"application\">GNOME Boxes</span> allocates only 512 MiB of\n" +#~ "RAM to new virtual machines by default. This is too little to allow\n" +#~ "Tails to run smoothly. We recommend you to reconfigure the virtual\n" +#~ "machine and allocate at least 1 GiB of RAM.</p>\n" +#~ msgstr "" +#~ "<p>Dans Debian Wheezy, Ubuntu 14.04, et versions plus anciennes,\n" +#~ "<span class=\"application\">GNOME Boxes</span> alloue seulement 512 MiB de\n" +#~ "RAM à la nouvelle machine virtuelle par défaut. C'est trop peu pour permettre à\n" +#~ "Tails de fonctionner correctement. Nous vous recommandons de reconfigurer\n" +#~ "la machine virtuelle et d'allouer 1 GiB de RAM.</p>\n" diff --git a/wiki/src/doc/advanced_topics/virtualization/boxes.mdwn b/wiki/src/doc/advanced_topics/virtualization/boxes.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..506a8d45a2410f5609f976803ec2a92ef81e5f2c --- /dev/null +++ b/wiki/src/doc/advanced_topics/virtualization/boxes.mdwn @@ -0,0 +1,56 @@ +[[!meta title="GNOME Boxes"]] + +[<span class="application">GNOME Boxes</span>](https://wiki.gnome.org/Boxes) aims at providing a simple +interface to create and use virtual machines for Linux with GNOME. +*GNOME Boxes* does not allow to use a persistent volume. + +[[!inline pages="doc/advanced_topics/virtualization.caution" raw="yes"]] + +<div class="note"> + +<p>The following instructions have been tested on Debian Jessie.</p> + +</div> + +Installation +============ + +To install *GNOME Boxes* in Debian or Ubuntu, execute the following +command: + + sudo apt-get install gnome-boxes + +Running Tails from an ISO image +=============================== + + 1. Start *GNOME Boxes*. + 2. Click on the **New** button on the top of the window. + 3. In the **Source Selection** dialog, choose **Select a file** and + browse for the ISO image that you want to start from. + 4. In the **Review** dialog, click on the **Create** button on the top + of the window. + +Shared clipboard +================ + +<div class="caution"> + +<p>The shared clipboard of <span class="application">GNOME Boxes</span> +is enabled by default. This can allow sensitive data to be copied by +mistake from the virtual machine onto the host operating system or vice +versa.</p> + +<p>We recommend you to disable the shared clipboard.</p> + +</div> + +To disable the shared clipboard: + + 1. Click on the + [[!img preferences-system-symbolic.png alt="Preferences" class=symbolic link=no]] + button on the top-right corner of the window. + 2. Select the **Display** screen in the left pane. + 3. Deactivate **Share clipboard** in the right pane. + 4. Click on the + [[!img go-previous-symbolic.png alt="Previous" class=symbolic link=no]] + button to go back to the display of the virtual machine. diff --git a/wiki/src/doc/advanced_topics/virtualization/boxes.pt.po b/wiki/src/doc/advanced_topics/virtualization/boxes.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..054539ed68e0a255193fa547bdaaebe7c54ecd88 --- /dev/null +++ b/wiki/src/doc/advanced_topics/virtualization/boxes.pt.po @@ -0,0 +1,146 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-02-27 16:14+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"GNOME Boxes\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"[<span class=\"application\">GNOME Boxes</span>](https://wiki.gnome.org/Boxes) aims at providing a simple\n" +"interface to create and use virtual machines for Linux with GNOME.\n" +"*GNOME Boxes* does not allow to use a persistent volume.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"doc/advanced_topics/virtualization.caution\" raw=\"yes\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"note\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<p>The following instructions have been tested on Debian Jessie.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Installation\n" +msgstr "" + +#. type: Plain text +msgid "" +"To install *GNOME Boxes* in Debian or Ubuntu, execute the following command:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " sudo apt-get install gnome-boxes\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Running Tails from an ISO image\n" +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "Start *GNOME Boxes*." +msgstr "" + +#. type: Bullet: ' 2. ' +msgid "Click on the **New** button on the top of the window." +msgstr "" + +#. type: Bullet: ' 3. ' +msgid "" +"In the **Source Selection** dialog, choose **Select a file** and browse for " +"the ISO image that you want to start from." +msgstr "" + +#. type: Bullet: ' 4. ' +msgid "" +"In the **Review** dialog, click on the **Create** button on the top of the " +"window." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Shared clipboard\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"caution\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>The shared clipboard of <span class=\"application\">GNOME Boxes</span>\n" +"is enabled by default. This can allow sensitive data to be copied by\n" +"mistake from the virtual machine onto the host operating system or vice\n" +"versa.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<p>We recommend you to disable the shared clipboard.</p>\n" +msgstr "" + +#. type: Plain text +msgid "To disable the shared clipboard:" +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "Click on the" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " [[!img preferences-system-symbolic.png alt=\"Preferences\" class=symbolic link=no]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" button on the top-right corner of the window.\n" +" 2. Select the **Display** screen in the left pane.\n" +" 3. Deactivate **Share clipboard** in the right pane.\n" +" 4. Click on the\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " [[!img go-previous-symbolic.png alt=\"Previous\" class=symbolic link=no]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " button to go back to the display of the virtual machine.\n" +msgstr "" diff --git a/wiki/src/doc/advanced_topics/virtualization/go-previous-symbolic.png b/wiki/src/doc/advanced_topics/virtualization/go-previous-symbolic.png new file mode 100644 index 0000000000000000000000000000000000000000..81735f6191db038c8f5750d3e47581aa57957cac Binary files /dev/null and b/wiki/src/doc/advanced_topics/virtualization/go-previous-symbolic.png differ diff --git a/wiki/src/doc/advanced_topics/virtualization/media-playback-start.png b/wiki/src/doc/advanced_topics/virtualization/media-playback-start.png new file mode 100644 index 0000000000000000000000000000000000000000..7d39b2f4085823464111e8294017eb963bc1e515 Binary files /dev/null and b/wiki/src/doc/advanced_topics/virtualization/media-playback-start.png differ diff --git a/wiki/src/doc/advanced_topics/virtualization/preferences-system-symbolic.png b/wiki/src/doc/advanced_topics/virtualization/preferences-system-symbolic.png new file mode 100644 index 0000000000000000000000000000000000000000..eb48d9acad4dfe6754cdbd21d12cc02fc33582c4 Binary files /dev/null and b/wiki/src/doc/advanced_topics/virtualization/preferences-system-symbolic.png differ diff --git a/wiki/src/doc/advanced_topics/virtualization/tails-in-jessie.png b/wiki/src/doc/advanced_topics/virtualization/tails-in-jessie.png new file mode 100644 index 0000000000000000000000000000000000000000..2df36d4475d145a680fc953e60446f279b8b63ba Binary files /dev/null and b/wiki/src/doc/advanced_topics/virtualization/tails-in-jessie.png differ diff --git a/wiki/src/doc/advanced_topics/virtualization/tails_within_windows.de.po b/wiki/src/doc/advanced_topics/virtualization/tails_within_windows.de.po deleted file mode 100644 index d101b0198d709f6f615e246102d9b7706cab21a2..0000000000000000000000000000000000000000 --- a/wiki/src/doc/advanced_topics/virtualization/tails_within_windows.de.po +++ /dev/null @@ -1,49 +0,0 @@ -# SOME DESCRIPTIVE TITLE -# Copyright (C) YEAR Free Software Foundation, Inc. -# This file is distributed under the same license as the PACKAGE package. -# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. -# -#, fuzzy -msgid "" -msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2011-06-18 22:40+0300\n" -"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" -"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" -"Language-Team: LANGUAGE <LL@li.org>\n" -"Language: \n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" - -#. type: Plain text -#, no-wrap -msgid "[[!meta title=\"Running Tails from within Microsoft Windows\"]]\n" -msgstr "" - -#. type: Plain text -#, no-wrap -msgid "" -"**FIXME**: This section have not been adapted from old incognito documentation\n" -"now so please do not take it into account. It is currently possible to start\n" -"Tails under Windows with QEMU.\n" -msgstr "" - -#. type: Plain text -msgid "" -"Thanks to QEMU, Tails can be run within Microsoft Windows without the need to " -"restart the computer. QEMU ships with Tails, and is set up so you only have " -"to insert the media when Windows is running and a menu should appear with the " -"option to start Tails through it. This is especially useful when you are " -"using a computer you are not allowed to shut-down, which can be the case for " -"public computers in certain Internet cafés, libraries or other public " -"computers. Also, for some some general remarks on QEMU and Tails, and some " -"security concerns about this mode of operation, see the above section on " -"[[virtualization]]." -msgstr "" - -#. type: Plain text -msgid "" -"Since the Tails developers do not have access to any Windows computers at the " -"moment, any input if this actually works and how it performs etc. is welcome." -msgstr "" diff --git a/wiki/src/doc/advanced_topics/virtualization/tails_within_windows.fr.po b/wiki/src/doc/advanced_topics/virtualization/tails_within_windows.fr.po deleted file mode 100644 index d101b0198d709f6f615e246102d9b7706cab21a2..0000000000000000000000000000000000000000 --- a/wiki/src/doc/advanced_topics/virtualization/tails_within_windows.fr.po +++ /dev/null @@ -1,49 +0,0 @@ -# SOME DESCRIPTIVE TITLE -# Copyright (C) YEAR Free Software Foundation, Inc. -# This file is distributed under the same license as the PACKAGE package. -# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. -# -#, fuzzy -msgid "" -msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2011-06-18 22:40+0300\n" -"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" -"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" -"Language-Team: LANGUAGE <LL@li.org>\n" -"Language: \n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" - -#. type: Plain text -#, no-wrap -msgid "[[!meta title=\"Running Tails from within Microsoft Windows\"]]\n" -msgstr "" - -#. type: Plain text -#, no-wrap -msgid "" -"**FIXME**: This section have not been adapted from old incognito documentation\n" -"now so please do not take it into account. It is currently possible to start\n" -"Tails under Windows with QEMU.\n" -msgstr "" - -#. type: Plain text -msgid "" -"Thanks to QEMU, Tails can be run within Microsoft Windows without the need to " -"restart the computer. QEMU ships with Tails, and is set up so you only have " -"to insert the media when Windows is running and a menu should appear with the " -"option to start Tails through it. This is especially useful when you are " -"using a computer you are not allowed to shut-down, which can be the case for " -"public computers in certain Internet cafés, libraries or other public " -"computers. Also, for some some general remarks on QEMU and Tails, and some " -"security concerns about this mode of operation, see the above section on " -"[[virtualization]]." -msgstr "" - -#. type: Plain text -msgid "" -"Since the Tails developers do not have access to any Windows computers at the " -"moment, any input if this actually works and how it performs etc. is welcome." -msgstr "" diff --git a/wiki/src/doc/advanced_topics/virtualization/tails_within_windows.mdwn b/wiki/src/doc/advanced_topics/virtualization/tails_within_windows.mdwn deleted file mode 100644 index a58abe6ad5de8b130fb7d92265cbac9ce9661c83..0000000000000000000000000000000000000000 --- a/wiki/src/doc/advanced_topics/virtualization/tails_within_windows.mdwn +++ /dev/null @@ -1,20 +0,0 @@ -[[!meta title="Running Tails from within Microsoft Windows"]] - -**FIXME**: This section have not been adapted from old incognito documentation -now so please do not take it into account. It is currently possible to start -Tails under Windows with QEMU. - -Thanks to QEMU, Tails can be run within -Microsoft Windows without the need to restart the computer. QEMU ships -with Tails, and is set up so you only have to insert the media when -Windows is running and a menu should appear with the option to start -Tails through it. This is especially useful when you are using a -computer you are not allowed to shut-down, which can be the case for -public computers in certain Internet cafés, libraries or other public -computers. Also, for some some general remarks on QEMU and Tails, -and some security concerns about this mode of operation, see the above -section on [[virtualization]]. - -Since the Tails developers do not have access to any Windows -computers at the moment, any input if this actually works and how it -performs etc. is welcome. diff --git a/wiki/src/doc/advanced_topics/virtualization/tails_within_windows.pt.po b/wiki/src/doc/advanced_topics/virtualization/tails_within_windows.pt.po deleted file mode 100644 index d98038e6a9a32ba8d0b0cdbe8b99e382339dc84d..0000000000000000000000000000000000000000 --- a/wiki/src/doc/advanced_topics/virtualization/tails_within_windows.pt.po +++ /dev/null @@ -1,52 +0,0 @@ -# SOME DESCRIPTIVE TITLE -# Copyright (C) YEAR Free Software Foundation, Inc. -# This file is distributed under the same license as the PACKAGE package. -# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. -# -#, fuzzy -msgid "" -msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2012-05-17 15:08+0300\n" -"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" -"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" -"Language-Team: LANGUAGE <LL@li.org>\n" -"Language: \n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" - -#. type: Plain text -#, no-wrap -msgid "[[!meta title=\"Running Tails from within Microsoft Windows\"]]\n" -msgstr "" - -#. type: Plain text -#, no-wrap -msgid "" -"**FIXME**: This section have not been adapted from old incognito " -"documentation\n" -"now so please do not take it into account. It is currently possible to " -"start\n" -"Tails under Windows with QEMU.\n" -msgstr "" - -#. type: Plain text -msgid "" -"Thanks to QEMU, Tails can be run within Microsoft Windows without the need " -"to restart the computer. QEMU ships with Tails, and is set up so you only " -"have to insert the media when Windows is running and a menu should appear " -"with the option to start Tails through it. This is especially useful when " -"you are using a computer you are not allowed to shut-down, which can be the " -"case for public computers in certain Internet cafés, libraries or other " -"public computers. Also, for some some general remarks on QEMU and Tails, and " -"some security concerns about this mode of operation, see the above section " -"on [[virtualization]]." -msgstr "" - -#. type: Plain text -msgid "" -"Since the Tails developers do not have access to any Windows computers at " -"the moment, any input if this actually works and how it performs etc. is " -"welcome." -msgstr "" diff --git a/wiki/src/doc/advanced_topics/virtualization/tips.de.po b/wiki/src/doc/advanced_topics/virtualization/tips.de.po deleted file mode 100644 index f4fec4a53ee0babc69b37c4f75cb25581e72013e..0000000000000000000000000000000000000000 --- a/wiki/src/doc/advanced_topics/virtualization/tips.de.po +++ /dev/null @@ -1,81 +0,0 @@ -# SOME DESCRIPTIVE TITLE -# Copyright (C) YEAR Free Software Foundation, Inc. -# This file is distributed under the same license as the PACKAGE package. -# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. -# -#, fuzzy -msgid "" -msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2011-11-20 16:40+0100\n" -"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" -"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" -"Language-Team: LANGUAGE <LL@li.org>\n" -"Language: \n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" - -#. type: Plain text -#, no-wrap -msgid "[[!meta title=\"Virtualization: tips and tricks\"]]\n" -msgstr "" - -#. type: Plain text -#, no-wrap -msgid "[[!toc levels=2]]\n" -msgstr "" - -#. type: Plain text -msgid "" -"As explained on the [[virtualization warning page|advanced_topics/" -"virtualization]], using Tails in a Virtual Machine involves you put great " -"trust into the host operating system and the virtualization software." -msgstr "" - -#. type: Plain text -msgid "Here are some tips may help hardening (a bit) the host operating system." -msgstr "" - -#. type: Title # -#, no-wrap -msgid "Operating systems" -msgstr "" - -#. type: Title ## -#, no-wrap -msgid "Microsoft Windows" -msgstr "" - -#. type: Plain text -msgid "" -"You should NOT trust Windows to be secure if you use Tails for anything you " -"consider risky. Windows could be made a tiny bit more trustworthy if you " -"installed a HIPS (Host Intrusion Prevention System) with high security " -"settings instantly after installing Windows. If Windows not is installed from " -"a genuine Windows CD/DVD you can not trust it enough, not even if it's a " -"preinstalled copy of Windows (there have been cases of computers being " -"shipped with malware). If you install a HIPS first after using Windows for " -"some time (less then an hour online is enough) you could already have a " -"rootkit that the HIPS can't detect. Even with a HIPS you should not use " -"Windows as a host OS if you risk personal harm for your use of Tails." -msgstr "" - -#. type: Title # -#, no-wrap -msgid "Virtualization solutions" -msgstr "" - -#. type: Title ## -#, no-wrap -msgid "VirtualBox" -msgstr "" - -#. type: Plain text -msgid "" -"Tails runs in [VirtualBox](http://virtualbox.org) without any major " -"configuration necessary. VirtualBox is distributed both as a closed-source " -"and as an open-source (the so called OSE or Open Source Edition), the latter " -"which the Tails developer's encourages (although it currently lacks USB " -"support compared to the closed-source version)." -msgstr "" diff --git a/wiki/src/doc/advanced_topics/virtualization/tips.fr.po b/wiki/src/doc/advanced_topics/virtualization/tips.fr.po deleted file mode 100644 index f4fec4a53ee0babc69b37c4f75cb25581e72013e..0000000000000000000000000000000000000000 --- a/wiki/src/doc/advanced_topics/virtualization/tips.fr.po +++ /dev/null @@ -1,81 +0,0 @@ -# SOME DESCRIPTIVE TITLE -# Copyright (C) YEAR Free Software Foundation, Inc. -# This file is distributed under the same license as the PACKAGE package. -# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. -# -#, fuzzy -msgid "" -msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2011-11-20 16:40+0100\n" -"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" -"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" -"Language-Team: LANGUAGE <LL@li.org>\n" -"Language: \n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" - -#. type: Plain text -#, no-wrap -msgid "[[!meta title=\"Virtualization: tips and tricks\"]]\n" -msgstr "" - -#. type: Plain text -#, no-wrap -msgid "[[!toc levels=2]]\n" -msgstr "" - -#. type: Plain text -msgid "" -"As explained on the [[virtualization warning page|advanced_topics/" -"virtualization]], using Tails in a Virtual Machine involves you put great " -"trust into the host operating system and the virtualization software." -msgstr "" - -#. type: Plain text -msgid "Here are some tips may help hardening (a bit) the host operating system." -msgstr "" - -#. type: Title # -#, no-wrap -msgid "Operating systems" -msgstr "" - -#. type: Title ## -#, no-wrap -msgid "Microsoft Windows" -msgstr "" - -#. type: Plain text -msgid "" -"You should NOT trust Windows to be secure if you use Tails for anything you " -"consider risky. Windows could be made a tiny bit more trustworthy if you " -"installed a HIPS (Host Intrusion Prevention System) with high security " -"settings instantly after installing Windows. If Windows not is installed from " -"a genuine Windows CD/DVD you can not trust it enough, not even if it's a " -"preinstalled copy of Windows (there have been cases of computers being " -"shipped with malware). If you install a HIPS first after using Windows for " -"some time (less then an hour online is enough) you could already have a " -"rootkit that the HIPS can't detect. Even with a HIPS you should not use " -"Windows as a host OS if you risk personal harm for your use of Tails." -msgstr "" - -#. type: Title # -#, no-wrap -msgid "Virtualization solutions" -msgstr "" - -#. type: Title ## -#, no-wrap -msgid "VirtualBox" -msgstr "" - -#. type: Plain text -msgid "" -"Tails runs in [VirtualBox](http://virtualbox.org) without any major " -"configuration necessary. VirtualBox is distributed both as a closed-source " -"and as an open-source (the so called OSE or Open Source Edition), the latter " -"which the Tails developer's encourages (although it currently lacks USB " -"support compared to the closed-source version)." -msgstr "" diff --git a/wiki/src/doc/advanced_topics/virtualization/tips.mdwn b/wiki/src/doc/advanced_topics/virtualization/tips.mdwn deleted file mode 100644 index a80a592a41655656fb37ba9c62d39eb113adb904..0000000000000000000000000000000000000000 --- a/wiki/src/doc/advanced_topics/virtualization/tips.mdwn +++ /dev/null @@ -1,38 +0,0 @@ -[[!meta title="Virtualization: tips and tricks"]] - -[[!toc levels=2]] - -As explained on the [[virtualization warning -page|advanced_topics/virtualization]], using Tails in a Virtual Machine -involves you put great trust into the host operating system and the -virtualization software. - -Here are some tips may help hardening (a bit) the host operating -system. - -# Operating systems - -## Microsoft Windows - -You should NOT trust Windows to be secure if you use Tails for -anything you consider risky. Windows could be made a tiny bit more -trustworthy if you installed a HIPS (Host Intrusion Prevention System) -with high security settings instantly after installing Windows. If -Windows not is installed from a genuine Windows CD/DVD you can not -trust it enough, not even if it's a preinstalled copy of Windows -(there have been cases of computers being shipped with malware). If -you install a HIPS first after using Windows for some time (less then -an hour online is enough) you could already have a rootkit that the -HIPS can't detect. Even with a HIPS you should not use Windows as a -host OS if you risk personal harm for your use of Tails. - -# Virtualization solutions - -## VirtualBox - -Tails runs in [VirtualBox](http://virtualbox.org) without any major configuration -necessary. VirtualBox is distributed both as a closed-source and as an -open-source (the so called OSE or Open Source Edition), the latter which the -Tails developer's encourages (although it currently lacks USB support compared -to the closed-source version). - diff --git a/wiki/src/doc/advanced_topics/virtualization/tips.pt.po b/wiki/src/doc/advanced_topics/virtualization/tips.pt.po deleted file mode 100644 index 4488f16245ebefdc3c811cd254fbb4f9d7b1b904..0000000000000000000000000000000000000000 --- a/wiki/src/doc/advanced_topics/virtualization/tips.pt.po +++ /dev/null @@ -1,82 +0,0 @@ -# SOME DESCRIPTIVE TITLE -# Copyright (C) YEAR Free Software Foundation, Inc. -# This file is distributed under the same license as the PACKAGE package. -# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. -# -#, fuzzy -msgid "" -msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2012-05-17 15:08+0300\n" -"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" -"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" -"Language-Team: LANGUAGE <LL@li.org>\n" -"Language: \n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" - -#. type: Plain text -#, no-wrap -msgid "[[!meta title=\"Virtualization: tips and tricks\"]]\n" -msgstr "" - -#. type: Plain text -#, no-wrap -msgid "[[!toc levels=2]]\n" -msgstr "" - -#. type: Plain text -msgid "" -"As explained on the [[virtualization warning " -"page|advanced_topics/virtualization]], using Tails in a Virtual Machine " -"involves you put great trust into the host operating system and the " -"virtualization software." -msgstr "" - -#. type: Plain text -msgid "Here are some tips may help hardening (a bit) the host operating system." -msgstr "" - -#. type: Title # -#, no-wrap -msgid "Operating systems" -msgstr "" - -#. type: Title ## -#, no-wrap -msgid "Microsoft Windows" -msgstr "" - -#. type: Plain text -msgid "" -"You should NOT trust Windows to be secure if you use Tails for anything you " -"consider risky. Windows could be made a tiny bit more trustworthy if you " -"installed a HIPS (Host Intrusion Prevention System) with high security " -"settings instantly after installing Windows. If Windows not is installed " -"from a genuine Windows CD/DVD you can not trust it enough, not even if it's " -"a preinstalled copy of Windows (there have been cases of computers being " -"shipped with malware). If you install a HIPS first after using Windows for " -"some time (less then an hour online is enough) you could already have a " -"rootkit that the HIPS can't detect. Even with a HIPS you should not use " -"Windows as a host OS if you risk personal harm for your use of Tails." -msgstr "" - -#. type: Title # -#, no-wrap -msgid "Virtualization solutions" -msgstr "" - -#. type: Title ## -#, no-wrap -msgid "VirtualBox" -msgstr "" - -#. type: Plain text -msgid "" -"Tails runs in [VirtualBox](http://virtualbox.org) without any major " -"configuration necessary. VirtualBox is distributed both as a closed-source " -"and as an open-source (the so called OSE or Open Source Edition), the latter " -"which the Tails developer's encourages (although it currently lacks USB " -"support compared to the closed-source version)." -msgstr "" diff --git a/wiki/src/doc/advanced_topics/virtualization/virt-manager.de.po b/wiki/src/doc/advanced_topics/virtualization/virt-manager.de.po new file mode 100644 index 0000000000000000000000000000000000000000..d0e44b1cb9a94a36cc1dd856f9e27058c3b847c7 --- /dev/null +++ b/wiki/src/doc/advanced_topics/virtualization/virt-manager.de.po @@ -0,0 +1,358 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-05-07 18:42+0300\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"virt-manager\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"[<span class=\"application\">virt-manager</span>](http://virt-manager.org/) is a free software\n" +"virtualization solution for Linux. *virt-manager* has a more complex\n" +"interface than *VirtualBox* or *GNOME Boxes* but it also has a more\n" +"complete set of features.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"doc/advanced_topics/virtualization.caution\" raw=\"yes\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"tip\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<span class=\"application\">virt-manager</span> is the only virtualization\n" +"solution that we present that allows the use of a persistent\n" +"volume.</span>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"note\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<p>The following instructions have been tested on Debian Jessie.</p>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Terminology\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"*virt-manager* is based on a set of lower level virtualization tools,\n" +"going from the user interface to the hardware interactions with the\n" +"processor. This terminology is a bit confusing and other documentation\n" +"might mention the following tools:\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"*KVM* is the module of the Linux kernel that interacts with the " +"virtualization features of the processor." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"*QEMU* is the virtualization software that emulates virtual processors and " +"peripherals based on *KVM* and that starts and stops virtual machines." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"*libvirt* is a library that allows *virt-manager* to interact with the " +"virtualization capabilities provided by *QEMU*." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"*SPICE* is a protocol that allows to visualize the desktop of virtual " +"machines." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"*virt-manager* is the graphical interface that allows to create, configure, " +"and run virtual machines." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"iso\"></a>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Installation\n" +msgstr "" + +#. type: Plain text +msgid "To install *virt-manager* in Debian, execute the following command:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " sudo apt-get install virt-manager libvirt-daemon-system\n" +msgstr "" + +#. type: Plain text +msgid "To install *virt-manager* in Ubuntu, execute the following command:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " sudo apt-get install virt-manager libvirt-bin qemu-kvm\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Running Tails from an ISO image\n" +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "Start *virt-manager*." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" 1. Double-click on **localhost (QEMU)** to connect to the *QEMU*\n" +" system of your host.\n" +" 1. To create a new virtual machine, choose\n" +" <span class=\"menuchoice\"> <span\n" +" class=\"guimenu\">File</span> ▸ <span\n" +" class=\"guimenuitem\">New Virtual Machine</span></span>.\n" +" 1. In *step 1*, choose **Local install media (ISO image or CDROM)**.\n" +" 1. In *step 2*, choose:\n" +" - **Use ISO image**, then **Browse...**, and **Browse Local** to\n" +" browse for the ISO image that you want to start from.\n" +" - **OS type**: **Linux**.\n" +" - **Version**: **Debian Wheezy**.\n" +" 1. In *step 3*, allocate at least 1024 MB of RAM.\n" +" 1. In *step 4*, disable storage for this virtual machine.\n" +" 1. In *step 5*:\n" +" - Type a name for the new virtual machine.\n" +" - Click **Finish** to start the virtual machine.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"If you get the error message \"<span class=\"guilabel\">Error starting\n" +"domain: Requested operation is not valid: network 'default' is not\n" +"active</span>\", then try to start the default virtual network:\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<ol>\n" +"<li>Click on <span class=\"guilabel\">localhost (QEMU)</span>.</li>\n" +"<li>Choose <span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Edit</span> ▸\n" +" <span class=\"guimenuitem\">Connection details</span></span> to\n" +" administer the connection to your local\n" +" <span class=\"application\">QEMU</span> system.</li>\n" +"<li>Click on <span class=\"guilabel\">Virtual Networks</span> tab, then\n" +" select the <span class=\"guilabel\">default</span> virtual network in\n" +" the left pane.</li>\n" +"<li>Click on the [[!img media-playback-start.png alt=\"Start Network\"\n" +" link=no class=symbolic]] icon on the bottom of the left pane to\n" +" start the default virtual network.</li>\n" +"</ol>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"usb\"></a>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Running Tails from a USB stick or SD card\n" +msgstr "" + +#. type: Plain text +msgid "" +"To run Tails from a USB stick or SD card using *virt-manager*, first create " +"a virtual machine running from an ISO image as described [[above|virt-" +"manager#iso]]." +msgstr "" + +#. type: Plain text +msgid "Then do the following:" +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "" +"From the virtual machine window, choose <span class=\"menuchoice\"> <span " +"class=\"guimenu\">Virtual Machine</span> ▸ <span class=\"guisubmenuitem" +"\">Shut Down</span> ▸ <span class=\"guimenuitem\">Force Off</span></" +"span> to shut down the virtual machine." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "" +"Plug in the USB stick or insert the SD card from which you want to run Tails." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "" +"Choose <span class=\"menuchoice\"> <span class=\"guimenu\">View</span> " +"▸ <span class=\"guimenuitem\">Details</span></span> to edit the " +"configuration of the virtual machine." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "Click on the **Add Hardware** button on the bottom of the left pane." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "Select **USB Host Device** in the left pane." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "" +"In the right pane, click on the device from which you want to run Tails, and " +"click **Finish**." +msgstr "" + +#. type: Plain text +msgid "" +"You can keep the original ISO image connected as a virtual DVD to install " +"Tails onto the USB stick or SD card if needed." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"disconnect\"></a>\n" +msgstr "" + +#. type: Plain text +msgid "" +"You can also disconnect the original ISO image and start directly from the " +"USB stick once Tails is already installed on it. To do so:" +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "Shut down the virtual machine." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" 1. In the configuration of the virtual machine, click on **IDE CDROM\n" +" 1** in the left pane.\n" +" 1. Click on the **Disconnect** button in the right pane.\n" +" 1. To enable the USB stick or SD card as a boot option:\n" +" 1. Click on **Boot Options** in the left pane.\n" +" 1. Select the **USB** boot option corresponding to your USB device.\n" +" 1. Click **Apply**.\n" +" 1. To start the virtual machine choose\n" +" <span class=\"menuchoice\">\n" +" <span class=\"guimenu\">View</span> ▸\n" +" <span class=\"guimenuitem\">Console</span></span> and then\n" +" <span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Virtual Machine</span> ▸\n" +" <span class=\"guimenuitem\">Run</span></span>.\n" +msgstr "" + +#. type: Plain text +msgid "" +"Once you started from the USB device you can [[create a persistent volume|" +"first_steps/persistence/configure]] on it." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"virtual_usb\"></a>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Running Tails from a virtual USB storage\n" +msgstr "" + +#. type: Plain text +msgid "" +"You can also run Tails from a virtual USB storage, saved as a single file on " +"the host operating system." +msgstr "" + +#. type: Plain text +msgid "" +"To run Tails from a virtual USB device using *virt-manager*, first create a " +"virtual machine running from an ISO image as described [[above|virt-" +"manager#iso]]." +msgstr "" + +#. type: Plain text +msgid "Then do the following to create a virtual USB storage:" +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "Select **Storage** in the left pane." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "In the right pane, change the **Bus type** to USB and click **Finish**." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "Select **USB Disk 1** in the left pane." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "In the right pane, select the **Removable** option and click **Apply**." +msgstr "" + +#. type: Plain text +msgid "" +"Then start the virtual machine from the virtual DVD to install Tails onto " +"the virtual USB storage. The virtual USB storage appears in *Tails " +"Installer* as **QEMU HARDDISK**." +msgstr "" + +#. type: Plain text +msgid "" +"After that you can disconnect the original ISO image and start directly from " +"the virtual USB stick [[as described in the previous section|virt-" +"manager#disconnect]]." +msgstr "" + +#. type: Plain text +msgid "" +"Once you started from the virtual USB device you can [[create a persistent " +"volume|first_steps/persistence/configure]] on it." +msgstr "" diff --git a/wiki/src/doc/advanced_topics/virtualization/virt-manager.fr.po b/wiki/src/doc/advanced_topics/virtualization/virt-manager.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..34ecd96e7627644a19207847b5e768680e492705 --- /dev/null +++ b/wiki/src/doc/advanced_topics/virtualization/virt-manager.fr.po @@ -0,0 +1,469 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-05-07 18:42+0300\n" +"PO-Revision-Date: 2015-05-07 22:18+0200\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Generator: Poedit 1.5.4\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"virt-manager\"]]\n" +msgstr "[[!meta title=\"virt-manager\"]]\n" + +#. type: Plain text +#, no-wrap +msgid "" +"[<span class=\"application\">virt-manager</span>](http://virt-manager.org/) is a free software\n" +"virtualization solution for Linux. *virt-manager* has a more complex\n" +"interface than *VirtualBox* or *GNOME Boxes* but it also has a more\n" +"complete set of features.\n" +msgstr "" +"[<span class=\"application\">virt-manager</span>](http://virt-manager.org/) est un logiciel libre\n" +"de virtualisation pour Linux. *virt-manager* a une interface plus complexe\n" +"que *VirtualBox* ou que *GNOME Boxes* mais possède aussi un ensemble plus\n" +"complet de fonctionnalités.\n" + +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"doc/advanced_topics/virtualization.caution\" raw=\"yes\"]]\n" +msgstr "[[!inline pages=\"doc/advanced_topics/virtualization.caution.fr\" raw=\"yes\"]]\n" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"tip\">\n" +msgstr "<div class=\"tip\">\n" + +#. type: Plain text +#, no-wrap +msgid "" +"<span class=\"application\">virt-manager</span> is the only virtualization\n" +"solution that we present that allows the use of a persistent\n" +"volume.</span>\n" +msgstr "" +"<span class=\"application\">virt-manager</span> est la seule solution de\n" +"virtualisation que nous présentons qui permet l'utilisation de la\n" +"persistance.</span>\n" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "</div>\n" + +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "<div class=\"tip\">\n" +msgid "<div class=\"note\">\n" +msgstr "<div class=\"tip\">\n" + +#. type: Plain text +#, no-wrap +msgid "<p>The following instructions have been tested on Debian Jessie.</p>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Terminology\n" +msgstr "Terminologie\n" + +#. type: Plain text +#, no-wrap +msgid "" +"*virt-manager* is based on a set of lower level virtualization tools,\n" +"going from the user interface to the hardware interactions with the\n" +"processor. This terminology is a bit confusing and other documentation\n" +"might mention the following tools:\n" +msgstr "" +"*virt-manager* est basé sur un ensemble d'outils de virtualisation bas niveau,\n" +"allant de l'interface utilisateur aux interactions matérielles avec le processeur.\n" +"Cette terminologie est plutôt déroutante et d'autres documentations\n" +"peuvent mentionner les outils suivants :\n" + +#. type: Bullet: ' - ' +msgid "" +"*KVM* is the module of the Linux kernel that interacts with the " +"virtualization features of the processor." +msgstr "" +"*KVM* est le module du noyau Linux qui interagit avec les fonctionnalités de " +"virtualisation du processeur." + +#. type: Bullet: ' - ' +msgid "" +"*QEMU* is the virtualization software that emulates virtual processors and " +"peripherals based on *KVM* and that starts and stops virtual machines." +msgstr "" +"*QEMU* est le logiciel de virtualisation basé sur *KVM* qui émule les " +"processeurs virtuels et les périphériques et qui lance et éteint les " +"machines virtuelles." + +#. type: Bullet: ' - ' +msgid "" +"*libvirt* is a library that allows *virt-manager* to interact with the " +"virtualization capabilities provided by *QEMU*." +msgstr "" +"*libvirt* est la bibliothèque qui permet à *virt-manager* d'interagir avec " +"les capacités de virtualisation fournies par *QEMU*." + +#. type: Bullet: ' - ' +msgid "" +"*SPICE* is a protocol that allows to visualize the desktop of virtual " +"machines." +msgstr "" +"*SPICE* est un protocole qui permet de visualiser le bureau des machines " +"virtuelles." + +#. type: Bullet: ' - ' +msgid "" +"*virt-manager* is the graphical interface that allows to create, configure, " +"and run virtual machines." +msgstr "" +"*virt-manager* est l'interface graphique qui permet de créer, configurer, et " +"faire tourner les machines virtuelles." + +#. type: Plain text +#, no-wrap +msgid "<a id=\"iso\"></a>\n" +msgstr "<a id=\"iso\"></a>\n" + +#. type: Title = +#, no-wrap +msgid "Installation\n" +msgstr "Installation\n" + +#. type: Plain text +msgid "To install *virt-manager* in Debian, execute the following command:" +msgstr "Pour installer *virt-manager* dans Debian, exécuter la commande suivante :" + +#. type: Plain text +#, no-wrap +msgid " sudo apt-get install virt-manager libvirt-daemon-system\n" +msgstr " sudo apt-get install virt-manager libvirt-daemon-system\n" + +#. type: Plain text +msgid "To install *virt-manager* in Ubuntu, execute the following command:" +msgstr "Pour installer *virt-manager* dans Ubuntu, exécuter la commande suivante :" + +#. type: Plain text +#, no-wrap +msgid " sudo apt-get install virt-manager libvirt-bin qemu-kvm\n" +msgstr " sudo apt-get install virt-manager libvirt-bin qemu-kvm\n" + +#. type: Title = +#, no-wrap +msgid "Running Tails from an ISO image\n" +msgstr "Lancer Tails depuis une image ISO\n" + +#. type: Bullet: ' 1. ' +msgid "Start *virt-manager*." +msgstr "Démarrer *virt-manager*." + +#. type: Plain text +#, no-wrap +msgid "" +" 1. Double-click on **localhost (QEMU)** to connect to the *QEMU*\n" +" system of your host.\n" +" 1. To create a new virtual machine, choose\n" +" <span class=\"menuchoice\"> <span\n" +" class=\"guimenu\">File</span> ▸ <span\n" +" class=\"guimenuitem\">New Virtual Machine</span></span>.\n" +" 1. In *step 1*, choose **Local install media (ISO image or CDROM)**.\n" +" 1. In *step 2*, choose:\n" +" - **Use ISO image**, then **Browse...**, and **Browse Local** to\n" +" browse for the ISO image that you want to start from.\n" +" - **OS type**: **Linux**.\n" +" - **Version**: **Debian Wheezy**.\n" +" 1. In *step 3*, allocate at least 1024 MB of RAM.\n" +" 1. In *step 4*, disable storage for this virtual machine.\n" +" 1. In *step 5*:\n" +" - Type a name for the new virtual machine.\n" +" - Click **Finish** to start the virtual machine.\n" +msgstr "" +" 1. Double-cliquer sur **localhost (QEMU)** pour se connecter au système\n" +" *QEMU* de votre hôte.\n" +" 1. Pour créer une nouvelle machine virtuelle, choisir\n" +" <span class=\"menuchoice\"> <span\n" +" class=\"guimenu\">Fichier</span> ▸ <span\n" +" class=\"guimenuitem\">New Virtual Machine</span></span>.\n" +" 1. À l'*Étape 1*, choisir **Média d'installation local (image ISO ou CD-ROM)**.\n" +" 1. À l'*Étape 2*, choisir :\n" +" - **Utiliser une image ISO**, puis **Parcourir...**, puis **Parcourir en local** pour\n" +" naviguer jusqu'à l'image ISO que vous voulez utiliser.\n" +" - **Type de système d'exploitation** : **Linux**.\n" +" - **Version** : **Debian Wheezy (or later)**.\n" +" 1. À l'*Étape 3*, allouer au moins 1024 Mo de RAM.\n" +" 1. À l'*Étape 4*, désactiver le stockage pour cette machine virtuelle.\n" +" 1. À l'*Étape 5* :\n" +" - Donner un nom à la nouvelle machine virtuelle.\n" +" - Cliquer sur **Terminer** pour lancer la nouvelle machine virtuelle.\n" + +#. type: Plain text +#, no-wrap +msgid "" +"If you get the error message \"<span class=\"guilabel\">Error starting\n" +"domain: Requested operation is not valid: network 'default' is not\n" +"active</span>\", then try to start the default virtual network:\n" +msgstr "" +"Si vous obtenez le message d'erreur \"<span class=\"guilabel\">Error starting\n" +"domain: Requested operation is not valid: network 'default' is not\n" +"active</span>\", essayez alors de démarrer le réseau virtuel par défaut :\n" + +#. type: Plain text +#, no-wrap +msgid "" +"<ol>\n" +"<li>Click on <span class=\"guilabel\">localhost (QEMU)</span>.</li>\n" +"<li>Choose <span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Edit</span> ▸\n" +" <span class=\"guimenuitem\">Connection details</span></span> to\n" +" administer the connection to your local\n" +" <span class=\"application\">QEMU</span> system.</li>\n" +"<li>Click on <span class=\"guilabel\">Virtual Networks</span> tab, then\n" +" select the <span class=\"guilabel\">default</span> virtual network in\n" +" the left pane.</li>\n" +"<li>Click on the [[!img media-playback-start.png alt=\"Start Network\"\n" +" link=no class=symbolic]] icon on the bottom of the left pane to\n" +" start the default virtual network.</li>\n" +"</ol>\n" +msgstr "" +"<ol>\n" +"<li>Cliquer sur <span class=\"guilabel\">localhost (QEMU)</span>.</li>\n" +"<li>Choisir <span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Édition</span> ▸\n" +" <span class=\"guimenuitem\">Détails de la connexion</span></span> pour\n" +" administrer la connexion à votre système\n" +" <span class=\"application\">QEMU</span> local.</li>\n" +"<li>Cliquer sur l'onglet <span class=\"guilabel\">Réseaux virtuels</span>, puis\n" +" sélectionner le réseau virtuel <span class=\"guilabel\">default</span> dans la\n" +" partie de gauche.</li>\n" +"<li>Cliquer sur l'icône [[!img media-playback-start.png alt=\"Démarrer le réseau\"\n" +" link=no class=symbolic]] en bas de la partie gauche de la fenêtre pour\n" +" démarrer réseau virtuel *default*.</li>\n" +"</ol>\n" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"usb\"></a>\n" +msgstr "<a id=\"usb\"></a>\n" + +#. type: Title = +#, no-wrap +msgid "Running Tails from a USB stick or SD card\n" +msgstr "Lancer Tails depuis une clé USB ou une carte SD\n" + +#. type: Plain text +msgid "" +"To run Tails from a USB stick or SD card using *virt-manager*, first create " +"a virtual machine running from an ISO image as described [[above|virt-" +"manager#iso]]." +msgstr "" +"Pour lancer Tails depuis une clé USB ou une carte SD en utilisant *virt-" +"manager*, commencer par créer une machine virtuelle depuis une image ISO " +"comme décrit [[ci-dessus|virt-manager#iso]]." + +#. type: Plain text +msgid "Then do the following:" +msgstr "Pour faire ce qui suit :" + +#. type: Bullet: ' 1. ' +msgid "" +"From the virtual machine window, choose <span class=\"menuchoice\"> <span " +"class=\"guimenu\">Virtual Machine</span> ▸ <span class=\"guisubmenuitem" +"\">Shut Down</span> ▸ <span class=\"guimenuitem\">Force Off</span></" +"span> to shut down the virtual machine." +msgstr "" +"Dans la fenêtre de la machine virtuelle, choisir <span class=\"menuchoice\"> " +"<span class=\"guimenu\">Machine virtuelle</span> ▸ <span class=" +"\"guisubmenuitem\">Éteindre</span> ▸ <span class=\"guimenuitem\">Forcer " +"l'extinction</span></span> pour éteindre la machine virtuelle." + +#. type: Bullet: ' 1. ' +msgid "" +"Plug in the USB stick or insert the SD card from which you want to run Tails." +msgstr "" +"Brancher la clé USB ou insérer la carte SD depuis laquelle vous voulez " +"démarrer Tails." + +#. type: Bullet: ' 1. ' +msgid "" +"Choose <span class=\"menuchoice\"> <span class=\"guimenu\">View</span> " +"▸ <span class=\"guimenuitem\">Details</span></span> to edit the " +"configuration of the virtual machine." +msgstr "" +"Choisir <span class=\"menuchoice\"> <span class=\"guimenu\">Afficher</" +"span> ▸ <span class=\"guimenuitem\">Détails</span></span> pour modifier " +"la configuration de la machine virtuelle." + +#. type: Bullet: ' 1. ' +msgid "Click on the **Add Hardware** button on the bottom of the left pane." +msgstr "" +"Cliquer sur le bouton **Ajouter un matériel** en bas de la partie gauche de " +"la fenêtre." + +#. type: Bullet: ' 1. ' +msgid "Select **USB Host Device** in the left pane." +msgstr "Sélectionner **USB Host Device** dans la partie gauche." + +#. type: Bullet: ' 1. ' +msgid "" +"In the right pane, click on the device from which you want to run Tails, and " +"click **Finish**." +msgstr "" +"Dans la partie droite, cliquer sur le périphérique depuis lequel vous voulez " +"lancer Tails, et cliquer sur **Terminer**." + +#. type: Plain text +msgid "" +"You can keep the original ISO image connected as a virtual DVD to install " +"Tails onto the USB stick or SD card if needed." +msgstr "" +"Vous pouvez garder l'image IS0 originale connectée en tant que DVD virtuel " +"pour installer Tails sur la clé USB ou la carte SD si besoin." + +#. type: Plain text +#, no-wrap +msgid "<a id=\"disconnect\"></a>\n" +msgstr "<a id=\"disconnect\"></a>\n" + +#. type: Plain text +msgid "" +"You can also disconnect the original ISO image and start directly from the " +"USB stick once Tails is already installed on it. To do so:" +msgstr "" +"Vous pouvez également déconnecter l'image ISO originale et démarrer " +"directement depuis la clé USB si Tails y est déjà installé. Pour cela :" + +#. type: Bullet: ' 1. ' +msgid "Shut down the virtual machine." +msgstr "Éteindre la machine virtuelle." + +#. type: Plain text +#, no-wrap +msgid "" +" 1. In the configuration of the virtual machine, click on **IDE CDROM\n" +" 1** in the left pane.\n" +" 1. Click on the **Disconnect** button in the right pane.\n" +" 1. To enable the USB stick or SD card as a boot option:\n" +" 1. Click on **Boot Options** in the left pane.\n" +" 1. Select the **USB** boot option corresponding to your USB device.\n" +" 1. Click **Apply**.\n" +" 1. To start the virtual machine choose\n" +" <span class=\"menuchoice\">\n" +" <span class=\"guimenu\">View</span> ▸\n" +" <span class=\"guimenuitem\">Console</span></span> and then\n" +" <span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Virtual Machine</span> ▸\n" +" <span class=\"guimenuitem\">Run</span></span>.\n" +msgstr "" +" 1. Dans la configuration de la machine virtuelle, cliquer sur **IDE CDROM\n" +" 1** dans la partie gauche de la fenêtre.\n" +" 1. Cliquer sur le bouton **Déconnecter** dans la partie droite.\n" +" 1. Pour activer la clé USB ou la carte SD comme option de démarrage :\n" +" 1. Cliquer sur **Boot Options** dans la partie gauche.\n" +" 1. Sélectionner l'option de démarrage **USB** correspondant à votre périphérique USB.\n" +" 1. Cliquer sur **Appliquer**.\n" +" 1. Pour lancer la machine virtuelle choisir\n" +" <span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Afficher</span> ▸\n" +" <span class=\"guimenuitem\">Console</span></span> and then\n" +" <span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Machine virtuelle</span> ▸\n" +" <span class=\"guimenuitem\">Démarrer</span></span>.\n" + +#. type: Plain text +msgid "" +"Once you started from the USB device you can [[create a persistent volume|" +"first_steps/persistence/configure]] on it." +msgstr "" +"Une fois que vous avez démarré depuis la clé USB vous pouvez [[créer un " +"volume persistant|first_steps/persistence/configure]] sur celle-ci." + +#. type: Plain text +#, no-wrap +msgid "<a id=\"virtual_usb\"></a>\n" +msgstr "<a id=\"virtual_usb\"></a>\n" + +#. type: Title = +#, no-wrap +msgid "Running Tails from a virtual USB storage\n" +msgstr "Utiliser Tails depuis un stockage USB virtuel\n" + +#. type: Plain text +msgid "" +"You can also run Tails from a virtual USB storage, saved as a single file on " +"the host operating system." +msgstr "" +"Vous pouvez aussi utiliser Tails depuis un stockage USB virtuel, conservé en " +"tant que fichier unique sur le système d'exploitation hôte." + +#. type: Plain text +msgid "" +"To run Tails from a virtual USB device using *virt-manager*, first create a " +"virtual machine running from an ISO image as described [[above|virt-" +"manager#iso]]." +msgstr "" +"Pour utiliser Tails depuis une clé USB virtuelle avec *virt-manager*, " +"commencer par créer une machine virtuelle depuis une image ISO comme décrit " +"[[ci-dessus|virt-manager#iso]]." + +#. type: Plain text +msgid "Then do the following to create a virtual USB storage:" +msgstr "Puis faire ce qui suit pour créer un stockage USB virtuel :" + +#. type: Bullet: ' 1. ' +msgid "Select **Storage** in the left pane." +msgstr "Sélectionner **Storage** dans la partie gauche." + +#. type: Bullet: ' 1. ' +msgid "In the right pane, change the **Bus type** to USB and click **Finish**." +msgstr "" +"Dans la partie droite, changer le **Bus type** à USB et cliquer sur " +"**Terminer**." + +#. type: Bullet: ' 1. ' +msgid "Select **USB Disk 1** in the left pane." +msgstr "Sélectionner **USB Disk 1** dans la partie gauche de la fenêtre." + +#. type: Bullet: ' 1. ' +msgid "In the right pane, select the **Removable** option and click **Apply**." +msgstr "" +"Dans la partie droite, sélectionner l'option **Amovible** et cliquer sur " +"**Appliquer**." + +#. type: Plain text +msgid "" +"Then start the virtual machine from the virtual DVD to install Tails onto " +"the virtual USB storage. The virtual USB storage appears in *Tails " +"Installer* as **QEMU HARDDISK**." +msgstr "" +"Puis démarrer la machine virtuelle depuis le DVD virtuel pour installer " +"Tails sur le stockage USB virtuel. Le stockage USB virtuel apparaît dans " +"l'*Installeur de Tails* en tant que **QEMU HARDDISK**." + +#. type: Plain text +msgid "" +"After that you can disconnect the original ISO image and start directly from " +"the virtual USB stick [[as described in the previous section|virt-" +"manager#disconnect]]." +msgstr "" +"Vous pouvez ensuite déconnecter l'image ISO originale et démarrer " +"directement depuis la clé USB virtuelle [[comme décrit dans la section " +"précédente|virt-manager#disconnect]]." + +#. type: Plain text +msgid "" +"Once you started from the virtual USB device you can [[create a persistent " +"volume|first_steps/persistence/configure]] on it." +msgstr "" +"Une fois que vous avez démarré depuis le périphérique USB virtuel vous " +"pouvez [[créer un volume persistant|first_steps/persistence/configure]] sur " +"celui-ci." diff --git a/wiki/src/doc/advanced_topics/virtualization/virt-manager.mdwn b/wiki/src/doc/advanced_topics/virtualization/virt-manager.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..98c8b70fe1a5bd0d3b6feb00aff382a7906aaeae --- /dev/null +++ b/wiki/src/doc/advanced_topics/virtualization/virt-manager.mdwn @@ -0,0 +1,206 @@ +[[!meta title="virt-manager"]] + +[<span class="application">virt-manager</span>](http://virt-manager.org/) is a free software +virtualization solution for Linux. *virt-manager* has a more complex +interface than *VirtualBox* or *GNOME Boxes* but it also has a more +complete set of features. + +[[!inline pages="doc/advanced_topics/virtualization.caution" raw="yes"]] + +<div class="tip"> + +<span class="application">virt-manager</span> is the only virtualization +solution that we present that allows the use of a persistent +volume.</span> + +</div> + +<div class="note"> + +<p>The following instructions have been tested on Debian Jessie.</p> + +</div> + +[[!toc]] + +Terminology +=========== + +*virt-manager* is based on a set of lower level virtualization tools, +going from the user interface to the hardware interactions with the +processor. This terminology is a bit confusing and other documentation +might mention the following tools: + + - *KVM* is the module of the Linux kernel that interacts with the + virtualization features of the processor. + - *QEMU* is the virtualization software that emulates virtual + processors and peripherals based on *KVM* and that starts and stops + virtual machines. + - *libvirt* is a library that allows *virt-manager* to interact with + the virtualization capabilities provided by *QEMU*. + - *SPICE* is a protocol that allows to visualize the desktop of + virtual machines. + - *virt-manager* is the graphical interface that allows to create, + configure, and run virtual machines. + +<a id="iso"></a> + +Installation +============ + +To install *virt-manager* in Debian, execute the following +command: + + sudo apt-get install virt-manager libvirt-daemon-system + +To install *virt-manager* in Ubuntu, execute the following +command: + + sudo apt-get install virt-manager libvirt-bin qemu-kvm + +Running Tails from an ISO image +=============================== + + 1. Start *virt-manager*. + 1. Double-click on **localhost (QEMU)** to connect to the *QEMU* + system of your host. + 1. To create a new virtual machine, choose + <span class="menuchoice"> <span + class="guimenu">File</span> ▸ <span + class="guimenuitem">New Virtual Machine</span></span>. + 1. In *step 1*, choose **Local install media (ISO image or CDROM)**. + 1. In *step 2*, choose: + - **Use ISO image**, then **Browse...**, and **Browse Local** to + browse for the ISO image that you want to start from. + - **OS type**: **Linux**. + - **Version**: **Debian Wheezy**. + 1. In *step 3*, allocate at least 1024 MB of RAM. + 1. In *step 4*, disable storage for this virtual machine. + 1. In *step 5*: + - Type a name for the new virtual machine. + - Click **Finish** to start the virtual machine. + +<div class="tip"> + +If you get the error message "<span class="guilabel">Error starting +domain: Requested operation is not valid: network 'default' is not +active</span>", then try to start the default virtual network: + +<ol> +<li>Click on <span class="guilabel">localhost (QEMU)</span>.</li> +<li>Choose <span class="menuchoice"> + <span class="guimenu">Edit</span> ▸ + <span class="guimenuitem">Connection details</span></span> to + administer the connection to your local + <span class="application">QEMU</span> system.</li> +<li>Click on <span class="guilabel">Virtual Networks</span> tab, then + select the <span class="guilabel">default</span> virtual network in + the left pane.</li> +<li>Click on the [[!img media-playback-start.png alt="Start Network" + link=no class=symbolic]] icon on the bottom of the left pane to + start the default virtual network.</li> +</ol> + +</div> + +<a id="usb"></a> + +Running Tails from a USB stick or SD card +========================================= + +To run Tails from a USB stick or SD card using *virt-manager*, first +create a virtual machine running from an ISO image as described +[[above|virt-manager#iso]]. + +Then do the following: + + 1. From the virtual machine window, choose + <span class="menuchoice"> + <span class="guimenu">Virtual Machine</span> ▸ + <span class="guisubmenuitem">Shut Down</span> ▸ + <span class="guimenuitem">Force Off</span></span> to shut down the + virtual machine. + 1. Plug in the USB stick or insert the SD card from which you want to + run Tails. + 1. Choose + <span class="menuchoice"> + <span class="guimenu">View</span> ▸ + <span class="guimenuitem">Details</span></span> to edit the + configuration of the virtual machine. + 1. Click on the **Add Hardware** button on the bottom of the left + pane. + 1. Select **USB Host Device** in the left pane. + 1. In the right pane, click on the device from which you want to run + Tails, and click **Finish**. + +You can keep the original ISO image connected as a virtual DVD to +install Tails onto the USB stick or SD card if needed. + +<a id="disconnect"></a> + +You can also disconnect the original ISO image and start directly from the +USB stick once Tails is already installed on it. To do so: + + 1. Shut down the virtual machine. + 1. In the configuration of the virtual machine, click on **IDE CDROM + 1** in the left pane. + 1. Click on the **Disconnect** button in the right pane. + 1. To enable the USB stick or SD card as a boot option: + 1. Click on **Boot Options** in the left pane. + 1. Select the **USB** boot option corresponding to your USB device. + 1. Click **Apply**. + 1. To start the virtual machine choose + <span class="menuchoice"> + <span class="guimenu">View</span> ▸ + <span class="guimenuitem">Console</span></span> and then + <span class="menuchoice"> + <span class="guimenu">Virtual Machine</span> ▸ + <span class="guimenuitem">Run</span></span>. + +Once you started from the USB device you can [[create a persistent +volume|first_steps/persistence/configure]] on it. + +<a id="virtual_usb"></a> + +Running Tails from a virtual USB storage +======================================== + +You can also run Tails from a virtual USB storage, saved as a single +file on the host operating system. + +To run Tails from a virtual USB device using *virt-manager*, first +create a virtual machine running from an ISO image as described +[[above|virt-manager#iso]]. + +Then do the following to create a virtual USB storage: + + 1. From the virtual machine window, choose + <span class="menuchoice"> + <span class="guimenu">Virtual Machine</span> ▸ + <span class="guisubmenuitem">Shut Down</span> ▸ + <span class="guimenuitem">Force Off</span></span> to shut down the + virtual machine. + 1. Choose + <span class="menuchoice"> + <span class="guimenu">View</span> ▸ + <span class="guimenuitem">Details</span></span> to edit the + configuration of the virtual machine. + 1. Click on the **Add Hardware** button on the bottom of the left + pane. + 1. Select **Storage** in the left pane. + 1. In the right pane, change the **Bus type** to USB and click + **Finish**. + 1. Select **USB Disk 1** in the left pane. + 1. In the right pane, select the **Removable** option and click + **Apply**. + +Then start the virtual machine from the virtual DVD to install Tails +onto the virtual USB storage. The virtual USB storage appears in *Tails +Installer* as **QEMU HARDDISK**. + +After that you can disconnect the original ISO image and start directly +from the virtual USB stick [[as described +in the previous section|virt-manager#disconnect]]. + +Once you started from the virtual USB device you can [[create a persistent +volume|first_steps/persistence/configure]] on it. diff --git a/wiki/src/doc/advanced_topics/virtualization/virt-manager.pt.po b/wiki/src/doc/advanced_topics/virtualization/virt-manager.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..d0e44b1cb9a94a36cc1dd856f9e27058c3b847c7 --- /dev/null +++ b/wiki/src/doc/advanced_topics/virtualization/virt-manager.pt.po @@ -0,0 +1,358 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-05-07 18:42+0300\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"virt-manager\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"[<span class=\"application\">virt-manager</span>](http://virt-manager.org/) is a free software\n" +"virtualization solution for Linux. *virt-manager* has a more complex\n" +"interface than *VirtualBox* or *GNOME Boxes* but it also has a more\n" +"complete set of features.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"doc/advanced_topics/virtualization.caution\" raw=\"yes\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"tip\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<span class=\"application\">virt-manager</span> is the only virtualization\n" +"solution that we present that allows the use of a persistent\n" +"volume.</span>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"note\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<p>The following instructions have been tested on Debian Jessie.</p>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Terminology\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"*virt-manager* is based on a set of lower level virtualization tools,\n" +"going from the user interface to the hardware interactions with the\n" +"processor. This terminology is a bit confusing and other documentation\n" +"might mention the following tools:\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"*KVM* is the module of the Linux kernel that interacts with the " +"virtualization features of the processor." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"*QEMU* is the virtualization software that emulates virtual processors and " +"peripherals based on *KVM* and that starts and stops virtual machines." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"*libvirt* is a library that allows *virt-manager* to interact with the " +"virtualization capabilities provided by *QEMU*." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"*SPICE* is a protocol that allows to visualize the desktop of virtual " +"machines." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"*virt-manager* is the graphical interface that allows to create, configure, " +"and run virtual machines." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"iso\"></a>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Installation\n" +msgstr "" + +#. type: Plain text +msgid "To install *virt-manager* in Debian, execute the following command:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " sudo apt-get install virt-manager libvirt-daemon-system\n" +msgstr "" + +#. type: Plain text +msgid "To install *virt-manager* in Ubuntu, execute the following command:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " sudo apt-get install virt-manager libvirt-bin qemu-kvm\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Running Tails from an ISO image\n" +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "Start *virt-manager*." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" 1. Double-click on **localhost (QEMU)** to connect to the *QEMU*\n" +" system of your host.\n" +" 1. To create a new virtual machine, choose\n" +" <span class=\"menuchoice\"> <span\n" +" class=\"guimenu\">File</span> ▸ <span\n" +" class=\"guimenuitem\">New Virtual Machine</span></span>.\n" +" 1. In *step 1*, choose **Local install media (ISO image or CDROM)**.\n" +" 1. In *step 2*, choose:\n" +" - **Use ISO image**, then **Browse...**, and **Browse Local** to\n" +" browse for the ISO image that you want to start from.\n" +" - **OS type**: **Linux**.\n" +" - **Version**: **Debian Wheezy**.\n" +" 1. In *step 3*, allocate at least 1024 MB of RAM.\n" +" 1. In *step 4*, disable storage for this virtual machine.\n" +" 1. In *step 5*:\n" +" - Type a name for the new virtual machine.\n" +" - Click **Finish** to start the virtual machine.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"If you get the error message \"<span class=\"guilabel\">Error starting\n" +"domain: Requested operation is not valid: network 'default' is not\n" +"active</span>\", then try to start the default virtual network:\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<ol>\n" +"<li>Click on <span class=\"guilabel\">localhost (QEMU)</span>.</li>\n" +"<li>Choose <span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Edit</span> ▸\n" +" <span class=\"guimenuitem\">Connection details</span></span> to\n" +" administer the connection to your local\n" +" <span class=\"application\">QEMU</span> system.</li>\n" +"<li>Click on <span class=\"guilabel\">Virtual Networks</span> tab, then\n" +" select the <span class=\"guilabel\">default</span> virtual network in\n" +" the left pane.</li>\n" +"<li>Click on the [[!img media-playback-start.png alt=\"Start Network\"\n" +" link=no class=symbolic]] icon on the bottom of the left pane to\n" +" start the default virtual network.</li>\n" +"</ol>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"usb\"></a>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Running Tails from a USB stick or SD card\n" +msgstr "" + +#. type: Plain text +msgid "" +"To run Tails from a USB stick or SD card using *virt-manager*, first create " +"a virtual machine running from an ISO image as described [[above|virt-" +"manager#iso]]." +msgstr "" + +#. type: Plain text +msgid "Then do the following:" +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "" +"From the virtual machine window, choose <span class=\"menuchoice\"> <span " +"class=\"guimenu\">Virtual Machine</span> ▸ <span class=\"guisubmenuitem" +"\">Shut Down</span> ▸ <span class=\"guimenuitem\">Force Off</span></" +"span> to shut down the virtual machine." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "" +"Plug in the USB stick or insert the SD card from which you want to run Tails." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "" +"Choose <span class=\"menuchoice\"> <span class=\"guimenu\">View</span> " +"▸ <span class=\"guimenuitem\">Details</span></span> to edit the " +"configuration of the virtual machine." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "Click on the **Add Hardware** button on the bottom of the left pane." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "Select **USB Host Device** in the left pane." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "" +"In the right pane, click on the device from which you want to run Tails, and " +"click **Finish**." +msgstr "" + +#. type: Plain text +msgid "" +"You can keep the original ISO image connected as a virtual DVD to install " +"Tails onto the USB stick or SD card if needed." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"disconnect\"></a>\n" +msgstr "" + +#. type: Plain text +msgid "" +"You can also disconnect the original ISO image and start directly from the " +"USB stick once Tails is already installed on it. To do so:" +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "Shut down the virtual machine." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" 1. In the configuration of the virtual machine, click on **IDE CDROM\n" +" 1** in the left pane.\n" +" 1. Click on the **Disconnect** button in the right pane.\n" +" 1. To enable the USB stick or SD card as a boot option:\n" +" 1. Click on **Boot Options** in the left pane.\n" +" 1. Select the **USB** boot option corresponding to your USB device.\n" +" 1. Click **Apply**.\n" +" 1. To start the virtual machine choose\n" +" <span class=\"menuchoice\">\n" +" <span class=\"guimenu\">View</span> ▸\n" +" <span class=\"guimenuitem\">Console</span></span> and then\n" +" <span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Virtual Machine</span> ▸\n" +" <span class=\"guimenuitem\">Run</span></span>.\n" +msgstr "" + +#. type: Plain text +msgid "" +"Once you started from the USB device you can [[create a persistent volume|" +"first_steps/persistence/configure]] on it." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"virtual_usb\"></a>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Running Tails from a virtual USB storage\n" +msgstr "" + +#. type: Plain text +msgid "" +"You can also run Tails from a virtual USB storage, saved as a single file on " +"the host operating system." +msgstr "" + +#. type: Plain text +msgid "" +"To run Tails from a virtual USB device using *virt-manager*, first create a " +"virtual machine running from an ISO image as described [[above|virt-" +"manager#iso]]." +msgstr "" + +#. type: Plain text +msgid "Then do the following to create a virtual USB storage:" +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "Select **Storage** in the left pane." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "In the right pane, change the **Bus type** to USB and click **Finish**." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "Select **USB Disk 1** in the left pane." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "In the right pane, select the **Removable** option and click **Apply**." +msgstr "" + +#. type: Plain text +msgid "" +"Then start the virtual machine from the virtual DVD to install Tails onto " +"the virtual USB storage. The virtual USB storage appears in *Tails " +"Installer* as **QEMU HARDDISK**." +msgstr "" + +#. type: Plain text +msgid "" +"After that you can disconnect the original ISO image and start directly from " +"the virtual USB stick [[as described in the previous section|virt-" +"manager#disconnect]]." +msgstr "" + +#. type: Plain text +msgid "" +"Once you started from the virtual USB device you can [[create a persistent " +"volume|first_steps/persistence/configure]] on it." +msgstr "" diff --git a/wiki/src/doc/advanced_topics/virtualization/virtualbox.de.po b/wiki/src/doc/advanced_topics/virtualization/virtualbox.de.po new file mode 100644 index 0000000000000000000000000000000000000000..0253755078c749d3fa16a287fcfd8a8d69a6e300 --- /dev/null +++ b/wiki/src/doc/advanced_topics/virtualization/virtualbox.de.po @@ -0,0 +1,228 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-02-22 17:32+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"VirtualBox\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"It is possible to run Tails in a virtual machine using [<span\n" +"class=\"application\">VirtualBox</span>](https://www.virtualbox.org/) from a\n" +"Windows, Linux, or Mac OS X host operating system.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"doc/advanced_topics/virtualization.caution\" raw=\"yes\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<span class=\"application\">VirtualBox</span> has a free software version,\n" +"called <span class=\"application\">VirtualBox Open Source Edition</span>\n" +"and some proprietary components, for example to add support for USB\n" +"devices.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"caution\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"For security reasons, we recommend you to use only the <span class=\"application\">Open Source Edition</span>,\n" +"though it does not allow to use a persistent volume.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"tip\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>With the <a href=\"https://www.virtualbox.org/manual/ch04.html#sharedfolders\">\n" +"<span class=\"guilabel\">shared folders</span></a> feature of\n" +"<span class=\"application\">VirtualBox</span> you can access files of your\n" +"host system from within the guest system.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>Make sure to understand the security implications of [[accessing\n" +"internal hard disks|encryption_and_privacy/your_data_wont_be_saved_unless_explicitly_asked]]\n" +"from Tails before using this feature.</p>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Security considerations for Windows and Mac OS X\n" +msgstr "" + +#. type: Plain text +msgid "" +"In our [[security warnings about virtualization|virtualization#security]] we " +"recommend to run Tails in a virtual machine only if the host operating " +"system is trustworthy." +msgstr "" + +#. type: Plain text +msgid "" +"Microsoft Windows and Mac OS X being proprietary software, they cannot be " +"considered trustworthy. Only run Tails in a virtual machine on Windows or OS " +"X for testing purposes and do not rely on it for security." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Installation\n" +msgstr "" + +#. type: Plain text +msgid "" +"To install *VirtualBox* in Debian or Ubuntu, execute the following command:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " sudo apt-get install virtualbox\n" +msgstr "" + +#. type: Plain text +msgid "" +"For instructions on how to install *VirtualBox* on other operating systems, " +"refer to the [VirtualBox documentation](https://www.virtualbox.org/wiki/End-" +"user_documentation)." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Running Tails from an ISO image\n" +msgstr "" + +#. type: Plain text +msgid "First, start *VirtualBox*." +msgstr "" + +#. type: Plain text +msgid "To create a new virtual machine:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" 1. Choose\n" +" <span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Machine</span> ▸\n" +" <span class=\"guimenuitem\">New...</span></span>.\n" +" 1. In the **Name and operating system** screen, specify:\n" +" - A name of your choice.\n" +" - **Type**: **Linux**.\n" +" - **Version**: **Other Linux (32 bit)**.\n" +" - Click **Next**.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" <div class=\"bug\"><p><span class=\"application\">VirtualBox</span> guest\n" +" modules allow for additional features when using Tails in a virtual\n" +" machine: shared folders, resizable display, shared clipboard, etc.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" <p>But due to <a href=\"https://www.virtualbox.org/ticket/11037\">a bug in\n" +" <span class=\"application\">VirtualBox</span></a>, the resizable display\n" +" and shared clipboard only work in Tails if the virtual machine is configured to\n" +" have a 32-bit processor. The shared folders work both on 32-bit and\n" +" 64-bit guests.</p></div>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" 1. In the **Memory size** screen:\n" +" - Allocate at least 1024 MB of RAM.\n" +" - Click **Next**.\n" +" 1. In the **Hard drive** screen:\n" +" - Choose **Do not add a virtual hard drive**.\n" +" - Click **Create**.\n" +" - Click **Continue** in the warning dialog about creating a virtual\n" +" machine without a hard drive.\n" +msgstr "" + +#. type: Plain text +msgid "To configure the virtual machine to start from an ISO image:" +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "Select the new virtual machine in the left pane." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "" +"Choose <span class=\"menuchoice\"> <span class=\"guimenu\">Machine</" +"span> ▸ <span class=\"guimenuitem\">Settings...</span></span>." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "Select **Storage** in left pane." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "" +"Select **Empty** below **Contoller IDE** in the **Storage Tree** selection " +"list in the right pane." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" 1. Click on the **CD** icon on the right of the window and select\n" +" **Choose a virtual CD/DVD disk file...** to browse for the ISO image\n" +" you want to start Tails from.\n" +" 1. Check the **Live CD/DVD** option.\n" +" 1. Click **OK**.\n" +msgstr "" + +#. type: Plain text +msgid "To start the new virtual machine:" +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "Select the virtual machine in the left pane." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "Click **Start**." +msgstr "" diff --git a/wiki/src/doc/advanced_topics/virtualization/virtualbox.fr.po b/wiki/src/doc/advanced_topics/virtualization/virtualbox.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..af85811debd6127af759844baa241dfb8d8a8efb --- /dev/null +++ b/wiki/src/doc/advanced_topics/virtualization/virtualbox.fr.po @@ -0,0 +1,291 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-02-24 20:09+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"VirtualBox\"]]\n" +msgstr "[[!meta title=\"VirtualBox\"]]\n" + +#. type: Plain text +#, no-wrap +msgid "" +"It is possible to run Tails in a virtual machine using [<span\n" +"class=\"application\">VirtualBox</span>](https://www.virtualbox.org/) from a\n" +"Windows, Linux, or Mac OS X host operating system.\n" +msgstr "" +"Il est possible d'utiliser Tails dans une machine virtuelle avec [<span\n" +"class=\"application\">VirtualBox</span>](https://www.virtualbox.org/) depuis un\n" +"système d'exploitation Windows, Linux, ou Mac OS X..\n" + +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"doc/advanced_topics/virtualization.caution\" raw=\"yes\"]]\n" +msgstr "[[!inline pages=\"doc/advanced_topics/virtualization.caution.fr\" raw=\"yes\"]]\n" + +#. type: Plain text +#, no-wrap +msgid "" +"<span class=\"application\">VirtualBox</span> has a free software version,\n" +"called <span class=\"application\">VirtualBox Open Source Edition</span>\n" +"and some proprietary components, for example to add support for USB\n" +"devices.\n" +msgstr "" +"<span class=\"application\">VirtualBox</span> a une version libre,\n" +"appelée <span class=\"application\">VirtualBox Open Source Edition</span>\n" +"et des composants propriétaires, par exemple pour ajouter la prise en charge\n" +"des périphériques USB.\n" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"caution\">\n" +msgstr "<div class=\"caution\">\n" + +#. type: Plain text +#, no-wrap +msgid "" +"For security reasons, we recommend you to use only the <span class=\"application\">Open Source Edition</span>,\n" +"though it does not allow to use a persistent volume.\n" +msgstr "" +"Pour des raisons de sécurité, nous recommandons d'utiliser uniquement la version <span class=\"application\">Open Source Edition</span>,\n" +"même si elle ne permet pas d'utiliser de volume persistant.\n" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "</div>\n" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"tip\">\n" +msgstr "<div class=\"tip\">\n" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>With the <a href=\"https://www.virtualbox.org/manual/ch04.html#sharedfolders\">\n" +"<span class=\"guilabel\">shared folders</span></a> feature of\n" +"<span class=\"application\">VirtualBox</span> you can access files of your\n" +"host system from within the guest system.</p>\n" +msgstr "" +"<p>Avec la fonctionnalité de <a href=\"https://www.virtualbox.org/manual/ch04.html#sharedfolders\">\n" +"<span class=\"guilabel\">dossiers partagés</span></a> de\n" +"<span class=\"application\">VirtualBox</span> vous pouvez avoir accès à des fichiers\n" +"de votre système hôte depuis votre système invité.</p>\n" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>Make sure to understand the security implications of [[accessing\n" +"internal hard disks|encryption_and_privacy/your_data_wont_be_saved_unless_explicitly_asked]]\n" +"from Tails before using this feature.</p>\n" +msgstr "" +"<p>Veillez à être sûr de comprendre les implications en terme de sécurité de l'[[accès\n" +"aux disques durs internes|encryption_and_privacy/your_data_wont_be_saved_unless_explicitly_asked]]\n" +"depuis Tails avant d'utiliser cette fonctionnalité.</p>\n" + +#. type: Title = +#, no-wrap +msgid "Security considerations for Windows and Mac OS X\n" +msgstr "Considérations de sécurité pour Windows et Mac OS X\n" + +#. type: Plain text +msgid "" +"In our [[security warnings about virtualization|virtualization#security]] we " +"recommend to run Tails in a virtual machine only if the host operating " +"system is trustworthy." +msgstr "" +"Dans nos [[avertissements de sécurité à propos de la virtualisation|" +"virtualization#security]] nous recommandons d'utiliser Tails dans une " +"machine virtuelle seulement si le système d'exploitation est de confiance." + +#. type: Plain text +msgid "" +"Microsoft Windows and Mac OS X being proprietary software, they cannot be " +"considered trustworthy. Only run Tails in a virtual machine on Windows or OS " +"X for testing purposes and do not rely on it for security." +msgstr "" +"Microsoft Windows et Mac OS X étant des logiciels propriétaires, ils ne " +"peuvent pas être considérés de confiance. Utilisez seulement Tails dans une " +"machine virtuelle hébergée par Windows ou OS X pour faire des tests et ne " +"comptez pas dessus pour sa sécurité." + +#. type: Title = +#, no-wrap +msgid "Installation\n" +msgstr "Installation\n" + +#. type: Plain text +msgid "" +"To install *VirtualBox* in Debian or Ubuntu, execute the following command:" +msgstr "" +"Pour installer *VirtualBox* dans Debian ou Ubuntu, exécutez la commande " +"suivante :" + +#. type: Plain text +#, no-wrap +msgid " sudo apt-get install virtualbox\n" +msgstr " sudo apt-get install virtualbox\n" + +#. type: Plain text +msgid "" +"For instructions on how to install *VirtualBox* on other operating systems, " +"refer to the [VirtualBox documentation](https://www.virtualbox.org/wiki/End-" +"user_documentation)." +msgstr "" +"Pour des instructions d'installation de *VirtualBox* pour d'autres systèmes " +"d'exploitations, consultez la [documentation de VirtualBox ](https://www." +"virtualbox.org/wiki/End-user_documentation)." + +#. type: Title = +#, no-wrap +msgid "Running Tails from an ISO image\n" +msgstr "Utiliser Tails depuis une image ISO\n" + +#. type: Plain text +msgid "First, start *VirtualBox*." +msgstr "Tout d'abord, lancer *VirtualBox*." + +#. type: Plain text +msgid "To create a new virtual machine:" +msgstr "Pour créer une nouvelle machine virtuelle :" + +#. type: Plain text +#, no-wrap +msgid "" +" 1. Choose\n" +" <span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Machine</span> ▸\n" +" <span class=\"guimenuitem\">New...</span></span>.\n" +" 1. In the **Name and operating system** screen, specify:\n" +" - A name of your choice.\n" +" - **Type**: **Linux**.\n" +" - **Version**: **Other Linux (32 bit)**.\n" +" - Click **Next**.\n" +msgstr "" +" 1. Choisir\n" +" <span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Machine</span> ▸\n" +" <span class=\"guimenuitem\">Nouvelle...</span></span>.\n" +" 1. Dans la fenêtre **Nom et système d'exploitation**, mettre :\n" +" - Un nom de votre choix.\n" +" - **Type** : **Linux**.\n" +" - **Version** : **Other Linux (32 bit)**.\n" +" - Cliquer sur **Suivant**.\n" + +#. type: Plain text +#, no-wrap +msgid "" +" <div class=\"bug\"><p><span class=\"application\">VirtualBox</span> guest\n" +" modules allow for additional features when using Tails in a virtual\n" +" machine: shared folders, resizable display, shared clipboard, etc.</p>\n" +msgstr "" +" <div class=\"bug\"><p>Les modules invités de <span class=\"application\">VirtualBox</span>\n" +" permettent l'usage de fonctionnalités supplémentaires lors de l'utilisation de Tails\n" +" dans une machine virtuelle : dossiers partagés, affichage redimensionnable, presse-papier partagé, etc.</p>\n" + +#. type: Plain text +#, no-wrap +msgid "" +" <p>But due to <a href=\"https://www.virtualbox.org/ticket/11037\">a bug in\n" +" <span class=\"application\">VirtualBox</span></a>, the resizable display\n" +" and shared clipboard only work in Tails if the virtual machine is configured to\n" +" have a 32-bit processor. The shared folders work both on 32-bit and\n" +" 64-bit guests.</p></div>\n" +msgstr "" +" <p>Mais à cause d'un <a hreg=\"https://www.virtualbox.org/ticket/11037\">bug dans\n" +" <span class=\"application\">VirtualBox</span></a>, l'affichage redimensionnable\n" +" et le presse-papier partagé ne fonctionnent dans Tails que si la machine virtuelle est\n" +" configurée pour avoir un processeur 32-bit. Les dossiers partagés fonctionnent pour les\n" +" systèmes invités 32-bit et 64-bit.</p></div>\n" + +#. type: Plain text +#, no-wrap +msgid "" +" 1. In the **Memory size** screen:\n" +" - Allocate at least 1024 MB of RAM.\n" +" - Click **Next**.\n" +" 1. In the **Hard drive** screen:\n" +" - Choose **Do not add a virtual hard drive**.\n" +" - Click **Create**.\n" +" - Click **Continue** in the warning dialog about creating a virtual\n" +" machine without a hard drive.\n" +msgstr "" +" 1. Dans la fenêtre **Taille de la mémoire** :\n" +" - Allouer au moins 1024 Mo de RAM.\n" +" - Cliquer sur **Suivant**.\n" +" 1. Dans la fenêtre **Disque dur** :\n" +" - Choisir **ne pas ajouter de disque dur virtuel**.\n" +" - Cliquer sur **Créer**.\n" +" - Cliquer sur **Continuer** dans la fenêtre d'avertissement à propos de la\n" +" création de machine virtuelle sans disque dur.\n" + +#. type: Plain text +msgid "To configure the virtual machine to start from an ISO image:" +msgstr "" +"Pour configurer la machine virtuelle pour démarrer depuis une image ISO :" + +#. type: Bullet: ' 1. ' +msgid "Select the new virtual machine in the left pane." +msgstr "Sélectionner la machine virtuelle dans la partie gauche." + +#. type: Bullet: ' 1. ' +msgid "" +"Choose <span class=\"menuchoice\"> <span class=\"guimenu\">Machine</" +"span> ▸ <span class=\"guimenuitem\">Settings...</span></span>." +msgstr "" +"Choisir <span class=\"menuchoice\"> <span class=\"guimenu\">Machine</" +"span> ▸ <span class=\"guimenuitem\">Configuration...</span></span>." + +#. type: Bullet: ' 1. ' +msgid "Select **Storage** in left pane." +msgstr "Sélectionner **Stockage** dans la partie de gauche." + +#. type: Bullet: ' 1. ' +msgid "" +"Select **Empty** below **Contoller IDE** in the **Storage Tree** selection " +"list in the right pane." +msgstr "" +"Sélectionner **Vide** sous **Contrôleur IDE** dans la liste de sélection de " +"l'**Arborescence de stockage** dans la partie droite." + +#. type: Plain text +#, no-wrap +msgid "" +" 1. Click on the **CD** icon on the right of the window and select\n" +" **Choose a virtual CD/DVD disk file...** to browse for the ISO image\n" +" you want to start Tails from.\n" +" 1. Check the **Live CD/DVD** option.\n" +" 1. Click **OK**.\n" +msgstr "" +" 1. Cliquer sur l'icône **CD** dans la droite de la fenêtre et sélectionner\n" +" **Choisissez un fichier de CD/DVD virtuel...** pour naviguer jusqu'à l'image ISO\n" +" de Tails.\n" +" 1. Cocher l'option **Live CD/DVD**.\n" +" 1. Cliquer sur **OK**.\n" + +#. type: Plain text +msgid "To start the new virtual machine:" +msgstr "Pour démarrer la nouvelle machine virtuelle :" + +#. type: Bullet: ' 1. ' +msgid "Select the virtual machine in the left pane." +msgstr "Sélectionner la machine virtuelle dans la partie gauche de la fenêtre." + +#. type: Bullet: ' 1. ' +msgid "Click **Start**." +msgstr "Cliquer sur **Démarrer**." diff --git a/wiki/src/doc/advanced_topics/virtualization/virtualbox.mdwn b/wiki/src/doc/advanced_topics/virtualization/virtualbox.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..3d00b8eecc5061627da6bbc324025f2d538a0b53 --- /dev/null +++ b/wiki/src/doc/advanced_topics/virtualization/virtualbox.mdwn @@ -0,0 +1,114 @@ +[[!meta title="VirtualBox"]] + +It is possible to run Tails in a virtual machine using [<span +class="application">VirtualBox</span>](https://www.virtualbox.org/) from a +Windows, Linux, or Mac OS X host operating system. + +[[!inline pages="doc/advanced_topics/virtualization.caution" raw="yes"]] + +<span class="application">VirtualBox</span> has a free software version, +called <span class="application">VirtualBox Open Source Edition</span> +and some proprietary components, for example to add support for USB +devices. + +<div class="caution"> + +For security reasons, we recommend you to use only the <span class="application">Open Source Edition</span>, +though it does not allow to use a persistent volume. + +</div> + +<div class="tip"> + +<p>With the <a href="https://www.virtualbox.org/manual/ch04.html#sharedfolders"> +<span class="guilabel">shared folders</span></a> feature of +<span class="application">VirtualBox</span> you can access files of your +host system from within the guest system.</p> + +<p>Make sure to understand the security implications of [[accessing +internal hard disks|encryption_and_privacy/your_data_wont_be_saved_unless_explicitly_asked]] +from Tails before using this feature.</p> + +</div> + +Security considerations for Windows and Mac OS X +================================================ + +In our [[security warnings about +virtualization|virtualization#security]] we recommend to run Tails in +a virtual machine only if the host operating system is trustworthy. + +<div class="caution"> + +Microsoft Windows and Mac OS X being proprietary software, they cannot be considered +trustworthy. Only run Tails in a virtual machine on Windows or OS X for testing +purposes and do not rely on it for security. + +</div> + +Installation +============ + +To install *VirtualBox* in Debian or Ubuntu, execute the following +command: + + sudo apt-get install virtualbox + +For instructions on how to install *VirtualBox* on other operating +systems, refer to the [VirtualBox documentation](https://www.virtualbox.org/wiki/End-user_documentation). + +Running Tails from an ISO image +=============================== + +First, start *VirtualBox*. + +To create a new virtual machine: + + 1. Choose + <span class="menuchoice"> + <span class="guimenu">Machine</span> ▸ + <span class="guimenuitem">New...</span></span>. + 1. In the **Name and operating system** screen, specify: + - A name of your choice. + - **Type**: **Linux**. + - **Version**: **Other Linux (32 bit)**. + - Click **Next**. + + <div class="bug"><p><span class="application">VirtualBox</span> guest + modules allow for additional features when using Tails in a virtual + machine: shared folders, resizable display, shared clipboard, etc.</p> + + <p>But due to <a href="https://www.virtualbox.org/ticket/11037">a bug in + <span class="application">VirtualBox</span></a>, the resizable display + and shared clipboard only work in Tails if the virtual machine is configured to + have a 32-bit processor. The shared folders work both on 32-bit and + 64-bit guests.</p></div> + + 1. In the **Memory size** screen: + - Allocate at least 1024 MB of RAM. + - Click **Next**. + 1. In the **Hard drive** screen: + - Choose **Do not add a virtual hard drive**. + - Click **Create**. + - Click **Continue** in the warning dialog about creating a virtual + machine without a hard drive. + +To configure the virtual machine to start from an ISO image: + + 1. Select the new virtual machine in the left pane. + 1. Choose <span class="menuchoice"> + <span class="guimenu">Machine</span> ▸ + <span class="guimenuitem">Settings...</span></span>. + 1. Select **Storage** in left pane. + 1. Select **Empty** below **Contoller IDE** in the **Storage Tree** + selection list in the right pane. + 1. Click on the **CD** icon on the right of the window and select + **Choose a virtual CD/DVD disk file...** to browse for the ISO image + you want to start Tails from. + 1. Check the **Live CD/DVD** option. + 1. Click **OK**. + +To start the new virtual machine: + + 1. Select the virtual machine in the left pane. + 1. Click **Start**. diff --git a/wiki/src/doc/advanced_topics/virtualization/virtualbox.pt.po b/wiki/src/doc/advanced_topics/virtualization/virtualbox.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..0253755078c749d3fa16a287fcfd8a8d69a6e300 --- /dev/null +++ b/wiki/src/doc/advanced_topics/virtualization/virtualbox.pt.po @@ -0,0 +1,228 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-02-22 17:32+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"VirtualBox\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"It is possible to run Tails in a virtual machine using [<span\n" +"class=\"application\">VirtualBox</span>](https://www.virtualbox.org/) from a\n" +"Windows, Linux, or Mac OS X host operating system.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"doc/advanced_topics/virtualization.caution\" raw=\"yes\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<span class=\"application\">VirtualBox</span> has a free software version,\n" +"called <span class=\"application\">VirtualBox Open Source Edition</span>\n" +"and some proprietary components, for example to add support for USB\n" +"devices.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"caution\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"For security reasons, we recommend you to use only the <span class=\"application\">Open Source Edition</span>,\n" +"though it does not allow to use a persistent volume.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"tip\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>With the <a href=\"https://www.virtualbox.org/manual/ch04.html#sharedfolders\">\n" +"<span class=\"guilabel\">shared folders</span></a> feature of\n" +"<span class=\"application\">VirtualBox</span> you can access files of your\n" +"host system from within the guest system.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>Make sure to understand the security implications of [[accessing\n" +"internal hard disks|encryption_and_privacy/your_data_wont_be_saved_unless_explicitly_asked]]\n" +"from Tails before using this feature.</p>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Security considerations for Windows and Mac OS X\n" +msgstr "" + +#. type: Plain text +msgid "" +"In our [[security warnings about virtualization|virtualization#security]] we " +"recommend to run Tails in a virtual machine only if the host operating " +"system is trustworthy." +msgstr "" + +#. type: Plain text +msgid "" +"Microsoft Windows and Mac OS X being proprietary software, they cannot be " +"considered trustworthy. Only run Tails in a virtual machine on Windows or OS " +"X for testing purposes and do not rely on it for security." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Installation\n" +msgstr "" + +#. type: Plain text +msgid "" +"To install *VirtualBox* in Debian or Ubuntu, execute the following command:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " sudo apt-get install virtualbox\n" +msgstr "" + +#. type: Plain text +msgid "" +"For instructions on how to install *VirtualBox* on other operating systems, " +"refer to the [VirtualBox documentation](https://www.virtualbox.org/wiki/End-" +"user_documentation)." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Running Tails from an ISO image\n" +msgstr "" + +#. type: Plain text +msgid "First, start *VirtualBox*." +msgstr "" + +#. type: Plain text +msgid "To create a new virtual machine:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" 1. Choose\n" +" <span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Machine</span> ▸\n" +" <span class=\"guimenuitem\">New...</span></span>.\n" +" 1. In the **Name and operating system** screen, specify:\n" +" - A name of your choice.\n" +" - **Type**: **Linux**.\n" +" - **Version**: **Other Linux (32 bit)**.\n" +" - Click **Next**.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" <div class=\"bug\"><p><span class=\"application\">VirtualBox</span> guest\n" +" modules allow for additional features when using Tails in a virtual\n" +" machine: shared folders, resizable display, shared clipboard, etc.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" <p>But due to <a href=\"https://www.virtualbox.org/ticket/11037\">a bug in\n" +" <span class=\"application\">VirtualBox</span></a>, the resizable display\n" +" and shared clipboard only work in Tails if the virtual machine is configured to\n" +" have a 32-bit processor. The shared folders work both on 32-bit and\n" +" 64-bit guests.</p></div>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" 1. In the **Memory size** screen:\n" +" - Allocate at least 1024 MB of RAM.\n" +" - Click **Next**.\n" +" 1. In the **Hard drive** screen:\n" +" - Choose **Do not add a virtual hard drive**.\n" +" - Click **Create**.\n" +" - Click **Continue** in the warning dialog about creating a virtual\n" +" machine without a hard drive.\n" +msgstr "" + +#. type: Plain text +msgid "To configure the virtual machine to start from an ISO image:" +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "Select the new virtual machine in the left pane." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "" +"Choose <span class=\"menuchoice\"> <span class=\"guimenu\">Machine</" +"span> ▸ <span class=\"guimenuitem\">Settings...</span></span>." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "Select **Storage** in left pane." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "" +"Select **Empty** below **Contoller IDE** in the **Storage Tree** selection " +"list in the right pane." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" 1. Click on the **CD** icon on the right of the window and select\n" +" **Choose a virtual CD/DVD disk file...** to browse for the ISO image\n" +" you want to start Tails from.\n" +" 1. Check the **Live CD/DVD** option.\n" +" 1. Click **OK**.\n" +msgstr "" + +#. type: Plain text +msgid "To start the new virtual machine:" +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "Select the virtual machine in the left pane." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "Click **Start**." +msgstr "" diff --git a/wiki/src/doc/advanced_topics/wireless_devices.de.po b/wiki/src/doc/advanced_topics/wireless_devices.de.po index 43aa2393077328c5fbf0e90e51bded27796434cf..050e472a9f9d771a82a11df68cfcc0635f613f1f 100644 --- a/wiki/src/doc/advanced_topics/wireless_devices.de.po +++ b/wiki/src/doc/advanced_topics/wireless_devices.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2013-05-24 11:31+0300\n" +"POT-Creation-Date: 2015-01-25 19:23+0100\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -22,14 +22,21 @@ msgid "[[!meta title=\"Enable a wireless device\"]]\n" msgstr "" #. type: Plain text -msgid "When Tails starts, Wi-Fi, Bluetooth, WWAN and WiMAX devices are enabled." +msgid "" +"When Tails starts, Wi-Fi, Bluetooth, WWAN and WiMAX devices are enabled (but " +"Bluetooth doesn't work by default, see below to enable it)" msgstr "" #. type: Plain text msgid "" "But all other kinds of wireless devices such as GPS and FM devices are " -"disabled by default. If you want to use such a device, you need to enabled " -"it first." +"disabled by default. If you want to use such a device, you need to enable it " +"first." +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Enable a wireless device\n" msgstr "" #. type: Plain text @@ -38,16 +45,16 @@ msgstr "" #. type: Bullet: '1. ' msgid "" -"When starting Tails, [[set up an administration " -"password|doc/first_steps/startup_options/administration_password]]." +"When starting Tails, [[set up an administration password|doc/first_steps/" +"startup_options/administration_password]]." msgstr "" #. type: Bullet: '2. ' msgid "" "To find out the index of the wireless device that you want to enable, open a " -"[[root " -"terminal|doc/first_steps/startup_options/administration_password#open_root_terminal]], " -"and execute the following command:" +"[[root terminal|doc/first_steps/startup_options/" +"administration_password#open_root_terminal]], and execute the following " +"command:" msgstr "" #. type: Plain text @@ -78,8 +85,7 @@ msgstr "" #, no-wrap msgid "" " The device index is the number that appears at the beginning of the\n" -" three lines describing each device. In this example, the index of the " -"Bluetooth\n" +" three lines describing each device. In this example, the index of the Bluetooth\n" " device is 1, while the index of the GPS device is 2. Yours are\n" " probably different.\n" msgstr "" @@ -134,3 +140,21 @@ msgid "" " Soft blocked: no\n" " Hard blocked: no\n" msgstr "" + +#. type: Title - +#, no-wrap +msgid "Enable Bluetooth\n" +msgstr "" + +#. type: Plain text +msgid "" +"Bluetooth is not enabled by default in Tails because it is insecure when " +"trying to protect from a local adversary." +msgstr "" + +#. type: Plain text +msgid "" +"To use Bluetooth in Tails nonetheless, you have to [[set up an " +"administration password at boot time|doc/first_steps/startup_options/" +"administration_password]] and install the `gnome-bluetooth` package." +msgstr "" diff --git a/wiki/src/doc/advanced_topics/wireless_devices.fr.po b/wiki/src/doc/advanced_topics/wireless_devices.fr.po index 91bee17c3cb391fcc8794afb4410efc37cc908eb..3395ebe657fcba15f5acfde0c73fc7cdba936cda 100644 --- a/wiki/src/doc/advanced_topics/wireless_devices.fr.po +++ b/wiki/src/doc/advanced_topics/wireless_devices.fr.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: \n" -"POT-Creation-Date: 2013-06-26 15:48+0300\n" -"PO-Revision-Date: 2013-06-17 19:26-0000\n" +"POT-Creation-Date: 2015-02-23 12:10+0000\n" +"PO-Revision-Date: 2015-02-20 18:11-0000\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" @@ -23,21 +23,28 @@ msgstr "[[!meta title=\"Activer un périphérique sans-fil\"]]\n" #. type: Plain text msgid "" -"When Tails starts, Wi-Fi, Bluetooth, WWAN and WiMAX devices are enabled." +"When Tails starts, Wi-Fi, Bluetooth, WWAN and WiMAX devices are enabled (but " +"Bluetooth doesn't work by default, see below to enable it)" msgstr "" "Quand Tails démarre, les périphériques Wi-Fi, Bluetooth, WWAN et WiMAX sont " -"activés." +"activés (mais le Bluetooth ne fonctionne pas par défaut, voir ci-dessous " +"comment l'activer)." #. type: Plain text msgid "" "But all other kinds of wireless devices such as GPS and FM devices are " -"disabled by default. If you want to use such a device, you need to enabled " -"it first." +"disabled by default. If you want to use such a device, you need to enable it " +"first." msgstr "" "Mais tous les autres périphériques de type sans-fil comme les périphériques " -"GPS et FM sont désactivés par défaut. Si vous voulez utiliser ces types de " +"GPS et FM sont désactivés par défaut. Si vous voulez utiliser de tels " "périphériques, il vous faudra les activer au préalable." +#. type: Title - +#, no-wrap +msgid "Enable a wireless device\n" +msgstr "Activer un périphérique sans-fil\n" + #. type: Plain text msgid "This technique uses the command line." msgstr "Cette méthode utilise les lignes de commande." @@ -177,3 +184,26 @@ msgstr "" " 2: gps0: GPS\n" " Soft blocked: no\n" " Hard blocked: no\n" + +#. type: Title - +#, no-wrap +msgid "Enable Bluetooth\n" +msgstr "Activer le Bluetooth\n" + +#. type: Plain text +msgid "" +"Bluetooth is not enabled by default in Tails because it is insecure when " +"trying to protect from a local adversary." +msgstr "" +"Le Bluetooth n'est pas activé par défaut dans Tails car il n'est pas sûr " +"pour se protéger d'un adversaire situé près de l'ordinateur." + +#. type: Plain text +msgid "" +"To use Bluetooth in Tails nonetheless, you have to [[set up an " +"administration password at boot time|doc/first_steps/startup_options/" +"administration_password]] and install the `gnome-bluetooth` package." +msgstr "" +"Pour utiliser le Bluetooth, vous devez [[définir un mot de passe " +"d'administration|doc/first_steps/startup_options/administration_password]] " +"et installer le paquet `gnome-bluetooth`." diff --git a/wiki/src/doc/advanced_topics/wireless_devices.mdwn b/wiki/src/doc/advanced_topics/wireless_devices.mdwn index 87c8f4522dce104e923ac5565ed9b1a69e3f9caf..167143e3c44f160261830dc1043647b5c6082314 100644 --- a/wiki/src/doc/advanced_topics/wireless_devices.mdwn +++ b/wiki/src/doc/advanced_topics/wireless_devices.mdwn @@ -1,12 +1,16 @@ [[!meta title="Enable a wireless device"]] -When Tails starts, Wi-Fi, Bluetooth, WWAN and WiMAX -devices are enabled. +When Tails starts, Wi-Fi, Bluetooth, WWAN and WiMAX devices are +enabled (but Bluetooth doesn't work by default, see below to enable +it) But all other kinds of wireless devices such as GPS and FM devices are -disabled by default. If you want to use such a device, you need to enabled +disabled by default. If you want to use such a device, you need to enable it first. +Enable a wireless device +------------------------ + This technique uses the command line. 1. When starting Tails, [[set up an administration @@ -67,3 +71,13 @@ This technique uses the command line. 2: gps0: GPS Soft blocked: no Hard blocked: no + +Enable Bluetooth +---------------- + +Bluetooth is not enabled by default in Tails because it is insecure +when trying to protect from a local adversary. + +To use Bluetooth in Tails nonetheless, you have to +[[set up an administration password at boot time|doc/first_steps/startup_options/administration_password]] +and install the `gnome-bluetooth` package. diff --git a/wiki/src/doc/advanced_topics/wireless_devices.pt.po b/wiki/src/doc/advanced_topics/wireless_devices.pt.po index 43aa2393077328c5fbf0e90e51bded27796434cf..050e472a9f9d771a82a11df68cfcc0635f613f1f 100644 --- a/wiki/src/doc/advanced_topics/wireless_devices.pt.po +++ b/wiki/src/doc/advanced_topics/wireless_devices.pt.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2013-05-24 11:31+0300\n" +"POT-Creation-Date: 2015-01-25 19:23+0100\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -22,14 +22,21 @@ msgid "[[!meta title=\"Enable a wireless device\"]]\n" msgstr "" #. type: Plain text -msgid "When Tails starts, Wi-Fi, Bluetooth, WWAN and WiMAX devices are enabled." +msgid "" +"When Tails starts, Wi-Fi, Bluetooth, WWAN and WiMAX devices are enabled (but " +"Bluetooth doesn't work by default, see below to enable it)" msgstr "" #. type: Plain text msgid "" "But all other kinds of wireless devices such as GPS and FM devices are " -"disabled by default. If you want to use such a device, you need to enabled " -"it first." +"disabled by default. If you want to use such a device, you need to enable it " +"first." +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Enable a wireless device\n" msgstr "" #. type: Plain text @@ -38,16 +45,16 @@ msgstr "" #. type: Bullet: '1. ' msgid "" -"When starting Tails, [[set up an administration " -"password|doc/first_steps/startup_options/administration_password]]." +"When starting Tails, [[set up an administration password|doc/first_steps/" +"startup_options/administration_password]]." msgstr "" #. type: Bullet: '2. ' msgid "" "To find out the index of the wireless device that you want to enable, open a " -"[[root " -"terminal|doc/first_steps/startup_options/administration_password#open_root_terminal]], " -"and execute the following command:" +"[[root terminal|doc/first_steps/startup_options/" +"administration_password#open_root_terminal]], and execute the following " +"command:" msgstr "" #. type: Plain text @@ -78,8 +85,7 @@ msgstr "" #, no-wrap msgid "" " The device index is the number that appears at the beginning of the\n" -" three lines describing each device. In this example, the index of the " -"Bluetooth\n" +" three lines describing each device. In this example, the index of the Bluetooth\n" " device is 1, while the index of the GPS device is 2. Yours are\n" " probably different.\n" msgstr "" @@ -134,3 +140,21 @@ msgid "" " Soft blocked: no\n" " Hard blocked: no\n" msgstr "" + +#. type: Title - +#, no-wrap +msgid "Enable Bluetooth\n" +msgstr "" + +#. type: Plain text +msgid "" +"Bluetooth is not enabled by default in Tails because it is insecure when " +"trying to protect from a local adversary." +msgstr "" + +#. type: Plain text +msgid "" +"To use Bluetooth in Tails nonetheless, you have to [[set up an " +"administration password at boot time|doc/first_steps/startup_options/" +"administration_password]] and install the `gnome-bluetooth` package." +msgstr "" diff --git a/wiki/src/doc/anonymous_internet.index.de.po b/wiki/src/doc/anonymous_internet.index.de.po index cbd8305d40ab1867c2a40d184d24e4db969ff50d..997b4c6015fde3f3e3cc4c4106a53d008d303194 100644 --- a/wiki/src/doc/anonymous_internet.index.de.po +++ b/wiki/src/doc/anonymous_internet.index.de.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-10-15 18:40+0300\n" +"POT-Creation-Date: 2015-04-08 18:46+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -43,6 +43,18 @@ msgstr "" msgid "[[!traillink Chatting_with_Pidgin_&_OTR|anonymous_internet/pidgin]]" msgstr "" +#. type: Bullet: ' - ' +msgid "" +"[[!traillink Reading_and_writing_emails_with_<span_class=\"application" +"\">Claws_Mail</span>|anonymous_internet/claws_mail]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"[[!traillink Exchange_bitcoins_using_<span_class=\"application\">Electrum</" +"span>|anonymous_internet/electrum]]" +msgstr "" + #. type: Bullet: ' - ' msgid "[[!traillink Using_I2P|anonymous_internet/i2p]]" msgstr "" diff --git a/wiki/src/doc/anonymous_internet.index.fr.po b/wiki/src/doc/anonymous_internet.index.fr.po index 465021218d336e21d00f42d51e038b911e2ab947..0bb1c25f8fb3ff5ee4654728a7029ece1e19b5a1 100644 --- a/wiki/src/doc/anonymous_internet.index.fr.po +++ b/wiki/src/doc/anonymous_internet.index.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: SACKAGE VERSION\n" -"POT-Creation-Date: 2014-10-15 18:40+0300\n" +"POT-Creation-Date: 2015-04-08 18:46+0300\n" "PO-Revision-Date: 2014-05-10 20:35-0000\n" "Last-Translator: \n" "Language-Team: SLANGUAGE <LL@li.org>\n" @@ -40,21 +40,41 @@ msgstr "" "[[!traillink Contrôler_Tor_grâce_à_Vidalia|anonymous_internet/vidalia]]" #. type: Bullet: ' - ' -#, fuzzy -#| msgid "" -#| "[[!traillink Browsing_the_web_with_Tor_Browser|anonymous_internet/" -#| "tor_browser]]" msgid "" "[[!traillink Browsing_the_web_with_<span_class=\"application\">Tor_Browser</" "span>|anonymous_internet/tor_browser]]" msgstr "" -"[[!traillink Naviguer_sur_le_web_avec_Tor_Browser|anonymous_internet/" -"tor_browser]]" +"[[!traillink Naviguer_sur_le_web_avec_le_<span_class=\"application" +"\">Tor_Browser</span>|anonymous_internet/tor_browser]]" #. type: Bullet: ' - ' msgid "[[!traillink Chatting_with_Pidgin_&_OTR|anonymous_internet/pidgin]]" msgstr "[[!traillink Discuter_avec_Pidgin_&_OTR|anonymous_internet/pidgin]]" +#. type: Bullet: ' - ' +#, fuzzy +#| msgid "" +#| "[[!traillink Browsing_the_web_with_<span_class=\"application" +#| "\">Tor_Browser</span>|anonymous_internet/tor_browser]]" +msgid "" +"[[!traillink Reading_and_writing_emails_with_<span_class=\"application" +"\">Claws_Mail</span>|anonymous_internet/claws_mail]]" +msgstr "" +"[[!traillink Naviguer_sur_le_web_avec_le_<span_class=\"application" +"\">Tor_Browser</span>|anonymous_internet/tor_browser]]" + +#. type: Bullet: ' - ' +#, fuzzy +#| msgid "" +#| "[[!traillink Exchange_bitcoins_using_<span_class=\"application" +#| "\">Electrum</span></span>|anonymous_internet/electrum]]" +msgid "" +"[[!traillink Exchange_bitcoins_using_<span_class=\"application\">Electrum</" +"span>|anonymous_internet/electrum]]" +msgstr "" +"[[!traillink Échanger_des_bitcoins_avec_<span_class=\"application" +"\">Electrum</span></span>|anonymous_internet/electrum]]" + #. type: Bullet: ' - ' msgid "[[!traillink Using_I2P|anonymous_internet/i2p]]" msgstr "[[!traillink Utiliser_I2P|anonymous_internet/i2p]]" diff --git a/wiki/src/doc/anonymous_internet.index.mdwn b/wiki/src/doc/anonymous_internet.index.mdwn index 660faba72015f67c183f20cb3f429eef261683a7..387174b0b2b4c4fe276de17fd99fd464f53ab5b3 100644 --- a/wiki/src/doc/anonymous_internet.index.mdwn +++ b/wiki/src/doc/anonymous_internet.index.mdwn @@ -3,5 +3,7 @@ - [[!traillink Controlling_Tor_using_<span_class="application">Vidalia</span>|anonymous_internet/vidalia]] - [[!traillink Browsing_the_web_with_<span_class="application">Tor_Browser</span>|anonymous_internet/tor_browser]] - [[!traillink Chatting_with_Pidgin_&_OTR|anonymous_internet/pidgin]] + - [[!traillink Reading_and_writing_emails_with_<span_class="application">Claws_Mail</span>|anonymous_internet/claws_mail]] + - [[!traillink Exchange_bitcoins_using_<span_class="application">Electrum</span>|anonymous_internet/electrum]] - [[!traillink Using_I2P|anonymous_internet/i2p]] - [[!traillink Why_Tor_is_slow?|anonymous_internet/why_tor_is_slow]] diff --git a/wiki/src/doc/anonymous_internet.index.pt.po b/wiki/src/doc/anonymous_internet.index.pt.po index 0a62318b056a02470448c7a122df3bb9e915e9aa..d0c0414b3388b9822abbe554c18459f744c90d98 100644 --- a/wiki/src/doc/anonymous_internet.index.pt.po +++ b/wiki/src/doc/anonymous_internet.index.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-10-15 18:40+0300\n" +"POT-Creation-Date: 2015-04-08 18:46+0300\n" "PO-Revision-Date: 2014-05-23 13:58-0300\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -55,6 +55,30 @@ msgstr "" msgid "[[!traillink Chatting_with_Pidgin_&_OTR|anonymous_internet/pidgin]]" msgstr "[[!traillink Batendo_papo_com_Pidgin_&_OTR|anonymous_internet/pidgin]]" +#. type: Bullet: ' - ' +#, fuzzy +#| msgid "" +#| "[[!traillink Browsing_the_web_with_Tor_Browser|anonymous_internet/" +#| "tor_browser]]" +msgid "" +"[[!traillink Reading_and_writing_emails_with_<span_class=\"application" +"\">Claws_Mail</span>|anonymous_internet/claws_mail]]" +msgstr "" +"[[!traillink Navegando_na_internet_com_Tor_Browser|anonymous_internet/" +"tor_browser]]" + +#. type: Bullet: ' - ' +#, fuzzy +#| msgid "" +#| "[[!traillink Controlling_Tor_using_<span_class=\"application\">Vidalia</" +#| "span>|anonymous_internet/vidalia]]" +msgid "" +"[[!traillink Exchange_bitcoins_using_<span_class=\"application\">Electrum</" +"span>|anonymous_internet/electrum]]" +msgstr "" +"[[!traillink Controlando_Tor_com_<span_class=\"application\">Vidalia</span>|" +"anonymous_internet/vidalia]]" + #. type: Bullet: ' - ' msgid "[[!traillink Using_I2P|anonymous_internet/i2p]]" msgstr "[[!traillink Usando_I2P|anonymous_internet/i2p]]" diff --git a/wiki/src/doc/anonymous_internet/Tor_Browser.de.po b/wiki/src/doc/anonymous_internet/Tor_Browser.de.po index 9cce40bacd9d4d10db4dcf0f1b6e3b6ad6ccac2c..ee4ce3a3b7c207d8c0b62784b384030b45072b82 100644 --- a/wiki/src/doc/anonymous_internet/Tor_Browser.de.po +++ b/wiki/src/doc/anonymous_internet/Tor_Browser.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-11-04 22:26+0100\n" +"POT-Creation-Date: 2015-05-11 19:29+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -35,6 +35,12 @@ msgid "" "before and its user interface is like any other modern web browser.\n" msgstr "" +#. type: Plain text +msgid "" +"Some frequently asked questions about the browser can be found in [[the FAQ|" +"support/faq#browser]]." +msgstr "" + #. type: Plain text msgid "Here are a few things worth mentioning in the context of Tails." msgstr "" @@ -44,6 +50,82 @@ msgstr "" msgid "[[!toc levels=2]]\n" msgstr "" +#. type: Plain text +#, no-wrap +msgid "<a id=\"confinement\"></a>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "AppArmor confinement\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<span class=\"application\">Tor Browser</span> in Tails is confined with\n" +"[[!debwiki AppArmor]] to protect the system and your data from some\n" +"types of attack against <span class=\"application\">Tor Browser</span>.\n" +"As a consequence, it can only read and write to a limited number of\n" +"folders.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"note\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"This is why you might face <span class=\"guilabel\">Permission\n" +"denied</span> errors, for example if you try to download files to the\n" +"<span class=\"filename\">Home</span> folder.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"- You can save files from <span class=\"application\">Tor\n" +"Browser</span> to the <span class=\"filename\">Tor Browser</span> folder\n" +"that is located in the <span class=\"filename\">Home</span> folder.\n" +"The content of this folder will disappear once you shut down Tails.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"- If you want to upload files with <span class=\"application\">Tor\n" +"Browser</span>, copy them to that folder first.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"- If you have activated the <span\n" +"class=\"guilabel\">[[Personal\n" +"Data|doc/first_steps/persistence/configure#personal_data]]</span>\n" +"persistence feature, then you can also use the <span\n" +"class=\"filename\">Tor Browser</span> folder that is located in the\n" +"<span class=\"filename\">Persistent</span> folder. In that case, the\n" +"content of this folder is saved and remains available across separate\n" +"working sessions.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>To be able to download files larger than the available RAM, you need\n" +"to activate the <span class=\"guilabel\">[[Personal\n" +"Data|doc/first_steps/persistence/configure#personal_data]]</span>\n" +"persistence feature.</p>\n" +msgstr "" + #. type: Plain text #, no-wrap msgid "<a id=\"https\"></a>\n" @@ -178,7 +260,7 @@ msgstr "" msgid "<a id=\"javascript\"></a>\n" msgstr "" -#. type: Title = +#. type: Title - #, no-wrap msgid "Protection against dangerous JavaScript\n" msgstr "" @@ -206,11 +288,6 @@ msgid "" "Tails anonymity." msgstr "" -#. type: Plain text -#, no-wrap -msgid "<div class=\"note\">\n" -msgstr "" - #. type: Plain text #, no-wrap msgid "" @@ -222,7 +299,37 @@ msgstr "" #. type: Plain text #, no-wrap -msgid "</div>\n" +msgid "<a id=\"security_slider\"></a>\n" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Security slider\n" +msgstr "" + +#. type: Plain text +msgid "" +"You can use the security slider of *Torbutton* to disable browser features " +"as a trade-off between security and usability. For example, you can use the " +"security slider to disable JavaScript completely." +msgstr "" + +#. type: Plain text +msgid "" +"The security slider is set to *low* by default. This value provides the " +"default level of protection of *Torbutton* and the most usable experience." +msgstr "" + +#. type: Plain text +msgid "" +"To change the value of the security slider, click on the [[!img torbutton." +"png link=no class=symbolic alt=\"green onion\"]] button and choose **Privacy " +"and Security Settings**." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!img security_slider.png link=\"no\" alt=\"Security slider in its default value (low)\"]]\n" msgstr "" #. type: Plain text @@ -244,7 +351,7 @@ msgstr "" #, no-wrap msgid "" "To allow more control over JavaScript, for example to disable JavaScript\n" -"completely, <span class=\"application\">Tor Browser</span> includes the <span class=\"application\">NoScript</span>\n" +"completely on some websites, <span class=\"application\">Tor Browser</span> includes the <span class=\"application\">NoScript</span>\n" "extension.\n" msgstr "" @@ -262,3 +369,65 @@ msgid "" "For more information you can refer to the NoScript [website](http://noscript." "net/) and [features](http://noscript.net/features)." msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"new_identity\"></a>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "<span class=\"guilabel\">New Identity</span> feature\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!img new_identity.png link=no]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "The <span class=\"guilabel\">New Identity</span> feature of *Tor Browser*:\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "Closes all open tabs." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Clears the session state including cache, history, and cookies (except the " +"cookies protected by the **Cookie Protections** feature)." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Closes all existing web connections and creates new Tor circuits." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Erases the content of the clipboard." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"caution\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>This feature is not enough to strongly [[separate contextual identities|about/warning#identities]]\n" +"in the context of Tails as the connections outside of\n" +"<span class=\"application\">Tor Browser</span> are not restarted.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<p>Shutdown and restart Tails instead.</p>\n" +msgstr "" + +#. type: Plain text +msgid "" +"For more details, see the [design and implementation of the Tor Browser]" +"(https://www.torproject.org/projects/torbrowser/design/#new-identity)." +msgstr "" diff --git a/wiki/src/doc/anonymous_internet/Tor_Browser.fr.po b/wiki/src/doc/anonymous_internet/Tor_Browser.fr.po index 64a526f325b1c3f92e024a13dbd1387ef0803398..fba6254176d4b0600b294612dd2bef53d9f72830 100644 --- a/wiki/src/doc/anonymous_internet/Tor_Browser.fr.po +++ b/wiki/src/doc/anonymous_internet/Tor_Browser.fr.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-11-04 22:26+0100\n" -"PO-Revision-Date: 2014-10-09 16:13-0000\n" +"POT-Creation-Date: 2015-05-11 19:29+0300\n" +"PO-Revision-Date: 2015-01-18 10:51-0000\n" "Last-Translator: amnesia <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" @@ -24,23 +24,32 @@ msgstr "[[!meta title=\"Naviguer sur le web avec navigateur Tor\"]]\n" #. type: Plain text #, no-wrap msgid "[[!img Tor_Browser/mozicon128.png link=no alt=\"Tor Browser icon\"]]\n" -msgstr "[[!img Tor_Browser/mozicon128.png link=no alt=\"Icône du Tor Browser\"]]\n" +msgstr "[[!img Tor_Browser/mozicon128.png link=no alt=\"Icône du navigateur Tor\"]]\n" #. type: Plain text -#, fuzzy, no-wrap -#| msgid "Tor Browser is a rebranded version of the [[Mozilla Firefox|http://www.mozilla.com/firefox/]] web browser. Given its popularity many of you have probably used it before and its user interface is like any other modern web browser." +#, no-wrap msgid "" "<span class=\"application\">[Tor Browser](https://www.torproject.org/projects/torbrowser.html.en)</span> is a web\n" "browser based on [Mozilla Firefox](http://getfirefox.com) and configured to\n" "protect your anonymity. Given the popularity of Firefox, you might have used it\n" "before and its user interface is like any other modern web browser.\n" -msgstr "Tor Browser est une version renommée du navigateur web [[Mozilla Firefox|http://www.mozilla.com/firefox/]]. Étant donnée sa popularité, la plupart d'entre vous l'ont sûrement déjà utilisé. Son interface est similaire à celle des autres navigateurs modernes." +msgstr "" +"Le <span class=\"application\">[navigateur Tor](https://www.torproject.org/projects/torbrowser.html)</span> est\n" +"un navigateur web basé sur [Mozilla Firefox](http://getfirefox.com), configurée pour protéger votre anonymat.\n" +"Étant donnée la popularité de Firefox, vous l'avez sans doute déjà utilisé, son interface utilisateur\n" +"est similaire à celle de n'importe quel autre navigateurs web modernes.\n" + +#. type: Plain text +msgid "" +"Some frequently asked questions about the browser can be found in [[the FAQ|" +"support/faq#browser]]." +msgstr "" #. type: Plain text msgid "Here are a few things worth mentioning in the context of Tails." msgstr "" -"Voici certains détails qui doivent être mentionnés lorsqu'on utilise " -"Iceweasel sous Tails." +"Voici certains détails qui doivent être mentionnés lorsqu'on utilise le " +"navigateur Tor avec Tails." #. type: Plain text #, no-wrap @@ -48,10 +57,87 @@ msgid "[[!toc levels=2]]\n" msgstr "[[!toc levels=2]]\n" #. type: Plain text +#, fuzzy, no-wrap +#| msgid "<a id=\"noscript\"></a>\n" +msgid "<a id=\"confinement\"></a>\n" +msgstr "<a id=\"noscript\"></a>\n" + +#. type: Title = #, no-wrap -msgid "<a id=\"https\"></a>\n" +msgid "AppArmor confinement\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<span class=\"application\">Tor Browser</span> in Tails is confined with\n" +"[[!debwiki AppArmor]] to protect the system and your data from some\n" +"types of attack against <span class=\"application\">Tor Browser</span>.\n" +"As a consequence, it can only read and write to a limited number of\n" +"folders.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"note\">\n" +msgstr "<div class=\"note\">\n" + +#. type: Plain text +#, no-wrap +msgid "" +"This is why you might face <span class=\"guilabel\">Permission\n" +"denied</span> errors, for example if you try to download files to the\n" +"<span class=\"filename\">Home</span> folder.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "</div>\n" + +#. type: Plain text +#, no-wrap +msgid "" +"- You can save files from <span class=\"application\">Tor\n" +"Browser</span> to the <span class=\"filename\">Tor Browser</span> folder\n" +"that is located in the <span class=\"filename\">Home</span> folder.\n" +"The content of this folder will disappear once you shut down Tails.\n" msgstr "" +#. type: Plain text +#, no-wrap +msgid "" +"- If you want to upload files with <span class=\"application\">Tor\n" +"Browser</span>, copy them to that folder first.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"- If you have activated the <span\n" +"class=\"guilabel\">[[Personal\n" +"Data|doc/first_steps/persistence/configure#personal_data]]</span>\n" +"persistence feature, then you can also use the <span\n" +"class=\"filename\">Tor Browser</span> folder that is located in the\n" +"<span class=\"filename\">Persistent</span> folder. In that case, the\n" +"content of this folder is saved and remains available across separate\n" +"working sessions.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>To be able to download files larger than the available RAM, you need\n" +"to activate the <span class=\"guilabel\">[[Personal\n" +"Data|doc/first_steps/persistence/configure#personal_data]]</span>\n" +"persistence feature.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"https\"></a>\n" +msgstr "<a id=\"https\"></a>\n" + #. type: Title = #, no-wrap msgid "HTTPS Encryption\n" @@ -86,41 +172,31 @@ msgstr "" "[[comme expliqué dans les avertissements|about/warning#man-in-the-middle]]." #. type: Plain text -#, fuzzy -#| msgid "" -#| "For example, here is how the browser looks like when we try to log in an " -#| "email account at [lavabit.com](http://lavabit.com/), using their [webmail " -#| "interface](https://lavabit.com/apps/webmail/src/login.php):" msgid "" "For example, here is how the browser looks like when we try to log in an " "email account at [riseup.net](https://riseup.net/), using their [webmail " "interface](https://mail.riseup.net/):" msgstr "" -"Par exemple, voici à quoi ressemble le navigateur lorsqu'on essaie de se " -"connecter à un compte email sur [lavabit.com](http://lavabit.com/) *via* " -"leur [webmail](https://lavabit.com/apps/webmail/src/login.php):" +"Par exemple, voici ce à quoi ressemble le navigateur lorsqu'on essaie de se " +"connecter à un compte email chez [riseup.net](https://riseup.net/) *via* " +"leur [webmail](https://mail.riseup.net/) :" #. type: Plain text -#, fuzzy, no-wrap -#| msgid "[[!img doc/anonymous_internet/Tor_Browser/lavabit.png link=no alt=\"Tor browser\"]]\n" +#, no-wrap msgid "[[!img doc/anonymous_internet/Tor_Browser/riseup.png link=no alt=\"Tor Browser\"]]\n" -msgstr "[[!img doc/anonymous_internet/Tor_Browser/lavabit.fr.png link=no alt=\"Tor Browser\"]]\n" +msgstr "[[!img doc/anonymous_internet/Tor_Browser/riseup.png link=no alt=\"navigateur Tor\"]]\n" #. type: Plain text -#, fuzzy -#| msgid "" -#| "Notice the small area on the left of the address bar saying \"lavabit.com" -#| "\" on a blue background and the address beginning with \"https://" -#| "\" (instead of \"http://\"):" msgid "" "Notice the padlock icon on the left of the address bar saying \"mail.riseup." "net\" and the address beginning with \"https://\" (instead of \"http://\"). " "These are the indicators that an encrypted connection using [[!wikipedia " "HTTPS]] is being used." msgstr "" -"Notez la petite zone à gauche de la barre d'adresse indiquant \"lavabit.com" -"\" sur un fond bleu, et l'adresse commençant par \"**https:**//\" (au lieu " -"de \"**http://**\"):" +"Notez la petite zone à gauche de la barre d'adresse indiquant \"mail.riseup." +"net\", et l'adresse commençant par \"**https:**//\" (au lieu de \"**http://**" +"\"). Cela indique que la connexion est chiffrée grâce au [[!wikipedia " +"HTTPS]]." #. type: Plain text msgid "" @@ -139,7 +215,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<a id=\"https-everywhere\"></a>\n" -msgstr "" +msgstr "<a id=\"https-everywhere\"></a>\n" #. type: Title = #, no-wrap @@ -152,8 +228,7 @@ msgid "[[!img https-everywhere.jpg link=no alt=\"HTTPS Everywhere logo\"]]\n" msgstr "[[!img https-everywhere.jpg link=no alt=\"HTTPS Everywhere logo\"]]\n" #. type: Plain text -#, fuzzy, no-wrap -#| msgid "[HTTPS Everywhere](https://www.eff.org/https-everywhere) is a Firefox extension shipped in Tails and produced as a collaboration between [The Tor Project](https://torproject.org/) and the [Electronic Frontier Foundation](https://eff.org/). It encrypts your communications with a number of major websites. Many sites on the web offer some limited support for encryption over HTTPS, but make it difficult to use. For instance, they may default to unencrypted HTTP, or fill encrypted pages with links that go back to the unencrypted site. The HTTPS Everywhere extension fixes these problems by rewriting all requests to these sites to HTTPS." +#, no-wrap msgid "" "[HTTPS Everywhere](https://www.eff.org/https-everywhere) is a Firefox extension\n" "included in <span class=\"application\">Tor Browser</span> and produced as a collaboration between [The Tor\n" @@ -164,7 +239,14 @@ msgid "" "unencrypted HTTP, or fill encrypted pages with links that go back to the\n" "unencrypted site. The HTTPS Everywhere extension fixes these problems by\n" "rewriting all requests to these sites to HTTPS.\n" -msgstr "[HTTPS Everywhere](https://www.eff.org/https-everywhere) est une extension Firefox livrée par défaut dans Tails et produite en collaboration entre [Le Projet Tor](https://torproject.org/)et la [Electronic Frontier Foundation](https://eff.org/). Elle chiffre vos communications pour un grand nombre de sites Internet majeurs. De nombreux sites offrent un certain support du chiffrement *via* HTTPS, mais le rendent compliqué à l'utilisation. Par exemple, ils sont par défaut en HTTP ou truffent leurs pages chiffrées de liens vers des versions HTTP du site. L'extension HTTPS Everywhere règle ces problèmes en réécrivant toutes les requêtes vers ces sites en HTTPS." +msgstr "" +"[HTTPS Everywhere](https://www.eff.org/https-everywhere) est une extension Firefox\n" +"livrée dans le <span class=\"application\">navigateur Tor</span> et produite par la collaboration entre\n" +"le [Le Projet Tor](https://torproject.org/) et la [Electronic Frontier Foundation](https://eff.org/).\n" +"Elle chiffre vos communications pour un grand nombre de sites Internet majeurs. De nombreux sites\n" +"offrent un certain support du chiffrement *via* HTTPS, mais le rendent compliqué à l'utilisation. Par\n" +"exemple, ils sont par défaut en HTTP ou truffent leurs pages chiffrées de liens vers des versions HTTP\n" +"du site. L'extension HTTPS Everywhere règle ces problèmes en réécrivant toutes les requêtes vers ces sites en HTTPS.\n" #. type: Plain text msgid "To learn more about HTTPS Everywhere you can see:" @@ -182,7 +264,7 @@ msgstr "la [FAQ d'HTTPS Everwyhere](https://www.eff.org/https-everywhere/faq/)" #. type: Plain text #, no-wrap msgid "<a id=\"torbutton\"></a>\n" -msgstr "" +msgstr "<a id=\"torbutton\"></a>\n" #. type: Title = #, no-wrap @@ -198,28 +280,31 @@ msgid "" "desc=\"cookies\"]] and other services which have been shown to be able to defeat\n" "the anonymity provided by the Tor network.\n" msgstr "" -"Tor seul, n'est pas suffisant pour protéger votre anonymat et votre vie privée lorsque vous surfez sur le web. Tous les navigateurs modernes, tels que Firefox proposent [[!wikipedia\n" +"Tor seul n'est pas suffisant pour protéger votre anonymat et votre vie privée lorsque vous surfez sur le web. Tous les navigateurs modernes, tels que Firefox proposent [[!wikipedia\n" "JavaScript]], [[!wikipedia Adobe_Flash]], [[!wikipedia HTTP_cookie\n" "desc=\"ou des cookies\"]] qui ont montré qu'ils pouvaient briser\n" "l'anonymat assuré par le réseau Tor.\n" #. type: Plain text -#, fuzzy, no-wrap -#| msgid "In Tails all such features are handled from inside the browser by an extension called [Torbutton](https://www.torproject.org/torbutton/) which does all sorts of things to prevent the above type of attacks. But that comes at a price: since this will disable some functionalities and some sites might not work as intended." +#, no-wrap msgid "" "In <span class=\"application\">Tor Browser</span> all such features are handled from inside the browser by an extension\n" "called [Torbutton](https://www.torproject.org/torbutton/) which does all sorts\n" "of things to prevent the above type of attacks. But that comes at a price: since\n" "this will disable some functionalities and some sites might not work as\n" "intended.\n" -msgstr "Dans Tails, toutes ces fonctions sont gérées au sein même du navigateur par une extension nommée [Torbutton](https://www.torproject.org/torbutton/) qui met en place de multiples processus afin d'empêcher le type d'attaques évoquées précédemment. Mais cela a un prix : dès lors que l'on désactive certaines fonctionnalités, certains sites peuvent ne pas fonctionner comme d'habitude." +msgstr "" +"Dans le <span class=\"application\">navigateur Tor</span>, toutes ces fonctions sont gérées au sein même du navigateur\n" +"par une extension nommée [Torbutton](https://www.torproject.org/torbutton/) qui met en place de multiples processus\n" +"afin d'empêcher le type d'attaques évoquées précédemment. Mais cela a un prix : dès lors que l'on désactive certaines fonctionnalités,\n" +"certains sites peuvent ne pas fonctionner comme d'habitude.\n" #. type: Plain text #, no-wrap msgid "<a id=\"javascript\"></a>\n" -msgstr "" +msgstr "<a id=\"javascript\"></a>\n" -#. type: Title = +#. type: Title - #, no-wrap msgid "Protection against dangerous JavaScript\n" msgstr "Se protéger contre les codes JavaScript dangereux\n" @@ -234,10 +319,9 @@ msgstr "" "inutilisables de nombreux sites." #. type: Plain text -#, fuzzy, no-wrap -#| msgid "That's why **JavaScript is enabled by default** in Tails." +#, no-wrap msgid "That's why **JavaScript is enabled by default** in <span class=\"application\">Tor Browser</span>.\n" -msgstr "C'est pourquoi **JavaScript est activé par défaut** dans Tails." +msgstr "C'est pourquoi **JavaScript est activé par défaut** dans le <span class=\"application\">navigateur Tor</span>.\n" #. type: Plain text msgid "" @@ -256,11 +340,6 @@ msgstr "" "facilité d'usage. D'autant plus que nous ne connaissons aucun code " "JavaScript qui pourrait compromettre l'anonymat offert par Tails." -#. type: Plain text -#, no-wrap -msgid "<div class=\"note\">\n" -msgstr "" - #. type: Plain text #, no-wrap msgid "" @@ -269,16 +348,52 @@ msgid "" "refer to the <a href=\"https://www.torproject.org/projects/torbrowser/design/\">\n" "<span class=\"application\">Tor Browser</span> design document</a>.</p>\n" msgstr "" +"<p>Pour comprendre le fonctionnement du <span class=\"application\">navigateur\n" +"Tor</span>, par exemple au sujet de JavaScript et des cookies, veuillez consulter\n" +"la <a href=\"https://www.torproject.org/projects/torbrowser/design/\">documentation du\n" +"<span class=\"application\">Tor Browser</span></a>.</p>\n" #. type: Plain text +#, fuzzy, no-wrap +#| msgid "<a id=\"noscript\"></a>\n" +msgid "<a id=\"security_slider\"></a>\n" +msgstr "<a id=\"noscript\"></a>\n" + +#. type: Title - #, no-wrap -msgid "</div>\n" +msgid "Security slider\n" +msgstr "" + +#. type: Plain text +msgid "" +"You can use the security slider of *Torbutton* to disable browser features " +"as a trade-off between security and usability. For example, you can use the " +"security slider to disable JavaScript completely." msgstr "" +#. type: Plain text +msgid "" +"The security slider is set to *low* by default. This value provides the " +"default level of protection of *Torbutton* and the most usable experience." +msgstr "" + +#. type: Plain text +msgid "" +"To change the value of the security slider, click on the [[!img torbutton." +"png link=no class=symbolic alt=\"green onion\"]] button and choose **Privacy " +"and Security Settings**." +msgstr "" + +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "[[!img noscript.png link=no alt=\"NoScript logo\"]]\n" +msgid "[[!img security_slider.png link=\"no\" alt=\"Security slider in its default value (low)\"]]\n" +msgstr "[[!img noscript.png link=no alt=\"NoScript logo\"]]\n" + #. type: Plain text #, no-wrap msgid "<a id=\"noscript\"></a>\n" -msgstr "" +msgstr "<a id=\"noscript\"></a>\n" #. type: Title = #, no-wrap @@ -294,15 +409,15 @@ msgstr "[[!img noscript.png link=no alt=\"NoScript logo\"]]\n" #, fuzzy, no-wrap #| msgid "" #| "To allow more control over JavaScript, for example to disable JavaScript\n" -#| "completely, Tails includes the <span class=\"application\">NoScript</span>\n" +#| "completely, <span class=\"application\">Tor Browser</span> includes the <span class=\"application\">NoScript</span>\n" #| "extension.\n" msgid "" "To allow more control over JavaScript, for example to disable JavaScript\n" -"completely, <span class=\"application\">Tor Browser</span> includes the <span class=\"application\">NoScript</span>\n" +"completely on some websites, <span class=\"application\">Tor Browser</span> includes the <span class=\"application\">NoScript</span>\n" "extension.\n" msgstr "" "Pour permettre plus de contrôle sur JavaScript, par exemple pour désactiver\n" -"JavaScript complètement, Tails comprend l'extension <span class\n" +"JavaScript complètement, le <span class=\"application\">navigateur Tor</span> inclus l'extension <span class\n" "=\"application\">NoScript</span>.\n" #. type: Plain text @@ -327,41 +442,66 @@ msgstr "" "noscript.net/) et plus particulièrement la page des [fonctionnalités](http://" "noscript.net/features)." -#, fuzzy -#~| msgid "For more technical details you can refer to the [Tor Browser design document](https://www.torproject.org/projects/torbrowser/design/)." -#~ msgid "" -#~ "For more technical details you can refer to the [<span class=\"application\">Tor Browser</span> design\n" -#~ "document](https://www.torproject.org/projects/torbrowser/design/).\n" -#~ msgstr "" -#~ "Pour plus de détails techiniques vous pouvez consulter ce lien : [Torbutton\n" -#~ "design document](https://www.torproject.org/projects/torbrowser/design/) (en anglais)." - -#~ msgid "" -#~ "[[!img Tor_Browser/address-bar.png link=no alt=\"address bar showing " -#~ "'lavabit.com'\n" -#~ "/ 'https://lavabit.com/'\"]]\n" -#~ msgstr "" -#~ "[[!img Tor_Browser/address-bar.fr.png link=no alt=\"barre d'adresse " -#~ "montrant 'lavabit.com'\n" -#~ "/ 'https://lavabit.com/'\"]]\n" - -#~ msgid "" -#~ "These are the indicators that an encrypted connection using [[!wikipedia " -#~ "HTTPS]] is being used." -#~ msgstr "" -#~ "Voici ce qui indique que vous naviguez de manière chiffrée en utilisant " -#~ "une connexion [[!wikipedia_fr HTTPS]]" - -#~ msgid "To learn more about Torbutton you can see:" -#~ msgstr "Pour en savoir plus à propos du Torbutton vous pouvez consulter :" - -#~ msgid "[the Torbutton homepage](https://www.torproject.org/torbutton/)" -#~ msgstr "" -#~ "[La page d'accueil de Torbutton](https://www.torproject.org/torbutton/)" - -#~ msgid "" -#~ "[the Torbutton FAQ](https://www.torproject.org/torbutton/torbutton-faq." -#~ "html.en)" -#~ msgstr "" -#~ "[La FAQ de Torbutton](https://www.torproject.org/torbutton/torbutton-faq." -#~ "html.en)" +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "<a id=\"https\"></a>\n" +msgid "<a id=\"new_identity\"></a>\n" +msgstr "<a id=\"https\"></a>\n" + +#. type: Title = +#, no-wrap +msgid "<span class=\"guilabel\">New Identity</span> feature\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!img new_identity.png link=no]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "The <span class=\"guilabel\">New Identity</span> feature of *Tor Browser*:\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "Closes all open tabs." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Clears the session state including cache, history, and cookies (except the " +"cookies protected by the **Cookie Protections** feature)." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Closes all existing web connections and creates new Tor circuits." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Erases the content of the clipboard." +msgstr "" + +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "<div class=\"note\">\n" +msgid "<div class=\"caution\">\n" +msgstr "<div class=\"note\">\n" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>This feature is not enough to strongly [[separate contextual identities|about/warning#identities]]\n" +"in the context of Tails as the connections outside of\n" +"<span class=\"application\">Tor Browser</span> are not restarted.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<p>Shutdown and restart Tails instead.</p>\n" +msgstr "" + +#. type: Plain text +msgid "" +"For more details, see the [design and implementation of the Tor Browser]" +"(https://www.torproject.org/projects/torbrowser/design/#new-identity)." +msgstr "" diff --git a/wiki/src/doc/anonymous_internet/Tor_Browser.mdwn b/wiki/src/doc/anonymous_internet/Tor_Browser.mdwn index 1724a52fa602d3596adaa440b0a5bd6807196d91..ef427762b301bea1c258ccdfe6d2536b03d4e2ef 100644 --- a/wiki/src/doc/anonymous_internet/Tor_Browser.mdwn +++ b/wiki/src/doc/anonymous_internet/Tor_Browser.mdwn @@ -7,10 +7,58 @@ browser based on [Mozilla Firefox](http://getfirefox.com) and configured to protect your anonymity. Given the popularity of Firefox, you might have used it before and its user interface is like any other modern web browser. +Some frequently asked questions about the browser can be found in +[[the FAQ|support/faq#browser]]. + Here are a few things worth mentioning in the context of Tails. [[!toc levels=2]] +<a id="confinement"></a> + +AppArmor confinement +==================== + +<span class="application">Tor Browser</span> in Tails is confined with +[[!debwiki AppArmor]] to protect the system and your data from some +types of attack against <span class="application">Tor Browser</span>. +As a consequence, it can only read and write to a limited number of +folders. + +<div class="note"> + +This is why you might face <span class="guilabel">Permission +denied</span> errors, for example if you try to download files to the +<span class="filename">Home</span> folder. + +</div> + +- You can save files from <span class="application">Tor +Browser</span> to the <span class="filename">Tor Browser</span> folder +that is located in the <span class="filename">Home</span> folder. +The content of this folder will disappear once you shut down Tails. + +- If you want to upload files with <span class="application">Tor +Browser</span>, copy them to that folder first. + +- If you have activated the <span +class="guilabel">[[Personal +Data|doc/first_steps/persistence/configure#personal_data]]</span> +persistence feature, then you can also use the <span +class="filename">Tor Browser</span> folder that is located in the +<span class="filename">Persistent</span> folder. In that case, the +content of this folder is saved and remains available across separate +working sessions. + +<div class="note"> + +<p>To be able to download files larger than the available RAM, you need +to activate the <span class="guilabel">[[Personal +Data|doc/first_steps/persistence/configure#personal_data]]</span> +persistence feature.</p> + +</div> + <a id="https"></a> HTTPS Encryption @@ -84,7 +132,7 @@ intended. <a id="javascript"></a> Protection against dangerous JavaScript -======================================= +--------------------------------------- Having all JavaScript disabled by default would disable a lot of harmless and possibly useful JavaScript and render unusable many websites. @@ -106,6 +154,23 @@ refer to the <a href="https://www.torproject.org/projects/torbrowser/design/"> </div> +<a id="security_slider"></a> + +Security slider +--------------- + +You can use the security slider of *Torbutton* to disable browser +features as a trade-off between security and usability. For example, you +can use the security slider to disable JavaScript completely. + +The security slider is set to *low* by default. This value provides the +default level of protection of *Torbutton* and the most usable experience. + +To change the value of the security slider, click on the [[!img torbutton.png link=no class=symbolic alt="green onion"]] button +and choose **Privacy and Security Settings**. + +[[!img security_slider.png link="no" alt="Security slider in its default value (low)"]] + <a id="noscript"></a> NoScript to have even more control over JavaScript @@ -114,7 +179,7 @@ NoScript to have even more control over JavaScript [[!img noscript.png link=no alt="NoScript logo"]] To allow more control over JavaScript, for example to disable JavaScript -completely, <span class="application">Tor Browser</span> includes the <span class="application">NoScript</span> +completely on some websites, <span class="application">Tor Browser</span> includes the <span class="application">NoScript</span> extension. By default, <span class="application">NoScript</span> is disabled and some @@ -124,3 +189,30 @@ explained above. For more information you can refer to the NoScript [website](http://noscript.net/) and [features](http://noscript.net/features). + +<a id="new_identity"></a> + +<span class="guilabel">New Identity</span> feature +================================================== + +[[!img new_identity.png link=no]] + +The <span class="guilabel">New Identity</span> feature of *Tor Browser*: + + - Closes all open tabs. + - Clears the session state including cache, history, and cookies + (except the cookies protected by the **Cookie Protections** feature). + - Closes all existing web connections and creates new Tor circuits. + - Erases the content of the clipboard. + +<div class="caution"> + +<p>This feature is not enough to strongly [[separate contextual identities|about/warning#identities]] +in the context of Tails as the connections outside of +<span class="application">Tor Browser</span> are not restarted.</p> + +<p>Shutdown and restart Tails instead.</p> + +</div> + +For more details, see the [design and implementation of the Tor Browser](https://www.torproject.org/projects/torbrowser/design/#new-identity). diff --git a/wiki/src/doc/anonymous_internet/Tor_Browser.pt.po b/wiki/src/doc/anonymous_internet/Tor_Browser.pt.po index 7f54e9316e7d8cd6807905e4070cdfee431be424..c29d4373413cdc68748a675cda876b4976e4d5ac 100644 --- a/wiki/src/doc/anonymous_internet/Tor_Browser.pt.po +++ b/wiki/src/doc/anonymous_internet/Tor_Browser.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-11-04 22:26+0100\n" +"POT-Creation-Date: 2015-05-11 19:29+0300\n" "PO-Revision-Date: 2014-08-26 15:43-0300\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -36,6 +36,12 @@ msgid "" "before and its user interface is like any other modern web browser.\n" msgstr "Tor Browser é uma versão sem marca do navegador web [[Mozilla Firefox|http://www.mozilla.com/firefox/]]. Dada sua popularidade, muitos de vocês já devem tê-lo usado anteriormente e sua interface é igual a de qualquer outro navegador web moderno." +#. type: Plain text +msgid "" +"Some frequently asked questions about the browser can be found in [[the FAQ|" +"support/faq#browser]]." +msgstr "" + #. type: Plain text msgid "Here are a few things worth mentioning in the context of Tails." msgstr "" @@ -47,6 +53,83 @@ msgstr "" msgid "[[!toc levels=2]]\n" msgstr "[[!toc levels=2]]\n" +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "<a id=\"noscript\"></a>\n" +msgid "<a id=\"confinement\"></a>\n" +msgstr "<a id=\"noscript\"></a>\n" + +#. type: Title = +#, no-wrap +msgid "AppArmor confinement\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<span class=\"application\">Tor Browser</span> in Tails is confined with\n" +"[[!debwiki AppArmor]] to protect the system and your data from some\n" +"types of attack against <span class=\"application\">Tor Browser</span>.\n" +"As a consequence, it can only read and write to a limited number of\n" +"folders.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"note\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"This is why you might face <span class=\"guilabel\">Permission\n" +"denied</span> errors, for example if you try to download files to the\n" +"<span class=\"filename\">Home</span> folder.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"- You can save files from <span class=\"application\">Tor\n" +"Browser</span> to the <span class=\"filename\">Tor Browser</span> folder\n" +"that is located in the <span class=\"filename\">Home</span> folder.\n" +"The content of this folder will disappear once you shut down Tails.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"- If you want to upload files with <span class=\"application\">Tor\n" +"Browser</span>, copy them to that folder first.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"- If you have activated the <span\n" +"class=\"guilabel\">[[Personal\n" +"Data|doc/first_steps/persistence/configure#personal_data]]</span>\n" +"persistence feature, then you can also use the <span\n" +"class=\"filename\">Tor Browser</span> folder that is located in the\n" +"<span class=\"filename\">Persistent</span> folder. In that case, the\n" +"content of this folder is saved and remains available across separate\n" +"working sessions.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>To be able to download files larger than the available RAM, you need\n" +"to activate the <span class=\"guilabel\">[[Personal\n" +"Data|doc/first_steps/persistence/configure#personal_data]]</span>\n" +"persistence feature.</p>\n" +msgstr "" + #. type: Plain text #, no-wrap msgid "<a id=\"https\"></a>\n" @@ -220,7 +303,7 @@ msgstr "No Tails, todas estas características são gerenciadas de dentro do nav msgid "<a id=\"javascript\"></a>\n" msgstr "<a id=\"javascript\"></a>\n" -#. type: Title = +#. type: Title - #, no-wrap msgid "Protection against dangerous JavaScript\n" msgstr "Proteção contra JavaScript perigoso\n" @@ -256,11 +339,6 @@ msgstr "" "usabilidade. Além do que, até hoje não estamos cientes de nenhum JavaScript " "que possa comprometer a anonimidade do Tails." -#. type: Plain text -#, no-wrap -msgid "<div class=\"note\">\n" -msgstr "" - #. type: Plain text #, no-wrap msgid "" @@ -271,10 +349,42 @@ msgid "" msgstr "" #. type: Plain text +#, fuzzy, no-wrap +#| msgid "<a id=\"noscript\"></a>\n" +msgid "<a id=\"security_slider\"></a>\n" +msgstr "<a id=\"noscript\"></a>\n" + +#. type: Title - #, no-wrap -msgid "</div>\n" +msgid "Security slider\n" +msgstr "" + +#. type: Plain text +msgid "" +"You can use the security slider of *Torbutton* to disable browser features " +"as a trade-off between security and usability. For example, you can use the " +"security slider to disable JavaScript completely." msgstr "" +#. type: Plain text +msgid "" +"The security slider is set to *low* by default. This value provides the " +"default level of protection of *Torbutton* and the most usable experience." +msgstr "" + +#. type: Plain text +msgid "" +"To change the value of the security slider, click on the [[!img torbutton." +"png link=no class=symbolic alt=\"green onion\"]] button and choose **Privacy " +"and Security Settings**." +msgstr "" + +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "[[!img noscript.png link=no alt=\"NoScript logo\"]]\n" +msgid "[[!img security_slider.png link=\"no\" alt=\"Security slider in its default value (low)\"]]\n" +msgstr "[[!img noscript.png link=no alt=\"Logo do NoScript\"]]\n" + #. type: Plain text #, no-wrap msgid "<a id=\"noscript\"></a>\n" @@ -298,7 +408,7 @@ msgstr "[[!img noscript.png link=no alt=\"Logo do NoScript\"]]\n" #| "extension.\n" msgid "" "To allow more control over JavaScript, for example to disable JavaScript\n" -"completely, <span class=\"application\">Tor Browser</span> includes the <span class=\"application\">NoScript</span>\n" +"completely on some websites, <span class=\"application\">Tor Browser</span> includes the <span class=\"application\">NoScript</span>\n" "extension.\n" msgstr "" "Para permitir mais controle sobre o JavaScript, como por exemplo para\n" @@ -325,12 +435,74 @@ msgstr "" "Para mais informações, você pode ver o [website](http://noscript.net/) e as " "[funcionalidades](http://noscript.net/features) do NoScript." +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "<a id=\"https\"></a>\n" +msgid "<a id=\"new_identity\"></a>\n" +msgstr "<a id=\"https\"></a>\n" + +#. type: Title = +#, no-wrap +msgid "<span class=\"guilabel\">New Identity</span> feature\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!img new_identity.png link=no]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "The <span class=\"guilabel\">New Identity</span> feature of *Tor Browser*:\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "Closes all open tabs." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Clears the session state including cache, history, and cookies (except the " +"cookies protected by the **Cookie Protections** feature)." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Closes all existing web connections and creates new Tor circuits." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Erases the content of the clipboard." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"caution\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>This feature is not enough to strongly [[separate contextual identities|about/warning#identities]]\n" +"in the context of Tails as the connections outside of\n" +"<span class=\"application\">Tor Browser</span> are not restarted.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<p>Shutdown and restart Tails instead.</p>\n" +msgstr "" + +#. type: Plain text #, fuzzy -#~| msgid "For more technical details you can refer to the [Tor Browser design document](https://www.torproject.org/projects/torbrowser/design/)." -#~ msgid "" -#~ "For more technical details you can refer to the [<span class=\"application\">Tor Browser</span> design\n" -#~ "document](https://www.torproject.org/projects/torbrowser/design/).\n" -#~ msgstr "Para mais detalhes técnicos, você pode ver o [documento de projeto do Torbutton](https://www.torproject.org/projects/torbrowser/design/)." +#| msgid "" +#| "For more technical details you can refer to the [Tor Browser design " +#| "document](https://www.torproject.org/projects/torbrowser/design/)." +msgid "" +"For more details, see the [design and implementation of the Tor Browser]" +"(https://www.torproject.org/projects/torbrowser/design/#new-identity)." +msgstr "" +"Para mais detalhes técnicos, você pode ver o [documento de projeto do " +"Torbutton](https://www.torproject.org/projects/torbrowser/design/)." #~ msgid "" #~ "[[!img Tor_Browser/address-bar.png link=no alt=\"address bar showing " diff --git a/wiki/src/doc/anonymous_internet/Tor_Browser/new_identity.png b/wiki/src/doc/anonymous_internet/Tor_Browser/new_identity.png new file mode 100644 index 0000000000000000000000000000000000000000..dc682601a4ecede73d9571a11d748446614b787f Binary files /dev/null and b/wiki/src/doc/anonymous_internet/Tor_Browser/new_identity.png differ diff --git a/wiki/src/doc/anonymous_internet/Tor_Browser/security_slider.png b/wiki/src/doc/anonymous_internet/Tor_Browser/security_slider.png new file mode 100644 index 0000000000000000000000000000000000000000..48af10f6959326fe9bfe6cbd958e183c3c3363fe Binary files /dev/null and b/wiki/src/doc/anonymous_internet/Tor_Browser/security_slider.png differ diff --git a/wiki/src/doc/anonymous_internet/Tor_Browser/torbutton.png b/wiki/src/doc/anonymous_internet/Tor_Browser/torbutton.png new file mode 100644 index 0000000000000000000000000000000000000000..4718a83e7f22ac25f5d83aee5cb31373f5ddd726 Binary files /dev/null and b/wiki/src/doc/anonymous_internet/Tor_Browser/torbutton.png differ diff --git a/wiki/src/doc/anonymous_internet/claws_mail.de.po b/wiki/src/doc/anonymous_internet/claws_mail.de.po new file mode 100644 index 0000000000000000000000000000000000000000..964af22722b72726471c98457e168bc006d791ec --- /dev/null +++ b/wiki/src/doc/anonymous_internet/claws_mail.de.po @@ -0,0 +1,90 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-05-03 14:04+0300\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Reading and writing emails with Claws Mail\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"For reading and writing email, Tails includes <span\n" +"class=\"application\">[Claws Mail](http://www.claws-mail.org/)</span>.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"To start <span class=\"application\">Claws Mail</span> choose\n" +"<span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Applications</span> ▸\n" +" <span class=\"guisubmenu\">Internet</span> ▸\n" +" <span class=\"guimenuitem\">Claws Mail</span>\n" +"</span> or click on the <span class=\"application\">Claws Mail</span> icon in\n" +"the [[application\n" +"shortcuts|doc/first_steps/introduction_to_gnome_and_the_tails_desktop#claws_mail]].\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!img doc/first_steps/introduction_to_gnome_and_the_tails_desktop/claws-mail.png link=no]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"For detailed documentation, refer to the\n" +"[official <span class=\"application\">Claws Mail</span> documentation](http://www.claws-mail.org/documentation.php?section=general).\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"For specific documentation on how to configure a Riseup email account\n" +"with <span class=\"application\">Claws Mail</span>, read the\n" +"[Riseup documentation](https://help.riseup.net/en/email/clients/claws).\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"tip\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"To store your emails and email configuration, you can activate the\n" +"[[<strong>Claws Mail</strong> persistence feature|doc/first_steps/persistence/configure#claws_mail]].\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"doc/anonymous_internet/claws_mail/persistence.bug\" raw=\"yes\"]]\n" +msgstr "" + +#. type: Plain text +msgid "" +"Please note that Tails will [migrate back to Icedove](https://labs.riseup." +"net/code/issues/5663) at some point." +msgstr "" diff --git a/wiki/src/doc/anonymous_internet/claws_mail.fr.po b/wiki/src/doc/anonymous_internet/claws_mail.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..964af22722b72726471c98457e168bc006d791ec --- /dev/null +++ b/wiki/src/doc/anonymous_internet/claws_mail.fr.po @@ -0,0 +1,90 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-05-03 14:04+0300\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Reading and writing emails with Claws Mail\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"For reading and writing email, Tails includes <span\n" +"class=\"application\">[Claws Mail](http://www.claws-mail.org/)</span>.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"To start <span class=\"application\">Claws Mail</span> choose\n" +"<span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Applications</span> ▸\n" +" <span class=\"guisubmenu\">Internet</span> ▸\n" +" <span class=\"guimenuitem\">Claws Mail</span>\n" +"</span> or click on the <span class=\"application\">Claws Mail</span> icon in\n" +"the [[application\n" +"shortcuts|doc/first_steps/introduction_to_gnome_and_the_tails_desktop#claws_mail]].\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!img doc/first_steps/introduction_to_gnome_and_the_tails_desktop/claws-mail.png link=no]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"For detailed documentation, refer to the\n" +"[official <span class=\"application\">Claws Mail</span> documentation](http://www.claws-mail.org/documentation.php?section=general).\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"For specific documentation on how to configure a Riseup email account\n" +"with <span class=\"application\">Claws Mail</span>, read the\n" +"[Riseup documentation](https://help.riseup.net/en/email/clients/claws).\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"tip\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"To store your emails and email configuration, you can activate the\n" +"[[<strong>Claws Mail</strong> persistence feature|doc/first_steps/persistence/configure#claws_mail]].\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"doc/anonymous_internet/claws_mail/persistence.bug\" raw=\"yes\"]]\n" +msgstr "" + +#. type: Plain text +msgid "" +"Please note that Tails will [migrate back to Icedove](https://labs.riseup." +"net/code/issues/5663) at some point." +msgstr "" diff --git a/wiki/src/doc/anonymous_internet/claws_mail.mdwn b/wiki/src/doc/anonymous_internet/claws_mail.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..a5f276637190934594efdd7dafcc80c2bef98f74 --- /dev/null +++ b/wiki/src/doc/anonymous_internet/claws_mail.mdwn @@ -0,0 +1,35 @@ +[[!meta title="Reading and writing emails with Claws Mail"]] + +For reading and writing email, Tails includes <span +class="application">[Claws Mail](http://www.claws-mail.org/)</span>. + +To start <span class="application">Claws Mail</span> choose +<span class="menuchoice"> + <span class="guimenu">Applications</span> ▸ + <span class="guisubmenu">Internet</span> ▸ + <span class="guimenuitem">Claws Mail</span> +</span> or click on the <span class="application">Claws Mail</span> icon in +the [[application +shortcuts|doc/first_steps/introduction_to_gnome_and_the_tails_desktop#claws_mail]]. + +[[!img doc/first_steps/introduction_to_gnome_and_the_tails_desktop/claws-mail.png link=no]] + +For detailed documentation, refer to the +[official <span class="application">Claws Mail</span> documentation](http://www.claws-mail.org/documentation.php?section=general). + +For specific documentation on how to configure a Riseup email account +with <span class="application">Claws Mail</span>, read the +[Riseup documentation](https://help.riseup.net/en/email/clients/claws). + +<div class="tip"> + +To store your emails and email configuration, you can activate the +[[<strong>Claws Mail</strong> persistence feature|doc/first_steps/persistence/configure#claws_mail]]. + +</div> + +[[!inline pages="doc/anonymous_internet/claws_mail/persistence.bug" raw="yes"]] + +Please note that Tails will +[migrate back to Icedove](https://labs.riseup.net/code/issues/5663) at some +point. diff --git a/wiki/src/doc/anonymous_internet/claws_mail.pt.po b/wiki/src/doc/anonymous_internet/claws_mail.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..964af22722b72726471c98457e168bc006d791ec --- /dev/null +++ b/wiki/src/doc/anonymous_internet/claws_mail.pt.po @@ -0,0 +1,90 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-05-03 14:04+0300\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Reading and writing emails with Claws Mail\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"For reading and writing email, Tails includes <span\n" +"class=\"application\">[Claws Mail](http://www.claws-mail.org/)</span>.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"To start <span class=\"application\">Claws Mail</span> choose\n" +"<span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Applications</span> ▸\n" +" <span class=\"guisubmenu\">Internet</span> ▸\n" +" <span class=\"guimenuitem\">Claws Mail</span>\n" +"</span> or click on the <span class=\"application\">Claws Mail</span> icon in\n" +"the [[application\n" +"shortcuts|doc/first_steps/introduction_to_gnome_and_the_tails_desktop#claws_mail]].\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!img doc/first_steps/introduction_to_gnome_and_the_tails_desktop/claws-mail.png link=no]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"For detailed documentation, refer to the\n" +"[official <span class=\"application\">Claws Mail</span> documentation](http://www.claws-mail.org/documentation.php?section=general).\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"For specific documentation on how to configure a Riseup email account\n" +"with <span class=\"application\">Claws Mail</span>, read the\n" +"[Riseup documentation](https://help.riseup.net/en/email/clients/claws).\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"tip\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"To store your emails and email configuration, you can activate the\n" +"[[<strong>Claws Mail</strong> persistence feature|doc/first_steps/persistence/configure#claws_mail]].\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"doc/anonymous_internet/claws_mail/persistence.bug\" raw=\"yes\"]]\n" +msgstr "" + +#. type: Plain text +msgid "" +"Please note that Tails will [migrate back to Icedove](https://labs.riseup." +"net/code/issues/5663) at some point." +msgstr "" diff --git a/wiki/src/doc/anonymous_internet/claws_mail/persistence.bug.de.po b/wiki/src/doc/anonymous_internet/claws_mail/persistence.bug.de.po new file mode 100644 index 0000000000000000000000000000000000000000..5f86efaa276e3ea4b3d80f753b08eebc34a8e694 --- /dev/null +++ b/wiki/src/doc/anonymous_internet/claws_mail/persistence.bug.de.po @@ -0,0 +1,48 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-04-06 13:33+0300\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"bug\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>The emails of a POP3 account created without using the configuration\n" +"assistant are not stored in the persistent volume by default. For example,\n" +"when configuring a second email account.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>To make it persistent choose\n" +"<span class=\"menuchoice\">\n" +" <span class=\"guimenu\">File</span> ▸\n" +" <span class=\"guimenu\">Add Mailbox</span> ▸\n" +" <span class=\"guimenuitem\">MH...</span></span> and change the location of " +"the mailbox\n" +"from <span class=\"filename\">Mail</span> to <span " +"class=\"filename\">.claws-mail/Mail</span>.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" diff --git a/wiki/src/doc/anonymous_internet/claws_mail/persistence.bug.fr.po b/wiki/src/doc/anonymous_internet/claws_mail/persistence.bug.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..5f86efaa276e3ea4b3d80f753b08eebc34a8e694 --- /dev/null +++ b/wiki/src/doc/anonymous_internet/claws_mail/persistence.bug.fr.po @@ -0,0 +1,48 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-04-06 13:33+0300\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"bug\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>The emails of a POP3 account created without using the configuration\n" +"assistant are not stored in the persistent volume by default. For example,\n" +"when configuring a second email account.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>To make it persistent choose\n" +"<span class=\"menuchoice\">\n" +" <span class=\"guimenu\">File</span> ▸\n" +" <span class=\"guimenu\">Add Mailbox</span> ▸\n" +" <span class=\"guimenuitem\">MH...</span></span> and change the location of " +"the mailbox\n" +"from <span class=\"filename\">Mail</span> to <span " +"class=\"filename\">.claws-mail/Mail</span>.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" diff --git a/wiki/src/doc/anonymous_internet/claws_mail/persistence.bug.mdwn b/wiki/src/doc/anonymous_internet/claws_mail/persistence.bug.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..9974af51043857b61ee71bbb488b542e0e702ed5 --- /dev/null +++ b/wiki/src/doc/anonymous_internet/claws_mail/persistence.bug.mdwn @@ -0,0 +1,14 @@ +<div class="bug"> + +<p>The emails of a POP3 account created without using the configuration +assistant are not stored in the persistent volume by default. For example, +when configuring a second email account.</p> + +<p>To make it persistent choose +<span class="menuchoice"> + <span class="guimenu">File</span> ▸ + <span class="guimenu">Add Mailbox</span> ▸ + <span class="guimenuitem">MH...</span></span> and change the location of the mailbox +from <span class="filename">Mail</span> to <span class="filename">.claws-mail/Mail</span>.</p> + +</div> diff --git a/wiki/src/doc/anonymous_internet/claws_mail/persistence.bug.pt.po b/wiki/src/doc/anonymous_internet/claws_mail/persistence.bug.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..5f86efaa276e3ea4b3d80f753b08eebc34a8e694 --- /dev/null +++ b/wiki/src/doc/anonymous_internet/claws_mail/persistence.bug.pt.po @@ -0,0 +1,48 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-04-06 13:33+0300\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"bug\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>The emails of a POP3 account created without using the configuration\n" +"assistant are not stored in the persistent volume by default. For example,\n" +"when configuring a second email account.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>To make it persistent choose\n" +"<span class=\"menuchoice\">\n" +" <span class=\"guimenu\">File</span> ▸\n" +" <span class=\"guimenu\">Add Mailbox</span> ▸\n" +" <span class=\"guimenuitem\">MH...</span></span> and change the location of " +"the mailbox\n" +"from <span class=\"filename\">Mail</span> to <span " +"class=\"filename\">.claws-mail/Mail</span>.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" diff --git a/wiki/src/doc/anonymous_internet/electrum.de.po b/wiki/src/doc/anonymous_internet/electrum.de.po new file mode 100644 index 0000000000000000000000000000000000000000..50981ec52e719f335813fd6024de1fa4e052a94a --- /dev/null +++ b/wiki/src/doc/anonymous_internet/electrum.de.po @@ -0,0 +1,119 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-03 14:08+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Exchange bitcoins using Electrum\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"[<span class=\"application\">Electrum</span>](https://electrum.org/) is a [[!wikipedia bitcoin]] client that is\n" +"particularly suited to the context of Tails because:\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Your wallet can be recovered entirely from a passphrase, called *seed*. So " +"you can use your wallet from different devices and avoid losing bitcoins in " +"a backup mistake or computer failure." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Electrum does not download the blockchain. So there is no waiting time when " +"starting." +msgstr "" + +#. type: Bullet: ' - ' +msgid "You can sign transactions from an offline working session." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"caution\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>Bitcoin is <a href=\"https://bitcoin.org/en/faq#is-bitcoin-anonymous\">not\n" +"anonymous</a>.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>To make it harder to relate your different transactions, you should use\n" +"different receiving addresses for each transaction.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"To start <span class=\"application\">Electrum</span> choose\n" +"<span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Applications</span> ▸\n" +" <span class=\"guisubmenu\">Internet</span> ▸\n" +" <span class=\"guimenuitem\">Electrum Bitcoin Wallet</span>\n" +"</span>.\n" +msgstr "" + +#. type: Plain text +msgid "" +"To learn how to use *Electrum*, read the [documentation on the *Electrum* " +"wiki](http://electrum.orain.org/)." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<p>If you loose your <em>seed</em>, then you loose your entire wallet.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>That's why we recommend that you activate the [[<span class=\"guilabel\">Bitcoin Client</span>\n" +"persistence feature|doc/first_steps/persistence/configure/#bitcoin]] to\n" +"store your bitcoin wallet and preferences across separate working\n" +"sessions.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<p>Do not blindly trust the bitcoin balance that <span class=\"application\">Electrum</span> displays.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p><span class=\"application\">Electrum</span> relies on\n" +"<a href=\"https://bitcoin.org/en/developer-guide#simplified-payment-verification-spv\">Simplified\n" +"Payment Verification</a> (SPV) to avoid downloading the full block\n" +"chain. But with this technique, the servers to which <span\n" +"class=\"application\">Electrum</span> connects can withhold information\n" +"from their clients. Read more about the\n" +"<a href=\"https://bitcoin.org/en/developer-guide#potential-spv-weaknesses\">weaknesses\n" +"of SPV</a> in the Bitcoin Developer Guide.</p>\n" +msgstr "" diff --git a/wiki/src/doc/anonymous_internet/electrum.fr.po b/wiki/src/doc/anonymous_internet/electrum.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..50981ec52e719f335813fd6024de1fa4e052a94a --- /dev/null +++ b/wiki/src/doc/anonymous_internet/electrum.fr.po @@ -0,0 +1,119 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-03 14:08+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Exchange bitcoins using Electrum\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"[<span class=\"application\">Electrum</span>](https://electrum.org/) is a [[!wikipedia bitcoin]] client that is\n" +"particularly suited to the context of Tails because:\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Your wallet can be recovered entirely from a passphrase, called *seed*. So " +"you can use your wallet from different devices and avoid losing bitcoins in " +"a backup mistake or computer failure." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Electrum does not download the blockchain. So there is no waiting time when " +"starting." +msgstr "" + +#. type: Bullet: ' - ' +msgid "You can sign transactions from an offline working session." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"caution\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>Bitcoin is <a href=\"https://bitcoin.org/en/faq#is-bitcoin-anonymous\">not\n" +"anonymous</a>.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>To make it harder to relate your different transactions, you should use\n" +"different receiving addresses for each transaction.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"To start <span class=\"application\">Electrum</span> choose\n" +"<span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Applications</span> ▸\n" +" <span class=\"guisubmenu\">Internet</span> ▸\n" +" <span class=\"guimenuitem\">Electrum Bitcoin Wallet</span>\n" +"</span>.\n" +msgstr "" + +#. type: Plain text +msgid "" +"To learn how to use *Electrum*, read the [documentation on the *Electrum* " +"wiki](http://electrum.orain.org/)." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<p>If you loose your <em>seed</em>, then you loose your entire wallet.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>That's why we recommend that you activate the [[<span class=\"guilabel\">Bitcoin Client</span>\n" +"persistence feature|doc/first_steps/persistence/configure/#bitcoin]] to\n" +"store your bitcoin wallet and preferences across separate working\n" +"sessions.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<p>Do not blindly trust the bitcoin balance that <span class=\"application\">Electrum</span> displays.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p><span class=\"application\">Electrum</span> relies on\n" +"<a href=\"https://bitcoin.org/en/developer-guide#simplified-payment-verification-spv\">Simplified\n" +"Payment Verification</a> (SPV) to avoid downloading the full block\n" +"chain. But with this technique, the servers to which <span\n" +"class=\"application\">Electrum</span> connects can withhold information\n" +"from their clients. Read more about the\n" +"<a href=\"https://bitcoin.org/en/developer-guide#potential-spv-weaknesses\">weaknesses\n" +"of SPV</a> in the Bitcoin Developer Guide.</p>\n" +msgstr "" diff --git a/wiki/src/doc/anonymous_internet/electrum.mdwn b/wiki/src/doc/anonymous_internet/electrum.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..7a4011f0b1cb57ee88edbb810f017d03d3d3bcb5 --- /dev/null +++ b/wiki/src/doc/anonymous_internet/electrum.mdwn @@ -0,0 +1,57 @@ +[[!meta title="Exchange bitcoins using Electrum"]] + +[<span class="application">Electrum</span>](https://electrum.org/) is a [[!wikipedia bitcoin]] client that is +particularly suited to the context of Tails because: + + - Your wallet can be recovered entirely from a passphrase, called + *seed*. So you can use your wallet from different devices and avoid + losing bitcoins in a backup mistake or computer failure. + - Electrum does not download the blockchain. So there is no waiting + time when starting. + - You can sign transactions from an offline working session. + +<div class="caution"> + +<p>Bitcoin is <a href="https://bitcoin.org/en/faq#is-bitcoin-anonymous">not +anonymous</a>.</p> + +<p>To make it harder to relate your different transactions, you should use +different receiving addresses for each transaction.</p> + +</div> + +To start <span class="application">Electrum</span> choose +<span class="menuchoice"> + <span class="guimenu">Applications</span> ▸ + <span class="guisubmenu">Internet</span> ▸ + <span class="guimenuitem">Electrum Bitcoin Wallet</span> +</span>. + +To learn how to use *Electrum*, read the [documentation on the +*Electrum* wiki](http://electrum.orain.org/). + +<div class="caution"> + +<p>If you loose your <em>seed</em>, then you loose your entire wallet.</p> + +<p>That's why we recommend that you activate the [[<span class="guilabel">Bitcoin Client</span> +persistence feature|doc/first_steps/persistence/configure/#bitcoin]] to +store your bitcoin wallet and preferences across separate working +sessions.</p> + +</div> + +<div class="caution"> + +<p>Do not blindly trust the bitcoin balance that <span class="application">Electrum</span> displays.</p> + +<p><span class="application">Electrum</span> relies on +<a href="https://bitcoin.org/en/developer-guide#simplified-payment-verification-spv">Simplified +Payment Verification</a> (SPV) to avoid downloading the full block +chain. But with this technique, the servers to which <span +class="application">Electrum</span> connects can withhold information +from their clients. Read more about the +<a href="https://bitcoin.org/en/developer-guide#potential-spv-weaknesses">weaknesses +of SPV</a> in the Bitcoin Developer Guide.</p> + +</div> diff --git a/wiki/src/doc/anonymous_internet/electrum.pt.po b/wiki/src/doc/anonymous_internet/electrum.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..50981ec52e719f335813fd6024de1fa4e052a94a --- /dev/null +++ b/wiki/src/doc/anonymous_internet/electrum.pt.po @@ -0,0 +1,119 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-03 14:08+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Exchange bitcoins using Electrum\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"[<span class=\"application\">Electrum</span>](https://electrum.org/) is a [[!wikipedia bitcoin]] client that is\n" +"particularly suited to the context of Tails because:\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Your wallet can be recovered entirely from a passphrase, called *seed*. So " +"you can use your wallet from different devices and avoid losing bitcoins in " +"a backup mistake or computer failure." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Electrum does not download the blockchain. So there is no waiting time when " +"starting." +msgstr "" + +#. type: Bullet: ' - ' +msgid "You can sign transactions from an offline working session." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"caution\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>Bitcoin is <a href=\"https://bitcoin.org/en/faq#is-bitcoin-anonymous\">not\n" +"anonymous</a>.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>To make it harder to relate your different transactions, you should use\n" +"different receiving addresses for each transaction.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"To start <span class=\"application\">Electrum</span> choose\n" +"<span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Applications</span> ▸\n" +" <span class=\"guisubmenu\">Internet</span> ▸\n" +" <span class=\"guimenuitem\">Electrum Bitcoin Wallet</span>\n" +"</span>.\n" +msgstr "" + +#. type: Plain text +msgid "" +"To learn how to use *Electrum*, read the [documentation on the *Electrum* " +"wiki](http://electrum.orain.org/)." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<p>If you loose your <em>seed</em>, then you loose your entire wallet.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>That's why we recommend that you activate the [[<span class=\"guilabel\">Bitcoin Client</span>\n" +"persistence feature|doc/first_steps/persistence/configure/#bitcoin]] to\n" +"store your bitcoin wallet and preferences across separate working\n" +"sessions.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<p>Do not blindly trust the bitcoin balance that <span class=\"application\">Electrum</span> displays.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p><span class=\"application\">Electrum</span> relies on\n" +"<a href=\"https://bitcoin.org/en/developer-guide#simplified-payment-verification-spv\">Simplified\n" +"Payment Verification</a> (SPV) to avoid downloading the full block\n" +"chain. But with this technique, the servers to which <span\n" +"class=\"application\">Electrum</span> connects can withhold information\n" +"from their clients. Read more about the\n" +"<a href=\"https://bitcoin.org/en/developer-guide#potential-spv-weaknesses\">weaknesses\n" +"of SPV</a> in the Bitcoin Developer Guide.</p>\n" +msgstr "" diff --git a/wiki/src/doc/anonymous_internet/i2p.de.po b/wiki/src/doc/anonymous_internet/i2p.de.po index 0c36084b18578fef82488eef5cce1f7d34d5c821..903b97daafc1a930f0fe2af08d139aebbf516320 100644 --- a/wiki/src/doc/anonymous_internet/i2p.de.po +++ b/wiki/src/doc/anonymous_internet/i2p.de.po @@ -3,23 +3,23 @@ # This file is distributed under the same license as the PACKAGE package. # FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. # -#, fuzzy msgid "" msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" +"Project-Id-Version: Tails Translations\n" "POT-Creation-Date: 2014-10-09 00:01+0300\n" -"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" -"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" -"Language-Team: LANGUAGE <LL@li.org>\n" -"Language: \n" +"PO-Revision-Date: 2015-04-25 23:30+0100\n" +"Last-Translator: spriver <spriver@autistici.org>\n" +"Language-Team: Tails Translators <tails-l10n@boum.org>\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"X-Generator: Poedit 1.5.4\n" +"Language: de\n" #. type: Plain text #, no-wrap msgid "[[!meta title=\"Using I2P\"]]\n" -msgstr "" +msgstr "[[!meta title=\"I2P benutzen\"]]\n" #. type: Plain text msgid "" @@ -33,11 +33,22 @@ msgid "" "for Tor hidden services). For instance, the I2P homepage can also be " "accessed through I2P via <http://i2p-projekt.i2p>." msgstr "" +"[I2P](https://geti2p.net/) ist ein Anonymitätsnetzwerk welches eine " +"Alternative zu Tor bietet, das die meisten üblichen Internetaktivitäten wie " +"Webbrowsing, E-Mail, Filesharing, usw. unterstützt. Im Gegensatz zu Tor, " +"dessen Hauptfokus auf dem Zugriff von Webseiten im \"normalen\" Internet " +"liegt, ist I2P mehr darauf ausgerichtet, ein geschlossenes [[!wikipedia_de " +"Darknet]], abgetrennt vom \"normalen\" Internet, zu sein. Jede Person, die " +"I2P benutzt, kann einen anonymen Server betreiben, eine sogenannte Eepsite, " +"welche nur innerhalb von I2P unter Benutzung der `.i2p` Top Level Domain " +"(vergleichbar mit `.onion` für Tor Hidden Services) erreichbar ist. Zum " +"Beispiel kann die I2P Homepage auch in I2P über <http://i2p-projekt.i2p> " +"erreicht werden." #. type: Title = #, no-wrap msgid "Starting I2P\n" -msgstr "" +msgstr "I2P starten\n" #. type: Plain text #, no-wrap @@ -47,6 +58,10 @@ msgid "" "menu</span>. For detailed instructions, see the documentation on\n" "[[using the <span class=\"application\">boot menu</span>|first_steps/startup_options#boot_menu]].\n" msgstr "" +"*I2P* ist standardmäßig beim Start von Tails nicht aktiviert. Um I2P zu starten, fügen Sie die <span\n" +"class=\"command\">i2p</span> Bootoption zum <span class=\"application\">Boot-Menü</span>\n" +"hinzu. Für eine genauere Anleitung lesen Sie bitte die Dokumentation\n" +"[[zur Nutzung des <span class=\"application\">Boot-Menüs</span>|first_steps/startup_options#boot_menu]].\n" #. type: Plain text msgid "" @@ -54,6 +69,9 @@ msgid "" "time has been synchronized. Unlike previous versions of Tails, the router " "console will not be opened automatically." msgstr "" +"Wenn *I2P* zu den Bootoptionen hinzugefügt wird, wird *I2P* automatisch " +"starten, sobald die Uhr synchronisiert wurde. Im Gegensatz zu früheren " +"Versionen von Tails wird die Router-Konsole nicht automatisch geöffnet." #. type: Plain text #, no-wrap @@ -64,6 +82,11 @@ msgid "" " <span class=\"guisubmenu\">Internet</span> ▸\n" " <span class=\"guimenuitem\">I2P Browser</span></span>.\n" msgstr "" +"Auf die I2P Router-Konsole kann aus dem *I2P Browser* heraus zugegriffen werden. Vom Desktop aus\n" +"wählen Sie <span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Anwendungen</span> ▸\n" +" <span class=\"guisubmenu\">Internet</span> ▸\n" +" <span class=\"guimenuitem\">I2P Browser</span></span>.\n" #. type: Plain text msgid "" @@ -73,3 +96,8 @@ msgid "" "from within I2P Browser. Internet resources cannot be reached from within " "I2P Browser." msgstr "" +"Die Router-Konsole zeigt den aktuellen Status von I2P, Links zu nützlichen " +"Ressourcen (Foren, E-Mail, Filesharing, usw.) und bietet die Möglichkeit, " +"I2P abzuschalten. Seit Tails 1.2 sind `.i2p`-Adressen nur aus dem I2P-" +"Browser heraus erreichbar. Internetressourcen können nicht aus dem I2P-" +"Browser heraus erreicht werden." diff --git a/wiki/src/doc/anonymous_internet/i2p.fr.po b/wiki/src/doc/anonymous_internet/i2p.fr.po index d6a35a2490eaa6752146a4ca8c206addcd72f04b..671b656ed546a032c27aac9db962d7cf6bbc7383 100644 --- a/wiki/src/doc/anonymous_internet/i2p.fr.po +++ b/wiki/src/doc/anonymous_internet/i2p.fr.po @@ -33,7 +33,7 @@ msgid "" "for Tor hidden services). For instance, the I2P homepage can also be " "accessed through I2P via <http://i2p-projekt.i2p>." msgstr "" -"Le réseau anonymisant [I2P](http://www.i2p2.de/index_fr.html) est une " +"Le réseau anonymisant [I2P](https://geti2p.net/fr/) est une " "alternative à Tor, et supporte la plupart des usages d'Internet comme la " "navigation web, les emails, le partage de fichiers etc. À l'inverse de Tor " "dont le principal soucis est de surfer depuis un Internet \"normal\", I2P " diff --git a/wiki/src/doc/anonymous_internet/networkmanager.de.po b/wiki/src/doc/anonymous_internet/networkmanager.de.po index e8cdf64543293653b8c7c3fdea43c2c944cd8c13..9dba0de81c95ebb9f8467864c45818ba2f9676c9 100644 --- a/wiki/src/doc/anonymous_internet/networkmanager.de.po +++ b/wiki/src/doc/anonymous_internet/networkmanager.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-04-26 10:50+0200\n" +"POT-Creation-Date: 2015-04-19 12:06+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -74,6 +74,16 @@ msgid "" " the Internet, then [[see the corresponding documentation|unsafe_browser]].\n" msgstr "" +#. type: Plain text +#, no-wrap +msgid "" +"You can modify the settings of each recorded\n" +"network connection (for example to configure whether or not to\n" +"automatically connect to a Wi-Fi network). To do so, right-click on the\n" +"<span class=\"application\">NetworkManager Applet</span>\n" +"and choose <span class=\"guimenu\">Edit Connections...</span>\n" +msgstr "" + #. type: Plain text #, no-wrap msgid "" @@ -110,3 +120,11 @@ msgstr "" #, no-wrap msgid "</div>\n" msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"For more information about <span class=\"application\">NetworkManager</span>, open\n" +"<span class=\"application\">[[GNOME Help|first_steps/introduction_to_gnome_and_the_tails_desktop#help]]</span>\n" +"and choose <span class=\"guilabel\">Networking, web, email & chat</span>.\n" +msgstr "" diff --git a/wiki/src/doc/anonymous_internet/networkmanager.fr.po b/wiki/src/doc/anonymous_internet/networkmanager.fr.po index adc9b4a210ffad9506e544f7050f0100a4deea7a..78303940fb98a341ebb81d53ce500be66ee87e01 100644 --- a/wiki/src/doc/anonymous_internet/networkmanager.fr.po +++ b/wiki/src/doc/anonymous_internet/networkmanager.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-06-08 19:38+0300\n" +"POT-Creation-Date: 2015-04-19 12:06+0300\n" "PO-Revision-Date: 2014-05-11 13:37-0000\n" "Last-Translator: amnesia <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -86,6 +86,16 @@ msgstr "" " b. Si vous avez besoin de vous identifier à un portail captif afin d'obtenir accès à Internet,\n" " alors [[voir notre documentation correspondante|unsafe_browser]].\n" +#. type: Plain text +#, no-wrap +msgid "" +"You can modify the settings of each recorded\n" +"network connection (for example to configure whether or not to\n" +"automatically connect to a Wi-Fi network). To do so, right-click on the\n" +"<span class=\"application\">NetworkManager Applet</span>\n" +"and choose <span class=\"guimenu\">Edit Connections...</span>\n" +msgstr "" + #. type: Plain text #, no-wrap msgid "" @@ -136,6 +146,14 @@ msgstr "" msgid "</div>\n" msgstr "" +#. type: Plain text +#, no-wrap +msgid "" +"For more information about <span class=\"application\">NetworkManager</span>, open\n" +"<span class=\"application\">[[GNOME Help|first_steps/introduction_to_gnome_and_the_tails_desktop#help]]</span>\n" +"and choose <span class=\"guilabel\">Networking, web, email & chat</span>.\n" +msgstr "" + #~ msgid "" #~ "The name is quite self-explanatory – this is what you should use to " #~ "manage your network, which usually only consists of establishing an " diff --git a/wiki/src/doc/anonymous_internet/networkmanager.mdwn b/wiki/src/doc/anonymous_internet/networkmanager.mdwn index 5c4b537ca00ef07316a4889d6401ad20b120915a..1fcb95e2f0f84a1fdf16ff4efed6112bc78c4e1d 100644 --- a/wiki/src/doc/anonymous_internet/networkmanager.mdwn +++ b/wiki/src/doc/anonymous_internet/networkmanager.mdwn @@ -23,6 +23,12 @@ After establishing a connection to a local network: b. If you need to log in to a captive portal before being granted access to the Internet, then [[see the corresponding documentation|unsafe_browser]]. +You can modify the settings of each recorded +network connection (for example to configure whether or not to +automatically connect to a Wi-Fi network). To do so, right-click on the +<span class="application">NetworkManager Applet</span> +and choose <span class="guimenu">Edit Connections...</span> + If you want to reuse your custom <span class="application">NetworkManager</span> configuration or the passwords of encrypted wireless connections across separate working sessions, you can activate the [[<span class="guilabel">Network connections</span> persistence @@ -42,3 +48,7 @@ corresponding FAQ.|support/faq#vpn]]</li> </ul> </div> + +For more information about <span class="application">NetworkManager</span>, open +<span class="application">[[GNOME Help|first_steps/introduction_to_gnome_and_the_tails_desktop#help]]</span> +and choose <span class="guilabel">Networking, web, email & chat</span>. diff --git a/wiki/src/doc/anonymous_internet/networkmanager.pt.po b/wiki/src/doc/anonymous_internet/networkmanager.pt.po index 00e0f24dcba239106190b4cfa46964a5ebaca561..ee2ddbc540ad60c16832f82919ee1c06b9d2dab0 100644 --- a/wiki/src/doc/anonymous_internet/networkmanager.pt.po +++ b/wiki/src/doc/anonymous_internet/networkmanager.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-11-29 10:09+0100\n" +"POT-Creation-Date: 2015-04-19 12:06+0300\n" "PO-Revision-Date: 2014-08-26 15:44-0300\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -84,6 +84,16 @@ msgstr "" " b. Se você precisa fazer login em um portal captivo antes de poder acessar a\n" " Internet, então [[veja a documentação correspondente|unsafe_browser]].\n" +#. type: Plain text +#, no-wrap +msgid "" +"You can modify the settings of each recorded\n" +"network connection (for example to configure whether or not to\n" +"automatically connect to a Wi-Fi network). To do so, right-click on the\n" +"<span class=\"application\">NetworkManager Applet</span>\n" +"and choose <span class=\"guimenu\">Edit Connections...</span>\n" +msgstr "" + #. type: Plain text #, no-wrap msgid "" @@ -134,6 +144,14 @@ msgstr "" msgid "</div>\n" msgstr "</div>\n" +#. type: Plain text +#, no-wrap +msgid "" +"For more information about <span class=\"application\">NetworkManager</span>, open\n" +"<span class=\"application\">[[GNOME Help|first_steps/introduction_to_gnome_and_the_tails_desktop#help]]</span>\n" +"and choose <span class=\"guilabel\">Networking, web, email & chat</span>.\n" +msgstr "" + #~ msgid "" #~ "The name is quite self-explanatory – this is what you should use to " #~ "manage your network, which usually only consists of establishing an " diff --git a/wiki/src/doc/anonymous_internet/networkmanager/networkmanager.png b/wiki/src/doc/anonymous_internet/networkmanager/networkmanager.png index 37e188f05f8d80927f77de4f1f746c732fb585a4..159a431026b3a4bdeef1638b18898c1c923e0151 100644 Binary files a/wiki/src/doc/anonymous_internet/networkmanager/networkmanager.png and b/wiki/src/doc/anonymous_internet/networkmanager/networkmanager.png differ diff --git a/wiki/src/doc/anonymous_internet/pidgin.fr.po b/wiki/src/doc/anonymous_internet/pidgin.fr.po index 35f609b26a6407d741a59e4dab98b1e8bd513a6c..ace279657ac2d2d6895b498c68f371c3f0b501d1 100644 --- a/wiki/src/doc/anonymous_internet/pidgin.fr.po +++ b/wiki/src/doc/anonymous_internet/pidgin.fr.po @@ -5,9 +5,9 @@ # msgid "" msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-11-30 02:20+0100\n" -"PO-Revision-Date: 2013-08-05 11:04+0200\n" +"Project-Id-Version: \n" +"POT-Creation-Date: 2015-02-25 14:21+0100\n" +"PO-Revision-Date: 2015-02-23 12:26-0000\n" "Last-Translator: \n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" @@ -159,7 +159,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<div class=\"caution\">\n" -msgstr "" +msgstr "<div class=\"caution\">\n" #. type: Plain text #, no-wrap @@ -173,12 +173,12 @@ msgstr "" #. type: Plain text #, no-wrap msgid "</div>\n" -msgstr "" +msgstr "</div>\n" #. type: Plain text #, no-wrap msgid "<p><strong>File transfers are not encrypted by OTR.</strong> OTR only encrypts conversations.</p>\n" -msgstr "" +msgstr "<p><strong>Les fichiers transférés ne sont pas chiffrés par OTR.</strong> OTR chiffre seulement les conversations.</p>\n" #. type: Plain text #, no-wrap @@ -195,7 +195,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<div class=\"tip\">\n" -msgstr "" +msgstr "<div class=\"tip\">\n" #. type: Plain text #, no-wrap @@ -211,7 +211,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<div class=\"bug\">\n" -msgstr "" +msgstr "<div class=\"bug\">\n" #. type: Plain text #, no-wrap diff --git a/wiki/src/doc/anonymous_internet/unsafe_browser.fr.po b/wiki/src/doc/anonymous_internet/unsafe_browser.fr.po index c1cab31e1ff703bbfec2c740a2313d91dd23b707..c936bc5bd2e8086b898b3b6df45305d66e0a38f1 100644 --- a/wiki/src/doc/anonymous_internet/unsafe_browser.fr.po +++ b/wiki/src/doc/anonymous_internet/unsafe_browser.fr.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: SACKAGE VERSION\n" -"POT-Creation-Date: 2014-11-04 22:26+0100\n" -"PO-Revision-Date: 2014-05-10 20:03-0000\n" +"POT-Creation-Date: 2015-02-22 12:54+0100\n" +"PO-Revision-Date: 2015-01-18 10:54-0000\n" "Last-Translator: amnesia <amnesia@boum.org>\n" "Language-Team: SLANGUAGE <LL@li.org>\n" "Language: \n" @@ -59,16 +59,13 @@ msgstr "" " <span class=\"guimenuitem\">Navigateur Web Non-sécurisé</span></span>.\n" #. type: Plain text -#, fuzzy, no-wrap -#| msgid "" -#| "The <span class=\"application\">Unsafe Browser</span> has a red and yellow theme\n" -#| "to differentiate it from the [[Tor Browser|Tor_Browser]].\n" +#, no-wrap msgid "" "The <span class=\"application\">Unsafe Browser</span> has a red and yellow theme\n" "to differentiate it from [[<span class=\"application\">Tor Browser</span>|Tor_Browser]].\n" msgstr "" "Le <span class=\"application\">Navigateur Non-sécurisé</span> a un habillage rouge et jaune\n" -"pour le différencier du [[Navigateur Tor|Tor_Browser]].\n" +"pour le différencier du [[<span class=\"application\">navigateur Tor</span>|Tor_Browser]].\n" #. type: Plain text #, no-wrap @@ -91,44 +88,37 @@ msgid "</div>\n" msgstr "</div>\n" #. type: Plain text -#, fuzzy, no-wrap -#| msgid "<div class=\"caution\">\n" +#, no-wrap msgid "<div class=\"note\">\n" -msgstr "<div class=\"caution\">\n" +msgstr "<div class=\"note\">\n" #. type: Plain text -#, fuzzy, no-wrap -#| msgid "" -#| "The <span class=\"application\">Unsafe Browser</span> has a red and yellow theme\n" -#| "to differentiate it from the [[Tor Browser|Tor_Browser]].\n" +#, no-wrap msgid "" "<p>As a consequence, if you download files using the <span\n" "class=\"application\">Unsafe Browser</span> it is not possible to access\n" "them outside of the <span class=\"application\">Unsafe Browser</span>\n" "itself.</p>\n" msgstr "" -"Le <span class=\"application\">Navigateur Non-sécurisé</span> a un habillage rouge et jaune\n" -"pour le différencier du [[Navigateur Tor|Tor_Browser]].\n" +"<p>En conséquence, si vous téléchargez des fichiers avec le <span\n" +"class=\"application\">Navigateur Non-sécurisé</span>, il n'est pas possible\n" +"d'y accéder en dehors du <span class=\"application\">Navigateur Non-sécurisé</span>.</p>\n" #. type: Plain text msgid "Security recommendations:" msgstr "Recommandations de sécurité :" #. type: Bullet: '* ' -#, fuzzy -#| msgid "" -#| "Do not run this browser at the same time as the normal, anonymous web " -#| "browser. This makes it easy to not mistake one browser for the other, " -#| "which could have catastrophic consequences." msgid "" "Do not run this browser at the same time as the anonymous [[<span class=" "\"application\">Tor Browser</span>|Tor_Browser]]. This makes it easy to not " "mistake one browser for the other, which could have catastrophic " "consequences." msgstr "" -"N'utilisez pas ce navigateur en même temps que le navigateur web habituel, " -"et anonyme. Simplement pour éviter de confondre ces navigateurs, ce qui " -"pourrait s'avérer catastrophique." +"N'utilisez pas ce navigateur en même temps que le navigateur anonyme [[<span " +"class=\"application\">navigateur Tor</span>|Tor_Browser]].Cela vous permet " +"d'éviter de confondre ces deux navigateurs, ce qui pourrait s'avérer " +"catastrophique." #. type: Bullet: '* ' msgid "" diff --git a/wiki/src/doc/anonymous_internet/vidalia.de.po b/wiki/src/doc/anonymous_internet/vidalia.de.po index 60bb849a86a201e40923ae2262eaa40763de8bb2..06d0104bd2e45c618a127e285cf993901f6dbf31 100644 --- a/wiki/src/doc/anonymous_internet/vidalia.de.po +++ b/wiki/src/doc/anonymous_internet/vidalia.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-10-15 18:40+0300\n" +"POT-Creation-Date: 2015-04-24 23:21+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -25,8 +25,8 @@ msgstr "" #, no-wrap msgid "" "<span class=\"application\">Vidalia</span> allows you to control some of the\n" -"functionalities of Tor. It is started automatically when an [[Internet\n" -"connection|networkmanager]] is established.\n" +"functionalities of Tor. Unless [[first_steps/startup_options/Windows_Camouflage]] is enabled, Vidalia will\n" +"be started automatically when an [[Internet connection|networkmanager]] is established.\n" msgstr "" #. type: Plain text @@ -215,9 +215,21 @@ msgstr "" msgid "[[!img vidalia/network_map.png link=no]]\n" msgstr "" +#. type: Plain text +#, no-wrap +msgid "<a id=\"new_identity\"></a>\n" +msgstr "" + #. type: Title = #, no-wrap -msgid "The <span class=\"guilabel\">New Identity</span> feature\n" +msgid "<span class=\"guilabel\">New Identity</span> feature\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"The <span class=\"guilabel\">New Identity</span> feature of Vidalia forces Tor\n" +"to use new circuits but only for new connections.\n" msgstr "" #. type: Plain text @@ -225,12 +237,29 @@ msgstr "" msgid "<div class=\"caution\">\n" msgstr "" +#. type: Plain text +#, no-wrap +msgid "<p>This feature is not a good solution to [[separate contextual identities|about/warning#identities]], as:\n" +msgstr "" + #. type: Plain text #, no-wrap msgid "" -"[[As explained on our warning page|about/warning#identities]], this feature of\n" -"<span class=\"application\">Vidalia</span> is not a solution to really separate different contextual identities.\n" -"<strong>Shutdown and restart Tails instead.</strong>\n" +"<ul>\n" +"<li>Already existing connections might stay open.</li>\n" +"<li>Other sources of information can reveal your past activities, for\n" +"example the cookies stored in <span class=\"application\">Tor Browser</span> or the random nick in <span class=\"application\">Pidgin</span>.</li>\n" +"</ul>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<p>Shutdown and restart Tails instead.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</p>\n" msgstr "" #. type: Title = @@ -248,8 +277,7 @@ msgstr "" #. type: Bullet: ' - ' msgid "" "It is impossible to edit the <span class=\"filename\">torrc</span> " -"configuration file using <span class=\"application\">Vidalia</span>. See [[!" -"tails_ticket 6601]]." +"configuration file using <span class=\"application\">Vidalia</span>." msgstr "" #. type: Bullet: ' - ' diff --git a/wiki/src/doc/anonymous_internet/vidalia.fr.po b/wiki/src/doc/anonymous_internet/vidalia.fr.po index 1df88e29b673205984ffde40650c320b638d91ce..615d4cc3c7f3e0100da9fd905c95b451677acc9d 100644 --- a/wiki/src/doc/anonymous_internet/vidalia.fr.po +++ b/wiki/src/doc/anonymous_internet/vidalia.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-10-15 18:40+0300\n" +"POT-Creation-Date: 2015-04-24 23:21+0300\n" "PO-Revision-Date: 2014-05-11 13:23-0000\n" "Last-Translator: amnesia <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -22,11 +22,15 @@ msgid "[[!meta title=\"Controlling Tor using Vidalia\"]]\n" msgstr "[[!meta title=\"Contrôler Tor grâce à Vidalia\"]]\n" #. type: Plain text -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| "<span class=\"application\">Vidalia</span> allows you to control some of the\n" +#| "functionalities of Tor. It is started automatically when an [[Internet\n" +#| "connection|networkmanager]] is established.\n" msgid "" "<span class=\"application\">Vidalia</span> allows you to control some of the\n" -"functionalities of Tor. It is started automatically when an [[Internet\n" -"connection|networkmanager]] is established.\n" +"functionalities of Tor. Unless [[first_steps/startup_options/Windows_Camouflage]] is enabled, Vidalia will\n" +"be started automatically when an [[Internet connection|networkmanager]] is established.\n" msgstr "" "<span class=\"application\">Vidalia</span> vous permet de contrôler quelques\n" "fonctionnalités de Tor. Il est démarré automatiquement lorsqu'une [[connexion\n" @@ -94,12 +98,7 @@ msgid "<div class=\"bug\">\n" msgstr "" #. type: Plain text -#, fuzzy, no-wrap -#| msgid "" -#| "The <span class=\"application\">Vidalia</span> onion icon sometimes stays yellow\n" -#| "even if Tor is already started. If the <span class=\"guilabel\">Tor is\n" -#| "ready</span> notification appears or if you can browse the Internet using the\n" -#| "<span class=\"application\">Tor Browser</span>, then Tor is started correctly.\n" +#, no-wrap msgid "" "The <span class=\"application\">Vidalia</span> onion icon sometimes stays yellow\n" "even if Tor is already started. If the <span class=\"guilabel\">Tor is\n" @@ -265,26 +264,58 @@ msgstr "" msgid "[[!img vidalia/network_map.png link=no]]\n" msgstr "[[!img vidalia/network_map.png link=no]]\n" -#. type: Title = +#. type: Plain text #, no-wrap -msgid "The <span class=\"guilabel\">New Identity</span> feature\n" +msgid "<a id=\"new_identity\"></a>\n" +msgstr "" + +#. type: Title = +#, fuzzy, no-wrap +#| msgid "The <span class=\"guilabel\">New Identity</span> feature\n" +msgid "<span class=\"guilabel\">New Identity</span> feature\n" msgstr "La fonction <span class=\"guilabel\">Utiliser une nouvelle identité</span>\n" +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "" +#| "The <span class=\"guilabel\">Network Map</span> feature displays information about\n" +#| "the available Tor relays and your established circuits and connections:\n" +msgid "" +"The <span class=\"guilabel\">New Identity</span> feature of Vidalia forces Tor\n" +"to use new circuits but only for new connections.\n" +msgstr "" +"La fonction de <span class=\"guilabel\">Carte du réseau</span> affiche des informations à\n" +"propos des relais Tor disponibles, des circuits et connexions établis :\n" + #. type: Plain text #, no-wrap msgid "<div class=\"caution\">\n" msgstr "" +#. type: Plain text +#, no-wrap +msgid "<p>This feature is not a good solution to [[separate contextual identities|about/warning#identities]], as:\n" +msgstr "" + #. type: Plain text #, no-wrap msgid "" -"[[As explained on our warning page|about/warning#identities]], this feature of\n" -"<span class=\"application\">Vidalia</span> is not a solution to really separate different contextual identities.\n" -"<strong>Shutdown and restart Tails instead.</strong>\n" +"<ul>\n" +"<li>Already existing connections might stay open.</li>\n" +"<li>Other sources of information can reveal your past activities, for\n" +"example the cookies stored in <span class=\"application\">Tor Browser</span> or the random nick in <span class=\"application\">Pidgin</span>.</li>\n" +"</ul>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<p>Shutdown and restart Tails instead.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</p>\n" msgstr "" -"[[Comme expliqué dans les avertissements|about/warning#identities]], cette fonction\n" -"de <span class=\"application\">Vidalia</span> n'est pas une solution pour vraiment séparer deux identités contextuelles.\n" -"<strong>Mieux vaut éteindre et redémarrer Tails.</strong>\n" #. type: Title = #, no-wrap @@ -302,10 +333,14 @@ msgstr "" "first_steps/startup_options/bridge_mode]]." #. type: Bullet: ' - ' +#, fuzzy +#| msgid "" +#| "It is impossible to edit the <span class=\"filename\">torrc</span> " +#| "configuration file using <span class=\"application\">Vidalia</span>. See " +#| "[[!tails_ticket 6601]]." msgid "" "It is impossible to edit the <span class=\"filename\">torrc</span> " -"configuration file using <span class=\"application\">Vidalia</span>. See [[!" -"tails_ticket 6601]]." +"configuration file using <span class=\"application\">Vidalia</span>." msgstr "" "Il est impossible d'éditer le fichier de configuration <span class=\"filename" "\">torrc</span> en utilisant <span class=\"application\">Vidalia</span>. " @@ -319,6 +354,19 @@ msgstr "" "Il est impossible de configurer Tails pour être un relai Tor en utilisant " "<span class=\"application\">Vidalia</span>. Voir [[!tails_ticket 5438]]." +#~ msgid "" +#~ "[[As explained on our warning page|about/warning#identities]], this " +#~ "feature of\n" +#~ "<span class=\"application\">Vidalia</span> is not a solution to really " +#~ "separate different contextual identities.\n" +#~ "<strong>Shutdown and restart Tails instead.</strong>\n" +#~ msgstr "" +#~ "[[Comme expliqué dans les avertissements|about/warning#identities]], " +#~ "cette fonction\n" +#~ "de <span class=\"application\">Vidalia</span> n'est pas une solution pour " +#~ "vraiment séparer deux identités contextuelles.\n" +#~ "<strong>Mieux vaut éteindre et redémarrer Tails.</strong>\n" + #~ msgid "" #~ "Vidalia is an anonymity manager. Basically this means that it can be used " #~ "to control Tor, and is automatically launched on network connection." diff --git a/wiki/src/doc/anonymous_internet/vidalia.mdwn b/wiki/src/doc/anonymous_internet/vidalia.mdwn index b414e57790fc3fb6959b67fd71eb9f189db383fc..08a09a0474ded026577ad9b828245fa97feb786f 100644 --- a/wiki/src/doc/anonymous_internet/vidalia.mdwn +++ b/wiki/src/doc/anonymous_internet/vidalia.mdwn @@ -1,8 +1,8 @@ [[!meta title="Controlling Tor using Vidalia"]] <span class="application">Vidalia</span> allows you to control some of the -functionalities of Tor. It is started automatically when an [[Internet -connection|networkmanager]] is established. +functionalities of Tor. Unless [[first_steps/startup_options/Windows_Camouflage]] is enabled, Vidalia will +be started automatically when an [[Internet connection|networkmanager]] is established. [[!toc levels=1]] @@ -94,14 +94,27 @@ untranslated.--> [[!img vidalia/network_map.png link=no]] -The <span class="guilabel">New Identity</span> feature -====================================================== +<a id="new_identity"></a> + +<span class="guilabel">New Identity</span> feature +================================================== + +The <span class="guilabel">New Identity</span> feature of Vidalia forces Tor +to use new circuits but only for new connections. <div class="caution"> -[[As explained on our warning page|about/warning#identities]], this feature of -<span class="application">Vidalia</span> is not a solution to really separate different contextual identities. -<strong>Shutdown and restart Tails instead.</strong> +<p>This feature is not a good solution to [[separate contextual identities|about/warning#identities]], as: + +<ul> +<li>Already existing connections might stay open.</li> +<li>Other sources of information can reveal your past activities, for +example the cookies stored in <span class="application">Tor Browser</span> or the random nick in <span class="application">Pidgin</span>.</li> +</ul> + +<p>Shutdown and restart Tails instead.</p> + +</p> </div> @@ -112,7 +125,6 @@ Additional Tor configuration option in <span class="application">Tails Greeter</span> |first_steps/startup_options/bridge_mode]]. - It is impossible to edit the <span class="filename">torrc</span> - configuration file using <span class="application">Vidalia</span>. See - [[!tails_ticket 6601]]. + configuration file using <span class="application">Vidalia</span>. - It is impossible to configure Tails to act as a Tor relay using <span class="application">Vidalia</span>. See [[!tails_ticket 5438]]. diff --git a/wiki/src/doc/anonymous_internet/vidalia.pt.po b/wiki/src/doc/anonymous_internet/vidalia.pt.po index 2eee9985c746e6c2074962a9b77ff3ea6a8550c1..0ff11881dde1a5a93a344c708fe3d8f344a2462e 100644 --- a/wiki/src/doc/anonymous_internet/vidalia.pt.po +++ b/wiki/src/doc/anonymous_internet/vidalia.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-10-15 18:40+0300\n" +"POT-Creation-Date: 2015-04-24 23:21+0300\n" "PO-Revision-Date: 2014-08-26 15:47-0300\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -21,11 +21,15 @@ msgid "[[!meta title=\"Controlling Tor using Vidalia\"]]\n" msgstr "[[!meta title=\"Controlando o Tor com Vidalia\"]]\n" #. type: Plain text -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| "<span class=\"application\">Vidalia</span> allows you to control some of the\n" +#| "functionalities of Tor. It is started automatically when an [[Internet\n" +#| "connection|networkmanager]] is established.\n" msgid "" "<span class=\"application\">Vidalia</span> allows you to control some of the\n" -"functionalities of Tor. It is started automatically when an [[Internet\n" -"connection|networkmanager]] is established.\n" +"functionalities of Tor. Unless [[first_steps/startup_options/Windows_Camouflage]] is enabled, Vidalia will\n" +"be started automatically when an [[Internet connection|networkmanager]] is established.\n" msgstr "" "O <span class=\"application\">Vidalia</span> permite que você controle algumas\n" "das funcionalidades do Tor. Ele é automaticamente iniciado quando uma [[conexão à\n" @@ -266,26 +270,58 @@ msgstr "" msgid "[[!img vidalia/network_map.png link=no]]\n" msgstr "[[!img vidalia/network_map.png link=no]]\n" -#. type: Title = +#. type: Plain text #, no-wrap -msgid "The <span class=\"guilabel\">New Identity</span> feature\n" +msgid "<a id=\"new_identity\"></a>\n" +msgstr "" + +#. type: Title = +#, fuzzy, no-wrap +#| msgid "The <span class=\"guilabel\">New Identity</span> feature\n" +msgid "<span class=\"guilabel\">New Identity</span> feature\n" msgstr "A funcionalidade <span class=\"guilabel\">Nova Identidade</span>\n" +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "" +#| "The <span class=\"guilabel\">Network Map</span> feature displays information about\n" +#| "the available Tor relays and your established circuits and connections:\n" +msgid "" +"The <span class=\"guilabel\">New Identity</span> feature of Vidalia forces Tor\n" +"to use new circuits but only for new connections.\n" +msgstr "" +"A funcionalidade <span class=\"guilabel\">Mapa da Rede</span> mostra informações sobre\n" +"os repetidores disponíveis e seus circuitos e conexões estabelecidos:\n" + #. type: Plain text #, no-wrap msgid "<div class=\"caution\">\n" msgstr "<div class=\"caution\">\n" +#. type: Plain text +#, no-wrap +msgid "<p>This feature is not a good solution to [[separate contextual identities|about/warning#identities]], as:\n" +msgstr "" + #. type: Plain text #, no-wrap msgid "" -"[[As explained on our warning page|about/warning#identities]], this feature of\n" -"<span class=\"application\">Vidalia</span> is not a solution to really separate different contextual identities.\n" -"<strong>Shutdown and restart Tails instead.</strong>\n" +"<ul>\n" +"<li>Already existing connections might stay open.</li>\n" +"<li>Other sources of information can reveal your past activities, for\n" +"example the cookies stored in <span class=\"application\">Tor Browser</span> or the random nick in <span class=\"application\">Pidgin</span>.</li>\n" +"</ul>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<p>Shutdown and restart Tails instead.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</p>\n" msgstr "" -"[[Como explicado em nossa página de advertências|about/warning#identities]], esta funcionalidade\n" -"do <span class=\"application\">Vidalia</span> não é uma solução para realmente separar duas identidades contextuais distintas.\n" -"<strong>Desligue e reinicie o Tails ao invés de usar esta funcionalidade.</strong>\n" #. type: Title = #, no-wrap @@ -303,10 +339,14 @@ msgstr "" "first_steps/startup_options/bridge_mode]]." #. type: Bullet: ' - ' +#, fuzzy +#| msgid "" +#| "It is impossible to edit the <span class=\"filename\">torrc</span> " +#| "configuration file using <span class=\"application\">Vidalia</span>. See " +#| "[[!tails_ticket 6601]]." msgid "" "It is impossible to edit the <span class=\"filename\">torrc</span> " -"configuration file using <span class=\"application\">Vidalia</span>. See [[!" -"tails_ticket 6601]]." +"configuration file using <span class=\"application\">Vidalia</span>." msgstr "" "É impossível editar o arquivo de configuração <span class=\"filename" "\">torrc</span> usando o <span class=\"application\">Vidalia</span>. Veja o " @@ -320,6 +360,20 @@ msgstr "" "É impossível configurar o Tails para funcionar como um repetidor Tor usando " "o <span class=\"application\">Vidalia</span>. Veja o [[!tails_ticket 5438]]." +#~ msgid "" +#~ "[[As explained on our warning page|about/warning#identities]], this " +#~ "feature of\n" +#~ "<span class=\"application\">Vidalia</span> is not a solution to really " +#~ "separate different contextual identities.\n" +#~ "<strong>Shutdown and restart Tails instead.</strong>\n" +#~ msgstr "" +#~ "[[Como explicado em nossa página de advertências|about/" +#~ "warning#identities]], esta funcionalidade\n" +#~ "do <span class=\"application\">Vidalia</span> não é uma solução para " +#~ "realmente separar duas identidades contextuais distintas.\n" +#~ "<strong>Desligue e reinicie o Tails ao invés de usar esta funcionalidade." +#~ "</strong>\n" + #~ msgid "" #~ "Vidalia is an anonymity manager. Basically this means that it can be used " #~ "to control Tor, and is automatically launched on network connection." diff --git a/wiki/src/doc/anonymous_internet/vidalia/right-click_menu.png b/wiki/src/doc/anonymous_internet/vidalia/right-click_menu.png index 7ea70de63689af6a44ccf3cfdb06ea752331fdb2..e34f4d940e1388476d0f698ef3fc013af2d1c410 100644 Binary files a/wiki/src/doc/anonymous_internet/vidalia/right-click_menu.png and b/wiki/src/doc/anonymous_internet/vidalia/right-click_menu.png differ diff --git a/wiki/src/doc/anonymous_internet/why_tor_is_slow.de.po b/wiki/src/doc/anonymous_internet/why_tor_is_slow.de.po index e657d9e17642f567ec2ea2905d086e5ce3502986..cae9d0b4d84877e48dfa8b0c1586a4174c895d8d 100644 --- a/wiki/src/doc/anonymous_internet/why_tor_is_slow.de.po +++ b/wiki/src/doc/anonymous_internet/why_tor_is_slow.de.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: \n" -"POT-Creation-Date: 2013-10-13 11:21+0300\n" +"POT-Creation-Date: 2015-02-21 17:16+0100\n" "PO-Revision-Date: 2014-07-22 12:39+0100\n" "Last-Translator: Tails developers <tails@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -27,9 +27,10 @@ msgid "" "reasons that make Tor slow. For further explanations, see [Why Tor is so " "slow?](https://www.torproject.org/docs/faq.html.en#WhySlow)" msgstr "" -"Nutzer von Tor finden oft, dass Tor langsam ist. Diese Seite beschreibt einige " -"Gründe, warum das so ist. Für weitere Erklärungen lesen Sie bitte [Wieso ist " -"Tor so langsam?](https://www.torproject.org/docs/faq.html.en#WhySlow)" +"Nutzer von Tor finden oft, dass Tor langsam ist. Diese Seite beschreibt " +"einige Gründe, warum das so ist. Für weitere Erklärungen lesen Sie bitte " +"[Wieso ist Tor so langsam?](https://www.torproject.org/docs/faq.html." +"en#WhySlow)" #. type: Title = #, no-wrap @@ -61,10 +62,18 @@ msgid "Quality of the relays\n" msgstr "Qualität der Relays\n" #. type: Plain text +#, fuzzy +#| msgid "" +#| "The Tor relays are run by volunteers in a decentralized way. So all " +#| "relays are not of the same quality. Some are big and fast, while some " +#| "others are smaller and slower. As a whole, the network could be faster it " +#| "had more capacity. To improve the capacity of the Tor network, you can " +#| "either run a Tor relay yourself or [help existing relays](https://www." +#| "torservers.net/partners.html)." msgid "" "The Tor relays are run by volunteers in a decentralized way. So all relays " "are not of the same quality. Some are big and fast, while some others are " -"smaller and slower. As a whole, the network could be faster it had more " +"smaller and slower. As a whole, the network could be faster if it had more " "capacity. To improve the capacity of the Tor network, you can either run a " "Tor relay yourself or [help existing relays](https://www.torservers.net/" "partners.html)." @@ -93,7 +102,8 @@ msgid "" "Peer_to_peer desc=\"peer-to-peer software\"]] through Tor which\n" "is bad for the network. If you want to use peer-to-peer, it is better to\n" "[[use I2P|doc/anonymous_internet/i2p]].\n" -msgstr "Manche Nutzer missbrauchen das Tor-Netzwerk. Manche tun dies mit Absicht,\n" +msgstr "" +"Manche Nutzer missbrauchen das Tor-Netzwerk. Manche tun dies mit Absicht,\n" "manche durch fehlendes Wissen. Beispielsweise wird Tor manchmal benutzt,\n" "um [[!wikipedia_de Denial_of_Service desc=\"DDoS-Angriffe\"]] durchzuführen.\n" "Wenn dies getan wird, sind die Tor-Relays diejenigen, die unter solchen Angriffen leiden.\n" diff --git a/wiki/src/doc/anonymous_internet/why_tor_is_slow.fr.po b/wiki/src/doc/anonymous_internet/why_tor_is_slow.fr.po index 0d4b86a7b471b9d36586c1118b48608433e3d14f..1f077ab1e4b7c26735cc48d13f279761ab0e962b 100644 --- a/wiki/src/doc/anonymous_internet/why_tor_is_slow.fr.po +++ b/wiki/src/doc/anonymous_internet/why_tor_is_slow.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2013-11-30 21:33+0100\n" +"POT-Creation-Date: 2015-02-24 20:09+0100\n" "PO-Revision-Date: 2013-10-13 17:48-0000\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -65,7 +65,7 @@ msgstr "Qualité des relais\n" msgid "" "The Tor relays are run by volunteers in a decentralized way. So all relays " "are not of the same quality. Some are big and fast, while some others are " -"smaller and slower. As a whole, the network could be faster it had more " +"smaller and slower. As a whole, the network could be faster if it had more " "capacity. To improve the capacity of the Tor network, you can either run a " "Tor relay yourself or [help existing relays](https://www.torservers.net/" "partners.html)." diff --git a/wiki/src/doc/anonymous_internet/why_tor_is_slow.mdwn b/wiki/src/doc/anonymous_internet/why_tor_is_slow.mdwn index f9d62d747a7a5b50885e929947f57863555f83d1..4196deaa0b9e631be704315931eee2167a807242 100644 --- a/wiki/src/doc/anonymous_internet/why_tor_is_slow.mdwn +++ b/wiki/src/doc/anonymous_internet/why_tor_is_slow.mdwn @@ -20,7 +20,7 @@ Quality of the relays The Tor relays are run by volunteers in a decentralized way. So all relays are not of the same quality. Some are big and fast, while some others are smaller and slower. As a whole, the network could be faster -it had more capacity. To improve the capacity of the Tor network, you +if it had more capacity. To improve the capacity of the Tor network, you can either run a Tor relay yourself or [help existing relays](https://www.torservers.net/partners.html). diff --git a/wiki/src/doc/anonymous_internet/why_tor_is_slow.pt.po b/wiki/src/doc/anonymous_internet/why_tor_is_slow.pt.po index a1e2141be6a91fcb67a7ce01f39b5f87baf090c4..fe1ec7c209551b074568560846b4f52b350aca0a 100644 --- a/wiki/src/doc/anonymous_internet/why_tor_is_slow.pt.po +++ b/wiki/src/doc/anonymous_internet/why_tor_is_slow.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2013-10-13 11:21+0300\n" +"POT-Creation-Date: 2015-02-21 17:16+0100\n" "PO-Revision-Date: 2014-08-26 15:47-0300\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -21,8 +21,15 @@ msgid "[[!meta title=\"Why is Tor slow?\"]]\n" msgstr "[[!meta title=\"Por que o Tor é lento?\"]]\n" #. type: Plain text -msgid "Users often find that the Tor network is slow. This page describes some reasons that make Tor slow. For further explanations, see [Why Tor is so slow?](https://www.torproject.org/docs/faq.html.en#WhySlow)" -msgstr "Usuários/as frequentemente acham que a rede Tor é lenta. Esta página descreve algumas razões que tornam o Tor lento. Para mais explicações, veja [Por que o Tor é tão lento?](https://www.torproject.org/docs/faq.html.en#WhySlow)" +msgid "" +"Users often find that the Tor network is slow. This page describes some " +"reasons that make Tor slow. For further explanations, see [Why Tor is so " +"slow?](https://www.torproject.org/docs/faq.html.en#WhySlow)" +msgstr "" +"Usuários/as frequentemente acham que a rede Tor é lenta. Esta página " +"descreve algumas razões que tornam o Tor lento. Para mais explicações, veja " +"[Por que o Tor é tão lento?](https://www.torproject.org/docs/faq.html." +"en#WhySlow)" #. type: Title = #, no-wrap @@ -30,12 +37,22 @@ msgid "Tor circuits lengthen the connections\n" msgstr "Os circuitos aumentam as conexões\n" #. type: Plain text -msgid "Tor provides anonymity by building circuits with three relays. So instead of connecting directly to the destination server, a connection is made between each relay of the circuit and this takes more time." -msgstr "O Tor provê anonimato ao construir circuitos com três repetidores. Então, ao invés de conectar diretamente ao servidor de destino, uma conexão é feita entre cada repetidor do circuito e isto leva mais tempo." +msgid "" +"Tor provides anonymity by building circuits with three relays. So instead of " +"connecting directly to the destination server, a connection is made between " +"each relay of the circuit and this takes more time." +msgstr "" +"O Tor provê anonimato ao construir circuitos com três repetidores. Então, ao " +"invés de conectar diretamente ao servidor de destino, uma conexão é feita " +"entre cada repetidor do circuito e isto leva mais tempo." #. type: Plain text -msgid "Furthermore, Tor tries to build circuits with relays in different countries which make connection travel more and appear slower." -msgstr "Além disso, o Tor tenta construir circuitos com repetidores em países diferentes, o que faz com que a conexão viaje mais e pareça mais lenta." +msgid "" +"Furthermore, Tor tries to build circuits with relays in different countries " +"which make connection travel more and appear slower." +msgstr "" +"Além disso, o Tor tenta construir circuitos com repetidores em países " +"diferentes, o que faz com que a conexão viaje mais e pareça mais lenta." #. type: Title = #, no-wrap @@ -43,8 +60,29 @@ msgid "Quality of the relays\n" msgstr "Qualidade dos repetidores\n" #. type: Plain text -msgid "The Tor relays are run by volunteers in a decentralized way. So all relays are not of the same quality. Some are big and fast, while some others are smaller and slower. As a whole, the network could be faster it had more capacity. To improve the capacity of the Tor network, you can either run a Tor relay yourself or [help existing relays](https://www.torservers.net/partners.html)." -msgstr "Os repetidores Tor são mantidos por voluntários/as de forma descentralizada. Então, nem todos os repetidores têm a mesma qualidade. Alguns são grandes e rápidos, enquanto que outros são menores e mais lentos. De uma forma geral, a rede poderia ser mais rápida se tivesse mais capacidade. Para melhorar a capacidade da rede Tor, você pode tanto rodar um repetidor do Tor você mesmo/a quanto [ajudar repetidores existentes](https://www.torservers.net/partners.html)." +#, fuzzy +#| msgid "" +#| "The Tor relays are run by volunteers in a decentralized way. So all " +#| "relays are not of the same quality. Some are big and fast, while some " +#| "others are smaller and slower. As a whole, the network could be faster it " +#| "had more capacity. To improve the capacity of the Tor network, you can " +#| "either run a Tor relay yourself or [help existing relays](https://www." +#| "torservers.net/partners.html)." +msgid "" +"The Tor relays are run by volunteers in a decentralized way. So all relays " +"are not of the same quality. Some are big and fast, while some others are " +"smaller and slower. As a whole, the network could be faster if it had more " +"capacity. To improve the capacity of the Tor network, you can either run a " +"Tor relay yourself or [help existing relays](https://www.torservers.net/" +"partners.html)." +msgstr "" +"Os repetidores Tor são mantidos por voluntários/as de forma descentralizada. " +"Então, nem todos os repetidores têm a mesma qualidade. Alguns são grandes e " +"rápidos, enquanto que outros são menores e mais lentos. De uma forma geral, " +"a rede poderia ser mais rápida se tivesse mais capacidade. Para melhorar a " +"capacidade da rede Tor, você pode tanto rodar um repetidor do Tor você mesmo/" +"a quanto [ajudar repetidores existentes](https://www.torservers.net/partners." +"html)." #. type: Title = #, no-wrap @@ -70,4 +108,3 @@ msgstr "" "pretendido. Algumas pessoas usam [[!wikipedia Peer_to_peer desc=\"programas\n" "de peer-to-peer\"]] através do Tor, o que é ruim para a rede. Se você quer usar\n" "peer-to-peer, é melhor [[usar I2P|doc/anonymous_internet/i2p]] para isso.\n" - diff --git a/wiki/src/doc/encryption_and_privacy.index.de.po b/wiki/src/doc/encryption_and_privacy.index.de.po index 7206e18da747879391ee6b8ecaec969679353508..584bee5496b18106a575c29919bfdae1f84feae0 100644 --- a/wiki/src/doc/encryption_and_privacy.index.de.po +++ b/wiki/src/doc/encryption_and_privacy.index.de.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-12-02 16:30+0100\n" +"POT-Creation-Date: 2015-02-12 01:15+0100\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -45,4 +45,5 @@ msgid "" " - [[!traillink Securely_delete_files_and_clean_diskspace_using_Nautilus_Wipe|encryption_and_privacy/secure_deletion]]\n" " - [[!traillink Manage_passwords_using_<span_class=\"application\">KeePassX</span>|encryption_and_privacy/manage_passwords]]\n" " - [[!traillink Calculating_checksums_using_<span_class=\"application\">GtkHash</span>|encryption_and_privacy/checksums]]\n" +" - [[!traillink Sharing_encrypted_secrets_using_<span_class=\"application\">keyringer</span>|encryption_and_privacy/keyringer]]\n" msgstr "" diff --git a/wiki/src/doc/encryption_and_privacy.index.fr.po b/wiki/src/doc/encryption_and_privacy.index.fr.po index a4a990a31e5162e2f64ef7c88b9b24677d8d96b8..551affd749a9a6db6421c28a0ad7af831a094ac1 100644 --- a/wiki/src/doc/encryption_and_privacy.index.fr.po +++ b/wiki/src/doc/encryption_and_privacy.index.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: SACKAGE VERSION\n" -"POT-Creation-Date: 2014-12-02 16:30+0100\n" +"POT-Creation-Date: 2015-02-12 18:06+0100\n" "PO-Revision-Date: 2013-02-26 14:28-0000\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: SLANGUAGE <LL@li.org>\n" @@ -42,8 +42,10 @@ msgstr "" "encrypted_volumes]]" #. type: Plain text -#, fuzzy, no-wrap +#, no-wrap #| msgid "" +#| " - [[!traillink\n" +#| " Opening_<span_class=\"application\">TrueCrypt</span>_volumes_using_<span_class=\"code\">cryptsetup</span>|encryption_and_privacy/truecrypt]]\n" #| " - [[!traillink Encrypt,_decrypt,_sign,_and_verify_text_using_OpenPGP_and_<span_class=\"application\">Tails_OpenPGP_Applet</span>|encryption_and_privacy/gpgapplet]]\n" #| " - [[!traillink Encrypt_text_with_a_passphrase|encryption_and_privacy/gpgapplet/passphrase_encryption]]\n" #| " - [[!traillink Encrypt_and_sign_text_using_public-key_cryptography|encryption_and_privacy/gpgapplet/public-key_cryptography]]\n" @@ -61,14 +63,18 @@ msgid "" " - [[!traillink Securely_delete_files_and_clean_diskspace_using_Nautilus_Wipe|encryption_and_privacy/secure_deletion]]\n" " - [[!traillink Manage_passwords_using_<span_class=\"application\">KeePassX</span>|encryption_and_privacy/manage_passwords]]\n" " - [[!traillink Calculating_checksums_using_<span_class=\"application\">GtkHash</span>|encryption_and_privacy/checksums]]\n" +" - [[!traillink Sharing_encrypted_secrets_using_<span_class=\"application\">keyringer</span>|encryption_and_privacy/keyringer]]\n" msgstr "" -" - [[!traillink Chiffrer,_déchiffrer,_signer,_et_vérifier_du_texte_avec_OpenPGP_et_l'<span_class=\"application\">applet_OpenPGP_de_Tails</span>|encryption_and_privacy/gpgapplet]]\n" +" - [[!traillink\n" +" Ouvrir_un_volume_<span_class=\"application\">TrueCrypt</span>_avec_<span_class=\"code\">cryptsetup</span>|encryption_and_privacy/truecrypt]]\n" +" - [[!traillink Chiffrer,_déchiffrer,_signer,_et_vérifier_du_texte_avec_OpenPGP_et_l'<span_class=\"application\">applet_OpenPGP</span>|encryption_and_privacy/gpgapplet]]\n" " - [[!traillink Chiffrer_du_texte_avec_une_phrase_de_passe|encryption_and_privacy/gpgapplet/passphrase_encryption]]\n" " - [[!traillink Chiffrer_et_signer_du_texte_avec_une_clé_publique|encryption_and_privacy/gpgapplet/public-key_cryptography]]\n" " - [[!traillink Déchiffrer_et_vérifier_du_texte|encryption_and_privacy/gpgapplet/decrypt_verify]]\n" " - [[!traillink Effacer_des_fichiers_de_façon_sécurisée_et_nettoyer_l'espace_disque_avec_Nautilus_Wipe|encryption_and_privacy/secure_deletion]]\n" " - [[!traillink Gérer_ses_mots_de_passe_avec_<span_class=\"application\">KeePassX</span>|encryption_and_privacy/manage_passwords]]\n" " - [[!traillink Calculer_des_sommes_de_contrôle_avec_<span_class=\"application\">GtkHash</span>|encryption_and_privacy/checksums]]\n" +" - [[!traillink Partager_des_secrets_de_manière_chiffrée_avec_<span_class=\"application\">keyringer</span>|encryption_and_privacy/keyringer]]\n" #~ msgid "[[!traillink TrueCrypt|encryption_and_privacy/truecrypt]]" #~ msgstr "[[!traillink TrueCrypt|encryption_and_privacy/truecrypt]]" diff --git a/wiki/src/doc/encryption_and_privacy.index.mdwn b/wiki/src/doc/encryption_and_privacy.index.mdwn index 6efd72d62e58ef9282ca845a29d4127e0478e722..c29ef58b39b93800f38d1c415dc7931fb1fc2e03 100644 --- a/wiki/src/doc/encryption_and_privacy.index.mdwn +++ b/wiki/src/doc/encryption_and_privacy.index.mdwn @@ -10,3 +10,4 @@ - [[!traillink Securely_delete_files_and_clean_diskspace_using_Nautilus_Wipe|encryption_and_privacy/secure_deletion]] - [[!traillink Manage_passwords_using_<span_class="application">KeePassX</span>|encryption_and_privacy/manage_passwords]] - [[!traillink Calculating_checksums_using_<span_class="application">GtkHash</span>|encryption_and_privacy/checksums]] + - [[!traillink Sharing_encrypted_secrets_using_<span_class="application">keyringer</span>|encryption_and_privacy/keyringer]] diff --git a/wiki/src/doc/encryption_and_privacy.index.pt.po b/wiki/src/doc/encryption_and_privacy.index.pt.po index 7a20fa5b79fac3a9b316e2425c87bd19e111a581..2c615fd27e0f5cd4df7cb1d017d13b0e2d3dd03e 100644 --- a/wiki/src/doc/encryption_and_privacy.index.pt.po +++ b/wiki/src/doc/encryption_and_privacy.index.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-12-02 16:30+0100\n" +"POT-Creation-Date: 2015-02-12 01:15+0100\n" "PO-Revision-Date: 2014-05-23 14:22-0300\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -60,6 +60,7 @@ msgid "" " - [[!traillink Securely_delete_files_and_clean_diskspace_using_Nautilus_Wipe|encryption_and_privacy/secure_deletion]]\n" " - [[!traillink Manage_passwords_using_<span_class=\"application\">KeePassX</span>|encryption_and_privacy/manage_passwords]]\n" " - [[!traillink Calculating_checksums_using_<span_class=\"application\">GtkHash</span>|encryption_and_privacy/checksums]]\n" +" - [[!traillink Sharing_encrypted_secrets_using_<span_class=\"application\">keyringer</span>|encryption_and_privacy/keyringer]]\n" msgstr "" " - [[!traillink Criptografe,_descriptografe,_assine,_e_verifique_textos_usando_OpenPGP_e_o_<span_class=\"application\">Tails_OpenPGP_Applet</span>|encryption_and_privacy/gpgapplet]]\n" " - [[!traillink Criptografe_textos_com_uma_senha|encryption_and_privacy/gpgapplet/passphrase_encryption]]\n" diff --git a/wiki/src/doc/encryption_and_privacy/encrypted_volumes.de.po b/wiki/src/doc/encryption_and_privacy/encrypted_volumes.de.po index 51c5bbde63dc93967eb889f8e0e66076b16a42d7..edb3609eebe1e05e68ee657e04b24a7e40492385 100644 --- a/wiki/src/doc/encryption_and_privacy/encrypted_volumes.de.po +++ b/wiki/src/doc/encryption_and_privacy/encrypted_volumes.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-12-04 17:21+0100\n" +"POT-Creation-Date: 2015-04-24 23:21+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -62,20 +62,6 @@ msgstr "" msgid "</div>\n" msgstr "" -#. type: Plain text -#, no-wrap -msgid "<div class=\"note\">\n" -msgstr "" - -#. type: Plain text -#, no-wrap -msgid "" -"<p>[[Administration\n" -"privileges|first_steps/startup_options/administration_password]] are required to\n" -"modify the list of partitions on the USB stick or SD card from which Tails is\n" -"running.</p>\n" -msgstr "" - #. type: Plain text #, no-wrap msgid "[[!toc levels=1]]\n" @@ -283,3 +269,27 @@ msgid "" "right-click on the device, and select <span class=\"guilabel\">Safely\n" "Remove Drive</span>.\n" msgstr "" + +#. type: Title = +#, no-wrap +msgid "Storing sensitive documents\n" +msgstr "" + +#. type: Plain text +msgid "" +"Such encrypted volumes are not hidden. An attacker in possession of the " +"device can know that there is an encrypted volume on it. Take into " +"consideration that you can be forced or tricked to give out its passphrase." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Opening encrypted volumes from other operating systems\n" +msgstr "" + +#. type: Plain text +msgid "" +"It is possible to open such encrypted volumes from other operating systems, " +"but it might break your security. Other operating systems should probably " +"not be trusted to handle sensitive information or leave no trace." +msgstr "" diff --git a/wiki/src/doc/encryption_and_privacy/encrypted_volumes.fr.po b/wiki/src/doc/encryption_and_privacy/encrypted_volumes.fr.po index 95c6e01ceca67f0d5a0e99c1dfbce24f7c772960..afab9e95b6ee3ffb040ba8d3d4143ed4b7d2dbd6 100644 --- a/wiki/src/doc/encryption_and_privacy/encrypted_volumes.fr.po +++ b/wiki/src/doc/encryption_and_privacy/encrypted_volumes.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSIONx\n" -"POT-Creation-Date: 2014-12-04 17:21+0100\n" +"POT-Creation-Date: 2015-04-24 23:21+0300\n" "PO-Revision-Date: 2014-03-11 17:31-0000\n" "Last-Translator: \n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -72,24 +72,6 @@ msgstr "" msgid "</div>\n" msgstr "" -#. type: Plain text -#, no-wrap -msgid "<div class=\"note\">\n" -msgstr "" - -#. type: Plain text -#, no-wrap -msgid "" -"<p>[[Administration\n" -"privileges|first_steps/startup_options/administration_password]] are required to\n" -"modify the list of partitions on the USB stick or SD card from which Tails is\n" -"running.</p>\n" -msgstr "" -"<p>Les [[droits\n" -"d'administration|first_steps/startup_options/administration_password]] sont nécessaires\n" -"pour modifier la liste des partitions sur la clé USB ou la carte SD depuis laquelle Tails est\n" -"utilisé.</p>\n" - #. type: Plain text #, no-wrap msgid "[[!toc levels=1]]\n" @@ -350,3 +332,38 @@ msgstr "" " <span class=\"guisubmenu\">Poste de travail</span></span>,\n" "effectuez un clic-droit sur votre périphérique, puis choisissez\n" "<span class=\"guilabel\">Retirer le volume sans risque</span>.\n" + +#. type: Title = +#, no-wrap +msgid "Storing sensitive documents\n" +msgstr "" + +#. type: Plain text +msgid "" +"Such encrypted volumes are not hidden. An attacker in possession of the " +"device can know that there is an encrypted volume on it. Take into " +"consideration that you can be forced or tricked to give out its passphrase." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Opening encrypted volumes from other operating systems\n" +msgstr "" + +#. type: Plain text +msgid "" +"It is possible to open such encrypted volumes from other operating systems, " +"but it might break your security. Other operating systems should probably " +"not be trusted to handle sensitive information or leave no trace." +msgstr "" + +#~ msgid "" +#~ "<p>[[Administration\n" +#~ "privileges|first_steps/startup_options/administration_password]] are required to\n" +#~ "modify the list of partitions on the USB stick or SD card from which Tails is\n" +#~ "running.</p>\n" +#~ msgstr "" +#~ "<p>Les [[droits\n" +#~ "d'administration|first_steps/startup_options/administration_password]] sont nécessaires\n" +#~ "pour modifier la liste des partitions sur la clé USB ou la carte SD depuis laquelle Tails est\n" +#~ "utilisé.</p>\n" diff --git a/wiki/src/doc/encryption_and_privacy/encrypted_volumes.mdwn b/wiki/src/doc/encryption_and_privacy/encrypted_volumes.mdwn index 9602169abd2d0210bd46c709306bd2135c7d103d..f21223c0c20097d7e39e7a56660d2cae54ec5ccf 100644 --- a/wiki/src/doc/encryption_and_privacy/encrypted_volumes.mdwn +++ b/wiki/src/doc/encryption_and_privacy/encrypted_volumes.mdwn @@ -17,15 +17,6 @@ Tails comes with utilities for LUKS, a standard for disk-encryption under Linux. </div> -<div class="note"> - -<p>[[Administration -privileges|first_steps/startup_options/administration_password]] are required to -modify the list of partitions on the USB stick or SD card from which Tails is -running.</p> - -</div> - [[!toc levels=1]] Create an encrypted partition @@ -125,3 +116,19 @@ Once you are done using the device, to close the encrypted partition choose <span class="guisubmenu">Computer</span></span>, right-click on the device, and select <span class="guilabel">Safely Remove Drive</span>. + +Storing sensitive documents +=========================== + +Such encrypted volumes are not hidden. An attacker in possession of +the device can know that there is an encrypted volume on it. Take into consideration +that you can be forced or tricked to give out its passphrase. + +Opening encrypted volumes from other operating systems +====================================================== + +It is possible to +open such encrypted volumes from other operating systems, but it might break +your security. +Other operating systems should probably not be trusted to handle +sensitive information or leave no trace. diff --git a/wiki/src/doc/encryption_and_privacy/encrypted_volumes.pt.po b/wiki/src/doc/encryption_and_privacy/encrypted_volumes.pt.po index 51c5bbde63dc93967eb889f8e0e66076b16a42d7..edb3609eebe1e05e68ee657e04b24a7e40492385 100644 --- a/wiki/src/doc/encryption_and_privacy/encrypted_volumes.pt.po +++ b/wiki/src/doc/encryption_and_privacy/encrypted_volumes.pt.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-12-04 17:21+0100\n" +"POT-Creation-Date: 2015-04-24 23:21+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -62,20 +62,6 @@ msgstr "" msgid "</div>\n" msgstr "" -#. type: Plain text -#, no-wrap -msgid "<div class=\"note\">\n" -msgstr "" - -#. type: Plain text -#, no-wrap -msgid "" -"<p>[[Administration\n" -"privileges|first_steps/startup_options/administration_password]] are required to\n" -"modify the list of partitions on the USB stick or SD card from which Tails is\n" -"running.</p>\n" -msgstr "" - #. type: Plain text #, no-wrap msgid "[[!toc levels=1]]\n" @@ -283,3 +269,27 @@ msgid "" "right-click on the device, and select <span class=\"guilabel\">Safely\n" "Remove Drive</span>.\n" msgstr "" + +#. type: Title = +#, no-wrap +msgid "Storing sensitive documents\n" +msgstr "" + +#. type: Plain text +msgid "" +"Such encrypted volumes are not hidden. An attacker in possession of the " +"device can know that there is an encrypted volume on it. Take into " +"consideration that you can be forced or tricked to give out its passphrase." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Opening encrypted volumes from other operating systems\n" +msgstr "" + +#. type: Plain text +msgid "" +"It is possible to open such encrypted volumes from other operating systems, " +"but it might break your security. Other operating systems should probably " +"not be trusted to handle sensitive information or leave no trace." +msgstr "" diff --git a/wiki/src/doc/encryption_and_privacy/encrypted_volumes/places_encrypted.png b/wiki/src/doc/encryption_and_privacy/encrypted_volumes/places_encrypted.png index 7571e316ce6fc2466beebedcacb06e70703001b9..3118e4be16003e133a1cd4e209cb6eae34b4f7f0 100644 Binary files a/wiki/src/doc/encryption_and_privacy/encrypted_volumes/places_encrypted.png and b/wiki/src/doc/encryption_and_privacy/encrypted_volumes/places_encrypted.png differ diff --git a/wiki/src/doc/encryption_and_privacy/encrypted_volumes/places_secret.png b/wiki/src/doc/encryption_and_privacy/encrypted_volumes/places_secret.png index 3f979ea6732c3d7fef85e300a1f4d686aa9a3bee..0fc38ed3e2d13a601117a2e27cf3c9d713e6f5b5 100644 Binary files a/wiki/src/doc/encryption_and_privacy/encrypted_volumes/places_secret.png and b/wiki/src/doc/encryption_and_privacy/encrypted_volumes/places_secret.png differ diff --git a/wiki/src/doc/encryption_and_privacy/gpgapplet.fr.po b/wiki/src/doc/encryption_and_privacy/gpgapplet.fr.po index 2484430f4e21c762a75fd3066eafc0dc8a04823d..6fcf3e5eec33467f472d3a1f2c7e8ace40bd9a5f 100644 --- a/wiki/src/doc/encryption_and_privacy/gpgapplet.fr.po +++ b/wiki/src/doc/encryption_and_privacy/gpgapplet.fr.po @@ -19,7 +19,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "[[!meta title=\"Tails OpenPGP Applet\"]]\n" -msgstr "[[!meta title=\"Applet GnuPG de Tails\"]]\n" +msgstr "[[!meta title=\"Applet OpenPGP de Tails\"]]\n" #. type: Plain text #, no-wrap @@ -39,7 +39,7 @@ msgstr "[[!inline pages=\"doc/encryption_and_privacy/gpgapplet.warning.fr\" raw= #. type: Plain text #, no-wrap msgid "<span class=\"application\">Tails OpenPGP Applet</span> is located in the notification area.\n" -msgstr "<span class=\"application\">L'applet GnuPG de Tails</span> est situé dans la barre de notification.\n" +msgstr "<span class=\"application\">L'applet OpenPGP de Tails</span> est situé dans la barre de notification.\n" #. type: Plain text #, no-wrap @@ -53,7 +53,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "With <span class=\"application\">Tails OpenPGP Applet</span> you can:\n" -msgstr "Avec <span class=\"application\">l'applet GnuPG de Tails</span> vous pouvez:\n" +msgstr "Avec <span class=\"application\">l'applet OpenPGP de Tails</span> vous pouvez:\n" #. type: Bullet: ' - ' msgid "" diff --git a/wiki/src/doc/encryption_and_privacy/gpgapplet/gpgapplet_with_padlock.png b/wiki/src/doc/encryption_and_privacy/gpgapplet/gpgapplet_with_padlock.png index 35bb643561cce3b0b2a2c2dd44e4325c7a7f19b1..f67f5b46de672aecbebfe0aa5e1dd8da4ddaa562 100644 Binary files a/wiki/src/doc/encryption_and_privacy/gpgapplet/gpgapplet_with_padlock.png and b/wiki/src/doc/encryption_and_privacy/gpgapplet/gpgapplet_with_padlock.png differ diff --git a/wiki/src/doc/encryption_and_privacy/gpgapplet/gpgapplet_with_seal.png b/wiki/src/doc/encryption_and_privacy/gpgapplet/gpgapplet_with_seal.png index da466ac42034281dc2c2f11f091367cd0adb852c..a5b8b3d2b2387fbfaa369eff240d5bc0b8bcb99a 100644 Binary files a/wiki/src/doc/encryption_and_privacy/gpgapplet/gpgapplet_with_seal.png and b/wiki/src/doc/encryption_and_privacy/gpgapplet/gpgapplet_with_seal.png differ diff --git a/wiki/src/doc/encryption_and_privacy/gpgapplet/gpgapplet_with_text.png b/wiki/src/doc/encryption_and_privacy/gpgapplet/gpgapplet_with_text.png index 1a2cb7e41166d5c52e7f6e14ca47cfe0017cbe18..7f7e4f7283b160123e821a83facae588c38f5b0e 100644 Binary files a/wiki/src/doc/encryption_and_privacy/gpgapplet/gpgapplet_with_text.png and b/wiki/src/doc/encryption_and_privacy/gpgapplet/gpgapplet_with_text.png differ diff --git a/wiki/src/doc/encryption_and_privacy/gpgapplet/passphrase_encryption.de.po b/wiki/src/doc/encryption_and_privacy/gpgapplet/passphrase_encryption.de.po index 62aabcb5fd3ee81ef7b7e7e972c05fb8649c2db5..d1849b457416317cb4598738d38982dd148fe3c8 100644 --- a/wiki/src/doc/encryption_and_privacy/gpgapplet/passphrase_encryption.de.po +++ b/wiki/src/doc/encryption_and_privacy/gpgapplet/passphrase_encryption.de.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-04-22 14:34+0300\n" +"POT-Creation-Date: 2015-05-12 14:20+0200\n" "PO-Revision-Date: 2014-04-04 11:47+0100\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -66,19 +66,17 @@ msgstr "" "den Webbrowser!**" #. type: Plain text -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| "3. Click on <span class=\"application\">Tails OpenPGP Applet</span> and select <span\n" +#| "class=\"guimenuitem\">Encrypt Clipboard with Passphrase</span> from the menu.\n" msgid "" -" For example, open <span class=\"application\">gedit</span> from the menu\n" -" <span class=\"menuchoice\">\n" -" <span class=\"guimenu\">Applications</span> ▸\n" -" <span class=\"guisubmenu\">Accessories</span> ▸\n" -" <span class=\"guimenuitem\">gedit Text Editor</span></span>.\n" +" Click on <span class=\"application\">Tails OpenPGP Applet</span> and\n" +" choose <span class=\"guimenuitem\">Open Text Editor</span> to open\n" +" <span class=\"application\">gedit</span>.\n" msgstr "" -" Zum Beispiel können Sie <span class=\"application\">gedit</span> via\n" -" <span class=\"menuchoice\">\n" -" <span class=\"guimenu\">Anwendungen</span> ▸\n" -" <span class=\"guisubmenu\">Zubehör</span> ▸\n" -" <span class=\"guimenuitem\">gedit Text Editor</span></span> öffnen.\n" +"3. Klicken Sie auf das <span class=\"application\">Tails OpenPGP Applet</span> und wählen\n" +"die Option <span class=\"guimenuitem\">Zwischenablage mit Passwort verschlüsseln</span> aus.\n" #. type: Plain text #, no-wrap @@ -194,3 +192,16 @@ msgid "" msgstr "" "Ebenso können Sie mit dem <span class=\"application\">Tails OpenPGP Applet</span>\n" "einen [[mit einer Passphrase verschlüsselten Text entschlüsseln|decrypt_verify]].\n" + +#~ msgid "" +#~ " For example, open <span class=\"application\">gedit</span> from the menu\n" +#~ " <span class=\"menuchoice\">\n" +#~ " <span class=\"guimenu\">Applications</span> ▸\n" +#~ " <span class=\"guisubmenu\">Accessories</span> ▸\n" +#~ " <span class=\"guimenuitem\">gedit Text Editor</span></span>.\n" +#~ msgstr "" +#~ " Zum Beispiel können Sie <span class=\"application\">gedit</span> via\n" +#~ " <span class=\"menuchoice\">\n" +#~ " <span class=\"guimenu\">Anwendungen</span> ▸\n" +#~ " <span class=\"guisubmenu\">Zubehör</span> ▸\n" +#~ " <span class=\"guimenuitem\">gedit Text Editor</span></span> öffnen.\n" diff --git a/wiki/src/doc/encryption_and_privacy/gpgapplet/passphrase_encryption.fr.po b/wiki/src/doc/encryption_and_privacy/gpgapplet/passphrase_encryption.fr.po index 537d599e4e0d7caa25d6848a1d5f2920ff78871f..8315ee954dbbc229969cddffd8f641bbe5c55b70 100644 --- a/wiki/src/doc/encryption_and_privacy/gpgapplet/passphrase_encryption.fr.po +++ b/wiki/src/doc/encryption_and_privacy/gpgapplet/passphrase_encryption.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: sPACKAGE VERSION\n" -"POT-Creation-Date: 2014-03-06 23:43+0100\n" +"POT-Creation-Date: 2015-05-12 14:20+0200\n" "PO-Revision-Date: 2012-10-24 20:13+0200\n" "Last-Translator: \n" "Language-Team: \n" @@ -65,19 +65,17 @@ msgstr "" "navigateur web !**" #. type: Plain text -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| "3. Click on <span class=\"application\">Tails OpenPGP Applet</span> and select <span\n" +#| "class=\"guimenuitem\">Encrypt Clipboard with Passphrase</span> from the menu.\n" msgid "" -" For example, open <span class=\"application\">gedit</span> from the menu\n" -" <span class=\"menuchoice\">\n" -" <span class=\"guimenu\">Applications</span> ▸\n" -" <span class=\"guisubmenu\">Accessories</span> ▸\n" -" <span class=\"guimenuitem\">gedit Text Editor</span></span>.\n" +" Click on <span class=\"application\">Tails OpenPGP Applet</span> and\n" +" choose <span class=\"guimenuitem\">Open Text Editor</span> to open\n" +" <span class=\"application\">gedit</span>.\n" msgstr "" -" Par exemple, ouvrez <span class=\"application\">gedit</span> depuis\n" -" <span class=\"menuchoice\">\n" -" <span class=\"guimenu\">Applications</span> ▸\n" -" <span class=\"guisubmenu\">Accessoires</span> ▸\n" -" <span class=\"guimenuitem\">Éditeur de texte gedit</span></span>.\n" +"3. Cliquez sur <span class=\"application\">l'applet GnuPG de Tails</span> et choisir <span\n" +"class=\"guimenuitem\">Chiffrer le presse-papier</span> dans le menu.\n" #. type: Plain text #, no-wrap @@ -195,3 +193,16 @@ msgstr "" "Vous pouvez également [[déchiffrer un texte chiffré avec une\n" "phrase de passe|decrypt_verify]] en utilisant <span class=\"application\">l'applet\n" "GnuPG de Tails</span>.\n" + +#~ msgid "" +#~ " For example, open <span class=\"application\">gedit</span> from the menu\n" +#~ " <span class=\"menuchoice\">\n" +#~ " <span class=\"guimenu\">Applications</span> ▸\n" +#~ " <span class=\"guisubmenu\">Accessories</span> ▸\n" +#~ " <span class=\"guimenuitem\">gedit Text Editor</span></span>.\n" +#~ msgstr "" +#~ " Par exemple, ouvrez <span class=\"application\">gedit</span> depuis\n" +#~ " <span class=\"menuchoice\">\n" +#~ " <span class=\"guimenu\">Applications</span> ▸\n" +#~ " <span class=\"guisubmenu\">Accessoires</span> ▸\n" +#~ " <span class=\"guimenuitem\">Éditeur de texte gedit</span></span>.\n" diff --git a/wiki/src/doc/encryption_and_privacy/gpgapplet/passphrase_encryption.mdwn b/wiki/src/doc/encryption_and_privacy/gpgapplet/passphrase_encryption.mdwn index 23b028c116e10dfa6f1d9951f49af470399c52a4..f266c26d6e6ed40aaba6df772654b69aa0091714 100644 --- a/wiki/src/doc/encryption_and_privacy/gpgapplet/passphrase_encryption.mdwn +++ b/wiki/src/doc/encryption_and_privacy/gpgapplet/passphrase_encryption.mdwn @@ -16,11 +16,9 @@ cryptography to send confidential messages without having a shared passphrase. 1. Write your text in a text editor. **Do not write it in the web browser!** - For example, open <span class="application">gedit</span> from the menu - <span class="menuchoice"> - <span class="guimenu">Applications</span> ▸ - <span class="guisubmenu">Accessories</span> ▸ - <span class="guimenuitem">gedit Text Editor</span></span>. + Click on <span class="application">Tails OpenPGP Applet</span> and + choose <span class="guimenuitem">Open Text Editor</span> to open + <span class="application">gedit</span>. 2. Select with the mouse the text that you want to encrypt. To copy it into the [[!wikipedia Clipboard_(computing) desc="clipboard"]], diff --git a/wiki/src/doc/encryption_and_privacy/gpgapplet/passphrase_encryption.pt.po b/wiki/src/doc/encryption_and_privacy/gpgapplet/passphrase_encryption.pt.po index d5fb422c80cd03891cea6836d2dc137bb72c0fad..dad9f43c2531340b3163cf2d52fcfc91524a2ff1 100644 --- a/wiki/src/doc/encryption_and_privacy/gpgapplet/passphrase_encryption.pt.po +++ b/wiki/src/doc/encryption_and_privacy/gpgapplet/passphrase_encryption.pt.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-03-06 23:43+0100\n" +"POT-Creation-Date: 2015-05-12 14:20+0200\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -60,11 +60,9 @@ msgstr "" #. type: Plain text #, no-wrap msgid "" -" For example, open <span class=\"application\">gedit</span> from the menu\n" -" <span class=\"menuchoice\">\n" -" <span class=\"guimenu\">Applications</span> ▸\n" -" <span class=\"guisubmenu\">Accessories</span> ▸\n" -" <span class=\"guimenuitem\">gedit Text Editor</span></span>.\n" +" Click on <span class=\"application\">Tails OpenPGP Applet</span> and\n" +" choose <span class=\"guimenuitem\">Open Text Editor</span> to open\n" +" <span class=\"application\">gedit</span>.\n" msgstr "" #. type: Plain text diff --git a/wiki/src/doc/encryption_and_privacy/gpgapplet/public-key_cryptography.de.po b/wiki/src/doc/encryption_and_privacy/gpgapplet/public-key_cryptography.de.po index c6d0bb43de3f11c1a5e98965ee48b087ea5a71f2..bfd9b102b7f70ab9684b36aec5cb78ffa3c60a35 100644 --- a/wiki/src/doc/encryption_and_privacy/gpgapplet/public-key_cryptography.de.po +++ b/wiki/src/doc/encryption_and_privacy/gpgapplet/public-key_cryptography.de.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-04-22 14:34+0300\n" +"POT-Creation-Date: 2015-05-12 14:20+0200\n" "PO-Revision-Date: 2014-04-04 12:58+0100\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -17,8 +17,9 @@ msgstr "" "X-Generator: Poedit 1.5.4\n" #. type: Plain text -#, no-wrap -msgid "[[!meta title=\"Tails OpenPGP public-key cryptography\"]]\n" +#, fuzzy, no-wrap +#| msgid "[[!meta title=\"Tails OpenPGP public-key cryptography\"]]\n" +msgid "[[!meta title=\"OpenPGP public-key cryptography\"]]\n" msgstr "[[!meta title=\"Tails OpenPGP Public-Key Verschlüsselung\"]]\n" #. type: Plain text @@ -67,19 +68,13 @@ msgstr "" "den Webbrowser!**" #. type: Plain text -#, no-wrap +#, fuzzy, no-wrap +#| msgid "Click on <span class=\"application\">Tails OpenPGP Applet</span> and select <span class=\"guimenuitem\">Sign/Encrypt Clipboard with Public Keys</span> from the menu." msgid "" -" For example, open <span class=\"application\">gedit</span> from the menu\n" -" <span class=\"menuchoice\">\n" -" <span class=\"guimenu\">Applications</span> ▸\n" -" <span class=\"guisubmenu\">Accessories</span> ▸\n" -" <span class=\"guimenuitem\">gedit Text Editor</span></span>.\n" -msgstr "" -" Zum Beispiel können Sie <span class=\"application\">gedit</span> via\n" -" <span class=\"menuchoice\">\n" -" <span class=\"guimenu\">Anwendungen</span> ▸\n" -" <span class=\"guisubmenu\">Zubehör</span> ▸\n" -" <span class=\"guimenuitem\">gedit Text Editor</span></span> öffnen.\n" +" Click on <span class=\"application\">Tails OpenPGP Applet</span> and\n" +" choose <span class=\"guimenuitem\">Open Text Editor</span> to open\n" +" <span class=\"application\">gedit</span>.\n" +msgstr "Klicken Sie auf das <span class=\"application\">Tails OpenPGP Applet</span> und wählen die Option <span class=\"guimenuitem\">Zwischenablage mit Öffentlichen Schlüssel signieren/verschlüsseln</span> aus." #. type: Plain text #, no-wrap @@ -270,3 +265,16 @@ msgstr "" "Ebenso können Sie mit dem <span class=\"application\">Tails OpenPGP Applet</span>\n" "einen [[mit Public-Key Verschlüsselung verschlüsselten oder signierten Text entschlüsseln\n" "bzw. die Signatur überprüfen|decrypt_verify]].\n" + +#~ msgid "" +#~ " For example, open <span class=\"application\">gedit</span> from the menu\n" +#~ " <span class=\"menuchoice\">\n" +#~ " <span class=\"guimenu\">Applications</span> ▸\n" +#~ " <span class=\"guisubmenu\">Accessories</span> ▸\n" +#~ " <span class=\"guimenuitem\">gedit Text Editor</span></span>.\n" +#~ msgstr "" +#~ " Zum Beispiel können Sie <span class=\"application\">gedit</span> via\n" +#~ " <span class=\"menuchoice\">\n" +#~ " <span class=\"guimenu\">Anwendungen</span> ▸\n" +#~ " <span class=\"guisubmenu\">Zubehör</span> ▸\n" +#~ " <span class=\"guimenuitem\">gedit Text Editor</span></span> öffnen.\n" diff --git a/wiki/src/doc/encryption_and_privacy/gpgapplet/public-key_cryptography.fr.po b/wiki/src/doc/encryption_and_privacy/gpgapplet/public-key_cryptography.fr.po index b7bde3c38d36b71b1eeb04544e48a36a14fce780..4529ea51d19f42c83e6b0a31d456209fd3602161 100644 --- a/wiki/src/doc/encryption_and_privacy/gpgapplet/public-key_cryptography.fr.po +++ b/wiki/src/doc/encryption_and_privacy/gpgapplet/public-key_cryptography.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: sACKAGE VERSION\n" -"POT-Creation-Date: 2014-06-08 19:38+0300\n" +"POT-Creation-Date: 2015-05-12 14:20+0200\n" "PO-Revision-Date: 2014-05-10 20:32-0000\n" "Last-Translator: \n" "Language-Team: sLANGUAGE <LL@li.org>\n" @@ -17,8 +17,9 @@ msgstr "" "X-Generator: Poedit 1.5.4\n" #. type: Plain text -#, no-wrap -msgid "[[!meta title=\"Tails OpenPGP public-key cryptography\"]]\n" +#, fuzzy, no-wrap +#| msgid "[[!meta title=\"Tails OpenPGP public-key cryptography\"]]\n" +msgid "[[!meta title=\"OpenPGP public-key cryptography\"]]\n" msgstr "[[!meta title=\"La cryptographie à clé publique OpenPGP de Tails\"]]\n" #. type: Plain text @@ -68,19 +69,13 @@ msgstr "" "navigateur web !**" #. type: Plain text -#, no-wrap +#, fuzzy, no-wrap +#| msgid "Click on <span class=\"application\">Tails OpenPGP Applet</span> and select <span class=\"guimenuitem\">Sign/Encrypt Clipboard with Public Keys</span> from the menu." msgid "" -" For example, open <span class=\"application\">gedit</span> from the menu\n" -" <span class=\"menuchoice\">\n" -" <span class=\"guimenu\">Applications</span> ▸\n" -" <span class=\"guisubmenu\">Accessories</span> ▸\n" -" <span class=\"guimenuitem\">gedit Text Editor</span></span>.\n" -msgstr "" -" Par exemple, ouvrez <span class=\"application\">gedit</span> depuis\n" -" <span class=\"menuchoice\">\n" -" <span class=\"guimenu\">Applications</span> ▸\n" -" <span class=\"guisubmenu\">Accessoires</span> ▸\n" -" <span class=\"guimenuitem\">Éditeur de texte gedit</span></span>.\n" +" Click on <span class=\"application\">Tails OpenPGP Applet</span> and\n" +" choose <span class=\"guimenuitem\">Open Text Editor</span> to open\n" +" <span class=\"application\">gedit</span>.\n" +msgstr "Cliquez sur <span class=\"application\">l'applet OpenPGP de Tails</span> et choisir <span class=\"guimenuitem\">Signer/Chiffrer le presse-papier avec une clé publique</span> dans le menu." #. type: Plain text #, no-wrap @@ -269,3 +264,16 @@ msgstr "" "Vous pouvez également [[déchiffrer ou vérifier un texte chiffré ou signé grâce\n" "à la crytographie à clé publique|decrypt_verify]] en utilisant <span class=\"application\">\n" "l'applet GnuPG de Tails</span>.\n" + +#~ msgid "" +#~ " For example, open <span class=\"application\">gedit</span> from the menu\n" +#~ " <span class=\"menuchoice\">\n" +#~ " <span class=\"guimenu\">Applications</span> ▸\n" +#~ " <span class=\"guisubmenu\">Accessories</span> ▸\n" +#~ " <span class=\"guimenuitem\">gedit Text Editor</span></span>.\n" +#~ msgstr "" +#~ " Par exemple, ouvrez <span class=\"application\">gedit</span> depuis\n" +#~ " <span class=\"menuchoice\">\n" +#~ " <span class=\"guimenu\">Applications</span> ▸\n" +#~ " <span class=\"guisubmenu\">Accessoires</span> ▸\n" +#~ " <span class=\"guimenuitem\">Éditeur de texte gedit</span></span>.\n" diff --git a/wiki/src/doc/encryption_and_privacy/gpgapplet/public-key_cryptography.mdwn b/wiki/src/doc/encryption_and_privacy/gpgapplet/public-key_cryptography.mdwn index 4f1ee2f912b0739aea76c0122172a664c0d8c71f..88fec19bb8b00940f5471230c700b1d4d8d25234 100644 --- a/wiki/src/doc/encryption_and_privacy/gpgapplet/public-key_cryptography.mdwn +++ b/wiki/src/doc/encryption_and_privacy/gpgapplet/public-key_cryptography.mdwn @@ -1,4 +1,4 @@ -[[!meta title="Tails OpenPGP public-key cryptography"]] +[[!meta title="OpenPGP public-key cryptography"]] With <span class="application">Tails OpenPGP Applet</span> you can **encrypt or sign text using the public key encryption of OpenPGP**. @@ -17,11 +17,9 @@ documentation.|gpgapplet/passphrase_encryption]] 1. Write your text in a text editor. **Do not write it in the web browser!** - For example, open <span class="application">gedit</span> from the menu - <span class="menuchoice"> - <span class="guimenu">Applications</span> ▸ - <span class="guisubmenu">Accessories</span> ▸ - <span class="guimenuitem">gedit Text Editor</span></span>. + Click on <span class="application">Tails OpenPGP Applet</span> and + choose <span class="guimenuitem">Open Text Editor</span> to open + <span class="application">gedit</span>. 2. Select with the mouse the text that you want to encrypt or sign. To copy it into the [[!wikipedia Clipboard_(computing) desc="clipboard"]], diff --git a/wiki/src/doc/encryption_and_privacy/gpgapplet/public-key_cryptography.pt.po b/wiki/src/doc/encryption_and_privacy/gpgapplet/public-key_cryptography.pt.po index c09c71fab441076b2f7fc3f18cc20844e07fc76c..165e4beca8771b2eb16ffbdc55b035dc65a21098 100644 --- a/wiki/src/doc/encryption_and_privacy/gpgapplet/public-key_cryptography.pt.po +++ b/wiki/src/doc/encryption_and_privacy/gpgapplet/public-key_cryptography.pt.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-04-25 11:00+0200\n" +"POT-Creation-Date: 2015-05-12 14:20+0200\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -18,7 +18,7 @@ msgstr "" #. type: Plain text #, no-wrap -msgid "[[!meta title=\"Tails OpenPGP public-key cryptography\"]]\n" +msgid "[[!meta title=\"OpenPGP public-key cryptography\"]]\n" msgstr "" #. type: Plain text @@ -61,11 +61,9 @@ msgstr "" #. type: Plain text #, no-wrap msgid "" -" For example, open <span class=\"application\">gedit</span> from the menu\n" -" <span class=\"menuchoice\">\n" -" <span class=\"guimenu\">Applications</span> ▸\n" -" <span class=\"guisubmenu\">Accessories</span> ▸\n" -" <span class=\"guimenuitem\">gedit Text Editor</span></span>.\n" +" Click on <span class=\"application\">Tails OpenPGP Applet</span> and\n" +" choose <span class=\"guimenuitem\">Open Text Editor</span> to open\n" +" <span class=\"application\">gedit</span>.\n" msgstr "" #. type: Plain text diff --git a/wiki/src/doc/encryption_and_privacy/keyringer.de.po b/wiki/src/doc/encryption_and_privacy/keyringer.de.po new file mode 100644 index 0000000000000000000000000000000000000000..2b043f2cba3ebd3bce2e737071dfad3fea3b0df3 --- /dev/null +++ b/wiki/src/doc/encryption_and_privacy/keyringer.de.po @@ -0,0 +1,116 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-04-19 18:45+0300\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Sharing encrypted secrets using keyringer\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<span class=\"application\">[Keyringer](https://keyringer.pw/)</span> is\n" +"an encrypted and distributed secret sharing software running from the\n" +"command line.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<span class=\"application\">Keyringer</span> lets you manage and share\n" +"secrets using OpenPGP and [Git](http://git-scm.com/) with custom\n" +"commands to encrypt, decrypt, and edit text files and other kind of\n" +"documents. By storing those secrets in Git, you can share them with\n" +"other people in a distributed manner.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"note\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>Using <span class=\"application\">keyringer</span> requires previous\n" +"knowledge of Git and the command line.</span>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +msgid "" +"To learn how to use *keyringer*, read the [documentation on the *keyringer* " +"website](https://keyringer.pw/)." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"tip\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>You can use the <span class=\"guilabel\">open</span> command of\n" +"<span class=\"application\">keyringer</span> to edit, encrypt, and\n" +"share <span class=\"application\">LibreOffice</span> documents,\n" +"images, etc.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"To store your *keyringer* configuration across separate working\n" +"sessions, you can enable the [[<span class=\"guilabel\">Dotfiles</span>\n" +"persistence feature|doc/first_steps/persistence/configure/#dotfiles]]\n" +"and make persistent the files in the <span\n" +"class=\"filename\">.keyringer</span> folder of your\n" +"<span class=\"filename\">Home</span> folder.\n" +msgstr "" + +#. type: Plain text +msgid "For example, if you have a single keyringer named **top-secret**:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" /live/persistence/TailsData_unlocked/dotfiles\n" +" └── .keyringer\n" +" ├── config\n" +" └── top-secret\n" +msgstr "" + +#. type: Plain text +msgid "" +"Make sure to update your *dotfiles* each time you use the **init**, " +"**teardown**, **destroy**, or **preferences** command of *keyringer*." +msgstr "" + +#. type: Plain text +msgid "To do so you can execute the following command:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " rsync -va --ignore-existing --delete ~/.keyringer /live/persistence/TailsData_unlocked/dotfiles\n" +msgstr "" diff --git a/wiki/src/doc/encryption_and_privacy/keyringer.fr.po b/wiki/src/doc/encryption_and_privacy/keyringer.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..2b043f2cba3ebd3bce2e737071dfad3fea3b0df3 --- /dev/null +++ b/wiki/src/doc/encryption_and_privacy/keyringer.fr.po @@ -0,0 +1,116 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-04-19 18:45+0300\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Sharing encrypted secrets using keyringer\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<span class=\"application\">[Keyringer](https://keyringer.pw/)</span> is\n" +"an encrypted and distributed secret sharing software running from the\n" +"command line.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<span class=\"application\">Keyringer</span> lets you manage and share\n" +"secrets using OpenPGP and [Git](http://git-scm.com/) with custom\n" +"commands to encrypt, decrypt, and edit text files and other kind of\n" +"documents. By storing those secrets in Git, you can share them with\n" +"other people in a distributed manner.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"note\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>Using <span class=\"application\">keyringer</span> requires previous\n" +"knowledge of Git and the command line.</span>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +msgid "" +"To learn how to use *keyringer*, read the [documentation on the *keyringer* " +"website](https://keyringer.pw/)." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"tip\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>You can use the <span class=\"guilabel\">open</span> command of\n" +"<span class=\"application\">keyringer</span> to edit, encrypt, and\n" +"share <span class=\"application\">LibreOffice</span> documents,\n" +"images, etc.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"To store your *keyringer* configuration across separate working\n" +"sessions, you can enable the [[<span class=\"guilabel\">Dotfiles</span>\n" +"persistence feature|doc/first_steps/persistence/configure/#dotfiles]]\n" +"and make persistent the files in the <span\n" +"class=\"filename\">.keyringer</span> folder of your\n" +"<span class=\"filename\">Home</span> folder.\n" +msgstr "" + +#. type: Plain text +msgid "For example, if you have a single keyringer named **top-secret**:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" /live/persistence/TailsData_unlocked/dotfiles\n" +" └── .keyringer\n" +" ├── config\n" +" └── top-secret\n" +msgstr "" + +#. type: Plain text +msgid "" +"Make sure to update your *dotfiles* each time you use the **init**, " +"**teardown**, **destroy**, or **preferences** command of *keyringer*." +msgstr "" + +#. type: Plain text +msgid "To do so you can execute the following command:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " rsync -va --ignore-existing --delete ~/.keyringer /live/persistence/TailsData_unlocked/dotfiles\n" +msgstr "" diff --git a/wiki/src/doc/encryption_and_privacy/keyringer.mdwn b/wiki/src/doc/encryption_and_privacy/keyringer.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..ce70bbf11477086d9f9d768002946a32c5e3fac4 --- /dev/null +++ b/wiki/src/doc/encryption_and_privacy/keyringer.mdwn @@ -0,0 +1,51 @@ +[[!meta title="Sharing encrypted secrets using keyringer"]] + +<span class="application">[Keyringer](https://keyringer.pw/)</span> is +an encrypted and distributed secret sharing software running from the +command line. + +<span class="application">Keyringer</span> lets you manage and share +secrets using OpenPGP and [Git](http://git-scm.com/) with custom +commands to encrypt, decrypt, and edit text files and other kind of +documents. By storing those secrets in Git, you can share them with +other people in a distributed manner. + +<div class="note"> + +<p>Using <span class="application">keyringer</span> requires previous +knowledge of Git and the command line.</span> + +</div> + +To learn how to use *keyringer*, read the [documentation on the +*keyringer* website](https://keyringer.pw/). + +<div class="tip"> + +<p>You can use the <span class="guilabel">open</span> command of +<span class="application">keyringer</span> to edit, encrypt, and +share <span class="application">LibreOffice</span> documents, +images, etc.</p> + +</div> + +To store your *keyringer* configuration across separate working +sessions, you can enable the [[<span class="guilabel">Dotfiles</span> +persistence feature|doc/first_steps/persistence/configure/#dotfiles]] +and make persistent the files in the <span +class="filename">.keyringer</span> folder of your +<span class="filename">Home</span> folder. + +For example, if you have a single keyringer named **top-secret**: + + /live/persistence/TailsData_unlocked/dotfiles + └── .keyringer + ├── config + └── top-secret + +Make sure to update your *dotfiles* each time you use the **init**, +**teardown**, **destroy**, or **preferences** command of *keyringer*. + +To do so you can execute the following command: + + rsync -va --ignore-existing --delete ~/.keyringer /live/persistence/TailsData_unlocked/dotfiles diff --git a/wiki/src/doc/encryption_and_privacy/keyringer.pt.po b/wiki/src/doc/encryption_and_privacy/keyringer.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..2b043f2cba3ebd3bce2e737071dfad3fea3b0df3 --- /dev/null +++ b/wiki/src/doc/encryption_and_privacy/keyringer.pt.po @@ -0,0 +1,116 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-04-19 18:45+0300\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Sharing encrypted secrets using keyringer\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<span class=\"application\">[Keyringer](https://keyringer.pw/)</span> is\n" +"an encrypted and distributed secret sharing software running from the\n" +"command line.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<span class=\"application\">Keyringer</span> lets you manage and share\n" +"secrets using OpenPGP and [Git](http://git-scm.com/) with custom\n" +"commands to encrypt, decrypt, and edit text files and other kind of\n" +"documents. By storing those secrets in Git, you can share them with\n" +"other people in a distributed manner.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"note\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>Using <span class=\"application\">keyringer</span> requires previous\n" +"knowledge of Git and the command line.</span>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +msgid "" +"To learn how to use *keyringer*, read the [documentation on the *keyringer* " +"website](https://keyringer.pw/)." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"tip\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>You can use the <span class=\"guilabel\">open</span> command of\n" +"<span class=\"application\">keyringer</span> to edit, encrypt, and\n" +"share <span class=\"application\">LibreOffice</span> documents,\n" +"images, etc.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"To store your *keyringer* configuration across separate working\n" +"sessions, you can enable the [[<span class=\"guilabel\">Dotfiles</span>\n" +"persistence feature|doc/first_steps/persistence/configure/#dotfiles]]\n" +"and make persistent the files in the <span\n" +"class=\"filename\">.keyringer</span> folder of your\n" +"<span class=\"filename\">Home</span> folder.\n" +msgstr "" + +#. type: Plain text +msgid "For example, if you have a single keyringer named **top-secret**:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" /live/persistence/TailsData_unlocked/dotfiles\n" +" └── .keyringer\n" +" ├── config\n" +" └── top-secret\n" +msgstr "" + +#. type: Plain text +msgid "" +"Make sure to update your *dotfiles* each time you use the **init**, " +"**teardown**, **destroy**, or **preferences** command of *keyringer*." +msgstr "" + +#. type: Plain text +msgid "To do so you can execute the following command:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " rsync -va --ignore-existing --delete ~/.keyringer /live/persistence/TailsData_unlocked/dotfiles\n" +msgstr "" diff --git a/wiki/src/doc/encryption_and_privacy/manage_passwords.fr.po b/wiki/src/doc/encryption_and_privacy/manage_passwords.fr.po index cbf4dba184e6d1583276a770f0d6d3b8e0eda043..4d94d33e2d59e04eacf5b20cdfc57ae4f1fdd0db 100644 --- a/wiki/src/doc/encryption_and_privacy/manage_passwords.fr.po +++ b/wiki/src/doc/encryption_and_privacy/manage_passwords.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: \n" -"POT-Creation-Date: 2014-10-13 10:23+0300\n" +"POT-Creation-Date: 2015-02-22 12:54+0100\n" "PO-Revision-Date: 2014-05-10 19:33-0000\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -248,16 +248,7 @@ msgid "Use <span class=\"application\">KeePassX</span> to type a password into < msgstr "Utiliser <span class=\"application\">KeePassX</span> pour saisir un mot de passe dans <span class=\"application\">Pinentry</span>\n" #. type: Plain text -#, fuzzy, no-wrap -#| msgid "" -#| "When using <span class=\"application\">OpenPGP</span> with <span\n" -#| "class=\"application\">Claws Mail</span> or <span class=\"application\">GPG\n" -#| "Applet</span> for example, you need to enter a password in a <span\n" -#| "class=\"application\">Pinentry</span> dialog box. But you cannot copy and\n" -#| "paste into it. This is a security feature of <span\n" -#| "class=\"application\">Pinentry</span> based on the fact that otherwise the\n" -#| "data in the clipboard could be accessed by another application against\n" -#| "your will.\n" +#, no-wrap msgid "" "When using <span class=\"application\">OpenPGP</span> with <span\n" "class=\"application\">Claws Mail</span> or <span class=\"application\">OpenPGP\n" @@ -270,7 +261,7 @@ msgid "" msgstr "" "Lors de l'utilisation d'<span class=\"application\">OpenPGP</span> avec <span\n" "class=\"application\">Claws Mail</span> ou l'<span class=\"application\">Applet\n" -"GPG</span> par exemple, vous devez saisir un mot de passe dans une\n" +"OpenGPG</span> par exemple, vous devez saisir un mot de passe dans une\n" "boîte de dialogue <span class=\"application\">Pinentry</span>. Mais vous\n" "ne pouvez pas copier et coller dedans. C'est une fonctionnalité de sécurité de <span\n" "class=\"application\">Pinentry</span> basée sur le fait qu'autrement les\n" @@ -300,12 +291,7 @@ msgstr "" "la base de donnée|manage_passwords#restore]].\n" #. type: Plain text -#, fuzzy, no-wrap -#| msgid "" -#| "0. Use <span class=\"application\">OpenPGP</span> with <span\n" -#| "class=\"application\">Claws Mail</span> or <span class=\"application\">GPG\n" -#| "Applet</span> until the <span class=\"application\">Pinentry</span> dialog\n" -#| "box appears.\n" +#, no-wrap msgid "" "0. Use <span class=\"application\">OpenPGP</span> with <span\n" "class=\"application\">Claws Mail</span> or <span class=\"application\">OpenPGP\n" @@ -314,7 +300,7 @@ msgid "" msgstr "" "0. Utiliser <span class=\"application\">OpenPGP</span> avec <span\n" "class=\"application\">Claws Mail</span> ou l'<span class=\"application\">Applet\n" -"GPG</span> jusqu'à ce que la boîte de dialogue <span class=\"application\">Pinentry</span>\n" +"OpenGPG</span> jusqu'à ce que la boîte de dialogue <span class=\"application\">Pinentry</span>\n" "apparaisse.\n" #. type: Plain text diff --git a/wiki/src/doc/encryption_and_privacy/openpgp_with_claws_mail.mdwn b/wiki/src/doc/encryption_and_privacy/openpgp_with_claws_mail.mdwn deleted file mode 100644 index c15c7dd025531366a129a5101f7cea4b640b1e63..0000000000000000000000000000000000000000 --- a/wiki/src/doc/encryption_and_privacy/openpgp_with_claws_mail.mdwn +++ /dev/null @@ -1 +0,0 @@ -[[!meta title="OpenPGP with Claws Mail"]] diff --git a/wiki/src/doc/encryption_and_privacy/secure_deletion.de.po b/wiki/src/doc/encryption_and_privacy/secure_deletion.de.po index 47c6127e7a83ea5a280b1d54cf4ba77d47b30cf1..0c4899eca94d187cf4b6d5c18d5839cd0e137978 100644 --- a/wiki/src/doc/encryption_and_privacy/secure_deletion.de.po +++ b/wiki/src/doc/encryption_and_privacy/secure_deletion.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-05-26 12:59+0200\n" +"POT-Creation-Date: 2015-05-07 12:33+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -84,26 +84,26 @@ msgstr "" #. type: Title = #, no-wrap -msgid "Warning about USB sticks and solid-state drives\n" +msgid "Warning about USB sticks and solid-state disks\n" msgstr "" #. type: Plain text #, no-wrap msgid "" "**The methods described below will not work as expected on USB sticks and\n" -"solid-state drives.**\n" +"solid-state disks.**\n" msgstr "" #. type: Bullet: '- ' msgid "" -"The existing hard drive-oriented techniques for secure deletion of " -"individual files are not effective." +"The existing hard disk-oriented techniques for secure deletion of individual " +"files are not effective." msgstr "" #. type: Bullet: '- ' msgid "" -"Overwriting twice the entire drive is usually, but not always, sufficient to " -"securely clean the drive." +"Overwriting twice the entire disk is usually, but not always, sufficient to " +"securely clean the disk." msgstr "" #. type: Plain text @@ -118,8 +118,7 @@ msgid "" msgstr "" #. type: Plain text -#, no-wrap -msgid "[[!tails_todo wiping_flash_media desc=\"See the corresponding ticket.\"]]\n" +msgid "See [[!tails_ticket 5323]]." msgstr "" #. type: Plain text @@ -128,11 +127,9 @@ msgid "</div>\n" msgstr "" #. type: Plain text -#, no-wrap msgid "" -"For more details read, the corresponding section of the Wikipedia article on\n" -"[[!wikipedia Secure_file_deletion#Data_on_solid-state_drives desc=\"Secure file\n" -"deletion\"]].\n" +"For more details read, the corresponding section of the Wikipedia article on " +"[[!wikipedia Data_erasure#Limitations desc=\"Data erasure\"]]." msgstr "" #. type: Title = @@ -184,6 +181,65 @@ msgid "" " according to the size of the files. Be patient…\n" msgstr "" +#. type: Plain text +msgid "" +"Securely deleting files does not erase the potential backup copies of the " +"file (for example OpenOffice creates backup copies that allow you to recover " +"your work in case OpenOffice stops responding)." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"empty_trash\"></a>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Emptying the trash\n" +msgstr "" + +#. type: Plain text +msgid "" +"Before considering [[securely cleanly the available space on a disk|" +"secure_deletion#index5h1]], make sure to empty the trash." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "" +"Open *Nautilus*, either from the <span class=\"guimenu\">Places</span> menu " +"or the <span class=\"guilabel\">Computer</span> icon on the desktop." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "" +"Click on the disk on which you want to empty the trash in the left pane to " +"navigate to the root of this disk." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "" +"Choose <span class=\"menuchoice\"><span class=\"guimenu\">View</span> ▸ " +"<span class=\"guimenuitem\">Show hidden files</span></span> to show hidden " +"files." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "" +"Delete the <span class=\"filename\">.Trash-1000</span> folder or similar." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"tip\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>Apply this technique to the <span class=\"filename\">Persistent</span>\n" +"folder to empty the trash of the persistent volume.</p>\n" +msgstr "" + #. type: Plain text #, no-wrap msgid "<a id=\"clean_disk_space\"></a>\n" @@ -202,8 +258,10 @@ msgid "" msgstr "" #. type: Plain text +#, no-wrap msgid "" -"This method does not work as expected on solid-state drives or USB sticks." +"<p>This method does not work as expected on solid-state disks or USB\n" +"sticks.</p>\n" msgstr "" #. type: Plain text @@ -220,13 +278,15 @@ msgid "" msgstr "" #. type: Bullet: ' 1. ' -msgid "Navigate to a folder on the disk that you want to clean." +msgid "" +"Click on the disk that you want to clean in the left pane to navigate to the " +"root of this disk." msgstr "" #. type: Bullet: ' 1. ' msgid "" -"Right-click in the folder and choose <span class=\"guimenuitem\">Wipe " -"available diskspace</span>." +"Right-click in empty space in the right pane and choose <span class=" +"\"guimenuitem\">Wipe available diskspace</span>." msgstr "" #. type: Plain text @@ -236,16 +296,36 @@ msgid "" " available diskspace\"]]\n" msgstr "" +#. type: Plain text +#, no-wrap +msgid "" +" <div class=\"tip\">\n" +" <p>On the previous screenshot, the trash in the <span\n" +" class=\"filename\">.Trash-1000</span> folder is not deleted. See the\n" +" [[instructions above|secure_deletion#index4h1]].</p>\n" +" </div>\n" +msgstr "" + #. type: Bullet: ' 1. ' msgid "" -"The cleaning will start. It can last from a few minutes to a few hours, " +"The cleaning starts. It can last from a few minutes to a few hours, " "according to the size of the available diskspace. Be patient…" msgstr "" #. type: Plain text #, no-wrap msgid "" -" Note that a file called <span class=\"filename\">oooooooo.ooo</span> is\n" -" created in the folder. <span class=\"application\">Nautilus Wipe</span> tries to make it as big as possible\n" -" to use all the available diskspace and then securely deletes it.\n" +" Note that a file called <span\n" +" class=\"filename\">oooooooo.ooo</span> is created in the\n" +" folder. <span class=\"application\">Nautilus Wipe</span> tries to\n" +" make it as big as possible to use all the available diskspace and\n" +" then securely deletes it.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>This option does not delete hidden files.To show hidden files, choose\n" +"<span class=\"menuchoice\"><span class=\"guimenu\">View</span> ▸ <span\n" +"class=\"guimenuitem\">Show hidden files</span></span>.</p>\n" msgstr "" diff --git a/wiki/src/doc/encryption_and_privacy/secure_deletion.fr.po b/wiki/src/doc/encryption_and_privacy/secure_deletion.fr.po index e5fc897160cf1b67da1330e261e10f24ac93e7cf..f30f79449e97e965a4226e3833af4f4b586dd0f7 100644 --- a/wiki/src/doc/encryption_and_privacy/secure_deletion.fr.po +++ b/wiki/src/doc/encryption_and_privacy/secure_deletion.fr.po @@ -6,14 +6,15 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-07-21 03:22+0300\n" -"PO-Revision-Date: 2013-10-24 10:30+0200\n" +"POT-Creation-Date: 2015-05-07 12:33+0300\n" +"PO-Revision-Date: 2015-01-31 15:44-0000\n" "Last-Translator: \n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"X-Generator: Poedit 1.5.4\n" #. type: Plain text #, no-wrap @@ -101,30 +102,30 @@ msgstr "<a id=\"usb_and_ssd\"></a>\n" #. type: Title = #, no-wrap -msgid "Warning about USB sticks and solid-state drives\n" +msgid "Warning about USB sticks and solid-state disks\n" msgstr "Avertissement concernant les disques SSD\n" #. type: Plain text #, no-wrap msgid "" "**The methods described below will not work as expected on USB sticks and\n" -"solid-state drives.**\n" +"solid-state disks.**\n" msgstr "" "**Les méthodes évoquées ci-dessous ne fonctionneront pas pour les clés USB et\n" -"les cartes SSD**.\n" +"les disques SSD**.\n" #. type: Bullet: '- ' msgid "" -"The existing hard drive-oriented techniques for secure deletion of " -"individual files are not effective." +"The existing hard disk-oriented techniques for secure deletion of individual " +"files are not effective." msgstr "" "Les techniques existantes fonctionnant pour l'effacement sécurisé de " "fichiers individuels des disques durs ne sont pas efficaces." #. type: Bullet: '- ' msgid "" -"Overwriting twice the entire drive is usually, but not always, sufficient to " -"securely clean the drive." +"Overwriting twice the entire disk is usually, but not always, sufficient to " +"securely clean the disk." msgstr "" "Écraser deux fois la totalité du disque est d'habitude, mais pas toujours, " "suffisant pour le nettoyer de manière sécurisée." @@ -132,7 +133,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<div class=\"caution\">\n" -msgstr "" +msgstr "<div class=\"caution\">\n" #. type: Plain text msgid "" @@ -143,22 +144,22 @@ msgstr "" "outils graphiques." #. type: Plain text -#, no-wrap -msgid "[[!tails_todo wiping_flash_media desc=\"See the corresponding ticket.\"]]\n" -msgstr "[[!tails_todo wiping_flash_media desc=\"Voir le ticket correspondant.\"]]\n" +msgid "See [[!tails_ticket 5323]]." +msgstr "" #. type: Plain text #, no-wrap msgid "</div>\n" -msgstr "" +msgstr "</div>\n" #. type: Plain text -#, no-wrap msgid "" -"For more details read, the corresponding section of the Wikipedia article on\n" -"[[!wikipedia Secure_file_deletion#Data_on_solid-state_drives desc=\"Secure file\n" -"deletion\"]].\n" -msgstr "Pour plus de détails, consultez la section correspondante de l'article sur Wikipedia [[!wikipedia Secure_file_deletion#Data_on_solid-state_drives desc=\"Secure file deletion\"]] (en anglais).\n" +"For more details read, the corresponding section of the Wikipedia article on " +"[[!wikipedia Data_erasure#Limitations desc=\"Data erasure\"]]." +msgstr "" +"Pour plus de détails, consultez la section correspondante de l'article sur " +"Wikipedia [[!wikipedia Data_erasure#Limitations desc=\"Data erasure\"]] (en " +"anglais)." #. type: Title = #, no-wrap @@ -220,6 +221,79 @@ msgstr "" " 1. L'écrasement commence. Il peut durer de quelques secondes à plusieurs minutes,\n" " selon la taille des fichiers. Soyez patient..\n" +#. type: Plain text +msgid "" +"Securely deleting files does not erase the potential backup copies of the " +"file (for example OpenOffice creates backup copies that allow you to recover " +"your work in case OpenOffice stops responding)." +msgstr "" + +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "<a id=\"why\"></a>\n" +msgid "<a id=\"empty_trash\"></a>\n" +msgstr "<a id=\"why\"></a>\n" + +#. type: Title = +#, no-wrap +msgid "Emptying the trash\n" +msgstr "Vider la corbeille\n" + +#. type: Plain text +msgid "" +"Before considering [[securely cleanly the available space on a disk|" +"secure_deletion#index5h1]], make sure to empty the trash." +msgstr "" +"Avant d'[[écraser l'espace libre d'un périphérique|" +"secure_deletion#index5h1]], assurez-vous de bien vider la corbeille." + +#. type: Bullet: ' 1. ' +msgid "" +"Open *Nautilus*, either from the <span class=\"guimenu\">Places</span> menu " +"or the <span class=\"guilabel\">Computer</span> icon on the desktop." +msgstr "" +"Ouvrez *Nautilus*, soit depuis le menu <span class=\"guimenu\">Raccourcis</" +"span> ou par l'icône <span class=\"guilabel\">Computer</span> sur le bureau." + +#. type: Bullet: ' 1. ' +msgid "" +"Click on the disk on which you want to empty the trash in the left pane to " +"navigate to the root of this disk." +msgstr "" +"Placez vous à la racine du périphérique dont vous souhaitez vider la " +"corbeille en cliquant dessus dans le panneau de gauche." + +#. type: Bullet: ' 1. ' +msgid "" +"Choose <span class=\"menuchoice\"><span class=\"guimenu\">View</span> ▸ " +"<span class=\"guimenuitem\">Show hidden files</span></span> to show hidden " +"files." +msgstr "" +"Cliquez sur <span class=\"menuchoice\"><span class=\"guimenu\">Affichage</" +"span> ▸ <span class=\"guimenuitem\">Afficher les fichiers cachés</" +"span></span> pour afficher les fichiers cachés." + +#. type: Bullet: ' 1. ' +msgid "" +"Delete the <span class=\"filename\">.Trash-1000</span> folder or similar." +msgstr "" +"Supprimez le dossier <span class=\"filename\">.Trash-1000</span> ou " +"similaire." + +#. type: Plain text +#, no-wrap +msgid "<div class=\"tip\">\n" +msgstr "<div class=\"tip\">\n" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>Apply this technique to the <span class=\"filename\">Persistent</span>\n" +"folder to empty the trash of the persistent volume.</p>\n" +msgstr "" +"<p>Appliquez cette technique au dossier <span class=\"filename\">Persistent</span>\n" +"pour vider la corbeille du volume persistant.</p>\n" + #. type: Plain text #, no-wrap msgid "<a id=\"clean_disk_space\"></a>\n" @@ -241,10 +315,13 @@ msgstr "" "sécurisée tout l'espace disque disponible." #. type: Plain text +#, no-wrap msgid "" -"This method does not work as expected on solid-state drives or USB sticks." +"<p>This method does not work as expected on solid-state disks or USB\n" +"sticks.</p>\n" msgstr "" -"Cette méthode ne marche pas comme prévu pour les clés USB et les disques SSD." +"<p>Cette méthode ne marche pas comme prévu pour les clés USB et les\n" +"disques SSD.</p>\n" #. type: Plain text msgid "" @@ -264,16 +341,20 @@ msgstr "" " par l'icône <span class=\"guilabel\">Computer</span> sur le bureau.\n" #. type: Bullet: ' 1. ' -msgid "Navigate to a folder on the disk that you want to clean." -msgstr "Naviguez jusqu'au dossier sur le disque que vous souhaitez nettoyer." +msgid "" +"Click on the disk that you want to clean in the left pane to navigate to the " +"root of this disk." +msgstr "" +"Cliquez sur le périphérique que vous souhaitez nettoyer dans le panneau de " +"gauche pour vous placer à la racine du périphérique." #. type: Bullet: ' 1. ' msgid "" -"Right-click in the folder and choose <span class=\"guimenuitem\">Wipe " -"available diskspace</span>." +"Right-click in empty space in the right pane and choose <span class=" +"\"guimenuitem\">Wipe available diskspace</span>." msgstr "" -"Effectuez un clic-droit sur le dossier puis sélectionnez <span class=" -"\"guimenuitem\">Écrasez l'espace disque disponible</span>." +"Effectuez un clic-droit dans l'espace vide puis sélectionnez <span class=" +"\"guimenuitem\">Écraser l'espace disque disponible</span>." #. type: Plain text #, no-wrap @@ -284,24 +365,60 @@ msgstr "" " [[!img wipe_available_diskspace.png link=no alt=\"Clic droit ▸ Écraser\n" " l'espace disque disponible\"]]\n" +#. type: Plain text +#, no-wrap +msgid "" +" <div class=\"tip\">\n" +" <p>On the previous screenshot, the trash in the <span\n" +" class=\"filename\">.Trash-1000</span> folder is not deleted. See the\n" +" [[instructions above|secure_deletion#index4h1]].</p>\n" +" </div>\n" +msgstr "" +" <div class=\"tip\">\n" +" <p>Dans la capture d'écran ci-dessus, la corbeille située dans le dossier <span\n" +" class=\"filename\">.Trash-1000</span> n'est pas effacée. Veuillez consulter\n" +" les [[instructions ci-dessus|secure_deletion#index4h1]].</p>\n" +" </div>\n" + #. type: Bullet: ' 1. ' msgid "" -"The cleaning will start. It can last from a few minutes to a few hours, " +"The cleaning starts. It can last from a few minutes to a few hours, " "according to the size of the available diskspace. Be patient…" msgstr "" -"L'écrasement commence. Il peut durer de quelques minutes à plusieurs heures, " +"L'écrasement commence. Il peut durer de quelques minutes à quelques heures, " "selon l'espace libre présent sur le disque. Soyez patient.." #. type: Plain text #, no-wrap msgid "" -" Note that a file called <span class=\"filename\">oooooooo.ooo</span> is\n" -" created in the folder. <span class=\"application\">Nautilus Wipe</span> tries to make it as big as possible\n" -" to use all the available diskspace and then securely deletes it.\n" +" Note that a file called <span\n" +" class=\"filename\">oooooooo.ooo</span> is created in the\n" +" folder. <span class=\"application\">Nautilus Wipe</span> tries to\n" +" make it as big as possible to use all the available diskspace and\n" +" then securely deletes it.\n" msgstr "" " Remarquez qu'un fichier appelé <span class=\"filename\">oooooooo.ooo</span> est\n" -" créé dans le dossier. <span class=\"application\">Nautilus Wipe</span> va en augmenter la taille autant que possible,\n" -" afin d'utiliser tout l'espace libre disponible, puis l'écrasera de manière sécurisée.\n" +" créé dans le dossier. <span class=\"application\">Nautilus Wipe</span> va en augmenter\n" +" la taille autant que possible, afin d'utiliser tout l'espace libre disponible, puis l'écrasera\n" +" de manière sécurisée.\n" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>This option does not delete hidden files.To show hidden files, choose\n" +"<span class=\"menuchoice\"><span class=\"guimenu\">View</span> ▸ <span\n" +"class=\"guimenuitem\">Show hidden files</span></span>.</p>\n" +msgstr "" +"<p>Cette option n'efface pas les fichiers cachés. Pour afficher les fichiers cachés,\n" +"cliquez sur <span class=\"menuchoice\"><span class=\"guimenu\">Affichage</span> ▸ <span\n" +"class=\"guimenuitem\">Afficher les fichiers cachés</span></span>.</p>\n" + +#~ msgid "[[!tails_todo wiping_flash_media desc=\"See the corresponding ticket.\"]]\n" +#~ msgstr "[[!tails_todo wiping_flash_media desc=\"Voir le ticket correspondant.\"]]\n" + +#~ msgid "Navigate to a folder on the disk that you want to clean." +#~ msgstr "" +#~ "Naviguez jusqu'au dossier sur le disque que vous souhaitez nettoyer." #~ msgid "" #~ "<h2 class=\"bullet-number-one\">Select the files you want to securely " diff --git a/wiki/src/doc/encryption_and_privacy/secure_deletion.mdwn b/wiki/src/doc/encryption_and_privacy/secure_deletion.mdwn index a23c5fbe4ba7aa61d1c029c39de784f4012184a7..ccc217610895689eeccaf27b9a99bd23bf3db7ee 100644 --- a/wiki/src/doc/encryption_and_privacy/secure_deletion.mdwn +++ b/wiki/src/doc/encryption_and_privacy/secure_deletion.mdwn @@ -32,29 +32,28 @@ desc="Wikipedia: %s"]].</p> <a id="usb_and_ssd"></a> -Warning about USB sticks and solid-state drives -=============================================== +Warning about USB sticks and solid-state disks +============================================== **The methods described below will not work as expected on USB sticks and -solid-state drives.** +solid-state disks.** -- The existing hard drive-oriented techniques for secure deletion of +- The existing hard disk-oriented techniques for secure deletion of individual files are not effective. -- Overwriting twice the entire drive is usually, but not always, - sufficient to securely clean the drive. +- Overwriting twice the entire disk is usually, but not always, + sufficient to securely clean the disk. <div class="caution"> Unfortunately, Tails does not currently allow you to perform this task with graphical tools. -[[!tails_todo wiping_flash_media desc="See the corresponding ticket."]] +See [[!tails_ticket 5323]]. </div> For more details read, the corresponding section of the Wikipedia article on -[[!wikipedia Secure_file_deletion#Data_on_solid-state_drives desc="Secure file -deletion"]]. +[[!wikipedia Data_erasure#Limitations desc="Data erasure"]]. Securely delete files ===================== @@ -80,6 +79,42 @@ Wipe](http://wipetools.tuxfamily.org/nautilus-wipe.html). 1. The deletion will start. It can last from a few seconds to several minutes, according to the size of the files. Be patient… +<div class="caution"> + +Securely deleting files does not erase the potential backup copies of +the file (for example OpenOffice creates backup copies that allow +you to recover your work in case OpenOffice stops responding). + +</div> + +<a id="empty_trash"></a> + +Emptying the trash +================== + +Before considering [[securely cleanly the available space on a +disk|secure_deletion#index5h1]], make sure to empty the trash. + + 1. Open *Nautilus*, either from the <span class="guimenu">Places</span> menu or + the <span class="guilabel">Computer</span> icon on the desktop. + + 1. Click on the disk on which you want to empty the trash in the left + pane to navigate to the root of this disk. + + 1. Choose <span class="menuchoice"><span + class="guimenu">View</span> ▸ <span class="guimenuitem">Show hidden + files</span></span> to show hidden files. + + 1. Delete the <span class="filename">.Trash-1000</span> folder or + similar. + +<div class="tip"> + +<p>Apply this technique to the <span class="filename">Persistent</span> +folder to empty the trash of the persistent volume.</p> + +</div> + <a id="clean_disk_space"></a> Securely clean available disk space @@ -91,7 +126,8 @@ the free space on the disk. <div class="caution"> -This method does not work as expected on solid-state drives or USB sticks. +<p>This method does not work as expected on solid-state disks or USB +sticks.</p> </div> @@ -101,19 +137,36 @@ be deleted during the operation. 1. Open Nautilus, either from the <span class="guimenu">Places</span> menu or the <span class="guilabel">Computer</span> icon on the desktop. - 1. Navigate to a folder on the disk that you want to clean. + 1. Click on the disk that you want to clean in the left pane to + navigate to the root of this disk. - 1. Right-click in the folder and choose <span class="guimenuitem">Wipe - available diskspace</span>. + 1. Right-click in empty space in the right pane and choose <span + class="guimenuitem">Wipe available diskspace</span>. [[!img wipe_available_diskspace.png link=no alt="Right-click ▸ Wipe available diskspace"]] + <div class="tip"> + <p>On the previous screenshot, the trash in the <span + class="filename">.Trash-1000</span> folder is not deleted. See the + [[instructions above|secure_deletion#index4h1]].</p> + </div> + 1. Confirm. - 1. The cleaning will start. It can last from a few minutes to a few hours, + 1. The cleaning starts. It can last from a few minutes to a few hours, according to the size of the available diskspace. Be patient… - Note that a file called <span class="filename">oooooooo.ooo</span> is - created in the folder. <span class="application">Nautilus Wipe</span> tries to make it as big as possible - to use all the available diskspace and then securely deletes it. + Note that a file called <span + class="filename">oooooooo.ooo</span> is created in the + folder. <span class="application">Nautilus Wipe</span> tries to + make it as big as possible to use all the available diskspace and + then securely deletes it. + +<div class="caution"> + +<p>This option does not delete hidden files.To show hidden files, choose +<span class="menuchoice"><span class="guimenu">View</span> ▸ <span +class="guimenuitem">Show hidden files</span></span>.</p> + +</div> diff --git a/wiki/src/doc/encryption_and_privacy/secure_deletion.pt.po b/wiki/src/doc/encryption_and_privacy/secure_deletion.pt.po index 47c6127e7a83ea5a280b1d54cf4ba77d47b30cf1..0c4899eca94d187cf4b6d5c18d5839cd0e137978 100644 --- a/wiki/src/doc/encryption_and_privacy/secure_deletion.pt.po +++ b/wiki/src/doc/encryption_and_privacy/secure_deletion.pt.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-05-26 12:59+0200\n" +"POT-Creation-Date: 2015-05-07 12:33+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -84,26 +84,26 @@ msgstr "" #. type: Title = #, no-wrap -msgid "Warning about USB sticks and solid-state drives\n" +msgid "Warning about USB sticks and solid-state disks\n" msgstr "" #. type: Plain text #, no-wrap msgid "" "**The methods described below will not work as expected on USB sticks and\n" -"solid-state drives.**\n" +"solid-state disks.**\n" msgstr "" #. type: Bullet: '- ' msgid "" -"The existing hard drive-oriented techniques for secure deletion of " -"individual files are not effective." +"The existing hard disk-oriented techniques for secure deletion of individual " +"files are not effective." msgstr "" #. type: Bullet: '- ' msgid "" -"Overwriting twice the entire drive is usually, but not always, sufficient to " -"securely clean the drive." +"Overwriting twice the entire disk is usually, but not always, sufficient to " +"securely clean the disk." msgstr "" #. type: Plain text @@ -118,8 +118,7 @@ msgid "" msgstr "" #. type: Plain text -#, no-wrap -msgid "[[!tails_todo wiping_flash_media desc=\"See the corresponding ticket.\"]]\n" +msgid "See [[!tails_ticket 5323]]." msgstr "" #. type: Plain text @@ -128,11 +127,9 @@ msgid "</div>\n" msgstr "" #. type: Plain text -#, no-wrap msgid "" -"For more details read, the corresponding section of the Wikipedia article on\n" -"[[!wikipedia Secure_file_deletion#Data_on_solid-state_drives desc=\"Secure file\n" -"deletion\"]].\n" +"For more details read, the corresponding section of the Wikipedia article on " +"[[!wikipedia Data_erasure#Limitations desc=\"Data erasure\"]]." msgstr "" #. type: Title = @@ -184,6 +181,65 @@ msgid "" " according to the size of the files. Be patient…\n" msgstr "" +#. type: Plain text +msgid "" +"Securely deleting files does not erase the potential backup copies of the " +"file (for example OpenOffice creates backup copies that allow you to recover " +"your work in case OpenOffice stops responding)." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"empty_trash\"></a>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Emptying the trash\n" +msgstr "" + +#. type: Plain text +msgid "" +"Before considering [[securely cleanly the available space on a disk|" +"secure_deletion#index5h1]], make sure to empty the trash." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "" +"Open *Nautilus*, either from the <span class=\"guimenu\">Places</span> menu " +"or the <span class=\"guilabel\">Computer</span> icon on the desktop." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "" +"Click on the disk on which you want to empty the trash in the left pane to " +"navigate to the root of this disk." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "" +"Choose <span class=\"menuchoice\"><span class=\"guimenu\">View</span> ▸ " +"<span class=\"guimenuitem\">Show hidden files</span></span> to show hidden " +"files." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "" +"Delete the <span class=\"filename\">.Trash-1000</span> folder or similar." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"tip\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>Apply this technique to the <span class=\"filename\">Persistent</span>\n" +"folder to empty the trash of the persistent volume.</p>\n" +msgstr "" + #. type: Plain text #, no-wrap msgid "<a id=\"clean_disk_space\"></a>\n" @@ -202,8 +258,10 @@ msgid "" msgstr "" #. type: Plain text +#, no-wrap msgid "" -"This method does not work as expected on solid-state drives or USB sticks." +"<p>This method does not work as expected on solid-state disks or USB\n" +"sticks.</p>\n" msgstr "" #. type: Plain text @@ -220,13 +278,15 @@ msgid "" msgstr "" #. type: Bullet: ' 1. ' -msgid "Navigate to a folder on the disk that you want to clean." +msgid "" +"Click on the disk that you want to clean in the left pane to navigate to the " +"root of this disk." msgstr "" #. type: Bullet: ' 1. ' msgid "" -"Right-click in the folder and choose <span class=\"guimenuitem\">Wipe " -"available diskspace</span>." +"Right-click in empty space in the right pane and choose <span class=" +"\"guimenuitem\">Wipe available diskspace</span>." msgstr "" #. type: Plain text @@ -236,16 +296,36 @@ msgid "" " available diskspace\"]]\n" msgstr "" +#. type: Plain text +#, no-wrap +msgid "" +" <div class=\"tip\">\n" +" <p>On the previous screenshot, the trash in the <span\n" +" class=\"filename\">.Trash-1000</span> folder is not deleted. See the\n" +" [[instructions above|secure_deletion#index4h1]].</p>\n" +" </div>\n" +msgstr "" + #. type: Bullet: ' 1. ' msgid "" -"The cleaning will start. It can last from a few minutes to a few hours, " +"The cleaning starts. It can last from a few minutes to a few hours, " "according to the size of the available diskspace. Be patient…" msgstr "" #. type: Plain text #, no-wrap msgid "" -" Note that a file called <span class=\"filename\">oooooooo.ooo</span> is\n" -" created in the folder. <span class=\"application\">Nautilus Wipe</span> tries to make it as big as possible\n" -" to use all the available diskspace and then securely deletes it.\n" +" Note that a file called <span\n" +" class=\"filename\">oooooooo.ooo</span> is created in the\n" +" folder. <span class=\"application\">Nautilus Wipe</span> tries to\n" +" make it as big as possible to use all the available diskspace and\n" +" then securely deletes it.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>This option does not delete hidden files.To show hidden files, choose\n" +"<span class=\"menuchoice\"><span class=\"guimenu\">View</span> ▸ <span\n" +"class=\"guimenuitem\">Show hidden files</span></span>.</p>\n" msgstr "" diff --git a/wiki/src/doc/encryption_and_privacy/secure_deletion/wipe_available_diskspace.png b/wiki/src/doc/encryption_and_privacy/secure_deletion/wipe_available_diskspace.png index 6961708e2c262ee3a555a228d010fa458a3e491a..9c88fadd5b3112b8f505cb69178038320b26a503 100644 Binary files a/wiki/src/doc/encryption_and_privacy/secure_deletion/wipe_available_diskspace.png and b/wiki/src/doc/encryption_and_privacy/secure_deletion/wipe_available_diskspace.png differ diff --git a/wiki/src/doc/encryption_and_privacy/secure_deletion/wipe_files.png b/wiki/src/doc/encryption_and_privacy/secure_deletion/wipe_files.png index f9ebad03765872f2e022c26ba73a62cdfa6cbed4..d1093ea3e9cb7e747efb16ad8ed79a630faa5dc1 100644 Binary files a/wiki/src/doc/encryption_and_privacy/secure_deletion/wipe_files.png and b/wiki/src/doc/encryption_and_privacy/secure_deletion/wipe_files.png differ diff --git a/wiki/src/doc/encryption_and_privacy/truecrypt.fr.po b/wiki/src/doc/encryption_and_privacy/truecrypt.fr.po index 629c9b94b8e646842c531d5cfb48e161088c3a8d..1b5aa6d38a0e31bd2515c05dc48cf84db7bde358 100644 --- a/wiki/src/doc/encryption_and_privacy/truecrypt.fr.po +++ b/wiki/src/doc/encryption_and_privacy/truecrypt.fr.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-12-04 17:21+0100\n" -"PO-Revision-Date: 2014-10-09 17:15-0000\n" +"POT-Creation-Date: 2015-02-22 12:54+0100\n" +"PO-Revision-Date: 2015-01-19 16:50-0000\n" "Last-Translator: \n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" @@ -17,26 +17,20 @@ msgstr "" "X-Generator: Poedit 1.5.4\n" #. type: Plain text -#, fuzzy, no-wrap -#| msgid "Opening *TrueCrypt* volumes using `cryptsetup`\n" +#, no-wrap msgid "[[!meta title=\"Opening TrueCrypt volumes using cryptsetup\"]]\n" -msgstr "Ouvrir des volumes *TrueCrypt* en utilisant `cryptsetup`\n" +msgstr "[[!meta title=\"Ouvrir des volumes TrueCrypt avec cryptsetup\"]]\n" #. type: Plain text -#, fuzzy -#| msgid "" -#| "Lastly, on 28 May 2014, the [*TrueCrypt* website](http://truecrypt." -#| "sourceforge.net/) announced that the project was no longer maintained and " -#| "recommended users to find alternate solutions. That website now reads:" msgid "" "On 28 May 2014, the [*TrueCrypt* website](http://truecrypt.sourceforge.net/) " "announced that the project was no longer maintained and recommended users to " "find alternate solutions. That website now reads:" msgstr "" -"Dernièrement, le 28 mai 2014, le [site web de *TrueCrypt*](http://truecrypt." -"sourceforge.net/) a annoncé que le projet n'était plus maintenu et " -"recommandait aux utilisateurs de trouver des solutions alternatives. Le site " -"web affiche désormais :" +"Le 28 mai 2014, le [site web de *TrueCrypt*](http://truecrypt.sourceforge." +"net/) a annoncé que le projet n'était plus maintenu et recommandait aux " +"utilisateurs de trouver des solutions alternatives. Le site web affiche " +"désormais :" #. type: Plain text #, no-wrap @@ -46,43 +40,41 @@ msgstr "> ATTENTION: Utiliser TrueCrypt n'est pas sûr car pouvant contenir des #. type: Plain text #, no-wrap msgid "*TrueCrypt* was removed in Tails 1.2.1.\n" -msgstr "" +msgstr "*Truecrypt* n'est plus inclus depuis Tails 1.2.1.\n" #. type: Plain text #, no-wrap msgid "<div class=\"tip\">\n" -msgstr "" +msgstr "<div class=\"tip\">\n" #. type: Plain text -#, fuzzy, no-wrap -#| msgid "For the above reasons, we recommend that you use [[LUKS encrypted volumes|/doc/encryption_and_privacy/encrypted_volumes]] instead of *TrueCrypt* volumes." +#, no-wrap msgid "" "<p>We recommend that you use [[Tails encrypted persistence|doc/first_steps/persistence]] or [[LUKS encrypted\n" "volumes|/doc/encryption_and_privacy/encrypted_volumes]] instead of <span class=\"application\">TrueCrypt</span>\n" "volumes.</p>\n" -msgstr "Pour ces raisons, nous recommandons l'utilisation de [[volumes chiffrés LUKS|/doc/encryption_and_privacy/encrypted_volumes]] à la place des volumes *TrueCrypt*." +msgstr "" +"<p>Nous recommandons l'utilisation de la [[persistance chiffrée de Tails|doc/first_steps/persistence]] ou\n" +"des [[volumes chiffrés LUKS|/doc/encryption_and_privacy/encrypted_volumes]] à la place des volumes\n" +"<span class=\"application\">TrueCrypt</span>.</p>\n" #. type: Plain text #, no-wrap msgid "</div>\n" -msgstr "" +msgstr "</div>\n" #. type: Plain text -#, fuzzy -#| msgid "" -#| "You can open standard and hidden *TrueCrypt* volumes using the " -#| "`cryptsetup` command line tool." msgid "" "Still, you can open standard and hidden *TrueCrypt* volumes in Tails using " "the `cryptsetup` command line tool." msgstr "" -"Vous pouvez ouvrir des volumes *TrueCrypt* standards ou cachés en utilisant " -"l’outil en ligne de commande `cryptsetup`." +"Vous pouvez toujours ouvrir des volumes *TrueCrypt* standards ou cachés en " +"utilisant l’outil en ligne de commande `cryptsetup`." #. type: Plain text #, no-wrap msgid "<div class=\"note\">\n" -msgstr "" +msgstr "<div class=\"note\">\n" #. type: Plain text #, no-wrap @@ -186,8 +178,8 @@ msgid "" "chosen in step 3." msgstr "" "Après avoir tapé votre mot de passe et une fois que l'invite de commande " -"réapparaît, lancez les commandes suivantes pour monter le volume. Remplacer `" -"[name]` par le nom choisit à l'étape 3." +"réapparaît, lancez les commandes suivantes pour monter le volume. Remplacer " +"`[name]` par le nom choisit à l'étape 3." #. type: Plain text #, no-wrap diff --git a/wiki/src/doc/encryption_and_privacy/your_data_wont_be_saved_unless_explicitly_asked.de.po b/wiki/src/doc/encryption_and_privacy/your_data_wont_be_saved_unless_explicitly_asked.de.po index 2ce6938b7d412b27bbf56121b8b1995005a28c4d..cdcdb66e76e7e81481e7af55fef02dbb79f70c53 100644 --- a/wiki/src/doc/encryption_and_privacy/your_data_wont_be_saved_unless_explicitly_asked.de.po +++ b/wiki/src/doc/encryption_and_privacy/your_data_wont_be_saved_unless_explicitly_asked.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2013-01-09 21:25+0100\n" +"POT-Creation-Date: 2015-03-15 17:01+0100\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -31,10 +31,10 @@ msgstr "" #. type: Plain text msgid "" "Starting a computer on a media containing Tails doesn't change anything on " -"the operating system actually installed on your hard drive: as a live " -"system, Tails doesn't need to use your hard drive during the whole session. " -"Be your hard drive absent or damaged, it wouldn't prevent your computer to " -"start Tails. Consequently, removing the DVD or USB stick containing Tails is " +"the operating system actually installed on your hard disk: as a live system, " +"Tails doesn't need to use your hard disk during the whole session. Be your " +"hard disk absent or damaged, it wouldn't prevent your computer to start " +"Tails. Consequently, removing the DVD or USB stick containing Tails is " "enough to retrieve your usual operating system." msgstr "" @@ -44,3 +44,99 @@ msgid "" "device (other USB stick, other DVD or any device you would choose), or use " "the [[persistence feature|first_steps/persistence]]." msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"access_hdd\"></a>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Accessing internal hard disks\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"caution\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<p>Accessing internal disks of the computer has security implications:\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<ul>\n" +" <li>You can leave traces of your activities in Tails on the hard disks.</li>\n" +" <li>If Tails is compromised, a malware could install itself on your usual operating system.</li>\n" +" <li>If an application in Tails is compromised, it could access private data on your disks and use it to de-anonymize you.</li>\n" +"</ul>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +msgid "To access internal hard disks:" +msgstr "" + +#. type: Bullet: '1. ' +msgid "" +"When starting Tails, [[set up an administration password|doc/first_steps/" +"startup_options/administration_password/]]." +msgstr "" + +#. type: Bullet: '2. ' +msgid "" +"Open the [[*Nautilus* file manager|doc/first_steps/" +"introduction_to_gnome_and_the_tails_desktop#nautilus]]." +msgstr "" + +#. type: Bullet: '3. ' +msgid "Click on the hard disk of your choice in the left pane." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>If your usual operating system is in\n" +"hibernation, accessing it might corrupt your file system. Only access your disk\n" +"if your system was shut down properly.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"note\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>If your disks use LVM (Logical Volume Manager), you can start the\n" +"volume groups on the disks and mount logical volumes using\n" +"<span class=\"application\">GNOME Disk Utility</span>.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>If you have a GNU/Linux system on your disks, you can only access\n" +"files owned by the first user (<code>uid=1000</code>) on that system.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>In all cases, you might encounter permissions problems. To bypass\n" +"permission limitations, you can run <span class=\"application\">Nautilus</span>\n" +"with administration rights.</p>\n" +msgstr "" diff --git a/wiki/src/doc/encryption_and_privacy/your_data_wont_be_saved_unless_explicitly_asked.fr.po b/wiki/src/doc/encryption_and_privacy/your_data_wont_be_saved_unless_explicitly_asked.fr.po index 6039f322050468c06b3be687042be61eb44c220b..94ab0f39c3bc8fb668cef48887a4af09f159b112 100644 --- a/wiki/src/doc/encryption_and_privacy/your_data_wont_be_saved_unless_explicitly_asked.fr.po +++ b/wiki/src/doc/encryption_and_privacy/your_data_wont_be_saved_unless_explicitly_asked.fr.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2013-01-29 14:53+0100\n" -"PO-Revision-Date: 2013-01-10 09:53-0000\n" +"POT-Creation-Date: 2015-03-15 17:01+0100\n" +"PO-Revision-Date: 2015-02-21 13:13-0000\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" @@ -35,19 +35,19 @@ msgstr "" #. type: Plain text msgid "" "Starting a computer on a media containing Tails doesn't change anything on " -"the operating system actually installed on your hard drive: as a live " -"system, Tails doesn't need to use your hard drive during the whole session. " -"Be your hard drive absent or damaged, it wouldn't prevent your computer to " -"start Tails. Consequently, removing the DVD or USB stick containing Tails is " +"the operating system actually installed on your hard disk: as a live system, " +"Tails doesn't need to use your hard disk during the whole session. Be your " +"hard disk absent or damaged, it wouldn't prevent your computer to start " +"Tails. Consequently, removing the DVD or USB stick containing Tails is " "enough to retrieve your usual operating system." msgstr "" -"Démarrer un ordinateur sur un média contenant Tails ne change absolument " -"rien au système actuellement installé sur votre disque dur : comme tout " -"système live, Tails n'a jamais besoin de votre disque dur pendant toute la " -"durée de votre session. Le fait que votre disque dur soit absent ou " -"endommagé n'empêcherait aucunement Tails de fonctionner sur votre " -"ordinateur. Par conséquent, retirer le DVD ou la clé USB qui contient Tails " -"suffit à retrouver intact votre système d'exploitation d'origine." +"Démarrer un ordinateur sur un média contenant Tails ne change rien au " +"système d'exploitation actuellement installé sur votre disque dur : en tant " +"que système live, Tails n'a pas besoin d'utiliser votre disque dur pendant " +"toute la durée de votre session. Que votre disque dur soit absent ou " +"endommagé n'empêchera pas Tails de fonctionner sur votre ordinateur. Par " +"conséquent, retirer le DVD ou la clé USB contenant Tails suffit à retrouver " +"votre système d'exploitation habituel." #. type: Plain text msgid "" @@ -57,9 +57,127 @@ msgid "" msgstr "" "Vous devriez sauvegarder tout ce que vous voulez conserver pour y accéder " "plus tard sur un périphérique séparé (une autre clé USB, un autre DVD ou " -"tout autre périphérique de votre choix), ou utilisez la [[persistance|" +"tout autre périphérique de votre choix), ou utiliser la [[persistance|" "first_steps/persistence]]." +#. type: Plain text +#, no-wrap +msgid "<a id=\"access_hdd\"></a>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Accessing internal hard disks\n" +msgstr "Accéder aux disques durs internes\n" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"caution\">\n" +msgstr "<div class=\"caution\">\n" + +#. type: Plain text +#, no-wrap +msgid "<p>Accessing internal disks of the computer has security implications:\n" +msgstr "<p>Accéder aux disques durs internes de l'ordinateur a des conséquences en terme de sécurité :\n" + +#. type: Plain text +#, no-wrap +msgid "" +"<ul>\n" +" <li>You can leave traces of your activities in Tails on the hard disks.</li>\n" +" <li>If Tails is compromised, a malware could install itself on your usual operating system.</li>\n" +" <li>If an application in Tails is compromised, it could access private data on your disks and use it to de-anonymize you.</li>\n" +"</ul>\n" +msgstr "" +"<ul>\n" +" <li>Vous pouvez laisser des traces de vos activités dans Tails sur les disques durs.</li>\n" +" <li>Si Tails est compromis, un logiciel malveillant pourrait s'installer sur votre système d'exploitation habituel.</li>\n" +" <li>Si un logiciel de Tails est compromis, il pourrait accéder à des données privées de vos disques durs et les utiliser pour vous désanonymiser.</li>\n" +"</ul>\n" + +#. type: Plain text +#, no-wrap +msgid "</p>\n" +msgstr "</p>\n" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "</div>\n" + +#. type: Plain text +msgid "To access internal hard disks:" +msgstr "Pour accéder aux disques durs internes :" + +#. type: Bullet: '1. ' +msgid "" +"When starting Tails, [[set up an administration password|doc/first_steps/" +"startup_options/administration_password/]]." +msgstr "" +"Lors du démarrage de Tails, [[définir un mot de passe d'administration|doc/" +"first_steps/startup_options/administration_password/]]." + +#. type: Bullet: '2. ' +msgid "" +"Open the [[*Nautilus* file manager|doc/first_steps/" +"introduction_to_gnome_and_the_tails_desktop#nautilus]]." +msgstr "" + +#. type: Bullet: '3. ' +msgid "Click on the hard disk of your choice in the left pane." +msgstr "" +"Cliquer sur le disque dur de votre choix dans la partie gauche de la fenêtre." + +#. type: Plain text +#, no-wrap +msgid "" +"<p>If your usual operating system is in\n" +"hibernation, accessing it might corrupt your file system. Only access your disk\n" +"if your system was shut down properly.</p>\n" +msgstr "" +"<p>Si votre système d'exploitation habituel est en hibernation,\n" +"y avoir accès peut corrompre votre système de fichiers. Accédez uniquement à\n" +"votre disque dur sur votre système a été correctement éteint.</p>\n" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"note\">\n" +msgstr "<div class=\"note\">\n" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>If your disks use LVM (Logical Volume Manager), you can start the\n" +"volume groups on the disks and mount logical volumes using\n" +"<span class=\"application\">GNOME Disk Utility</span>.</p>\n" +msgstr "" +"<p>Si vos disques utilisent LVM (Logical Volume Manager ou gestionnaire de volumes logiques en français),\n" +"vous pouvez lancer les groupes de volumes des disques et monter les volumes logiques\n" +"en utilisant l'<span class=\"application\">utilitaire de disque de GNOME</span>.</p>\n" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>If you have a GNU/Linux system on your disks, you can only access\n" +"files owned by the first user (<code>uid=1000</code>) on that system.</p>\n" +msgstr "" +"<p>Si vous avez un système GNU/Linux sur vos disques, vous pourrez seulement\n" +"accéder aux fichiers appartenant au premier utilisateur (<code>uid=1000</code>) sur ce système.</p>\n" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>In all cases, you might encounter permissions problems. To bypass\n" +"permission limitations, you can run <span class=\"application\">Nautilus</span>\n" +"with administration rights.</p>\n" +msgstr "" +"<p>Dans tous les cas, vous pourrez rencontrer des problèmes de permissions. Pour contourner\n" +"ces limitations dues aux permissions, vous pouvez lancer <span class=\"application\">Nautilus</span>\n" +"avec les droits d'administration.</p>\n" + +#~ msgid "Open the *Nautilus* file manager." +#~ msgstr "Ouvrir le gestionnaire de fichier *Nautilus*." + #~ msgid "" #~ "A consequence of this amnesia is that you can't save anything on the " #~ "device containing Tails, be it files you create or download or any " diff --git a/wiki/src/doc/encryption_and_privacy/your_data_wont_be_saved_unless_explicitly_asked.mdwn b/wiki/src/doc/encryption_and_privacy/your_data_wont_be_saved_unless_explicitly_asked.mdwn index 8896a84a057b774d5bc838a09185e4f698885121..be490df850e3bce2c4ad758db0715836634452ad 100644 --- a/wiki/src/doc/encryption_and_privacy/your_data_wont_be_saved_unless_explicitly_asked.mdwn +++ b/wiki/src/doc/encryption_and_privacy/your_data_wont_be_saved_unless_explicitly_asked.mdwn @@ -5,8 +5,8 @@ computer you're using unless you ask it explicitly. It is important to understand some of the consequences of that. Starting a computer on a media containing Tails doesn't change anything on the -operating system actually installed on your hard drive: as a live system, Tails -doesn't need to use your hard drive during the whole session. Be your hard drive absent +operating system actually installed on your hard disk: as a live system, Tails +doesn't need to use your hard disk during the whole session. Be your hard disk absent or damaged, it wouldn't prevent your computer to start Tails. Consequently, removing the DVD or USB stick containing Tails is enough to retrieve your usual operating system. @@ -15,4 +15,52 @@ You should save anything you want to keep for later access into a separate device (other USB stick, other DVD or any device you would choose), or use the [[persistence feature|first_steps/persistence]]. +<a id="access_hdd"></a> +Accessing internal hard disks +============================= + +<div class="caution"> + +<p>Accessing internal disks of the computer has security implications: + +<ul> + <li>You can leave traces of your activities in Tails on the hard disks.</li> + <li>If Tails is compromised, a malware could install itself on your usual operating system.</li> + <li>If an application in Tails is compromised, it could access private data on your disks and use it to de-anonymize you.</li> +</ul> + +</p> + +</div> + +To access internal hard disks: + +1. When starting Tails, [[set up an administration password|doc/first_steps/startup_options/administration_password/]]. + +2. Open the [[*Nautilus* file manager|doc/first_steps/introduction_to_gnome_and_the_tails_desktop#nautilus]]. + +3. Click on the hard disk of your choice in the left pane. + +<div class="caution"> + +<p>If your usual operating system is in +hibernation, accessing it might corrupt your file system. Only access your disk +if your system was shut down properly.</p> + +</div> + +<div class="note"> + +<p>If your disks use LVM (Logical Volume Manager), you can start the +volume groups on the disks and mount logical volumes using +<span class="application">GNOME Disk Utility</span>.</p> + +<p>If you have a GNU/Linux system on your disks, you can only access +files owned by the first user (<code>uid=1000</code>) on that system.</p> + +<p>In all cases, you might encounter permissions problems. To bypass +permission limitations, you can run <span class="application">Nautilus</span> +with administration rights.</p> + +</div> diff --git a/wiki/src/doc/encryption_and_privacy/your_data_wont_be_saved_unless_explicitly_asked.pt.po b/wiki/src/doc/encryption_and_privacy/your_data_wont_be_saved_unless_explicitly_asked.pt.po index 2ce6938b7d412b27bbf56121b8b1995005a28c4d..cdcdb66e76e7e81481e7af55fef02dbb79f70c53 100644 --- a/wiki/src/doc/encryption_and_privacy/your_data_wont_be_saved_unless_explicitly_asked.pt.po +++ b/wiki/src/doc/encryption_and_privacy/your_data_wont_be_saved_unless_explicitly_asked.pt.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2013-01-09 21:25+0100\n" +"POT-Creation-Date: 2015-03-15 17:01+0100\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -31,10 +31,10 @@ msgstr "" #. type: Plain text msgid "" "Starting a computer on a media containing Tails doesn't change anything on " -"the operating system actually installed on your hard drive: as a live " -"system, Tails doesn't need to use your hard drive during the whole session. " -"Be your hard drive absent or damaged, it wouldn't prevent your computer to " -"start Tails. Consequently, removing the DVD or USB stick containing Tails is " +"the operating system actually installed on your hard disk: as a live system, " +"Tails doesn't need to use your hard disk during the whole session. Be your " +"hard disk absent or damaged, it wouldn't prevent your computer to start " +"Tails. Consequently, removing the DVD or USB stick containing Tails is " "enough to retrieve your usual operating system." msgstr "" @@ -44,3 +44,99 @@ msgid "" "device (other USB stick, other DVD or any device you would choose), or use " "the [[persistence feature|first_steps/persistence]]." msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"access_hdd\"></a>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Accessing internal hard disks\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"caution\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<p>Accessing internal disks of the computer has security implications:\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<ul>\n" +" <li>You can leave traces of your activities in Tails on the hard disks.</li>\n" +" <li>If Tails is compromised, a malware could install itself on your usual operating system.</li>\n" +" <li>If an application in Tails is compromised, it could access private data on your disks and use it to de-anonymize you.</li>\n" +"</ul>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +msgid "To access internal hard disks:" +msgstr "" + +#. type: Bullet: '1. ' +msgid "" +"When starting Tails, [[set up an administration password|doc/first_steps/" +"startup_options/administration_password/]]." +msgstr "" + +#. type: Bullet: '2. ' +msgid "" +"Open the [[*Nautilus* file manager|doc/first_steps/" +"introduction_to_gnome_and_the_tails_desktop#nautilus]]." +msgstr "" + +#. type: Bullet: '3. ' +msgid "Click on the hard disk of your choice in the left pane." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>If your usual operating system is in\n" +"hibernation, accessing it might corrupt your file system. Only access your disk\n" +"if your system was shut down properly.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"note\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>If your disks use LVM (Logical Volume Manager), you can start the\n" +"volume groups on the disks and mount logical volumes using\n" +"<span class=\"application\">GNOME Disk Utility</span>.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>If you have a GNU/Linux system on your disks, you can only access\n" +"files owned by the first user (<code>uid=1000</code>) on that system.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>In all cases, you might encounter permissions problems. To bypass\n" +"permission limitations, you can run <span class=\"application\">Nautilus</span>\n" +"with administration rights.</p>\n" +msgstr "" diff --git a/wiki/src/doc/first_steps/accessibility.fr.po b/wiki/src/doc/first_steps/accessibility.fr.po index 794c826f90f4fee8a8f538a7ffcd1363ff7df1ec..f004fb0454e53a15d064dfa078276df55869de39 100644 --- a/wiki/src/doc/first_steps/accessibility.fr.po +++ b/wiki/src/doc/first_steps/accessibility.fr.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: \n" -"POT-Creation-Date: 2014-10-15 18:40+0300\n" -"PO-Revision-Date: 2013-12-09 00:54+0100\n" +"POT-Creation-Date: 2015-02-22 12:54+0100\n" +"PO-Revision-Date: 2015-01-18 11:07-0000\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" @@ -100,12 +100,7 @@ msgid "<div class=\"bug\">\n" msgstr "" #. type: Plain text -#, fuzzy, no-wrap -#| msgid "" -#| "The screen reading functionality of <span class=\"application\">GNOME\n" -#| "Orca</span> works neither with the <span\n" -#| "class=\"application\">Tor Browser</span> nor with the <span\n" -#| "class=\"application\">Unsafe Web Browser</span>.\n" +#, no-wrap msgid "" "The screen reading functionality of <span class=\"application\">GNOME\n" "Orca</span> works neither with <span\n" @@ -114,7 +109,7 @@ msgid "" msgstr "" "La fonctionnalité de lecture de l'écran d'<span class=\"application\">Orca\n" "de GNOME</span> ne marche ni avec le<span\n" -"class=\"application\">Tor Browser</span> ni avec le <span\n" +"class=\"application\">navigateur Tor</span> ni avec le <span\n" "class=\"application\">Navigateur Web Non-sécurisé</span>.\n" #. type: Plain text diff --git a/wiki/src/doc/first_steps/bug_reporting.de.po b/wiki/src/doc/first_steps/bug_reporting.de.po index ae7fc2702ac87e382d8855c373484559cd51ec1b..ea68da2e32a9aa22060432a8104af5a50b164e98 100644 --- a/wiki/src/doc/first_steps/bug_reporting.de.po +++ b/wiki/src/doc/first_steps/bug_reporting.de.po @@ -3,121 +3,141 @@ # This file is distributed under the same license as the PACKAGE package. # FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. # -#, fuzzy msgid "" msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" +"Project-Id-Version: Tails\n" "POT-Creation-Date: 2014-05-09 10:11+0300\n" -"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" -"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" -"Language-Team: LANGUAGE <LL@li.org>\n" -"Language: \n" +"PO-Revision-Date: 2015-01-28 17:50+0100\n" +"Last-Translator: Tails translators <tails@boum.org>\n" +"Language-Team: Tails Language Team <tails@boum.org>\n" +"Language: de\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: ENCODING\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Generator: Poedit 1.6.10\n" #. type: Plain text #, no-wrap msgid "[[!meta title=\"Report an error\"]]\n" -msgstr "" +msgstr "[[!meta title=\"Einen Fehler melden\"]]\n" #. type: Plain text msgid "" "In this documentation we use the term *bug* to refer to a software error." msgstr "" +"In dieser Dokumentation verwenden wir das Wort *Bug* wenn wir von einem " +"Softwarefehler reden. " #. type: Plain text msgid "Reporting bugs is a great way of helping us improving Tails." msgstr "" +"Bugs zu melden ist eine prima Möglichkeit um uns zu helfen, Tails zu " +"verbessern." #. type: Plain text msgid "" "Remember that **the more effectively you report a bug**, the more likely we " "are to fix it." msgstr "" +"Denken Sie daran, **je detaillierter Sie einen Bug beschreiben**, umso eher " +"können wir ihn beheben." #. type: Plain text #, no-wrap msgid "[[!toc levels=2]]\n" -msgstr "" +msgstr "[[!toc levels=2]]\n" #. type: Plain text #, no-wrap msgid "<a id=\"already_known\"></a>\n" -msgstr "" +msgstr "<a id=\"already_known\"></a>\n" #. type: Title = #, no-wrap msgid "Check if the bug is already known\n" -msgstr "" +msgstr "Schauen Sie, ob der Fehler schon bekannt ist\n" #. type: Plain text msgid "Have a look at:" -msgstr "" +msgstr "Werfen Sie einen Blick auf:" #. type: Bullet: ' - ' msgid "the [[list of known issues|support/known_issues]]" -msgstr "" +msgstr "die [[Liste von bekannen Probleme|support/known_issues]]" #. type: Bullet: ' - ' msgid "the [[!tails_redmine desc=\"list of things to do\"]]" -msgstr "" +msgstr "die [[!tails_redmine desc=\"Todo-Liste\"]]" #. type: Bullet: ' - ' msgid "" "the [list of things that will be fixed or improved in the next release]" "(https://labs.riseup.net/code/projects/tails/issues?query_id=111)" msgstr "" +"die [Liste an Dingen, die in der nächsten Version repariert oder verbessert " +"werden](https://labs.riseup.net/code/projects/tails/issues?query_id=111)" #. type: Plain text #, no-wrap msgid "<a id=\"useful_bug_report\"></a>\n" -msgstr "" +msgstr "<a id=\"useful_bug_report\"></a>\n" #. type: Title = #, no-wrap msgid "How to write a useful bug report\n" -msgstr "" +msgstr "Wie schreibe ich eine nützliche Fehlerbeschreibung?\n" #. type: Bullet: ' - ' msgid "" "The first aim of a bug report is to **tell the developers exactly how to " "reproduce the failure**." msgstr "" +"Das Hauptziel einer Fehlerbeschreibung ist es, **den Entwicklern genau zu " +"sagen wie der Fehler reproduziert werden kann**." #. type: Bullet: ' - ' msgid "" "If that is not possible, try to **describe what went wrong in detail**. " "Write down the error messages, especially if they have numbers." msgstr "" +"Falls das nicht möglich ist, versuchen Sie **detailliert zu beschreiben, was " +"nicht funktionierte**. Schreiben Sie Fehlermeldungen auf, vor allem wenn " +"diese Nummern haben." #. type: Bullet: ' - ' msgid "" "Write **clearly and be precise**. Say what you mean, and make sure it cannot " "be misinterpreted." msgstr "" +"Schreiben Sie **klar und präzise**. Sagen Sie was Sie meinen und stellen Sie " +"sicher, dass es nicht falsch verstanden werden kann." #. type: Bullet: ' - ' msgid "" "Be ready to provide extra information if the developers need it. If they did " "not need it, they would not be asking for it." msgstr "" +"Seien Sie bereit, zusätzliche Angaben zu machen, falls die Entwickler sie " +"brauchen. Andernfalls würden sie nicht danach fragen." #. type: Plain text msgid "" "You can also refer to the great [How to Report Bugs Effectively](http://www." "chiark.greenend.org.uk/~sgtatham/bugs.html), by Simon Tatham." msgstr "" +"Sie können auch im großartigen Text [Fehlerberichte - wie Sie Softwarefehler " +"melden sollten](http://www.chiark.greenend.org.uk/~sgtatham/bugs-de.html) " +"von Simon Tatham nachlesen." #. type: Plain text #, no-wrap msgid "<a id=\"whisperback\"></a>\n" -msgstr "" +msgstr "<a id=\"whisperback\"></a>\n" #. type: Title = #, no-wrap msgid "Use WhisperBack\n" -msgstr "" +msgstr "Benutzen Sie WhisperBack\n" #. type: Plain text #, no-wrap @@ -126,17 +146,23 @@ msgid "" "from inside Tails. If you are not able to use WhisperBack, see the [[special\n" "cases|bug_reporting#special_cases]].**\n" msgstr "" +"**WhisperBack ist eine Anwendung, die speziell dafür geschrieben wurde, Fehler anonym\n" +"aus Tails heraus zu melden. Falls Sie WhisperBack nicht verwenden können, lesen Sie\n" +"[[Spezialfälle|bug_reporting#special_cases]].**\n" #. type: Plain text msgid "" "WhisperBack will help you fill-up a bug report, including relevant technical " "details and send it to us encrypted and through Tor." msgstr "" +"WhisperBack hilft Ihnen, eine Fehlerbeschreibung zu erstellen, die die " +"relevanten technischen Informationen enthält, und uns diese verschlüsselt " +"über Tor zukommen zu lassen." #. type: Title - #, no-wrap msgid "Start WhisperBack\n" -msgstr "" +msgstr "Starten Sie WhisperBack\n" #. type: Plain text #, no-wrap @@ -147,36 +173,43 @@ msgid "" " <span class=\"guisubmenu\">System Tools</span> ▸\n" " <span class=\"guimenuitem\">WhisperBack</span></span>.\n" msgstr "" +"Um <span class=\"application\">WhisperBack</span> zu starten, wählen Sie\n" +"<span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Anwendungen</span> ▸\n" +" <span class=\"guisubmenu\">Systemwerkzeuge</span> ▸\n" +" <span class=\"guimenuitem\">WhisperBack</span></span>.\n" #. type: Title - #, no-wrap msgid "Write the report\n" -msgstr "" +msgstr "Schreiben Sie die Fehlerbeschreibung\n" #. type: Plain text msgid "WhisperBack lets you give plenty of useful information about your bug:" -msgstr "" +msgstr "WhisperBack lässt Sie zahlreiche Informationen zu dem Fehler angeben:" #. type: Bullet: ' - ' msgid "" "**Summary** a summary of the bug, try to be short, clear and informative" msgstr "" +"**Zusammenfassung** eine Zusammenfassung des Fehlers, versuchen Sie sich " +"kurz zu halten und klar und informativ zu formulieren" #. type: Bullet: ' - ' msgid "**Name of the affected software**" -msgstr "" +msgstr "**Name der betroffenen Software**" #. type: Bullet: ' - ' msgid "**Exact steps to reproduce the error**" -msgstr "" +msgstr "**Genaue Schritte um den Fehler zu reproduzieren**" #. type: Bullet: ' - ' msgid "**Actual result and description of the error**" -msgstr "" +msgstr "**Tatsächliches Ergebnis und Fehlerbeschreibung**" #. type: Bullet: ' - ' msgid "**Desired result**" -msgstr "" +msgstr "**Erwartetes Ergebnis**" #. type: Plain text #, no-wrap @@ -185,11 +218,14 @@ msgid "" "to include</span> in your bug report. It will give us information about\n" "your hardware, your version of Tails and the startup process.\n" msgstr "" +"Sie können auch die <span class=\"guilabel\">Technischen Details\n" +"zum Einbeziehen</span> in Ihrem Fehlerbericht überprüfen. Diese geben uns Informationen zu\n" +"Ihrer Hardware, Ihrer Tails-Version und zum Start des Tails-Systems.\n" #. type: Title - #, no-wrap msgid "Optional email address\n" -msgstr "" +msgstr "Optionale E-Mail-Addresse\n" #. type: Plain text msgid "" @@ -199,116 +235,141 @@ msgid "" "also provides an opportunity for eavesdroppers, like your email or Internet " "provider, to confirm that you are using Tails." msgstr "" +"Wenn Sie uns eine E-Mail-Adresse angeben, ermöglichen Sie es uns, mit Ihnen " +"in Kontakt zu treten um das Problem zu klären. Dies wird für die " +"überwiegende Mehrheit der Berichte die wir bekommen benötigt, da die meisten " +"Berichte ohne Kontaktinformation unbrauchbar sind. Jedoch bietet dies auch " +"eine Möglichkeit zur Überwachung, z.B. von Ihrem E-Mail- oder " +"Internetprovider, um zu bestätigen, dass Sie Tails benutzen." #. type: Title - #, no-wrap msgid "Optional OpenPGP key\n" -msgstr "" +msgstr "Optionaler OpenPGP Schlüssel\n" #. type: Plain text msgid "" "You can also indicate an OpenPGP key corresponding to this email address. " "You can either give:" msgstr "" +"Sie können auch einen OpenPGP Schlüssel angeben, der zu der E-Mail-Adresse " +"gehört. Sie können angeben:" #. type: Bullet: ' - ' msgid "a **key ID**, if the key is available on public key servers" msgstr "" +"eine **Schlüssel ID**, falls der Schlüssel auf einem öffentlichen " +"Schlüsselserver abrufbar ist" #. type: Bullet: ' - ' msgid "a **link to the key**, if the key is available on the web" msgstr "" +"einen **Link zu dem Schlüssel**, falls der Schlüssel im Web abrufbar ist" #. type: Bullet: ' - ' msgid "a **public key block**, if the key is not publicly available" msgstr "" +"einen **öffentlichen Schlüssel**, falls der Schlüssel nicht öffentlich " +"abrufbar ist" #. type: Title - #, no-wrap msgid "Send your report\n" -msgstr "" +msgstr "Versenden Sie ihre Fehlerbeschreibung\n" #. type: Plain text msgid "" "Once you are done writing your report, send it by clicking the *Send* button." msgstr "" +"Wenn Sie fertig sind, Ihre Fehlerbeschreibung zu verfassen, senden Sie diese " +"indem Sie den *Senden* Button drücken." #. type: Plain text -#, no-wrap msgid "" "Once your email has been sent correctly you will get the following\n" "notification: <span class=\"guilabel\">Your message has been sent</span>.\n" msgstr "" +"Sobald Ihre E-Mail korrekt versandt wurde werden Sie folgenden Hinweis " +"sehen: <span class=\"guilabel\">Ihre Nachricht wurde versandt</span>.\n" #. type: Plain text #, no-wrap msgid "<a id=\"special_cases\"></a>\n" -msgstr "" +msgstr "<a id=\"special_cases\"></a>\n" #. type: Title = #, no-wrap msgid "Special cases\n" -msgstr "" +msgstr "Spezialfälle\n" #. type: Plain text msgid "" "You might not always be able to use WhisperBack. In those cases, you can " "also send your bug report by [[email|support/talk]] directly." msgstr "" +"Sie können möglicherweise nicht immer WhisperBack benutzen. In diesem Falle " +"können Sie uns die Fehlerbeschreibung auch per [[E-Mail|support/talk]] " +"direkt zusenden." #. type: Plain text msgid "" "Note that if you send the report yourself, it might not be anonymous unless " "you take special care (e.g. using Tor with a throw-away email account)." msgstr "" +"Falls Sie die Fehlerbeschreibung selber versenden, denken Sie daran, dass " +"diese nicht anonym sein wird, solange Sie keine speziellen Vorkehrungen " +"treffen (z.B. indem Sie Tor mit einem Wegwerf E-Mail Account verwenden)." #. type: Plain text #, no-wrap msgid "<a id=\"no_internet_access\"></a>\n" -msgstr "" +msgstr "<a id=\"no_internet_access\"></a>\n" #. type: Title - #, no-wrap msgid "No internet access\n" -msgstr "" +msgstr "Keine Internetverbindung\n" #. type: Plain text msgid "WhisperBack won't be able to send your bug report." -msgstr "" +msgstr "WhisperBack wird Ihre Fehlerbeschreibung nicht versenden können." #. type: Plain text msgid "The following steps can be used as an alternative method:" -msgstr "" +msgstr "Die folgenden Schritte können Sie alternativ durchführen:" #. type: Bullet: '1. ' msgid "In Tails, start WhisperBack" -msgstr "" +msgstr "Starten Sie Whisperback in Tails" #. type: Bullet: '2. ' msgid "In the bug report window, expand \"technical details to include\"" msgstr "" +"Im Fehlermeldungsfenster gehen Sie auf \"Technische Details zum Einbeziehen\"" #. type: Bullet: '3. ' msgid "Copy everything in the \"debugging info\" box" -msgstr "" +msgstr "Kopieren Sie alles in dem Feld \"Informationen zur Fehlersuche\"" #. type: Bullet: '4. ' msgid "Paste it to another document (using gedit for instance)" -msgstr "" +msgstr "Fügen Sie es in ein anderes Dokument ein (z.B. mit Gedit)." #. type: Bullet: '5. ' msgid "Save the document on a USB stick" -msgstr "" +msgstr "Speichern Sie das Dokument auf einem USB Stick" #. type: Bullet: '6. ' msgid "Boot into a system with Internet connection and send your report" msgstr "" +"Starten Sie ein System, das eine Internetverbindung hat und versenden Sie " +"ihre Fehlerbeschreibung" #. type: Title - #, no-wrap msgid "Tails does not start\n" -msgstr "" +msgstr "Tails startet nicht\n" #. type: Plain text msgid "See [[Tails_does_not_start]]." -msgstr "" +msgstr "Lesen Sie [[Tails startet nicht|Tails_does_not_start]]." diff --git a/wiki/src/doc/first_steps/installation.de.po b/wiki/src/doc/first_steps/installation.de.po index 39fe2549678b13899e8f5df85db4217fb24abda3..4a5049fb3a9c6e1447083790e97f40bb03fbf84a 100644 --- a/wiki/src/doc/first_steps/installation.de.po +++ b/wiki/src/doc/first_steps/installation.de.po @@ -3,23 +3,23 @@ # This file is distributed under the same license as the PACKAGE package. # FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. # -#, fuzzy msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-09-22 19:49+0300\n" -"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" -"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"POT-Creation-Date: 2015-05-11 14:31+0000\n" +"PO-Revision-Date: 2015-04-30 21:20+0100\n" +"Last-Translator: spriver <spriver@autistici.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"X-Generator: Poedit 1.5.4\n" #. type: Plain text #, no-wrap msgid "[[!meta title=\"Installing onto a USB stick or SD card\"]]\n" -msgstr "" +msgstr "[[!meta title=\"Auf einen USB-Stick oder eine SD-Karte installieren\"]]\n" #. type: Plain text #, no-wrap @@ -27,11 +27,13 @@ msgid "" "Tails includes <span class=\"application\">Tails Installer</span>: a custom\n" "installer for USB sticks and SD cards.\n" msgstr "" +"Tails beinhaltet den <span class=\"application\">Tails Installer</span>: Einen\n" +"angepassten Installer für USB-Sticks und SD-Karten.\n" #. type: Plain text #, no-wrap msgid "<div class=\"tip\">\n" -msgstr "" +msgstr "<div class=\"tip\">\n" #. type: Plain text #, no-wrap @@ -40,16 +42,19 @@ msgid "" "later [[create a persistent volume|persistence]] in the free space\n" "left on the device.</p>\n" msgstr "" +"<p>Das Nutzen des <span class=\"application\">Tails Installers</span> erlaubt es Ihnen,\n" +"später einen [[verschlüsselten beständigen Speicherbereich|persistence]] im verbliebenen,\n" +"freien Speicherplatz, zu erstellen.</p>\n" #. type: Plain text #, no-wrap msgid "</div>\n" -msgstr "" +msgstr "</div>\n" #. type: Plain text #, no-wrap msgid "<div class=\"note\">\n" -msgstr "" +msgstr "<div class=\"note\">\n" #. type: Plain text #, no-wrap @@ -57,6 +62,20 @@ msgid "" "<p><span class=\"application\">Tails Installer</span> can only install Tails on a\n" "USB stick or SD card of <strong>at least 4 GB</strong>.</p>\n" msgstr "" +"<p>Der <span class=\"application\">Tails Installer</span> kann Tails nur auf einen\n" +"USB-Stick oder eine SD-Karte mit einer Größe von <strong>mindestens 4 GB</strong> installieren.</p>\n" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>Tails requires a dedicated USB stick or SD card. It is impossible to add\n" +"another operating system or partition on the same device if you want to benefit\n" +"from [[automatic upgrades|upgrade]] or create a [[persistent encrypted volume|persistence]].</p>\n" +msgstr "" +"<p>Tails benötigt einen eigenen USB-Stick bzw. eine eigene SD-Karte. Es ist nicht möglich,\n" +"ein anderes Betriebssystem oder eine andere Partition auf das gleiche Medium hinzuzufügen, wenn\n" +"Sie von [[automatischen Upgrades|upgrade]] profitieren oder einen [[verschlüsselten beständigen Speicherbereich|persistence]]\n" +"erstellen möchten.</p>\n" #. type: Plain text #, no-wrap @@ -65,26 +84,34 @@ msgid "" "available from inside Tails. So you need to start Tails from a first\n" "media, and later clone it onto the device of your choice, USB stick or SD card.\n" msgstr "" +"Zurzeit ist der <span class=\"application\">Tails Installer</span> nur innerhalb von\n" +"Tails verfügbar. Also müssen Sie Tails zunächst von einem anderen Medium starten und es anschließend\n" +"auf das Medium Ihrer Wahl, USB-Stick oder SD-Karte, übertragen.\n" #. type: Bullet: '1. ' msgid "Get a first Tails running. To do so you can either:" msgstr "" +"Bringen Sie ein erstes Tails zum Laufen. Um dies zu tun können Sie entweder:" #. type: Bullet: ' - ' msgid "Start Tails from a [[Tails DVD|dvd]] (recommended)." -msgstr "" +msgstr "Tails von einer [[Tails DVD|dvd]] starten (empfohlen)." #. type: Bullet: ' - ' msgid "" "Start Tails from another Tails USB stick or SD card, for example from a " "friend." msgstr "" +"Tails von einem anderen USB-Stick oder einer anderen SD-Karte starten, " +"beispielsweise von einem Freund." #. type: Bullet: ' - ' msgid "" "[[Manually install Tails onto another USB or SD card|installation/manual]] " "and start *Tails Installer* from it." msgstr "" +"[[Tails manuell auf einen anderen USB-Stick oder eine andere SD-Karte " +"installieren|installation/manual]] und den *Tails Installer* davon starten." #. type: Plain text #, no-wrap @@ -97,16 +124,26 @@ msgid "" " </span>\n" " to start <span class=\"application\">Tails Installer</span>.\n" msgstr "" +"2. Wählen Sie\n" +" <span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Anwendungen</span> ▸\n" +" <span class=\"guisubmenu\">Tails</span> ▸\n" +" <span class=\"guimenuitem\">Tails Installer</span>\n" +" </span>\n" +" um den <span class=\"application\">Tails Installer</span> zu starten.\n" #. type: Bullet: '3. ' msgid "" "To install onto a new device, click on the <span class=\"button\">Clone & " "Install</span> button." msgstr "" +"Um auf ein neues Medium zu Installieren, klicken Sie bitte auf die <span " +"class=\"button\">Klonen & Installieren</span>-Schaltfläche." #. type: Bullet: '4. ' msgid "Plug the device onto which you want to install Tails." msgstr "" +"Schließen Sie das Medium an, auf welches Sie Tails installieren möchten." #. type: Plain text #, no-wrap @@ -114,17 +151,21 @@ msgid "" " A new device, which corresponds to the USB stick or SD card, appears in the\n" " <span class=\"guilabel\">Target Device</span> drop-down list.\n" msgstr "" +"Ein neues Medium, welches dem USB-Stick oder der SD-Karte entspricht, taucht in der\n" +" <span class=\"guilabel\">Zielmedium</span> Auswahl-Liste auf.\n" #. type: Bullet: '5. ' msgid "" "Choose this new device from the <span class=\"guilabel\">Target Device</" "span> drop-down list." msgstr "" +"Wählen Sie dieses neue Medium von der <span class=\"guilabel\">Zielmedium</" +"span> Auswahl-Liste aus." #. type: Plain text #, no-wrap msgid " <div class=\"caution\">\n" -msgstr "" +msgstr " <div class=\"caution\">\n" #. type: Plain text #, no-wrap @@ -139,28 +180,41 @@ msgid "" " device which is being cloned.</strong></li>\n" " </ul>\n" msgstr "" +" <ul>\n" +" <li><strong>Alle Daten auf dem Zielmedium\n" +" gehen verloren</strong></li>\n" +" <li><strong>Die verlorenen Daten auf dem Zielmedium werden\n" +" [[nicht sicher gelöscht|encryption_and_privacy/secure_deletion]]\n" +" </strong></li>\n" +" <li><strong>Dieser Vorgang kopiert nicht den verschlüsselten beständigen\n" +" Speicherbereich des Mediums, von dem geklont wird, mit</strong></li>\n" +" </ul>\n" #. type: Plain text #, no-wrap msgid " </div>\n" -msgstr "" +msgstr " </div>\n" #. type: Bullet: '6. ' msgid "" "To start the installation, click on the <span class=\"button\">Install " "Tails</span> button." msgstr "" +"Um die Installation zu starten klicken Sie bitte auf die <span class=\"button" +"\">Tails installieren</span> Schaltfläche." #. type: Bullet: '7. ' msgid "" "Read the warning message in the pop-up window. Click on the <span class=" "\"button\">Yes</span> button to confirm." msgstr "" +"Lesen Sie den Warnhinweis im Pop-Up Fenster. Klicken Sie zum Bestätigen auf " +"die <span class=\"button\">Ja</span> Schaltfläche." #. type: Plain text #, no-wrap msgid "<div class=\"next\">\n" -msgstr "" +msgstr "<div class=\"next\">\n" #. type: Plain text #, no-wrap @@ -168,3 +222,5 @@ msgid "" "<p>After the installation completes, you can [[start Tails|start_tails]]\n" "from this new device.</p>\n" msgstr "" +"<p>Nachdem die Installation abgeschlossen ist, können Sie\n" +"von diesem neuen Medium [[Tails starten|start_tails]].</p>\n" diff --git a/wiki/src/doc/first_steps/installation.fr.po b/wiki/src/doc/first_steps/installation.fr.po index 7997cf4cce88b76d6d741e8a1ffd3d1284d77430..56606e7ea876e25e1bdba5aa8ed73738fb41d091 100644 --- a/wiki/src/doc/first_steps/installation.fr.po +++ b/wiki/src/doc/first_steps/installation.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: SACKAGE VERSION\n" -"POT-Creation-Date: 2014-11-29 10:09+0100\n" +"POT-Creation-Date: 2015-04-24 23:21+0300\n" "PO-Revision-Date: 2014-10-08 08:58-0000\n" "Last-Translator: \n" "Language-Team: SLANGUAGE <LL@li.org>\n" @@ -65,6 +65,14 @@ msgstr "" "<p>L'<span class=\"application\">Installeur de Tails</span> peut uniquement installer Tails\n" "sur une clé USB ou une carte SD d'<strong>au moins 4 Go</strong>.</p>\n" +#. type: Plain text +#, no-wrap +msgid "" +"<p>Tails requires a dedicated USB stick or SD card. It is impossible to add\n" +"another operating system or partition on the same device if you want to benefit\n" +"from [[automatic upgrades|upgrade]] or create a [[persistent encrypted volume|persistence]].</p>\n" +msgstr "" + #. type: Plain text #, no-wrap msgid "" diff --git a/wiki/src/doc/first_steps/installation.mdwn b/wiki/src/doc/first_steps/installation.mdwn index 4fea29af976a23f74e4ab67c24ca9abbfdd3b864..9e68b2dc8379a00f0089444f9c5232315fa0b3cf 100644 --- a/wiki/src/doc/first_steps/installation.mdwn +++ b/wiki/src/doc/first_steps/installation.mdwn @@ -18,6 +18,14 @@ USB stick or SD card of <strong>at least 4 GB</strong>.</p> </div> +<div class="note"> + +<p>Tails requires a dedicated USB stick or SD card. It is impossible to add +another operating system or partition on the same device if you want to benefit +from [[automatic upgrades|upgrade]] or create a [[persistent encrypted volume|persistence]].</p> + +</div> + For the moment, <span class="application">Tails Installer</span> is only available from inside Tails. So you need to start Tails from a first media, and later clone it onto the device of your choice, USB stick or SD card. diff --git a/wiki/src/doc/first_steps/installation.pt.po b/wiki/src/doc/first_steps/installation.pt.po index 0331bbd568713b7539b1aea15f94f4b50e016eb5..5f998210920312972d1867a2512819e91b87b236 100644 --- a/wiki/src/doc/first_steps/installation.pt.po +++ b/wiki/src/doc/first_steps/installation.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-09-22 19:49+0300\n" +"POT-Creation-Date: 2015-04-24 23:21+0300\n" "PO-Revision-Date: 2014-06-13 17:44-0300\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -71,6 +71,14 @@ msgstr "" "<p>O <span class=\"application\">Tails Installer</span> somente pode instalar o Tails\n" "em uma memória USB ou cartão SD com <strong>ao menos 4 GB</strong>.</p>\n" +#. type: Plain text +#, no-wrap +msgid "" +"<p>Tails requires a dedicated USB stick or SD card. It is impossible to add\n" +"another operating system or partition on the same device if you want to benefit\n" +"from [[automatic upgrades|upgrade]] or create a [[persistent encrypted volume|persistence]].</p>\n" +msgstr "" + #. type: Plain text #, fuzzy, no-wrap #| msgid "" diff --git a/wiki/src/doc/first_steps/installation/manual/linux.de.po b/wiki/src/doc/first_steps/installation/manual/linux.de.po index 1f47c38932df011542b1239f30742c184e54dceb..e84545475159910d7d55d43e10a633c4687e5d62 100644 --- a/wiki/src/doc/first_steps/installation/manual/linux.de.po +++ b/wiki/src/doc/first_steps/installation/manual/linux.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-09-13 15:20+0300\n" +"POT-Creation-Date: 2015-04-04 12:16+0200\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -37,41 +37,12 @@ msgstr "" #. type: Plain text #, no-wrap -msgid "<h2 class=\"bullet-number-one\">Install isohybrid</h2>\n" -msgstr "" - -#. type: Plain text -msgid "" -"In **Debian Wheezy**, **Ubuntu 14.04**, and earlier the `isohybrid` utility " -"is included in the `syslinux` package. To install it, execute the following " -"command:" -msgstr "" - -#. type: Plain text -#, no-wrap -msgid " sudo apt-get install syslinux\n" -msgstr "" - -#. type: Plain text -msgid "" -"In **Debian Jessie**, **Ubuntu 14.10**, and later the `isohybrid` utility is " -"included in the `syslinux-utils` package. To install it, execute the " -"following command:" -msgstr "" - -#. type: Plain text -#, no-wrap -msgid " sudo apt-get install syslinux-utils\n" -msgstr "" - -#. type: Plain text -#, no-wrap -msgid "<a id=\"step_2\"></a>\n" +msgid "<a id=\"step_1\"></a>\n" msgstr "" #. type: Plain text #, no-wrap -msgid "<h2 class=\"bullet-number-two\">Find out the device name of the device</h2>\n" +msgid "<h2 class=\"bullet-number-one\">Find out the device name of the device</h2>\n" msgstr "" #. type: Plain text @@ -143,7 +114,7 @@ msgstr "" #, no-wrap msgid "" "If you are not sure about the device name, you should stop\n" -"proceeding or <strong>you risk overwriting any hard drive on the\n" +"proceeding or <strong>you risk overwriting any hard disk on the\n" "system</strong>.\n" msgstr "" @@ -154,12 +125,12 @@ msgstr "" #. type: Plain text #, no-wrap -msgid "<a id=\"step_3\"></a>\n" +msgid "<a id=\"step_2\"></a>\n" msgstr "" #. type: Plain text #, no-wrap -msgid "<h2 class=\"bullet-number-three\">Do the copy</h2>\n" +msgid "<h2 class=\"bullet-number-two\">Do the copy</h2>\n" msgstr "" #. type: Plain text @@ -171,28 +142,12 @@ msgstr "" msgid "" "Execute the following commands, replacing `[tails.iso]` with the path to the " "ISO image that you want to copy and `[device]` with the device name found in " -"step 2." +"step 1." msgstr "" #. type: Plain text #, no-wrap -msgid "<div class=\"note\">\n" -msgstr "" - -#. type: Plain text -#, no-wrap -msgid "" -"<p>Note that the <code>isohybrid</code> command modifies the ISO image. As a\n" -"consequence, you won't be able to [[verify|download/#verify]] it again\n" -"afterwards. We recommend you to execute those commands on a copy of the\n" -"original ISO image that you downloaded.</p>\n" -msgstr "" - -#. type: Plain text -#, no-wrap -msgid "" -" isohybrid [tails-isohybrid.iso] -h 255 -s 63\n" -" dd if=[tails-isohybrid.iso] of=[device] bs=16M\n" +msgid " dd if=[tails.iso] of=[device] bs=16M && sync\n" msgstr "" #. type: Plain text @@ -202,9 +157,7 @@ msgstr "" #. type: Plain text #, no-wrap -msgid "" -" isohybrid '/home/amnesia/Desktop/tails-0.6.2-isohybrid.iso' -h 255 -s 63\n" -" dd if='/home/amnesia/Desktop/tails-0.6.2-isohybrid.iso' of=/dev/sdc bs=16M\n" +msgid " dd if='/home/amnesia/Desktop/tails-0.6.2.iso' of=/dev/sdc bs=16M && sync\n" msgstr "" #. type: Plain text @@ -254,8 +207,8 @@ msgstr "" #. type: Plain text msgid "" -"Then double-check the name of the device you found in [[step 2|" -"linux#step_2]]." +"Then double-check the name of the device you found in [[step 1|" +"linux#step_1]]." msgstr "" #. type: Title ### @@ -273,9 +226,7 @@ msgstr "" #. type: Plain text #, no-wrap -msgid "" -" isohybrid [tails.iso] -h 255 -s 63\n" -" sudo dd if=[tails.iso] of=[device] bs=16M\n" +msgid " sudo dd if=[tails.iso] of=[device] bs=16M && sync\n" msgstr "" #. type: Title ### @@ -286,5 +237,5 @@ msgstr "" #. type: Plain text msgid "" "Then you surely have committed a mistake on the path to the ISO image in " -"[[step 3|linux#step_3]]." +"[[step 2|linux#step_2]]." msgstr "" diff --git a/wiki/src/doc/first_steps/installation/manual/linux.fr.po b/wiki/src/doc/first_steps/installation/manual/linux.fr.po index 42318da4b310b86998bd1d50f911a002b2494fb6..436df4fac2aaf70b696a25bd520b5a12d998c010 100644 --- a/wiki/src/doc/first_steps/installation/manual/linux.fr.po +++ b/wiki/src/doc/first_steps/installation/manual/linux.fr.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSIONx\n" -"POT-Creation-Date: 2014-10-15 15:00+0300\n" -"PO-Revision-Date: 2014-10-08 09:16-0000\n" +"POT-Creation-Date: 2015-04-04 12:16+0200\n" +"PO-Revision-Date: 2015-04-04 12:21+0200\n" "Last-Translator: \n" "Language-Team: GANGUALE <LL@li.org>\n" "Language: fr\n" @@ -37,48 +37,13 @@ msgstr "[[!toc levels=1]]\n" #. type: Plain text #, no-wrap -msgid "<h2 class=\"bullet-number-one\">Install isohybrid</h2>\n" -msgstr "<h2 class=\"bullet-number-one\">Installer isohybrid</h2>\n" - -#. type: Plain text -msgid "" -"In **Debian Wheezy**, **Ubuntu 14.04**, and earlier the `isohybrid` utility " -"is included in the `syslinux` package. To install it, execute the following " -"command:" -msgstr "" -"Dans **Debian Wheezy**, **Ubuntu 14.04**, et versions plus anciennes, " -"l'outil `isohybrid` est inclus dans le paquet `syslinux`. Pour l'installer, " -"exécutez la commande suivante :" - -#. type: Plain text -#, no-wrap -msgid " sudo apt-get install syslinux\n" -msgstr " sudo apt-get install syslinux\n" - -#. type: Plain text -msgid "" -"In **Debian Jessie**, **Ubuntu 14.10**, and later the `isohybrid` utility is " -"included in the `syslinux-utils` package. To install it, execute the " -"following command:" -msgstr "" -"Dans **Debian Jessie**, **Ubuntu 14.10**, et versions plus récentes, l'outil " -"`isohybrid` est inclus dans le paquet `syslinux-utils`. Pour l'installer, " -"exécutez la commande suivante :" - -#. type: Plain text -#, no-wrap -msgid " sudo apt-get install syslinux-utils\n" -msgstr " sudo apt-get install syslinux-utils\n" +msgid "<a id=\"step_1\"></a>\n" +msgstr "<a id=\"step_1\"></a>\n" #. type: Plain text #, no-wrap -msgid "<a id=\"step_2\"></a>\n" -msgstr "" - -#. type: Plain text -#, no-wrap -msgid "<h2 class=\"bullet-number-two\">Find out the device name of the device</h2>\n" -msgstr "<h2 class=\"bullet-number-two\">Trouver le nom du périphérique</h2>\n" +msgid "<h2 class=\"bullet-number-one\">Find out the device name of the device</h2>\n" +msgstr "<h2 class=\"bullet-number-one\">Trouver le nom du périphérique</h2>\n" #. type: Plain text msgid "The device name should be something like `/dev/sdb`, `/dev/sdc`, etc." @@ -162,13 +127,13 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<div class=\"caution\">\n" -msgstr "" +msgstr "<div class=\"caution\">\n" #. type: Plain text #, no-wrap msgid "" "If you are not sure about the device name, you should stop\n" -"proceeding or <strong>you risk overwriting any hard drive on the\n" +"proceeding or <strong>you risk overwriting any hard disk on the\n" "system</strong>.\n" msgstr "" "Si vous avez un doute sur le nom d'un périphérique, vous ne\n" @@ -178,17 +143,17 @@ msgstr "" #. type: Plain text #, no-wrap msgid "</div>\n" -msgstr "" +msgstr "</div>\n" #. type: Plain text #, no-wrap -msgid "<a id=\"step_3\"></a>\n" -msgstr "" +msgid "<a id=\"step_2\"></a>\n" +msgstr "<a id=\"step_2\"></a>\n" #. type: Plain text #, no-wrap -msgid "<h2 class=\"bullet-number-three\">Do the copy</h2>\n" -msgstr "<h2 class=\"bullet-number-three\">Faire la copie</h2>\n" +msgid "<h2 class=\"bullet-number-two\">Do the copy</h2>\n" +msgstr "<h2 class=\"bullet-number-two\">Faire la copie</h2>\n" #. type: Plain text #, no-wrap @@ -199,38 +164,16 @@ msgstr "<p><strong>Toutes les données du périphérique à installer seront per msgid "" "Execute the following commands, replacing `[tails.iso]` with the path to the " "ISO image that you want to copy and `[device]` with the device name found in " -"step 2." +"step 1." msgstr "" "Exécutez les commandes suivantes, en remplaçant `[tails.iso]` par le chemin " "de l'image ISO que vous voulez copier et `[device]` par le nom du " -"périphérique trouvé à l'étape 2." - -#. type: Plain text -#, no-wrap -msgid "<div class=\"note\">\n" -msgstr "" - -#. type: Plain text -#, no-wrap -msgid "" -"<p>Note that the <code>isohybrid</code> command modifies the ISO image. As a\n" -"consequence, you won't be able to [[verify|download/#verify]] it again\n" -"afterwards. We recommend you to execute those commands on a copy of the\n" -"original ISO image that you downloaded.</p>\n" -msgstr "" -"<p>Notez que la commande <code>isohybrid</code> modifie l'image ISO. En\n" -"conséquence, vous ne serez pas en mesure de la [[vérifier|download/#verify]] à nouveau\n" -"après coup. Nous vous recommandons d'effectuer cette opération sur une copie\n" -"de l'image ISO originale que vous avez téléchargé.</p>\n" +"périphérique trouvé à l'étape 1." #. type: Plain text #, no-wrap -msgid "" -" isohybrid [tails-isohybrid.iso] -h 255 -s 63\n" -" dd if=[tails-isohybrid.iso] of=[device] bs=16M\n" -msgstr "" -" isohybrid [tails-isohybrid.iso] -h 255 -s 63\n" -" dd if=[tails-isohybrid.iso] of=[device] bs=16M\n" +msgid " dd if=[tails.iso] of=[device] bs=16M && sync\n" +msgstr " dd if=[tails.iso] of=[device] bs=16M && sync\n" #. type: Plain text msgid "" @@ -241,17 +184,13 @@ msgstr "" #. type: Plain text #, no-wrap -msgid "" -" isohybrid '/home/amnesia/Desktop/tails-0.6.2-isohybrid.iso' -h 255 -s 63\n" -" dd if='/home/amnesia/Desktop/tails-0.6.2-isohybrid.iso' of=/dev/sdc bs=16M\n" -msgstr "" -" isohybrid '/home/amnesia/Bureau/tails-0.6.2-isohybrid.iso' -h 255 -s 63\n" -" dd if='/home/amnesia/Bureau/tails-0.6.2-isohybrid.iso' of=/dev/sdc bs=16M\n" +msgid " dd if='/home/amnesia/Desktop/tails-0.6.2.iso' of=/dev/sdc bs=16M && sync\n" +msgstr " dd if='/home/amnesia/Desktop/tails-0.6.2.iso' of=/dev/sdc bs=16M && sync\n" #. type: Plain text #, no-wrap msgid "<div class=\"tip\">\n" -msgstr "" +msgstr "<div class=\"tip\">\n" #. type: Plain text #, no-wrap @@ -282,7 +221,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<div class=\"next\">\n" -msgstr "" +msgstr "<div class=\"next\">\n" #. type: Plain text #, no-wrap @@ -305,11 +244,11 @@ msgstr "dd: /dev/sdx: No such file or directory (fichier ou dossier non trouvé) #. type: Plain text msgid "" -"Then double-check the name of the device you found in [[step 2|" -"linux#step_2]]." +"Then double-check the name of the device you found in [[step 1|" +"linux#step_1]]." msgstr "" "Dans ce cas, revérifiez le chemin vers l'image disque que vous avez saisi à " -"[[l'étape 2|linux#step_2]]." +"[[l'étape 1|linux#step_1]]." #. type: Title ### #, no-wrap @@ -331,12 +270,8 @@ msgstr "" #. type: Plain text #, no-wrap -msgid "" -" isohybrid [tails.iso] -h 255 -s 63\n" -" sudo dd if=[tails.iso] of=[device] bs=16M\n" -msgstr "" -" isohybrid [tails.iso] -h 255 -s 63\n" -" sudo dd if=[tails.iso] of=[device] bs=16M\n" +msgid " sudo dd if=[tails.iso] of=[device] bs=16M && sync\n" +msgstr " sudo dd if=[tails.iso] of=[device] bs=16M && sync\n" #. type: Title ### #, no-wrap @@ -346,10 +281,61 @@ msgstr "dd: tails.iso: No such file or directory (fichier ou dossier non trouvé #. type: Plain text msgid "" "Then you surely have committed a mistake on the path to the ISO image in " -"[[step 3|linux#step_3]]." +"[[step 2|linux#step_2]]." msgstr "" "Vous avez probablement fait une erreur concernant le chemin de votre fichier " -"ISO à [[l'étape 3|linux#step_3]] de la seconde méthode." +"ISO à [[l'étape 2|linux#step_2]] de la seconde méthode." + +#~ msgid "<div class=\"note\">\n" +#~ msgstr "<div class=\"note\">\n" + +#~ msgid "" +#~ "<p>Note that the <code>isohybrid</code> command modifies the ISO image. " +#~ "As a\n" +#~ "consequence, you won't be able to [[verify|download/#verify]] it again\n" +#~ "afterwards. We recommend you to execute those commands on a copy of the\n" +#~ "original ISO image that you downloaded.</p>\n" +#~ msgstr "" +#~ "<p>Notez que la commande <code>isohybrid</code> modifie l'image ISO. En\n" +#~ "conséquence, vous ne serez pas en mesure de la [[vérifier|download/" +#~ "#verify]] à nouveau\n" +#~ "après coup. Nous vous recommandons d'effectuer cette opération sur une " +#~ "copie\n" +#~ "de l'image ISO originale que vous avez téléchargé.</p>\n" + +#~ msgid "" +#~ " isohybrid [tails-isohybrid.iso] -h 255 -s 63\n" +#~ " dd if=[tails-isohybrid.iso] of=[device] bs=16M\n" +#~ msgstr "" +#~ " isohybrid [tails-isohybrid.iso] -h 255 -s 63\n" +#~ " dd if=[tails-isohybrid.iso] of=[device] bs=16M\n" + +#~ msgid "<h2 class=\"bullet-number-one\">Install isohybrid</h2>\n" +#~ msgstr "<h2 class=\"bullet-number-one\">Installer isohybrid</h2>\n" + +#~ msgid "" +#~ "In **Debian Wheezy**, **Ubuntu 14.04**, and earlier the `isohybrid` " +#~ "utility is included in the `syslinux` package. To install it, execute the " +#~ "following command:" +#~ msgstr "" +#~ "Dans **Debian Wheezy**, **Ubuntu 14.04**, et versions plus anciennes, " +#~ "l'outil `isohybrid` est inclus dans le paquet `syslinux`. Pour " +#~ "l'installer, exécutez la commande suivante :" + +#~ msgid " sudo apt-get install syslinux\n" +#~ msgstr " sudo apt-get install syslinux\n" + +#~ msgid "" +#~ "In **Debian Jessie**, **Ubuntu 14.10**, and later the `isohybrid` utility " +#~ "is included in the `syslinux-utils` package. To install it, execute the " +#~ "following command:" +#~ msgstr "" +#~ "Dans **Debian Jessie**, **Ubuntu 14.10**, et versions plus récentes, " +#~ "l'outil `isohybrid` est inclus dans le paquet `syslinux-utils`. Pour " +#~ "l'installer, exécutez la commande suivante :" + +#~ msgid " sudo apt-get install syslinux-utils\n" +#~ msgstr " sudo apt-get install syslinux-utils\n" #~ msgid "Unplug the USB stick." #~ msgstr "Débranchez la clé USB." diff --git a/wiki/src/doc/first_steps/installation/manual/linux.mdwn b/wiki/src/doc/first_steps/installation/manual/linux.mdwn index dee39aac9b8d61d8d5fd300190c23720a2db9a1f..52ddb1c781011e1da3227a0cbc5ad8805b5be7fd 100644 --- a/wiki/src/doc/first_steps/installation/manual/linux.mdwn +++ b/wiki/src/doc/first_steps/installation/manual/linux.mdwn @@ -6,23 +6,9 @@ This technique uses the command line. [[!toc levels=1]] -<h2 class="bullet-number-one">Install isohybrid</h2> +<a id="step_1"></a> -In **Debian Wheezy**, **Ubuntu 14.04**, and earlier the `isohybrid` utility is -included in the `syslinux` package. To install it, execute the following -command: - - sudo apt-get install syslinux - -In **Debian Jessie**, **Ubuntu 14.10**, and later the `isohybrid` utility is -included in the `syslinux-utils` package. To install it, execute the following -command: - - sudo apt-get install syslinux-utils - -<a id="step_2"></a> - -<h2 class="bullet-number-two">Find out the device name of the device</h2> +<h2 class="bullet-number-one">Find out the device name of the device</h2> The device name should be something like `/dev/sdb`, `/dev/sdc`, etc. @@ -57,14 +43,14 @@ following: <div class="caution"> If you are not sure about the device name, you should stop -proceeding or <strong>you risk overwriting any hard drive on the +proceeding or <strong>you risk overwriting any hard disk on the system</strong>. </div> -<a id="step_3"></a> +<a id="step_2"></a> -<h2 class="bullet-number-three">Do the copy</h2> +<h2 class="bullet-number-two">Do the copy</h2> <div class="caution"> @@ -74,24 +60,13 @@ system</strong>. Execute the following commands, replacing `[tails.iso]` with the path to the ISO image that you want to copy and `[device]` with the device -name found in step 2. +name found in step 1. -<div class="note"> - -<p>Note that the <code>isohybrid</code> command modifies the ISO image. As a -consequence, you won't be able to [[verify|download/#verify]] it again -afterwards. We recommend you to execute those commands on a copy of the -original ISO image that you downloaded.</p> - -</div> - - isohybrid [tails-isohybrid.iso] -h 255 -s 63 - dd if=[tails-isohybrid.iso] of=[device] bs=16M + dd if=[tails.iso] of=[device] bs=16M && sync Here is an example of the commands to execute, yours are probably different: - isohybrid '/home/amnesia/Desktop/tails-0.6.2-isohybrid.iso' -h 255 -s 63 - dd if='/home/amnesia/Desktop/tails-0.6.2-isohybrid.iso' of=/dev/sdc bs=16M + dd if='/home/amnesia/Desktop/tails-0.6.2.iso' of=/dev/sdc bs=16M && sync <div class="tip"> @@ -122,7 +97,7 @@ Troubleshooting ### dd: /dev/sdx: No such file or directory Then double-check the name of the device you found in [[step -2|linux#step_2]]. +1|linux#step_1]]. ### dd: /dev/sdx: Permission denied @@ -131,10 +106,9 @@ double-check it. If you are sure about the device name, this could be a permission problem and you could need to gain administration privileges before running the commands in the terminal. That could be: - isohybrid [tails.iso] -h 255 -s 63 - sudo dd if=[tails.iso] of=[device] bs=16M + sudo dd if=[tails.iso] of=[device] bs=16M && sync ### dd: tails.iso: No such file or directory Then you surely have committed a mistake on the path to the ISO image in [[step -3|linux#step_3]]. +2|linux#step_2]]. diff --git a/wiki/src/doc/first_steps/installation/manual/linux.pt.po b/wiki/src/doc/first_steps/installation/manual/linux.pt.po index 5c56ec6f175e4a1742c0926c91fe1b7fd828ec0c..3c97f5a68d86465daa748b48936170199ebeb07a 100644 --- a/wiki/src/doc/first_steps/installation/manual/linux.pt.po +++ b/wiki/src/doc/first_steps/installation/manual/linux.pt.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-09-13 15:20+0300\n" -"PO-Revision-Date: 2014-08-26 16:17-0300\n" +"POT-Creation-Date: 2015-04-04 12:16+0200\n" +"PO-Revision-Date: 2015-04-04 12:20+0200\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" @@ -36,55 +36,13 @@ msgstr "[[!toc levels=1]]\n" #. type: Plain text #, no-wrap -msgid "<h2 class=\"bullet-number-one\">Install isohybrid</h2>\n" -msgstr "<h2 class=\"bullet-number-one\">Instale o isohybrid</h2>\n" - -#. type: Plain text -#, fuzzy -#| msgid "" -#| "Under Debian or Ubuntu the `isohybrid` utility is included in the " -#| "`syslinux` package. To install it, you can execute the following command:" -msgid "" -"In **Debian Wheezy**, **Ubuntu 14.04**, and earlier the `isohybrid` utility " -"is included in the `syslinux` package. To install it, execute the following " -"command:" -msgstr "" -"No Debian ou Ubuntu, o utilitário `isohybrid` está incluído no pacote " -"`syslinux`. Para instalá-lo, você pode executar o seguinte comando:" - -#. type: Plain text -#, no-wrap -msgid " sudo apt-get install syslinux\n" -msgstr " sudo apt-get install syslinux\n" - -#. type: Plain text -#, fuzzy -#| msgid "" -#| "Under Debian or Ubuntu the `isohybrid` utility is included in the " -#| "`syslinux` package. To install it, you can execute the following command:" -msgid "" -"In **Debian Jessie**, **Ubuntu 14.10**, and later the `isohybrid` utility is " -"included in the `syslinux-utils` package. To install it, execute the " -"following command:" -msgstr "" -"No Debian ou Ubuntu, o utilitário `isohybrid` está incluído no pacote " -"`syslinux`. Para instalá-lo, você pode executar o seguinte comando:" - -#. type: Plain text -#, fuzzy, no-wrap -#| msgid " sudo apt-get install syslinux\n" -msgid " sudo apt-get install syslinux-utils\n" -msgstr " sudo apt-get install syslinux\n" +msgid "<a id=\"step_1\"></a>\n" +msgstr "<a id=\"step_1\"></a>\n" #. type: Plain text #, no-wrap -msgid "<a id=\"step_2\"></a>\n" -msgstr "<a id=\"step_2\"></a>\n" - -#. type: Plain text -#, no-wrap -msgid "<h2 class=\"bullet-number-two\">Find out the device name of the device</h2>\n" -msgstr "<h2 class=\"bullet-number-two\">Descubra o nome do dispositivo</h2>\n" +msgid "<h2 class=\"bullet-number-one\">Find out the device name of the device</h2>\n" +msgstr "<h2 class=\"bullet-number-one\">Descubra o nome do dispositivo</h2>\n" #. type: Plain text msgid "The device name should be something like `/dev/sdb`, `/dev/sdc`, etc." @@ -173,7 +131,7 @@ msgstr "<div class=\"caution\">\n" #, no-wrap msgid "" "If you are not sure about the device name, you should stop\n" -"proceeding or <strong>you risk overwriting any hard drive on the\n" +"proceeding or <strong>you risk overwriting any hard disk on the\n" "system</strong>.\n" msgstr "" "Se você não tem certeza do nome do dispositivo, recomendamos parar\n" @@ -187,13 +145,13 @@ msgstr "</div>\n" #. type: Plain text #, no-wrap -msgid "<a id=\"step_3\"></a>\n" -msgstr "<a id=\"step_3\"></a>\n" +msgid "<a id=\"step_2\"></a>\n" +msgstr "<a id=\"step_2\"></a>\n" #. type: Plain text #, no-wrap -msgid "<h2 class=\"bullet-number-three\">Do the copy</h2>\n" -msgstr "<h2 class=\"bullet-number-three\">Faça a cópia</h2>\n" +msgid "<h2 class=\"bullet-number-two\">Do the copy</h2>\n" +msgstr "<h2 class=\"bullet-number-two\">Faça a cópia</h2>\n" #. type: Plain text #, no-wrap @@ -204,38 +162,16 @@ msgstr "<p><strong>Todos os dados no dispositivo instalado serão perdidos.</str msgid "" "Execute the following commands, replacing `[tails.iso]` with the path to the " "ISO image that you want to copy and `[device]` with the device name found in " -"step 2." +"step 1." msgstr "" "Execute os seguintes comandos, substituindo `[tails.iso]` pelo caminho da " "imagem ISO que você quer copiar e `[dispositivo]` pelo nome do dispositivo " -"encontrado no passo 2." +"encontrado no passo 1." #. type: Plain text #, no-wrap -msgid "<div class=\"note\">\n" -msgstr "<div class=\"note\">\n" - -#. type: Plain text -#, no-wrap -msgid "" -"<p>Note that the <code>isohybrid</code> command modifies the ISO image. As a\n" -"consequence, you won't be able to [[verify|download/#verify]] it again\n" -"afterwards. We recommend you to execute those commands on a copy of the\n" -"original ISO image that you downloaded.</p>\n" -msgstr "" -"<p>Note que o comando <code>isohybrid</code> modifica a imagem ISO. Por\n" -"este motivo, você não poderá [[verificá-la|download/#verify]] novamente após o\n" -"procedimento. Recomendamos que você execute estes comandos em uma cópia\n" -"da imagem ISO original que você baixou.</p>\n" - -#. type: Plain text -#, no-wrap -msgid "" -" isohybrid [tails-isohybrid.iso] -h 255 -s 63\n" -" dd if=[tails-isohybrid.iso] of=[device] bs=16M\n" -msgstr "" -" isohybrid [tails-isohybrid.iso] -h 255 -s 63\n" -" dd if=[tails-isohybrid.iso] of=[dispositivo] bs=16M\n" +msgid " dd if=[tails.iso] of=[device] bs=16M && sync\n" +msgstr " dd if=[tails.iso] of=[dispositivo] bs=16M && sync\n" #. type: Plain text msgid "" @@ -246,12 +182,8 @@ msgstr "" #. type: Plain text #, no-wrap -msgid "" -" isohybrid '/home/amnesia/Desktop/tails-0.6.2-isohybrid.iso' -h 255 -s 63\n" -" dd if='/home/amnesia/Desktop/tails-0.6.2-isohybrid.iso' of=/dev/sdc bs=16M\n" -msgstr "" -" isohybrid '/home/amnesia/Desktop/tails-0.6.2-isohybrid.iso' -h 255 -s 63\n" -" dd if='/home/amnesia/Desktop/tails-0.6.2-isohybrid.iso' of=/dev/sdc bs=16M\n" +msgid " dd if='/home/amnesia/Desktop/tails-0.6.2.iso' of=/dev/sdc bs=16M && sync\n" +msgstr " dd if='/home/amnesia/Desktop/tails-0.6.2.iso' of=/dev/sdc bs=16M && sync\n" #. type: Plain text #, no-wrap @@ -311,11 +243,11 @@ msgstr "dd: /dev/sdx: Arquivo ou diretório não encontrado" #. type: Plain text msgid "" -"Then double-check the name of the device you found in [[step 2|" -"linux#step_2]]." +"Then double-check the name of the device you found in [[step 1|" +"linux#step_1]]." msgstr "" -"Verifique o nome do dispositivo que você encontrou no [[passo 2|" -"linux#step_2]]." +"Verifique o nome do dispositivo que você encontrou no [[passo 1|" +"linux#step_1]]." #. type: Title ### #, no-wrap @@ -337,12 +269,8 @@ msgstr "" #. type: Plain text #, no-wrap -msgid "" -" isohybrid [tails.iso] -h 255 -s 63\n" -" sudo dd if=[tails.iso] of=[device] bs=16M\n" -msgstr "" -" isohybrid [tails.iso] -h 255 -s 63\n" -" sudo dd if=[tails.iso] of=[dispositivo] bs=16M\n" +msgid " sudo dd if=[tails.iso] of=[device] bs=16M && sync\n" +msgstr " sudo dd if=[tails.iso] of=[dispositivo] bs=16M && sync\n" #. type: Title ### #, no-wrap @@ -352,7 +280,68 @@ msgstr "dd: tails.iso: Arquivo ou diretório não encontrado" #. type: Plain text msgid "" "Then you surely have committed a mistake on the path to the ISO image in " -"[[step 3|linux#step_3]]." +"[[step 2|linux#step_2]]." msgstr "" "Neste caso você com certeza cometeu um erro no caminho para a imagem ISO no " -"[[passo 3|linux#step_3]]." +"[[passo 2|linux#step_2]]." + +#~ msgid "<div class=\"note\">\n" +#~ msgstr "<div class=\"note\">\n" + +#~ msgid "" +#~ "<p>Note that the <code>isohybrid</code> command modifies the ISO image. " +#~ "As a\n" +#~ "consequence, you won't be able to [[verify|download/#verify]] it again\n" +#~ "afterwards. We recommend you to execute those commands on a copy of the\n" +#~ "original ISO image that you downloaded.</p>\n" +#~ msgstr "" +#~ "<p>Note que o comando <code>isohybrid</code> modifica a imagem ISO. Por\n" +#~ "este motivo, você não poderá [[verificá-la|download/#verify]] novamente " +#~ "após o\n" +#~ "procedimento. Recomendamos que você execute estes comandos em uma cópia\n" +#~ "da imagem ISO original que você baixou.</p>\n" + +#~ msgid "" +#~ " isohybrid [tails-isohybrid.iso] -h 255 -s 63\n" +#~ " dd if=[tails-isohybrid.iso] of=[device] bs=16M\n" +#~ msgstr "" +#~ " isohybrid [tails-isohybrid.iso] -h 255 -s 63\n" +#~ " dd if=[tails-isohybrid.iso] of=[dispositivo] bs=16M\n" + +#~ msgid "<h2 class=\"bullet-number-one\">Install isohybrid</h2>\n" +#~ msgstr "<h2 class=\"bullet-number-one\">Instale o isohybrid</h2>\n" + +#, fuzzy +#~| msgid "" +#~| "Under Debian or Ubuntu the `isohybrid` utility is included in the " +#~| "`syslinux` package. To install it, you can execute the following command:" +#~ msgid "" +#~ "In **Debian Wheezy**, **Ubuntu 14.04**, and earlier the `isohybrid` " +#~ "utility is included in the `syslinux` package. To install it, execute the " +#~ "following command:" +#~ msgstr "" +#~ "No Debian ou Ubuntu, o utilitário `isohybrid` está incluído no pacote " +#~ "`syslinux`. Para instalá-lo, você pode executar o seguinte comando:" + +#~ msgid " sudo apt-get install syslinux\n" +#~ msgstr " sudo apt-get install syslinux\n" + +#, fuzzy +#~| msgid "" +#~| "Under Debian or Ubuntu the `isohybrid` utility is included in the " +#~| "`syslinux` package. To install it, you can execute the following command:" +#~ msgid "" +#~ "In **Debian Jessie**, **Ubuntu 14.10**, and later the `isohybrid` utility " +#~ "is included in the `syslinux-utils` package. To install it, execute the " +#~ "following command:" +#~ msgstr "" +#~ "No Debian ou Ubuntu, o utilitário `isohybrid` está incluído no pacote " +#~ "`syslinux`. Para instalá-lo, você pode executar o seguinte comando:" + +#, fuzzy +#~| msgid " sudo apt-get install syslinux\n" +#~ msgid " sudo apt-get install syslinux-utils\n" +#~ msgstr " sudo apt-get install syslinux\n" + +#~ msgid "<a id=\"step_3\"></a>\n" +#~ msgstr "<a id=\"step_3\"></a>\n" diff --git a/wiki/src/doc/first_steps/installation/manual/mac.de.po b/wiki/src/doc/first_steps/installation/manual/mac.de.po index 6b42cc07ae249b69a03dd3647584258d24347007..83ebafc0ca31896c12da9d7f3843a85a2b65b7c8 100644 --- a/wiki/src/doc/first_steps/installation/manual/mac.de.po +++ b/wiki/src/doc/first_steps/installation/manual/mac.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-11-02 11:54+0100\n" +"POT-Creation-Date: 2015-04-04 12:16+0200\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -136,7 +136,7 @@ msgstr "" #, no-wrap msgid "" "If you are not sure about the device name you should stop proceeding or\n" -"<strong>you risk overwriting any hard drive on the system</strong>.\n" +"<strong>you risk overwriting any hard disk on the system</strong>.\n" msgstr "" #. type: Plain text @@ -146,7 +146,7 @@ msgstr "" #. type: Plain text #, no-wrap -msgid "<h2 class=\"bullet-number-two\">Unmount the USB drive</h2>\n" +msgid "<h2 class=\"bullet-number-two\">Unmount the USB stick</h2>\n" msgstr "" #. type: Plain text @@ -162,63 +162,28 @@ msgstr "" #. type: Plain text #, no-wrap -msgid "<h2 class=\"bullet-number-three\">Run isohybrid.pl on the ISO image</h2>\n" +msgid "<h2 class=\"bullet-number-three\">Do the copy</h2>\n" msgstr "" #. type: Plain text msgid "" -"You need to modify the ISO image using `isohybrid` before copying it onto " -"the USB stick." -msgstr "" - -#. type: Bullet: '1. ' -msgid "" -"Download [syslinux](https://www.kernel.org/pub/linux/utils/boot/syslinux/4." -"xx/syslinux-4.02.tar.gz)." -msgstr "" - -#. type: Bullet: '1. ' -msgid "Double click on the package to extract it." -msgstr "" - -#. type: Bullet: '1. ' -msgid "Copy `isohybrid.pl` from the `/utils` folder to the desktop." -msgstr "" - -#. type: Bullet: '1. ' -msgid "" -"Copy the ISO image (for example `tails-i386-0.17.1.iso`) to the desktop." -msgstr "" - -#. type: Bullet: '1. ' -msgid "To change directory into the desktop, execute:" -msgstr "" - -#. type: Plain text -#, no-wrap -msgid " cd Desktop\n" -msgstr "" - -#. type: Bullet: '1. ' -msgid "" -"To run `isohybrid.pl` on the ISO image, execute the following command, " -"replacing `[tails.iso]` with the path to the ISO image that you want to " -"install." +"Execute the following command, replacing `[tails.iso]` by the path to the " +"ISO image that you want to copy and `[device]` by the device name found in " +"step 1. You can add `r` before `disk` to make the installation faster." msgstr "" #. type: Plain text #, no-wrap -msgid " perl isohybrid.pl [tails.iso]\n" +msgid " dd if=[tails.iso] of=[device] bs=16m && sync\n" msgstr "" #. type: Plain text -#, no-wrap -msgid " Here is an example of the commands to execute, yours are probably different:\n" +msgid "You should get something like this:" msgstr "" #. type: Plain text #, no-wrap -msgid " perl isohybrid.pl tails-i386-0.17.1.iso\n" +msgid " dd if=tails-i386-1.3.iso of=/dev/rdisk9 bs=16m && sync\n" msgstr "" #. type: Plain text @@ -231,7 +196,7 @@ msgstr "" msgid "" "If you are not sure about the path to the ISO image or if you get a\n" "<span class=\"guilabel\">No such\n" -"file or directory</span> error, you can first type `perl isohybrid.pl`, followed by a space, and\n" +"file or directory</span> error, you can first type <code>dd</code>, followed by a space, and\n" "then drag and drop the icon of the ISO image from a file browser onto\n" "<span class=\"application\">\n" "Terminal</span>. This should insert the correct path to the ISO image in\n" @@ -239,32 +204,6 @@ msgid "" "Then complete the command and execute it.\n" msgstr "" -#. type: Plain text -#, no-wrap -msgid "<h2 class=\"bullet-number-four\">Do the copy</h2>\n" -msgstr "" - -#. type: Plain text -msgid "" -"Execute the following command, replacing `[tails.iso]` by the path to the " -"ISO image that you want to copy and `[device]` by the device name found in " -"step 1." -msgstr "" - -#. type: Plain text -#, no-wrap -msgid " dd if=[tails.iso] of=[device]\n" -msgstr "" - -#. type: Plain text -msgid "You should get something like this:" -msgstr "" - -#. type: Plain text -#, no-wrap -msgid " dd if=tails-0.17.1.iso of=/dev/disk9\n" -msgstr "" - #. type: Plain text msgid "" "If you don't see any error message, Tails is being copied onto the USB " @@ -280,12 +219,12 @@ msgstr "" #. type: Plain text #, no-wrap -msgid "<pre>sudo dd if=[tails.iso] of=[device]</pre>\n" +msgid "<pre>sudo dd if=[tails.iso] of=[device] bs=16m && sync</pre>\n" msgstr "" #. type: Plain text msgid "" -"Be careful, if the device name is wrong you might overwriting any hard drive " +"Be careful, if the device name is wrong you might overwriting any hard disk " "on the system." msgstr "" @@ -296,7 +235,7 @@ msgstr "" #. type: Plain text #, no-wrap -msgid "<h2 class=\"bullet-number-five\">Start Tails</h2>\n" +msgid "<h2 class=\"bullet-number-four\">Start Tails</h2>\n" msgstr "" #. type: Plain text diff --git a/wiki/src/doc/first_steps/installation/manual/mac.fr.po b/wiki/src/doc/first_steps/installation/manual/mac.fr.po index f02163bcba65fbcd71e26c0339ef9a6797dcf62a..02764cedc68c8f052f8d1f74b4cbb3442936a928 100644 --- a/wiki/src/doc/first_steps/installation/manual/mac.fr.po +++ b/wiki/src/doc/first_steps/installation/manual/mac.fr.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: ACKAGE VERSION\n" -"POT-Creation-Date: 2014-11-02 11:54+0100\n" -"PO-Revision-Date: 2014-11-02 15:27+0100\n" +"POT-Creation-Date: 2015-04-04 12:16+0200\n" +"PO-Revision-Date: 2015-04-04 12:20+0200\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" @@ -33,7 +33,7 @@ msgstr "Cette méthode utilise les lignes de commandes." #. type: Plain text #, no-wrap msgid "[[!toc levels=1]]\n" -msgstr "" +msgstr "[[!toc levels=1]]\n" #. type: Plain text #, no-wrap @@ -170,13 +170,13 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<div class=\"caution\">\n" -msgstr "" +msgstr "<div class=\"caution\">\n" #. type: Plain text #, no-wrap msgid "" "If you are not sure about the device name you should stop proceeding or\n" -"<strong>you risk overwriting any hard drive on the system</strong>.\n" +"<strong>you risk overwriting any hard disk on the system</strong>.\n" msgstr "" "Si vous n'êtes pas sûr du nom du périphérique vous devriez arrêtez la\n" "manipulation ou <strong>vous risquez d'écraser un disque dur du système</strong>.\n" @@ -184,11 +184,11 @@ msgstr "" #. type: Plain text #, no-wrap msgid "</div>\n" -msgstr "" +msgstr "</div>\n" #. type: Plain text #, no-wrap -msgid "<h2 class=\"bullet-number-two\">Unmount the USB drive</h2>\n" +msgid "<h2 class=\"bullet-number-two\">Unmount the USB stick</h2>\n" msgstr "<h2 class=\"bullet-number-two\">Démonter la clé USB</h2>\n" #. type: Plain text @@ -206,82 +206,45 @@ msgstr " diskutil unmountDisk [device]\n" #. type: Plain text #, no-wrap -msgid "<h2 class=\"bullet-number-three\">Run isohybrid.pl on the ISO image</h2>\n" -msgstr "<h2 class=\"bullet-number-three\">Lancer isohybrid.pl sur l'image ISO</h2>\n" +msgid "<h2 class=\"bullet-number-three\">Do the copy</h2>\n" +msgstr "<h2 class=\"bullet-number-three\">Faire la copie</h2>\n" #. type: Plain text msgid "" -"You need to modify the ISO image using `isohybrid` before copying it onto " -"the USB stick." -msgstr "" -"Vous devez modifier l'image ISO en utilisant `isohybrid` avant de la copier " -"sur la clé USB." - -#. type: Bullet: '1. ' -msgid "" -"Download [syslinux](https://www.kernel.org/pub/linux/utils/boot/syslinux/4." -"xx/syslinux-4.02.tar.gz)." -msgstr "Téléchargez [syslinux](https://www.kernel.org/pub/linux/utils/boot/syslinux/4.xx/syslinux-4.02.tar.gz)." - -#. type: Bullet: '1. ' -msgid "Double click on the package to extract it." -msgstr "Double cliquez sur le paquet pour l'extraire." - -#. type: Bullet: '1. ' -msgid "Copy `isohybrid.pl` from the `/utils` folder to the desktop." -msgstr "Copiez `isohybrid.pl`depuis le dossier `/utils` sur le bureau." - -#. type: Bullet: '1. ' -msgid "" -"Copy the ISO image (for example `tails-i386-0.17.1.iso`) to the desktop." -msgstr "" -"Copiez l'image ISO (par exemple `tails-i386-0.17.1.iso`) sur le bureau." - -#. type: Bullet: '1. ' -msgid "To change directory into the desktop, execute:" -msgstr "Pour changer de dossier et aller sur le bureau, faire :" - -#. type: Plain text -#, no-wrap -msgid " cd Desktop\n" -msgstr " cd Desktop\n" - -#. type: Bullet: '1. ' -msgid "" -"To run `isohybrid.pl` on the ISO image, execute the following command, " -"replacing `[tails.iso]` with the path to the ISO image that you want to " -"install." +"Execute the following command, replacing `[tails.iso]` by the path to the " +"ISO image that you want to copy and `[device]` by the device name found in " +"step 1. You can add `r` before `disk` to make the installation faster." msgstr "" -"Pour lancer `isohybrid.pl` sur l'image ISO, exécutez la commande suivante, " -"en remplaçant `[tails.iso]` par le chemin de l'image ISO que vous voulez " -"installer." +"Exécutez la commande suivante, en remplaçant `[tails.iso]` par le chemin de\n" +"l'image ISO que vous voulez copier et `[device]` par le nom du périphérique\n" +"trouvé à l'étape 1. Vous pouvez ajouter `r` avant `device` pour accélérer\n" +"l'installation." #. type: Plain text #, no-wrap -msgid " perl isohybrid.pl [tails.iso]\n" -msgstr " perl isohybrid.pl [tails.iso]\n" +msgid " dd if=[tails.iso] of=[device] bs=16m && sync\n" +msgstr " dd if=[tails.iso] of=[device] bs=16m && sync\n" #. type: Plain text -#, no-wrap -msgid " Here is an example of the commands to execute, yours are probably different:\n" -msgstr " Voici un exemple de commande à exécuter, la vôtre est probablement différente :\n" +msgid "You should get something like this:" +msgstr "Vous devriez obtenir quelque chose comme :" #. type: Plain text #, no-wrap -msgid " perl isohybrid.pl tails-i386-0.17.1.iso\n" -msgstr " perl isohybrid.pl tails-i386-0.17.1.iso\n" +msgid " dd if=tails-i386-1.3.iso of=/dev/rdisk9 bs=16m && sync\n" +msgstr " dd if=tails-i386-1.3.iso of=/dev/rdisk9 bs=16m && sync\n" #. type: Plain text #, no-wrap msgid "<div class=\"tip\">\n" -msgstr "" +msgstr "<div class=\"tip\">\n" #. type: Plain text #, no-wrap msgid "" "If you are not sure about the path to the ISO image or if you get a\n" "<span class=\"guilabel\">No such\n" -"file or directory</span> error, you can first type `perl isohybrid.pl`, followed by a space, and\n" +"file or directory</span> error, you can first type <code>dd</code>, followed by a space, and\n" "then drag and drop the icon of the ISO image from a file browser onto\n" "<span class=\"application\">\n" "Terminal</span>. This should insert the correct path to the ISO image in\n" @@ -290,42 +253,13 @@ msgid "" msgstr "" "Si vous n'êtes pas sûr du chemin menant à votre image ISO ou si vous\n" "obtenez une erreur du type <span class=\"guilabel\">No such file or directory</span>,\n" -"vous pouvez d'abord taper, dans le terminal, `perl isohybrid.pl`, suivi d'un espace, et\n" +"vous pouvez d'abord taper, dans le terminal, <code>dd</code>, suivi d'un espace, et\n" "venir glisser-déposer l'icône de votre image ISO depuis le navigateur de fichiers vers\n" "le <span class=\"application\">\n" "Terminal</span>. Cela devrait insérer le chemin correct de l'image ISO dans le\n" "<span class=\"application\">Terminal</span>.\n" "Complétez ensuite la commande et exécutez-la.\n" -#. type: Plain text -#, no-wrap -msgid "<h2 class=\"bullet-number-four\">Do the copy</h2>\n" -msgstr "<h2 class=\"bullet-number-four\">Faire la copie</h2>\n" - -#. type: Plain text -msgid "" -"Execute the following command, replacing `[tails.iso]` by the path to the " -"ISO image that you want to copy and `[device]` by the device name found in " -"step 1." -msgstr "" -"Exécutez la commande suivante, en remplaçant `[tails.iso]` par le chemin de " -"l'image ISO que vous voulez copier et `[device]` par le nom du périphérique " -"trouvé à l'étape 1." - -#. type: Plain text -#, no-wrap -msgid " dd if=[tails.iso] of=[device]\n" -msgstr " dd if=[tails.iso] of=[device]\n" - -#. type: Plain text -msgid "You should get something like this:" -msgstr "Vous devriez obtenir quelque chose comme :" - -#. type: Plain text -#, no-wrap -msgid " dd if=tails-0.17.1.iso of=/dev/disk9\n" -msgstr " dd if=tails-0.17.1.iso of=/dev/disk9\n" - #. type: Plain text msgid "" "If you don't see any error message, Tails is being copied onto the USB " @@ -346,12 +280,12 @@ msgstr "" #. type: Plain text #, no-wrap -msgid "<pre>sudo dd if=[tails.iso] of=[device]</pre>\n" -msgstr "<pre>sudo dd if=[tails.iso] of=[device]</pre>\n" +msgid "<pre>sudo dd if=[tails.iso] of=[device] bs=16m && sync</pre>\n" +msgstr "<pre>sudo dd if=[tails.iso] of=[device] bs=16m && sync</pre>\n" #. type: Plain text msgid "" -"Be careful, if the device name is wrong you might overwriting any hard drive " +"Be careful, if the device name is wrong you might overwriting any hard disk " "on the system." msgstr "" "Attention, en cas d'erreur dans le nom du périphérique vous risquez " @@ -364,13 +298,13 @@ msgstr "<p>L'installation est complète lorsque l'invite de commande réapparaî #. type: Plain text #, no-wrap -msgid "<h2 class=\"bullet-number-five\">Start Tails</h2>\n" -msgstr "<h2 class=\"bullet-number-five\">Démarrer Tails</h2>\n" +msgid "<h2 class=\"bullet-number-four\">Start Tails</h2>\n" +msgstr "<h2 class=\"bullet-number-four\">Démarrer Tails</h2>\n" #. type: Plain text #, no-wrap msgid "<div class=\"next\">\n" -msgstr "" +msgstr "<div class=\"next\">\n" #. type: Plain text #, no-wrap @@ -458,6 +392,65 @@ msgstr "" "1. La destination est la clé USB\n" "-->\n" +#~ msgid "" +#~ "<h2 class=\"bullet-number-three\">Run isohybrid.pl on the ISO image</h2>\n" +#~ msgstr "" +#~ "<h2 class=\"bullet-number-three\">Lancer isohybrid.pl sur l'image ISO</" +#~ "h2>\n" + +#~ msgid "" +#~ "You need to modify the ISO image using `isohybrid` before copying it onto " +#~ "the USB stick." +#~ msgstr "" +#~ "Vous devez modifier l'image ISO en utilisant `isohybrid` avant de la " +#~ "copier sur la clé USB." + +#~ msgid "" +#~ "Download [syslinux](https://www.kernel.org/pub/linux/utils/boot/" +#~ "syslinux/4.xx/syslinux-4.02.tar.gz)." +#~ msgstr "" +#~ "Téléchargez [syslinux](https://www.kernel.org/pub/linux/utils/boot/" +#~ "syslinux/4.xx/syslinux-4.02.tar.gz)." + +#~ msgid "Double click on the package to extract it." +#~ msgstr "Double cliquez sur le paquet pour l'extraire." + +#~ msgid "Copy `isohybrid.pl` from the `/utils` folder to the desktop." +#~ msgstr "Copiez `isohybrid.pl`depuis le dossier `/utils` sur le bureau." + +#~ msgid "" +#~ "Copy the ISO image (for example `tails-i386-0.17.1.iso`) to the desktop." +#~ msgstr "" +#~ "Copiez l'image ISO (par exemple `tails-i386-0.17.1.iso`) sur le bureau." + +#~ msgid "To change directory into the desktop, execute:" +#~ msgstr "Pour changer de dossier et aller sur le bureau, faire :" + +#~ msgid " cd Desktop\n" +#~ msgstr " cd Desktop\n" + +#~ msgid "" +#~ "To run `isohybrid.pl` on the ISO image, execute the following command, " +#~ "replacing `[tails.iso]` with the path to the ISO image that you want to " +#~ "install." +#~ msgstr "" +#~ "Pour lancer `isohybrid.pl` sur l'image ISO, exécutez la commande " +#~ "suivante, en remplaçant `[tails.iso]` par le chemin de l'image ISO que " +#~ "vous voulez installer." + +#~ msgid " perl isohybrid.pl [tails.iso]\n" +#~ msgstr " perl isohybrid.pl [tails.iso]\n" + +#~ msgid "" +#~ " Here is an example of the commands to execute, yours are probably " +#~ "different:\n" +#~ msgstr "" +#~ " Voici un exemple de commande à exécuter, la vôtre est probablement " +#~ "différente :\n" + +#~ msgid " perl isohybrid.pl tails-i386-0.17.1.iso\n" +#~ msgstr " perl isohybrid.pl tails-i386-0.17.1.iso\n" + #~ msgid "" #~ "To start Tails from that USB stick, you need to have [rEFInd](http://" #~ "sourceforge.net/projects/refind/) installed on the Mac." diff --git a/wiki/src/doc/first_steps/installation/manual/mac.mdwn b/wiki/src/doc/first_steps/installation/manual/mac.mdwn index 2919dbf931862cac3e5dc2dfaa9db1fbf6a7ded1..a3bcda7e37e41de5da886b87972283fadaaefb54 100644 --- a/wiki/src/doc/first_steps/installation/manual/mac.mdwn +++ b/wiki/src/doc/first_steps/installation/manual/mac.mdwn @@ -65,45 +65,34 @@ Yours are probably different. <div class="caution"> If you are not sure about the device name you should stop proceeding or -<strong>you risk overwriting any hard drive on the system</strong>. +<strong>you risk overwriting any hard disk on the system</strong>. </div> -<h2 class="bullet-number-two">Unmount the USB drive</h2> +<h2 class="bullet-number-two">Unmount the USB stick</h2> Execute the following command, replacing `[device]` with the device name found in step 1. diskutil unmountDisk [device] -<h2 class="bullet-number-three">Run isohybrid.pl on the ISO image</h2> +<h2 class="bullet-number-three">Do the copy</h2> -You need to modify the ISO image using `isohybrid` before copying it onto -the USB stick. - -1. Download [syslinux](https://www.kernel.org/pub/linux/utils/boot/syslinux/4.xx/syslinux-4.02.tar.gz). -1. Double click on the package to extract it. -1. Copy `isohybrid.pl` from the `/utils` folder to the desktop. -1. Copy the ISO image (for example `tails-i386-0.17.1.iso`) to the desktop. -1. To change directory into the desktop, execute: - - cd Desktop - -1. To run `isohybrid.pl` on the ISO image, execute the following command, - replacing `[tails.iso]` with the path to the ISO image that you want to - install. +Execute the following command, replacing `[tails.iso]` by the path to the ISO +image that you want to copy and `[device]` by the device name found in step +1. You can add `r` before `disk` to make the installation faster. - perl isohybrid.pl [tails.iso] + dd if=[tails.iso] of=[device] bs=16m && sync - Here is an example of the commands to execute, yours are probably different: +You should get something like this: - perl isohybrid.pl tails-i386-0.17.1.iso + dd if=tails-i386-1.3.iso of=/dev/rdisk9 bs=16m && sync <div class="tip"> If you are not sure about the path to the ISO image or if you get a <span class="guilabel">No such -file or directory</span> error, you can first type `perl isohybrid.pl`, followed by a space, and +file or directory</span> error, you can first type <code>dd</code>, followed by a space, and then drag and drop the icon of the ISO image from a file browser onto <span class="application"> Terminal</span>. This should insert the correct path to the ISO image in @@ -112,18 +101,6 @@ Then complete the command and execute it. </div> -<h2 class="bullet-number-four">Do the copy</h2> - -Execute the following command, replacing `[tails.iso]` by the path to the ISO -image that you want to copy and `[device]` by the device name found in step -1. - - dd if=[tails.iso] of=[device] - -You should get something like this: - - dd if=tails-0.17.1.iso of=/dev/disk9 - If you don't see any error message, Tails is being copied onto the USB stick. The whole process might take some time, generally a few minutes. @@ -132,16 +109,16 @@ stick. The whole process might take some time, generally a few minutes. If you get a "Permission denied" error, try executing the command with <code>sudo</code>: -<pre>sudo dd if=[tails.iso] of=[device]</pre> +<pre>sudo dd if=[tails.iso] of=[device] bs=16m && sync</pre> -Be careful, if the device name is wrong you might overwriting any hard drive on +Be careful, if the device name is wrong you might overwriting any hard disk on the system. </div> <p>The installation is complete when the command prompt reappears.</p> -<h2 class="bullet-number-five">Start Tails</h2> +<h2 class="bullet-number-four">Start Tails</h2> <div class="next"> diff --git a/wiki/src/doc/first_steps/installation/manual/mac.pt.po b/wiki/src/doc/first_steps/installation/manual/mac.pt.po index 915e70f5ca7c9a83cca0f086154e89b3d7a34b5e..d5292973190fd74f205c6e2c0b000558b146789f 100644 --- a/wiki/src/doc/first_steps/installation/manual/mac.pt.po +++ b/wiki/src/doc/first_steps/installation/manual/mac.pt.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-11-02 11:54+0100\n" -"PO-Revision-Date: 2014-11-02 15:27+0100\n" +"POT-Creation-Date: 2015-04-04 12:16+0200\n" +"PO-Revision-Date: 2015-04-04 12:19+0200\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" @@ -172,7 +172,7 @@ msgstr "<div class=\"caution\">\n" #, no-wrap msgid "" "If you are not sure about the device name you should stop proceeding or\n" -"<strong>you risk overwriting any hard drive on the system</strong>.\n" +"<strong>you risk overwriting any hard disk on the system</strong>.\n" msgstr "" "Se você não tem certeza do nome do dispositivo, você deve parar o procedimento\n" "caso contrário <strong>você corre o risco de sobrescrever qualquer disco rígido do sistema</strong>.\n" @@ -184,7 +184,7 @@ msgstr "</div>\n" #. type: Plain text #, no-wrap -msgid "<h2 class=\"bullet-number-two\">Unmount the USB drive</h2>\n" +msgid "<h2 class=\"bullet-number-two\">Unmount the USB stick</h2>\n" msgstr "<h2 class=\"bullet-number-two\">Desmonte o drive USB</h2>\n" #. type: Plain text @@ -202,71 +202,37 @@ msgstr " diskutil unmountDisk [dispositivo]\n" #. type: Plain text #, no-wrap -msgid "<h2 class=\"bullet-number-three\">Run isohybrid.pl on the ISO image</h2>\n" -msgstr "<h2 class=\"bullet-number-three\">Execute o isohybrid.pl na imagem ISO</h2>\n" +msgid "<h2 class=\"bullet-number-three\">Do the copy</h2>\n" +msgstr "<h2 class=\"bullet-number-three\">Faça a cópia</h2>\n" #. type: Plain text +#, fuzzy +#| msgid "" +#| "Execute the following command, replacing `[tails.iso]` by the path to the " +#| "ISO image that you want to copy and `[device]` by the device name found " +#| "in step 1." msgid "" -"You need to modify the ISO image using `isohybrid` before copying it onto " -"the USB stick." -msgstr "" -"Você precisa modificar a imagem ISO usando o `isohybrid` antes de copiá-la " -"para a memória USB." - -#. type: Bullet: '1. ' -msgid "" -"Download [syslinux](https://www.kernel.org/pub/linux/utils/boot/syslinux/4." -"xx/syslinux-4.02.tar.gz)." -msgstr "Baixe o [syslinux](https://www.kernel.org/pub/linux/utils/boot/syslinux/4.xx/syslinux-4.02.tar.gz)." - -#. type: Bullet: '1. ' -msgid "Double click on the package to extract it." -msgstr "Clique duas vezes no pacote para extraí-lo." - -#. type: Bullet: '1. ' -msgid "Copy `isohybrid.pl` from the `/utils` folder to the desktop." -msgstr "Copie o `isohybrid.pl` da pasta `/utils` para a área de trabalho." - -#. type: Bullet: '1. ' -msgid "" -"Copy the ISO image (for example `tails-i386-0.17.1.iso`) to the desktop." -msgstr "" -"Copie a imagem ISO (por exemplo `tails-i386-0.17.1.iso` para a área de " -"trabalho." - -#. type: Bullet: '1. ' -msgid "To change directory into the desktop, execute:" -msgstr "Para mudar o diretório para a área de trabalho, execute:" - -#. type: Plain text -#, no-wrap -msgid " cd Desktop\n" -msgstr " cd Desktop\n" - -#. type: Bullet: '1. ' -msgid "" -"To run `isohybrid.pl` on the ISO image, execute the following command, " -"replacing `[tails.iso]` with the path to the ISO image that you want to " -"install." +"Execute the following command, replacing `[tails.iso]` by the path to the " +"ISO image that you want to copy and `[device]` by the device name found in " +"step 1. You can add `r` before `disk` to make the installation faster." msgstr "" -"Para executar o `isohybrid.pl` sobre a imagem ISO, execute o seguinte " -"comando, substituindo `[tails.iso]` pelo caminho para a imagem ISO que você " -"quer instalar." +"Execute o seguinte comando, substituindo `[tails.iso]` pelo caminho da " +"imagem ISO que você quer copiar e `[dispositivo]` pelo nome do dispositivo " +"encontrado no passo 1." #. type: Plain text #, no-wrap -msgid " perl isohybrid.pl [tails.iso]\n" -msgstr " perl isohybrid.pl [tails.iso]\n" +msgid " dd if=[tails.iso] of=[device] bs=16m && sync\n" +msgstr " dd if=[tails.iso] of=[dispositivo] bs=16m && sync\n" #. type: Plain text -#, no-wrap -msgid " Here is an example of the commands to execute, yours are probably different:\n" -msgstr " Aqui está um exemplo dos comandos a serem executados, mas os seus provavelmente serão diferentes:\n" +msgid "You should get something like this:" +msgstr "Você deve obter algo assim:" #. type: Plain text #, no-wrap -msgid " perl isohybrid.pl tails-i386-0.17.1.iso\n" -msgstr " perl isohybrid.pl tails-i386-0.17.1.iso\n" +msgid " dd if=tails-i386-1.3.iso of=/dev/rdisk9 bs=16m && sync\n" +msgstr " dd if=tails-i386-1.3.iso of=/dev/rdisk9 bs=16m && sync\n" #. type: Plain text #, no-wrap @@ -274,11 +240,20 @@ msgid "<div class=\"tip\">\n" msgstr "<div class=\"tip\">\n" #. type: Plain text -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| "If you are not sure about the path to the ISO image or if you get a\n" +#| "<span class=\"guilabel\">No such\n" +#| "file or directory</span> error, you can first type `perl isohybrid.pl`, followed by a space, and\n" +#| "then drag and drop the icon of the ISO image from a file browser onto\n" +#| "<span class=\"application\">\n" +#| "Terminal</span>. This should insert the correct path to the ISO image in\n" +#| "<span class=\"application\">Terminal</span>.\n" +#| "Then complete the command and execute it.\n" msgid "" "If you are not sure about the path to the ISO image or if you get a\n" "<span class=\"guilabel\">No such\n" -"file or directory</span> error, you can first type `perl isohybrid.pl`, followed by a space, and\n" +"file or directory</span> error, you can first type <code>dd</code>, followed by a space, and\n" "then drag and drop the icon of the ISO image from a file browser onto\n" "<span class=\"application\">\n" "Terminal</span>. This should insert the correct path to the ISO image in\n" @@ -294,35 +269,6 @@ msgstr "" "<span class=\"application\">Terminal</span>.\n" "A seguir complete o comando e execute-o.\n" -#. type: Plain text -#, no-wrap -msgid "<h2 class=\"bullet-number-four\">Do the copy</h2>\n" -msgstr "<h2 class=\"bullet-number-four\">Faça a cópia</h2>\n" - -#. type: Plain text -msgid "" -"Execute the following command, replacing `[tails.iso]` by the path to the " -"ISO image that you want to copy and `[device]` by the device name found in " -"step 1." -msgstr "" -"Execute o seguinte comando, substituindo `[tails.iso]` pelo caminho da " -"imagem ISO que você quer copiar e `[dispositivo]` pelo nome do dispositivo " -"encontrado no passo 1." - -#. type: Plain text -#, no-wrap -msgid " dd if=[tails.iso] of=[device]\n" -msgstr " dd if=[tails.iso] of=[dispositivo]\n" - -#. type: Plain text -msgid "You should get something like this:" -msgstr "Você deve obter algo assim:" - -#. type: Plain text -#, no-wrap -msgid " dd if=tails-0.17.1.iso of=/dev/disk9\n" -msgstr " dd if=tails-0.17.1.iso of=/dev/disk9\n" - #. type: Plain text msgid "" "If you don't see any error message, Tails is being copied onto the USB " @@ -343,12 +289,12 @@ msgstr "" #. type: Plain text #, no-wrap -msgid "<pre>sudo dd if=[tails.iso] of=[device]</pre>\n" -msgstr "<pre>sudo dd if=[tails.iso] of=[dispositivo]</pre>\n" +msgid "<pre>sudo dd if=[tails.iso] of=[device] bs=16m && sync</pre>\n" +msgstr "<pre>sudo dd if=[tails.iso] of=[dispositivo] bs=16m && sync</pre>\n" #. type: Plain text msgid "" -"Be careful, if the device name is wrong you might overwriting any hard drive " +"Be careful, if the device name is wrong you might overwriting any hard disk " "on the system." msgstr "" "Tenha cuidado, se o nome do dispositivo estiver incorreto você pode " @@ -361,8 +307,8 @@ msgstr "<p>A instalação estará completa quando o prompt de comando reaparecer #. type: Plain text #, no-wrap -msgid "<h2 class=\"bullet-number-five\">Start Tails</h2>\n" -msgstr "<h2 class=\"bullet-number-five\">Inicie o Tails</h2>\n" +msgid "<h2 class=\"bullet-number-four\">Start Tails</h2>\n" +msgstr "<h2 class=\"bullet-number-four\">Inicie o Tails</h2>\n" #. type: Plain text #, no-wrap @@ -454,3 +400,63 @@ msgid "" msgstr "" "1. Destino é o drive USB\n" "-->\n" + +#~ msgid "" +#~ "<h2 class=\"bullet-number-three\">Run isohybrid.pl on the ISO image</h2>\n" +#~ msgstr "" +#~ "<h2 class=\"bullet-number-three\">Execute o isohybrid.pl na imagem ISO</" +#~ "h2>\n" + +#~ msgid "" +#~ "You need to modify the ISO image using `isohybrid` before copying it onto " +#~ "the USB stick." +#~ msgstr "" +#~ "Você precisa modificar a imagem ISO usando o `isohybrid` antes de copiá-" +#~ "la para a memória USB." + +#~ msgid "" +#~ "Download [syslinux](https://www.kernel.org/pub/linux/utils/boot/" +#~ "syslinux/4.xx/syslinux-4.02.tar.gz)." +#~ msgstr "" +#~ "Baixe o [syslinux](https://www.kernel.org/pub/linux/utils/boot/syslinux/4." +#~ "xx/syslinux-4.02.tar.gz)." + +#~ msgid "Double click on the package to extract it." +#~ msgstr "Clique duas vezes no pacote para extraí-lo." + +#~ msgid "Copy `isohybrid.pl` from the `/utils` folder to the desktop." +#~ msgstr "Copie o `isohybrid.pl` da pasta `/utils` para a área de trabalho." + +#~ msgid "" +#~ "Copy the ISO image (for example `tails-i386-0.17.1.iso`) to the desktop." +#~ msgstr "" +#~ "Copie a imagem ISO (por exemplo `tails-i386-0.17.1.iso` para a área de " +#~ "trabalho." + +#~ msgid "To change directory into the desktop, execute:" +#~ msgstr "Para mudar o diretório para a área de trabalho, execute:" + +#~ msgid " cd Desktop\n" +#~ msgstr " cd Desktop\n" + +#~ msgid "" +#~ "To run `isohybrid.pl` on the ISO image, execute the following command, " +#~ "replacing `[tails.iso]` with the path to the ISO image that you want to " +#~ "install." +#~ msgstr "" +#~ "Para executar o `isohybrid.pl` sobre a imagem ISO, execute o seguinte " +#~ "comando, substituindo `[tails.iso]` pelo caminho para a imagem ISO que " +#~ "você quer instalar." + +#~ msgid " perl isohybrid.pl [tails.iso]\n" +#~ msgstr " perl isohybrid.pl [tails.iso]\n" + +#~ msgid "" +#~ " Here is an example of the commands to execute, yours are probably " +#~ "different:\n" +#~ msgstr "" +#~ " Aqui está um exemplo dos comandos a serem executados, mas os seus " +#~ "provavelmente serão diferentes:\n" + +#~ msgid " perl isohybrid.pl tails-i386-0.17.1.iso\n" +#~ msgstr " perl isohybrid.pl tails-i386-0.17.1.iso\n" diff --git a/wiki/src/doc/first_steps/installation/manual/windows.de.po b/wiki/src/doc/first_steps/installation/manual/windows.de.po index fc246d359af74347241b6b6b18a4ad7386f21ef4..2c14366edcc8e6a29c9065bcae69321cd7acd645 100644 --- a/wiki/src/doc/first_steps/installation/manual/windows.de.po +++ b/wiki/src/doc/first_steps/installation/manual/windows.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-07-02 02:49+0300\n" +"POT-Creation-Date: 2015-01-25 20:07+0100\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -103,7 +103,7 @@ msgstr "" #. type: Title ### #, no-wrap -msgid "Choose the USB drive" +msgid "Choose the USB stick" msgstr "" #. type: Plain text diff --git a/wiki/src/doc/first_steps/installation/manual/windows.fr.po b/wiki/src/doc/first_steps/installation/manual/windows.fr.po index 935c72cae7012a5e2e7b4bf07c180d1188439d3c..68f58d098355e696054323b5602ec2fa802c4cee 100644 --- a/wiki/src/doc/first_steps/installation/manual/windows.fr.po +++ b/wiki/src/doc/first_steps/installation/manual/windows.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-07-02 02:49+0300\n" +"POT-Creation-Date: 2015-01-25 20:07+0100\n" "PO-Revision-Date: 2014-03-11 17:27-0000\n" "Last-Translator: \n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -109,8 +109,8 @@ msgstr "[[!img windows/05-browse-iso.png link=no alt=\"Step 2: Select your tails #. type: Title ### #, no-wrap -msgid "Choose the USB drive" -msgstr "Choisissez le lecteur USB" +msgid "Choose the USB stick" +msgstr "Choisissez la clé USB" #. type: Plain text #, no-wrap diff --git a/wiki/src/doc/first_steps/installation/manual/windows.mdwn b/wiki/src/doc/first_steps/installation/manual/windows.mdwn index 47c6ff51f9fc637e5929af45a52d071573d90ebd..6988a15d03d1adbbe6987923b0af2f1add683230 100644 --- a/wiki/src/doc/first_steps/installation/manual/windows.mdwn +++ b/wiki/src/doc/first_steps/installation/manual/windows.mdwn @@ -33,7 +33,7 @@ You will need version 1.9.5.4 or later. [[!img windows/05-browse-iso.png link=no alt="Step 2: Select your tails*.iso"]] -### Choose the USB drive +### Choose the USB stick [[!img windows/06-choose-drive.png link=no alt="Step 3: Select your USB Flash Drive Letter Only"]] diff --git a/wiki/src/doc/first_steps/installation/manual/windows.pt.po b/wiki/src/doc/first_steps/installation/manual/windows.pt.po index abbdd6d412d661ce566bb573ffe21c0b428bc650..9efda01d3f27a2b5524d2a19715d58f7662a5630 100644 --- a/wiki/src/doc/first_steps/installation/manual/windows.pt.po +++ b/wiki/src/doc/first_steps/installation/manual/windows.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-08-12 22:33+0200\n" +"POT-Creation-Date: 2015-01-25 20:07+0100\n" "PO-Revision-Date: 2014-07-31 15:14-0300\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -107,8 +107,9 @@ msgid "[[!img windows/05-browse-iso.png link=no alt=\"Step 2: Select your tails* msgstr "[[!img windows/05-browse-iso.png link=no alt=\"Passo 2: Selecione o arquivo tails*.iso\"]]\n" #. type: Title ### -#, no-wrap -msgid "Choose the USB drive" +#, fuzzy, no-wrap +#| msgid "Choose the USB drive" +msgid "Choose the USB stick" msgstr "Escolha o dispositivo USB" #. type: Plain text diff --git a/wiki/src/doc/first_steps/introduction_to_gnome_and_the_tails_desktop.de.po b/wiki/src/doc/first_steps/introduction_to_gnome_and_the_tails_desktop.de.po index ffa82b4b629fafbdbf2f27965f6baf7e962253f2..d3b2cbf8c226c2292dc4cfa93acc406c512c9e80 100644 --- a/wiki/src/doc/first_steps/introduction_to_gnome_and_the_tails_desktop.de.po +++ b/wiki/src/doc/first_steps/introduction_to_gnome_and_the_tails_desktop.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-10-09 00:01+0300\n" +"POT-Creation-Date: 2015-05-11 19:58+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -73,6 +73,33 @@ msgstr "" msgid "[[!img applications.png link=no alt=\"Applications menu\"]]\n" msgstr "" +#. type: Plain text +#, no-wrap +msgid "<a id=\"help\"></a>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"icon\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!img help-browser.png link=no]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<div class=\"text\">\n" +" <span class=\"guimenuitem\">Help</span>: to access the GNOME Desktop Help choose\n" +" <span class=\"menuchoice\">\n" +" <span class=\"guisubmenu\">Accessories</span> ▸\n" +" <span class=\"guimenuitem\">Help</span></span>\n" +" </div>\n" +"</div>\n" +msgstr "" + #. type: Title ### #, no-wrap msgid "System Tools submenu" @@ -106,11 +133,6 @@ msgstr "" msgid "Among other utilities, it includes:" msgstr "" -#. type: Plain text -#, no-wrap -msgid "<div class=\"icon\">\n" -msgstr "" - #. type: Plain text #, no-wrap msgid "[[!img preferences-system.png link=no]]\n" @@ -221,6 +243,11 @@ msgid "" "</div>\n" msgstr "" +#. type: Plain text +#, no-wrap +msgid "<a id=\"claws_mail\"></a>\n" +msgstr "" + #. type: Plain text #, no-wrap msgid "[[!img claws-mail.png link=no]]\n" @@ -229,7 +256,9 @@ msgstr "" #. type: Plain text #, no-wrap msgid "" -"<div class=\"text\"><strong>Claws Mail</strong>: email client</div>\n" +"<div class=\"text\"><strong>Claws Mail</strong>: email client<br />\n" +"[[See the corresponding documentation|anonymous_internet/claws_mail]]\n" +"</div>\n" "</div>\n" msgstr "" @@ -398,6 +427,13 @@ msgid "" "</div>\n" msgstr "" +#. type: Plain text +#, no-wrap +msgid "" +"<a id=\"keyboard_layout\"></a>\n" +"<div class=\"icon\">\n" +msgstr "" + #. type: Plain text #, no-wrap msgid "[[!img keyboard-en.png link=no]]\n" @@ -548,6 +584,11 @@ msgid "" "</div>\n" msgstr "" +#. type: Plain text +#, no-wrap +msgid "<a id=\"nautilus\"></a>\n" +msgstr "" + #. type: Title = #, no-wrap msgid "Managing files with Nautilus\n" diff --git a/wiki/src/doc/first_steps/introduction_to_gnome_and_the_tails_desktop.fr.po b/wiki/src/doc/first_steps/introduction_to_gnome_and_the_tails_desktop.fr.po index 7884df61695c51490be31a85633124f6b0c31261..6fefe7ab985b8eb192adca11a51919f6df1848aa 100644 --- a/wiki/src/doc/first_steps/introduction_to_gnome_and_the_tails_desktop.fr.po +++ b/wiki/src/doc/first_steps/introduction_to_gnome_and_the_tails_desktop.fr.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-10-15 18:40+0300\n" -"PO-Revision-Date: 2014-10-09 17:17-0000\n" +"POT-Creation-Date: 2015-05-11 19:58+0300\n" +"PO-Revision-Date: 2015-01-18 11:09-0000\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" @@ -80,6 +80,41 @@ msgstr "" msgid "[[!img applications.png link=no alt=\"Applications menu\"]]\n" msgstr "[[!img applications.png link=no alt=\"Menu des applications\"]]\n" +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "<a id=\"terminal\"></a>\n" +msgid "<a id=\"help\"></a>\n" +msgstr "<a id=\"terminal\"></a>\n" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"icon\">\n" +msgstr "<div class=\"icon\">\n" + +#. type: Plain text +#, no-wrap +msgid "[[!img help-browser.png link=no]]\n" +msgstr "[[!img help-browser.png link=no]]\n" + +#. type: Plain text +#, no-wrap +msgid "" +"<div class=\"text\">\n" +" <span class=\"guimenuitem\">Help</span>: to access the GNOME Desktop Help choose\n" +" <span class=\"menuchoice\">\n" +" <span class=\"guisubmenu\">Accessories</span> ▸\n" +" <span class=\"guimenuitem\">Help</span></span>\n" +" </div>\n" +"</div>\n" +msgstr "" +"<div class=\"text\">\n" +" <span class=\"guimenuitem\">Aide</span>: pour accéder à l'Aide de GNOME, choisissez\n" +" <span class=\"menuchoice\">\n" +" <span class=\"guisubmenu\">Accessoires</span> ▸\n" +" <span class=\"guimenuitem\">Aide</span></span>\n" +" </div>\n" +"</div>\n" + #. type: Title ### #, no-wrap msgid "System Tools submenu" @@ -97,7 +132,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<div class=\"next\">\n" -msgstr "" +msgstr "<div class=\"next\">\n" #. type: Plain text msgid "" @@ -113,21 +148,16 @@ msgstr "" #. type: Plain text #, no-wrap msgid "</div>\n" -msgstr "" +msgstr "</div>\n" #. type: Plain text msgid "Among other utilities, it includes:" msgstr "Entre autres utilitaires, ce menu contient :" -#. type: Plain text -#, no-wrap -msgid "<div class=\"icon\">\n" -msgstr "<div class=\"icon\">\n" - #. type: Plain text #, no-wrap msgid "[[!img preferences-system.png link=no]]\n" -msgstr "" +msgstr "[[!img preferences-system.png link=no]]\n" #. type: Plain text #, no-wrap @@ -258,7 +288,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "[[!img tor-browser.png link=no]]\n" -msgstr "" +msgstr "[[!img tor-browser.png link=no]]\n" #. type: Plain text #, no-wrap @@ -270,23 +300,40 @@ msgid "" "</div>\n" msgstr "" "<div class=\"text\">\n" -"<strong>Tor Browser</strong> : navigateur Web<br/>\n" +"<strong>Navigateur Tor</strong> : navigateur Web<br/>\n" "[[Voir la documentation|anonymous_internet/tor_browser]]\n" "</div>\n" "</div>\n" +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "<a id=\"terminal\"></a>\n" +msgid "<a id=\"claws_mail\"></a>\n" +msgstr "<a id=\"terminal\"></a>\n" + #. type: Plain text #, no-wrap msgid "[[!img claws-mail.png link=no]]\n" msgstr "[[!img claws-mail.png link=no]]\n" #. type: Plain text -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| "<div class=\"text\">\n" +#| "<strong>Pidgin</strong>: instant messaging client<br/>\n" +#| "[[See the corresponding documentation|anonymous_internet/pidgin]]\n" +#| "</div>\n" +#| "</div>\n" msgid "" -"<div class=\"text\"><strong>Claws Mail</strong>: email client</div>\n" +"<div class=\"text\"><strong>Claws Mail</strong>: email client<br />\n" +"[[See the corresponding documentation|anonymous_internet/claws_mail]]\n" +"</div>\n" "</div>\n" msgstr "" -"<div class=\"text\"><strong>Claws Mail</strong> : client email</div>\n" +"<div class=\"text\">\n" +"<strong>Pidgin</strong> : client de messagerie instantanée<br/>\n" +"[[Voir la documentation|anonymous_internet/pidgin]]\n" +"</div>\n" "</div>\n" #. type: Plain text @@ -332,7 +379,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<a id=\"terminal\"></a>\n" -msgstr "" +msgstr "<a id=\"terminal\"></a>\n" #. type: Plain text #, no-wrap @@ -436,7 +483,7 @@ msgstr "[[!img gpgApplet.png link=no]]\n" #. type: Plain text #, no-wrap msgid "[[!img gpgApplet-seal.png link=no]]\n" -msgstr "" +msgstr "[[!img gpgApplet-seal.png link=no]]\n" #. type: Plain text #, no-wrap @@ -462,7 +509,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "[[!img sound.png link=no]]\n" -msgstr "" +msgstr "[[!img sound.png link=no]]\n" #. type: Plain text #, no-wrap @@ -478,7 +525,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "[[!img power.png link=no]]\n" -msgstr "" +msgstr "[[!img power.png link=no]]\n" #. type: Plain text #, no-wrap @@ -494,15 +541,27 @@ msgstr "" "</div>\n" "</div>\n" +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "" +#| "<a id=\"audio\"></a>\n" +#| "<div class=\"icon\">\n" +msgid "" +"<a id=\"keyboard_layout\"></a>\n" +"<div class=\"icon\">\n" +msgstr "" +"<a id=\"audio\"></a>\n" +"<div class=\"icon\">\n" + #. type: Plain text #, no-wrap msgid "[[!img keyboard-en.png link=no]]\n" -msgstr "" +msgstr "[[!img keyboard-en.png link=no]]\n" #. type: Plain text #, no-wrap msgid "[[!img keyboard-de.png link=no]]\n" -msgstr "" +msgstr "[[!img keyboard-de.png link=no]]\n" #. type: Plain text #, no-wrap @@ -560,7 +619,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "[[!img shutdown.png link=no]]\n" -msgstr "" +msgstr "[[!img shutdown.png link=no]]\n" #. type: Plain text #, no-wrap @@ -674,6 +733,12 @@ msgstr "" "</div>\n" "</div>\n" +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "<a id=\"terminal\"></a>\n" +msgid "<a id=\"nautilus\"></a>\n" +msgstr "<a id=\"terminal\"></a>\n" + #. type: Title = #, no-wrap msgid "Managing files with Nautilus\n" @@ -688,7 +753,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "[[!img nautilus.png link=no]]\n" -msgstr "" +msgstr "[[!img nautilus.png link=no]]\n" #. type: Plain text msgid "" @@ -701,6 +766,13 @@ msgstr "" "des fichiers ou dossiers, vous pouvez les faire glisser d'une fenêtre à une " "autre." +#~ msgid "" +#~ "<div class=\"text\"><strong>Claws Mail</strong>: email client</div>\n" +#~ "</div>\n" +#~ msgstr "" +#~ "<div class=\"text\"><strong>Claws Mail</strong> : client email</div>\n" +#~ "</div>\n" + #~ msgid "[[!img iceweasel.png link=no]]\n" #~ msgstr "[[!img iceweasel.png link=no]]\n" diff --git a/wiki/src/doc/first_steps/introduction_to_gnome_and_the_tails_desktop.mdwn b/wiki/src/doc/first_steps/introduction_to_gnome_and_the_tails_desktop.mdwn index 7d6c62178306359a7ebd1544c9f318455e30d991..17dafa3e79cb7b2f051748e23ad5cfc67ed49293 100644 --- a/wiki/src/doc/first_steps/introduction_to_gnome_and_the_tails_desktop.mdwn +++ b/wiki/src/doc/first_steps/introduction_to_gnome_and_the_tails_desktop.mdwn @@ -24,6 +24,18 @@ The <span class="guimenu">Applications</span> menu provides shortcuts to the [[!img applications.png link=no alt="Applications menu"]] +<a id="help"></a> + +<div class="icon"> +[[!img help-browser.png link=no]] +<div class="text"> + <span class="guimenuitem">Help</span>: to access the GNOME Desktop Help choose + <span class="menuchoice"> + <span class="guisubmenu">Accessories</span> ▸ + <span class="guimenuitem">Help</span></span> + </div> +</div> + ### System Tools submenu The <span class="guisubmenu">System Tools</span> submenu allows you to customize @@ -103,9 +115,13 @@ launch the most frequently used applications. </div> </div> +<a id="claws_mail"></a> + <div class="icon"> [[!img claws-mail.png link=no]] -<div class="text"><strong>Claws Mail</strong>: email client</div> +<div class="text"><strong>Claws Mail</strong>: email client<br /> +[[See the corresponding documentation|anonymous_internet/claws_mail]] +</div> </div> <div class="icon"> @@ -181,6 +197,7 @@ a laptop<br/> </div> </div> +<a id="keyboard_layout"></a> <div class="icon"> [[!img keyboard-en.png link=no]] [[!img keyboard-de.png link=no]] @@ -248,6 +265,8 @@ Tails website and documentation</div> </div> </div> +<a id="nautilus"></a> + Managing files with Nautilus ============================ diff --git a/wiki/src/doc/first_steps/introduction_to_gnome_and_the_tails_desktop.pt.po b/wiki/src/doc/first_steps/introduction_to_gnome_and_the_tails_desktop.pt.po index d0898e841074b35c98e02670b7183b990b09b798..62661865810bd3d32dea013c5b6999765c499c61 100644 --- a/wiki/src/doc/first_steps/introduction_to_gnome_and_the_tails_desktop.pt.po +++ b/wiki/src/doc/first_steps/introduction_to_gnome_and_the_tails_desktop.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-10-09 00:01+0300\n" +"POT-Creation-Date: 2015-05-11 19:58+0300\n" "PO-Revision-Date: 2014-08-06 07:18-0300\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -77,6 +77,54 @@ msgstr "O menu <span class=\"guimenu\">Aplicações</span> provê atalhos para o msgid "[[!img applications.png link=no alt=\"Applications menu\"]]\n" msgstr "[[!img applications.png link=no alt=\"Menu de Aplicações\"]]\n" +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "<a id=\"terminal\"></a>\n" +msgid "<a id=\"help\"></a>\n" +msgstr "<a id=\"terminal\"></a>\n" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"icon\">\n" +msgstr "<div class=\"icon\">\n" + +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "[[!img tor-on.png link=no]]\n" +msgid "[[!img help-browser.png link=no]]\n" +msgstr "[[!img tor-on.png link=no]]\n" + +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "" +#| "<div class=\"text\">\n" +#| " <span class=\"guimenuitem\">Seahorse</span>:\n" +#| " to manage your OpenPGP keys choose\n" +#| " <span class=\"menuchoice\">\n" +#| " <span class=\"guisubmenu\">System Tools</span> ▸\n" +#| " <span class=\"guisubmenu\">Preferences</span> ▸\n" +#| " <span class=\"guimenuitem\">Passwords and Keys</span></span>\n" +#| " </div>\n" +#| "</div>\n" +msgid "" +"<div class=\"text\">\n" +" <span class=\"guimenuitem\">Help</span>: to access the GNOME Desktop Help choose\n" +" <span class=\"menuchoice\">\n" +" <span class=\"guisubmenu\">Accessories</span> ▸\n" +" <span class=\"guimenuitem\">Help</span></span>\n" +" </div>\n" +"</div>\n" +msgstr "" +"<div class=\"text\">\n" +" <span class=\"guimenuitem\">Seahorse</span>:\n" +" para gerenciar suas chaves OpenPGP, escolha\n" +" <span class=\"menuchoice\">\n" +" <span class=\"guisubmenu\">Ferramentas de Sistema</span> ▸\n" +" <span class=\"guisubmenu\">Preferências</span> ▸\n" +" <span class=\"guimenuitem\">Senhas e Chaves</span></span>\n" +" </div>\n" +"</div>\n" + #. type: Title ### #, no-wrap msgid "System Tools submenu" @@ -114,11 +162,6 @@ msgstr "</div>\n" msgid "Among other utilities, it includes:" msgstr "Entre outros utilitários, estão incluídos:" -#. type: Plain text -#, no-wrap -msgid "<div class=\"icon\">\n" -msgstr "<div class=\"icon\">\n" - #. type: Plain text #, no-wrap msgid "[[!img preferences-system.png link=no]]\n" @@ -271,18 +314,35 @@ msgstr "" "</div>\n" "</div>\n" +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "<a id=\"terminal\"></a>\n" +msgid "<a id=\"claws_mail\"></a>\n" +msgstr "<a id=\"terminal\"></a>\n" + #. type: Plain text #, no-wrap msgid "[[!img claws-mail.png link=no]]\n" msgstr "[[!img claws-mail.png link=no]]\n" #. type: Plain text -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| "<div class=\"text\">\n" +#| "<strong>Pidgin</strong>: instant messaging client<br/>\n" +#| "[[See the corresponding documentation|anonymous_internet/pidgin]]\n" +#| "</div>\n" +#| "</div>\n" msgid "" -"<div class=\"text\"><strong>Claws Mail</strong>: email client</div>\n" +"<div class=\"text\"><strong>Claws Mail</strong>: email client<br />\n" +"[[See the corresponding documentation|anonymous_internet/claws_mail]]\n" +"</div>\n" "</div>\n" msgstr "" -"<div class=\"text\"><strong>Claws Mail</strong>: cliente de email</div>\n" +"<div class=\"text\">\n" +"<strong>Pidgin</strong>: cliente de mensagens instantâneas<br/>\n" +"[[Veja a documentação correspondente|anonymous_internet/pidgin]]\n" +"</div>\n" "</div>\n" #. type: Plain text @@ -492,6 +552,18 @@ msgstr "" "</div>\n" "</div>\n" +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "" +#| "<a id=\"audio\"></a>\n" +#| "<div class=\"icon\">\n" +msgid "" +"<a id=\"keyboard_layout\"></a>\n" +"<div class=\"icon\">\n" +msgstr "" +"<a id=\"audio\"></a>\n" +"<div class=\"icon\">\n" + #. type: Plain text #, no-wrap msgid "[[!img keyboard-en.png link=no]]\n" @@ -674,6 +746,12 @@ msgstr "" "</div>\n" "</div>\n" +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "<a id=\"terminal\"></a>\n" +msgid "<a id=\"nautilus\"></a>\n" +msgstr "<a id=\"terminal\"></a>\n" + #. type: Title = #, no-wrap msgid "Managing files with Nautilus\n" @@ -701,6 +779,13 @@ msgstr "" "arquivos ou pastas, você pode arrastá-los a partir de uma janela e soltá-los " "em outra." +#~ msgid "" +#~ "<div class=\"text\"><strong>Claws Mail</strong>: email client</div>\n" +#~ "</div>\n" +#~ msgstr "" +#~ "<div class=\"text\"><strong>Claws Mail</strong>: cliente de email</div>\n" +#~ "</div>\n" + #~ msgid "[[!img iceweasel.png link=no]]\n" #~ msgstr "[[!img iceweasel.png link=no]]\n" diff --git a/wiki/src/doc/first_steps/introduction_to_gnome_and_the_tails_desktop/applications.png b/wiki/src/doc/first_steps/introduction_to_gnome_and_the_tails_desktop/applications.png index 03268f1d0f1b59d27242b09c1e86f53177e30adc..e48898e147e330b3ddaf877574b6becd632b6c06 100644 Binary files a/wiki/src/doc/first_steps/introduction_to_gnome_and_the_tails_desktop/applications.png and b/wiki/src/doc/first_steps/introduction_to_gnome_and_the_tails_desktop/applications.png differ diff --git a/wiki/src/doc/first_steps/introduction_to_gnome_and_the_tails_desktop/help-browser.png b/wiki/src/doc/first_steps/introduction_to_gnome_and_the_tails_desktop/help-browser.png new file mode 100644 index 0000000000000000000000000000000000000000..f3edf2c430bdfaebd9565afc32e692b3a68dd3fe Binary files /dev/null and b/wiki/src/doc/first_steps/introduction_to_gnome_and_the_tails_desktop/help-browser.png differ diff --git a/wiki/src/doc/first_steps/introduction_to_gnome_and_the_tails_desktop/places.png b/wiki/src/doc/first_steps/introduction_to_gnome_and_the_tails_desktop/places.png index b5d148868c94d4841e442c687c9b7c4be80c4288..8365cf914c6cb5fd76e288ee611b2046a1ef4b2d 100644 Binary files a/wiki/src/doc/first_steps/introduction_to_gnome_and_the_tails_desktop/places.png and b/wiki/src/doc/first_steps/introduction_to_gnome_and_the_tails_desktop/places.png differ diff --git a/wiki/src/doc/first_steps/persistence.caution.de.po b/wiki/src/doc/first_steps/persistence.caution.de.po index 9d2aa5324589c400cc683689cc6c0028ed3b0d62..97ddab8c3774c02b1572de5dec4e64834b0e9e7d 100644 --- a/wiki/src/doc/first_steps/persistence.caution.de.po +++ b/wiki/src/doc/first_steps/persistence.caution.de.po @@ -3,23 +3,23 @@ # This file is distributed under the same license as the PACKAGE package. # FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. # -#, fuzzy msgid "" msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" +"Project-Id-Version: Tails\n" "POT-Creation-Date: 2013-10-14 14:12+0300\n" -"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" -"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" -"Language-Team: LANGUAGE <LL@li.org>\n" -"Language: \n" +"PO-Revision-Date: 2015-02-21 22:41-0000\n" +"Last-Translator: Tails translators <tails@boum.org>\n" +"Language-Team: Tails Translators <tails-l10n@boum.org>\n" +"Language: de\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"X-Generator: Poedit 1.5.4\n" #. type: Plain text #, no-wrap msgid "<div class=\"caution\">\n" -msgstr "" +msgstr "<div class=\"caution\">\n" #. type: Plain text #, no-wrap @@ -28,8 +28,12 @@ msgid "" "anonymity and leave no trace is a complicated issue.</strong><br/>\n" "[[Read carefully the warning section.|persistence/warnings]]\n" msgstr "" +"<strong>Die Verwendung eines beständigen Speicherbereichs auf einem System,\n" +"welches darauf ausgelegt ist, Anonymität zu gewähren und keine Spuren zu\n" +"hinterlassen, ist eine komplizierte Aufgabe.</strong><br/>\n" +"[[Lesen Sie sorgfältig die Warnungshinweise|persistence/warnings]]\n" #. type: Plain text #, no-wrap msgid "</div>\n" -msgstr "" +msgstr "</div>\n" diff --git a/wiki/src/doc/first_steps/persistence.de.po b/wiki/src/doc/first_steps/persistence.de.po index 0f2829639a9f6f4bbad690267d632bee2ecd1f3e..7696c065acdfc80b3bace05e12781a6ecd6e03f5 100644 --- a/wiki/src/doc/first_steps/persistence.de.po +++ b/wiki/src/doc/first_steps/persistence.de.po @@ -3,23 +3,23 @@ # This file is distributed under the same license as the PACKAGE package. # FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. # -#, fuzzy msgid "" msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" +"Project-Id-Version: Tails\n" "POT-Creation-Date: 2014-10-08 16:51+0300\n" -"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" -"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" -"Language-Team: LANGUAGE <LL@li.org>\n" -"Language: \n" +"PO-Revision-Date: 2015-02-03 22:46+0100\n" +"Last-Translator: Tails developers <tails@boum.org>\n" +"Language-Team: Tails Translators <tails-l10n@boum.org>\n" +"Language: de\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"X-Generator: Poedit 1.5.4\n" #. type: Plain text #, no-wrap msgid "[[!meta title=\"Encrypted persistence\"]]\n" -msgstr "" +msgstr "[[!meta title=\"Verschlüsselter beständiger Speicherbereich\"]]\n" #. type: Plain text #, no-wrap @@ -29,11 +29,16 @@ msgid "" "class=\"application\">Tails Installer</span>. The files in the persistent\n" "volume are saved encrypted and remain available across separate working sessions.\n" msgstr "" +"Falls Sie Tails von einem USB-Stick oder einer SD-Karte starten, können Sie einen\n" +"beständigen Speicherbereich auf dem freien Platz, der vom <span\n" +"class=\"application\">Tails Installer</span> auf dem Speichermedium freigelassen wurde, erstellen.\n" +" Die Daten in dem beständigen Speicherbereich werden verschlüsselt gespeichert und\n" +"bleiben über mehrere Sitzungen hinweg erhalten.\n" #. type: Plain text #, no-wrap msgid "<div class=\"note\">\n" -msgstr "" +msgstr "<div class=\"note\">\n" #. type: Plain text #, no-wrap @@ -42,52 +47,62 @@ msgid "" "SD card, was installed using <span class=\"application\">[[Tails\n" "Installer|doc/first_steps/installation]]</span>.</p>\n" msgstr "" +"<p>Es ist nur möglich, einen beständigen Speicherbereich zu erstellen, wenn das\n" +"Speichermedium, USB-Stick oder SD-Karte, mit dem <span class=\"application\">\n" +"[[Tails Installer|doc/first_steps/installation]]</span> erstellt wurde.</p>\n" #. type: Plain text #, no-wrap msgid "<p>This requires a USB stick or SD card of <strong>at least 4 GB</strong>.</p>\n" -msgstr "" +msgstr "<p>Vorraussetzung ist ein USB-Stick oder eine SD-Karte mit <strong>mindestens 4 GB</strong>.</p>\n" #. type: Plain text #, no-wrap msgid "</div>\n" -msgstr "" +msgstr "</div>\n" #. type: Plain text msgid "You can use this persistent volume to store different kinds of files:" msgstr "" +"Sie können diesen beständigen Speicherbereich nutzen um verschiede Arten von " +"Dateien zu speichern:" #. type: Bullet: ' - ' msgid "your personal files and working documents" -msgstr "" +msgstr "Ihre persönlichen Dateien und Arbeitsdokumente" #. type: Bullet: ' - ' msgid "the software packages that you download and install in Tails" msgstr "" +"Die Softwarepakete, die Sie in Tails heruntergeladen und installiert haben" #. type: Bullet: ' - ' msgid "the configuration of the programs you use" -msgstr "" +msgstr "Die Einstellungen der Programme, die Sie nutzen" #. type: Bullet: ' - ' msgid "your encryption keys" -msgstr "" +msgstr "Ihre Verschlüsselungsschlüssel" #. type: Plain text msgid "" "The persistent volume is an encrypted partition protected by a passphrase." msgstr "" +"Der beständige Speicherbereich ist eine verschlüsselte Partition, die mit " +"einer Passphrase geschützt ist." #. type: Plain text msgid "" "Once the persistent volume is created, you can choose to activate it or not " "each time you start Tails." msgstr "" +"Sobald der beständige Speicherbereich erstellt wurde, können Sie bei jedem " +"Start von Tails auswählen, ob Sie ihn aktivieren wollen oder nicht." #. type: Plain text #, no-wrap msgid "[[!inline pages=\"doc/first_steps/persistence.caution\" raw=\"yes\"]]\n" -msgstr "" +msgstr "[[!inline pages=\"doc/first_steps/persistence.caution.de\" raw=\"yes\"]]\n" #. type: Plain text #, no-wrap @@ -95,39 +110,52 @@ msgid "" "How to use the persistent volume\n" "=================================\n" msgstr "" +"Wie benutzt man den beständigen Speicherbereich?\n" +"=================================\n" #. type: Bullet: ' - ' msgid "[[Warnings about persistence|first_steps/persistence/warnings]]" -msgstr "" +msgstr "[[Warnungen zu Beständigkeit|first_steps/persistence/warnings]]" #. type: Bullet: ' - ' msgid "" "[[Create & configure the persistent volume|first_steps/persistence/" "configure]]" msgstr "" +"[[Erstellen und Konfigurieren des beständigen Speicherbereiches|first_steps/" +"persistence/configure]]" #. type: Bullet: ' - ' msgid "[[Enable & use the persistent volume|first_steps/persistence/use]]" msgstr "" +"[[Aktivierung und Benutzung des beständigen Speicherbereiches|first_steps/" +"persistence/use]]" #. type: Bullet: ' - ' msgid "" "[[Change the passphrase of the persistent volume|first_steps/persistence/" "change_passphrase]]" msgstr "" +"[[Ändern der Passphrase für den beständige Speicherbereich|first_steps/" +"persistence/change_passphrase]]" #. type: Bullet: ' - ' msgid "" "[[Manually copy your persistent data to a new device|first_steps/persistence/" "copy]]" msgstr "" +"[[Händisch Daten vom beständigen Speicherbereich auf ein anderes " +"Speichermedium kopieren|first_steps/persistence/copy]]" #. type: Bullet: ' - ' msgid "" "[[Check the file system of the persistent volume|first_steps/persistence/" "check_file_system]]" msgstr "" +"[[Das Dateisystem des beständigen Speicherbereiches überprüfen|first_steps/" +"persistence/check_file_system]]" #. type: Bullet: ' - ' msgid "[[Delete the persistent volume|first_steps/persistence/delete]]" msgstr "" +"[[Den beständigen Speicherbereich löschen|first_steps/persistence/delete]]" diff --git a/wiki/src/doc/first_steps/persistence.fr.po b/wiki/src/doc/first_steps/persistence.fr.po index efbddc97ecd5310ab6b571b051dba2454e65f07c..431dae109d6221b456a56cc5abcb0f4b12cbbb66 100644 --- a/wiki/src/doc/first_steps/persistence.fr.po +++ b/wiki/src/doc/first_steps/persistence.fr.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: sPACKAGE VERSION\n" "POT-Creation-Date: 2014-10-15 18:40+0300\n" -"PO-Revision-Date: 2014-10-09 17:18-0000\n" +"PO-Revision-Date: 2015-01-25 10:16+0100\n" "Last-Translator: amnesia <amnesia@boum.org>\n" "Language-Team: sLANGUAGE <LL@li.org>\n" "Language: \n" @@ -38,7 +38,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<div class=\"note\">\n" -msgstr "" +msgstr "<div class=\"note\">\n" #. type: Plain text #, no-wrap @@ -59,7 +59,7 @@ msgstr "<p>Cela requière une clé USB ou une carte SD d'<strong>au moins 4 Go</ #. type: Plain text #, no-wrap msgid "</div>\n" -msgstr "" +msgstr "</div>\n" #. type: Plain text msgid "You can use this persistent volume to store different kinds of files:" diff --git a/wiki/src/doc/first_steps/persistence/configure.de.po b/wiki/src/doc/first_steps/persistence/configure.de.po index 953e07597c6c6cd8c6f6d538b8222a4c6598cbcf..579d90fb3d4dfb242960f464f9385d30896378dc 100644 --- a/wiki/src/doc/first_steps/persistence/configure.de.po +++ b/wiki/src/doc/first_steps/persistence/configure.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-10-15 18:40+0300\n" +"POT-Creation-Date: 2015-04-24 17:32+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -133,6 +133,17 @@ msgid "" "unselecting one or several features.\n" msgstr "" +#. type: Plain text +msgid "" +"Only features that are listed here can currently be made persistent. Some " +"other features have been asked and accepted, but are waiting to be " +"implemented: browser extensions, [[!tails_ticket 7148 desc=\"wallpaper\"]], " +"[[!tails_ticket 7625 desc=\"RSS feeds\"]], [[!tails_ticket 7246 desc=" +"\"default sound card\"]], [[!tails_ticket 5979 desc=\"mouse and touchpad " +"settings\"]], etc. See the [[corresponding tickets|https://labs.riseup.net/" +"code/projects/tails/issues?query_id=122]] for more details :)" +msgstr "" + #. type: Plain text msgid "" "If you unselect a feature that used to be activated, it will be deactivated " @@ -175,8 +186,7 @@ msgid "" "To open the <span class=\"filename\">Persistent</span> folder, choose\n" "<span class=\"menuchoice\">\n" " <span class=\"guimenu\">Places</span> ▸\n" -" <span class=\"guimenuitem\">Home Folder</span></span>, and open the <span\n" -" class=\"guilabel\">Persistent</span> folder.\n" +" <span class=\"guimenuitem\">Persistent</span></span>.\n" msgstr "" #. type: Plain text @@ -283,8 +293,8 @@ msgstr "" #, no-wrap msgid "" "When this feature is activated, all the configuration files of the\n" -"<span class=\"application\">Pidgin</span> Internet messenger are saved in the\n" -"persistent volume:\n" +"[[<span class=\"application\">Pidgin</span> Internet messenger|doc/anonymous_internet/pidgin]]\n" +"are saved in the persistent volume:\n" msgstr "" #. type: Bullet: ' - ' @@ -309,46 +319,47 @@ msgstr "" #. type: Plain text #, no-wrap -msgid "<a id=\"claws_mail\"></a>\n" +msgid "" +"<p>Pidgin fails to load any account if you enable persistence and\n" +"select the <span class=\"guilabel\">Read-Only</span> check box as a startup option.</p>\n" msgstr "" #. type: Plain text #, no-wrap -msgid "[[!img claws-mail.png link=no]]\n" +msgid "" +"<p>Don't use the <span class=\"guilabel\">Read-Only</span> option if you want to use Pidgin. See\n" +"[[!tails_ticket 8465]].</p>\n" msgstr "" #. type: Plain text #, no-wrap -msgid "" -"<div class=\"text\"><h2>Claws Mail</h2></div>\n" -"</div>\n" +msgid "<a id=\"claws_mail\"></a>\n" msgstr "" #. type: Plain text #, no-wrap -msgid "" -"When this feature is activated, the configuration and emails stored locally by\n" -"the <span class=\"application\">Claws Mail</span> email client are saved in the\n" -"persistent volume.\n" +msgid "[[!img claws-mail.png link=no]]\n" msgstr "" #. type: Plain text #, no-wrap msgid "" -"<p>The emails of a POP3 account created without using the configuration\n" -"assistant are not stored in the persistent volume by default. For example,\n" -"when configuring a second email account.</p>\n" +"<div class=\"text\"><h2>Claws Mail</h2></div>\n" +"</div>\n" msgstr "" #. type: Plain text #, no-wrap msgid "" -"<p>To make it persistent choose\n" -"<span class=\"menuchoice\">\n" -" <span class=\"guimenu\">File</span> ▸\n" -" <span class=\"guimenu\">Add Mailbox</span> ▸\n" -" <span class=\"guimenuitem\">MH...</span></span> and change the location of the mailbox\n" -"from <span class=\"filename\">Mail</span> to <span class=\"filename\">.claws-mail/Mail</span>.</p>\n" +"When this feature is activated, the configuration and emails stored\n" +"locally by the\n" +"[[<span class=\"application\">Claws Mail</span> email client|doc/anonymous_internet/claws_mail]]\n" +"are saved in the persistent volume.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"doc/anonymous_internet/claws_mail/persistence.bug\" raw=\"yes\"]]\n" msgstr "" #. type: Plain text @@ -404,8 +415,9 @@ msgstr "" #. type: Plain text msgid "" -"When this feature is activated, the configuration of the network devices and " -"connections is saved in the persistent volume." +"When this feature is activated, the [[configuration of the network devices " +"and connections|doc/anonymous_internet/networkmanager]] is saved in the " +"persistent volume." msgstr "" #. type: Plain text @@ -443,9 +455,10 @@ msgstr "" #. type: Plain text msgid "" -"If you install additional programs, this feature allows you to download them " -"once and reinstall them during future working sessions, even offline. Note " -"that those packages are not automatically installed when restarting Tails." +"If you [[install additional programs|doc/advanced_topics/" +"additional_software]], this feature allows you to download them once and " +"reinstall them during future working sessions, even offline. Note that those " +"packages are not automatically installed when restarting Tails." msgstr "" #. type: Plain text @@ -486,9 +499,10 @@ msgstr "" #. type: Plain text #, no-wrap msgid "" -"The <span class=\"emphasis\">APT lists</span> are needed to install additional\n" -"programs or explore the list of available software packages. This feature allows\n" -"you to reuse them during future working sessions, even offline.\n" +"The <span class=\"emphasis\">APT lists</span> are needed to\n" +"[[install additional programs|doc/advanced_topics/additional_software]]\n" +"or explore the list of available software packages. This feature\n" +"allows you to reuse them during future working sessions, even offline.\n" msgstr "" #. type: Plain text @@ -512,8 +526,9 @@ msgstr "" #, no-wrap msgid "" "When this feature is activated, changes to the bookmarks in\n" -"<span class=\"application\">Tor Browser</span> are saved in the persistent\n" -"volume. This does not apply to the Unsafe web browser.\n" +"[[<span class=\"application\">Tor Browser</span>|doc/anonymous_internet/Tor_Browser]]\n" +"are saved in the persistent volume. This does not apply to the\n" +"[[<span class=\"application\">Unsafe Browser</span>|doc/anonymous_internet/unsafe_browser]].\n" msgstr "" #. type: Plain text @@ -535,8 +550,33 @@ msgstr "" #. type: Plain text msgid "" -"When this feature is activated, the configuration of the printers is saved " -"in the persistent volume." +"When this feature is activated, the [[configuration of the printers|doc/" +"sensitive_documents/printing_and_scanning]] is saved in the persistent " +"volume." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"bitcoin\"></a>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!img electrum.png link=no]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<div class=\"text\"><h2>Bitcoin Client</h2></div>\n" +"</div>\n" +msgstr "" + +#. type: Plain text +msgid "" +"When this feature is activated, the bitcoin wallet and preferences of the " +"[[*Electrum* bitcoin client|anonymous_internet/electrum]] are saved in the " +"persistent volume." msgstr "" #. type: Plain text @@ -637,10 +677,11 @@ msgstr "" #. type: Plain text msgid "" -"When this feature is enabled, a list of additional software of your choice " -"is automatically installed at the beginning of every working session. The " -"corresponding software packages are stored in the persistent volume. They " -"are automatically upgraded for security after a network connection is " +"When this feature is enabled, a list of [[additional software|doc/" +"advanced_topics/additional_software]] of your choice is automatically " +"installed at the beginning of every working session. The corresponding " +"software packages are stored in the persistent volume. They are " +"automatically upgraded for security after a network connection is " "established." msgstr "" diff --git a/wiki/src/doc/first_steps/persistence/configure.fr.po b/wiki/src/doc/first_steps/persistence/configure.fr.po index a798d4af4aaec0c41a4adb0c3743e72a68ce3743..1f022396b866657170edfdc91dcda3b982f1e88e 100644 --- a/wiki/src/doc/first_steps/persistence/configure.fr.po +++ b/wiki/src/doc/first_steps/persistence/configure.fr.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: sPACKAGE VERSION\n" -"POT-Creation-Date: 2014-10-15 18:40+0300\n" -"PO-Revision-Date: 2014-10-08 13:25-0000\n" +"POT-Creation-Date: 2015-04-24 17:32+0300\n" +"PO-Revision-Date: 2015-04-08 18:40+0200\n" "Last-Translator: \n" "Language-Team: \n" "Language: \n" @@ -54,7 +54,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<div class=\"note\">\n" -msgstr "" +msgstr "<div class=\"note\">\n" #. type: Plain text #, no-wrap @@ -72,7 +72,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "</div>\n" -msgstr "" +msgstr "</div>\n" #. type: Title = #, no-wrap @@ -114,7 +114,7 @@ msgstr "Patientez jusqu'à la fin de l'opération." #. type: Plain text #, no-wrap msgid "<div class=\"bug\">\n" -msgstr "" +msgstr "<div class=\"bug\">\n" #. type: Plain text #, no-wrap @@ -162,6 +162,17 @@ msgstr "" "<strong>Redémarrez Tails pour appliquer les changements</strong> après\n" "avoir activé ou désactivé une ou plusieurs options.\n" +#. type: Plain text +msgid "" +"Only features that are listed here can currently be made persistent. Some " +"other features have been asked and accepted, but are waiting to be " +"implemented: browser extensions, [[!tails_ticket 7148 desc=\"wallpaper\"]], " +"[[!tails_ticket 7625 desc=\"RSS feeds\"]], [[!tails_ticket 7246 desc=" +"\"default sound card\"]], [[!tails_ticket 5979 desc=\"mouse and touchpad " +"settings\"]], etc. See the [[corresponding tickets|https://labs.riseup.net/" +"code/projects/tails/issues?query_id=122]] for more details :)" +msgstr "" + #. type: Plain text msgid "" "If you unselect a feature that used to be activated, it will be deactivated " @@ -207,13 +218,18 @@ msgstr "" "<span class=\"filename\">Persistent</span>.\n" #. type: Plain text -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| "To open the <span class=\"filename\">Persistent</span> folder, choose\n" +#| "<span class=\"menuchoice\">\n" +#| " <span class=\"guimenu\">Places</span> ▸\n" +#| " <span class=\"guimenuitem\">Home Folder</span></span>, and open the <span\n" +#| " class=\"guilabel\">Persistent</span> folder.\n" msgid "" "To open the <span class=\"filename\">Persistent</span> folder, choose\n" "<span class=\"menuchoice\">\n" " <span class=\"guimenu\">Places</span> ▸\n" -" <span class=\"guimenuitem\">Home Folder</span></span>, and open the <span\n" -" class=\"guilabel\">Persistent</span> folder.\n" +" <span class=\"guimenuitem\">Persistent</span></span>.\n" msgstr "" "Pour accéder au dossier <span class=\"filename\">Persistent</span>\n" "aller dans <span class=\"menuchoice\">\n" @@ -246,12 +262,12 @@ msgid "" "are saved in the persistent volume." msgstr "" "Lorsque cette option est activée, les clés OpenPGP que vous créez et " -"importez sont sauvegardées dans le volume persistant." +"importez sont sauvegardées sur le volume persistant." #. type: Plain text #, no-wrap msgid "<div class=\"caution\">\n" -msgstr "" +msgstr "<div class=\"caution\">\n" #. type: Plain text #, no-wrap @@ -342,11 +358,15 @@ msgstr "" "</div>\n" #. type: Plain text -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| "When this feature is activated, all the configuration files of the\n" +#| "<span class=\"application\">Pidgin</span> Internet messenger are saved in the\n" +#| "persistent volume:\n" msgid "" "When this feature is activated, all the configuration files of the\n" -"<span class=\"application\">Pidgin</span> Internet messenger are saved in the\n" -"persistent volume:\n" +"[[<span class=\"application\">Pidgin</span> Internet messenger|doc/anonymous_internet/pidgin]]\n" +"are saved in the persistent volume:\n" msgstr "" "Lorsque cette option est activée, tous les fichiers de configuration relatifs\n" "à la messagerie instantanée <span class=\"application\">Pidgin</span>\n" @@ -377,6 +397,20 @@ msgstr "" "graphique. Il n'est pas nécessaire d'éditer ou de remplacer manuellement les " "fichiers de configuration." +#. type: Plain text +#, no-wrap +msgid "" +"<p>Pidgin fails to load any account if you enable persistence and\n" +"select the <span class=\"guilabel\">Read-Only</span> check box as a startup option.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>Don't use the <span class=\"guilabel\">Read-Only</span> option if you want to use Pidgin. See\n" +"[[!tails_ticket 8465]].</p>\n" +msgstr "" + #. type: Plain text #, no-wrap msgid "<a id=\"claws_mail\"></a>\n" @@ -397,43 +431,26 @@ msgstr "" "</div>\n" #. type: Plain text -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| "When this feature is activated, the configuration and emails stored locally by\n" +#| "the <span class=\"application\">Claws Mail</span> email client are saved in the\n" +#| "persistent volume.\n" msgid "" -"When this feature is activated, the configuration and emails stored locally by\n" -"the <span class=\"application\">Claws Mail</span> email client are saved in the\n" -"persistent volume.\n" +"When this feature is activated, the configuration and emails stored\n" +"locally by the\n" +"[[<span class=\"application\">Claws Mail</span> email client|doc/anonymous_internet/claws_mail]]\n" +"are saved in the persistent volume.\n" msgstr "" "Lorsque cette option est activée, tous les fichiers de configuration relatifs\n" "au client mail <span class=\"application\">Claws Mail</span> ainsi que\n" "les emails stockés localement sont sauvegardés sur le volume persistant.\n" #. type: Plain text -#, no-wrap -msgid "" -"<p>The emails of a POP3 account created without using the configuration\n" -"assistant are not stored in the persistent volume by default. For example,\n" -"when configuring a second email account.</p>\n" -msgstr "" -"<p>Les emails d'un compte POP3 créé sans utiliser l'assistant de configuration\n" -"ne sont pas stockés dans le volume persistant par défaut. Par exemple,\n" -"lors de la configuration d'un second compte mail.</p>\n" - -#. type: Plain text -#, no-wrap -msgid "" -"<p>To make it persistent choose\n" -"<span class=\"menuchoice\">\n" -" <span class=\"guimenu\">File</span> ▸\n" -" <span class=\"guimenu\">Add Mailbox</span> ▸\n" -" <span class=\"guimenuitem\">MH...</span></span> and change the location of the mailbox\n" -"from <span class=\"filename\">Mail</span> to <span class=\"filename\">.claws-mail/Mail</span>.</p>\n" -msgstr "" -"<p>Pour la rendre persistante choisir\n" -"<span class=\"menuchoice\">\n" -" <span class=\"guimenu\">Fichier</span> ▸\n" -" <span class=\"guimenu\">Ajouter une boîte aux lettres</span> ▸\n" -" <span class=\"guimenuitem\">MH...</span></span> et changer l'emplacement de la boîte aux lettres\n" -"de <span class=\"filename\">Mail</span> à <span class=\"filename\">.claws-mail/Mail</span>.</p>\n" +#, fuzzy, no-wrap +#| msgid "[[!inline pages=\"doc/first_steps/persistence.caution\" raw=\"yes\"]]\n" +msgid "[[!inline pages=\"doc/anonymous_internet/claws_mail/persistence.bug\" raw=\"yes\"]]\n" +msgstr "[[!inline pages=\"doc/first_steps/persistence.caution.fr\" raw=\"yes\"]]\n" #. type: Plain text #, no-wrap @@ -499,9 +516,14 @@ msgstr "" "</div>\n" #. type: Plain text +#, fuzzy +#| msgid "" +#| "When this feature is activated, the configuration of the network devices " +#| "and connections is saved in the persistent volume." msgid "" -"When this feature is activated, the configuration of the network devices and " -"connections is saved in the persistent volume." +"When this feature is activated, the [[configuration of the network devices " +"and connections|doc/anonymous_internet/networkmanager]] is saved in the " +"persistent volume." msgstr "" "Lorsque cette option est activée, la configurations des périphériques " "réseaux et des connexions est sauvegardée sur le volume persistant." @@ -549,10 +571,17 @@ msgstr "" "sauvegardés sur le volume persistant.\n" #. type: Plain text +#, fuzzy +#| msgid "" +#| "If you install additional programs, this feature allows you to download " +#| "them once and reinstall them during future working sessions, even " +#| "offline. Note that those packages are not automatically installed when " +#| "restarting Tails." msgid "" -"If you install additional programs, this feature allows you to download them " -"once and reinstall them during future working sessions, even offline. Note " -"that those packages are not automatically installed when restarting Tails." +"If you [[install additional programs|doc/advanced_topics/" +"additional_software]], this feature allows you to download them once and " +"reinstall them during future working sessions, even offline. Note that those " +"packages are not automatically installed when restarting Tails." msgstr "" "Si vous installez des logiciels additionnels, cette option vous permet de " "n'avoir besoin de les télécharger qu'une seule fois. Vous pourrez les " @@ -606,11 +635,16 @@ msgstr "" "<span class=\"command\">apt-get update</span>.\n" #. type: Plain text -#, no-wrap -msgid "" -"The <span class=\"emphasis\">APT lists</span> are needed to install additional\n" -"programs or explore the list of available software packages. This feature allows\n" -"you to reuse them during future working sessions, even offline.\n" +#, fuzzy, no-wrap +#| msgid "" +#| "The <span class=\"emphasis\">APT lists</span> are needed to install additional\n" +#| "programs or explore the list of available software packages. This feature allows\n" +#| "you to reuse them during future working sessions, even offline.\n" +msgid "" +"The <span class=\"emphasis\">APT lists</span> are needed to\n" +"[[install additional programs|doc/advanced_topics/additional_software]]\n" +"or explore the list of available software packages. This feature\n" +"allows you to reuse them during future working sessions, even offline.\n" msgstr "Les <span class=\"emphasis\">listes d'APT</span> sont nécessaires pour installer des programmes supplémentaires ou explorer la liste des paquets disponibles. Cette option vous permet de les réutiliser lors de sessions de travail ultérieures, même hors-ligne.\n" #. type: Plain text @@ -635,16 +669,17 @@ msgstr "" #. type: Plain text #, fuzzy, no-wrap #| msgid "" -#| "When this feature is activated, changes to the bookmarks in the\n" +#| "When this feature is activated, changes to the bookmarks in\n" #| "<span class=\"application\">Tor Browser</span> are saved in the persistent\n" #| "volume. This does not apply to the Unsafe web browser.\n" msgid "" "When this feature is activated, changes to the bookmarks in\n" -"<span class=\"application\">Tor Browser</span> are saved in the persistent\n" -"volume. This does not apply to the Unsafe web browser.\n" +"[[<span class=\"application\">Tor Browser</span>|doc/anonymous_internet/Tor_Browser]]\n" +"are saved in the persistent volume. This does not apply to the\n" +"[[<span class=\"application\">Unsafe Browser</span>|doc/anonymous_internet/unsafe_browser]].\n" msgstr "" "Quand cette option est activée, les modifications des marques-pages\n" -"du navigateur web <span class=\"application\">Tor Browser</span> seront\n" +"du <span class=\"application\">navigateur Tor</span> seront\n" "sauvegardées dans le volume persistant. Ceci ne s'applique pas au Navigateur\n" "Web Non-sécurisé.\n" @@ -668,13 +703,47 @@ msgstr "" "</div>\n" #. type: Plain text +#, fuzzy +#| msgid "" +#| "When this feature is activated, the configuration of the printers is " +#| "saved in the persistent volume." msgid "" -"When this feature is activated, the configuration of the printers is saved " -"in the persistent volume." +"When this feature is activated, the [[configuration of the printers|doc/" +"sensitive_documents/printing_and_scanning]] is saved in the persistent " +"volume." msgstr "" "Lorsque cette option est activée, la configurations des imprimantes est " "sauvegardée sur le volume persistant." +#. type: Plain text +#, no-wrap +msgid "<a id=\"bitcoin\"></a>\n" +msgstr "<a id=\"bitcoin\"></a>\n" + +#. type: Plain text +#, no-wrap +msgid "[[!img electrum.png link=no]]\n" +msgstr "[[!img electrum.png link=no]]\n" + +#. type: Plain text +#, no-wrap +msgid "" +"<div class=\"text\"><h2>Bitcoin Client</h2></div>\n" +"</div>\n" +msgstr "" +"<div class=\"text\"><h2>Client Bitcoin</h2></div>\n" +"</div>\n" + +#. type: Plain text +msgid "" +"When this feature is activated, the bitcoin wallet and preferences of the " +"[[*Electrum* bitcoin client|anonymous_internet/electrum]] are saved in the " +"persistent volume." +msgstr "" +"Lorsque cette option est activée, la configuration et le porte-monnaie du " +"[[client bitcoin *Electrum*|anonymous_internet/electrum]] sont sauvegardés " +"sur le volume persistant." + #. type: Plain text #, no-wrap msgid "<a id=\"dotfiles\"></a>\n" @@ -807,11 +876,19 @@ msgstr "" "C'est une fonctionnalité expérimentale qui n'apparaît pas dans l'assistant." #. type: Plain text -msgid "" -"When this feature is enabled, a list of additional software of your choice " -"is automatically installed at the beginning of every working session. The " -"corresponding software packages are stored in the persistent volume. They " -"are automatically upgraded for security after a network connection is " +#, fuzzy +#| msgid "" +#| "When this feature is enabled, a list of additional software of your " +#| "choice is automatically installed at the beginning of every working " +#| "session. The corresponding software packages are stored in the persistent " +#| "volume. They are automatically upgraded for security after a network " +#| "connection is established." +msgid "" +"When this feature is enabled, a list of [[additional software|doc/" +"advanced_topics/additional_software]] of your choice is automatically " +"installed at the beginning of every working session. The corresponding " +"software packages are stored in the persistent volume. They are " +"automatically upgraded for security after a network connection is " "established." msgstr "" "Lorsque cette fonctionnalité est activée, une liste de logiciels " @@ -896,3 +973,33 @@ msgstr "" "pouvoir se connecter en passant par Tor, et ne marcheront pas sans cela. D'autres logiciels pourraient,\n" "par exemple, modifier le pare-feu et briser la sécurité construite au sein de Tails.\n" "La sécurité des logiciels non officiellement inclus dans Tails n'est pas testée.\n" + +#~ msgid "" +#~ "<p>The emails of a POP3 account created without using the configuration\n" +#~ "assistant are not stored in the persistent volume by default. For " +#~ "example,\n" +#~ "when configuring a second email account.</p>\n" +#~ msgstr "" +#~ "<p>Les emails d'un compte POP3 créé sans utiliser l'assistant de " +#~ "configuration\n" +#~ "ne sont pas stockés dans le volume persistant par défaut. Par exemple,\n" +#~ "lors de la configuration d'un second compte mail.</p>\n" + +#~ msgid "" +#~ "<p>To make it persistent choose\n" +#~ "<span class=\"menuchoice\">\n" +#~ " <span class=\"guimenu\">File</span> ▸\n" +#~ " <span class=\"guimenu\">Add Mailbox</span> ▸\n" +#~ " <span class=\"guimenuitem\">MH...</span></span> and change the location " +#~ "of the mailbox\n" +#~ "from <span class=\"filename\">Mail</span> to <span class=\"filename\">." +#~ "claws-mail/Mail</span>.</p>\n" +#~ msgstr "" +#~ "<p>Pour la rendre persistante choisir\n" +#~ "<span class=\"menuchoice\">\n" +#~ " <span class=\"guimenu\">Fichier</span> ▸\n" +#~ " <span class=\"guimenu\">Ajouter une boîte aux lettres</span> ▸\n" +#~ " <span class=\"guimenuitem\">MH...</span></span> et changer " +#~ "l'emplacement de la boîte aux lettres\n" +#~ "de <span class=\"filename\">Mail</span> à <span class=\"filename\">.claws-" +#~ "mail/Mail</span>.</p>\n" diff --git a/wiki/src/doc/first_steps/persistence/configure.mdwn b/wiki/src/doc/first_steps/persistence/configure.mdwn index 42d35523a9417c0de6064050889cba2884595e05..e6c63b9673d8e7495126922849d8b936094bae6e 100644 --- a/wiki/src/doc/first_steps/persistence/configure.mdwn +++ b/wiki/src/doc/first_steps/persistence/configure.mdwn @@ -64,6 +64,21 @@ unselecting one or several features. </div> +<div class="note"> + +Only features that are listed here can currently be made +persistent. Some other features have been asked and accepted, but are +waiting to be implemented: browser extensions, +[[!tails_ticket 7148 desc="wallpaper"]], +[[!tails_ticket 7625 desc="RSS feeds"]], +[[!tails_ticket 7246 desc="default sound card"]], +[[!tails_ticket 5979 desc="mouse and touchpad settings"]], +etc. See the +[[corresponding tickets|https://labs.riseup.net/code/projects/tails/issues?query_id=122]] +for more details :) + +</div> + <div class="bug"> If you unselect a feature that used to be activated, it will be @@ -85,8 +100,7 @@ documents in the <span class="filename">Persistent</span> folder. To open the <span class="filename">Persistent</span> folder, choose <span class="menuchoice"> <span class="guimenu">Places</span> ▸ - <span class="guimenuitem">Home Folder</span></span>, and open the <span - class="guilabel">Persistent</span> folder. + <span class="guimenuitem">Persistent</span></span>. <a id="gnupg"></a> @@ -139,8 +153,8 @@ encryption defaults or render SSH unusable. </div> When this feature is activated, all the configuration files of the -<span class="application">Pidgin</span> Internet messenger are saved in the -persistent volume: +[[<span class="application">Pidgin</span> Internet messenger|doc/anonymous_internet/pidgin]] +are saved in the persistent volume: - The configuration of your accounts, buddies and chats. - Your OTR encryption keys and keyring. @@ -150,6 +164,16 @@ persistent volume: All the configuration options are available from the graphical interface. There is no need to manually edit or overwrite the configuration files. +<div class="bug"> + +<p>Pidgin fails to load any account if you enable persistence and +select the <span class="guilabel">Read-Only</span> check box as a startup option.</p> + +<p>Don't use the <span class="guilabel">Read-Only</span> option if you want to use Pidgin. See +[[!tails_ticket 8465]].</p> + +</div> + <a id="claws_mail"></a> <div class="icon"> @@ -157,27 +181,15 @@ is no need to manually edit or overwrite the configuration files. <div class="text"><h2>Claws Mail</h2></div> </div> -When this feature is activated, the configuration and emails stored locally by -the <span class="application">Claws Mail</span> email client are saved in the -persistent volume. +When this feature is activated, the configuration and emails stored +locally by the +[[<span class="application">Claws Mail</span> email client|doc/anonymous_internet/claws_mail]] +are saved in the persistent volume. All the configuration options are available from the graphical interface. There is no need to manually edit or overwrite the configuration files. -<div class="bug"> - -<p>The emails of a POP3 account created without using the configuration -assistant are not stored in the persistent volume by default. For example, -when configuring a second email account.</p> - -<p>To make it persistent choose -<span class="menuchoice"> - <span class="guimenu">File</span> ▸ - <span class="guimenu">Add Mailbox</span> ▸ - <span class="guimenuitem">MH...</span></span> and change the location of the mailbox -from <span class="filename">Mail</span> to <span class="filename">.claws-mail/Mail</span>.</p> - -</div> +[[!inline pages="doc/anonymous_internet/claws_mail/persistence.bug" raw="yes"]] <a id="gnome_keyring"></a> @@ -202,8 +214,9 @@ the [official documentation](http://live.gnome.org/GnomeKeyring). <div class="text"><h2>Network Connections</h2></div> </div> -When this feature is activated, the configuration of the network devices -and connections is saved in the persistent volume. +When this feature is activated, the +[[configuration of the network devices and connections|doc/anonymous_internet/networkmanager]] +is saved in the persistent volume. To save passwords, for example the passwords of encrypted wireless connections, the [[<span class="application">GNOME Keyring</span> persistence @@ -220,9 +233,11 @@ When this feature is activated, the packages that you install using the <span class="application">Synaptic</span> package manager or the <span class="command">apt-get</span> command are saved in the persistent volume. -If you install additional programs, this feature allows you to download them -once and reinstall them during future working sessions, even offline. -Note that those packages are not automatically installed when restarting Tails. +If you +[[install additional programs|doc/advanced_topics/additional_software]], +this feature allows you to download them once and reinstall them +during future working sessions, even offline. Note that those +packages are not automatically installed when restarting Tails. If you activate this feature, it is recommended to activate the <span class="guilabel">APT Lists</span> feature as well. @@ -243,9 +258,10 @@ downloaded while doing <span class="application">Synaptic</span> package manager or issuing the <span class="command">apt-get update</span> command. -The <span class="emphasis">APT lists</span> are needed to install additional -programs or explore the list of available software packages. This feature allows -you to reuse them during future working sessions, even offline. +The <span class="emphasis">APT lists</span> are needed to +[[install additional programs|doc/advanced_topics/additional_software]] +or explore the list of available software packages. This feature +allows you to reuse them during future working sessions, even offline. <a id="browser_bookmarks"></a> @@ -255,8 +271,9 @@ you to reuse them during future working sessions, even offline. </div> When this feature is activated, changes to the bookmarks in -<span class="application">Tor Browser</span> are saved in the persistent -volume. This does not apply to the Unsafe web browser. +[[<span class="application">Tor Browser</span>|doc/anonymous_internet/Tor_Browser]] +are saved in the persistent volume. This does not apply to the +[[<span class="application">Unsafe Browser</span>|doc/anonymous_internet/unsafe_browser]]. <a id="printers"></a> @@ -265,7 +282,19 @@ volume. This does not apply to the Unsafe web browser. <div class="text"><h2>Printers</h2></div> </div> -When this feature is activated, the configuration of the printers is saved in the +When this feature is activated, the +[[configuration of the printers|doc/sensitive_documents/printing_and_scanning]] +is saved in the persistent volume. + +<a id="bitcoin"></a> + +<div class="icon"> +[[!img electrum.png link=no]] +<div class="text"><h2>Bitcoin Client</h2></div> +</div> + +When this feature is activated, the bitcoin wallet and preferences of +the [[*Electrum* bitcoin client|anonymous_internet/electrum]] are saved in the persistent volume. <a id="dotfiles"></a> @@ -324,11 +353,12 @@ This is an experimental feature which does not appear in the assistant. </div> -When this feature is enabled, a list of additional software of your -choice is automatically installed at the beginning of every working -session. The corresponding software packages are stored in the -persistent volume. They are automatically upgraded for security -after a network connection is established. +When this feature is enabled, a list of +[[additional software|doc/advanced_topics/additional_software]] of +your choice is automatically installed at the beginning of every +working session. The corresponding software packages are stored in the +persistent volume. They are automatically upgraded for security after +a network connection is established. To use this feature you need to enable both the <span class="guilabel">APT Lists</span> and <span class="guilabel">APT diff --git a/wiki/src/doc/first_steps/persistence/configure.pt.po b/wiki/src/doc/first_steps/persistence/configure.pt.po index c5ad144f4687f89fc9587289ded966e6968ec8e8..ccd7b2ac77fd23168bdc0756227ce335c3ef3b3c 100644 --- a/wiki/src/doc/first_steps/persistence/configure.pt.po +++ b/wiki/src/doc/first_steps/persistence/configure.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-10-15 18:40+0300\n" +"POT-Creation-Date: 2015-04-24 17:32+0300\n" "PO-Revision-Date: 2014-07-17 15:53-0300\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -156,6 +156,17 @@ msgid "" "unselecting one or several features.\n" msgstr "<strong>Reinicie o Tails para aplicar estas mudanças</strong> após selecionar ou remover uma ou diversas funcionalidades.\n" +#. type: Plain text +msgid "" +"Only features that are listed here can currently be made persistent. Some " +"other features have been asked and accepted, but are waiting to be " +"implemented: browser extensions, [[!tails_ticket 7148 desc=\"wallpaper\"]], " +"[[!tails_ticket 7625 desc=\"RSS feeds\"]], [[!tails_ticket 7246 desc=" +"\"default sound card\"]], [[!tails_ticket 5979 desc=\"mouse and touchpad " +"settings\"]], etc. See the [[corresponding tickets|https://labs.riseup.net/" +"code/projects/tails/issues?query_id=122]] for more details :)" +msgstr "" + #. type: Plain text msgid "" "If you unselect a feature that used to be activated, it will be deactivated " @@ -198,13 +209,18 @@ msgid "" msgstr "Quando esta funcionalidade é ativada, você pode salvar seus arquivos pessoais e documentos de trabalho na pasta <span class=\"filename\">Persistent</span>.\n" #. type: Plain text -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| "To open the <span class=\"filename\">Persistent</span> folder, choose\n" +#| "<span class=\"menuchoice\">\n" +#| " <span class=\"guimenu\">Places</span> ▸\n" +#| " <span class=\"guimenuitem\">Home Folder</span></span>, and open the <span\n" +#| " class=\"guilabel\">Persistent</span> folder.\n" msgid "" "To open the <span class=\"filename\">Persistent</span> folder, choose\n" "<span class=\"menuchoice\">\n" " <span class=\"guimenu\">Places</span> ▸\n" -" <span class=\"guimenuitem\">Home Folder</span></span>, and open the <span\n" -" class=\"guilabel\">Persistent</span> folder.\n" +" <span class=\"guimenuitem\">Persistent</span></span>.\n" msgstr "" "Para abrir a pasta <span class=\"filename\">Persistent</span>, escolha\n" "<span class=\"menuchoice\">\n" @@ -332,11 +348,15 @@ msgstr "" "</div>\n" #. type: Plain text -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| "When this feature is activated, all the configuration files of the\n" +#| "<span class=\"application\">Pidgin</span> Internet messenger are saved in the\n" +#| "persistent volume:\n" msgid "" "When this feature is activated, all the configuration files of the\n" -"<span class=\"application\">Pidgin</span> Internet messenger are saved in the\n" -"persistent volume:\n" +"[[<span class=\"application\">Pidgin</span> Internet messenger|doc/anonymous_internet/pidgin]]\n" +"are saved in the persistent volume:\n" msgstr "" "Quando esta funcionalidade é ativada, todos os arquivos de configuração\n" "do mensageiro de Internet <span class=\"application\">Pidgin</span> são\n" @@ -367,6 +387,20 @@ msgstr "" "há necessidade de editar manualmente ou sobrescrever os arquivos de " "configuração." +#. type: Plain text +#, no-wrap +msgid "" +"<p>Pidgin fails to load any account if you enable persistence and\n" +"select the <span class=\"guilabel\">Read-Only</span> check box as a startup option.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>Don't use the <span class=\"guilabel\">Read-Only</span> option if you want to use Pidgin. See\n" +"[[!tails_ticket 8465]].</p>\n" +msgstr "" + #. type: Plain text #, no-wrap msgid "<a id=\"claws_mail\"></a>\n" @@ -387,42 +421,26 @@ msgstr "" "</div>\n" #. type: Plain text -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| "When this feature is activated, the configuration and emails stored locally by\n" +#| "the <span class=\"application\">Claws Mail</span> email client are saved in the\n" +#| "persistent volume.\n" msgid "" -"When this feature is activated, the configuration and emails stored locally by\n" -"the <span class=\"application\">Claws Mail</span> email client are saved in the\n" -"persistent volume.\n" +"When this feature is activated, the configuration and emails stored\n" +"locally by the\n" +"[[<span class=\"application\">Claws Mail</span> email client|doc/anonymous_internet/claws_mail]]\n" +"are saved in the persistent volume.\n" msgstr "" "Quando esta funcionalidade é ativada, a configuração e as mensagens armazenadas\n" "localmente pelo cliente de email <span class=\"application\">Claws Mail</span>\n" "são salvas no volume persistente.\n" #. type: Plain text -#, no-wrap -msgid "" -"<p>The emails of a POP3 account created without using the configuration\n" -"assistant are not stored in the persistent volume by default. For example,\n" -"when configuring a second email account.</p>\n" -msgstr "" -"<p>As mensagens de uma conta POP3 criada sem usar o assistente de\n" -"configuração não são armazenadas no volume persistente por padrão. Isto ocorre, por\n" -"exemplo, ao configurar uma segunda conta de email.</p>\n" - -#. type: Plain text -#, no-wrap -msgid "" -"<p>To make it persistent choose\n" -"<span class=\"menuchoice\">\n" -" <span class=\"guimenu\">File</span> ▸\n" -" <span class=\"guimenu\">Add Mailbox</span> ▸\n" -" <span class=\"guimenuitem\">MH...</span></span> and change the location of the mailbox\n" -"from <span class=\"filename\">Mail</span> to <span class=\"filename\">.claws-mail/Mail</span>.</p>\n" -msgstr "" -"<p>Para torná-la persistente, escolha\n" -"<span class=\"menuchoice\">\n" -" <span class=\"guimenu\">Arquivo</span> ▸\n" -" <span class=\"guimenu\">Adicionar caixa de email</span> ▸\n" -" <span class=\"guimenuitem\">MH...</span></span> e altere o local da caixa de email de <span class=\"filename\">Mail</span> para <span class=\"filename\">.claws-mail/Mail</span>.</p>\n" +#, fuzzy, no-wrap +#| msgid "[[!inline pages=\"doc/first_steps/persistence.caution\" raw=\"yes\"]]\n" +msgid "[[!inline pages=\"doc/anonymous_internet/claws_mail/persistence.bug\" raw=\"yes\"]]\n" +msgstr "[[!inline pages=\"doc/first_steps/persistence.caution.pt\" raw=\"yes\"]]\n" #. type: Plain text #, no-wrap @@ -487,9 +505,14 @@ msgstr "" "</div>\n" #. type: Plain text +#, fuzzy +#| msgid "" +#| "When this feature is activated, the configuration of the network devices " +#| "and connections is saved in the persistent volume." msgid "" -"When this feature is activated, the configuration of the network devices and " -"connections is saved in the persistent volume." +"When this feature is activated, the [[configuration of the network devices " +"and connections|doc/anonymous_internet/networkmanager]] is saved in the " +"persistent volume." msgstr "" "Quando esta funcionalidade é ativada, a configuração dos dispositivos e " "conexões de rede é salva no volume persistente." @@ -536,10 +559,17 @@ msgstr "" "comando <span class=\"command\">apt-get</span> são salvos no volume persistente.\n" #. type: Plain text +#, fuzzy +#| msgid "" +#| "If you install additional programs, this feature allows you to download " +#| "them once and reinstall them during future working sessions, even " +#| "offline. Note that those packages are not automatically installed when " +#| "restarting Tails." msgid "" -"If you install additional programs, this feature allows you to download them " -"once and reinstall them during future working sessions, even offline. Note " -"that those packages are not automatically installed when restarting Tails." +"If you [[install additional programs|doc/advanced_topics/" +"additional_software]], this feature allows you to download them once and " +"reinstall them during future working sessions, even offline. Note that those " +"packages are not automatically installed when restarting Tails." msgstr "" "Se você instalar programas adicionais, esta funcionalidade permite que você " "baixe-os somente uma vez e reinstale em sessões de trabalho futuras, mesmo " @@ -590,11 +620,16 @@ msgstr "" "<span class=\"command\">apt-get update</span>.\n" #. type: Plain text -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| "The <span class=\"emphasis\">APT lists</span> are needed to install additional\n" +#| "programs or explore the list of available software packages. This feature allows\n" +#| "you to reuse them during future working sessions, even offline.\n" msgid "" -"The <span class=\"emphasis\">APT lists</span> are needed to install additional\n" -"programs or explore the list of available software packages. This feature allows\n" -"you to reuse them during future working sessions, even offline.\n" +"The <span class=\"emphasis\">APT lists</span> are needed to\n" +"[[install additional programs|doc/advanced_topics/additional_software]]\n" +"or explore the list of available software packages. This feature\n" +"allows you to reuse them during future working sessions, even offline.\n" msgstr "" "As <span class=\"emphasis\">listas APT</span> são necessárias para instalar\n" "programas adicionais ou explorar a lista de pacotes de programas disponíveis. Esta\n" @@ -628,8 +663,9 @@ msgstr "" #| "volume. This does not apply to the Unsafe web browser.\n" msgid "" "When this feature is activated, changes to the bookmarks in\n" -"<span class=\"application\">Tor Browser</span> are saved in the persistent\n" -"volume. This does not apply to the Unsafe web browser.\n" +"[[<span class=\"application\">Tor Browser</span>|doc/anonymous_internet/Tor_Browser]]\n" +"are saved in the persistent volume. This does not apply to the\n" +"[[<span class=\"application\">Unsafe Browser</span>|doc/anonymous_internet/unsafe_browser]].\n" msgstr "" "Quando esta funcionalidade é ativada, alterações nos favoritos no\n" "<span class=\"application\">Tor Browser</span> são salvas no volume persistente.\n" @@ -655,13 +691,55 @@ msgstr "" "</div>\n" #. type: Plain text +#, fuzzy +#| msgid "" +#| "When this feature is activated, the configuration of the printers is " +#| "saved in the persistent volume." msgid "" -"When this feature is activated, the configuration of the printers is saved " -"in the persistent volume." +"When this feature is activated, the [[configuration of the printers|doc/" +"sensitive_documents/printing_and_scanning]] is saved in the persistent " +"volume." msgstr "" "Quando esta funcionalidade é ativada, a configuração de impressoras é salva " "no volume persistente." +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "<a id=\"pidgin\"></a>\n" +msgid "<a id=\"bitcoin\"></a>\n" +msgstr "<a id=\"pidgin\"></a>\n" + +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "[[!img printer.png link=no]]\n" +msgid "[[!img electrum.png link=no]]\n" +msgstr "[[!img printer.png link=no]]\n" + +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "" +#| "<div class=\"text\"><h2>SSH Client</h2></div>\n" +#| "</div>\n" +msgid "" +"<div class=\"text\"><h2>Bitcoin Client</h2></div>\n" +"</div>\n" +msgstr "" +"<div class=\"text\"><h2>Cliente SSH</h2></div>\n" +"</div>\n" + +#. type: Plain text +#, fuzzy +#| msgid "" +#| "When this feature is activated, the configuration of the network devices " +#| "and connections is saved in the persistent volume." +msgid "" +"When this feature is activated, the bitcoin wallet and preferences of the " +"[[*Electrum* bitcoin client|anonymous_internet/electrum]] are saved in the " +"persistent volume." +msgstr "" +"Quando esta funcionalidade é ativada, a configuração dos dispositivos e " +"conexões de rede é salva no volume persistente." + #. type: Plain text #, no-wrap msgid "<a id=\"dotfiles\"></a>\n" @@ -781,11 +859,19 @@ msgid "This is an experimental feature which does not appear in the assistant." msgstr "Esta é uma funcionalidade experimental que não aparece no assistente." #. type: Plain text -msgid "" -"When this feature is enabled, a list of additional software of your choice " -"is automatically installed at the beginning of every working session. The " -"corresponding software packages are stored in the persistent volume. They " -"are automatically upgraded for security after a network connection is " +#, fuzzy +#| msgid "" +#| "When this feature is enabled, a list of additional software of your " +#| "choice is automatically installed at the beginning of every working " +#| "session. The corresponding software packages are stored in the persistent " +#| "volume. They are automatically upgraded for security after a network " +#| "connection is established." +msgid "" +"When this feature is enabled, a list of [[additional software|doc/" +"advanced_topics/additional_software]] of your choice is automatically " +"installed at the beginning of every working session. The corresponding " +"software packages are stored in the persistent volume. They are " +"automatically upgraded for security after a network connection is " "established." msgstr "" "Quando esta funcionalidade é habilitada, uma lista de programas adicionais " @@ -871,3 +957,32 @@ msgstr "" "à rede através do Tor , e não vão funcionar sem estas configurações. Alguns outros programas podem,\n" "por exemplo, modificar o firewall e quebrar a segurança do Tails.\n" "Programas não incluídos oficialmente no Tails não tiveram sua segurança testada.\n" + +#~ msgid "" +#~ "<p>The emails of a POP3 account created without using the configuration\n" +#~ "assistant are not stored in the persistent volume by default. For " +#~ "example,\n" +#~ "when configuring a second email account.</p>\n" +#~ msgstr "" +#~ "<p>As mensagens de uma conta POP3 criada sem usar o assistente de\n" +#~ "configuração não são armazenadas no volume persistente por padrão. Isto " +#~ "ocorre, por\n" +#~ "exemplo, ao configurar uma segunda conta de email.</p>\n" + +#~ msgid "" +#~ "<p>To make it persistent choose\n" +#~ "<span class=\"menuchoice\">\n" +#~ " <span class=\"guimenu\">File</span> ▸\n" +#~ " <span class=\"guimenu\">Add Mailbox</span> ▸\n" +#~ " <span class=\"guimenuitem\">MH...</span></span> and change the location " +#~ "of the mailbox\n" +#~ "from <span class=\"filename\">Mail</span> to <span class=\"filename\">." +#~ "claws-mail/Mail</span>.</p>\n" +#~ msgstr "" +#~ "<p>Para torná-la persistente, escolha\n" +#~ "<span class=\"menuchoice\">\n" +#~ " <span class=\"guimenu\">Arquivo</span> ▸\n" +#~ " <span class=\"guimenu\">Adicionar caixa de email</span> ▸\n" +#~ " <span class=\"guimenuitem\">MH...</span></span> e altere o local da " +#~ "caixa de email de <span class=\"filename\">Mail</span> para <span class=" +#~ "\"filename\">.claws-mail/Mail</span>.</p>\n" diff --git a/wiki/src/doc/first_steps/persistence/copy.fr.po b/wiki/src/doc/first_steps/persistence/copy.fr.po index 438540afec9c1538c7ee0c7304e0e0eb2dd8b25e..184413fc341e09a0c614308b248d801324236ce2 100644 --- a/wiki/src/doc/first_steps/persistence/copy.fr.po +++ b/wiki/src/doc/first_steps/persistence/copy.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: \n" -"POT-Creation-Date: 2014-08-28 17:08+0300\n" +"POT-Creation-Date: 2015-02-22 12:54+0100\n" "PO-Revision-Date: 2014-04-26 12:20+0200\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: <LL@li.org>\n" @@ -49,10 +49,6 @@ msgstr "" "périphérique." #. type: Bullet: '1. ' -#, fuzzy -#| msgid "" -#| "[[Create a persistent volume|configure]] on this new device. We advice " -#| "you to use a different passphrase to protect this new persistent volume." msgid "" "[[Create a persistent volume|configure]] on this new device. We advise you " "to use a different passphrase to protect this new persistent volume." diff --git a/wiki/src/doc/first_steps/persistence/electrum.png b/wiki/src/doc/first_steps/persistence/electrum.png new file mode 100644 index 0000000000000000000000000000000000000000..fc3011f7242a97662161cfeec65864f52dc66b18 Binary files /dev/null and b/wiki/src/doc/first_steps/persistence/electrum.png differ diff --git a/wiki/src/doc/first_steps/persistence/warnings.de.po b/wiki/src/doc/first_steps/persistence/warnings.de.po index bc1ee24adb298941ef3aa36e9aa061ba41f30e67..222b45d2bc2434987704988d803c4b56fbda60c4 100644 --- a/wiki/src/doc/first_steps/persistence/warnings.de.po +++ b/wiki/src/doc/first_steps/persistence/warnings.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-03-26 11:53+0100\n" +"POT-Creation-Date: 2015-02-23 14:55+0100\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -137,3 +137,23 @@ msgid "" "features of the persistent volume are optional and need to be explicitly\n" "activated. Only the files and folders that you specify are saved.\n" msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"open_other_systems\"></a>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Opening the persistent volume from other operating systems\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"**It is possible to\n" +"open the persistent volume from other operating systems, but it might break\n" +"your security.**\n" +"Other operating systems should probably not be trusted to handle\n" +"sensitive information or leave no trace.\n" +msgstr "" diff --git a/wiki/src/doc/first_steps/persistence/warnings.fr.po b/wiki/src/doc/first_steps/persistence/warnings.fr.po index ae6d03483c4a6e4bf206cca2501492e2b0e4591b..e30ee63d14c444643929ecf32e6fc7804f66670b 100644 --- a/wiki/src/doc/first_steps/persistence/warnings.fr.po +++ b/wiki/src/doc/first_steps/persistence/warnings.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: sPACKAGE VERSION\n" -"POT-Creation-Date: 2014-04-27 20:08+0300\n" +"POT-Creation-Date: 2015-02-24 20:09+0100\n" "PO-Revision-Date: 2014-04-25 06:23-0000\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: sLANGUAGE <LL@li.org>\n" @@ -169,6 +169,30 @@ msgstr "" "explicitement activées. Seules les fichiers et dossiers que vous sélectionnez sont\n" "sauvegardés.\n" +#. type: Plain text +#, no-wrap +msgid "<a id=\"open_other_systems\"></a>\n" +msgstr "<a id=\"open_other_systems\"></a>\n" + +#. type: Title = +#, no-wrap +msgid "Opening the persistent volume from other operating systems\n" +msgstr "Accéder au volume persistant depuis un autre système d'exploitation\n" + +#. type: Plain text +#, no-wrap +msgid "" +"**It is possible to\n" +"open the persistent volume from other operating systems, but it might break\n" +"your security.**\n" +"Other operating systems should probably not be trusted to handle\n" +"sensitive information or leave no trace.\n" +msgstr "" +"**Il est possible d'ouvrir le volume persistant depuis un autre système\n" +"d'exploitation, mais cela pourrait mettre en péril la sécurité de vos données.**\n" +"Il n'est pas conseillé d'utiliser un autre système d'exploitation pour manipuler\n" +"des informations sensibles ou pour ne laisser aucune trace sur l'ordinateur utilisé.\n" + #~ msgid "" #~ "Note also that **secure deletion does not work as expected on USB sticks." #~ "**<br/>\n" diff --git a/wiki/src/doc/first_steps/persistence/warnings.mdwn b/wiki/src/doc/first_steps/persistence/warnings.mdwn index 5e5872ef42b9e52ffb9edce56603c6a4fed5e440..77954e258bbaf572f55fa1afd7688a6c07b57a4d 100644 --- a/wiki/src/doc/first_steps/persistence/warnings.mdwn +++ b/wiki/src/doc/first_steps/persistence/warnings.mdwn @@ -60,3 +60,14 @@ Use to the minimum always possible to start Tails without activating the persistent volume. All the features of the persistent volume are optional and need to be explicitly activated. Only the files and folders that you specify are saved. + +<a id="open_other_systems"></a> + +Opening the persistent volume from other operating systems +========================================================== + +**It is possible to +open the persistent volume from other operating systems, but it might break +your security.** +Other operating systems should probably not be trusted to handle +sensitive information or leave no trace. diff --git a/wiki/src/doc/first_steps/persistence/warnings.pt.po b/wiki/src/doc/first_steps/persistence/warnings.pt.po index c566187d4e610cc56dcba56b0a68f4318b3f235f..694625ef03d310433228b4526279c8aee75fc9a9 100644 --- a/wiki/src/doc/first_steps/persistence/warnings.pt.po +++ b/wiki/src/doc/first_steps/persistence/warnings.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-06-08 19:38+0300\n" +"POT-Creation-Date: 2015-02-23 14:55+0100\n" "PO-Revision-Date: 2014-07-17 15:47-0300\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -47,8 +47,12 @@ msgstr "" "que você pode ser forçado/a ou persuadido/a a entregar a senha do volume.\n" #. type: Plain text -msgid "Read also our instructions to [[securely delete the persistent volume|delete]]." -msgstr "Leia também nossas instruções para [[apagar de forma segura o volume persistente|delete]]." +msgid "" +"Read also our instructions to [[securely delete the persistent volume|" +"delete]]." +msgstr "" +"Leia também nossas instruções para [[apagar de forma segura o volume " +"persistente|delete]]." #. type: Plain text #, no-wrap @@ -61,12 +65,24 @@ msgid "Overwriting configurations\n" msgstr "Sobrescrevendo Configurações\n" #. type: Plain text -msgid "The programs included in Tails are carefully configured with security in mind. If you use the persistence volume to overwrite the configuration of the programs included in Tails, it can break this security or render these programs unusable." -msgstr "Os programas incluídos no Tails são cuidadosamente configurados tendo a questão da segurança em mente. Se você usa o volume persistente para sobrescrever as configurações dos programas incluídos no Tails, pode quebrar esta segurança ou tornar os programas inutilizáveis." +msgid "" +"The programs included in Tails are carefully configured with security in " +"mind. If you use the persistence volume to overwrite the configuration of " +"the programs included in Tails, it can break this security or render these " +"programs unusable." +msgstr "" +"Os programas incluídos no Tails são cuidadosamente configurados tendo a " +"questão da segurança em mente. Se você usa o volume persistente para " +"sobrescrever as configurações dos programas incluídos no Tails, pode quebrar " +"esta segurança ou tornar os programas inutilizáveis." #. type: Plain text -msgid "Be especially careful when using the [[Dotfiles|persistence/configure#dotfiles]] feature." -msgstr "Tenha cuidado especial ao usar a funcionalidade [[Dotfiles|persistence/configure#dotfiles]]." +msgid "" +"Be especially careful when using the [[Dotfiles|persistence/" +"configure#dotfiles]] feature." +msgstr "" +"Tenha cuidado especial ao usar a funcionalidade [[Dotfiles|persistence/" +"configure#dotfiles]]." #. type: Plain text #, no-wrap @@ -90,8 +106,19 @@ msgid "Installing additional programs\n" msgstr "Instalando Programas Adicionais\n" #. type: Plain text -msgid "To protect your anonymity and leave no trace, Tails developers select and configure with care programs that work well together. **Installing additional programs may introduce unpredictable problems and may break the protections built-in Tails.** Tails developers may not want or may not be capable of helping you to solve those problems." -msgstr "Para proteger seu anonimato e não deixar rastros, os desenvolvedores do Tails selecionam e configuram com cuidado programas que funcionam bem juntos um do outro. **Instalar programas adicionais pode introduzir problemas imprevisíveis e quebrar as proteções configuradas no Tails.** Os desenvolvedores do Tails podem não querer ou podem não ser capazes de te ajudar a resolver estes problemas." +msgid "" +"To protect your anonymity and leave no trace, Tails developers select and " +"configure with care programs that work well together. **Installing " +"additional programs may introduce unpredictable problems and may break the " +"protections built-in Tails.** Tails developers may not want or may not be " +"capable of helping you to solve those problems." +msgstr "" +"Para proteger seu anonimato e não deixar rastros, os desenvolvedores do " +"Tails selecionam e configuram com cuidado programas que funcionam bem juntos " +"um do outro. **Instalar programas adicionais pode introduzir problemas " +"imprevisíveis e quebrar as proteções configuradas no Tails.** Os " +"desenvolvedores do Tails podem não querer ou podem não ser capazes de te " +"ajudar a resolver estes problemas." #. type: Plain text #, no-wrap @@ -104,8 +131,16 @@ msgid "Browser plugins\n" msgstr "Plugins de Navegadores\n" #. type: Plain text -msgid "The web browser is a central part in a system like Tails. The plugins included in the browser are carefully chosen and configured with security in mind. **If you install other plugins or change their configuration, you can break your anonymity.**" -msgstr "O navegador de Internet é uma parte central em sistemas como o Tails. Os plugins inclusos no navegador são escolhidos com cuidado e configurados tendo a questão da segurança em mente. **Se você instalar outros plugins ou alterar suas configurações, você pode quebrar seu anonimato.**" +msgid "" +"The web browser is a central part in a system like Tails. The plugins " +"included in the browser are carefully chosen and configured with security in " +"mind. **If you install other plugins or change their configuration, you can " +"break your anonymity.**" +msgstr "" +"O navegador de Internet é uma parte central em sistemas como o Tails. Os " +"plugins inclusos no navegador são escolhidos com cuidado e configurados " +"tendo a questão da segurança em mente. **Se você instalar outros plugins ou " +"alterar suas configurações, você pode quebrar seu anonimato.**" #. type: Plain text #, no-wrap @@ -130,6 +165,27 @@ msgstr "" "características do volume persistente são opcionais e precisam ser explicitamente\n" "ativadas. Somente os arquivos e pastas que você especificar serão salvos.\n" +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "<a id=\"sensitive_documents\"></a>\n" +msgid "<a id=\"open_other_systems\"></a>\n" +msgstr "<a id=\"sensitive_documents\"></a>\n" + +#. type: Title = +#, no-wrap +msgid "Opening the persistent volume from other operating systems\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"**It is possible to\n" +"open the persistent volume from other operating systems, but it might break\n" +"your security.**\n" +"Other operating systems should probably not be trusted to handle\n" +"sensitive information or leave no trace.\n" +msgstr "" + #~ msgid "" #~ "Note also that **secure deletion does not work as expected on USB sticks." #~ "**<br/>\n" diff --git a/wiki/src/doc/first_steps/reset/linux.de.po b/wiki/src/doc/first_steps/reset/linux.de.po index f202f1067672da4e7629533a9ba1f232f213689f..8c993f852d79ab4b3a94ec7ccf0b459352d55200 100644 --- a/wiki/src/doc/first_steps/reset/linux.de.po +++ b/wiki/src/doc/first_steps/reset/linux.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-05-25 11:15+0200\n" +"POT-Creation-Date: 2015-01-25 20:07+0100\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -49,7 +49,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "" -"<strong>You might overwrite any hard drive on the computer.</strong> If at some\n" +"<strong>You might overwrite any hard disk on the computer.</strong> If at some\n" "point you are not sure about which device to choose, stop proceeding.\n" msgstr "" diff --git a/wiki/src/doc/first_steps/reset/linux.fr.po b/wiki/src/doc/first_steps/reset/linux.fr.po index 9b44a19c7ecd0e77b20e2c2da99ca4d0b0f863fd..7ea9aab3407582b96fb2764b93ecb5b78ad2ce93 100644 --- a/wiki/src/doc/first_steps/reset/linux.fr.po +++ b/wiki/src/doc/first_steps/reset/linux.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-07-21 03:22+0300\n" +"POT-Creation-Date: 2015-01-25 20:07+0100\n" "PO-Revision-Date: 2012-09-23 13:50-0000\n" "Last-Translator: \n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -48,7 +48,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "" -"<strong>You might overwrite any hard drive on the computer.</strong> If at some\n" +"<strong>You might overwrite any hard disk on the computer.</strong> If at some\n" "point you are not sure about which device to choose, stop proceeding.\n" msgstr "" "<strong>Vous pourriez écraser n'importe quel disque dur sur l'ordinateur.</strong>\n" diff --git a/wiki/src/doc/first_steps/reset/linux.mdwn b/wiki/src/doc/first_steps/reset/linux.mdwn index 5b232302dbec04051b2a568127abd5776e78f187..191d1199cc79924e12dc773237d104f0ff5c5bb7 100644 --- a/wiki/src/doc/first_steps/reset/linux.mdwn +++ b/wiki/src/doc/first_steps/reset/linux.mdwn @@ -11,7 +11,7 @@ Using <span class="application">GNOME Disk Utility</span> <div class="caution"> -<strong>You might overwrite any hard drive on the computer.</strong> If at some +<strong>You might overwrite any hard disk on the computer.</strong> If at some point you are not sure about which device to choose, stop proceeding. </div> diff --git a/wiki/src/doc/first_steps/reset/linux.pt.po b/wiki/src/doc/first_steps/reset/linux.pt.po index f5eb7dcd2ec7e13d1d1f9c7986d3556eeb2c9b52..d71d47b463e1c97570c1c8ae04cb7bbb025653cd 100644 --- a/wiki/src/doc/first_steps/reset/linux.pt.po +++ b/wiki/src/doc/first_steps/reset/linux.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-08-12 22:33+0200\n" +"POT-Creation-Date: 2015-01-25 20:07+0100\n" "PO-Revision-Date: 2014-07-30 19:23-0300\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -48,7 +48,7 @@ msgstr "<div class=\"caution\">\n" #. type: Plain text #, no-wrap msgid "" -"<strong>You might overwrite any hard drive on the computer.</strong> If at some\n" +"<strong>You might overwrite any hard disk on the computer.</strong> If at some\n" "point you are not sure about which device to choose, stop proceeding.\n" msgstr "" "<strong>Você pode sobrescrever qualquer disco rígido no seu computador.</strong> Se em algum\n" diff --git a/wiki/src/doc/first_steps/reset/windows.de.po b/wiki/src/doc/first_steps/reset/windows.de.po index 2e1908e15f895e662d332f6ff1b0309a1ae2742d..d4c8ef3c78c8719cf1d96e93e6d38c09b83dd6e5 100644 --- a/wiki/src/doc/first_steps/reset/windows.de.po +++ b/wiki/src/doc/first_steps/reset/windows.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2013-10-24 02:30+0300\n" +"POT-Creation-Date: 2015-01-25 20:07+0100\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -56,7 +56,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "" -"<strong>You might overwrite any hard drive on the computer.</strong><br/>\n" +"<strong>You might overwrite any hard disk on the computer.</strong><br/>\n" "If at some point you are not sure about the disk number, stop proceeding.\n" msgstr "" diff --git a/wiki/src/doc/first_steps/reset/windows.fr.po b/wiki/src/doc/first_steps/reset/windows.fr.po index d3475e2eea4f019e3b6743a4937ac2a6686458d4..a9b53997a3fba1e770da089b08531f720206da07 100644 --- a/wiki/src/doc/first_steps/reset/windows.fr.po +++ b/wiki/src/doc/first_steps/reset/windows.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2013-10-28 02:41+0000\n" +"POT-Creation-Date: 2015-01-25 20:07+0100\n" "PO-Revision-Date: 2012-09-23 19:05-0000\n" "Last-Translator: \n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -57,7 +57,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "" -"<strong>You might overwrite any hard drive on the computer.</strong><br/>\n" +"<strong>You might overwrite any hard disk on the computer.</strong><br/>\n" "If at some point you are not sure about the disk number, stop proceeding.\n" msgstr "" "<strong>Vous pourriez écraser n'importe quel disque dur sur l'ordinateur.</strong>\n" diff --git a/wiki/src/doc/first_steps/reset/windows.mdwn b/wiki/src/doc/first_steps/reset/windows.mdwn index ce025cf9b1a3fbd9f0c3ff90e6867bc52ce6b999..c1e069e46ecca16fa96c83aae769976e6a23f087 100644 --- a/wiki/src/doc/first_steps/reset/windows.mdwn +++ b/wiki/src/doc/first_steps/reset/windows.mdwn @@ -14,7 +14,7 @@ Using <span class="application">Diskpart</span> <div class="caution"> -<strong>You might overwrite any hard drive on the computer.</strong><br/> +<strong>You might overwrite any hard disk on the computer.</strong><br/> If at some point you are not sure about the disk number, stop proceeding. </div> diff --git a/wiki/src/doc/first_steps/reset/windows.pt.po b/wiki/src/doc/first_steps/reset/windows.pt.po index 6f5e04bd8b74997a065850cf714bfc4aade16066..6e1c2afcbf29daa8eb08833433ad1bcb65334f9c 100644 --- a/wiki/src/doc/first_steps/reset/windows.pt.po +++ b/wiki/src/doc/first_steps/reset/windows.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-07-23 00:14+0300\n" +"POT-Creation-Date: 2015-01-25 20:07+0100\n" "PO-Revision-Date: 2014-06-17 21:29-0300\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -57,7 +57,7 @@ msgstr "<div class=\"caution\">\n" #. type: Plain text #, no-wrap msgid "" -"<strong>You might overwrite any hard drive on the computer.</strong><br/>\n" +"<strong>You might overwrite any hard disk on the computer.</strong><br/>\n" "If at some point you are not sure about the disk number, stop proceeding.\n" msgstr "" "<strong>Você pode sobrescrever qualquer disco rígido no seu computador.</strong> Se em algum\n" diff --git a/wiki/src/doc/first_steps/start_tails.de.po b/wiki/src/doc/first_steps/start_tails.de.po index 2fe20e486cc169691ed8c75c2e7a2a2883de0869..269b624be81cfb0ec93eab18aebd649976eb2a53 100644 --- a/wiki/src/doc/first_steps/start_tails.de.po +++ b/wiki/src/doc/first_steps/start_tails.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-07-23 18:41+0300\n" +"POT-Creation-Date: 2015-01-25 20:07+0100\n" "PO-Revision-Date: 2014-04-16 22:14+0100\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -46,10 +46,10 @@ msgstr "Von einer DVD\n" #. type: Plain text msgid "" -"Put the Tails DVD into the CD/DVD-drive and restart the computer. You should " +"Put the Tails DVD into the CD/DVD drive and restart the computer. You should " "see a welcome screen prompting you to choose your language." msgstr "" -"Legen Sie die Tails DVD in das CD/DVD-Laufwerk ein und starten Sie dann den " +"Legen Sie die Tails DVD in das CD/DVD Laufwerk ein und starten Sie dann den " "Computer neu. Sie sollten einen Startbildschirm sehen, der Sie zur Wahl " "einer Sprache auffordert. " @@ -149,7 +149,7 @@ msgstr "" #, no-wrap msgid "" "Shutdown the computer, plug your device, start the computer, and\n" -"immediately press-and-hold <span class=\"keycap\">Alt</span> until a boot menu\n" +"immediately press-and-hold <span class=\"keycap\">Option</span> until a boot menu\n" "appears. In that boot menu, choose the entry that reads <span class=\"guimenuitem\">Boot EFI</span> and\n" "looks like a USB stick.\n" msgstr "" diff --git a/wiki/src/doc/first_steps/start_tails.fr.po b/wiki/src/doc/first_steps/start_tails.fr.po index f7ddecbf561f866355c4252bdd336871cae8b064..f58c954bca513b522cc2dd3de4b6611ad8ac500d 100644 --- a/wiki/src/doc/first_steps/start_tails.fr.po +++ b/wiki/src/doc/first_steps/start_tails.fr.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-07-23 18:41+0300\n" -"PO-Revision-Date: 2014-04-25 06:25-0000\n" +"POT-Creation-Date: 2015-02-25 14:21+0100\n" +"PO-Revision-Date: 2015-04-08 18:28+0200\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" @@ -42,11 +42,9 @@ msgstr "Si vous utilisez un DVD\n" #. type: Plain text msgid "" -"Put the Tails DVD into the CD/DVD-drive and restart the computer. You should " +"Put the Tails DVD into the CD/DVD drive and restart the computer. You should " "see a welcome screen prompting you to choose your language." -msgstr "" -"Insérer le DVD dans le lecteur et redémarrez l'ordinateur. Vous devriez voir " -"apparaître un écran d'accueil vous invitant à choisir votre langue." +msgstr "Insérez le DVD dans le lecteur CD/DVD et redémarrez l'ordinateur. Vous devriez voir apparaître un écran d'accueil vous invitant à choisir votre langue." #. type: Plain text msgid "" @@ -154,12 +152,12 @@ msgstr "Mac" #, no-wrap msgid "" "Shutdown the computer, plug your device, start the computer, and\n" -"immediately press-and-hold <span class=\"keycap\">Alt</span> until a boot menu\n" +"immediately press-and-hold <span class=\"keycap\">Option</span> until a boot menu\n" "appears. In that boot menu, choose the entry that reads <span class=\"guimenuitem\">Boot EFI</span> and\n" "looks like a USB stick.\n" msgstr "" "Éteignez l'ordinateur, branchez votre périphérique, démarrez l'ordinateur et\n" -"appuyez immédiatement sur la touche <span class=\"keycap\">Alt</span>. Maintenez\n" +"appuyez immédiatement sur la touche <span class=\"keycap\">Option</span>. Maintenez\n" "cette touche appuyée jusqu'à ce qu'un menu de démarrage apparaisse. Dans ce menu de\n" "démarrage, choisissez l'entrée qui indique <span class=\"guimenuitem\">Boot EFI</span> et\n" "qui a l'apparence d'une clé USB\n" diff --git a/wiki/src/doc/first_steps/start_tails.mdwn b/wiki/src/doc/first_steps/start_tails.mdwn index 06b280ef752977ffa4b1f24a7010de410e1c3b76..a5e4f9c33db6c8eb2fc653b05895952d7de8f616 100644 --- a/wiki/src/doc/first_steps/start_tails.mdwn +++ b/wiki/src/doc/first_steps/start_tails.mdwn @@ -8,7 +8,7 @@ Tails without altering your existing operating system. If you are using a DVD ====================== -Put the Tails DVD into the CD/DVD-drive and restart the computer. You should see +Put the Tails DVD into the CD/DVD drive and restart the computer. You should see a welcome screen prompting you to choose your language. If you don't get this menu, you can consult the Ubuntu documentation about @@ -52,7 +52,7 @@ Access BIOS](http://www.pendrivelinux.com/how-to-access-bios/). ## Mac Shutdown the computer, plug your device, start the computer, and -immediately press-and-hold <span class="keycap">Alt</span> until a boot menu +immediately press-and-hold <span class="keycap">Option</span> until a boot menu appears. In that boot menu, choose the entry that reads <span class="guimenuitem">Boot EFI</span> and looks like a USB stick. diff --git a/wiki/src/doc/first_steps/start_tails.pt.po b/wiki/src/doc/first_steps/start_tails.pt.po index cd6d789e1ded3801a61084306551d326fd964ca3..1044c6b0bfee3d744741873f2c5998b34f5e5b66 100644 --- a/wiki/src/doc/first_steps/start_tails.pt.po +++ b/wiki/src/doc/first_steps/start_tails.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-08-12 22:33+0200\n" +"POT-Creation-Date: 2015-01-25 20:07+0100\n" "PO-Revision-Date: 2014-07-31 15:44-0300\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -41,7 +41,7 @@ msgstr "Se você está usando um DVD\n" #. type: Plain text msgid "" -"Put the Tails DVD into the CD/DVD-drive and restart the computer. You should " +"Put the Tails DVD into the CD/DVD drive and restart the computer. You should " "see a welcome screen prompting you to choose your language." msgstr "" "Coloque o DVD do Tails numa unidade de CD/DVD e reinicie o computador. Você " @@ -150,10 +150,15 @@ msgid "Mac" msgstr "Mac" #. type: Plain text -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| "Shutdown the computer, plug your device, start the computer, and\n" +#| "immediately press-and-hold <span class=\"keycap\">Alt</span> until a boot menu\n" +#| "appears. In that boot menu, choose the entry that reads <span class=\"guimenuitem\">Boot EFI</span> and\n" +#| "looks like a USB stick.\n" msgid "" "Shutdown the computer, plug your device, start the computer, and\n" -"immediately press-and-hold <span class=\"keycap\">Alt</span> until a boot menu\n" +"immediately press-and-hold <span class=\"keycap\">Option</span> until a boot menu\n" "appears. In that boot menu, choose the entry that reads <span class=\"guimenuitem\">Boot EFI</span> and\n" "looks like a USB stick.\n" msgstr "" diff --git a/wiki/src/doc/first_steps/startup_options.de.po b/wiki/src/doc/first_steps/startup_options.de.po index 915d1d7f18a9a1a85af828ceaebfa6b3d0174c7c..3296bb7ff687992a4c6e7644d4ea47deec3793c8 100644 --- a/wiki/src/doc/first_steps/startup_options.de.po +++ b/wiki/src/doc/first_steps/startup_options.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-12-02 16:30+0100\n" +"POT-Creation-Date: 2015-04-29 18:05+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -79,7 +79,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "" -"[[!img boot-menu-with-options.png link=no alt=\"Black screen with Debian live\n" +"[[!img boot-menu-with-options.png link=no alt=\"Black screen with Tails\n" "artwork. 'Boot menu' with two options 'Live' and 'Live (failsafe)'. At the\n" "bottom, a list of options ending with 'noautologin quiet_'\"]]\n" msgstr "" @@ -188,6 +188,7 @@ msgstr "" msgid "" " - [[Network configuration|network_configuration]]\n" " - [[Tor bridge mode|bridge_mode]]\n" +" - [[Encrypted persistence|doc/first_steps/persistence/use]]\n" msgstr "" #. type: Title = diff --git a/wiki/src/doc/first_steps/startup_options.fr.po b/wiki/src/doc/first_steps/startup_options.fr.po index dcdcd963ab26279250797e4d78295545af96a7b4..5ffa3630f12480f99e6dc4713e88da73cbf3b7fe 100644 --- a/wiki/src/doc/first_steps/startup_options.fr.po +++ b/wiki/src/doc/first_steps/startup_options.fr.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-12-02 16:30+0100\n" -"PO-Revision-Date: 2014-04-25 06:26-0000\n" +"POT-Creation-Date: 2015-03-15 20:54+0100\n" +"PO-Revision-Date: 2015-01-25 10:17+0100\n" "Last-Translator: amnesia <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" @@ -58,7 +58,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<div class=\"tip\">\n" -msgstr "" +msgstr "<div class=\"tip\">\n" #. type: Plain text #, no-wrap @@ -76,7 +76,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "</div>\n" -msgstr "" +msgstr "</div>\n" #. type: Bullet: '1. ' msgid "" @@ -91,12 +91,12 @@ msgstr "" #. type: Plain text #, no-wrap msgid "" -"[[!img boot-menu-with-options.png link=no alt=\"Black screen with Debian live\n" +"[[!img boot-menu-with-options.png link=no alt=\"Black screen with Tails\n" "artwork. 'Boot menu' with two options 'Live' and 'Live (failsafe)'. At the\n" "bottom, a list of options ending with 'noautologin quiet_'\"]]\n" msgstr "" "[[!img boot-menu-with-options.png link=no alt=\"Écran noir avec l'illustration\n" -"Debien live. 'Boot menu' avec deux options 'Live' et 'Live (failsafe)'. En bas,\n" +"Tails. 'Boot menu' avec deux options 'Live' et 'Live (failsafe)'. En bas,\n" "une liste d'options se terminant par 'nox11autologin quiet_'\"]]\n" #. type: Bullet: '2. ' @@ -130,15 +130,11 @@ msgstr "" "de démarrage</span>:\n" #. type: Bullet: ' - ' -#, fuzzy -#| msgid "" -#| "<span class=\"command\">truecrypt</span>, to enable [[TrueCrypt|" -#| "encryption_and_privacy/truecrypt]]" msgid "" "<span class=\"command\">i2p</span>, to enable [[I2P|anonymous_internet/I2P]]" msgstr "" -"<span class=\"command\">truecrypt</span>, pour activer [[TrueCrypt|" -"encryption_and_privacy/truecrypt]]" +"<span class=\"command\">i2p</span>, pour activer [[I2P|anonymous_internet/" +"I2P]]" #. type: Plain text #, no-wrap @@ -146,6 +142,8 @@ msgid "" "<a id=\"greeter\"></a>\n" "<a id=\"tails_greeter\"></a>\n" msgstr "" +"<a id=\"greeter\"></a>\n" +"<a id=\"tails_greeter\"></a>\n" #. type: Title = #, no-wrap @@ -229,10 +227,14 @@ msgid "[[MAC address spoofing|mac_spoofing]]" msgstr "[[Usurpation d'adresse Mac|mac_spoofing]]" #. type: Plain text -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| " - [[Network configuration|network_configuration]]\n" +#| " - [[Tor bridge mode|bridge_mode]]\n" msgid "" " - [[Network configuration|network_configuration]]\n" " - [[Tor bridge mode|bridge_mode]]\n" +" - [[Encrypted persistence|doc/first_steps/persistence/use]]\n" msgstr "" " - [[Configuration du réseau|network_configuration]]\n" " - [[Mode bridge de Tor|bridge_mode]]\n" diff --git a/wiki/src/doc/first_steps/startup_options.mdwn b/wiki/src/doc/first_steps/startup_options.mdwn index df7fd7d561813b216b10ef50d6db4462e1721def..cb698fd545ad94641cb2d017ad4d7616e7c220e6 100644 --- a/wiki/src/doc/first_steps/startup_options.mdwn +++ b/wiki/src/doc/first_steps/startup_options.mdwn @@ -26,7 +26,7 @@ starting Tails. <span class="application">boot menu</span> appears. A list of boot options appears at the bottom of the screen. -[[!img boot-menu-with-options.png link=no alt="Black screen with Debian live +[[!img boot-menu-with-options.png link=no alt="Black screen with Tails artwork. 'Boot menu' with two options 'Live' and 'Live (failsafe)'. At the bottom, a list of options ending with 'noautologin quiet_'"]] @@ -78,6 +78,7 @@ Greeter</span>: - [[MAC address spoofing|mac_spoofing]] - [[Network configuration|network_configuration]] - [[Tor bridge mode|bridge_mode]] + - [[Encrypted persistence|doc/first_steps/persistence/use]] Problems booting? ================= diff --git a/wiki/src/doc/first_steps/startup_options.pt.po b/wiki/src/doc/first_steps/startup_options.pt.po index bec38d77e9dbc05a964fc2043d00f20a4d471834..5f98f6000f05f316e3294718c13de9796453b779 100644 --- a/wiki/src/doc/first_steps/startup_options.pt.po +++ b/wiki/src/doc/first_steps/startup_options.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-12-02 16:30+0100\n" +"POT-Creation-Date: 2015-04-29 18:05+0300\n" "PO-Revision-Date: 2014-06-17 21:42-0300\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -88,14 +88,18 @@ msgstr "" "lista de opções de boot aparecerão na parte de baixo da tela." #. type: Plain text -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| "[[!img boot-menu-with-options.png link=no alt=\"Black screen with Debian live\n" +#| "artwork. 'Boot menu' with two options 'Live' and 'Live (failsafe)'. At the\n" +#| "bottom, a list of options ending with 'noautologin quiet_'\"]]\n" msgid "" -"[[!img boot-menu-with-options.png link=no alt=\"Black screen with Debian live\n" +"[[!img boot-menu-with-options.png link=no alt=\"Black screen with Tails\n" "artwork. 'Boot menu' with two options 'Live' and 'Live (failsafe)'. At the\n" "bottom, a list of options ending with 'noautologin quiet_'\"]]\n" msgstr "" -"[[!img boot-menu-with-options.png link=no alt=\"Tela preta com a arte do Debian\n" -"live. 'Menu de boot' com duas opções 'Live' e 'Live (failsafe)'. Na parte de baixo,\n" +"[[!img boot-menu-with-options.png link=no alt=\"Tela preta com a arte do Tails.\n" +"'Menu de boot' com duas opções 'Live' e 'Live (failsafe)'. Na parte de baixo,\n" "uma lista de opções que termina com 'noautologin quiet_'\"]]\n" #. type: Bullet: '2. ' @@ -231,10 +235,14 @@ msgid "[[MAC address spoofing|mac_spoofing]]" msgstr "[[Mudança de endereço MAC|mac_spoofing]]" #. type: Plain text -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| " - [[Network configuration|network_configuration]]\n" +#| " - [[Tor bridge mode|bridge_mode]]\n" msgid "" " - [[Network configuration|network_configuration]]\n" " - [[Tor bridge mode|bridge_mode]]\n" +" - [[Encrypted persistence|doc/first_steps/persistence/use]]\n" msgstr "" " - [[Configuração de rede|network_configuration]]\n" " - [[Modo Tor bridge|bridge_mode]]\n" diff --git a/wiki/src/doc/first_steps/startup_options/administration_password.de.po b/wiki/src/doc/first_steps/startup_options/administration_password.de.po index 92090c4a1784657de0e2358e1a8ff09bb6436be6..b961a48ede057e6a86b7b5c1c92368ee8663e962 100644 --- a/wiki/src/doc/first_steps/startup_options/administration_password.de.po +++ b/wiki/src/doc/first_steps/startup_options/administration_password.de.po @@ -3,23 +3,23 @@ # This file is distributed under the same license as the PACKAGE package. # FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. # -#, fuzzy msgid "" msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-03-18 02:28+0100\n" -"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" -"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" -"Language-Team: LANGUAGE <LL@li.org>\n" -"Language: \n" +"Project-Id-Version: Tails\n" +"POT-Creation-Date: 2015-03-12 22:06+0100\n" +"PO-Revision-Date: 2015-04-24 21:27+0100\n" +"Last-Translator: Tails translators <tails@boum.org>\n" +"Language-Team: Tails Translators <tails-l10n@boum.org>\n" +"Language: de\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"X-Generator: Poedit 1.6.10\n" #. type: Plain text #, no-wrap msgid "[[!meta title=\"Administration password\"]]\n" -msgstr "" +msgstr "[[!meta title=\"Administrationspasswort\"]]\n" #. type: Plain text #, no-wrap @@ -28,18 +28,29 @@ msgid "" "administration tasks.<br/>\n" "For example:\n" msgstr "" +"Falls Sie in Tails Tätigkeiten zur Verwaltung des Systems\n" +"durchführen möchten, benötigen Sie\n" +"dazu ein Administrationspasswort.\n" +"Zum Beispiel:\n" #. type: Bullet: ' - ' -msgid "To install new programs and packages" +msgid "" +"To [[install additional software|doc/advanced_topics/additional_software]]" msgstr "" +"Zum [[Installieren zusätzlicher Software|doc/advanced_topics/" +"additional_software]]" #. type: Bullet: ' - ' -msgid "To access the internal hard disks of the computer" +msgid "" +"To [[access the internal hard disks of the computer|doc/" +"encryption_and_privacy/your_data_wont_be_saved_unless_explicitly_asked]]" msgstr "" +"Für das [[Zugreifen auf die internen Festplatten des Computers|doc/" +"encryption_and_privacy/your_data_wont_be_saved_unless_explicitly_asked]]" #. type: Bullet: ' - ' msgid "To execute commands with <span class=\"command\">sudo</span>" -msgstr "" +msgstr "Um Kommandos mit <span class=\"command\">sudo</span> auszuführen" #. type: Plain text #, no-wrap @@ -49,11 +60,14 @@ msgid "" "to gain administration privileges and perform administration tasks\n" "against your will.\n" msgstr "" +"**Standardmäßig ist zur Verbesserung der Sicherheit das Administrationspasswort deaktiviert.**\n" +" Dies kann einen Angreifer, der physikalischen- oder Fremdzugriff auf Ihr Tails System hat, davon abhalten\n" +" administrative Rechte zu erlangen und entgegen Ihrem Wunsch administrative Tätigkeiten durchzuführen.\n" #. type: Title = #, no-wrap msgid "Set up an administration password\n" -msgstr "" +msgstr "Ein Administrationspasswort einstellen\n" #. type: Plain text #, no-wrap @@ -62,6 +76,9 @@ msgid "" "password when starting Tails, using [[<span class=\"application\">Tails\n" "Greeter</span>|startup_options#tails_greeter]].\n" msgstr "" +"Um administrative Tätigkeiten durchzuführen müssen Sie\n" +"beim Start von Tails mithilfe des [[<span class=\"application\">Tails\n" +"Greeters</span>|startup_options#tails_greeter]] ein Administrationspasswort setzen.\n" #. type: Bullet: '1. ' msgid "" @@ -70,6 +87,10 @@ msgid "" "\"button\">Yes</span> button. Then click on the <span class=\"button" "\">Forward</span> button." msgstr "" +"Beim Erscheinen des <span class=\"application\">Tails Greeters</span> wählen " +"Sie bitte im <span class=\"guilabel\">Willkommen bei Tails</span> Fenster " +"die <span class=\"button\">Ja</span>-Schaltfläche aus. Anschließend klicken " +"Sie bitte auf <span class=\"button\">Anmelden</span>." #. type: Bullet: '2. ' msgid "" @@ -78,22 +99,28 @@ msgid "" "\">Password</span> and <span class=\"guilabel\">Verify Password</span> text " "boxes." msgstr "" +"In dem Bereich <span class=\"guilabel\">Administrationspasswort</span> " +"können Sie ein Passwort Ihrer Wahl in den Feldern <span class=\"guilabel" +"\">Passwort</span> und <span class=\"guilabel\">Passwort wiederholen</span> " +"einstellen." #. type: Plain text #, no-wrap msgid "<a id=\"open_root_terminal\"></a>\n" -msgstr "" +msgstr "<a id=\"open_root_terminal\"></a>\n" #. type: Title = #, no-wrap msgid "How to open a root terminal\n" -msgstr "" +msgstr "Wie man ein Root-Terminal öffnet\n" #. type: Plain text msgid "" "To open a root terminal during your working session, you can do any of the " "following:" msgstr "" +"Um ein Root-Terminal während Ihrer Arbeitssitzung zu öffnen, können Sie " +"Folgendes tun:" #. type: Plain text #, no-wrap @@ -104,7 +131,20 @@ msgid "" " <span class=\"guisubmenu\">Accessories</span> ▸\n" " <span class=\"guimenuitem\">Root Terminal</span></span>.\n" msgstr "" +" - Wählen Sie\n" +" <span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Anwendungen</span> ▸\n" +" <span class=\"guisubmenu\">Zubehör</span> ▸\n" +" <span class=\"guimenuitem\">Root Terminal</span></span>.\n" #. type: Bullet: ' - ' msgid "Execute <span class=\"command\">sudo -i</span> in a terminal." msgstr "" +"Führen Sie den Befehl <span class=\"command\">sudo -i</span> in einem " +"Terminalfenster aus." + +#~ msgid "To install new programs and packages" +#~ msgstr "Das Installieren von neuen Programmen und Paketen" + +#~ msgid "To access the internal hard disks of the computer" +#~ msgstr "Das Zugreifen auf die eingebauten Festplatten des Computers" diff --git a/wiki/src/doc/first_steps/startup_options/administration_password.fr.po b/wiki/src/doc/first_steps/startup_options/administration_password.fr.po index f64138ed17f8487478784d435762fc37625abe63..3817cab2da0a4ada1b45ff0d19364e40e9800a30 100644 --- a/wiki/src/doc/first_steps/startup_options/administration_password.fr.po +++ b/wiki/src/doc/first_steps/startup_options/administration_password.fr.po @@ -1,8 +1,8 @@ msgid "" msgstr "" "Project-Id-Version: \n" -"POT-Creation-Date: 2014-03-18 02:28+0100\n" -"PO-Revision-Date: \n" +"POT-Creation-Date: 2015-03-12 22:06+0100\n" +"PO-Revision-Date: 2015-04-08 18:28+0200\n" "Last-Translator: \n" "Language-Team: \n" "Language: \n" @@ -28,12 +28,15 @@ msgstr "" "Par exemple:\n" #. type: Bullet: ' - ' -msgid "To install new programs and packages" -msgstr "Pour installer de nouveaux programmes et paquets" +msgid "" +"To [[install additional software|doc/advanced_topics/additional_software]]" +msgstr "" #. type: Bullet: ' - ' -msgid "To access the internal hard disks of the computer" -msgstr "Pour avoir accès au disque dur interne de l'ordinateur" +msgid "" +"To [[access the internal hard disks of the computer|doc/" +"encryption_and_privacy/your_data_wont_be_saved_unless_explicitly_asked]]" +msgstr "Pour [[accéder aux disques durs internes de l'ordinateur|doc/encryption_and_privacy/your_data_wont_be_saved_unless_explicitly_asked]]" #. type: Bullet: ' - ' msgid "To execute commands with <span class=\"command\">sudo</span>" @@ -130,3 +133,9 @@ msgstr "" #. type: Bullet: ' - ' msgid "Execute <span class=\"command\">sudo -i</span> in a terminal." msgstr "Taper <span class=\"command\">sudo -i</span> dans un terminal." + +#~ msgid "To install new programs and packages" +#~ msgstr "Pour installer de nouveaux programmes et paquets" + +#~ msgid "To access the internal hard disks of the computer" +#~ msgstr "Pour avoir accès au disque dur interne de l'ordinateur" diff --git a/wiki/src/doc/first_steps/startup_options/administration_password.mdwn b/wiki/src/doc/first_steps/startup_options/administration_password.mdwn index 42f0983354d1bcabaed803011f80d060e703cb43..9599c26b639c26aaf28416aa29c7f80f47cd5d26 100644 --- a/wiki/src/doc/first_steps/startup_options/administration_password.mdwn +++ b/wiki/src/doc/first_steps/startup_options/administration_password.mdwn @@ -4,8 +4,8 @@ In Tails, an administration password is required to perform system administration tasks.<br/> For example: - - To install new programs and packages - - To access the internal hard disks of the computer + - To [[install additional software|doc/advanced_topics/additional_software]] + - To [[access the internal hard disks of the computer|doc/encryption_and_privacy/your_data_wont_be_saved_unless_explicitly_asked]] - To execute commands with <span class="command">sudo</span> **By default, the administration password is disabled for better security.** diff --git a/wiki/src/doc/first_steps/startup_options/administration_password.pt.po b/wiki/src/doc/first_steps/startup_options/administration_password.pt.po index b92a91d6d5fd9627a71e8a4346ba6c0bf5a3f228..c8ffe998a3b0dbd992ca0a1a3e9f88adaa6d4c47 100644 --- a/wiki/src/doc/first_steps/startup_options/administration_password.pt.po +++ b/wiki/src/doc/first_steps/startup_options/administration_password.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-07-23 00:14+0300\n" +"POT-Creation-Date: 2015-03-12 22:06+0100\n" "PO-Revision-Date: 2014-06-21 19:15-0300\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -32,12 +32,15 @@ msgstr "" "Por exemplo:\n" #. type: Bullet: ' - ' -msgid "To install new programs and packages" -msgstr "Para instalar novos programas e pacotes" +msgid "" +"To [[install additional software|doc/advanced_topics/additional_software]]" +msgstr "" #. type: Bullet: ' - ' -msgid "To access the internal hard disks of the computer" -msgstr "Para acessar os discos rígidos internos do computador" +msgid "" +"To [[access the internal hard disks of the computer|doc/" +"encryption_and_privacy/your_data_wont_be_saved_unless_explicitly_asked]]" +msgstr "" #. type: Bullet: ' - ' msgid "To execute commands with <span class=\"command\">sudo</span>" @@ -132,3 +135,9 @@ msgstr "" msgid "Execute <span class=\"command\">sudo -i</span> in a terminal." msgstr "" "Execute comandos com <span class=\"command\">sudo -i</span> em um terminal." + +#~ msgid "To install new programs and packages" +#~ msgstr "Para instalar novos programas e pacotes" + +#~ msgid "To access the internal hard disks of the computer" +#~ msgstr "Para acessar os discos rígidos internos do computador" diff --git a/wiki/src/doc/first_steps/startup_options/bridge_mode.de.po b/wiki/src/doc/first_steps/startup_options/bridge_mode.de.po index eddc91c863b1dba33160e24e276ef78724d3b1dd..86a0af167342cc08d6e5b907c5f4bc5efc5a8be9 100644 --- a/wiki/src/doc/first_steps/startup_options/bridge_mode.de.po +++ b/wiki/src/doc/first_steps/startup_options/bridge_mode.de.po @@ -3,18 +3,18 @@ # This file is distributed under the same license as the PACKAGE package. # FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. # -#, fuzzy msgid "" msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-09-21 22:29+0300\n" -"PO-Revision-Date: 2013-04-05 13:53+0200\n" -"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" -"Language-Team: LANGUAGE <LL@li.org>\n" -"Language: \n" +"Project-Id-Version: TAILS\n" +"POT-Creation-Date: 2015-04-04 19:47+0300\n" +"PO-Revision-Date: 2015-02-12 19:00+0100\n" +"Last-Translator: Tails developers <tails@boum.org>\n" +"Language-Team: Tails Translations <tails-l10n@boum.org>\n" +"Language: de\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"X-Generator: Poedit 1.5.4\n" #. type: Plain text #, no-wrap @@ -24,12 +24,12 @@ msgstr "[[!meta title=\"Tor Bridge Modus\"]]\n" #. type: Plain text #, no-wrap msgid "[[!toc levels=1]]\n" -msgstr "" +msgstr "[[!toc levels=1]]\n" #. type: Title = #, no-wrap msgid "What bridges are and when to use them\n" -msgstr "" +msgstr "Was Bridges sind und wann sie benutzt werden\n" #. type: Plain text msgid "" @@ -38,11 +38,17 @@ msgid "" "Service Provider and perhaps your government and law enforcement agencies) " "can know that you are using Tor." msgstr "" +"Wenn Tor in Verbindung mit Tails in seiner Standardkonfiguration verwendet " +"wird, kann jeder die Datenströme Ihrer Internetverbindung überwachen " +"(beispielsweise Ihr Internetanbieter und möglicherweise auch Ihre Regierung " +"sowie Strafverfolgungsbehörden) und somit feststellen, dass Sie Tor benutzen." #. type: Plain text msgid "" "This may be an issue if you are in a country where the following applies:" msgstr "" +"Dies kann ein Problem sein, wenn Sie sich in einem Land befinden, in dem " +"folgendes zutrifft:" #. type: Bullet: '1. ' msgid "" @@ -50,12 +56,18 @@ msgid "" "Internet are forced to go through Tor, this would render Tails useless for " "everything except for working offline on documents, etc." msgstr "" +"**Die Nutzung von Tor ist durch Zensur blockiert:** Da alle Verbindungen ins " +"Internet durch Tor geleitet werden, würde das bedeuten, dass Tails " +"unbenutzbar wird, außer um offline an Dokumenten zu arbeiten." #. type: Bullet: '2. ' msgid "" "**Using Tor is dangerous or considered suspicious:** in this case starting " "Tails in its default configuration might get you into serious trouble." msgstr "" +"**Die Benutzung von Tor ist gefährlich oder wird als verdächtig erachtet:** " +"In diesem Falle könnte das Starten von Tails Sie in ernsthafte " +"Schwierigkeiten bringen." #. type: Plain text msgid "" @@ -64,6 +76,10 @@ msgid "" "harder, but not impossible, for your Internet Service Provider to know that " "you are using Tor." msgstr "" +"Tor Bridges, auch Tor Bridge Relais gennant, sind alternative, nicht " +"öffentlich aufgelistete Eingangspunkte in das Tor Netzwerk. Die Nutzung " +"einer Bridge macht es schwieriger, jedoch nicht unmöglich, für Ihren " +"Internetprovider festzustellen, dass Sie Tor nutzen." #. type: Plain text msgid "" @@ -72,6 +88,11 @@ msgid "" "about bridges](https://www.torproject.org/docs/bridges) to get a general " "idea about what bridges are." msgstr "" +"Falls Sie sich in einer der oben genannten Situationen befinden können Sie " +"es in Erwägung ziehen, Tor Bridges in Tails zu nutzen. Bitte lesen Sie " +"hierzu auch die [zugehörige Dokumentation zu Brigdes](https://www.torproject." +"org/docs/bridges) des Tor Projekts, um einen Überblick darüber zu bekommen, " +"was Bridges sind." #. type: Plain text msgid "" @@ -80,27 +101,33 @@ msgid "" "for example from their [website](https://bridges.torproject.org/) and via " "email." msgstr "" +"Um Bridges zu benutzen, müssen Sie im Vorfeld eine Adresse von zumindest " +"einer Bridge kennen. Das Tor Projekt verteilt diese auf verschiedenste Art " +"und Weise, beispielsweise auf ihrer [Website](https://bridges.torproject." +"org/) als auch über E-Mail." #. type: Plain text #, no-wrap msgid "<div class=\"note\">\n" -msgstr "" +msgstr "<div class=\"note\">\n" #. type: Plain text msgid "" "Bridges are less reliable and tend to have lower performance than other " "entry points." msgstr "" +"Bridges sind unzuverlässiger und neigen dazu eine niedrigere Kapazität als " +"andere Eingangspunkte ins Tor Netzwerk zu haben." #. type: Plain text #, no-wrap msgid "</div>\n" -msgstr "" +msgstr "</div>\n" #. type: Title = #, no-wrap msgid "How to use bridges in Tails\n" -msgstr "" +msgstr "Wie Bridges in Tails benutzt werden\n" #. type: Plain text msgid "" @@ -108,21 +135,34 @@ msgid "" "example, you can write it down on a piece of paper or store it in the " "[[persistent volume|doc/first_steps/persistence]]." msgstr "" +"Sie müssen zumindest eine Adresse einer Bridge zur Verfügung haben, bevor " +"Sie Tails starten. Sie können die Adresse zum Beispiel auf einem Papier " +"aufschreiben oder sie im [[beständigen Speicherbereich|doc/first_steps/" +"persistence]] speichern." #. type: Plain text msgid "Tails allows you to use bridges of the following types:" msgstr "" +"Tails bietet Ihnen die Möglichkeit folgende Arten von Bridges zu benutzen:" #. type: Bullet: ' - ' msgid "`bridge`" -msgstr "" +msgstr "`bridge`" #. type: Bullet: ' - ' msgid "`obfs2`" -msgstr "" +msgstr "`obfs2`" #. type: Bullet: ' - ' msgid "`obfs3`" +msgstr "`obfs3`" + +#. type: Bullet: ' - ' +msgid "`obfs4`" +msgstr "" + +#. type: Bullet: ' - ' +msgid "`ScrambleSuit`" msgstr "" #. type: Plain text @@ -132,11 +172,15 @@ msgid "" "class=\"application\">Tails Greeter</span>|startup_options#tails_greeter]] as\n" "explained in the [[network configuration|network_configuration]] documentation.\n" msgstr "" +"Um Bridges zu benutzen, konfigurieren Sie bitte die Bridge-Einstellungen vom [[<span\n" +"class=\"application\">Tails Greeter</span>|startup_options#tails_greeter]], wie es in der \n" +"Dokumentation zur [[Netzwerkkonfiguration|network_configuration]] erklärt wird.\n" #. type: Plain text -#, no-wrap +#, fuzzy, no-wrap +#| msgid "<div class=\"note\">\n" msgid "<div class=\"tip\">\n" -msgstr "" +msgstr "<div class=\"note\">\n" #. type: Plain text #, no-wrap @@ -149,7 +193,7 @@ msgstr "" #. type: Title = #, no-wrap msgid "If using Tor is dangerous in your country\n" -msgstr "" +msgstr "Falls die Nutzung von Tor in Ihrem Land gefährlich ist\n" #. type: Plain text msgid "" @@ -160,11 +204,17 @@ msgid "" "you should follow in order to prevent you from being identified as a Tor " "user." msgstr "" +"Die [Dokumentation zu Bridges](https://www.torproject.org/docs/bridges) des " +"Tor Projekts ist hauptsächlich auf die Umgehung von Zensur ausgelegt, also " +"wenn die Nutzung von Tor durch Zensur verhindert wird. Falls die Nutzung von " +"Tor in Ihrem Land gefährlich ist oder als verdächtig eingestuft wird, müssen " +"Sie einige spezielle Regeln befolgen, damit Sie nicht als Nutzer von Tor " +"erkannt werden." #. type: Plain text #, no-wrap msgid "<div class=\"caution\">\n" -msgstr "" +msgstr "<div class=\"caution\">\n" #. type: Plain text #, no-wrap @@ -172,11 +222,11 @@ msgid "" "Bridges are important tools that work in many cases but <strong>they are\n" "not an absolute protection</strong> against the technical progress that\n" "an adversary could do to identify Tor users.\n" -msgstr "" +msgstr "Bridges sind wichtige Werkzeuge, die in den meisten Fällen funktionieren, bieten jedoch <strong>keine vollkommene Sicherheit</strong> gegen die technischen Abläufe, die ein Angreifer anwenden kann, um Nutzer von Tor zu identifizieren.\n" #. type: Bullet: '1. ' msgid "Always start Tails in *bridge mode*." -msgstr "" +msgstr "Starten Sie Tails immer im *Bridge-Modus*." #. type: Bullet: '2. ' msgid "" @@ -184,6 +234,9 @@ msgid "" "bridges#PluggableTransports) since they are harder to identify than other " "bridges." msgstr "" +"Benutzen Sie nur [*verschleierte Bridges*](https://www.torproject.org/docs/" +"bridges#PluggableTransports), da diese schwieriger als andere Bridges zu " +"erkennen sind." #. type: Bullet: '3. ' msgid "" @@ -193,6 +246,12 @@ msgid "" "information by the same means. The Tor Project has some protection against " "that, but they are far from being perfect." msgstr "" +"Je weniger Bridges öffentlich bekannt sind, umso besser. Bedauerlicherweise, " +"da einige Adressen von Bridges von jedem über die Tor Webseite oder über E-" +"Mail herausgefunden werden können, kann ein Angreifer die gleichen " +"Informationen über dieselben Wege bekommen. Das Tor Projekt hat einige " +"Sicherheitsvorkehrungen dagegen, diese sind jedoch weit davon entfernt, " +"perfekt zu sein." #. type: Plain text #, no-wrap @@ -204,6 +263,10 @@ msgid "" " Project can learn about the bridge and may distribute its address to others\n" " and so it could end up in the hands of your adversary.\n" msgstr "" +" Deswegen ist es am Besten, wenn Sie einen Freund oder eine Organistation in einem anderen Land finden, denen Sie vertrauen, die eine \"private\" *verschleierte\n" +" Bridge* für Sie betreiben. In diesem Falle bedeutet \"privat\", dass die Bridge mit der Option `PublishServerDescriptor 0` konfiguriert ist. \n" +" Ohne diese Option erhält das Tor Projekt Informationen über diese Bridge und kann die Adresse weitergeben, \n" +" wodurch sie in die Hände eines Angreifers geraten könnte.\n" #, fuzzy #~ msgid "" diff --git a/wiki/src/doc/first_steps/startup_options/bridge_mode.fr.po b/wiki/src/doc/first_steps/startup_options/bridge_mode.fr.po index ab2b47dbead957043963d8d7c22ac6fcc156fd21..7e82a6efba87870341f282266c59ab7fbe558a0d 100644 --- a/wiki/src/doc/first_steps/startup_options/bridge_mode.fr.po +++ b/wiki/src/doc/first_steps/startup_options/bridge_mode.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-09-21 22:29+0300\n" +"POT-Creation-Date: 2015-05-03 01:59+0200\n" "PO-Revision-Date: 2014-04-13 13:11+0200\n" "Last-Translator: \n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -152,6 +152,14 @@ msgstr "`obfs2`" msgid "`obfs3`" msgstr "`obfs3`" +#. type: Bullet: ' - ' +msgid "`obfs4`" +msgstr "`obfs4`" + +#. type: Bullet: ' - ' +msgid "`ScrambleSuit`" +msgstr "" + #. type: Plain text #, no-wrap msgid "" @@ -164,10 +172,9 @@ msgstr "" "expliqué dans la documentation relative à la [[configuration de réseau|network_configuration]].\n" #. type: Plain text -#, fuzzy, no-wrap -#| msgid "<div class=\"note\">\n" +#, no-wrap msgid "<div class=\"tip\">\n" -msgstr "<div class=\"note\">\n" +msgstr "<div class=\"tip\">\n" #. type: Plain text #, no-wrap @@ -176,6 +183,9 @@ msgid "" "relays of your Tor circuits in the [[Network Map of\n" "<span class=\"application\">Vidalia</span>|/doc/anonymous_internet/vidalia#map]].</p>\n" msgstr "" +"<p>Après le démarrage de Tor, le bridge configuré apparaît en premier sur la liste\n" +"des relais Tor dans la [[carte du réseau de \n" +"<span class=\"application\">Vidalia</span>|/doc/anonymous_internet/vidalia#map]].</p>\n" #. type: Title = #, no-wrap @@ -255,6 +265,6 @@ msgstr "" " Le mieux est d'avoir un ami de confiance ou\n" " une organisation dans un autre pays qui fait tourner un *bridge obscurci*\n" " \"privé\" pour vous. Dans ce cas \"privé\" signifie que ce bridge est\n" -" configuré avec l'option `PublishServerDescriptor 0`. Sans cette option Le Projet Tor\n" -" peut être au courant de l'existence de ce bridge et ainsi distribuer son adresse\n" +" configuré avec l'option `PublishServerDescriptor 0`. Sans cette option, le Projet Tor\n" +" peut être au courant de l'existence de ce bridge et ainsi distribuer son adresse,\n" " ce qui pourrait la faire arriver dans les mains de votre adversaire.\n" diff --git a/wiki/src/doc/first_steps/startup_options/bridge_mode.mdwn b/wiki/src/doc/first_steps/startup_options/bridge_mode.mdwn index f4f0d28a7b0ad00589bbe5becfe3343fe0755003..eb0e4fb6951c331094f6363523623601a47ccff1 100644 --- a/wiki/src/doc/first_steps/startup_options/bridge_mode.mdwn +++ b/wiki/src/doc/first_steps/startup_options/bridge_mode.mdwn @@ -56,6 +56,8 @@ Tails allows you to use bridges of the following types: - `bridge` - `obfs2` - `obfs3` + - `obfs4` + - `ScrambleSuit` To use bridges, choose to configure bridge settings from [[<span class="application">Tails Greeter</span>|startup_options#tails_greeter]] as diff --git a/wiki/src/doc/first_steps/startup_options/bridge_mode.pt.po b/wiki/src/doc/first_steps/startup_options/bridge_mode.pt.po index f8077560a058dcac818d83aa8a45b2da306dac84..276f4e3eafb8aa30d1a0eeefbaa4b8980307d2d6 100644 --- a/wiki/src/doc/first_steps/startup_options/bridge_mode.pt.po +++ b/wiki/src/doc/first_steps/startup_options/bridge_mode.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-09-21 22:29+0300\n" +"POT-Creation-Date: 2015-04-04 19:47+0300\n" "PO-Revision-Date: 2014-06-21 10:07-0300\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -150,6 +150,16 @@ msgstr "`obfs2`" msgid "`obfs3`" msgstr "`obfs3`" +#. type: Bullet: ' - ' +#, fuzzy +#| msgid "`obfs2`" +msgid "`obfs4`" +msgstr "`obfs2`" + +#. type: Bullet: ' - ' +msgid "`ScrambleSuit`" +msgstr "" + #. type: Plain text #, no-wrap msgid "" diff --git a/wiki/src/doc/first_steps/startup_options/mac_spoofing.de.po b/wiki/src/doc/first_steps/startup_options/mac_spoofing.de.po index 2c4575375d89cc5fd07f21b4b6004b57d83776b4..2b191b22b4bea9bbdef784dbcf7baccd85382744 100644 --- a/wiki/src/doc/first_steps/startup_options/mac_spoofing.de.po +++ b/wiki/src/doc/first_steps/startup_options/mac_spoofing.de.po @@ -3,28 +3,28 @@ # This file is distributed under the same license as the PACKAGE package. # FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. # -#, fuzzy msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-04-15 11:39+0300\n" -"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" -"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"POT-Creation-Date: 2015-02-22 12:54+0100\n" +"PO-Revision-Date: 2015-01-16 19:01-0000\n" +"Last-Translator: Tails developers <tails@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"X-Generator: Poedit 1.5.4\n" #. type: Plain text #, no-wrap msgid "[[!meta title=\"MAC address spoofing\"]]\n" -msgstr "" +msgstr "[[!meta title=\"Verschleiern der MAC-Adresse\"]]\n" #. type: Title = #, no-wrap msgid "What is a MAC address?\n" -msgstr "" +msgstr "Was ist eine MAC-Adresse?\n" #. type: Plain text msgid "" @@ -33,6 +33,11 @@ msgid "" "vendor. MAC addresses are used on the local network to identify the " "communications of each network interface." msgstr "" +"Jede Netzwerkschnittstelle — kabelgebunden oder drahtlos — besitzt eine [[!" +"wikipedia_de MAC-Adresse]], welche vergleichbar mit einer Seriennummer des " +"Herstellers für jede Netzwerkschnittstelle ist. MAC-Adressen werden " +"verwendet, damit sich Schnittstellen im lokalen Netzwerk gegenseitig " +"identifizieren können." #. type: Plain text msgid "" @@ -41,12 +46,18 @@ msgid "" "addresses are only useful on the local network and are not sent over the " "Internet." msgstr "" +"Während Sie durch Ihre IP-Adresse im Internet identifiziert werden, " +"identifiziert Ihre MAC-Adresse das Gerät, das Sie im lokalen Netzwerk " +"verwenden. MAC-Adressen sind nur für das lokale Netzwerk von Nutzen und " +"werden nicht übers Internet übertragen." #. type: Plain text msgid "" "Having such a unique identifier used on the local network can harm your " "privacy. Here are two examples:" msgstr "" +"Die Existenz einer solchen eindeutigen Identifizierung in Ihrem lokalen " +"Netzwerk kann Ihre Privatsphäre gefährden. Hier sind zwei Beispiele:" #. type: Plain text #, no-wrap @@ -56,6 +67,10 @@ msgid "" "observing those networks can recognize your MAC address and **track your\n" "geographical location**.\n" msgstr "" +"1. Wenn Sie sich mit Ihrem Laptop mit verschiedenen WLAN Netzwerken verbinden,\n" +"wird jedes Mal die gleiche MAC-Adresse Ihrer WLAN Karte (Schnittstelle)\n" +"in allen Netzwerken verwendet. Jemand, der die Netzwerke beobachtet, kann Ihre\n" +"MAC-Adresse wiedererkennen und somit Ihren **geografischen Standort verfolgen**.\n" #. type: Plain text #, no-wrap @@ -65,11 +80,15 @@ msgid "" "your computer on the local network can probably see that you are using Tails. In\n" "that case, your MAC address can **identify you as a Tails user**.\n" msgstr "" +"2. Wie in unserer Dokumentation zu [[Netzwerk-Fingerprinting|about/fingerprint]]\n" +"erklärt wird, kann jemand im lokalen Netzwerk den Datenverkehr, der von Ihrem\n" +"Computer stammt, beobachten und möglicherweise erkennen, dass Sie Tails benutzen.\n" +"In diesem Falle kann Sie Ihre MAC-Adresse **als Tails Nutzer identifizieren**.\n" #. type: Title = #, no-wrap msgid "What is MAC address spoofing?\n" -msgstr "" +msgstr "Was ist MAC-Addressen Spoofing?\n" #. type: Plain text msgid "" @@ -79,6 +98,12 @@ msgid "" "your network interface, and so to some extend, who you are, to the local " "network." msgstr "" +"Tails kann vorübergehend die MAC-Adresse Ihrer Netzwerkschnittstellen " +"während Ihrer Sitzung auf zufällige Werte ändern. Das nennen wir " +"\"Verschleierung der MAC-Adresse\" oder \"MAC-Addressen Spoofing\". Dies " +"verschleiert die Seriennummern Ihrer Netzwerkschnittstellen und kann somit " +"bis zu einem gewissen Grad verbergen, wer Sie aus Sicht des lokalen " +"Netzwerks sind." #. type: Plain text msgid "" @@ -87,11 +112,17 @@ msgid "" "problems or make your network activity look suspicious. This documentation " "explains whether to use MAC spoofing or not, depending on your situation." msgstr "" +"Das Verschleiern der MAC-Adresse ist automatisch in Tails aktiviert, da es " +"in der Regel nützlich ist. In manchen Fällen kann es jedoch zu " +"Verbindungsproblemen führen oder Ihre Netzwerkaktivitäten verdächtig " +"erscheinen lassen. Diese Dokumentation soll Ihnen abhängig von der Situation " +"eine Entscheidungshilfe sein, ob sie die MAC-Adresse verschleiern sollten " +"oder nicht." #. type: Title = #, no-wrap msgid "When to keep MAC address spoofing enabled\n" -msgstr "" +msgstr "Wann Sie die MAC-Adresse verschleiern sollten\n" #. type: Plain text #, no-wrap @@ -99,10 +130,13 @@ msgid "" "**MAC address spoofing is enabled by default for all network interfaces.** This is\n" "usually beneficial, even if you don't want to hide your geographical location.\n" msgstr "" +"**Das Verschleiern der MAC-Adresse ist standardmäßig auf allen Netzwerkschnittstellen\n" +"aktiviert.** Dies ist meistens nützlich, auch wenn Sie Ihren geografischen Standort nicht\n" +"verbergen wollen.\n" #. type: Plain text msgid "Here are a few examples:" -msgstr "" +msgstr "Hier sind einige Beispiele:" #. type: Bullet: '* ' msgid "" @@ -111,6 +145,11 @@ msgid "" "register with your identity. In this case, MAC address spoofing hides the " "fact that your computer is connected to this network." msgstr "" +"**Die Nutzung Ihres Rechners in öffentlichen Netzwerken ohne " +"Registrierung**, beispielsweise kostenlose WLANs in Restaurants, in denen " +"Sie sich nicht mit Ihrer Identität registrieren müssen. In diesem Falle " +"verbirgt das Verschleiern der MAC-Adresse die Tatsache, dass Ihr Rechner mit " +"dem Netzwerk verbunden ist." #. type: Bullet: '* ' msgid "" @@ -120,11 +159,18 @@ msgid "" "that your computer is connected to this network *at a particular time*. It " "also hides the fact that *you* are running Tails on this network." msgstr "" +"**Die Nutzung Ihres Rechners in Netzwerken, die Sie oft nutzen**, " +"beispielsweise bei Freunden, in der Arbeit, in der Universität usw. Sie " +"besitzen in diesem Falle bereits ein starkes Vertrauensverhältnis mit diesem " +"Ort, jedoch kann das Verschleiern der MAC-Adresse die Tatsache verbergen, " +"dass Ihr Computer *zu einem bestimmten Zeitpunkt* mit dem Netzwerk verbunden " +"ist. Zudem wird die Tatsache, dass Sie Tails in diesem Netzwerk verwenden, " +"verschleiert." #. type: Title = #, no-wrap msgid "When to disable MAC address spoofing\n" -msgstr "" +msgstr "Wann Sie die MAC-Adresse nicht verschleiern sollten\n" #. type: Plain text msgid "" @@ -132,24 +178,33 @@ msgid "" "problematic. In such cases, you might want to [[disable MAC address spoofing|" "mac_spoofing#disable]]." msgstr "" +"In manchen Fällen ist das Verschleiern von MAC-Adressen nicht nützlich und " +"kann sogar problematisch sein. In solchen Situationen sollten Sie [[das " +"Verschleiern der MAC-Adresse deaktivieren|mac_spoofing#disable]]." #. type: Plain text msgid "" "Note that even if MAC spoofing is disabled, your anonymity on the Internet " "is preserved:" msgstr "" +"Beachten Sie bitte, dass Ihre Anonymität im Internet bewahrt wird, selbst " +"wenn Ihre MAC-Adresse nicht verschleiert wird." #. type: Bullet: ' - ' msgid "" "An adversary on the local network can only see encrypted connections to the " "Tor network." msgstr "" +"Ein Angreifer in Ihrem lokalen Netzwerk kann nur verschlüsselten " +"Datenverkehr in das Tor Netzwerk sehen." #. type: Bullet: ' - ' msgid "" "Your MAC address is not sent over the Internet to the websites that you are " "visiting." msgstr "" +"Ihre MAC-Adresse wird nicht über das Internet an Webseiten, die Sie " +"besuchen, übertragen." #. type: Plain text msgid "" @@ -157,6 +212,10 @@ msgid "" "local network to track your geographical location. If this is problematic, " "consider using a different network device or moving to another network." msgstr "" +"Allerdings ermöglicht das Deaktivieren der Verschleierung Ihrer MAC-Adresse " +"wieder, dass Ihr lokales Netzwerk Ihre geografische Position nachvollzieht. " +"Falls dies problematisch sein könnte, sollten Sie ein anderes Netzwerkgerät " +"bzw. Netzwerk benutzen." #. type: Bullet: '- ' msgid "" @@ -167,6 +226,13 @@ msgid "" "network administrators to see an unknown MAC address being used on that " "network." msgstr "" +"**Die Nutzung eines öffentlichen Computers**, zum Beispiel in einem " +"Internetcafé oder einer Bibliothek. Solche Computer werden oft im lokalen " +"Netz genutzt und die MAC-Adresse ist nicht mit Ihrer Identität assoziiert. " +"In diesem Falle kann es eine verschleierte MAC-Adresse unmöglich machen, " +"dass Sie sich ins Internet verbinden können. Es könnte sogar für die " +"Netzwerkadministratoren **verdächtig erscheinen**, wenn sie eine fremde MAC-" +"Adresse in ihrem Netzwerk bemerken." #. type: Bullet: '- ' msgid "" @@ -175,6 +241,11 @@ msgid "" "network interfaces. You might disable MAC address spoofing to be able to use " "them." msgstr "" +"An manchen Netzwerkschnittstellen ist es aufgrund von Beschränkungen in der " +"Hardware oder in Linux **nicht möglich, die MAC-Adressen zu verschleiern**. " +"Tails deaktiviert vorübergehend solche Schnittstellen. Sie können das " +"Verschleiern an diesen Schnittstellen deaktivieren, um diese anschließend zu " +"nutzen." #. type: Bullet: '- ' msgid "" @@ -183,6 +254,11 @@ msgid "" "connect to such networks. If you were granted access to such network in the " "past, then MAC address spoofing might prevent you from connecting." msgstr "" +"Manche Netzwerke **erlauben nur Verbindungen von autorisierten MAC-" +"Adressen**. In diesem Falle macht es Ihnen das Verschleiern der MAC-Adresse " +"unmöglich, sich mit diesen Netzen zu verbinden. Wenn Ihnen zuvor Zugang zu " +"einem solchen Netz möglich war, kann dieser durch eine verschleierte MAC-" +"Adresse verwehrt werden." #. type: Bullet: '- ' msgid "" @@ -192,16 +268,22 @@ msgid "" "restricted based on MAC addresses it might be impossible to connect with a " "spoofed MAC address." msgstr "" +"**Benutzung Ihres eigenen Rechners zu Hause**. Ihre Identität und die MAC-" +"Adresse des Computers sind bereits mit Ihrem lokalen Netzwerk assoziiert. " +"Aus diesem Grund ist das Verschleiern Ihrer MAC-Adresse wahrscheinlich " +"nutzlos. Außerdem kann es, falls der Zugriff zu Ihrem lokalen Netzwerk " +"anhand MAC-Adressen beschränkt ist, unmöglich sein, eine Internetverbindung " +"mit einer verschleierten MAC-Adresse herzustellen." #. type: Plain text #, no-wrap msgid "<a id=\"disable\"></a>\n" -msgstr "" +msgstr "<a id=\"disable\"></a>\n" #. type: Title = #, no-wrap msgid "Disable MAC address spoofing\n" -msgstr "" +msgstr "Verschleiern der MAC-Adresse deaktivieren\n" #. type: Plain text #, no-wrap @@ -209,6 +291,8 @@ msgid "" "You can disable MAC address spoofing from [[<span class=\"application\">Tails\n" "Greeter</span>|startup_options#tails_greeter]]:\n" msgstr "" +"Sie können das Verschleiern Ihrer MAC-Adresse in [[<span class=\"application\">Tails\n" +"Greeter</span>|startup_options#tails_greeter]] deaktivieren:\n" #. type: Bullet: '1. ' msgid "" @@ -217,17 +301,23 @@ msgid "" "\"button\">Yes</span> button. Then click on the <span class=\"button" "\">Forward</span> button." msgstr "" +"Wenn <span class=\"application\">Tails Greeter</span> erscheint, klicken Sie " +"im <span class=\"guilabel\">Welcome to Tails</span>-Fenster auf <span class=" +"\"button\">Yes</span>. Klicken Sie anschließend auf <span class=\"button" +"\">Forward</span>." #. type: Bullet: '2. ' msgid "" "In the <span class=\"guilabel\">MAC address spoofing</span> section, " "deselect the <span class=\"guilabel\">Spoof all MAC addresses</span> option." msgstr "" +"Im Bereich <span class=\"guilabel\">MAC address spoofing</span> deaktivieren " +"Sie bitte die Option <span class=\"guilabel\">Spoof all MAC addresses</span>." #. type: Title = #, no-wrap msgid "Other considerations\n" -msgstr "" +msgstr "Weitere Erwägungen\n" #. type: Bullet: '- ' msgid "" @@ -235,12 +325,18 @@ msgid "" "surveillance, mobile phone activity, credit card transactions, social " "interactions, etc." msgstr "" +"Andere Formen von Überwachung können Ihren geografischen Standort bestimmen: " +"Kameraüberwachung, Mobilfunkaktivität, Nutzung Ihrer Kreditkarte, soziale " +"Interaktionen, usw." #. type: Bullet: '- ' msgid "" "While using Wi-Fi, anybody within range of your Wi-Fi interface can see your " "MAC address, even without being connected to the same Wi-Fi access point." msgstr "" +"Während der Nutzung eines WLANs kann jeder in der Reichweite Ihrer WLAN " +"Karte Ihre MAC-Adresse sehen, auch wenn beide nicht mit dem selben Access " +"Point verbunden sind." #. type: Bullet: '- ' msgid "" @@ -248,6 +344,9 @@ msgid "" "your SIM card (IMSI) and the serial number of your phone (IMEI) are always " "revealed to the mobile phone operator." msgstr "" +"Wenn Sie eine Mobilfunkverbindung wie LTE, 3G oder GSM nutzen, ist die " +"Kennummer der SIM-Karte (IMSI) und die Seriennummer Ihres Telefons (IMEI) " +"für Ihren Mobilfunkbetreiber sichtbar." #. type: Bullet: '- ' msgid "" @@ -256,3 +355,9 @@ msgid "" "decision regarding MAC address spoofing. If you decide to disable MAC " "address spoofing your computer can already be identified by your ISP." msgstr "" +"Manche [[!wikipedia_de desc=\"Captive Portals\" Captive Portal]] versenden " +"möglicherweise Ihre MAC-Adresse über das Internet an " +"Authentifizierungsserver. Dies sollte Ihre Entscheidung bezüglich des " +"Verschleierns Ihrer MAC-Adresse nicht beeinflussen. Falls Sie sich dazu " +"entscheiden, Ihre MAC-Adresse nicht zu verschleiern, kann ihr Computer " +"bereits von Ihrem Provider identifiziert werden." diff --git a/wiki/src/doc/first_steps/startup_options/network_configuration.de.po b/wiki/src/doc/first_steps/startup_options/network_configuration.de.po index cd3779a67b04e773e81d5680b57b4d3e36e817cd..aa80ec1e9c31dcf51f53caf9d1a5ee16f353bf2a 100644 --- a/wiki/src/doc/first_steps/startup_options/network_configuration.de.po +++ b/wiki/src/doc/first_steps/startup_options/network_configuration.de.po @@ -3,39 +3,45 @@ # This file is distributed under the same license as the PACKAGE package. # FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. # -#, fuzzy msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-03-11 15:44+0100\n" -"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" -"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"POT-Creation-Date: 2015-02-25 14:21+0100\n" +"PO-Revision-Date: 2015-02-21 23:52-0000\n" +"Last-Translator: Tails developers <tails@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"X-Generator: Poedit 1.5.4\n" #. type: Plain text #, no-wrap msgid "[[!meta title=\"Network configuration\"]]\n" -msgstr "" +msgstr "[[!meta title=\"Netzwerkkonfiguration\"]]\n" #. type: Plain text msgid "" "Depending on your Internet connection, you might need to configure the way " "Tor connects to the Internet. For example:" msgstr "" +"Je nachdem, was Sie für eine Internetverbindung haben, könnte es " +"erforderlich sein, die Art und Weise, wie sich Tor ins Internet verbindet, " +"anzupassen. Zum Beispiel:" #. type: Bullet: '- ' msgid "If you need to use a proxy to access the Internet." msgstr "" +"Wenn Sie einen Proxy benötigen, um eine Internetverbindung herzustellen." #. type: Bullet: '- ' msgid "" "If your Internet connection goes through a firewall that only allows " "connections to certain ports." msgstr "" +"Falls Ihre Internetverbindung eine Firewall passieren muss, die nur " +"Verbindungen durch bestimmte Ports zulässt." #. type: Bullet: '- ' msgid "" @@ -43,23 +49,34 @@ msgid "" "or you want to hide the fact that you are using Tor. See also our " "documentation on [[what are bridges and when to use them|bridge_mode]]." msgstr "" +"Falls Sie Tor Bridges verwenden wollen, weil Ihre Internetverbindung " +"zensiert ist oder Sie verschleiern wollen, dass Sie Tor nutzen. Lesen Sie " +"hierzu auch die Dokumentation über [[Bridges, was sie sind und wann sie " +"verwendet werden sollten|bridge_mode]]." #. type: Plain text #, no-wrap msgid "" -"In these cases, choose to configure bridge, firewall, or proxy settings " -"from\n" +"In these cases, choose to configure bridge, firewall, or proxy settings from\n" "[[<span class=\"application\">Tails\n" "Greeter</span>|startup_options#tails_greeter]]:\n" msgstr "" +"Falls einer dieser Fälle auf Sie zutrifft, wählen Sie die Option zur Konfiguration \n" +"von Bridges, der Firewall oder Proxyeinstellungen in \n" +"[[<span class=\"application\">Tails\n" +"Greeter</span>|startup_options#tails_greeter]]:\n" #. type: Bullet: '1. ' msgid "" "When <span class=\"application\">Tails Greeter</span> appears, in the <span " -"class=\"guilabel\">Welcome to Tails</span> window, click on the <span " -"class=\"button\">Yes</span> button. Then click on the <span " -"class=\"button\">Forward</span> button." +"class=\"guilabel\">Welcome to Tails</span> window, click on the <span class=" +"\"button\">Yes</span> button. Then click on the <span class=\"button" +"\">Forward</span> button." msgstr "" +"Wenn <span class=\"application\">Tails Greeter</span> erscheint, klicken Sie " +"im <span class=\"guilabel\">Willkommen bei Tails</span> Fenster auf <span " +"class=\"button\">Ja</span>. Anschließend klicken Sie bitte auf <span class=" +"\"button\">Weiter</span>." #. type: Bullet: '2. ' msgid "" @@ -67,9 +84,14 @@ msgid "" "the following option: <span class=\"guilabel\">This computer's Internet " "connection is censored, filtered, or proxied.</span>" msgstr "" +"In Bereich <span class=\"guilabel\">Netzwerkkonfiguration</span> wählen Sie " +"bitte folgende Option aus: <span class=\"guilabel\">Die Internetverbindung " +"dieses Rechners ist zensiert, gefiltert oder vermittelt.</span>" #. type: Plain text msgid "" "Then, after starting the working session and connecting to the Internet, an " "assistant will guide you through the configuration of Tor." msgstr "" +"Nachdem die Arbeitsumgebung geladen und eine Internetverbindung hergestellt " +"wurde, wird Sie ein Assistent durch die Konfiguration von Tor führen." diff --git a/wiki/src/doc/first_steps/startup_options/tails-greeter-welcome-to-tails.png b/wiki/src/doc/first_steps/startup_options/tails-greeter-welcome-to-tails.png index 2f88b62970e88e9e5ec852b7d897cec12aae2cfa..bfa1ad8b0031e0afc62b457f7d44af94bc6c234f 100644 Binary files a/wiki/src/doc/first_steps/startup_options/tails-greeter-welcome-to-tails.png and b/wiki/src/doc/first_steps/startup_options/tails-greeter-welcome-to-tails.png differ diff --git a/wiki/src/doc/first_steps/upgrade.de.po b/wiki/src/doc/first_steps/upgrade.de.po index 84e1ab225e4c98c801a398fccc469709abcf2785..fa04a5c77c3b8368e3957e0a4d733e297e2470b9 100644 --- a/wiki/src/doc/first_steps/upgrade.de.po +++ b/wiki/src/doc/first_steps/upgrade.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-07-30 11:24+0200\n" +"POT-Creation-Date: 2015-05-09 06:26+0300\n" "PO-Revision-Date: 2014-04-14 22:41+0100\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -155,11 +155,33 @@ msgid "" "and follow the assistant through the upgrade process.\n" msgstr "" +#. type: Plain text +msgid "" +"If you missed an upgrade, each upgrade will be installed one after the " +"other. For exemple, if you have a Tails 1.3 and the current version is " +"1.3.2, then the upgrade to 1.3.1 will be installed, and after you restart " +"Tails, the upgrade to 1.3.2 will be installed." +msgstr "" + #. type: Plain text #, no-wrap msgid "<div class=\"tip\">\n" msgstr "" +#. type: Plain text +#, no-wrap +msgid "" +"<p>If you cannot upgrade at startup (for example if you have no network\n" +"connection by then), you can start <span class=\"application\">Tails\n" +"Upgrader</span> later by opening a terminal and executing the following\n" +"command:</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<pre>tails-upgrade-frontend-wrapper</pre>.\n" +msgstr "" + #. type: Plain text #, no-wrap msgid "[[!inline pages=\"doc/first_steps/upgrade.release_notes\" raw=\"yes\"]]\n" diff --git a/wiki/src/doc/first_steps/upgrade.fr.po b/wiki/src/doc/first_steps/upgrade.fr.po index 350aa82a4af2175405c68e27890ba35e32064c8d..cf7e0beb9c6b890e127baf6e0ec4dc0e8bd59da3 100644 --- a/wiki/src/doc/first_steps/upgrade.fr.po +++ b/wiki/src/doc/first_steps/upgrade.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: \n" -"POT-Creation-Date: 2014-11-29 10:09+0100\n" +"POT-Creation-Date: 2015-05-09 06:26+0300\n" "PO-Revision-Date: 2014-10-08 09:36-0000\n" "Last-Translator: saegor <saegor@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -192,11 +192,33 @@ msgstr "" "Si vous voulez faire la mise à jour, cliquez sur <span class=\"guilabel\">Mettre à jour maintenant</span>,\n" "et suivez l'assistant à travers le processus de mise à jour.\n" +#. type: Plain text +msgid "" +"If you missed an upgrade, each upgrade will be installed one after the " +"other. For exemple, if you have a Tails 1.3 and the current version is " +"1.3.2, then the upgrade to 1.3.1 will be installed, and after you restart " +"Tails, the upgrade to 1.3.2 will be installed." +msgstr "" + #. type: Plain text #, no-wrap msgid "<div class=\"tip\">\n" msgstr "" +#. type: Plain text +#, no-wrap +msgid "" +"<p>If you cannot upgrade at startup (for example if you have no network\n" +"connection by then), you can start <span class=\"application\">Tails\n" +"Upgrader</span> later by opening a terminal and executing the following\n" +"command:</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<pre>tails-upgrade-frontend-wrapper</pre>.\n" +msgstr "" + #. type: Plain text #, no-wrap msgid "[[!inline pages=\"doc/first_steps/upgrade.release_notes\" raw=\"yes\"]]\n" diff --git a/wiki/src/doc/first_steps/upgrade.mdwn b/wiki/src/doc/first_steps/upgrade.mdwn index 7e58c7ce2a8ed74f500c0131c6a90a6893ab1bc1..79592e6d89feb94900fed77a59dbb84ac558265f 100644 --- a/wiki/src/doc/first_steps/upgrade.mdwn +++ b/wiki/src/doc/first_steps/upgrade.mdwn @@ -71,6 +71,26 @@ If you decide to do the upgrade, click on <span class="guilabel">Upgrade now</span>, and follow the assistant through the upgrade process. +<div class="note"> + +If you missed an upgrade, each upgrade will be installed one after the +other. For exemple, if you have a Tails 1.3 and the current version +is 1.3.2, then the upgrade to 1.3.1 will be installed, and after you restart Tails, the +upgrade to 1.3.2 will be installed. + +</div> + +<div class="tip"> + +<p>If you cannot upgrade at startup (for example if you have no network +connection by then), you can start <span class="application">Tails +Upgrader</span> later by opening a terminal and executing the following +command:</p> + +<pre>tails-upgrade-frontend-wrapper</pre>. + +</div> + <div class="tip"> [[!inline pages="doc/first_steps/upgrade.release_notes" raw="yes"]] diff --git a/wiki/src/doc/first_steps/upgrade.pt.po b/wiki/src/doc/first_steps/upgrade.pt.po index 08682a2d41cbbf0ee1c09c1384bb9d7d693acf94..987ef7d16d2b3cbf06091c17ba640e0f8617fe66 100644 --- a/wiki/src/doc/first_steps/upgrade.pt.po +++ b/wiki/src/doc/first_steps/upgrade.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-08-12 22:33+0200\n" +"POT-Creation-Date: 2015-05-09 06:26+0300\n" "PO-Revision-Date: 2014-07-31 15:58-0300\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -192,11 +192,33 @@ msgstr "" "class=\"guilabel\">Atualizar agora</span>,\n" "e siga o assistente pelo processo de atualização.\n" +#. type: Plain text +msgid "" +"If you missed an upgrade, each upgrade will be installed one after the " +"other. For exemple, if you have a Tails 1.3 and the current version is " +"1.3.2, then the upgrade to 1.3.1 will be installed, and after you restart " +"Tails, the upgrade to 1.3.2 will be installed." +msgstr "" + #. type: Plain text #, no-wrap msgid "<div class=\"tip\">\n" msgstr "<div class=\"tip\">\n" +#. type: Plain text +#, no-wrap +msgid "" +"<p>If you cannot upgrade at startup (for example if you have no network\n" +"connection by then), you can start <span class=\"application\">Tails\n" +"Upgrader</span> later by opening a terminal and executing the following\n" +"command:</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<pre>tails-upgrade-frontend-wrapper</pre>.\n" +msgstr "" + #. type: Plain text #, no-wrap msgid "[[!inline pages=\"doc/first_steps/upgrade.release_notes\" raw=\"yes\"]]\n" diff --git a/wiki/src/doc/encryption_and_privacy/openpgp_with_claws_mail.fr.po b/wiki/src/doc/get/signing_key_transition.inline.de.po similarity index 53% rename from wiki/src/doc/encryption_and_privacy/openpgp_with_claws_mail.fr.po rename to wiki/src/doc/get/signing_key_transition.inline.de.po index 39e0b7f7f4792bb52e69d521bfaa93ed7be781e2..1029c0e0014d1ac10bbb73172806ccd05ad95e02 100644 --- a/wiki/src/doc/encryption_and_privacy/openpgp_with_claws_mail.fr.po +++ b/wiki/src/doc/get/signing_key_transition.inline.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2011-12-25 22:40+0100\n" +"POT-Creation-Date: 2015-03-22 13:32+0100\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -18,5 +18,20 @@ msgstr "" #. type: Plain text #, no-wrap -msgid "[[!meta title=\"OpenPGP with Claws Mail\"]]\n" +msgid "<div class=\"note\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>Tails [[transitioned to a new signing\n" +"key|news/signing_key_transition]] between Tails 1.3 (February 24) and\n" +"Tails 1.3.1 (March 31). If you had the previous signing key, make sure\n" +"to [[import and verify the new signing\n" +"key|news/signing_key_transition#index1h1]].</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" msgstr "" diff --git a/wiki/src/news/who_are_you_helping/include.pt.po b/wiki/src/doc/get/signing_key_transition.inline.fr.po similarity index 52% rename from wiki/src/news/who_are_you_helping/include.pt.po rename to wiki/src/doc/get/signing_key_transition.inline.fr.po index 5183a9550a04f86caf31a0997b5884aeddb4cfd6..1029c0e0014d1ac10bbb73172806ccd05ad95e02 100644 --- a/wiki/src/news/who_are_you_helping/include.pt.po +++ b/wiki/src/doc/get/signing_key_transition.inline.fr.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-11-28 12:04+0000\n" +"POT-Creation-Date: 2015-03-22 13:32+0100\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -16,15 +16,22 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -#. type: Content of: <div><p> -msgid "" -"Tails is free because <strong>nobody should have to pay to be safe while " -"using computers</strong>. But Tails cannot stay alive without money and " -"<strong>we need your help</strong>!" +#. type: Plain text +#, no-wrap +msgid "<div class=\"note\">\n" msgstr "" -#. type: Content of: <div><p> +#. type: Plain text +#, no-wrap msgid "" -"<strong>[[Discover who you are helping around the world when donating to " -"Tails.|news/who_are_you_helping]]</strong>" +"<p>Tails [[transitioned to a new signing\n" +"key|news/signing_key_transition]] between Tails 1.3 (February 24) and\n" +"Tails 1.3.1 (March 31). If you had the previous signing key, make sure\n" +"to [[import and verify the new signing\n" +"key|news/signing_key_transition#index1h1]].</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" msgstr "" diff --git a/wiki/src/doc/get/signing_key_transition.inline.mdwn b/wiki/src/doc/get/signing_key_transition.inline.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..0eb03bf98866bfb1698ae666697cfac350752456 --- /dev/null +++ b/wiki/src/doc/get/signing_key_transition.inline.mdwn @@ -0,0 +1,9 @@ +<div class="note"> + +<p>Tails [[transitioned to a new signing +key|news/signing_key_transition]] between Tails 1.3 (February 24) and +Tails 1.3.1 (March 31). If you had the previous signing key, make sure +to [[import and verify the new signing +key|news/signing_key_transition#index1h1]].</p> + +</div> diff --git a/wiki/src/doc/get/signing_key_transition.inline.pt.po b/wiki/src/doc/get/signing_key_transition.inline.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..1029c0e0014d1ac10bbb73172806ccd05ad95e02 --- /dev/null +++ b/wiki/src/doc/get/signing_key_transition.inline.pt.po @@ -0,0 +1,37 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-22 13:32+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"note\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>Tails [[transitioned to a new signing\n" +"key|news/signing_key_transition]] between Tails 1.3 (February 24) and\n" +"Tails 1.3.1 (March 31). If you had the previous signing key, make sure\n" +"to [[import and verify the new signing\n" +"key|news/signing_key_transition#index1h1]].</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" diff --git a/wiki/src/doc/get/trusting_tails_signing_key.de.po b/wiki/src/doc/get/trusting_tails_signing_key.de.po index 76ee6db65fa67ef864cb716a2c245b25fe9258b6..244f1fb577f24d748c945ea65f67210a60f23045 100644 --- a/wiki/src/doc/get/trusting_tails_signing_key.de.po +++ b/wiki/src/doc/get/trusting_tails_signing_key.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-08-03 12:37+0300\n" +"POT-Creation-Date: 2015-03-23 02:53+0100\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -21,6 +21,11 @@ msgstr "" msgid "[[!meta title=\"Trusting Tails signing key\"]]\n" msgstr "" +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"doc/get/signing_key_transition.inline\" raw=\"yes\"]]\n" +msgstr "" + #. type: Plain text msgid "" "We will present you three techniques from the easiest to the safest. Again, " @@ -59,7 +64,7 @@ msgstr "" #, no-wrap msgid "" " cd [your download directory]\n" -" sha256sum tails-signing*.key\n" +" diff -qs --from-file tails-signing*.key\n" msgstr "" #. type: Plain text @@ -69,16 +74,28 @@ msgstr "" #. type: Plain text #, no-wrap msgid "" -" aa4ac9313d562c901ddeca1b32b4d539d1e3476c575da554a9b6ccaa3d8305eb tails-signing-desktop.key\n" -" aa4ac9313d562c901ddeca1b32b4d539d1e3476c575da554a9b6ccaa3d8305eb tails-signing-laptop.key\n" -" aa4ac9313d562c901ddeca1b32b4d539d1e3476c575da554a9b6ccaa3d8305eb tails-signing-library.key\n" -" aa4ac9313d562c901ddeca1b32b4d539d1e3476c575da554a9b6ccaa3d8305eb tails-signing-seattle.key\n" +" Files tails-signing-desktop.key and tails-signing-laptop.key are identical\n" +" Files tails-signing-desktop.key and tails-signing-library.key are identical\n" +" Files tails-signing-desktop.key and tails-signing-seattle.key are identical\n" msgstr "" #. type: Plain text msgid "" -"You would then need to visually check that all the checksums of the first " -"column are the same, meaning that the keys are identical." +"You would then need to check that every line reports identical key files." +msgstr "" + +#. type: Plain text +msgid "" +"If at least a key differs from the rest, the command would output " +"accordingly:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" Files tails-signing-desktop.key and tails-signing-laptop.key are identical\n" +" Files tails-signing-desktop.key and tails-signing-library.key are identical\n" +" Files tails-signing-desktop.key and tails-signing-seattle.key differ\n" msgstr "" #. type: Plain text @@ -164,6 +181,11 @@ msgid "" "relationships and the knowledge of quite complex tools such as OpenPGP." msgstr "" +#. type: Plain text +#, no-wrap +msgid "<a id=\"debian\">\n" +msgstr "" + #. type: Title # #, no-wrap msgid "Check Tails signing key against the Debian keyring" @@ -205,7 +227,7 @@ msgstr "" #. type: Plain text #, no-wrap -msgid " gpg --keyid-format long --list-sigs 1202821CBE2CD9C1\n" +msgid " gpg --keyid-format long --list-sigs A490D0F4D311A4153E2BB7CADBB802B258ACD84F\n" msgstr "" #. type: Plain text @@ -215,19 +237,19 @@ msgstr "" #. type: Plain text #, no-wrap msgid "" -" pub 4096R/1202821CBE2CD9C1 2010-10-07 [expires: 2015-04-30]\n" -" uid Tails developers (signing key) <tails@boum.org>\n" -" sig 3 1202821CBE2CD9C1 2011-04-16 Tails developers (signing key) <tails@boum.org>\n" -" sig BACE15D2A57498FF 2011-04-16 [User ID not found]\n" -" sig CCD2ED94D21739E9 2011-06-12 [User ID not found]\n" -" uid T(A)ILS developers (signing key) <amnesia@boum.org>\n" -" sig 3 1202821CBE2CD9C1 2010-10-07 Tails developers (signing key) <tails@boum.org>\n" -" sig BACE15D2A57498FF 2010-10-07 [User ID not found]\n" -" sig 8CBF9A322861A790 2010-12-24 [User ID not found]\n" -" sig 7EF27D76B2177E1F 2010-12-27 [User ID not found]\n" -" sig CCD2ED94D21739E9 2010-12-29 [User ID not found]\n" -" sig AC0EC35285821C42 2011-03-22 [User ID not found]\n" -" sig C2DEE7F336042734 2010-10-24 [User ID not found]\n" +" pub 4096R/DBB802B258ACD84F 2015-01-18 [expires: 2016-01-11]\n" +" Key fingerprint = A490 D0F4 D311 A415 3E2B B7CA DBB8 02B2 58AC D84F\n" +" uid [ unknown] Tails developers (offline long-term identity key) <tails@boum.org>\n" +" sig 3 DBB802B258ACD84F 2015-01-18 Tails developers (offline long-term identity key) <tails@boum.org>\n" +" sig 1202821CBE2CD9C1 2015-01-19 Tails developers (signing key) <tails@boum.org>\n" +" sig BACE15D2A57498FF 2015-01-19 [User ID not found]\n" +" sig 9C31503C6D866396 2015-02-03 [User ID not found]\n" +" sig BB3A68018649AA06 2015-02-04 [User ID not found]\n" +" sig 091AB856069AAA1C 2015-02-05 [User ID not found]\n" +" sub 4096R/98FEC6BC752A3DB6 2015-01-18 [expires: 2016-01-11]\n" +" sig DBB802B258ACD84F 2015-01-18 Tails developers (offline long-term identity key) <tails@boum.org>\n" +" sub 4096R/3C83DCB52F699C56 2015-01-18 [expires: 2016-01-11]\n" +" sig DBB802B258ACD84F 2015-01-18 Tails developers (offline long-term identity key) <tails@boum.org>\n" msgstr "" #. type: Plain text @@ -240,7 +262,7 @@ msgstr "" #. type: Plain text #, no-wrap -msgid " gpg --keyring=/usr/share/keyrings/debian-keyring.gpg --list-key CCD2ED94D21739E9\n" +msgid " gpg --keyring=/usr/share/keyrings/debian-keyring.gpg --list-key 9C31503C6D866396\n" msgstr "" #. type: Plain text @@ -252,16 +274,14 @@ msgstr "" #. type: Plain text #, no-wrap msgid "" -" pub 4096R/CCD2ED94D21739E9 2007-06-02 [expires: 2015-02-26]\n" -" uid Daniel Kahn Gillmor <dkg@fifthhorseman.net>\n" -" uid Daniel Kahn Gillmor <dkg@openflows.com>\n" -" uid [jpeg image of size 3515]\n" -" uid Daniel Kahn Gillmor <dkg@debian.org>\n" -" uid Daniel Kahn Gillmor <dkg@aclu.org>\n" -" sub 4096R/0xC61BD3EC21484CFF 2007-06-02 [expires: 2015-02-26]\n" -" sub 2048R/0x125868EA4BFA08E4 2008-06-19 [expires: 2015-02-26]\n" -" sub 4096R/0xA52401B11BFDFA5C 2013-03-12 [expires: 2015-03-12]\n" -" sub 2432R/0xDC104C4E0CA757FB 2013-09-11 [expires: 2014-09-11]\n" +" pub 4096R/0x9C31503C6D866396 2010-09-27\n" +" Key fingerprint = 4900 707D DC5C 07F2 DECB 0283 9C31 503C 6D86 6396\n" +" uid [ unknown] Stefano Zacchiroli <zack@upsilon.cc>\n" +" uid [ unknown] Stefano Zacchiroli <zack@debian.org>\n" +" uid [ unknown] Stefano Zacchiroli <zack@cs.unibo.it>\n" +" uid [ unknown] Stefano Zacchiroli <zack@pps.jussieu.fr>\n" +" uid [ unknown] Stefano Zacchiroli <zack@pps.univ-paris-diderot.fr>\n" +" sub 4096R/0x7DFA4FED02D0E74C 2010-09-27\n" msgstr "" #. type: Plain text @@ -270,7 +290,7 @@ msgstr "" #. type: Plain text #, no-wrap -msgid " gpg --keyring=/usr/share/keyrings/debian-keyring.gpg --export CCD2ED94D21739E9 | gpg --import\n" +msgid " gpg --keyring=/usr/share/keyrings/debian-keyring.gpg --export 9C31503C6D866396 | gpg --import\n" msgstr "" #. type: Plain text @@ -281,7 +301,7 @@ msgstr "" #. type: Plain text #, no-wrap -msgid " gpg --keyid-format long --check-sigs 1202821CBE2CD9C1\n" +msgid " gpg --keyid-format long --check-sigs A490D0F4D311A4153E2BB7CADBB802B258ACD84F\n" msgstr "" #. type: Plain text @@ -290,17 +310,23 @@ msgid "" "directly following the \"sig\" tag. A \"!\" indicates that the signature has " "been successfully verified, a \"-\" denotes a bad signature and a \"%\" is " "used if an error occurred while checking the signature (e.g. a non supported " -"algorithm). For example, in the following output the signature of Daniel " -"Kahn Gillmor on Tails signing key has been successfully verified:" +"algorithm). For example, in the following output the signature of Stefano " +"Zacchiroli on Tails signing key has been successfully verified:" msgstr "" #. type: Plain text #, no-wrap msgid "" -" pub 4096R/1202821CBE2CD9C1 2010-10-07 [expires: 2015-04-30]\n" -" uid Tails developers (signing key) <tails@boum.org>\n" -" sig!3 1202821CBE2CD9C1 2011-04-16 Tails developers (signing key) <tails@boum.org>\n" -" sig! CCD2ED94D21739E9 2013-05-05 Daniel Kahn Gillmor <dkg@fifthhorseman.net>\n" +" pub 4096R/DBB802B258ACD84F 2015-01-18 [expires: 2016-01-11]\n" +" Key fingerprint = A490 D0F4 D311 A415 3E2B B7CA DBB8 02B2 58AC D84F\n" +" uid [ unknown] Tails developers (offline long-term identity key) <tails@boum.org>\n" +" sig!3 DBB802B258ACD84F 2015-01-18 Tails developers (offline long-term identity key) <tails@boum.org>\n" +" sig! 1202821CBE2CD9C1 2015-01-19 Tails developers (signing key) <tails@boum.org>\n" +" sig! 9C31503C6D866396 2015-02-03 Stefano Zacchiroli <zack@upsilon.cc>\n" +" sub 4096R/98FEC6BC752A3DB6 2015-01-18 [expires: 2016-01-11]\n" +" sig! DBB802B258ACD84F 2015-01-18 Tails developers (offline long-term identity key) <tails@boum.org>\n" +" sub 4096R/3C83DCB52F699C56 2015-01-18 [expires: 2016-01-11]\n" +" sig! DBB802B258ACD84F 2015-01-18 Tails developers (offline long-term identity key) <tails@boum.org>\n" msgstr "" #. type: Plain text diff --git a/wiki/src/doc/get/trusting_tails_signing_key.fr.po b/wiki/src/doc/get/trusting_tails_signing_key.fr.po index dcda09ee566a5de72badd23830cdcf389afea537..523be5614ea03f989ed4ed3e261dd7640b00bc32 100644 --- a/wiki/src/doc/get/trusting_tails_signing_key.fr.po +++ b/wiki/src/doc/get/trusting_tails_signing_key.fr.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-11-29 10:09+0100\n" -"PO-Revision-Date: 2014-10-08 08:38-0000\n" +"POT-Creation-Date: 2015-03-23 02:53+0100\n" +"PO-Revision-Date: 2015-02-21 13:35-0000\n" "Last-Translator: \n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" @@ -21,6 +21,11 @@ msgstr "" msgid "[[!meta title=\"Trusting Tails signing key\"]]\n" msgstr "[[!meta title=\"Faire confiance à la clé de signature de Tails\"]]\n" +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"doc/get/signing_key_transition.inline\" raw=\"yes\"]]\n" +msgstr "" + #. type: Plain text msgid "" "We will present you three techniques from the easiest to the safest. Again, " @@ -74,10 +79,10 @@ msgstr "" #, no-wrap msgid "" " cd [your download directory]\n" -" sha256sum tails-signing*.key\n" +" diff -qs --from-file tails-signing*.key\n" msgstr "" " cd [votre dossier de téléchargements]\n" -" sha256sum tails-signing*.key\n" +" diff -qs --from-file tails-signing*.key\n" #. type: Plain text msgid "This command would output something like this:" @@ -86,20 +91,37 @@ msgstr "Cette commande devrait vous donner quelque chose comme ça :" #. type: Plain text #, no-wrap msgid "" -" aa4ac9313d562c901ddeca1b32b4d539d1e3476c575da554a9b6ccaa3d8305eb tails-signing-desktop.key\n" -" aa4ac9313d562c901ddeca1b32b4d539d1e3476c575da554a9b6ccaa3d8305eb tails-signing-laptop.key\n" -" aa4ac9313d562c901ddeca1b32b4d539d1e3476c575da554a9b6ccaa3d8305eb tails-signing-library.key\n" -" aa4ac9313d562c901ddeca1b32b4d539d1e3476c575da554a9b6ccaa3d8305eb tails-signing-seattle.key\n" +" Files tails-signing-desktop.key and tails-signing-laptop.key are identical\n" +" Files tails-signing-desktop.key and tails-signing-library.key are identical\n" +" Files tails-signing-desktop.key and tails-signing-seattle.key are identical\n" +msgstr "" +" Les fichiers tails-signing-desktop.key et tails-signing-laptop.key sont identiques\n" +" Les fichiers tails-signing-desktop.key et tails-signing-library.key sont identiques\n" +" Les fichiers tails-signing-desktop.key et tails-signing-seattle.key sont identiques\n" + +#. type: Plain text +msgid "" +"You would then need to check that every line reports identical key files." +msgstr "Vous devez vérifier que chaque ligne rapporte des clés identiques." + +#. type: Plain text +msgid "" +"If at least a key differs from the rest, the command would output " +"accordingly:" msgstr "" +"Si une clé au moins diffère des autres, la commande devrait en retour " +"renvoyer :" #. type: Plain text +#, no-wrap msgid "" -"You would then need to visually check that all the checksums of the first " -"column are the same, meaning that the keys are identical." +" Files tails-signing-desktop.key and tails-signing-laptop.key are identical\n" +" Files tails-signing-desktop.key and tails-signing-library.key are identical\n" +" Files tails-signing-desktop.key and tails-signing-seattle.key differ\n" msgstr "" -"Vous devrez ensuite vérifier visuellement que toutes les sommes de contrôle " -"de la première colonne sont identiques, ce qui voudrait dire que les clés le " -"sont également." +" Les fichiers tails-signing-desktop.key et tails-signing-laptop.key sont identiques\n" +" Les fichiers tails-signing-desktop.key et tails-signing-library.key sont identiques\n" +" Les fichiers tails-signing-desktop.key et tails-signing-seattle.key sont différents\n" #. type: Plain text msgid "" @@ -219,6 +241,11 @@ msgstr "" "Tails, cela étant basé sur un réseau de relations humaines ainsi que sur le " "savoir-faire relativement complexe d'outils comme OpenPGP." +#. type: Plain text +#, no-wrap +msgid "<a id=\"debian\">\n" +msgstr "" + #. type: Title # #, no-wrap msgid "Check Tails signing key against the Debian keyring" @@ -272,8 +299,9 @@ msgstr "" "clé de signature de Tails vous pouvez faire :" #. type: Plain text -#, no-wrap -msgid " gpg --keyid-format long --list-sigs 1202821CBE2CD9C1\n" +#, fuzzy, no-wrap +#| msgid " gpg --keyid-format long --list-sigs 1202821CBE2CD9C1\n" +msgid " gpg --keyid-format long --list-sigs A490D0F4D311A4153E2BB7CADBB802B258ACD84F\n" msgstr " gpg --keyid-format long --list-sigs 1202821CBE2CD9C1\n" #. type: Plain text @@ -283,33 +311,20 @@ msgstr "Vous obtiendrez quelque chose comme ça :" #. type: Plain text #, no-wrap msgid "" -" pub 4096R/1202821CBE2CD9C1 2010-10-07 [expires: 2015-04-30]\n" -" uid Tails developers (signing key) <tails@boum.org>\n" -" sig 3 1202821CBE2CD9C1 2011-04-16 Tails developers (signing key) <tails@boum.org>\n" -" sig BACE15D2A57498FF 2011-04-16 [User ID not found]\n" -" sig CCD2ED94D21739E9 2011-06-12 [User ID not found]\n" -" uid T(A)ILS developers (signing key) <amnesia@boum.org>\n" -" sig 3 1202821CBE2CD9C1 2010-10-07 Tails developers (signing key) <tails@boum.org>\n" -" sig BACE15D2A57498FF 2010-10-07 [User ID not found]\n" -" sig 8CBF9A322861A790 2010-12-24 [User ID not found]\n" -" sig 7EF27D76B2177E1F 2010-12-27 [User ID not found]\n" -" sig CCD2ED94D21739E9 2010-12-29 [User ID not found]\n" -" sig AC0EC35285821C42 2011-03-22 [User ID not found]\n" -" sig C2DEE7F336042734 2010-10-24 [User ID not found]\n" -msgstr "" -" pub 4096R/1202821CBE2CD9C1 2010-10-07 [expires: 2015-04-30]\n" -" uid Tails developers (signing key) <tails@boum.org>\n" -" sig 3 1202821CBE2CD9C1 2011-04-16 Tails developers (signing key) <tails@boum.org>\n" -" sig BACE15D2A57498FF 2011-04-16 [User ID not found]\n" -" sig CCD2ED94D21739E9 2011-06-12 [User ID not found]\n" -" uid T(A)ILS developers (signing key) <amnesia@boum.org>\n" -" sig 3 1202821CBE2CD9C1 2010-10-07 Tails developers (signing key) <tails@boum.org>\n" -" sig BACE15D2A57498FF 2010-10-07 [User ID not found]\n" -" sig 8CBF9A322861A790 2010-12-24 [User ID not found]\n" -" sig 7EF27D76B2177E1F 2010-12-27 [User ID not found]\n" -" sig CCD2ED94D21739E9 2010-12-29 [User ID not found]\n" -" sig AC0EC35285821C42 2011-03-22 [User ID not found]\n" -" sig C2DEE7F336042734 2010-10-24 [User ID not found]\n" +" pub 4096R/DBB802B258ACD84F 2015-01-18 [expires: 2016-01-11]\n" +" Key fingerprint = A490 D0F4 D311 A415 3E2B B7CA DBB8 02B2 58AC D84F\n" +" uid [ unknown] Tails developers (offline long-term identity key) <tails@boum.org>\n" +" sig 3 DBB802B258ACD84F 2015-01-18 Tails developers (offline long-term identity key) <tails@boum.org>\n" +" sig 1202821CBE2CD9C1 2015-01-19 Tails developers (signing key) <tails@boum.org>\n" +" sig BACE15D2A57498FF 2015-01-19 [User ID not found]\n" +" sig 9C31503C6D866396 2015-02-03 [User ID not found]\n" +" sig BB3A68018649AA06 2015-02-04 [User ID not found]\n" +" sig 091AB856069AAA1C 2015-02-05 [User ID not found]\n" +" sub 4096R/98FEC6BC752A3DB6 2015-01-18 [expires: 2016-01-11]\n" +" sig DBB802B258ACD84F 2015-01-18 Tails developers (offline long-term identity key) <tails@boum.org>\n" +" sub 4096R/3C83DCB52F699C56 2015-01-18 [expires: 2016-01-11]\n" +" sig DBB802B258ACD84F 2015-01-18 Tails developers (offline long-term identity key) <tails@boum.org>\n" +msgstr "" #. type: Plain text msgid "" @@ -325,8 +340,9 @@ msgstr "" "et la date. Par exemple, vous pouvez faire :" #. type: Plain text -#, no-wrap -msgid " gpg --keyring=/usr/share/keyrings/debian-keyring.gpg --list-key CCD2ED94D21739E9\n" +#, fuzzy, no-wrap +#| msgid " gpg --keyring=/usr/share/keyrings/debian-keyring.gpg --list-key CCD2ED94D21739E9\n" +msgid " gpg --keyring=/usr/share/keyrings/debian-keyring.gpg --list-key 9C31503C6D866396\n" msgstr " gpg --keyring=/usr/share/keyrings/debian-keyring.gpg --list-key CCD2ED94D21739E9\n" #. type: Plain text @@ -340,27 +356,15 @@ msgstr "" #. type: Plain text #, no-wrap msgid "" -" pub 4096R/CCD2ED94D21739E9 2007-06-02 [expires: 2015-02-26]\n" -" uid Daniel Kahn Gillmor <dkg@fifthhorseman.net>\n" -" uid Daniel Kahn Gillmor <dkg@openflows.com>\n" -" uid [jpeg image of size 3515]\n" -" uid Daniel Kahn Gillmor <dkg@debian.org>\n" -" uid Daniel Kahn Gillmor <dkg@aclu.org>\n" -" sub 4096R/0xC61BD3EC21484CFF 2007-06-02 [expires: 2015-02-26]\n" -" sub 2048R/0x125868EA4BFA08E4 2008-06-19 [expires: 2015-02-26]\n" -" sub 4096R/0xA52401B11BFDFA5C 2013-03-12 [expires: 2015-03-12]\n" -" sub 2432R/0xDC104C4E0CA757FB 2013-09-11 [expires: 2014-09-11]\n" -msgstr "" -" pub 4096R/CCD2ED94D21739E9 2007-06-02 [expires: 2015-02-26]\n" -" uid Daniel Kahn Gillmor <dkg@fifthhorseman.net>\n" -" uid Daniel Kahn Gillmor <dkg@openflows.com>\n" -" uid [jpeg image of size 3515]\n" -" uid Daniel Kahn Gillmor <dkg@debian.org>\n" -" uid Daniel Kahn Gillmor <dkg@aclu.org>\n" -" sub 4096R/0xC61BD3EC21484CFF 2007-06-02 [expires: 2015-02-26]\n" -" sub 2048R/0x125868EA4BFA08E4 2008-06-19 [expires: 2015-02-26]\n" -" sub 4096R/0xA52401B11BFDFA5C 2013-03-12 [expires: 2015-03-12]\n" -" sub 2432R/0xDC104C4E0CA757FB 2013-09-11 [expires: 2014-09-11]\n" +" pub 4096R/0x9C31503C6D866396 2010-09-27\n" +" Key fingerprint = 4900 707D DC5C 07F2 DECB 0283 9C31 503C 6D86 6396\n" +" uid [ unknown] Stefano Zacchiroli <zack@upsilon.cc>\n" +" uid [ unknown] Stefano Zacchiroli <zack@debian.org>\n" +" uid [ unknown] Stefano Zacchiroli <zack@cs.unibo.it>\n" +" uid [ unknown] Stefano Zacchiroli <zack@pps.jussieu.fr>\n" +" uid [ unknown] Stefano Zacchiroli <zack@pps.univ-paris-diderot.fr>\n" +" sub 4096R/0x7DFA4FED02D0E74C 2010-09-27\n" +msgstr "" #. type: Plain text msgid "You can then import it in your own keyring by doing:" @@ -369,8 +373,9 @@ msgstr "" "faisant :" #. type: Plain text -#, no-wrap -msgid " gpg --keyring=/usr/share/keyrings/debian-keyring.gpg --export CCD2ED94D21739E9 | gpg --import\n" +#, fuzzy, no-wrap +#| msgid " gpg --keyring=/usr/share/keyrings/debian-keyring.gpg --export CCD2ED94D21739E9 | gpg --import\n" +msgid " gpg --keyring=/usr/share/keyrings/debian-keyring.gpg --export 9C31503C6D866396 | gpg --import\n" msgstr " gpg --keyring=/usr/share/keyrings/debian-keyring.gpg --export CCD2ED94D21739E9 | gpg --import\n" #. type: Plain text @@ -382,18 +387,28 @@ msgstr "" "nouvelle clé sur la clé de signature de Tails en faisant :" #. type: Plain text -#, no-wrap -msgid " gpg --keyid-format long --check-sigs 1202821CBE2CD9C1\n" +#, fuzzy, no-wrap +#| msgid " gpg --keyid-format long --check-sigs 1202821CBE2CD9C1\n" +msgid " gpg --keyid-format long --check-sigs A490D0F4D311A4153E2BB7CADBB802B258ACD84F\n" msgstr " gpg --keyid-format long --check-sigs 1202821CBE2CD9C1\n" #. type: Plain text +#, fuzzy +#| msgid "" +#| "On the output, the status of the verification is indicated by a flag " +#| "directly following the \"sig\" tag. A \"!\" indicates that the signature " +#| "has been successfully verified, a \"-\" denotes a bad signature and a \"%" +#| "\" is used if an error occurred while checking the signature (e.g. a non " +#| "supported algorithm). For example, in the following output the signature " +#| "of Daniel Kahn Gillmor on Tails signing key has been successfully " +#| "verified:" msgid "" "On the output, the status of the verification is indicated by a flag " "directly following the \"sig\" tag. A \"!\" indicates that the signature has " "been successfully verified, a \"-\" denotes a bad signature and a \"%\" is " "used if an error occurred while checking the signature (e.g. a non supported " -"algorithm). For example, in the following output the signature of Daniel " -"Kahn Gillmor on Tails signing key has been successfully verified:" +"algorithm). For example, in the following output the signature of Stefano " +"Zacchiroli on Tails signing key has been successfully verified:" msgstr "" "En réponse, le status de la vérification est indiqué par un marqueur juste " "après l'étiquette \"sig\". Un \"!\" indique que la signature a été vérifiée " @@ -406,15 +421,17 @@ msgstr "" #. type: Plain text #, no-wrap msgid "" -" pub 4096R/1202821CBE2CD9C1 2010-10-07 [expires: 2015-04-30]\n" -" uid Tails developers (signing key) <tails@boum.org>\n" -" sig!3 1202821CBE2CD9C1 2011-04-16 Tails developers (signing key) <tails@boum.org>\n" -" sig! CCD2ED94D21739E9 2013-05-05 Daniel Kahn Gillmor <dkg@fifthhorseman.net>\n" +" pub 4096R/DBB802B258ACD84F 2015-01-18 [expires: 2016-01-11]\n" +" Key fingerprint = A490 D0F4 D311 A415 3E2B B7CA DBB8 02B2 58AC D84F\n" +" uid [ unknown] Tails developers (offline long-term identity key) <tails@boum.org>\n" +" sig!3 DBB802B258ACD84F 2015-01-18 Tails developers (offline long-term identity key) <tails@boum.org>\n" +" sig! 1202821CBE2CD9C1 2015-01-19 Tails developers (signing key) <tails@boum.org>\n" +" sig! 9C31503C6D866396 2015-02-03 Stefano Zacchiroli <zack@upsilon.cc>\n" +" sub 4096R/98FEC6BC752A3DB6 2015-01-18 [expires: 2016-01-11]\n" +" sig! DBB802B258ACD84F 2015-01-18 Tails developers (offline long-term identity key) <tails@boum.org>\n" +" sub 4096R/3C83DCB52F699C56 2015-01-18 [expires: 2016-01-11]\n" +" sig! DBB802B258ACD84F 2015-01-18 Tails developers (offline long-term identity key) <tails@boum.org>\n" msgstr "" -" pub 4096R/1202821CBE2CD9C1 2010-10-07 [expires: 2015-04-30]\n" -" uid Tails developers (signing key) <tails@boum.org>\n" -" sig!3 1202821CBE2CD9C1 2011-04-16 Tails developers (signing key) <tails@boum.org>\n" -" sig! CCD2ED94D21739E9 2013-05-05 Daniel Kahn Gillmor <dkg@fifthhorseman.net>\n" #. type: Plain text #, no-wrap @@ -492,3 +509,74 @@ msgstr "" #. type: Bullet: '- ' msgid "<!-- l10n placeholder for language-specific link -->" msgstr "" + +#~ msgid "" +#~ " pub 4096R/1202821CBE2CD9C1 2010-10-07 [expires: 2015-04-30]\n" +#~ " uid Tails developers (signing key) <tails@boum.org>\n" +#~ " sig 3 1202821CBE2CD9C1 2011-04-16 Tails developers (signing key) <tails@boum.org>\n" +#~ " sig BACE15D2A57498FF 2011-04-16 [User ID not found]\n" +#~ " sig CCD2ED94D21739E9 2011-06-12 [User ID not found]\n" +#~ " uid T(A)ILS developers (signing key) <amnesia@boum.org>\n" +#~ " sig 3 1202821CBE2CD9C1 2010-10-07 Tails developers (signing key) <tails@boum.org>\n" +#~ " sig BACE15D2A57498FF 2010-10-07 [User ID not found]\n" +#~ " sig 8CBF9A322861A790 2010-12-24 [User ID not found]\n" +#~ " sig 7EF27D76B2177E1F 2010-12-27 [User ID not found]\n" +#~ " sig CCD2ED94D21739E9 2010-12-29 [User ID not found]\n" +#~ " sig AC0EC35285821C42 2011-03-22 [User ID not found]\n" +#~ " sig C2DEE7F336042734 2010-10-24 [User ID not found]\n" +#~ msgstr "" +#~ " pub 4096R/1202821CBE2CD9C1 2010-10-07 [expires: 2015-04-30]\n" +#~ " uid Tails developers (signing key) <tails@boum.org>\n" +#~ " sig 3 1202821CBE2CD9C1 2011-04-16 Tails developers (signing key) <tails@boum.org>\n" +#~ " sig BACE15D2A57498FF 2011-04-16 [User ID not found]\n" +#~ " sig CCD2ED94D21739E9 2011-06-12 [User ID not found]\n" +#~ " uid T(A)ILS developers (signing key) <amnesia@boum.org>\n" +#~ " sig 3 1202821CBE2CD9C1 2010-10-07 Tails developers (signing key) <tails@boum.org>\n" +#~ " sig BACE15D2A57498FF 2010-10-07 [User ID not found]\n" +#~ " sig 8CBF9A322861A790 2010-12-24 [User ID not found]\n" +#~ " sig 7EF27D76B2177E1F 2010-12-27 [User ID not found]\n" +#~ " sig CCD2ED94D21739E9 2010-12-29 [User ID not found]\n" +#~ " sig AC0EC35285821C42 2011-03-22 [User ID not found]\n" +#~ " sig C2DEE7F336042734 2010-10-24 [User ID not found]\n" + +#~ msgid "" +#~ " pub 4096R/CCD2ED94D21739E9 2007-06-02 [expires: 2015-02-26]\n" +#~ " uid Daniel Kahn Gillmor <dkg@fifthhorseman.net>\n" +#~ " uid Daniel Kahn Gillmor <dkg@openflows.com>\n" +#~ " uid [jpeg image of size 3515]\n" +#~ " uid Daniel Kahn Gillmor <dkg@debian.org>\n" +#~ " uid Daniel Kahn Gillmor <dkg@aclu.org>\n" +#~ " sub 4096R/0xC61BD3EC21484CFF 2007-06-02 [expires: 2015-02-26]\n" +#~ " sub 2048R/0x125868EA4BFA08E4 2008-06-19 [expires: 2015-02-26]\n" +#~ " sub 4096R/0xA52401B11BFDFA5C 2013-03-12 [expires: 2015-03-12]\n" +#~ " sub 2432R/0xDC104C4E0CA757FB 2013-09-11 [expires: 2014-09-11]\n" +#~ msgstr "" +#~ " pub 4096R/CCD2ED94D21739E9 2007-06-02 [expires: 2015-02-26]\n" +#~ " uid Daniel Kahn Gillmor <dkg@fifthhorseman.net>\n" +#~ " uid Daniel Kahn Gillmor <dkg@openflows.com>\n" +#~ " uid [jpeg image of size 3515]\n" +#~ " uid Daniel Kahn Gillmor <dkg@debian.org>\n" +#~ " uid Daniel Kahn Gillmor <dkg@aclu.org>\n" +#~ " sub 4096R/0xC61BD3EC21484CFF 2007-06-02 [expires: 2015-02-26]\n" +#~ " sub 2048R/0x125868EA4BFA08E4 2008-06-19 [expires: 2015-02-26]\n" +#~ " sub 4096R/0xA52401B11BFDFA5C 2013-03-12 [expires: 2015-03-12]\n" +#~ " sub 2432R/0xDC104C4E0CA757FB 2013-09-11 [expires: 2014-09-11]\n" + +#~ msgid "" +#~ " pub 4096R/1202821CBE2CD9C1 2010-10-07 [expires: 2015-04-30]\n" +#~ " uid Tails developers (signing key) <tails@boum.org>\n" +#~ " sig!3 1202821CBE2CD9C1 2011-04-16 Tails developers (signing key) <tails@boum.org>\n" +#~ " sig! CCD2ED94D21739E9 2013-05-05 Daniel Kahn Gillmor <dkg@fifthhorseman.net>\n" +#~ msgstr "" +#~ " pub 4096R/1202821CBE2CD9C1 2010-10-07 [expires: 2015-04-30]\n" +#~ " uid Tails developers (signing key) <tails@boum.org>\n" +#~ " sig!3 1202821CBE2CD9C1 2011-04-16 Tails developers (signing key) <tails@boum.org>\n" +#~ " sig! CCD2ED94D21739E9 2013-05-05 Daniel Kahn Gillmor <dkg@fifthhorseman.net>\n" + +#~ msgid "" +#~ "You would then need to visually check that all the checksums of the first " +#~ "column are the same, meaning that the keys are identical." +#~ msgstr "" +#~ "Vous devrez ensuite vérifier visuellement que toutes les sommes de " +#~ "contrôle de la première colonne sont identiques, ce qui voudrait dire que " +#~ "les clés le sont également." diff --git a/wiki/src/doc/get/trusting_tails_signing_key.mdwn b/wiki/src/doc/get/trusting_tails_signing_key.mdwn index d038fe0f5c357edec58ac669a0b7ad7a64de2aaa..30f279766b080ca96aaac56350539a10ceb4b53d 100644 --- a/wiki/src/doc/get/trusting_tails_signing_key.mdwn +++ b/wiki/src/doc/get/trusting_tails_signing_key.mdwn @@ -1,5 +1,7 @@ [[!meta title="Trusting Tails signing key"]] +[[!inline pages="doc/get/signing_key_transition.inline" raw="yes"]] + We will present you three techniques from the easiest to the safest. Again, none of them is a perfect and magic solution. Feel free to explore them according to your possibilities and technical skills. @@ -22,17 +24,21 @@ directory on a USB stick. Then run the following command from a terminal to check whether all the keys are identical: cd [your download directory] - sha256sum tails-signing*.key + diff -qs --from-file tails-signing*.key This command would output something like this: - aa4ac9313d562c901ddeca1b32b4d539d1e3476c575da554a9b6ccaa3d8305eb tails-signing-desktop.key - aa4ac9313d562c901ddeca1b32b4d539d1e3476c575da554a9b6ccaa3d8305eb tails-signing-laptop.key - aa4ac9313d562c901ddeca1b32b4d539d1e3476c575da554a9b6ccaa3d8305eb tails-signing-library.key - aa4ac9313d562c901ddeca1b32b4d539d1e3476c575da554a9b6ccaa3d8305eb tails-signing-seattle.key + Files tails-signing-desktop.key and tails-signing-laptop.key are identical + Files tails-signing-desktop.key and tails-signing-library.key are identical + Files tails-signing-desktop.key and tails-signing-seattle.key are identical + +You would then need to check that every line reports identical key files. + +If at least a key differs from the rest, the command would output accordingly: -You would then need to visually check that all the checksums of the first column -are the same, meaning that the keys are identical. + Files tails-signing-desktop.key and tails-signing-laptop.key are identical + Files tails-signing-desktop.key and tails-signing-library.key are identical + Files tails-signing-desktop.key and tails-signing-seattle.key differ You could also use this technique to compare keys downloaded by your friends or other people you trust. @@ -77,6 +83,8 @@ We also acknowledge that not everybody might be able to create good trust path to Tails signing key since it based on a network of direct human relationships and the knowledge of quite complex tools such as OpenPGP. +<a id="debian"> + # Check Tails signing key against the Debian keyring Following the previous scenario, when Alice met Bob, a Tails developer, she @@ -98,66 +106,70 @@ To download the Debian keyring you can do: To get a list of the signatures made by other people on Tails signing key you can do: - gpg --keyid-format long --list-sigs 1202821CBE2CD9C1 + gpg --keyid-format long --list-sigs A490D0F4D311A4153E2BB7CADBB802B258ACD84F You will get something like this: - pub 4096R/1202821CBE2CD9C1 2010-10-07 [expires: 2015-04-30] - uid Tails developers (signing key) <tails@boum.org> - sig 3 1202821CBE2CD9C1 2011-04-16 Tails developers (signing key) <tails@boum.org> - sig BACE15D2A57498FF 2011-04-16 [User ID not found] - sig CCD2ED94D21739E9 2011-06-12 [User ID not found] - uid T(A)ILS developers (signing key) <amnesia@boum.org> - sig 3 1202821CBE2CD9C1 2010-10-07 Tails developers (signing key) <tails@boum.org> - sig BACE15D2A57498FF 2010-10-07 [User ID not found] - sig 8CBF9A322861A790 2010-12-24 [User ID not found] - sig 7EF27D76B2177E1F 2010-12-27 [User ID not found] - sig CCD2ED94D21739E9 2010-12-29 [User ID not found] - sig AC0EC35285821C42 2011-03-22 [User ID not found] - sig C2DEE7F336042734 2010-10-24 [User ID not found] + pub 4096R/DBB802B258ACD84F 2015-01-18 [expires: 2016-01-11] + Key fingerprint = A490 D0F4 D311 A415 3E2B B7CA DBB8 02B2 58AC D84F + uid [ unknown] Tails developers (offline long-term identity key) <tails@boum.org> + sig 3 DBB802B258ACD84F 2015-01-18 Tails developers (offline long-term identity key) <tails@boum.org> + sig 1202821CBE2CD9C1 2015-01-19 Tails developers (signing key) <tails@boum.org> + sig BACE15D2A57498FF 2015-01-19 [User ID not found] + sig 9C31503C6D866396 2015-02-03 [User ID not found] + sig BB3A68018649AA06 2015-02-04 [User ID not found] + sig 091AB856069AAA1C 2015-02-05 [User ID not found] + sub 4096R/98FEC6BC752A3DB6 2015-01-18 [expires: 2016-01-11] + sig DBB802B258ACD84F 2015-01-18 Tails developers (offline long-term identity key) <tails@boum.org> + sub 4096R/3C83DCB52F699C56 2015-01-18 [expires: 2016-01-11] + sig DBB802B258ACD84F 2015-01-18 Tails developers (offline long-term identity key) <tails@boum.org> The lines ending with '[User ID not found]' are signatures made by keys you still don't have in your keyring. You could try to search for them in the Debian keyring by their key ID: the 16 digit code between the 'sig' tag and the date. You could for example do: - gpg --keyring=/usr/share/keyrings/debian-keyring.gpg --list-key CCD2ED94D21739E9 + gpg --keyring=/usr/share/keyrings/debian-keyring.gpg --list-key 9C31503C6D866396 If this signature corresponds to a key in the Debian keyring you will get something like this: - pub 4096R/CCD2ED94D21739E9 2007-06-02 [expires: 2015-02-26] - uid Daniel Kahn Gillmor <dkg@fifthhorseman.net> - uid Daniel Kahn Gillmor <dkg@openflows.com> - uid [jpeg image of size 3515] - uid Daniel Kahn Gillmor <dkg@debian.org> - uid Daniel Kahn Gillmor <dkg@aclu.org> - sub 4096R/0xC61BD3EC21484CFF 2007-06-02 [expires: 2015-02-26] - sub 2048R/0x125868EA4BFA08E4 2008-06-19 [expires: 2015-02-26] - sub 4096R/0xA52401B11BFDFA5C 2013-03-12 [expires: 2015-03-12] - sub 2432R/0xDC104C4E0CA757FB 2013-09-11 [expires: 2014-09-11] + pub 4096R/0x9C31503C6D866396 2010-09-27 + Key fingerprint = 4900 707D DC5C 07F2 DECB 0283 9C31 503C 6D86 6396 + uid [ unknown] Stefano Zacchiroli <zack@upsilon.cc> + uid [ unknown] Stefano Zacchiroli <zack@debian.org> + uid [ unknown] Stefano Zacchiroli <zack@cs.unibo.it> + uid [ unknown] Stefano Zacchiroli <zack@pps.jussieu.fr> + uid [ unknown] Stefano Zacchiroli <zack@pps.univ-paris-diderot.fr> + sub 4096R/0x7DFA4FED02D0E74C 2010-09-27 You can then import it in your own keyring by doing: - gpg --keyring=/usr/share/keyrings/debian-keyring.gpg --export CCD2ED94D21739E9 | gpg --import + gpg --keyring=/usr/share/keyrings/debian-keyring.gpg --export 9C31503C6D866396 | gpg --import Now you can try to verify the signature made by this new key on Tails signing key by doing: - gpg --keyid-format long --check-sigs 1202821CBE2CD9C1 + gpg --keyid-format long --check-sigs A490D0F4D311A4153E2BB7CADBB802B258ACD84F On the output, the status of the verification is indicated by a flag directly following the "sig" tag. A "!" indicates that the signature has been successfully verified, a "-" denotes a bad signature and a "%" is used if an error occurred while checking the signature (e.g. a non supported algorithm). -For example, in the following output the signature of Daniel Kahn Gillmor on +For example, in the following output the signature of Stefano Zacchiroli on Tails signing key has been successfully verified: - pub 4096R/1202821CBE2CD9C1 2010-10-07 [expires: 2015-04-30] - uid Tails developers (signing key) <tails@boum.org> - sig!3 1202821CBE2CD9C1 2011-04-16 Tails developers (signing key) <tails@boum.org> - sig! CCD2ED94D21739E9 2013-05-05 Daniel Kahn Gillmor <dkg@fifthhorseman.net> - + pub 4096R/DBB802B258ACD84F 2015-01-18 [expires: 2016-01-11] + Key fingerprint = A490 D0F4 D311 A415 3E2B B7CA DBB8 02B2 58AC D84F + uid [ unknown] Tails developers (offline long-term identity key) <tails@boum.org> + sig!3 DBB802B258ACD84F 2015-01-18 Tails developers (offline long-term identity key) <tails@boum.org> + sig! 1202821CBE2CD9C1 2015-01-19 Tails developers (signing key) <tails@boum.org> + sig! 9C31503C6D866396 2015-02-03 Stefano Zacchiroli <zack@upsilon.cc> + sub 4096R/98FEC6BC752A3DB6 2015-01-18 [expires: 2016-01-11] + sig! DBB802B258ACD84F 2015-01-18 Tails developers (offline long-term identity key) <tails@boum.org> + sub 4096R/3C83DCB52F699C56 2015-01-18 [expires: 2016-01-11] + sig! DBB802B258ACD84F 2015-01-18 Tails developers (offline long-term identity key) <tails@boum.org> + 3 signatures not checked due to missing keys # Get into the Web of Trust! diff --git a/wiki/src/doc/get/trusting_tails_signing_key.pt.po b/wiki/src/doc/get/trusting_tails_signing_key.pt.po index 261e07a6c3ff7d9c9c20c3991b44469b837c1b06..0454be7cb9231a2b60f3f2c3eeaad905b6477da4 100644 --- a/wiki/src/doc/get/trusting_tails_signing_key.pt.po +++ b/wiki/src/doc/get/trusting_tails_signing_key.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-08-06 07:18-0300\n" +"POT-Creation-Date: 2015-03-23 02:53+0100\n" "PO-Revision-Date: 2014-08-06 07:16-0300\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -20,6 +20,11 @@ msgstr "" msgid "[[!meta title=\"Trusting Tails signing key\"]]\n" msgstr "[[!meta title=\"Confiando na chave de assinatura do Tails\"]]\n" +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"doc/get/signing_key_transition.inline\" raw=\"yes\"]]\n" +msgstr "" + #. type: Plain text msgid "" "We will present you three techniques from the easiest to the safest. Again, " @@ -70,10 +75,13 @@ msgstr "" "de um terminal para verificar se todas as chaves são idênticas:" #. type: Plain text -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| " cd [your download directory]\n" +#| " sha256sum tails-signing*.key\n" msgid "" " cd [your download directory]\n" -" sha256sum tails-signing*.key\n" +" diff -qs --from-file tails-signing*.key\n" msgstr "" " cd [seu diretório de download]\n" " sha256sum tails-signing*.key\n" @@ -85,23 +93,29 @@ msgstr "Este comando deve retornar algo como o seguinte:" #. type: Plain text #, no-wrap msgid "" -" aa4ac9313d562c901ddeca1b32b4d539d1e3476c575da554a9b6ccaa3d8305eb tails-signing-desktop.key\n" -" aa4ac9313d562c901ddeca1b32b4d539d1e3476c575da554a9b6ccaa3d8305eb tails-signing-laptop.key\n" -" aa4ac9313d562c901ddeca1b32b4d539d1e3476c575da554a9b6ccaa3d8305eb tails-signing-library.key\n" -" aa4ac9313d562c901ddeca1b32b4d539d1e3476c575da554a9b6ccaa3d8305eb tails-signing-seattle.key\n" +" Files tails-signing-desktop.key and tails-signing-laptop.key are identical\n" +" Files tails-signing-desktop.key and tails-signing-library.key are identical\n" +" Files tails-signing-desktop.key and tails-signing-seattle.key are identical\n" +msgstr "" + +#. type: Plain text +msgid "" +"You would then need to check that every line reports identical key files." +msgstr "" + +#. type: Plain text +msgid "" +"If at least a key differs from the rest, the command would output " +"accordingly:" msgstr "" -" aa4ac9313d562c901ddeca1b32b4d539d1e3476c575da554a9b6ccaa3d8305eb tails-signing-desktop.key\n" -" aa4ac9313d562c901ddeca1b32b4d539d1e3476c575da554a9b6ccaa3d8305eb tails-signing-laptop.key\n" -" aa4ac9313d562c901ddeca1b32b4d539d1e3476c575da554a9b6ccaa3d8305eb tails-signing-library.key\n" -" aa4ac9313d562c901ddeca1b32b4d539d1e3476c575da554a9b6ccaa3d8305eb tails-signing-seattle.key\n" #. type: Plain text +#, no-wrap msgid "" -"You would then need to visually check that all the checksums of the first " -"column are the same, meaning that the keys are identical." +" Files tails-signing-desktop.key and tails-signing-laptop.key are identical\n" +" Files tails-signing-desktop.key and tails-signing-library.key are identical\n" +" Files tails-signing-desktop.key and tails-signing-seattle.key differ\n" msgstr "" -"Você tem então que verificar visualmente que todas as somas de verificação " -"da primeira coluna são as mesmas, significando que as chaves são idênticas." #. type: Plain text msgid "" @@ -214,6 +228,11 @@ msgstr "" "rede de relações humanas diretas e conhecimento de ferramentas tão complexas " "quanto OpenPGP." +#. type: Plain text +#, no-wrap +msgid "<a id=\"debian\">\n" +msgstr "" + #. type: Title # #, no-wrap msgid "Check Tails signing key against the Debian keyring" @@ -267,8 +286,9 @@ msgstr "" "assinatura do Tails você pode fazer:" #. type: Plain text -#, no-wrap -msgid " gpg --keyid-format long --list-sigs 1202821CBE2CD9C1\n" +#, fuzzy, no-wrap +#| msgid " gpg --keyid-format long --list-sigs 1202821CBE2CD9C1\n" +msgid " gpg --keyid-format long --list-sigs A490D0F4D311A4153E2BB7CADBB802B258ACD84F\n" msgstr " gpg --keyid-format long --list-sigs 1202821CBE2CD9C1\n" #. type: Plain text @@ -278,33 +298,20 @@ msgstr "Você vai ver algo mais ou menos assim:" #. type: Plain text #, no-wrap msgid "" -" pub 4096R/1202821CBE2CD9C1 2010-10-07 [expires: 2015-04-30]\n" -" uid Tails developers (signing key) <tails@boum.org>\n" -" sig 3 1202821CBE2CD9C1 2011-04-16 Tails developers (signing key) <tails@boum.org>\n" -" sig BACE15D2A57498FF 2011-04-16 [User ID not found]\n" -" sig CCD2ED94D21739E9 2011-06-12 [User ID not found]\n" -" uid T(A)ILS developers (signing key) <amnesia@boum.org>\n" -" sig 3 1202821CBE2CD9C1 2010-10-07 Tails developers (signing key) <tails@boum.org>\n" -" sig BACE15D2A57498FF 2010-10-07 [User ID not found]\n" -" sig 8CBF9A322861A790 2010-12-24 [User ID not found]\n" -" sig 7EF27D76B2177E1F 2010-12-27 [User ID not found]\n" -" sig CCD2ED94D21739E9 2010-12-29 [User ID not found]\n" -" sig AC0EC35285821C42 2011-03-22 [User ID not found]\n" -" sig C2DEE7F336042734 2010-10-24 [User ID not found]\n" -msgstr "" -" pub 4096R/1202821CBE2CD9C1 2010-10-07 [expires: 2015-04-30]\n" -" uid Tails developers (signing key) <tails@boum.org>\n" -" sig 3 1202821CBE2CD9C1 2011-04-16 Tails developers (signing key) <tails@boum.org>\n" -" sig BACE15D2A57498FF 2011-04-16 [User ID not found]\n" -" sig CCD2ED94D21739E9 2011-06-12 [User ID not found]\n" -" uid T(A)ILS developers (signing key) <amnesia@boum.org>\n" -" sig 3 1202821CBE2CD9C1 2010-10-07 Tails developers (signing key) <tails@boum.org>\n" -" sig BACE15D2A57498FF 2010-10-07 [User ID not found]\n" -" sig 8CBF9A322861A790 2010-12-24 [User ID not found]\n" -" sig 7EF27D76B2177E1F 2010-12-27 [User ID not found]\n" -" sig CCD2ED94D21739E9 2010-12-29 [User ID not found]\n" -" sig AC0EC35285821C42 2011-03-22 [User ID not found]\n" -" sig C2DEE7F336042734 2010-10-24 [User ID not found]\n" +" pub 4096R/DBB802B258ACD84F 2015-01-18 [expires: 2016-01-11]\n" +" Key fingerprint = A490 D0F4 D311 A415 3E2B B7CA DBB8 02B2 58AC D84F\n" +" uid [ unknown] Tails developers (offline long-term identity key) <tails@boum.org>\n" +" sig 3 DBB802B258ACD84F 2015-01-18 Tails developers (offline long-term identity key) <tails@boum.org>\n" +" sig 1202821CBE2CD9C1 2015-01-19 Tails developers (signing key) <tails@boum.org>\n" +" sig BACE15D2A57498FF 2015-01-19 [User ID not found]\n" +" sig 9C31503C6D866396 2015-02-03 [User ID not found]\n" +" sig BB3A68018649AA06 2015-02-04 [User ID not found]\n" +" sig 091AB856069AAA1C 2015-02-05 [User ID not found]\n" +" sub 4096R/98FEC6BC752A3DB6 2015-01-18 [expires: 2016-01-11]\n" +" sig DBB802B258ACD84F 2015-01-18 Tails developers (offline long-term identity key) <tails@boum.org>\n" +" sub 4096R/3C83DCB52F699C56 2015-01-18 [expires: 2016-01-11]\n" +" sig DBB802B258ACD84F 2015-01-18 Tails developers (offline long-term identity key) <tails@boum.org>\n" +msgstr "" #. type: Plain text msgid "" @@ -320,8 +327,9 @@ msgstr "" "exemplo fazer:" #. type: Plain text -#, no-wrap -msgid " gpg --keyring=/usr/share/keyrings/debian-keyring.gpg --list-key CCD2ED94D21739E9\n" +#, fuzzy, no-wrap +#| msgid " gpg --keyring=/usr/share/keyrings/debian-keyring.gpg --list-key CCD2ED94D21739E9\n" +msgid " gpg --keyring=/usr/share/keyrings/debian-keyring.gpg --list-key 9C31503C6D866396\n" msgstr " gpg --keyring=/usr/share/keyrings/debian-keyring.gpg --list-key CCD2ED94D21739E9\n" #. type: Plain text @@ -335,35 +343,24 @@ msgstr "" #. type: Plain text #, no-wrap msgid "" -" pub 4096R/CCD2ED94D21739E9 2007-06-02 [expires: 2015-02-26]\n" -" uid Daniel Kahn Gillmor <dkg@fifthhorseman.net>\n" -" uid Daniel Kahn Gillmor <dkg@openflows.com>\n" -" uid [jpeg image of size 3515]\n" -" uid Daniel Kahn Gillmor <dkg@debian.org>\n" -" uid Daniel Kahn Gillmor <dkg@aclu.org>\n" -" sub 4096R/0xC61BD3EC21484CFF 2007-06-02 [expires: 2015-02-26]\n" -" sub 2048R/0x125868EA4BFA08E4 2008-06-19 [expires: 2015-02-26]\n" -" sub 4096R/0xA52401B11BFDFA5C 2013-03-12 [expires: 2015-03-12]\n" -" sub 2432R/0xDC104C4E0CA757FB 2013-09-11 [expires: 2014-09-11]\n" -msgstr "" -" pub 4096R/CCD2ED94D21739E9 2007-06-02 [expires: 2015-02-26]\n" -" uid Daniel Kahn Gillmor <dkg@fifthhorseman.net>\n" -" uid Daniel Kahn Gillmor <dkg@openflows.com>\n" -" uid [jpeg image of size 3515]\n" -" uid Daniel Kahn Gillmor <dkg@debian.org>\n" -" uid Daniel Kahn Gillmor <dkg@aclu.org>\n" -" sub 4096R/0xC61BD3EC21484CFF 2007-06-02 [expires: 2015-02-26]\n" -" sub 2048R/0x125868EA4BFA08E4 2008-06-19 [expires: 2015-02-26]\n" -" sub 4096R/0xA52401B11BFDFA5C 2013-03-12 [expires: 2015-03-12]\n" -" sub 2432R/0xDC104C4E0CA757FB 2013-09-11 [expires: 2014-09-11]\n" +" pub 4096R/0x9C31503C6D866396 2010-09-27\n" +" Key fingerprint = 4900 707D DC5C 07F2 DECB 0283 9C31 503C 6D86 6396\n" +" uid [ unknown] Stefano Zacchiroli <zack@upsilon.cc>\n" +" uid [ unknown] Stefano Zacchiroli <zack@debian.org>\n" +" uid [ unknown] Stefano Zacchiroli <zack@cs.unibo.it>\n" +" uid [ unknown] Stefano Zacchiroli <zack@pps.jussieu.fr>\n" +" uid [ unknown] Stefano Zacchiroli <zack@pps.univ-paris-diderot.fr>\n" +" sub 4096R/0x7DFA4FED02D0E74C 2010-09-27\n" +msgstr "" #. type: Plain text msgid "You can then import it in your own keyring by doing:" msgstr "Você pode então importá-la no seu próprio chaveiro fazendo:" #. type: Plain text -#, no-wrap -msgid " gpg --keyring=/usr/share/keyrings/debian-keyring.gpg --export CCD2ED94D21739E9 | gpg --import\n" +#, fuzzy, no-wrap +#| msgid " gpg --keyring=/usr/share/keyrings/debian-keyring.gpg --export CCD2ED94D21739E9 | gpg --import\n" +msgid " gpg --keyring=/usr/share/keyrings/debian-keyring.gpg --export 9C31503C6D866396 | gpg --import\n" msgstr " gpg --keyring=/usr/share/keyrings/debian-keyring.gpg --export CCD2ED94D21739E9 | gpg --import\n" #. type: Plain text @@ -375,18 +372,28 @@ msgstr "" "chave de assinatura do Tails fazendo:" #. type: Plain text -#, no-wrap -msgid " gpg --keyid-format long --check-sigs 1202821CBE2CD9C1\n" +#, fuzzy, no-wrap +#| msgid " gpg --keyid-format long --check-sigs 1202821CBE2CD9C1\n" +msgid " gpg --keyid-format long --check-sigs A490D0F4D311A4153E2BB7CADBB802B258ACD84F\n" msgstr " gpg --keyid-format long --check-sigs 1202821CBE2CD9C1\n" #. type: Plain text +#, fuzzy +#| msgid "" +#| "On the output, the status of the verification is indicated by a flag " +#| "directly following the \"sig\" tag. A \"!\" indicates that the signature " +#| "has been successfully verified, a \"-\" denotes a bad signature and a \"%" +#| "\" is used if an error occurred while checking the signature (e.g. a non " +#| "supported algorithm). For example, in the following output the signature " +#| "of Daniel Kahn Gillmor on Tails signing key has been successfully " +#| "verified:" msgid "" "On the output, the status of the verification is indicated by a flag " "directly following the \"sig\" tag. A \"!\" indicates that the signature has " "been successfully verified, a \"-\" denotes a bad signature and a \"%\" is " "used if an error occurred while checking the signature (e.g. a non supported " -"algorithm). For example, in the following output the signature of Daniel " -"Kahn Gillmor on Tails signing key has been successfully verified:" +"algorithm). For example, in the following output the signature of Stefano " +"Zacchiroli on Tails signing key has been successfully verified:" msgstr "" "Na saída, o estado da verificação é indicado por sinalizadores posicionados " "diretamente a seguir da etiqueta \"sig\". Uma \"!\" significa que a " @@ -399,15 +406,17 @@ msgstr "" #. type: Plain text #, no-wrap msgid "" -" pub 4096R/1202821CBE2CD9C1 2010-10-07 [expires: 2015-04-30]\n" -" uid Tails developers (signing key) <tails@boum.org>\n" -" sig!3 1202821CBE2CD9C1 2011-04-16 Tails developers (signing key) <tails@boum.org>\n" -" sig! CCD2ED94D21739E9 2013-05-05 Daniel Kahn Gillmor <dkg@fifthhorseman.net>\n" +" pub 4096R/DBB802B258ACD84F 2015-01-18 [expires: 2016-01-11]\n" +" Key fingerprint = A490 D0F4 D311 A415 3E2B B7CA DBB8 02B2 58AC D84F\n" +" uid [ unknown] Tails developers (offline long-term identity key) <tails@boum.org>\n" +" sig!3 DBB802B258ACD84F 2015-01-18 Tails developers (offline long-term identity key) <tails@boum.org>\n" +" sig! 1202821CBE2CD9C1 2015-01-19 Tails developers (signing key) <tails@boum.org>\n" +" sig! 9C31503C6D866396 2015-02-03 Stefano Zacchiroli <zack@upsilon.cc>\n" +" sub 4096R/98FEC6BC752A3DB6 2015-01-18 [expires: 2016-01-11]\n" +" sig! DBB802B258ACD84F 2015-01-18 Tails developers (offline long-term identity key) <tails@boum.org>\n" +" sub 4096R/3C83DCB52F699C56 2015-01-18 [expires: 2016-01-11]\n" +" sig! DBB802B258ACD84F 2015-01-18 Tails developers (offline long-term identity key) <tails@boum.org>\n" msgstr "" -" pub 4096R/1202821CBE2CD9C1 2010-10-07 [expires: 2015-04-30]\n" -" uid Tails developers (signing key) <tails@boum.org>\n" -" sig!3 1202821CBE2CD9C1 2011-04-16 Tails developers (signing key) <tails@boum.org>\n" -" sig! CCD2ED94D21739E9 2013-05-05 Daniel Kahn Gillmor <dkg@fifthhorseman.net>\n" #. type: Plain text #, no-wrap @@ -487,6 +496,96 @@ msgstr "" msgid "<!-- l10n placeholder for language-specific link -->" msgstr "<!-- l10n placeholder for language-specific link -->" +#~ msgid "" +#~ " pub 4096R/1202821CBE2CD9C1 2010-10-07 [expires: 2015-04-30]\n" +#~ " uid Tails developers (signing key) <tails@boum.org>\n" +#~ " sig 3 1202821CBE2CD9C1 2011-04-16 Tails developers (signing key) <tails@boum.org>\n" +#~ " sig BACE15D2A57498FF 2011-04-16 [User ID not found]\n" +#~ " sig CCD2ED94D21739E9 2011-06-12 [User ID not found]\n" +#~ " uid T(A)ILS developers (signing key) <amnesia@boum.org>\n" +#~ " sig 3 1202821CBE2CD9C1 2010-10-07 Tails developers (signing key) <tails@boum.org>\n" +#~ " sig BACE15D2A57498FF 2010-10-07 [User ID not found]\n" +#~ " sig 8CBF9A322861A790 2010-12-24 [User ID not found]\n" +#~ " sig 7EF27D76B2177E1F 2010-12-27 [User ID not found]\n" +#~ " sig CCD2ED94D21739E9 2010-12-29 [User ID not found]\n" +#~ " sig AC0EC35285821C42 2011-03-22 [User ID not found]\n" +#~ " sig C2DEE7F336042734 2010-10-24 [User ID not found]\n" +#~ msgstr "" +#~ " pub 4096R/1202821CBE2CD9C1 2010-10-07 [expires: 2015-04-30]\n" +#~ " uid Tails developers (signing key) <tails@boum.org>\n" +#~ " sig 3 1202821CBE2CD9C1 2011-04-16 Tails developers (signing key) <tails@boum.org>\n" +#~ " sig BACE15D2A57498FF 2011-04-16 [User ID not found]\n" +#~ " sig CCD2ED94D21739E9 2011-06-12 [User ID not found]\n" +#~ " uid T(A)ILS developers (signing key) <amnesia@boum.org>\n" +#~ " sig 3 1202821CBE2CD9C1 2010-10-07 Tails developers (signing key) <tails@boum.org>\n" +#~ " sig BACE15D2A57498FF 2010-10-07 [User ID not found]\n" +#~ " sig 8CBF9A322861A790 2010-12-24 [User ID not found]\n" +#~ " sig 7EF27D76B2177E1F 2010-12-27 [User ID not found]\n" +#~ " sig CCD2ED94D21739E9 2010-12-29 [User ID not found]\n" +#~ " sig AC0EC35285821C42 2011-03-22 [User ID not found]\n" +#~ " sig C2DEE7F336042734 2010-10-24 [User ID not found]\n" + +#~ msgid "" +#~ " pub 4096R/CCD2ED94D21739E9 2007-06-02 [expires: 2015-02-26]\n" +#~ " uid Daniel Kahn Gillmor <dkg@fifthhorseman.net>\n" +#~ " uid Daniel Kahn Gillmor <dkg@openflows.com>\n" +#~ " uid [jpeg image of size 3515]\n" +#~ " uid Daniel Kahn Gillmor <dkg@debian.org>\n" +#~ " uid Daniel Kahn Gillmor <dkg@aclu.org>\n" +#~ " sub 4096R/0xC61BD3EC21484CFF 2007-06-02 [expires: 2015-02-26]\n" +#~ " sub 2048R/0x125868EA4BFA08E4 2008-06-19 [expires: 2015-02-26]\n" +#~ " sub 4096R/0xA52401B11BFDFA5C 2013-03-12 [expires: 2015-03-12]\n" +#~ " sub 2432R/0xDC104C4E0CA757FB 2013-09-11 [expires: 2014-09-11]\n" +#~ msgstr "" +#~ " pub 4096R/CCD2ED94D21739E9 2007-06-02 [expires: 2015-02-26]\n" +#~ " uid Daniel Kahn Gillmor <dkg@fifthhorseman.net>\n" +#~ " uid Daniel Kahn Gillmor <dkg@openflows.com>\n" +#~ " uid [jpeg image of size 3515]\n" +#~ " uid Daniel Kahn Gillmor <dkg@debian.org>\n" +#~ " uid Daniel Kahn Gillmor <dkg@aclu.org>\n" +#~ " sub 4096R/0xC61BD3EC21484CFF 2007-06-02 [expires: 2015-02-26]\n" +#~ " sub 2048R/0x125868EA4BFA08E4 2008-06-19 [expires: 2015-02-26]\n" +#~ " sub 4096R/0xA52401B11BFDFA5C 2013-03-12 [expires: 2015-03-12]\n" +#~ " sub 2432R/0xDC104C4E0CA757FB 2013-09-11 [expires: 2014-09-11]\n" + +#~ msgid "" +#~ " pub 4096R/1202821CBE2CD9C1 2010-10-07 [expires: 2015-04-30]\n" +#~ " uid Tails developers (signing key) <tails@boum.org>\n" +#~ " sig!3 1202821CBE2CD9C1 2011-04-16 Tails developers (signing key) <tails@boum.org>\n" +#~ " sig! CCD2ED94D21739E9 2013-05-05 Daniel Kahn Gillmor <dkg@fifthhorseman.net>\n" +#~ msgstr "" +#~ " pub 4096R/1202821CBE2CD9C1 2010-10-07 [expires: 2015-04-30]\n" +#~ " uid Tails developers (signing key) <tails@boum.org>\n" +#~ " sig!3 1202821CBE2CD9C1 2011-04-16 Tails developers (signing key) <tails@boum.org>\n" +#~ " sig! CCD2ED94D21739E9 2013-05-05 Daniel Kahn Gillmor <dkg@fifthhorseman.net>\n" + +#~ msgid "" +#~ "You would then need to visually check that all the checksums of the first " +#~ "column are the same, meaning that the keys are identical." +#~ msgstr "" +#~ "Você tem então que verificar visualmente que todas as somas de " +#~ "verificação da primeira coluna são as mesmas, significando que as chaves " +#~ "são idênticas." + +#~ msgid "" +#~ " aa4ac9313d562c901ddeca1b32b4d539d1e3476c575da554a9b6ccaa3d8305eb " +#~ "tails-signing-desktop.key\n" +#~ " aa4ac9313d562c901ddeca1b32b4d539d1e3476c575da554a9b6ccaa3d8305eb " +#~ "tails-signing-laptop.key\n" +#~ " aa4ac9313d562c901ddeca1b32b4d539d1e3476c575da554a9b6ccaa3d8305eb " +#~ "tails-signing-library.key\n" +#~ " aa4ac9313d562c901ddeca1b32b4d539d1e3476c575da554a9b6ccaa3d8305eb " +#~ "tails-signing-seattle.key\n" +#~ msgstr "" +#~ " aa4ac9313d562c901ddeca1b32b4d539d1e3476c575da554a9b6ccaa3d8305eb " +#~ "tails-signing-desktop.key\n" +#~ " aa4ac9313d562c901ddeca1b32b4d539d1e3476c575da554a9b6ccaa3d8305eb " +#~ "tails-signing-laptop.key\n" +#~ " aa4ac9313d562c901ddeca1b32b4d539d1e3476c575da554a9b6ccaa3d8305eb " +#~ "tails-signing-library.key\n" +#~ " aa4ac9313d562c901ddeca1b32b4d539d1e3476c575da554a9b6ccaa3d8305eb " +#~ "tails-signing-seattle.key\n" + #~ msgid "" #~ " c10cfc3a95a35baeaa59b2c17d4d244a217ad1fc22ff5b6aaf73cba48772d54a " #~ "tails-signing-desktop.key\n" diff --git a/wiki/src/doc/get/verify_the_iso_image_using_gnome.de.po b/wiki/src/doc/get/verify_the_iso_image_using_gnome.de.po index 1c42f7fa2c6e61d4ad798c6b2aa45f79708ce323..9c94c59eea3f1b526f686186f0d290327ef1ed74 100644 --- a/wiki/src/doc/get/verify_the_iso_image_using_gnome.de.po +++ b/wiki/src/doc/get/verify_the_iso_image_using_gnome.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2015-01-08 22:34+0100\n" +"POT-Creation-Date: 2015-04-24 17:30+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -17,53 +17,71 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" #. type: Content of: outside any tag (error?) -msgid "[[!meta title=\"Verify the ISO image using Linux with Gnome\"]]" +msgid "" +"[[!meta title=\"Verify the ISO image using Linux with Gnome\"]] [[!inline " +"pages=\"doc/get/signing_key_transition.inline\" raw=\"yes\"]]" msgstr "" #. type: Content of: <h3> -msgid "Install <code>seahorse-nautilus</code>" +msgid "" +"Install <code>seahorse-nautilus</code> and <code>shared-mime-info</code>" msgstr "" #. type: Content of: <p> -msgid "You need to have the <code>seahorse-nautilus</code> package installed." +msgid "" +"You need to have recent enough versions of the <code>seahorse-nautilus</" +"code> and <code>shared-mime-info</code> packages installed." +msgstr "" + +#. type: Content of: <p> +msgid "These packages are already installed in Tails." +msgstr "" + +#. type: Content of: <div><p> +msgid "The needed packages are available starting from:" msgstr "" -#. type: Content of: <ul><li> -msgid "<code>seahorse-nautilus</code> is already installed in Tails." +#. type: Content of: <div><p><ul><li> +msgid "Debian version 7 (Wheezy)" msgstr "" -#. type: Content of: <ul><li> +#. type: Content of: <div><p><ul><li> +msgid "Ubuntu version 15.04 (Vivid)" +msgstr "" + +#. type: Content of: outside any tag (error?) msgid "" -"In Debian or Ubuntu, if you are unsure or want to install <code>seahorse-" -"nautilus</code>, you can issue the following commands:" +"In Debian Wheezy, the needed packages are only available as <a href=\"http://" +"backports.debian.org/\">backports</a>. See the <a href=\"http://backports." +"debian.org/Instructions/\">setup instructions</a> on the Debian Backports " +"website to add them to your list of repositories. Then, to install the " +"necessary packages, you can execute the following commands:" msgstr "" -#. type: Content of: <ul><li><pre> +#. type: Content of: <pre> #, no-wrap msgid "" "sudo apt-get update\n" -"sudo apt-get install seahorse-nautilus\n" -msgstr "" - -#. type: Content of: <ul><li><div><p> -msgid "The <code>seahorse-nautilus</code> package is only available in:" +"sudo apt-get install seahorse-nautilus/wheezy-backports shared-mime-info/wheezy-backports\n" msgstr "" -#. type: Content of: <ul><li><div><p><ul><li> +#. type: Content of: outside any tag (error?) msgid "" -"Debian starting from version 7 (Wheezy), as a <a href=\"http://backports." -"debian.org/\">backport</a>. See the installation <a href=\"http://backports." -"debian.org/Instructions/\">instructions</a> on the Debian Backports website." +"In Debian 8 (Jessie), Ubuntu 15.04 (Vivid), or later, to install the " +"necessary packages, you can execute the following commands:" msgstr "" -#. type: Content of: <ul><li><div><p><ul><li> -msgid "Ubuntu starting from version 14.04 (Trusty)." +#. type: Content of: <pre> +#, no-wrap +msgid "" +"sudo apt update\n" +"sudo apt install seahorse-nautilus\n" msgstr "" -#. type: Content of: <ul><li><div><p> +#. type: Content of: <div><p> msgid "" -"If you are unable to install it, try [[verifying the ISO using the command " -"line|verify_the_iso_image_using_the_command_line]]." +"If you are unable to install the necessary packages, try [[verifying the ISO " +"using the command line|verify_the_iso_image_using_the_command_line]]." msgstr "" #. type: Content of: <h3> @@ -100,7 +118,8 @@ msgstr "" #. type: Content of: <p> msgid "" "[[!img key_imported.png alt=\"Key Imported. Imported a key for Tails " -"developers (signing key) <tails@boum.org>\" link=\"no\"]]" +"developers (offline long-term identity key) <tails@boum.org>\" link=" +"\"no\"]]" msgstr "" #. type: Content of: <div><p> diff --git a/wiki/src/doc/get/verify_the_iso_image_using_gnome.fr.po b/wiki/src/doc/get/verify_the_iso_image_using_gnome.fr.po index a133167f0fe5d22dd32f8e5c1bffa859c7543883..c06528d496fefb7dc45aaa383e71a24371ac7bd8 100644 --- a/wiki/src/doc/get/verify_the_iso_image_using_gnome.fr.po +++ b/wiki/src/doc/get/verify_the_iso_image_using_gnome.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2015-01-08 22:34+0100\n" +"POT-Creation-Date: 2015-04-24 17:30+0300\n" "PO-Revision-Date: 2014-10-09 17:25-0000\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -17,78 +17,120 @@ msgstr "" "X-Generator: Poedit 1.5.4\n" #. type: Content of: outside any tag (error?) -msgid "[[!meta title=\"Verify the ISO image using Linux with Gnome\"]]" +#, fuzzy +#| msgid "[[!meta title=\"Verify the ISO image using Linux with Gnome\"]]" +msgid "" +"[[!meta title=\"Verify the ISO image using Linux with Gnome\"]] [[!inline " +"pages=\"doc/get/signing_key_transition.inline\" raw=\"yes\"]]" msgstr "[[!meta title=\"Vérifier l'image ISO sous Linux avec Gnome\"]]" #. type: Content of: <h3> #, fuzzy -#| msgid "The <code>seahorse-nautilus</code> package is only available in:" -msgid "Install <code>seahorse-nautilus</code>" -msgstr "" -"Le paquet <code>seahorse-nautilus</code> est seulement disponible dans :" +#| msgid "Install <code>seahorse-nautilus</code>" +msgid "" +"Install <code>seahorse-nautilus</code> and <code>shared-mime-info</code>" +msgstr "Installez <code>seahorse-nautilus</code>" #. type: Content of: <p> #, fuzzy -#| msgid "The <code>seahorse-nautilus</code> package is only available in:" -msgid "You need to have the <code>seahorse-nautilus</code> package installed." -msgstr "" -"Le paquet <code>seahorse-nautilus</code> est seulement disponible dans :" +#| msgid "" +#| "You need to have the <code>seahorse-nautilus</code> package installed." +msgid "" +"You need to have recent enough versions of the <code>seahorse-nautilus</" +"code> and <code>shared-mime-info</code> packages installed." +msgstr "Vous devez avoir installé le paquet <code>seahorse-nautilus</code>." -#. type: Content of: <ul><li> +#. type: Content of: <p> #, fuzzy -#| msgid "The <code>seahorse-nautilus</code> package is only available in:" -msgid "<code>seahorse-nautilus</code> is already installed in Tails." +#| msgid "<code>seahorse-nautilus</code> is already installed in Tails." +msgid "These packages are already installed in Tails." +msgstr "Le paquet <code>seahorse-nautilus</code> est déjà installé dans Tails." + +#. type: Content of: <div><p> +msgid "The needed packages are available starting from:" +msgstr "" + +#. type: Content of: <div><p><ul><li> +msgid "Debian version 7 (Wheezy)" msgstr "" -"Le paquet <code>seahorse-nautilus</code> est seulement disponible dans :" -#. type: Content of: <ul><li> +#. type: Content of: <div><p><ul><li> +#, fuzzy +#| msgid "Ubuntu starting from version 14.04 (Trusty)." +msgid "Ubuntu version 15.04 (Vivid)" +msgstr "Ubuntu à partir de la version 14.01 (Trusty)." + +#. type: Content of: outside any tag (error?) +#, fuzzy +#| msgid "" +#| "Debian starting from version 7 (Wheezy), as a <a href=\"http://backports." +#| "debian.org/\">backport</a>. See the installation <a href=\"http://" +#| "backports.debian.org/Instructions/\">instructions</a> on the Debian " +#| "Backports website." msgid "" -"In Debian or Ubuntu, if you are unsure or want to install <code>seahorse-" -"nautilus</code>, you can issue the following commands:" +"In Debian Wheezy, the needed packages are only available as <a href=\"http://" +"backports.debian.org/\">backports</a>. See the <a href=\"http://backports." +"debian.org/Instructions/\">setup instructions</a> on the Debian Backports " +"website to add them to your list of repositories. Then, to install the " +"necessary packages, you can execute the following commands:" msgstr "" +"Debian à partir de la version 7 (Wheezy), sous la forme d'un <a href=" +"\"http://backports.debian.org/\">rétroportage</a>. Veuillez consulter les <a " +"href=\"http://backports.debian.org/Instructions/\">instructions " +"d'installation</a> (en anglais) sur le site de Debian Backports." -#. type: Content of: <ul><li><pre> -#, no-wrap +#. type: Content of: <pre> +#, fuzzy, no-wrap +#| msgid "" +#| "sudo apt-get update\n" +#| "sudo apt-get install seahorse-nautilus\n" msgid "" "sudo apt-get update\n" -"sudo apt-get install seahorse-nautilus\n" +"sudo apt-get install seahorse-nautilus/wheezy-backports shared-mime-info/wheezy-backports\n" msgstr "" "sudo apt-get update\n" "sudo apt-get install seahorse-nautilus\n" -#. type: Content of: <ul><li><div><p> -msgid "The <code>seahorse-nautilus</code> package is only available in:" +#. type: Content of: outside any tag (error?) +#, fuzzy +#| msgid "" +#| "In Debian or Ubuntu, if you are unsure or want to install <code>seahorse-" +#| "nautilus</code>, you can issue the following commands:" +msgid "" +"In Debian 8 (Jessie), Ubuntu 15.04 (Vivid), or later, to install the " +"necessary packages, you can execute the following commands:" msgstr "" -"Le paquet <code>seahorse-nautilus</code> est seulement disponible dans :" - -#. type: Content of: <ul><li><div><p><ul><li> +"Avec Debian ou Ubuntu, si vous n'êtes pas sûr ou si vous voulez installer " +"<code>seahorse-nautilus</code>, vous pouvez utiliser les lignes de commande " +"suivantes :" + +#. type: Content of: <pre> +#, fuzzy, no-wrap +#| msgid "" +#| "sudo apt-get update\n" +#| "sudo apt-get install seahorse-nautilus\n" msgid "" -"Debian starting from version 7 (Wheezy), as a <a href=\"http://backports." -"debian.org/\">backport</a>. See the installation <a href=\"http://backports." -"debian.org/Instructions/\">instructions</a> on the Debian Backports website." +"sudo apt update\n" +"sudo apt install seahorse-nautilus\n" msgstr "" -"Debian à partir de la version 7 (Wheezy), sous la forme d'un <a href=" -"\"http://backports.debian.org/\">rétroportage</a>. Veuillez consulter les <a " -"href=\"http://backports.debian.org/Instructions/\">instructions " -"d'installation</a> (en anglais) sur le site de Debian Backports." - -#. type: Content of: <ul><li><div><p><ul><li> -msgid "Ubuntu starting from version 14.04 (Trusty)." -msgstr "Ubuntu à partir de la version 14.01 (Trusty)." +"sudo apt-get update\n" +"sudo apt-get install seahorse-nautilus\n" -#. type: Content of: <ul><li><div><p> +#. type: Content of: <div><p> +#, fuzzy +#| msgid "" +#| "If you are unable to install it, try [[verifying the ISO using the " +#| "command line|verify_the_iso_image_using_the_command_line]]." msgid "" -"If you are unable to install it, try [[verifying the ISO using the command " -"line|verify_the_iso_image_using_the_command_line]]." +"If you are unable to install the necessary packages, try [[verifying the ISO " +"using the command line|verify_the_iso_image_using_the_command_line]]." msgstr "" "Si vous ne pouvez pas l'installer, essayez de [[vérifier l'image ISO avec la " "ligne de commande|verify_the_iso_image_using_the_command_line]." #. type: Content of: <h3> -#, fuzzy -#| msgid "First, download Tails signing key:" msgid "Get the Tails signing key" -msgstr "Tout d'abord, téléchargez la clé de signature de Tails:" +msgstr "Téléchargez la clé de signature de Tails" #. type: Content of: <p> msgid "" @@ -124,9 +166,14 @@ msgid "You will get notified will the following message:" msgstr "Vous serez notifié avec le message suivant :" #. type: Content of: <p> +#, fuzzy +#| msgid "" +#| "[[!img key_imported.png alt=\"Key Imported. Imported a key for Tails " +#| "developers (signing key) <tails@boum.org>\" link=\"no\"]]" msgid "" "[[!img key_imported.png alt=\"Key Imported. Imported a key for Tails " -"developers (signing key) <tails@boum.org>\" link=\"no\"]]" +"developers (offline long-term identity key) <tails@boum.org>\" link=" +"\"no\"]]" msgstr "" "[[!img key_imported.png alt=\"Key Imported. Imported a key for Tails " "developers (signing key) <tails@boum.org>\" link=\"no\"]]" @@ -141,7 +188,7 @@ msgstr "Voir [[!tails_ticket 7249]]." #. type: Content of: <h3> msgid "Verify the ISO image" -msgstr "" +msgstr "Vérifier l'image ISO" #. type: Content of: <p> msgid "" @@ -209,6 +256,10 @@ msgstr "" "[[!img bad_signature.png alt=\"Bad Signature: Bad or forged signature.\" " "link=\"no\"]]" +#~ msgid "The <code>seahorse-nautilus</code> package is only available in:" +#~ msgstr "" +#~ "Le paquet <code>seahorse-nautilus</code> est seulement disponible dans :" + #~ msgid "" #~ "You need to have the <code>seahorse-nautilus</code> package installed. It " #~ "is already the case in Tails. In Debian or Ubuntu, if you are unsure or " diff --git a/wiki/src/doc/get/verify_the_iso_image_using_gnome.html b/wiki/src/doc/get/verify_the_iso_image_using_gnome.html index 85f065b7fc17e3d59f3c1b4c82161a0d6eb1ed27..e151130267230f254d1e8b8b0305dfb979e27484 100644 --- a/wiki/src/doc/get/verify_the_iso_image_using_gnome.html +++ b/wiki/src/doc/get/verify_the_iso_image_using_gnome.html @@ -1,40 +1,54 @@ [[!meta title="Verify the ISO image using Linux with Gnome"]] -<h3>Install <code>seahorse-nautilus</code></h3> +[[!inline pages="doc/get/signing_key_transition.inline" raw="yes"]] -<p>You need to have the <code>seahorse-nautilus</code> package -installed.</p> +<h3>Install <code>seahorse-nautilus</code> and <code>shared-mime-info</code></h3> -<ul> -<li><code>seahorse-nautilus</code> is already installed in Tails.</li> -<li>In Debian or Ubuntu, if you are unsure or want to install <code>seahorse-nautilus</code>, you can issue the following commands: +<p>You need to have recent enough versions of the <code>seahorse-nautilus</code> +and <code>shared-mime-info</code> packages installed.</p> -<pre> -sudo apt-get update -sudo apt-get install seahorse-nautilus -</pre> +<p>These packages are already installed in Tails.</p> <div class="note"> -<p>The <code>seahorse-nautilus</code> package is only available in: - +<p>The needed packages are available starting from: <ul> - <li>Debian starting from version 7 (Wheezy), as a - <a href="http://backports.debian.org/">backport</a>. See the - installation <a href="http://backports.debian.org/Instructions/">instructions</a> - on the Debian Backports website.</li> - <li>Ubuntu starting from version 14.04 (Trusty).</li> + <li>Debian version 7 (Wheezy)</li> + <li>Ubuntu version 15.04 (Vivid)</li> </ul> - </p> -<p>If you are unable to install it, try -[[verifying the ISO using the command line|verify_the_iso_image_using_the_command_line]].</p> +</div> + +In Debian Wheezy, the needed packages are +only available as +<a href="http://backports.debian.org/">backports</a>. See the +<a href="http://backports.debian.org/Instructions/">setup instructions</a> +on the Debian Backports website to add them to your list of repositories. Then, to +install the necessary packages, you can execute the following +commands: + +<pre> +sudo apt-get update +sudo apt-get install seahorse-nautilus/wheezy-backports shared-mime-info/wheezy-backports +</pre> + +In Debian 8 (Jessie), Ubuntu 15.04 (Vivid), or later, to +install the necessary packages, you can execute the following +commands: + +<pre> +sudo apt update +sudo apt install seahorse-nautilus +</pre> + +<div class="note"> + +<p>If you are unable to install the necessary packages, try [[verifying the ISO using the +command line|verify_the_iso_image_using_the_command_line]].</p> </div> -</li> -</ul> <h3>Get the Tails signing key</h3> @@ -43,17 +57,17 @@ key. Otherwise, first download Tails signing key:</p> [[!inline pages="lib/download_tails_signing_key" raw="yes"]] -<p>Your browser should propose you to open it with "Import Key". Choose -this action. It will add Tails signing key to your keyring, the -collection of OpenPGP keys you already imported:</p> +<p>Your browser should propose you to open it with "Import +Key". Choose this action. It will add Tails signing key to your +keyring, the collection of OpenPGP keys you already imported:</p> -<p>[[!img import_key.png alt="What should the web browser do with this file? Open -with: Import Key (default)" link="no"]]</p> +<p>[[!img import_key.png alt="What should the web browser do with this +file? Open with: Import Key (default)" link="no"]]</p> <p>You will get notified will the following message:</p> <p>[[!img key_imported.png alt="Key Imported. Imported a key for Tails -developers (signing key) <tails@boum.org>" link="no"]]</p> +developers (offline long-term identity key) <tails@boum.org>" link="no"]]</p> <div class="bug"> @@ -72,8 +86,9 @@ image you want to verify:</p> <p>Your browser should propose you to open it with "Verify Signature". Choose this action to start the cryptographic verification:</p> -<p>[[!img verify_signature.png alt="What should the web browser do with this file? -Open with: Verify Signature (default)" link="no"]]</p> +<p>[[!img verify_signature.png alt="What should the web browser do +with this file? Open with: Verify Signature (default)" +link="no"]]</p> <p>Browse your files to select the Tails ISO image you want to verify. Then, the verification will start. It can take several minutes:</p> diff --git a/wiki/src/doc/get/verify_the_iso_image_using_gnome.pt.po b/wiki/src/doc/get/verify_the_iso_image_using_gnome.pt.po index 0c4d74c53ed16ef89ad3153c2b66bbe503c07b78..ea09be50900a2f867a44a5d495644c846c62ad50 100644 --- a/wiki/src/doc/get/verify_the_iso_image_using_gnome.pt.po +++ b/wiki/src/doc/get/verify_the_iso_image_using_gnome.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2015-01-08 22:34+0100\n" +"POT-Creation-Date: 2015-04-24 17:30+0300\n" "PO-Revision-Date: 2014-07-31 15:49-0300\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -16,64 +16,104 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" #. type: Content of: outside any tag (error?) -msgid "[[!meta title=\"Verify the ISO image using Linux with Gnome\"]]" +#, fuzzy +#| msgid "[[!meta title=\"Verify the ISO image using Linux with Gnome\"]]" +msgid "" +"[[!meta title=\"Verify the ISO image using Linux with Gnome\"]] [[!inline " +"pages=\"doc/get/signing_key_transition.inline\" raw=\"yes\"]]" msgstr "[[!meta title=\"Verifique a imagem ISO usando Linux com Gnome\"]]" #. type: Content of: <h3> #, fuzzy #| msgid "The <code>seahorse-nautilus</code> package is only available in:" -msgid "Install <code>seahorse-nautilus</code>" +msgid "" +"Install <code>seahorse-nautilus</code> and <code>shared-mime-info</code>" msgstr "O pacote <code>seahorse-nautilus</code> somente está disponível:" #. type: Content of: <p> #, fuzzy #| msgid "The <code>seahorse-nautilus</code> package is only available in:" -msgid "You need to have the <code>seahorse-nautilus</code> package installed." +msgid "" +"You need to have recent enough versions of the <code>seahorse-nautilus</" +"code> and <code>shared-mime-info</code> packages installed." msgstr "O pacote <code>seahorse-nautilus</code> somente está disponível:" -#. type: Content of: <ul><li> +#. type: Content of: <p> #, fuzzy #| msgid "The <code>seahorse-nautilus</code> package is only available in:" -msgid "<code>seahorse-nautilus</code> is already installed in Tails." +msgid "These packages are already installed in Tails." msgstr "O pacote <code>seahorse-nautilus</code> somente está disponível:" -#. type: Content of: <ul><li> +#. type: Content of: <div><p> +msgid "The needed packages are available starting from:" +msgstr "" + +#. type: Content of: <div><p><ul><li> +msgid "Debian version 7 (Wheezy)" +msgstr "" + +#. type: Content of: <div><p><ul><li> +#, fuzzy +#| msgid "Ubuntu starting from version 14.04 (Trusty)." +msgid "Ubuntu version 15.04 (Vivid)" +msgstr "no Ubuntu a partir da versão 14.04 (Trusty)." + +#. type: Content of: outside any tag (error?) +#, fuzzy +#| msgid "" +#| "Debian starting from version 7 (Wheezy), as a <a href=\"http://backports." +#| "debian.org/\">backport</a>. See the installation <a href=\"http://" +#| "backports.debian.org/Instructions/\">instructions</a> on the Debian " +#| "Backports website." msgid "" -"In Debian or Ubuntu, if you are unsure or want to install <code>seahorse-" -"nautilus</code>, you can issue the following commands:" +"In Debian Wheezy, the needed packages are only available as <a href=\"http://" +"backports.debian.org/\">backports</a>. See the <a href=\"http://backports." +"debian.org/Instructions/\">setup instructions</a> on the Debian Backports " +"website to add them to your list of repositories. Then, to install the " +"necessary packages, you can execute the following commands:" msgstr "" +"no Debian a partir da versão 7 (Wheezy), como um <a href=\"http://backports." +"debian.org/\">backport</a>. Veja as <a href=\"http://backports.debian.org/" +"Instructions/\">instruções</a> de instalação no sítio do Debian Backports." -#. type: Content of: <ul><li><pre> -#, no-wrap +#. type: Content of: <pre> +#, fuzzy, no-wrap +#| msgid "" +#| "sudo apt-get update\n" +#| "sudo apt-get install seahorse-nautilus\n" msgid "" "sudo apt-get update\n" -"sudo apt-get install seahorse-nautilus\n" +"sudo apt-get install seahorse-nautilus/wheezy-backports shared-mime-info/wheezy-backports\n" msgstr "" "sudo apt-get update\n" "sudo apt-get install seahorse-nautilus\n" -#. type: Content of: <ul><li><div><p> -msgid "The <code>seahorse-nautilus</code> package is only available in:" -msgstr "O pacote <code>seahorse-nautilus</code> somente está disponível:" - -#. type: Content of: <ul><li><div><p><ul><li> +#. type: Content of: outside any tag (error?) msgid "" -"Debian starting from version 7 (Wheezy), as a <a href=\"http://backports." -"debian.org/\">backport</a>. See the installation <a href=\"http://backports." -"debian.org/Instructions/\">instructions</a> on the Debian Backports website." +"In Debian 8 (Jessie), Ubuntu 15.04 (Vivid), or later, to install the " +"necessary packages, you can execute the following commands:" msgstr "" -"no Debian a partir da versão 7 (Wheezy), como um <a href=\"http://backports." -"debian.org/\">backport</a>. Veja as <a href=\"http://backports.debian.org/" -"Instructions/\">instruções</a> de instalação no sítio do Debian Backports." -#. type: Content of: <ul><li><div><p><ul><li> -msgid "Ubuntu starting from version 14.04 (Trusty)." -msgstr "no Ubuntu a partir da versão 14.04 (Trusty)." +#. type: Content of: <pre> +#, fuzzy, no-wrap +#| msgid "" +#| "sudo apt-get update\n" +#| "sudo apt-get install seahorse-nautilus\n" +msgid "" +"sudo apt update\n" +"sudo apt install seahorse-nautilus\n" +msgstr "" +"sudo apt-get update\n" +"sudo apt-get install seahorse-nautilus\n" -#. type: Content of: <ul><li><div><p> +#. type: Content of: <div><p> +#, fuzzy +#| msgid "" +#| "If you are unable to install it, try [[verifying the ISO using the " +#| "command line|verify_the_iso_image_using_the_command_line]]." msgid "" -"If you are unable to install it, try [[verifying the ISO using the command " -"line|verify_the_iso_image_using_the_command_line]]." +"If you are unable to install the necessary packages, try [[verifying the ISO " +"using the command line|verify_the_iso_image_using_the_command_line]]." msgstr "" "Se você não conseguir instalá-lo, tente [[verificar a imagem ISO usando a " "linha de comando|verify_the_iso_image_using_the_command_line]]." @@ -123,9 +163,14 @@ msgid "You will get notified will the following message:" msgstr "Você será notificado com a seguinte mensagem:" #. type: Content of: <p> +#, fuzzy +#| msgid "" +#| "[[!img key_imported.png alt=\"Key Imported. Imported a key for Tails " +#| "developers (signing key) <tails@boum.org>\" link=\"no\"]]" msgid "" "[[!img key_imported.png alt=\"Key Imported. Imported a key for Tails " -"developers (signing key) <tails@boum.org>\" link=\"no\"]]" +"developers (offline long-term identity key) <tails@boum.org>\" link=" +"\"no\"]]" msgstr "" "[[!img key_imported.png alt=\"Chave importada. Foi importada uma chave para " "Tails developers (signing key) <tails@boum.org>\" link=\"no\"]]" @@ -215,6 +260,9 @@ msgstr "" "[[!img bad_signature.png alt=\"Assinatura Ruim: Assinatura ruim ou forjada\" " "link=\"no\"]]" +#~ msgid "The <code>seahorse-nautilus</code> package is only available in:" +#~ msgstr "O pacote <code>seahorse-nautilus</code> somente está disponível:" + #~ msgid "" #~ "You need to have the <code>seahorse-nautilus</code> package installed. It " #~ "is already the case in Tails. In Debian or Ubuntu, if you are unsure or " diff --git a/wiki/src/doc/get/verify_the_iso_image_using_other_operating_systems.de.po b/wiki/src/doc/get/verify_the_iso_image_using_other_operating_systems.de.po index 373db58865db9118c6a1e346de686551cf4baada..4edf3cf5a5f5e37d56ae9fc9fa215d92a0496bb2 100644 --- a/wiki/src/doc/get/verify_the_iso_image_using_other_operating_systems.de.po +++ b/wiki/src/doc/get/verify_the_iso_image_using_other_operating_systems.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-07-25 21:32+0300\n" +"POT-Creation-Date: 2015-03-23 02:53+0100\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -19,7 +19,7 @@ msgstr "" #. type: Content of: outside any tag (error?) msgid "" "[[!meta title=\"Verify the ISO image using other operating systems\"]] [[!" -"toc]]" +"inline pages=\"doc/get/signing_key_transition.inline\" raw=\"yes\"]] [[!toc]]" msgstr "" #. type: Content of: <p> @@ -89,7 +89,7 @@ msgstr "" #, no-wrap msgid "" "Not enough information to check the signature validity.\n" -"Signed on ... by tails@boum.org (Key ID: 0xBE2CD9C1\n" +"Signed on ... by tails@boum.org (Key ID: 0x58ACD84F\n" "The validity of the signature cannot be verified.\n" msgstr "" diff --git a/wiki/src/doc/get/verify_the_iso_image_using_other_operating_systems.fr.po b/wiki/src/doc/get/verify_the_iso_image_using_other_operating_systems.fr.po index 9e3a6b66631498c2d320e6506191e57bb8d03b05..147c7d2a39928e59726834bc4bca2990c0dab5cf 100644 --- a/wiki/src/doc/get/verify_the_iso_image_using_other_operating_systems.fr.po +++ b/wiki/src/doc/get/verify_the_iso_image_using_other_operating_systems.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-07-25 21:32+0300\n" +"POT-Creation-Date: 2015-03-23 02:53+0100\n" "PO-Revision-Date: 2014-03-17 12:12+0100\n" "Last-Translator: amnesia <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -17,9 +17,13 @@ msgstr "" "X-Generator: Poedit 1.5.4\n" #. type: Content of: outside any tag (error?) +#, fuzzy +#| msgid "" +#| "[[!meta title=\"Verify the ISO image using other operating systems\"]] [[!" +#| "toc]]" msgid "" "[[!meta title=\"Verify the ISO image using other operating systems\"]] [[!" -"toc]]" +"inline pages=\"doc/get/signing_key_transition.inline\" raw=\"yes\"]] [[!toc]]" msgstr "" "[[!meta title=\"Verifier l'image ISO en utilisant d'autres sytèmes " "d'exploitation\"]] [[!toc]]" @@ -103,7 +107,7 @@ msgstr "" #, no-wrap msgid "" "Not enough information to check the signature validity.\n" -"Signed on ... by tails@boum.org (Key ID: 0xBE2CD9C1\n" +"Signed on ... by tails@boum.org (Key ID: 0x58ACD84F\n" "The validity of the signature cannot be verified.\n" msgstr "" diff --git a/wiki/src/doc/get/verify_the_iso_image_using_other_operating_systems.html b/wiki/src/doc/get/verify_the_iso_image_using_other_operating_systems.html index 24cc1db98ee36746b90e7d65bd844060aae27aca..f727c7cbd2746e8221dfba45892f8aead4665d19 100644 --- a/wiki/src/doc/get/verify_the_iso_image_using_other_operating_systems.html +++ b/wiki/src/doc/get/verify_the_iso_image_using_other_operating_systems.html @@ -1,5 +1,7 @@ [[!meta title="Verify the ISO image using other operating systems"]] +[[!inline pages="doc/get/signing_key_transition.inline" raw="yes"]] + [[!toc]] <p>GnuPG, a common free software implementation of OpenPGP has versions @@ -38,7 +40,7 @@ signature|http://www.gpg4win.org/doc/en/gpg4win-compendium_24.html#id4]]</p> <pre> Not enough information to check the signature validity. -Signed on ... by tails@boum.org (Key ID: 0xBE2CD9C1 +Signed on ... by tails@boum.org (Key ID: 0x58ACD84F The validity of the signature cannot be verified. </pre> diff --git a/wiki/src/doc/get/verify_the_iso_image_using_other_operating_systems.pt.po b/wiki/src/doc/get/verify_the_iso_image_using_other_operating_systems.pt.po index 317f40e51dfafef520c867012855dab809e70ac5..2d52d86a95b91be5f117e0656f849b306bf0e4a5 100644 --- a/wiki/src/doc/get/verify_the_iso_image_using_other_operating_systems.pt.po +++ b/wiki/src/doc/get/verify_the_iso_image_using_other_operating_systems.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-07-25 21:32+0300\n" +"POT-Creation-Date: 2015-03-23 02:53+0100\n" "PO-Revision-Date: 2014-07-31 15:52-0300\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -16,12 +16,26 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" #. type: Content of: outside any tag (error?) -msgid "[[!meta title=\"Verify the ISO image using other operating systems\"]] [[!toc]]" -msgstr "[[!meta title=\"Verifique a imagem ISO usando outros sistemas operacionais\"]] [[!toc]]" +#, fuzzy +#| msgid "" +#| "[[!meta title=\"Verify the ISO image using other operating systems\"]] [[!" +#| "toc]]" +msgid "" +"[[!meta title=\"Verify the ISO image using other operating systems\"]] [[!" +"inline pages=\"doc/get/signing_key_transition.inline\" raw=\"yes\"]] [[!toc]]" +msgstr "" +"[[!meta title=\"Verifique a imagem ISO usando outros sistemas operacionais" +"\"]] [[!toc]]" #. type: Content of: <p> -msgid "GnuPG, a common free software implementation of OpenPGP has versions and graphical frontends for both Windows and Mac OS X. This also make it possible to check the cryptographic signature with those operating systems:" -msgstr "GnuPG, uma implementação em software livre do OpenPGP, possui versões e interfaces gráficas para Windows e Mac OS X. Isto torna possível verificar a assinatura criptográfica também nestes sistemas operacionais:" +msgid "" +"GnuPG, a common free software implementation of OpenPGP has versions and " +"graphical frontends for both Windows and Mac OS X. This also make it " +"possible to check the cryptographic signature with those operating systems:" +msgstr "" +"GnuPG, uma implementação em software livre do OpenPGP, possui versões e " +"interfaces gráficas para Windows e Mac OS X. Isto torna possível verificar a " +"assinatura criptográfica também nestes sistemas operacionais:" #. type: Content of: <ul><li> msgid "[[Gpg4win|http://www.gpg4win.org/]], for Windows" @@ -32,8 +46,12 @@ msgid "[[GPGTools|http://www.gpgtools.org/]], for Mac OS X" msgstr "[[GPGTools|http://www.gpgtools.org/]], para Mac OS X" #. type: Content of: <p> -msgid "You will find on either of those websites detailed documentation on how to install and use them." -msgstr "Você vai encontrar nestes dois websites documentação sobre como instalá-los e utilizá-los." +msgid "" +"You will find on either of those websites detailed documentation on how to " +"install and use them." +msgstr "" +"Você vai encontrar nestes dois websites documentação sobre como instalá-los " +"e utilizá-los." #. type: Content of: <h3> msgid "For Windows using Gpg4win" @@ -48,20 +66,32 @@ msgid "[[!inline pages=\"lib/download_tails_signing_key\" raw=\"yes\"]]" msgstr "[[!inline pages=\"lib/download_tails_signing_key\" raw=\"yes\"]]" #. type: Content of: <p> -msgid "[[Consult the Gpg4win documentation to import it|http://www.gpg4win.org/doc/en/gpg4win-compendium_15.html]]" -msgstr "[[Consulte a documentação do Gpg4win para saber como importar a chave|http://www.gpg4win.org/doc/en/gpg4win-compendium_15.html]]" +msgid "" +"[[Consult the Gpg4win documentation to import it|http://www.gpg4win.org/doc/" +"en/gpg4win-compendium_15.html]]" +msgstr "" +"[[Consulte a documentação do Gpg4win para saber como importar a chave|http://" +"www.gpg4win.org/doc/en/gpg4win-compendium_15.html]]" #. type: Content of: <p> -msgid "Then, download the cryptographic signature corresponding to the ISO image you want to verify:" -msgstr "A seguir, baixe a assinatura criptográfica correspondente à imagem ISO que você quer verificar." +msgid "" +"Then, download the cryptographic signature corresponding to the ISO image " +"you want to verify:" +msgstr "" +"A seguir, baixe a assinatura criptográfica correspondente à imagem ISO que " +"você quer verificar." #. type: Content of: outside any tag (error?) msgid "[[!inline pages=\"lib/download_stable_i386_iso_sig\" raw=\"yes\"]]" msgstr "[[!inline pages=\"lib/download_stable_i386_iso_sig\" raw=\"yes\"]]" #. type: Content of: <p> -msgid "[[Consult the Gpg4win documentation to check the signature|http://www.gpg4win.org/doc/en/gpg4win-compendium_24.html#id4]]" -msgstr "[[Consulte a documentação do Gpg4win para saber como verificar a assinatura|http://www.gpg4win.org/doc/en/gpg4win-compendium_24.html#id4]]" +msgid "" +"[[Consult the Gpg4win documentation to check the signature|http://www." +"gpg4win.org/doc/en/gpg4win-compendium_24.html#id4]]" +msgstr "" +"[[Consulte a documentação do Gpg4win para saber como verificar a assinatura|" +"http://www.gpg4win.org/doc/en/gpg4win-compendium_24.html#id4]]" #. type: Content of: <p> msgid "If you see the following warning:" @@ -72,10 +102,14 @@ msgid "<a id=\"warning\"></a>" msgstr "<a id=\"warning\"></a>" #. type: Content of: <pre> -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| "Not enough information to check the signature validity.\n" +#| "Signed on ... by tails@boum.org (Key ID: 0xBE2CD9C1\n" +#| "The validity of the signature cannot be verified.\n" msgid "" "Not enough information to check the signature validity.\n" -"Signed on ... by tails@boum.org (Key ID: 0xBE2CD9C1\n" +"Signed on ... by tails@boum.org (Key ID: 0x58ACD84F\n" "The validity of the signature cannot be verified.\n" msgstr "" "Não há informações suficientes para verificar a validade da assinatura.\n" @@ -83,16 +117,38 @@ msgstr "" "A validade da assinatura não pôde ser verificada.\n" #. type: Content of: <p> -msgid "Then the ISO image is still correct, and valid according to the Tails signing key that you downloaded. This warning is related to the trust that you put in the Tails signing key. See, [[Trusting Tails signing key|doc/get/trusting_tails_signing_key]]. To remove this warning you would have to personally <span class=\"definition\">[[!wikipedia Keysigning desc=\"sign\"]]</span> the Tails signing key with your own key." -msgstr "Então a imagem ISO está correta, e válida de acordo com a chave de assinatura do Tails que você baixou. O aviso está relacionado à confiança que você põe na chave de assinatura do Tails. Veja [[Confiando na chave de assinatura do Tails|doc/get/trusting_tails_signing_key]]. Para remover este aviso você teria que <span class=\"definition\">[[!wikipedia Keysigning desc=\"assinar\"]]</span> pessoalmente a chave de assinatura do Tails com a sua própria chave." +msgid "" +"Then the ISO image is still correct, and valid according to the Tails " +"signing key that you downloaded. This warning is related to the trust that " +"you put in the Tails signing key. See, [[Trusting Tails signing key|doc/get/" +"trusting_tails_signing_key]]. To remove this warning you would have to " +"personally <span class=\"definition\">[[!wikipedia Keysigning desc=\"sign\"]]" +"</span> the Tails signing key with your own key." +msgstr "" +"Então a imagem ISO está correta, e válida de acordo com a chave de " +"assinatura do Tails que você baixou. O aviso está relacionado à confiança " +"que você põe na chave de assinatura do Tails. Veja [[Confiando na chave de " +"assinatura do Tails|doc/get/trusting_tails_signing_key]]. Para remover este " +"aviso você teria que <span class=\"definition\">[[!wikipedia Keysigning desc=" +"\"assinar\"]]</span> pessoalmente a chave de assinatura do Tails com a sua " +"própria chave." #. type: Content of: <h3> msgid "For Mac OS X using GPGTools" msgstr "Para Mac OS X usando GPGTools" #. type: Content of: <p> -msgid "After installing GPGTools, you should be able to follow the instruction for [[Linux with the command line|verify_the_iso_image_using_the_command_line]]. To open the command line, navigate to your Applications folder, open Utilities, and double click on Terminal." -msgstr "Após realizar a instalação do GPGTools, você deve conseguir sgeuir as instrições para [[Linux com a linha de comando|verify_the_iso_image_using_the_command_line]]. Para abrir a linha de comando, navegue até a sua pasta de Aplicações, abra Utilitários e faça um clique duplo em Terminal." +msgid "" +"After installing GPGTools, you should be able to follow the instruction for " +"[[Linux with the command line|verify_the_iso_image_using_the_command_line]]. " +"To open the command line, navigate to your Applications folder, open " +"Utilities, and double click on Terminal." +msgstr "" +"Após realizar a instalação do GPGTools, você deve conseguir sgeuir as " +"instrições para [[Linux com a linha de comando|" +"verify_the_iso_image_using_the_command_line]]. Para abrir a linha de " +"comando, navegue até a sua pasta de Aplicações, abra Utilitários e faça um " +"clique duplo em Terminal." #~ msgid "Using the cryptographic signature" #~ msgstr "Usando a assinatura criptográfica" diff --git a/wiki/src/doc/get/verify_the_iso_image_using_the_command_line.de.po b/wiki/src/doc/get/verify_the_iso_image_using_the_command_line.de.po index 780717d654ac42afab03b9bc6588327607e540ee..c3b4c141148e7406036d4ea90e0944bd2d123eef 100644 --- a/wiki/src/doc/get/verify_the_iso_image_using_the_command_line.de.po +++ b/wiki/src/doc/get/verify_the_iso_image_using_the_command_line.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2015-01-08 22:34+0100\n" +"POT-Creation-Date: 2015-03-23 02:53+0100\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -17,7 +17,9 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" #. type: Content of: outside any tag (error?) -msgid "[[!meta title=\"Verify the ISO image using the command line\"]]" +msgid "" +"[[!meta title=\"Verify the ISO image using the command line\"]] [[!inline " +"pages=\"doc/get/signing_key_transition.inline\" raw=\"yes\"]]" msgstr "" #. type: Content of: <p> @@ -59,7 +61,7 @@ msgstr "" #. type: Content of: <pre> #, no-wrap msgid "" -"gpg: key 1202821CBE2CD9C1: public key \"Tails developers (signing key) <tails@boum.org>\" imported\n" +"gpg: key DBB802B258ACD84F: public key \"Tails developers (offline long-term identity key) <tails@boum.org>\" imported\n" "gpg: Total number processed: 1\n" "gpg: imported: 1 (RSA: 1)\n" msgstr "" @@ -73,7 +75,7 @@ msgstr "" #. type: Content of: <pre> #, no-wrap msgid "" -"gpg: key 1202821CBE2CD9C1: \"Tails developers (signing key) <tails@boum.org>\" not changed\n" +"gpg: key DBB802B258ACD84F: \"Tails developers (offline long-term identity key) <tails@boum.org>\" not changed\n" "gpg: Total number processed: 1\n" "gpg: unchanged: 1\n" msgstr "" @@ -135,9 +137,25 @@ msgstr "" #. type: Content of: <pre> #, no-wrap msgid "" -"gpg: Signature made Sat 30 Apr 2011 10:53:23 AM CEST\n" -"gpg: using RSA key 1202821CBE2CD9C1\n" -"gpg: Good signature from \"Tails developers (signing key) <tails@boum.org>\"\n" +"pg: Signature made Sun 08 Feb 2015 08:17:03 PM UTC\n" +"gpg: using RSA key 3C83DCB52F699C56\n" +"gpg: Good signature from \"Tails developers (offline long-term identity key) <tails@boum.org>\" [unknown]\n" +"Primary key fingerprint: A490 D0F4 D311 A415 3E2B B7CA DBB8 02B2 58AC D84F\n" +" Subkey fingerprint: BA2C 222F 44AC 00ED 9899 3893 98FE C6BC 752A 3DB6\n" +msgstr "" + +#. type: Content of: <p> +msgid "or:" +msgstr "" + +#. type: Content of: <pre> +#, no-wrap +msgid "" +"pg: Signature made Sun 08 Feb 2015 08:17:03 PM UTC\n" +"gpg: using RSA key 98FEC6BC752A3DB6\n" +"gpg: Good signature from \"Tails developers (offline long-term identity key) <tails@boum.org>\" [unknown]\n" +"Primary key fingerprint: A490 D0F4 D311 A415 3E2B B7CA DBB8 02B2 58AC D84F\n" +" Subkey fingerprint: A509 1F72 C746 BA6B 163D 1C18 3C83 DCB5 2F69 9C56\n" msgstr "" #. type: Content of: <p> @@ -149,7 +167,7 @@ msgstr "" msgid "" "gpg: WARNING: This key is not certified with a trusted signature!\n" "gpg: There is no indication that the signature belongs to the owner.\n" -"Primary key fingerprint: 0D24 B36A A9A2 A651 7878 7645 1202 821C BE2C D9C1\n" +"Primary key fingerprint: A490 D0F4 D311 A415 3E2B B7CA DBB8 02B2 58AC D84F\n" msgstr "" #. type: Content of: <p> @@ -171,7 +189,7 @@ msgstr "" #. type: Content of: <pre> #, no-wrap msgid "" -"gpg: Signature made Sat 30 Apr 2011 10:53:23 AM CEST\n" -"gpg: using RSA key 1202821CBE2CD9C1\n" -"gpg: BAD signature from \"Tails developers (signing key) <tails@boum.org>\"\n" +"gpg: Signature made Sat 30 Apr 2015 10:53:23 AM CEST\n" +"gpg: using RSA key DBB802B258ACD84F\n" +"gpg: BAD signature from \"Tails developers (offline long-term identity key) <tails@boum.org>\"\n" msgstr "" diff --git a/wiki/src/doc/get/verify_the_iso_image_using_the_command_line.fr.po b/wiki/src/doc/get/verify_the_iso_image_using_the_command_line.fr.po index 14947b930e7dd59badfb161f486a36187ef04900..50dfc866a6a11d9a7e0a4a028fe70600b53a861b 100644 --- a/wiki/src/doc/get/verify_the_iso_image_using_the_command_line.fr.po +++ b/wiki/src/doc/get/verify_the_iso_image_using_the_command_line.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2015-01-08 22:34+0100\n" +"POT-Creation-Date: 2015-03-23 02:53+0100\n" "PO-Revision-Date: 2014-05-01 14:16+0200\n" "Last-Translator: \n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -17,7 +17,11 @@ msgstr "" "X-Generator: Poedit 1.5.4\n" #. type: Content of: outside any tag (error?) -msgid "[[!meta title=\"Verify the ISO image using the command line\"]]" +#, fuzzy +#| msgid "[[!meta title=\"Verify the ISO image using the command line\"]]" +msgid "" +"[[!meta title=\"Verify the ISO image using the command line\"]] [[!inline " +"pages=\"doc/get/signing_key_transition.inline\" raw=\"yes\"]]" msgstr "" "[[!meta title=\"Vérifier l'image ISO en utilisant des lignes de commande\"]]" @@ -67,7 +71,7 @@ msgstr "La sortie devrait vous indiquer que la clef a été importée:" #. type: Content of: <pre> #, no-wrap msgid "" -"gpg: key 1202821CBE2CD9C1: public key \"Tails developers (signing key) <tails@boum.org>\" imported\n" +"gpg: key DBB802B258ACD84F: public key \"Tails developers (offline long-term identity key) <tails@boum.org>\" imported\n" "gpg: Total number processed: 1\n" "gpg: imported: 1 (RSA: 1)\n" msgstr "" @@ -83,7 +87,7 @@ msgstr "" #. type: Content of: <pre> #, no-wrap msgid "" -"gpg: key 1202821CBE2CD9C1: \"Tails developers (signing key) <tails@boum.org>\" not changed\n" +"gpg: key DBB802B258ACD84F: \"Tails developers (offline long-term identity key) <tails@boum.org>\" not changed\n" "gpg: Total number processed: 1\n" "gpg: unchanged: 1\n" msgstr "" @@ -159,9 +163,25 @@ msgstr "" #. type: Content of: <pre> #, no-wrap msgid "" -"gpg: Signature made Sat 30 Apr 2011 10:53:23 AM CEST\n" -"gpg: using RSA key 1202821CBE2CD9C1\n" -"gpg: Good signature from \"Tails developers (signing key) <tails@boum.org>\"\n" +"pg: Signature made Sun 08 Feb 2015 08:17:03 PM UTC\n" +"gpg: using RSA key 3C83DCB52F699C56\n" +"gpg: Good signature from \"Tails developers (offline long-term identity key) <tails@boum.org>\" [unknown]\n" +"Primary key fingerprint: A490 D0F4 D311 A415 3E2B B7CA DBB8 02B2 58AC D84F\n" +" Subkey fingerprint: BA2C 222F 44AC 00ED 9899 3893 98FE C6BC 752A 3DB6\n" +msgstr "" + +#. type: Content of: <p> +msgid "or:" +msgstr "" + +#. type: Content of: <pre> +#, no-wrap +msgid "" +"pg: Signature made Sun 08 Feb 2015 08:17:03 PM UTC\n" +"gpg: using RSA key 98FEC6BC752A3DB6\n" +"gpg: Good signature from \"Tails developers (offline long-term identity key) <tails@boum.org>\" [unknown]\n" +"Primary key fingerprint: A490 D0F4 D311 A415 3E2B B7CA DBB8 02B2 58AC D84F\n" +" Subkey fingerprint: A509 1F72 C746 BA6B 163D 1C18 3C83 DCB5 2F69 9C56\n" msgstr "" #. type: Content of: <p> @@ -173,7 +193,7 @@ msgstr "Si vous voyez l'avertissement suivant" msgid "" "gpg: WARNING: This key is not certified with a trusted signature!\n" "gpg: There is no indication that the signature belongs to the owner.\n" -"Primary key fingerprint: 0D24 B36A A9A2 A651 7878 7645 1202 821C BE2C D9C1\n" +"Primary key fingerprint: A490 D0F4 D311 A415 3E2B B7CA DBB8 02B2 58AC D84F\n" msgstr "" #. type: Content of: <p> @@ -204,9 +224,9 @@ msgstr "" #. type: Content of: <pre> #, no-wrap msgid "" -"gpg: Signature made Sat 30 Apr 2011 10:53:23 AM CEST\n" -"gpg: using RSA key 1202821CBE2CD9C1\n" -"gpg: BAD signature from \"Tails developers (signing key) <tails@boum.org>\"\n" +"gpg: Signature made Sat 30 Apr 2015 10:53:23 AM CEST\n" +"gpg: using RSA key DBB802B258ACD84F\n" +"gpg: BAD signature from \"Tails developers (offline long-term identity key) <tails@boum.org>\"\n" msgstr "" #~ msgid "This might be followed by a warning saying:" diff --git a/wiki/src/doc/get/verify_the_iso_image_using_the_command_line.html b/wiki/src/doc/get/verify_the_iso_image_using_the_command_line.html index 47ac1399df09fd943b59176a8ab1fff0055d51e1..348ad03e9c2bb5757e3ca074fe13e23389f76139 100644 --- a/wiki/src/doc/get/verify_the_iso_image_using_the_command_line.html +++ b/wiki/src/doc/get/verify_the_iso_image_using_the_command_line.html @@ -1,5 +1,7 @@ [[!meta title="Verify the ISO image using the command line"]] +[[!inline pages="doc/get/signing_key_transition.inline" raw="yes"]] + <p>You need to have GnuPG installed. GnuPG is the common OpenPGP implementation for Linux: it is installed by default under Debian, Ubuntu, Tails and many other distributions.</p> @@ -21,7 +23,7 @@ gpg --keyid-format long --import tails-signing.key <p>The output should tell you that the key was imported:</p> <pre> -gpg: key 1202821CBE2CD9C1: public key "Tails developers (signing key) <tails@boum.org>" imported +gpg: key DBB802B258ACD84F: public key "Tails developers (offline long-term identity key) <tails@boum.org>" imported gpg: Total number processed: 1 gpg: imported: 1 (RSA: 1) </pre> @@ -31,7 +33,7 @@ past</strong>, the output should tell you that the key was not changed:</p> <pre> -gpg: key 1202821CBE2CD9C1: "Tails developers (signing key) <tails@boum.org>" not changed +gpg: key DBB802B258ACD84F: "Tails developers (offline long-term identity key) <tails@boum.org>" not changed gpg: Total number processed: 1 gpg: unchanged: 1 </pre> @@ -68,9 +70,21 @@ cd [the ISO image directory]<br /> that the signature is good:</p> <pre> -gpg: Signature made Sat 30 Apr 2011 10:53:23 AM CEST -gpg: using RSA key 1202821CBE2CD9C1 -gpg: Good signature from "Tails developers (signing key) <tails@boum.org>" +pg: Signature made Sun 08 Feb 2015 08:17:03 PM UTC +gpg: using RSA key 3C83DCB52F699C56 +gpg: Good signature from "Tails developers (offline long-term identity key) <tails@boum.org>" [unknown] +Primary key fingerprint: A490 D0F4 D311 A415 3E2B B7CA DBB8 02B2 58AC D84F + Subkey fingerprint: BA2C 222F 44AC 00ED 9899 3893 98FE C6BC 752A 3DB6 +</pre> + +<p>or:</p> + +<pre> +pg: Signature made Sun 08 Feb 2015 08:17:03 PM UTC +gpg: using RSA key 98FEC6BC752A3DB6 +gpg: Good signature from "Tails developers (offline long-term identity key) <tails@boum.org>" [unknown] +Primary key fingerprint: A490 D0F4 D311 A415 3E2B B7CA DBB8 02B2 58AC D84F + Subkey fingerprint: A509 1F72 C746 BA6B 163D 1C18 3C83 DCB5 2F69 9C56 </pre> <p>If you see the following warning:</p> @@ -78,7 +92,7 @@ gpg: Good signature from "Tails developers (signing key) <tails@boum.org>" <pre> gpg: WARNING: This key is not certified with a trusted signature! gpg: There is no indication that the signature belongs to the owner. -Primary key fingerprint: 0D24 B36A A9A2 A651 7878 7645 1202 821C BE2C D9C1 +Primary key fingerprint: A490 D0F4 D311 A415 3E2B B7CA DBB8 02B2 58AC D84F </pre> <p>Then the ISO image is still correct, and valid according to the Tails signing @@ -92,7 +106,7 @@ desc="sign"]]</span> the Tails signing key with your own key.</p> you that the signature is bad:</p> <pre> -gpg: Signature made Sat 30 Apr 2011 10:53:23 AM CEST -gpg: using RSA key 1202821CBE2CD9C1 -gpg: BAD signature from "Tails developers (signing key) <tails@boum.org>" +gpg: Signature made Sat 30 Apr 2015 10:53:23 AM CEST +gpg: using RSA key DBB802B258ACD84F +gpg: BAD signature from "Tails developers (offline long-term identity key) <tails@boum.org>" </pre> diff --git a/wiki/src/doc/get/verify_the_iso_image_using_the_command_line.pt.po b/wiki/src/doc/get/verify_the_iso_image_using_the_command_line.pt.po index 0160486cda27ed2799f686c194420bb06ee4885c..fd6e9607e1080308a77d2b73411cc593e84f337d 100644 --- a/wiki/src/doc/get/verify_the_iso_image_using_the_command_line.pt.po +++ b/wiki/src/doc/get/verify_the_iso_image_using_the_command_line.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2015-01-08 22:34+0100\n" +"POT-Creation-Date: 2015-03-23 02:53+0100\n" "PO-Revision-Date: 2014-06-17 11:43-0300\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -16,7 +16,11 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" #. type: Content of: outside any tag (error?) -msgid "[[!meta title=\"Verify the ISO image using the command line\"]]" +#, fuzzy +#| msgid "[[!meta title=\"Verify the ISO image using the command line\"]]" +msgid "" +"[[!meta title=\"Verify the ISO image using the command line\"]] [[!inline " +"pages=\"doc/get/signing_key_transition.inline\" raw=\"yes\"]]" msgstr "[[!meta title=\"Verifique a imagem ISO usando a linha de comando\"]]" #. type: Content of: <p> @@ -63,9 +67,13 @@ msgid "The output should tell you that the key was imported:" msgstr "A saída do comando deve te dizer que a chave foi importada:" #. type: Content of: <pre> -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| "gpg: key 1202821CBE2CD9C1: public key \"Tails developers (signing key) <tails@boum.org>\" imported\n" +#| "gpg: Total number processed: 1\n" +#| "gpg: imported: 1 (RSA: 1)\n" msgid "" -"gpg: key 1202821CBE2CD9C1: public key \"Tails developers (signing key) <tails@boum.org>\" imported\n" +"gpg: key DBB802B258ACD84F: public key \"Tails developers (offline long-term identity key) <tails@boum.org>\" imported\n" "gpg: Total number processed: 1\n" "gpg: imported: 1 (RSA: 1)\n" msgstr "" @@ -82,9 +90,13 @@ msgstr "" "saída do comando deve te dizer que a chave não foi modificada:" #. type: Content of: <pre> -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| "gpg: key 1202821CBE2CD9C1: \"Tails developers (signing key) <tails@boum.org>\" not changed\n" +#| "gpg: Total number processed: 1\n" +#| "gpg: unchanged: 1\n" msgid "" -"gpg: key 1202821CBE2CD9C1: \"Tails developers (signing key) <tails@boum.org>\" not changed\n" +"gpg: key DBB802B258ACD84F: \"Tails developers (offline long-term identity key) <tails@boum.org>\" not changed\n" "gpg: Total number processed: 1\n" "gpg: unchanged: 1\n" msgstr "" @@ -160,24 +172,41 @@ msgstr "" #. type: Content of: <pre> #, no-wrap msgid "" -"gpg: Signature made Sat 30 Apr 2011 10:53:23 AM CEST\n" -"gpg: using RSA key 1202821CBE2CD9C1\n" -"gpg: Good signature from \"Tails developers (signing key) <tails@boum.org>\"\n" +"pg: Signature made Sun 08 Feb 2015 08:17:03 PM UTC\n" +"gpg: using RSA key 3C83DCB52F699C56\n" +"gpg: Good signature from \"Tails developers (offline long-term identity key) <tails@boum.org>\" [unknown]\n" +"Primary key fingerprint: A490 D0F4 D311 A415 3E2B B7CA DBB8 02B2 58AC D84F\n" +" Subkey fingerprint: BA2C 222F 44AC 00ED 9899 3893 98FE C6BC 752A 3DB6\n" +msgstr "" + +#. type: Content of: <p> +msgid "or:" +msgstr "" + +#. type: Content of: <pre> +#, no-wrap +msgid "" +"pg: Signature made Sun 08 Feb 2015 08:17:03 PM UTC\n" +"gpg: using RSA key 98FEC6BC752A3DB6\n" +"gpg: Good signature from \"Tails developers (offline long-term identity key) <tails@boum.org>\" [unknown]\n" +"Primary key fingerprint: A490 D0F4 D311 A415 3E2B B7CA DBB8 02B2 58AC D84F\n" +" Subkey fingerprint: A509 1F72 C746 BA6B 163D 1C18 3C83 DCB5 2F69 9C56\n" msgstr "" -"gpg: Signature made Sat 30 Apr 2011 10:53:23 AM CEST\n" -"gpg: using RSA key 1202821CBE2CD9C1\n" -"gpg: Good signature from \"Tails developers (signing key) <tails@boum.org>\"\n" #. type: Content of: <p> msgid "If you see the following warning:" msgstr "Se você vê o seguinte aviso:" #. type: Content of: <pre> -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| "gpg: WARNING: This key is not certified with a trusted signature!\n" +#| "gpg: There is no indication that the signature belongs to the owner.\n" +#| "Primary key fingerprint: 0D24 B36A A9A2 A651 7878 7645 1202 821C BE2C D9C1\n" msgid "" "gpg: WARNING: This key is not certified with a trusted signature!\n" "gpg: There is no indication that the signature belongs to the owner.\n" -"Primary key fingerprint: 0D24 B36A A9A2 A651 7878 7645 1202 821C BE2C D9C1\n" +"Primary key fingerprint: A490 D0F4 D311 A415 3E2B B7CA DBB8 02B2 58AC D84F\n" msgstr "" "gpg: WARNING: This key is not certified with a trusted signature!\n" "gpg: There is no indication that the signature belongs to the owner.\n" @@ -209,15 +238,28 @@ msgstr "" "que a assinatura é ruim:" #. type: Content of: <pre> -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| "gpg: Signature made Sat 30 Apr 2011 10:53:23 AM CEST\n" +#| "gpg: using RSA key 1202821CBE2CD9C1\n" +#| "gpg: BAD signature from \"Tails developers (signing key) <tails@boum.org>\"\n" msgid "" -"gpg: Signature made Sat 30 Apr 2011 10:53:23 AM CEST\n" -"gpg: using RSA key 1202821CBE2CD9C1\n" -"gpg: BAD signature from \"Tails developers (signing key) <tails@boum.org>\"\n" +"gpg: Signature made Sat 30 Apr 2015 10:53:23 AM CEST\n" +"gpg: using RSA key DBB802B258ACD84F\n" +"gpg: BAD signature from \"Tails developers (offline long-term identity key) <tails@boum.org>\"\n" msgstr "" "gpg: Signature made Sat 30 Apr 2011 10:53:23 AM CEST\n" "gpg: using RSA key 1202821CBE2CD9C1\n" "gpg: BAD signature from \"Tails developers (signing key) <tails@boum.org>\"\n" +#~ msgid "" +#~ "gpg: Signature made Sat 30 Apr 2011 10:53:23 AM CEST\n" +#~ "gpg: using RSA key 1202821CBE2CD9C1\n" +#~ "gpg: Good signature from \"Tails developers (signing key) <tails@boum.org>\"\n" +#~ msgstr "" +#~ "gpg: Signature made Sat 30 Apr 2011 10:53:23 AM CEST\n" +#~ "gpg: using RSA key 1202821CBE2CD9C1\n" +#~ "gpg: Good signature from \"Tails developers (signing key) <tails@boum.org>\"\n" + #~ msgid "This might be followed by a warning saying:" #~ msgstr "Isto pode ser seguido de uma advertência que diz:" diff --git a/wiki/src/doc/introduction.de.po b/wiki/src/doc/introduction.de.po index aa13f7217ba7927a6fa4eaeeabed748891ae0705..b2bc37dce30033487756fee562f0b5484a8e45d9 100644 --- a/wiki/src/doc/introduction.de.po +++ b/wiki/src/doc/introduction.de.po @@ -3,23 +3,23 @@ # This file is distributed under the same license as the PACKAGE package. # FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. # -#, fuzzy msgid "" msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" +"Project-Id-Version: Tails\n" "POT-Creation-Date: 2014-04-26 10:50+0200\n" -"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" -"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" -"Language-Team: LANGUAGE <LL@li.org>\n" -"Language: \n" +"PO-Revision-Date: 2015-04-30 20:08+0100\n" +"Last-Translator: Tails translators <tails@boum.org>\n" +"Language-Team: Tails Translation <tails-l10n@boum.org>\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"X-Generator: Poedit 1.6.10\n" +"Language: de\n" #. type: Plain text #, no-wrap msgid "[[!meta title=\"Introduction\"]]\n" -msgstr "" +msgstr "[[!meta title=\"Einführung\"]]\n" #. type: Plain text msgid "" @@ -28,6 +28,11 @@ msgid "" "achieve concrete tasks, but also provides more general information to help " "you understand the type of security provided by Tails and its limitations." msgstr "" +"Das Ziel dieser Dokumentation ist zu erklären, wie man Tails benutzt und dem " +"Nutzer die wesentlichen Sicherheitsfeatures darzustellen. Sie ist so " +"strukturiert, Ihnen dabei zu helfen, bestimmte Aufgaben zu erledigen, bietet " +"aber auch allgemeinere Informationen, um Ihnen dabei zu helfen, die Art der " +"von Tails gebotenen Sicherheit und ihre Grenzen zu verstehen." #. type: Plain text msgid "" @@ -36,6 +41,10 @@ msgid "" "more about how to use each specific application, we try to provide " "references to external documentation." msgstr "" +"Da Tails [[viele andere Programme|doc/about/features]] beinhaltet, besteht " +"der Fokus dieser Dokumentation auf den Punkten, die spezifisch für Tails " +"sind. Um mehr darüber zu lernen, wie man jedes einzelne Programm benutzt, " +"versuchen wir Referenzen zu externen Dokumentationen bereitzustellen." #. type: Plain text msgid "" @@ -43,15 +52,25 @@ msgid "" "guide. Because it does not explain how to build a complete security " "strategy, that would depend on your specific use case and threat model." msgstr "" +"Jedoch ist diese Dokumentation nicht als kompletter Computer-" +"Sicherheitsleitfaden gedacht, da sie nicht beschreibt, wie man ein gesamtes " +"Sicherheitskonzept aufbaut, das von Ihrem spezifischen Einsatzgebiet und " +"Bedrohungsmodell abhängen würde." #. type: Plain text msgid "" "If you are facing concrete problems with Tails that are not documented here, " "refer to our [[Support]] section to get more help." msgstr "" +"Falls Sie mit konkreten Problemen in Tails konfrontiert werden, die hier " +"nicht dokumentiert werden, verweisen wir auf unseren [[Supportbereich|" +"support]], um mehr Hilfe zu erhalten." #. type: Plain text msgid "" "If you want to learn about the internals of Tails, and understand our design " "choices, refer to our [[design documentation|contribute/design]]." msgstr "" +"Wenn Sie mehr über die Interna von Tails lernen und unsere " +"Designentscheidungen verstehen möchten, verweisen wir auf unsere " +"[[Designdokumentation|contribute/design]]." diff --git a/wiki/src/doc/sensitive_documents/graphics.de.po b/wiki/src/doc/sensitive_documents/graphics.de.po index 80ce8c8ee5316f9c41f6d4a58c8d928071f9a5c7..ca79feb79b2dc92ff8c5b5f6fad12a011b1f80b9 100644 --- a/wiki/src/doc/sensitive_documents/graphics.de.po +++ b/wiki/src/doc/sensitive_documents/graphics.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-10-11 11:55+0300\n" +"POT-Creation-Date: 2015-03-17 11:53+0100\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -85,3 +85,8 @@ msgstr "" #, no-wrap msgid "[[!inline pages=\"doc/sensitive_documents/persistence\" raw=\"yes\"]]\n" msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"doc/sensitive_documents/metadata\" raw=\"yes\"]]\n" +msgstr "" diff --git a/wiki/src/doc/sensitive_documents/graphics.fr.po b/wiki/src/doc/sensitive_documents/graphics.fr.po index d75d010b553237a544d460348ea9d8d51771888c..97b11b8eb5fc3b9418b79f362290c51c9a12bdf0 100644 --- a/wiki/src/doc/sensitive_documents/graphics.fr.po +++ b/wiki/src/doc/sensitive_documents/graphics.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-10-11 11:55+0300\n" +"POT-Creation-Date: 2015-03-17 11:53+0100\n" "PO-Revision-Date: 2014-10-08 14:34-0000\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -73,11 +73,6 @@ msgstr "" " langues.\n" #. type: Bullet: ' - ' -#, fuzzy -#| msgid "" -#| "**<span class=\"application\">[Scribus](http://www.scribus.net)</span>** " -#| "is a page layout application. You can use it to design design to " -#| "newspapers, magazines, newsletters and posters to technical documentation." msgid "" "**<span class=\"application\">[Scribus](http://www.scribus.net)</span>** is " "a page layout application. You can use it to design newspapers, magazines, " @@ -117,6 +112,12 @@ msgstr "" msgid "[[!inline pages=\"doc/sensitive_documents/persistence\" raw=\"yes\"]]\n" msgstr "[[!inline pages=\"doc/sensitive_documents/persistence.fr\" raw=\"yes\"]]\n" +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "[[!inline pages=\"doc/sensitive_documents/persistence\" raw=\"yes\"]]\n" +msgid "[[!inline pages=\"doc/sensitive_documents/metadata\" raw=\"yes\"]]\n" +msgstr "[[!inline pages=\"doc/sensitive_documents/persistence.fr\" raw=\"yes\"]]\n" + #~ msgid "" #~ "Tails includes [The GIMP](http://gimp.org) for The GNU Image Manipulation " #~ "Program for bitmap graphics. GIMP lets you draw, paint, edit images, and " diff --git a/wiki/src/doc/sensitive_documents/graphics.mdwn b/wiki/src/doc/sensitive_documents/graphics.mdwn index 76ed21abf5737ec6213d510103f1d863991ca503..0285efb0e120c0f39ab47447fe13429695c7ea6d 100644 --- a/wiki/src/doc/sensitive_documents/graphics.mdwn +++ b/wiki/src/doc/sensitive_documents/graphics.mdwn @@ -32,3 +32,4 @@ These applications can be started from the <span class="guisubmenu">Graphics</span></span> menu. [[!inline pages="doc/sensitive_documents/persistence" raw="yes"]] +[[!inline pages="doc/sensitive_documents/metadata" raw="yes"]] diff --git a/wiki/src/doc/sensitive_documents/graphics.pt.po b/wiki/src/doc/sensitive_documents/graphics.pt.po index 80ce8c8ee5316f9c41f6d4a58c8d928071f9a5c7..ca79feb79b2dc92ff8c5b5f6fad12a011b1f80b9 100644 --- a/wiki/src/doc/sensitive_documents/graphics.pt.po +++ b/wiki/src/doc/sensitive_documents/graphics.pt.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-10-11 11:55+0300\n" +"POT-Creation-Date: 2015-03-17 11:53+0100\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -85,3 +85,8 @@ msgstr "" #, no-wrap msgid "[[!inline pages=\"doc/sensitive_documents/persistence\" raw=\"yes\"]]\n" msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"doc/sensitive_documents/metadata\" raw=\"yes\"]]\n" +msgstr "" diff --git a/wiki/src/doc/sensitive_documents/metadata.de.po b/wiki/src/doc/sensitive_documents/metadata.de.po new file mode 100644 index 0000000000000000000000000000000000000000..c05436a851aee36ab9c292d7577b16e8e36ab453 --- /dev/null +++ b/wiki/src/doc/sensitive_documents/metadata.de.po @@ -0,0 +1,53 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-17 11:53+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"caution\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>Most files contain metadata which is information characterising the\n" +"content of the file. For example:</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<ul>\n" +"<li>Cameras record data about when and where a picture was taken and what\n" +"camera was used.</li>\n" +"<li>Office documents automatically add author\n" +"and company information to texts and spreadsheets.</li>\n" +"</ul>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>You can use the <span\n" +"class=\"application\"><a href=\"https://mat.boum.org\">MAT</a></span> to\n" +"clean the metadata from your files before publishing them.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" diff --git a/wiki/src/doc/sensitive_documents/metadata.fr.po b/wiki/src/doc/sensitive_documents/metadata.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..c05436a851aee36ab9c292d7577b16e8e36ab453 --- /dev/null +++ b/wiki/src/doc/sensitive_documents/metadata.fr.po @@ -0,0 +1,53 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-17 11:53+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"caution\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>Most files contain metadata which is information characterising the\n" +"content of the file. For example:</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<ul>\n" +"<li>Cameras record data about when and where a picture was taken and what\n" +"camera was used.</li>\n" +"<li>Office documents automatically add author\n" +"and company information to texts and spreadsheets.</li>\n" +"</ul>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>You can use the <span\n" +"class=\"application\"><a href=\"https://mat.boum.org\">MAT</a></span> to\n" +"clean the metadata from your files before publishing them.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" diff --git a/wiki/src/doc/sensitive_documents/metadata.mdwn b/wiki/src/doc/sensitive_documents/metadata.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..c8caadc86e23ae2a3ed36af7083086509f4f64ac --- /dev/null +++ b/wiki/src/doc/sensitive_documents/metadata.mdwn @@ -0,0 +1,17 @@ +<div class="caution"> + +<p>Most files contain metadata which is information characterising the +content of the file. For example:</p> + +<ul> +<li>Cameras record data about when and where a picture was taken and what +camera was used.</li> +<li>Office documents automatically add author +and company information to texts and spreadsheets.</li> +</ul> + +<p>You can use the <span +class="application"><a href="https://mat.boum.org">MAT</a></span> to +clean the metadata from your files before publishing them.</p> + +</div> diff --git a/wiki/src/doc/sensitive_documents/metadata.pt.po b/wiki/src/doc/sensitive_documents/metadata.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..c05436a851aee36ab9c292d7577b16e8e36ab453 --- /dev/null +++ b/wiki/src/doc/sensitive_documents/metadata.pt.po @@ -0,0 +1,53 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-17 11:53+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"caution\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>Most files contain metadata which is information characterising the\n" +"content of the file. For example:</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<ul>\n" +"<li>Cameras record data about when and where a picture was taken and what\n" +"camera was used.</li>\n" +"<li>Office documents automatically add author\n" +"and company information to texts and spreadsheets.</li>\n" +"</ul>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>You can use the <span\n" +"class=\"application\"><a href=\"https://mat.boum.org\">MAT</a></span> to\n" +"clean the metadata from your files before publishing them.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" diff --git a/wiki/src/doc/sensitive_documents/office_suite.de.po b/wiki/src/doc/sensitive_documents/office_suite.de.po index fdeb2f65e163b35b55fb08d45a854652bb308119..ef4814397d091d03041d22ac49bbe315712acf0c 100644 --- a/wiki/src/doc/sensitive_documents/office_suite.de.po +++ b/wiki/src/doc/sensitive_documents/office_suite.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-07-14 13:08+0200\n" +"POT-Creation-Date: 2015-03-17 11:53+0100\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -72,3 +72,8 @@ msgstr "" #, no-wrap msgid "[[!inline pages=\"doc/sensitive_documents/persistence\" raw=\"yes\"]]\n" msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"doc/sensitive_documents/metadata\" raw=\"yes\"]]\n" +msgstr "" diff --git a/wiki/src/doc/sensitive_documents/office_suite.fr.po b/wiki/src/doc/sensitive_documents/office_suite.fr.po index c424708e22ec6f9a4fcf84b57dec4a5cfa0ab331..f6bec3518a2347d0087e33be4d606f90b4e4b538 100644 --- a/wiki/src/doc/sensitive_documents/office_suite.fr.po +++ b/wiki/src/doc/sensitive_documents/office_suite.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-07-14 13:08+0200\n" +"POT-Creation-Date: 2015-03-17 11:53+0100\n" "PO-Revision-Date: 2014-07-17 17:07+0100\n" "Last-Translator: \n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -86,6 +86,12 @@ msgstr "" msgid "[[!inline pages=\"doc/sensitive_documents/persistence\" raw=\"yes\"]]\n" msgstr "[[!inline pages=\"doc/sensitive_documents/persistence.fr\" raw=\"yes\"]]\n" +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "[[!inline pages=\"doc/sensitive_documents/persistence\" raw=\"yes\"]]\n" +msgid "[[!inline pages=\"doc/sensitive_documents/metadata\" raw=\"yes\"]]\n" +msgstr "[[!inline pages=\"doc/sensitive_documents/persistence.fr\" raw=\"yes\"]]\n" + #~ msgid "" #~ "Tails includes [LibreOffice](http://www.libreoffice.org/), which is a " #~ "full-featured office productivity suite that provides a near drop-in " diff --git a/wiki/src/doc/sensitive_documents/office_suite.mdwn b/wiki/src/doc/sensitive_documents/office_suite.mdwn index a563d7fb69fadfad41c66de498c5f24199fd56f5..12befe229ffa9caff2729cb77d35ac6cf9f06a11 100644 --- a/wiki/src/doc/sensitive_documents/office_suite.mdwn +++ b/wiki/src/doc/sensitive_documents/office_suite.mdwn @@ -21,3 +21,4 @@ guides](https://wiki.documentfoundation.org/Documentation/Publications) for each of these tools, translated into several languages. [[!inline pages="doc/sensitive_documents/persistence" raw="yes"]] +[[!inline pages="doc/sensitive_documents/metadata" raw="yes"]] diff --git a/wiki/src/doc/sensitive_documents/office_suite.pt.po b/wiki/src/doc/sensitive_documents/office_suite.pt.po index fdeb2f65e163b35b55fb08d45a854652bb308119..ef4814397d091d03041d22ac49bbe315712acf0c 100644 --- a/wiki/src/doc/sensitive_documents/office_suite.pt.po +++ b/wiki/src/doc/sensitive_documents/office_suite.pt.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-07-14 13:08+0200\n" +"POT-Creation-Date: 2015-03-17 11:53+0100\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -72,3 +72,8 @@ msgstr "" #, no-wrap msgid "[[!inline pages=\"doc/sensitive_documents/persistence\" raw=\"yes\"]]\n" msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"doc/sensitive_documents/metadata\" raw=\"yes\"]]\n" +msgstr "" diff --git a/wiki/src/doc/sensitive_documents/sound_and_video.de.po b/wiki/src/doc/sensitive_documents/sound_and_video.de.po index afe7baaf82da387d02c18b1f8d1f77f39c5f105d..1e538ae129e12006c205896e78d556719e1ba789 100644 --- a/wiki/src/doc/sensitive_documents/sound_and_video.de.po +++ b/wiki/src/doc/sensitive_documents/sound_and_video.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-07-14 13:08+0200\n" +"POT-Creation-Date: 2015-03-17 11:53+0100\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -73,3 +73,8 @@ msgstr "" #, no-wrap msgid "[[!inline pages=\"doc/sensitive_documents/persistence\" raw=\"yes\"]]\n" msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"doc/sensitive_documents/metadata\" raw=\"yes\"]]\n" +msgstr "" diff --git a/wiki/src/doc/sensitive_documents/sound_and_video.fr.po b/wiki/src/doc/sensitive_documents/sound_and_video.fr.po index acf49fe399f864a45ebaf6c9afb400adbbc09ab7..c9992c701ceab84feb8a4c55399d6c0ac8a4e538 100644 --- a/wiki/src/doc/sensitive_documents/sound_and_video.fr.po +++ b/wiki/src/doc/sensitive_documents/sound_and_video.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-07-21 03:22+0300\n" +"POT-Creation-Date: 2015-03-17 11:53+0100\n" "PO-Revision-Date: 2012-09-09 10:13-0000\n" "Last-Translator: \n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -93,3 +93,9 @@ msgstr "" #, no-wrap msgid "[[!inline pages=\"doc/sensitive_documents/persistence\" raw=\"yes\"]]\n" msgstr "[[!inline pages=\"doc/sensitive_documents/persistence.fr\" raw=\"yes\"]]\n" + +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "[[!inline pages=\"doc/sensitive_documents/persistence\" raw=\"yes\"]]\n" +msgid "[[!inline pages=\"doc/sensitive_documents/metadata\" raw=\"yes\"]]\n" +msgstr "[[!inline pages=\"doc/sensitive_documents/persistence.fr\" raw=\"yes\"]]\n" diff --git a/wiki/src/doc/sensitive_documents/sound_and_video.mdwn b/wiki/src/doc/sensitive_documents/sound_and_video.mdwn index 93c1f4fd4e8062af90bd32f53656e94b6b8d97ff..fd91608949d47a9148c1a80dc7893683e32f1831 100644 --- a/wiki/src/doc/sensitive_documents/sound_and_video.mdwn +++ b/wiki/src/doc/sensitive_documents/sound_and_video.mdwn @@ -25,3 +25,4 @@ These applications can be started from the <span class="guisubmenu">Sound & Video</span></span> menu. [[!inline pages="doc/sensitive_documents/persistence" raw="yes"]] +[[!inline pages="doc/sensitive_documents/metadata" raw="yes"]] diff --git a/wiki/src/doc/sensitive_documents/sound_and_video.pt.po b/wiki/src/doc/sensitive_documents/sound_and_video.pt.po index 45da7e20840de3e39cba0e6447f54818bb7335f4..1fb4b8b816658277dda3da0a2c35fcc26704a7eb 100644 --- a/wiki/src/doc/sensitive_documents/sound_and_video.pt.po +++ b/wiki/src/doc/sensitive_documents/sound_and_video.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-07-14 13:08+0200\n" +"POT-Creation-Date: 2015-03-17 11:53+0100\n" "PO-Revision-Date: 2012-07-30 06:34-0000\n" "Last-Translator: lucas alkaid <alkaid@ime.usp.br>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -81,3 +81,8 @@ msgstr "" #, no-wrap msgid "[[!inline pages=\"doc/sensitive_documents/persistence\" raw=\"yes\"]]\n" msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"doc/sensitive_documents/metadata\" raw=\"yes\"]]\n" +msgstr "" diff --git a/wiki/src/download.de.po b/wiki/src/download.de.po index 147c54e3015cb0c9fe4e35b84ea1dca298f86ed5..e54612d00e25c29121e917d39e14b0c9ea6a1ca6 100644 --- a/wiki/src/download.de.po +++ b/wiki/src/download.de.po @@ -5,15 +5,15 @@ # msgid "" msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2015-01-07 09:55+0100\n" -"PO-Revision-Date: 2014-06-14 22:02-0000\n" -"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" -"Language-Team: zon <oldbafox@hotmail.com>\n" -"Language: \n" +"Project-Id-Version: Tails\n" +"POT-Creation-Date: 2015-04-26 10:34+0300\n" +"PO-Revision-Date: 2015-04-26 14:20+0100\n" +"Last-Translator: spriver <spriver@autistici.org>\n" +"Language-Team: Tails language team <tails-l10n@boum.org>\n" +"Language: de\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: ENCODING\n" +"Content-Transfer-Encoding: 8bit\n" "X-Generator: Poedit 1.5.4\n" #. type: Content of: outside any tag (error?) @@ -23,7 +23,7 @@ msgid "" "without restriction.</strong>" msgstr "" "[[!meta title=\"Herunterladen, prüfen und installieren\"]] <strong>Tails ist " -"[[freie Software|doc/about/license]], Sie können sie ohne Einschränkung " +"[[Freie Software|doc/about/license]], Sie können sie ohne Einschränkung " "herunterladen, benutzen und verteilen.</strong>" #. type: Content of: <div> @@ -85,10 +85,16 @@ msgid "Latest release" msgstr "Aktuelle Version" #. type: Content of: <div><div><div><p> +#, fuzzy +#| msgid "" +#| "<a class='download-file' href=[[!inline pages=\"inc/stable_i386_iso_url\" " +#| "raw=\"yes\"]]> Tails [[!inline pages=\"inc/stable_i386_version\" raw=\"yes" +#| "\"]] ISO image</a>" msgid "" "<a class='download-file' href=[[!inline pages=\"inc/stable_i386_iso_url\" " "raw=\"yes\"]]> Tails [[!inline pages=\"inc/stable_i386_version\" raw=\"yes" -"\"]] ISO image</a>" +"\"]] ISO image <span class=\"download-file-size\">[[!inline pages=\"inc/" +"stable_i386_iso_size\" raw=\"yes\"]]</span></a>" msgstr "" "<a class='download-file' href=[[!inline pages=\"inc/stable_i386_iso_url\" " "raw=\"yes\"]]> Tails [[!inline pages=\"inc/stable_i386_version\" raw=\"yes" @@ -102,6 +108,14 @@ msgstr "Kryptographische Signatur" msgid "[[!inline pages=\"lib/download_stable_i386_iso_sig\" raw=\"yes\"]]" msgstr "[[!inline pages=\"lib/download_stable_i386_iso_sig\" raw=\"yes\"]]" +#. type: Content of: <div><div><div><p> +msgid "" +"Tails [[transitioned to a new signing key|news/signing_key_transition]] in " +"Tails 1.3.1." +msgstr "" +"Tails ist in Tails 1.3.1 [[zu einer neuen kryptographischen Signatur " +"gewechselt|news/signing_key_transition]]." + #. type: Content of: <div><div><div><p> msgid "" "If you're not sure what the cryptographic signature is, please read the part " @@ -112,13 +126,11 @@ msgstr "" #. type: Content of: <div><div><div><h3> msgid "SHA256 checksum" -msgstr "" +msgstr "SHA256 Prüfsumme" #. type: Content of: <div><div><div><p> -#, fuzzy -#| msgid "[[!inline pages=\"lib/download_stable_i386_iso_sig\" raw=\"yes\"]]" msgid "[[!inline pages=\"inc/stable_i386_hash\" raw=\"yes\"]]" -msgstr "[[!inline pages=\"lib/download_stable_i386_iso_sig\" raw=\"yes\"]]" +msgstr "[[!inline pages=\"inc/stable_i386_hash\" raw=\"yes\"]]" #. type: Content of: <div><div><div><h2> msgid "BitTorrent download" @@ -141,19 +153,14 @@ msgstr "" "Die kryptographische Signatur des ISO-Images ist auch im Torrent enthalten." #. type: Content of: <div><div><div><p> -#, fuzzy -#| msgid "" -#| "Additionally, you can verify the <a href=[[!inline pages=\"inc/" -#| "stable_i386_torrent_sig_url\" raw=\"yes\"]]>signature of the Torrent " -#| "file</a> itself before downloading it." msgid "" "Additionally, you can verify the <a href=[[!inline pages=\"inc/" "stable_i386_torrent_sig_url\" raw=\"yes\"]]>signature of the Torrent file</" "a> itself before downloading the ISO image." msgstr "" "Zusätzlich können Sie die <a href=[[!inline pages=\"inc/" -"stable_i386_torrent_sig_url\" raw=\"yes\"]]>Signatur der Torrent Datei </a> " -"vor dem Herunterladen selbst verifizieren." +"stable_i386_torrent_sig_url\" raw=\"yes\"]]>Signatur der Torrent Datei</a> " +"selbst vor dem Herunterladen des ISO-Images verifizieren." #. type: Content of: <div><div><div><h3> msgid "Seed back!" @@ -195,7 +202,7 @@ msgid "" "victim of a man-in-the-middle attack while using HTTPS. On this website as " "much as on any other of the Internet." msgstr "" -"Diese Techniken basieren auf normalen HTTPS und <span class=\"definition\">" +"Diese Techniken basieren auf normalem HTTPS und <span class=\"definition\">" "[[!wikipedia_de Zertifizierungsstelle desc=\"Zertifizierungsstellen\"]]</" "span> um Ihnen Vertrauen in den Inhalt dieser Website zu geben. Trotz der " "Verwendung von HTTPS können Sie, [[wie auf unserer Warnungsseite erklärt|doc/" @@ -369,7 +376,7 @@ msgstr "[[Dem Tails signing key vertrauen|doc/get/trusting_tails_signing_key]]" #. type: Content of: <div><div><h1> msgid "Stay tuned" -msgstr "Stay tuned" +msgstr "Auf dem Laufenden bleiben" #. type: Content of: <div><div><div><p> msgid "" @@ -386,7 +393,7 @@ msgid "" "amnesia-news\">news mailing list</a>:" msgstr "" "Um über neue Versionen und wichtige Neuigkeiten informiert zu werden, folgen " -"Sie unserem [[news feed|news]], oder abonnieren unsere <a href=\"https://" +"Sie unserem [[Newsfeed|news]], oder abonnieren unsere <a href=\"https://" "mailman.boum.org/listinfo/amnesia-news\">news-Mailingliste</a>:" #. type: Content of: <div><div><form> @@ -395,7 +402,7 @@ msgid "" "type=\"submit\" value=\"Subscribe\"/>" msgstr "" "<input class=\"text\" name=\"email\" value=\"\"/> <input class=\"button\" " -"type=\"submit\" value=\"Abbonieren\"/>." +"type=\"submit\" value=\"Abonnieren\"/>" #. type: Content of: <div><div><h1> msgid "Installation" diff --git a/wiki/src/download.fr.po b/wiki/src/download.fr.po index 616980d4ae2bc17e911faa71de6b7de89cbb72ec..7292518ef780aaa6614b9f7c69584c261b59c969 100644 --- a/wiki/src/download.fr.po +++ b/wiki/src/download.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: Tails-l10n-wiki\n" -"POT-Creation-Date: 2015-01-07 09:55+0100\n" +"POT-Creation-Date: 2015-04-26 10:34+0300\n" "PO-Revision-Date: 2014-10-08 08:32-0000\n" "Last-Translator: Tails translators <tails@boum.org>\n" "Language-Team: Tails translators <tails-l10n@boum.org>\n" @@ -86,14 +86,20 @@ msgid "Latest release" msgstr "Dernière version" #. type: Content of: <div><div><div><p> +#, fuzzy +#| msgid "" +#| "<a class='download-file' href=[[!inline pages=\"inc/stable_i386_iso_url\" " +#| "raw=\"yes\"]]> Tails [[!inline pages=\"inc/stable_i386_version\" raw=\"yes" +#| "\"]] ISO image</a>" msgid "" "<a class='download-file' href=[[!inline pages=\"inc/stable_i386_iso_url\" " "raw=\"yes\"]]> Tails [[!inline pages=\"inc/stable_i386_version\" raw=\"yes" -"\"]] ISO image</a>" +"\"]] ISO image <span class=\"download-file-size\">[[!inline pages=\"inc/" +"stable_i386_iso_size\" raw=\"yes\"]]</span></a>" msgstr "" "<a class='download-file' href=[[!inline pages=\"inc/stable_i386_iso_url\" " -"raw=\"yes\"]]> Tails [[!inline pages=\"inc/stable_i386_version\" raw=\"yes" -"\"]] ISO image</a>" +"raw=\"yes\"]]> Image ISO de Tails [[!inline pages=\"inc/stable_i386_version" +"\" raw=\"yes\"]]</a>" #. type: Content of: <div><div><div><h3> msgid "Cryptographic signature" @@ -103,6 +109,12 @@ msgstr "Signatures cryptographiques" msgid "[[!inline pages=\"lib/download_stable_i386_iso_sig\" raw=\"yes\"]]" msgstr "[[!inline pages=\"lib/download_stable_i386_iso_sig\" raw=\"yes\"]]" +#. type: Content of: <div><div><div><p> +msgid "" +"Tails [[transitioned to a new signing key|news/signing_key_transition]] in " +"Tails 1.3.1." +msgstr "" + #. type: Content of: <div><div><div><p> msgid "" "If you're not sure what the cryptographic signature is, please read the part " @@ -131,8 +143,8 @@ msgid "" "\"]] torrent</a>" msgstr "" "<a class='download-file' href=[[!inline pages=\"inc/stable_i386_torrent_url" -"\" raw=\"yes\"]]> Tails [[!inline pages=\"inc/stable_i386_version\" raw=\"yes" -"\"]] torrent</a>" +"\" raw=\"yes\"]]> Torrent de Tails [[!inline pages=\"inc/stable_i386_version" +"\" raw=\"yes\"]]</a>" #. type: Content of: <div><div><div><p> msgid "" @@ -142,11 +154,6 @@ msgstr "" "Torrent." #. type: Content of: <div><div><div><p> -#, fuzzy -#| msgid "" -#| "Additionally, you can verify the <a href=[[!inline pages=\"inc/" -#| "stable_i386_torrent_sig_url\" raw=\"yes\"]]>signature of the Torrent " -#| "file</a> itself before downloading it." msgid "" "Additionally, you can verify the <a href=[[!inline pages=\"inc/" "stable_i386_torrent_sig_url\" raw=\"yes\"]]>signature of the Torrent file</" @@ -154,7 +161,7 @@ msgid "" msgstr "" "En plus de ça, vous pouvez vérifier la <a href=[[!inline pages=\"inc/" "stable_i386_torrent_sig_url\" raw=\"yes\"]]>signature du fichier Torrent</a> " -"lui-même avant de le télécharger." +"lui-même avant de télécharger l'image ISO." #. type: Content of: <div><div><div><h3> msgid "Seed back!" diff --git a/wiki/src/download.html b/wiki/src/download.html index 5a6d1d93c4d32d7ab1d1773a03ebd7e5416dcedf..8aae122457bb85fe4d1d88dd8248a2c7ab6e3224 100644 --- a/wiki/src/download.html +++ b/wiki/src/download.html @@ -50,13 +50,20 @@ share it without restriction.</strong> <p> <a class='download-file' href=[[!inline pages="inc/stable_i386_iso_url" raw="yes"]]> - Tails [[!inline pages="inc/stable_i386_version" raw="yes"]] ISO image</a> + Tails [[!inline pages="inc/stable_i386_version" raw="yes"]] ISO image + <span class="download-file-size">[[!inline pages="inc/stable_i386_iso_size" raw="yes"]]</span></a> </p> <h3>Cryptographic signature</h3> [[!inline pages="lib/download_stable_i386_iso_sig" raw="yes"]] + <p style="background: #FFFFF0 + url(lib/software-update-urgent.png) no-repeat 4px 0.4em; border: + 1px solid #E0E0DF; padding: 0.4em; padding-left: 30px; + margin-left: -30px; margin-right: -0.5em;">Tails [[transitioned to a new signing + key|news/signing_key_transition]] in Tails 1.3.1.</p> + <p>If you're not sure what the cryptographic signature is, please read the part on [[verifying the ISO image|download#verify]].</p> diff --git a/wiki/src/download.pt.po b/wiki/src/download.pt.po index 59448319a5946ad19abc9d942463dd455acdb175..74f949245a0ac822fa2ebfdd7c3db9555740582d 100644 --- a/wiki/src/download.pt.po +++ b/wiki/src/download.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2015-01-07 09:55+0100\n" +"POT-Creation-Date: 2015-04-26 10:34+0300\n" "PO-Revision-Date: 2014-08-26 16:03-0300\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: Portuguese <LL@li.org>\n" @@ -85,10 +85,16 @@ msgid "Latest release" msgstr "Última versão" #. type: Content of: <div><div><div><p> +#, fuzzy +#| msgid "" +#| "<a class='download-file' href=[[!inline pages=\"inc/stable_i386_iso_url\" " +#| "raw=\"yes\"]]> Tails [[!inline pages=\"inc/stable_i386_version\" raw=\"yes" +#| "\"]] ISO image</a>" msgid "" "<a class='download-file' href=[[!inline pages=\"inc/stable_i386_iso_url\" " "raw=\"yes\"]]> Tails [[!inline pages=\"inc/stable_i386_version\" raw=\"yes" -"\"]] ISO image</a>" +"\"]] ISO image <span class=\"download-file-size\">[[!inline pages=\"inc/" +"stable_i386_iso_size\" raw=\"yes\"]]</span></a>" msgstr "" "<a class='download-file' href=[[!inline pages=\"inc/stable_i386_iso_url\" " "raw=\"yes\"]]> Tails [[!inline pages=\"inc/stable_i386_version\" raw=\"yes" @@ -102,6 +108,12 @@ msgstr "Assinatura digital" msgid "[[!inline pages=\"lib/download_stable_i386_iso_sig\" raw=\"yes\"]]" msgstr "[[!inline pages=\"lib/download_stable_i386_iso_sig\" raw=\"yes\"]]" +#. type: Content of: <div><div><div><p> +msgid "" +"Tails [[transitioned to a new signing key|news/signing_key_transition]] in " +"Tails 1.3.1." +msgstr "" + #. type: Content of: <div><div><div><p> msgid "" "If you're not sure what the cryptographic signature is, please read the part " diff --git a/wiki/src/inc/stable_i386_date.de.po b/wiki/src/inc/stable_i386_date.de.po index c3968444252ede28081b3e7763af66503fc7e38f..13bd208e199a75b9a22ded260944ee51d71e3bb3 100644 --- a/wiki/src/inc/stable_i386_date.de.po +++ b/wiki/src/inc/stable_i386_date.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2015-01-14 20:51+0100\n" +"POT-Creation-Date: 2015-05-11 17:46+0200\n" "PO-Revision-Date: 2012-11-25 14:23+0100\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -17,5 +17,5 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" #. type: Content of: outside any tag (error?) -msgid "January 14, 2015" +msgid "May 12, 2015" msgstr "" diff --git a/wiki/src/inc/stable_i386_date.fr.po b/wiki/src/inc/stable_i386_date.fr.po index dbeaf03e13b229e9463950795574d8dc440cfc1e..7310f7ce575a8c1ef73fe5668776825248bb7297 100644 --- a/wiki/src/inc/stable_i386_date.fr.po +++ b/wiki/src/inc/stable_i386_date.fr.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2015-01-14 20:51+0100\n" -"PO-Revision-Date: 2014-09-24 22:28-0700\n" +"POT-Creation-Date: 2015-05-11 17:46+0200\n" +"PO-Revision-Date: 2015-03-22 14:34+0100\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" @@ -18,9 +18,9 @@ msgstr "" #. type: Content of: outside any tag (error?) #, fuzzy -#| msgid "July 22, 2014" -msgid "January 14, 2015" -msgstr "22 juillet 2014" +#| msgid "March 23, 2015" +msgid "May 12, 2015" +msgstr "23 mars 2015" #, fuzzy #~| msgid "September 25, 2014" diff --git a/wiki/src/inc/stable_i386_date.html b/wiki/src/inc/stable_i386_date.html index c271ba2f2d53492954332625acb4e83e49178978..f21e1885f51641a647826065f8546bbaa074076e 100644 --- a/wiki/src/inc/stable_i386_date.html +++ b/wiki/src/inc/stable_i386_date.html @@ -1 +1 @@ -January 14, 2015 +May 12, 2015 diff --git a/wiki/src/inc/stable_i386_date.pt.po b/wiki/src/inc/stable_i386_date.pt.po index 92c8f8a182fed270763d2b55d21cf65a98121c20..604620ad30b188f5373cfad2d531577d1ef51a73 100644 --- a/wiki/src/inc/stable_i386_date.pt.po +++ b/wiki/src/inc/stable_i386_date.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2015-01-14 20:51+0100\n" +"POT-Creation-Date: 2015-05-11 17:46+0200\n" "PO-Revision-Date: 2014-07-30 18:11-0300\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -18,5 +18,5 @@ msgstr "" #. type: Content of: outside any tag (error?) #, fuzzy #| msgid "July 22, 2014" -msgid "January 14, 2015" +msgid "May 12, 2015" msgstr "22 de julho de 2014" diff --git a/wiki/src/inc/stable_i386_gpg_verify.html b/wiki/src/inc/stable_i386_gpg_verify.html index 82f32d0cf6e600b5ea486d653b6b54f8645fc4b5..ad589dd6b785b77dbd79cf01b5f11e0b1436117b 100644 --- a/wiki/src/inc/stable_i386_gpg_verify.html +++ b/wiki/src/inc/stable_i386_gpg_verify.html @@ -1 +1 @@ -gpg --keyid-format long --verify tails-i386-1.2.3.iso.sig tails-i386-1.2.3.iso +gpg --keyid-format long --verify tails-i386-1.4.iso.sig tails-i386-1.4.iso diff --git a/wiki/src/inc/stable_i386_hash.html b/wiki/src/inc/stable_i386_hash.html index 92eeb00104318d614fc68bbc82cba2dc0d4b7e89..1309603c4559c89f716c9a874c542e97f691f691 100644 --- a/wiki/src/inc/stable_i386_hash.html +++ b/wiki/src/inc/stable_i386_hash.html @@ -1 +1 @@ -d1ca34fc55762953d3e3baf8cb0b31228b1d1fcbbf178b31f4c7b15e6d9f1d0d \ No newline at end of file +339c8712768c831e59c4b1523002b83ccb98a4fe62f6a221fee3a15e779ca65d \ No newline at end of file diff --git a/wiki/src/inc/stable_i386_iso_sig_url.html b/wiki/src/inc/stable_i386_iso_sig_url.html index e9ec7e421d7117fc86a8859e14d9a1b24b912d63..1d5dad0370d7c521a5a4e0c59c999017f3583a9f 100644 --- a/wiki/src/inc/stable_i386_iso_sig_url.html +++ b/wiki/src/inc/stable_i386_iso_sig_url.html @@ -1 +1 @@ -https://tails.boum.org/torrents/files/tails-i386-1.2.3.iso.sig +https://tails.boum.org/torrents/files/tails-i386-1.4.iso.sig diff --git a/wiki/src/inc/stable_i386_iso_size.html b/wiki/src/inc/stable_i386_iso_size.html new file mode 100644 index 0000000000000000000000000000000000000000..efbdd525ee15f1958827d6442c0cc923f0c28984 --- /dev/null +++ b/wiki/src/inc/stable_i386_iso_size.html @@ -0,0 +1 @@ +971 MB \ No newline at end of file diff --git a/wiki/src/inc/stable_i386_iso_url.html b/wiki/src/inc/stable_i386_iso_url.html index d3325ccb2649816d6653dbcc67996f54e17e09d2..706c467879a8280980627a0a175fb815e62b6fec 100644 --- a/wiki/src/inc/stable_i386_iso_url.html +++ b/wiki/src/inc/stable_i386_iso_url.html @@ -1 +1 @@ -http://dl.amnesia.boum.org/tails/stable/tails-i386-1.2.3/tails-i386-1.2.3.iso +http://dl.amnesia.boum.org/tails/stable/tails-i386-1.4/tails-i386-1.4.iso diff --git a/wiki/src/inc/stable_i386_release_notes.de.po b/wiki/src/inc/stable_i386_release_notes.de.po index 761a7cda71397c51424a52d2f2b9dd3d330f3b5a..d6452648b6c1c139aa7c4d566306eabb4b7140bb 100644 --- a/wiki/src/inc/stable_i386_release_notes.de.po +++ b/wiki/src/inc/stable_i386_release_notes.de.po @@ -19,5 +19,5 @@ msgstr "" #. Note for translators: make sure that the translation of this link #. integrates well with /doc/first_steps/upgrade.release_notes. #. type: Content of: outside any tag (error?) -msgid "[[release notes|news/version_1.2.3]]" +msgid "[[release notes|news/version_1.4]]" msgstr "" diff --git a/wiki/src/inc/stable_i386_release_notes.fr.po b/wiki/src/inc/stable_i386_release_notes.fr.po index 761a7cda71397c51424a52d2f2b9dd3d330f3b5a..d6452648b6c1c139aa7c4d566306eabb4b7140bb 100644 --- a/wiki/src/inc/stable_i386_release_notes.fr.po +++ b/wiki/src/inc/stable_i386_release_notes.fr.po @@ -19,5 +19,5 @@ msgstr "" #. Note for translators: make sure that the translation of this link #. integrates well with /doc/first_steps/upgrade.release_notes. #. type: Content of: outside any tag (error?) -msgid "[[release notes|news/version_1.2.3]]" +msgid "[[release notes|news/version_1.4]]" msgstr "" diff --git a/wiki/src/inc/stable_i386_release_notes.html b/wiki/src/inc/stable_i386_release_notes.html index b40c11bc93ec307eb34b7be42b4b3429ad815c71..14c7a704e16668998568074c334e6ed0ce18c610 100644 --- a/wiki/src/inc/stable_i386_release_notes.html +++ b/wiki/src/inc/stable_i386_release_notes.html @@ -1,4 +1,4 @@ <!-- Note for translators: make sure that the translation of this link integrates well with /doc/first_steps/upgrade.release_notes. --> -[[release notes|news/version_1.2.3]] +[[release notes|news/version_1.4]] diff --git a/wiki/src/inc/stable_i386_release_notes.pt.po b/wiki/src/inc/stable_i386_release_notes.pt.po index a7a0db2d0e8026778cb8b099ceacd7f97842a609..9223a909c3a88a3eb7a4628f2d1c9e433b03c186 100644 --- a/wiki/src/inc/stable_i386_release_notes.pt.po +++ b/wiki/src/inc/stable_i386_release_notes.pt.po @@ -18,5 +18,5 @@ msgstr "" #. Note for translators: make sure that the translation of this link #. integrates well with /doc/first_steps/upgrade.release_notes. #. type: Content of: outside any tag (error?) -msgid "[[release notes|news/version_1.2.3]]" -msgstr "[[notas de lançamento|news/version_1.2.3]]" +msgid "[[release notes|news/version_1.4]]" +msgstr "[[notas de lançamento|news/version_1.4]]" diff --git a/wiki/src/inc/stable_i386_torrent_sig_url.html b/wiki/src/inc/stable_i386_torrent_sig_url.html index 072f495271f899011a64eb3bfcd13e49c2495861..da8555074f997244e45c434a050f0ae8b80e3c7b 100644 --- a/wiki/src/inc/stable_i386_torrent_sig_url.html +++ b/wiki/src/inc/stable_i386_torrent_sig_url.html @@ -1 +1 @@ -https://tails.boum.org/torrents/files/tails-i386-1.2.3.torrent.sig +https://tails.boum.org/torrents/files/tails-i386-1.4.torrent.sig diff --git a/wiki/src/inc/stable_i386_torrent_url.html b/wiki/src/inc/stable_i386_torrent_url.html index 7968d57e34fde8c432b8f91e05664e094e5a2065..52b892396a74da5df541ed9344ee61fdf56d6d40 100644 --- a/wiki/src/inc/stable_i386_torrent_url.html +++ b/wiki/src/inc/stable_i386_torrent_url.html @@ -1 +1 @@ -https://tails.boum.org/torrents/files/tails-i386-1.2.3.torrent +https://tails.boum.org/torrents/files/tails-i386-1.4.torrent diff --git a/wiki/src/inc/stable_i386_version.html b/wiki/src/inc/stable_i386_version.html index 0495c4a88caed0f036ffab0948c17d4b5fdc96c1..c068b2447cc22327bcac3f4884de3b32025c5bb2 100644 --- a/wiki/src/inc/stable_i386_version.html +++ b/wiki/src/inc/stable_i386_version.html @@ -1 +1 @@ -1.2.3 +1.4 diff --git a/wiki/src/inc/trace b/wiki/src/inc/trace index b4603c3488cd2a737a65f24965e54d69f1e10057..15c246fea1ea37464bf49a41bb29aece07ce3bc7 100644 --- a/wiki/src/inc/trace +++ b/wiki/src/inc/trace @@ -1 +1 @@ -1421291220 +1431369002 diff --git a/wiki/src/index.de.po b/wiki/src/index.de.po index d8338c198453d26ddc1fd0523966900556955708..96dc260884ee1fd92dfcf8bdc8a3191600e2f5f7 100644 --- a/wiki/src/index.de.po +++ b/wiki/src/index.de.po @@ -6,14 +6,15 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-11-28 14:25+0100\n" -"PO-Revision-Date: 2014-11-28 14:29+0100\n" -"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" -"Language-Team: LANGUAGE <LL@li.org>\n" -"Language: \n" +"POT-Creation-Date: 2015-05-08 01:58+0300\n" +"PO-Revision-Date: 2015-01-18 12:27+0100\n" +"Last-Translator: Tails translators <tails@boum.org>\n" +"Language-Team: Tails Translators <tails@boum.org>\n" +"Language: de\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: ENCODING\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Generator: Poedit 1.5.4\n" #. type: Content of: outside any tag (error?) msgid "[[!meta title=\"Privacy for anyone anywhere\"]]" @@ -27,8 +28,8 @@ msgid "" "and helps you to:" msgstr "" "Tails ist ein [[!wikipedia_de desc=\"Live-Betriebssystem\" Live-System]], " -"das Sie auf auf vielen Computern von einer DVD, einem USB-Stick oder einer " -"SD-Karte aus starten können. Es zielt darauf ab, Ihre <strong>Privatsphäre</" +"das Sie auf vielen Computern von einer DVD, einem USB-Stick oder einer SD-" +"Karte aus starten können. Es zielt darauf ab, Ihre <strong>Privatsphäre</" "strong> und <strong>Anonymität</strong> zu bewahren und hilft Ihnen:" #. type: Content of: <div><div><ul><li> @@ -61,25 +62,25 @@ msgid "" "files, emails and instant messaging." msgstr "" "<strong>kryptographische Werkzeuge</strong> auf dem aktuellen Stand der " -"Technik zu benutzen um Ihre Dateien, E-Mails und Instant-Messaging-" +"Technik zu benutzen, um Ihre Dateien, E-Mails und Instant-Messaging-" "Nachrichten zu verschlüsseln." #. type: Content of: <div><div><p> msgid "[[Learn more about Tails.|about]]" msgstr "[[Erfahren Sie mehr über Tails.|about]]" -#. type: Content of: <div><div> -msgid "[[!inline pages=\"news/who_are_you_helping/include\" raw=\"yes\"]]" -msgstr "[[!inline pages=\"news/who_are_you_helping/include.de\" raw=\"yes\"]]" - #. type: Content of: <div><div><h1> msgid "News" msgstr "Aktuelles" #. type: Content of: <div><div> +#, fuzzy +#| msgid "" +#| "[[!inline pages=\"news/* and !news/*/* and !news/discussion and " +#| "currentlang()\" show=\"2\" feeds=\"no\" archive=\"yes\"]]" msgid "" -"[[!inline pages=\"news/* and !news/*/* and !news/discussion and currentlang" -"()\" show=\"2\" feeds=\"no\" archive=\"yes\"]]" +"[[!inline pages=\"page(news/*) and !news/*/* and !news/discussion and " +"currentlang()\" show=\"2\" feeds=\"no\" archive=\"yes\"]]" msgstr "" "[[!inline pages=\"news/* and !news/*/* and !news/discussion and currentlang" "()\" show=\"2\" feeds=\"no\" archive=\"yes\"]]" @@ -93,9 +94,14 @@ msgid "Security" msgstr "Sicherheit" #. type: Content of: <div><div> +#, fuzzy +#| msgid "" +#| "[[!inline pages=\"security/* and !security/audits and !security/audits.* " +#| "and !security/audits/* and !security/*/* and !security/discussion and " +#| "currentlang()\" show=\"2\" feeds=\"no\" archive=\"yes\"]]" msgid "" -"[[!inline pages=\"security/* and !security/audits and !security/audits.* " -"and !security/audits/* and !security/*/* and !security/discussion and " +"[[!inline pages=\"page(security/*) and !security/audits and !security/audits." +"* and !security/audits/* and !security/*/* and !security/discussion and " "currentlang()\" show=\"2\" feeds=\"no\" archive=\"yes\"]]" msgstr "" "[[!inline pages=\"security/* and !security/audits and !security/audits.* " @@ -111,29 +117,36 @@ msgid "" "<a href=\"https://www.debian.org/\" class=\"noicon\">[[!img lib/debian.png " "link=\"no\"]]</a>" msgstr "" +"<a href=\"https://www.debian.org/index.de.html\" class=\"noicon\">[[!img lib/" +"debian.png link=\"no\"]]</a>" #. type: Content of: <div><div><p> -msgid "Tails is built upon <a href=\"https://debian.org/\">Debian</a>." +msgid "Tails is built upon <a href=\"https://www.debian.org/\">Debian</a>." msgstr "" +"Tails basiert auf <a href=\"https://www.debian.org/index.de.html\">Debian</" +"a>." #. type: Content of: <div><div> msgid "[[!img lib/free-software.png link=\"doc/about/license\"]]" -msgstr "" +msgstr "[[!img lib/free-software.png link=\"doc/about/license\"]]" #. type: Content of: <div><div><p> msgid "Tails is [[Free Software|doc/about/license]]." -msgstr "" +msgstr "Tails ist [[Freie Software|doc/about/license]]." #. type: Content of: <div><div> msgid "" "<a href=\"https://www.torproject.org/\" class=\"noicon\">[[!img lib/tor.png " "link=\"no\"]]</a>" msgstr "" +"<a href=\"https://www.torproject.org/\" class=\"noicon\">[[!img lib/tor.png " +"link=\"no\"]]</a>" #. type: Content of: <div><div><p> msgid "" "Tails sends its traffic through <a href=\"https://torproject.org/\">Tor</a>." -msgstr "" +msgstr "Tails sendet Daten über <a href=\"https://torproject.org/\">Tor</a>." -#~ msgid "It helps you to:" -#~ msgstr "Es hilft Ihnen dabei:" +#~ msgid "[[!inline pages=\"news/who_are_you_helping/include\" raw=\"yes\"]]" +#~ msgstr "" +#~ "[[!inline pages=\"news/who_are_you_helping/include.de\" raw=\"yes\"]]" diff --git a/wiki/src/index.fr.po b/wiki/src/index.fr.po index 8ac39d11a73bba45b2be1af392e375b37deaf07a..5ceae711ba0b7516a268a309d0324871a6bddec3 100644 --- a/wiki/src/index.fr.po +++ b/wiki/src/index.fr.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: tails-index-fr\n" -"POT-Creation-Date: 2014-11-28 14:34+0100\n" -"PO-Revision-Date: 2014-11-28 14:30+0100\n" +"POT-Creation-Date: 2015-05-08 01:58+0300\n" +"PO-Revision-Date: 2015-01-18 12:27+0100\n" "Last-Translator: \n" "Language-Team: nada-fr <LL@li.org>\n" "Language: fr\n" @@ -70,18 +70,18 @@ msgstr "" msgid "[[Learn more about Tails.|about]]" msgstr "[[En savoir plus sur Tails.|about]]" -#. type: Content of: <div><div> -msgid "[[!inline pages=\"news/who_are_you_helping/include\" raw=\"yes\"]]" -msgstr "[[!inline pages=\"news/who_are_you_helping/include.fr\" raw=\"yes\"]]" - #. type: Content of: <div><div><h1> msgid "News" msgstr "Nouvelles" #. type: Content of: <div><div> +#, fuzzy +#| msgid "" +#| "[[!inline pages=\"news/* and !news/*/* and !news/discussion and " +#| "currentlang()\" show=\"2\" feeds=\"no\" archive=\"yes\"]]" msgid "" -"[[!inline pages=\"news/* and !news/*/* and !news/discussion and currentlang" -"()\" show=\"2\" feeds=\"no\" archive=\"yes\"]]" +"[[!inline pages=\"page(news/*) and !news/*/* and !news/discussion and " +"currentlang()\" show=\"2\" feeds=\"no\" archive=\"yes\"]]" msgstr "" "[[!inline pages=\"news/* and !news/*/* and !news/discussion and currentlang" "()\" show=\"2\" feeds=\"no\" archive=\"yes\"]]" @@ -92,12 +92,17 @@ msgstr "Voir les [[Nouvelles|News]] pour plus d'actualités." #. type: Content of: <div><div><h1> msgid "Security" -msgstr "sécurité" +msgstr "Sécurité" #. type: Content of: <div><div> +#, fuzzy +#| msgid "" +#| "[[!inline pages=\"security/* and !security/audits and !security/audits.* " +#| "and !security/audits/* and !security/*/* and !security/discussion and " +#| "currentlang()\" show=\"2\" feeds=\"no\" archive=\"yes\"]]" msgid "" -"[[!inline pages=\"security/* and !security/audits and !security/audits.* " -"and !security/audits/* and !security/*/* and !security/discussion and " +"[[!inline pages=\"page(security/*) and !security/audits and !security/audits." +"* and !security/audits/* and !security/*/* and !security/discussion and " "currentlang()\" show=\"2\" feeds=\"no\" archive=\"yes\"]]" msgstr "" "[[!inline pages=\"security/* and !security/audits and !security/audits.* " @@ -113,10 +118,14 @@ msgid "" "<a href=\"https://www.debian.org/\" class=\"noicon\">[[!img lib/debian.png " "link=\"no\"]]</a>" msgstr "" +"<a href=\"https://www.debian.org/index.fr.html\" class=\"noicon\">[[!img lib/" +"debian.png link=\"no\"]]</a>" #. type: Content of: <div><div><p> -msgid "Tails is built upon <a href=\"https://debian.org/\">Debian</a>." -msgstr "Tails est basé sur <a href=\"https://debian.org/\">Debian</a>." +msgid "Tails is built upon <a href=\"https://www.debian.org/\">Debian</a>." +msgstr "" +"Tails est basé sur <a href=\"https://www.debian.org/index.fr.html\">Debian</" +"a>." #. type: Content of: <div><div> msgid "[[!img lib/free-software.png link=\"doc/about/license\"]]" @@ -138,3 +147,7 @@ msgid "" msgstr "" "Tails fait passer son trafic par le réseau <a href=\"https://torproject.org/" "\">Tor</a>." + +#~ msgid "[[!inline pages=\"news/who_are_you_helping/include\" raw=\"yes\"]]" +#~ msgstr "" +#~ "[[!inline pages=\"news/who_are_you_helping/include.fr\" raw=\"yes\"]]" diff --git a/wiki/src/index.html b/wiki/src/index.html index cc556bc43598bcd6503b7303d161fa7a5bc17531..3b1e649757ab4a02d99838d5d2eb289212f35332 100644 --- a/wiki/src/index.html +++ b/wiki/src/index.html @@ -32,15 +32,13 @@ It aims at preserving your <strong>privacy</strong> and [[Learn more about Tails.|about]] </p> -[[!inline pages="news/who_are_you_helping/include" raw="yes"]] - </div> <!-- #intro --> <div id="news"> <h1>News</h1> -[[!inline pages="news/* and !news/*/* and !news/discussion and currentlang()" show="2" feeds="no" archive="yes"]] +[[!inline pages="page(news/*) and !news/*/* and !news/discussion and currentlang()" show="2" feeds="no" archive="yes"]] <p>See [[News]] for more.</p> @@ -50,7 +48,7 @@ It aims at preserving your <strong>privacy</strong> and <h1>Security</h1> -[[!inline pages="security/* and !security/audits and !security/audits.* and !security/audits/* and !security/*/* and !security/discussion and currentlang()" show="2" feeds="no" archive="yes"]] +[[!inline pages="page(security/*) and !security/audits and !security/audits.* and !security/audits/* and !security/*/* and !security/discussion and currentlang()" show="2" feeds="no" archive="yes"]] <p>See [[Security]] for more.</p> @@ -58,7 +56,7 @@ It aims at preserving your <strong>privacy</strong> and <div class="three-blocks bottom"> <a href="https://www.debian.org/" class="noicon">[[!img lib/debian.png link="no"]]</a> -<p class="center">Tails is built upon <a href="https://debian.org/">Debian</a>.</p> +<p class="center">Tails is built upon <a href="https://www.debian.org/">Debian</a>.</p> </div> <div class="three-blocks bottom"> diff --git a/wiki/src/index.pt.po b/wiki/src/index.pt.po index dbf6bf5647ef610a84fee294db15da3370a9da4c..7245d806a063ea8155c1b39c76f4c89de9fe74f3 100644 --- a/wiki/src/index.pt.po +++ b/wiki/src/index.pt.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: tails-index-pt\n" -"POT-Creation-Date: 2014-11-28 14:25+0100\n" -"PO-Revision-Date: 2014-11-28 14:30+0100\n" +"POT-Creation-Date: 2015-05-08 01:58+0300\n" +"PO-Revision-Date: 2015-01-18 12:28+0100\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: Portuguese <LL@li.org>\n" "Language: \n" @@ -69,18 +69,18 @@ msgstr "" msgid "[[Learn more about Tails.|about]]" msgstr "[[Saiba mais sobre o Tails.|about]]" -#. type: Content of: <div><div> -msgid "[[!inline pages=\"news/who_are_you_helping/include\" raw=\"yes\"]]" -msgstr "[[!inline pages=\"news/who_are_you_helping/include.pt\" raw=\"yes\"]]" - #. type: Content of: <div><div><h1> msgid "News" msgstr "Notícias" #. type: Content of: <div><div> +#, fuzzy +#| msgid "" +#| "[[!inline pages=\"news/* and !news/*/* and !news/discussion and " +#| "currentlang()\" show=\"2\" feeds=\"no\" archive=\"yes\"]]" msgid "" -"[[!inline pages=\"news/* and !news/*/* and !news/discussion and currentlang" -"()\" show=\"2\" feeds=\"no\" archive=\"yes\"]]" +"[[!inline pages=\"page(news/*) and !news/*/* and !news/discussion and " +"currentlang()\" show=\"2\" feeds=\"no\" archive=\"yes\"]]" msgstr "" "[[!inline pages=\"news/* and !news/*/* and !news/discussion and currentlang" "()\" show=\"2\" feeds=\"no\" archive=\"yes\"]]" @@ -94,9 +94,14 @@ msgid "Security" msgstr "Segurança" #. type: Content of: <div><div> +#, fuzzy +#| msgid "" +#| "[[!inline pages=\"security/* and !security/audits and !security/audits.* " +#| "and !security/audits/* and !security/*/* and !security/discussion and " +#| "currentlang()\" show=\"2\" feeds=\"no\" archive=\"yes\"]]" msgid "" -"[[!inline pages=\"security/* and !security/audits and !security/audits.* " -"and !security/audits/* and !security/*/* and !security/discussion and " +"[[!inline pages=\"page(security/*) and !security/audits and !security/audits." +"* and !security/audits/* and !security/*/* and !security/discussion and " "currentlang()\" show=\"2\" feeds=\"no\" archive=\"yes\"]]" msgstr "" "[[!inline pages=\"security/* and !security/audits and !security/audits.* " @@ -112,11 +117,14 @@ msgid "" "<a href=\"https://www.debian.org/\" class=\"noicon\">[[!img lib/debian.png " "link=\"no\"]]</a>" msgstr "" +"<a href=\"https://www.debian.org/index.pt.html\" class=\"noicon\">[[!img lib/" +"debian.png link=\"no\"]]</a>" #. type: Content of: <div><div><p> -msgid "Tails is built upon <a href=\"https://debian.org/\">Debian</a>." +msgid "Tails is built upon <a href=\"https://www.debian.org/\">Debian</a>." msgstr "" -"Tails é desenvolvido a partir do <a href=\"https://debian.org/\">Debian</a>." +"Tails é desenvolvido a partir do <a href=\"https://www.debian.org/index.pt." +"html\">Debian</a>." #. type: Content of: <div><div> #, fuzzy @@ -140,6 +148,10 @@ msgid "" msgstr "" "Tails envia seu tráfego pelo <a href=\"https://torproject.org/\">Tor</a>." +#~ msgid "[[!inline pages=\"news/who_are_you_helping/include\" raw=\"yes\"]]" +#~ msgstr "" +#~ "[[!inline pages=\"news/who_are_you_helping/include.pt\" raw=\"yes\"]]" + #, fuzzy #~| msgid "[[!img lib/debian.png link=\"no\"]]" #~ msgid "[[!img lib/debian.png link=\"https://debian.org/\"]]" diff --git a/wiki/src/lib/software-update-urgent.png b/wiki/src/lib/software-update-urgent.png new file mode 100644 index 0000000000000000000000000000000000000000..e597d4c2a46e8ae4dbf604d07b06d7c07fe8ce53 Binary files /dev/null and b/wiki/src/lib/software-update-urgent.png differ diff --git a/wiki/src/local.css b/wiki/src/local.css index 0c65f2ce2394b5f796404cd85dc4d1773c25f16a..a580513a5bcf75f2a9b5c409dccd8b0690f405fc 100644 --- a/wiki/src/local.css +++ b/wiki/src/local.css @@ -710,6 +710,20 @@ p.center { background: #0a0 url('lib/download-arrow.png') no-repeat scroll right center; } +#pagebody span.download-file-size:before { + content: '('; + margin-left: 0.7em; + margin-right: -0.3em; +} + +#pagebody span.download-file-size:after { + content: ')'; +} + +#pagebody span.download-file-size { + font-size: 0.706em; /* 12px */ +} + #pagebody a.download-signature { background: #0a0 url('lib/download-signature.png') no-repeat scroll right center; } @@ -1073,6 +1087,14 @@ div.tip { background-image: url(lib/admon-tip.png); } +/* Inlined 16x16 icons */ + +img.symbolic { + display: inline-block; + position: relative; + top: 1px; +} + /* Trail */ div.trail { diff --git a/wiki/src/news.de.po b/wiki/src/news.de.po index d6ca0fb2cc48ffb7f9a4cd080fc9426c813617f7..bee994c62759fdd16185c41f67bbeac01ac57f4e 100644 --- a/wiki/src/news.de.po +++ b/wiki/src/news.de.po @@ -6,14 +6,15 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-11-28 14:25+0100\n" -"PO-Revision-Date: 2014-11-28 14:28+0100\n" +"POT-Creation-Date: 2015-05-08 02:01+0300\n" +"PO-Revision-Date: 2015-01-03 01:14-0000\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: ENCODING\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Generator: Poedit 1.5.4\n" #. type: Plain text #, no-wrap @@ -26,11 +27,13 @@ msgid "" "<div id=\"tor_check\">\n" "<a href=\"https://check.torproject.org/\">\n" msgstr "" +"<div id=\"tor_check\">\n" +"<a href=\"https://check.torproject.org/\">\n" #. type: Plain text #, no-wrap msgid "[[!img \"lib/onion.png\" link=\"no\"]]\n" -msgstr "" +msgstr "[[!img \"lib/onion.png\" link=\"no\"]]\n" #. type: Plain text #, no-wrap @@ -39,11 +42,9 @@ msgid "" "</a>\n" "</div>\n" msgstr "" - -#. type: Plain text -#, no-wrap -msgid "[[!inline pages=\"news/who_are_you_helping/include\" raw=\"yes\"]]\n" -msgstr "[[!inline pages=\"news/who_are_you_helping/include.de\" raw=\"yes\"]]\n" +"<span>Tor check</span>\n" +"</a>\n" +"</div>\n" #. type: Plain text #, no-wrap @@ -56,25 +57,41 @@ msgid "" " <input class=\"button\" type=\"submit\" value=\"Subscribe\"/>\n" " </form>\n" msgstr "" +"- Abonnieren Sie die [amnesia-news\n" +" Mailingliste](https://mailman.boum.org/listinfo/amnesia-news), um die gleichen Neuigkeiten\n" +" als E-Mail zu empfangen:\n" +" <form method=\"POST\" action=\"https://mailman.boum.org/subscribe/amnesia-news\">\n" +" <input class=\"text\" name=\"email\" value=\"\"/>\n" +" <input class=\"button\" type=\"submit\" value=\"Abonnieren\"/>\n" +" </form>\n" #. type: Plain text msgid "- Follow us on Twitter [@Tails_live](https://twitter.com/tails_live)." msgstr "" +"- Folgen Sie uns auf Twitter [@Tails_live](https://twitter.com/tails_live)." #. type: Plain text -#, no-wrap -msgid "[[!inline pages=\"news/* and !news/*/* and !news/discussion and currentlang()\" show=\"10\"]]\n" +#, fuzzy, no-wrap +#| msgid "[[!inline pages=\"news/* and !news/*/* and !news/discussion and currentlang()\" show=\"10\"]]\n" +msgid "[[!inline pages=\"page(news/*) and !news/*/* and !news/discussion and currentlang()\" show=\"10\"]]\n" msgstr "[[!inline pages=\"news/* and !news/*/* and !news/discussion and currentlang()\" show=\"10\"]]\n" #. type: Plain text -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| "[[!inline pages=\"news/* and !news/*/* and !news/discussion and currentlang() and tagged(announce)\"\n" +#| " show=\"10\" feeds=\"yes\" feedonly=\"yes\" feedfile=\"emails\"]]\n" msgid "" -"[[!inline pages=\"news/* and !news/*/* and !news/discussion and currentlang() and tagged(announce)\"\n" +"[[!inline pages=\"page(news/*) and !news/*/* and !news/discussion and currentlang() and tagged(announce)\"\n" " show=\"10\" feeds=\"yes\" feedonly=\"yes\" feedfile=\"emails\"]]\n" msgstr "" "[[!inline pages=\"news/* and !news/*/* and !news/discussion and currentlang() and tagged(announce)\"\n" " show=\"10\" feeds=\"yes\" feedonly=\"yes\" feedfile=\"emails\"]]\n" +#~ msgid "[[!inline pages=\"news/who_are_you_helping/include\" raw=\"yes\"]]\n" +#~ msgstr "" +#~ "[[!inline pages=\"news/who_are_you_helping/include.de\" raw=\"yes\"]]\n" + #~ msgid "" #~ "This is where announcements of new releases, features, and other news are " #~ "posted. Users of The Amnesic Incognito Live System are recommended to " diff --git a/wiki/src/news.fr.po b/wiki/src/news.fr.po index 3f8da77d76cc2fedfc693826d7067b23fabf0226..41f1e27b209b7d33b50e2fa607caf44a30043ca7 100644 --- a/wiki/src/news.fr.po +++ b/wiki/src/news.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-11-28 14:25+0100\n" +"POT-Creation-Date: 2015-05-08 02:01+0300\n" "PO-Revision-Date: 2014-11-28 14:29+0100\n" "Last-Translator: \n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -46,11 +46,6 @@ msgstr "" "</a>\n" "</div>\n" -#. type: Plain text -#, no-wrap -msgid "[[!inline pages=\"news/who_are_you_helping/include\" raw=\"yes\"]]\n" -msgstr "[[!inline pages=\"news/who_are_you_helping/include.fr\" raw=\"yes\"]]\n" - #. type: Plain text #, no-wrap msgid "" @@ -76,19 +71,27 @@ msgstr "" "- Suivez-nous sur Twitter [@Tails_live](https://twitter.com/tails_live)." #. type: Plain text -#, no-wrap -msgid "[[!inline pages=\"news/* and !news/*/* and !news/discussion and currentlang()\" show=\"10\"]]\n" +#, fuzzy, no-wrap +#| msgid "[[!inline pages=\"news/* and !news/*/* and !news/discussion and currentlang()\" show=\"10\"]]\n" +msgid "[[!inline pages=\"page(news/*) and !news/*/* and !news/discussion and currentlang()\" show=\"10\"]]\n" msgstr "[[!inline pages=\"news/* and !news/*/* and !news/discussion and currentlang()\" show=\"10\"]]\n" #. type: Plain text -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| "[[!inline pages=\"news/* and !news/*/* and !news/discussion and currentlang() and tagged(announce)\"\n" +#| " show=\"10\" feeds=\"yes\" feedonly=\"yes\" feedfile=\"emails\"]]\n" msgid "" -"[[!inline pages=\"news/* and !news/*/* and !news/discussion and currentlang() and tagged(announce)\"\n" +"[[!inline pages=\"page(news/*) and !news/*/* and !news/discussion and currentlang() and tagged(announce)\"\n" " show=\"10\" feeds=\"yes\" feedonly=\"yes\" feedfile=\"emails\"]]\n" msgstr "" "[[!inline pages=\"news/* and !news/*/* and !news/discussion and currentlang() and tagged(announce)\"\n" " show=\"10\" feeds=\"yes\" feedonly=\"yes\" feedfile=\"emails\"]]\n" +#~ msgid "[[!inline pages=\"news/who_are_you_helping/include\" raw=\"yes\"]]\n" +#~ msgstr "" +#~ "[[!inline pages=\"news/who_are_you_helping/include.fr\" raw=\"yes\"]]\n" + #~ msgid "" #~ "To be informed of the latest versions of Tails and follow the life of the " #~ "project you can:" diff --git a/wiki/src/news.mdwn b/wiki/src/news.mdwn index f2ca8ef1069360bec9d9a6eaed989bc70b2e0fa8..0f2656c2bd76a5319c0fc73febb5aa8bbcbc8f40 100644 --- a/wiki/src/news.mdwn +++ b/wiki/src/news.mdwn @@ -7,8 +7,6 @@ </a> </div> -[[!inline pages="news/who_are_you_helping/include" raw="yes"]] - - Subscribe to the [amnesia-news mailing list](https://mailman.boum.org/listinfo/amnesia-news) to receive the same news by email: @@ -19,6 +17,6 @@ - Follow us on Twitter [@Tails_live](https://twitter.com/tails_live). -[[!inline pages="news/* and !news/*/* and !news/discussion and currentlang()" show="10"]] -[[!inline pages="news/* and !news/*/* and !news/discussion and currentlang() and tagged(announce)" +[[!inline pages="page(news/*) and !news/*/* and !news/discussion and currentlang()" show="10"]] +[[!inline pages="page(news/*) and !news/*/* and !news/discussion and currentlang() and tagged(announce)" show="10" feeds="yes" feedonly="yes" feedfile="emails"]] diff --git a/wiki/src/news.pt.po b/wiki/src/news.pt.po index 57395564130e5a68188d3126626c03f0d313e5d4..490e5a49b84be1781f660f992015106b46146739 100644 --- a/wiki/src/news.pt.po +++ b/wiki/src/news.pt.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-11-28 14:25+0100\n" +"POT-Creation-Date: 2015-05-08 02:01+0300\n" "PO-Revision-Date: 2014-11-28 14:29+0100\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -41,11 +41,6 @@ msgid "" "</div>\n" msgstr "" -#. type: Plain text -#, no-wrap -msgid "[[!inline pages=\"news/who_are_you_helping/include\" raw=\"yes\"]]\n" -msgstr "[[!inline pages=\"news/who_are_you_helping/include.pt\" raw=\"yes\"]]\n" - #. type: Plain text #, no-wrap msgid "" @@ -65,7 +60,7 @@ msgstr "" #. type: Plain text #, fuzzy, no-wrap #| msgid "[[!inline pages=\"news/* and !news/*/* and !news/discussion and currentlang()\" show=\"30\"]]\n" -msgid "[[!inline pages=\"news/* and !news/*/* and !news/discussion and currentlang()\" show=\"10\"]]\n" +msgid "[[!inline pages=\"page(news/*) and !news/*/* and !news/discussion and currentlang()\" show=\"10\"]]\n" msgstr "[[!inline pages=\"news/* and !news/*/* and !news/discussion and currentlang()\" show=\"30\"]]\n" #. type: Plain text @@ -74,12 +69,16 @@ msgstr "[[!inline pages=\"news/* and !news/*/* and !news/discussion and currentl #| "[[!inline pages=\"news/* and !news/*/* and !news/discussion and currentlang() and tagged(announce)\"\n" #| " show=\"30\" feeds=\"yes\" feedonly=\"yes\" feedfile=\"emails\"]]\n" msgid "" -"[[!inline pages=\"news/* and !news/*/* and !news/discussion and currentlang() and tagged(announce)\"\n" +"[[!inline pages=\"page(news/*) and !news/*/* and !news/discussion and currentlang() and tagged(announce)\"\n" " show=\"10\" feeds=\"yes\" feedonly=\"yes\" feedfile=\"emails\"]]\n" msgstr "" "[[!inline pages=\"news/* and !news/*/* and !news/discussion and currentlang() and tagged(announce)\"\n" " show=\"30\" feeds=\"yes\" feedonly=\"yes\" feedfile=\"emails\"]]\n" +#~ msgid "[[!inline pages=\"news/who_are_you_helping/include\" raw=\"yes\"]]\n" +#~ msgstr "" +#~ "[[!inline pages=\"news/who_are_you_helping/include.pt\" raw=\"yes\"]]\n" + #~ msgid "" #~ "This is where announcements of new releases, features, and other news are " #~ "posted. Users of The Amnesic Incognito Live System are recommended to " diff --git a/wiki/src/news/report_2015_01-02.de.po b/wiki/src/news/report_2015_01-02.de.po new file mode 100644 index 0000000000000000000000000000000000000000..f0ddd0479a57bf44452f6f69a34a4fa24abe35e7 --- /dev/null +++ b/wiki/src/news/report_2015_01-02.de.po @@ -0,0 +1,391 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-09 01:25+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Tails report for January and February, 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"Welcome to the new Tails report!\n" +"This edition is more complete than last time. We have some good news to " +"share and you can also see that we did some good work. If you have " +"suggestions about what to include next time, please write to " +"<tails-project@boum.org> about it :)\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!toc ]]\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Releases\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"[[Tails 1.2.3 was released on January 15, 2015.|news/version_1.2.3]] (minor " +"release)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"[[Tails 1.3 was released on February 24, 2015.|news/version_1.3]] (major " +"release)" +msgstr "" + +#. type: Bullet: '* ' +msgid "The next release (1.3.1) is [[planned for March 31|contribute/calendar]]." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Code\n" +msgstr "" + +#. type: Plain text +msgid "" +"The complete list of improvements is in the release announcements. Some " +"major points are:" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Distribute a hybrid ISO image again: no need for anyone to manually run " +"<span class=\"command\">isohybrid</span> anymore!" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails now ships the <span class=\"application\">Electrum</span> Bitcoin " +"client." +msgstr "" + +#. type: Bullet: '* ' +msgid "Support obfs4 Tor bridges." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Documentation and website\n" +msgstr "" + +#. type: Plain text +msgid "" +"- We completely rewrote the documentation on " +"[[virtualization|doc/advanced_topics/virtualization]]. It now makes it " +"clearer what is virtualization, what are the [[security " +"implications|doc/advanced_topics/virtualization#security]] and provides " +"detailed instructions on how to setup Tails in " +"[[VirtualBox|doc/advanced_topics/virtualization/virtualbox]], " +"[[virt-manager|doc/advanced_topics/virtualization/virt-manager]], and " +"[[GNOME Boxes|doc/advanced_topics/virtualization/boxes]], either straight " +"from ISO, from a [[physical USB " +"stick|doc/advanced_topics/virtualization/virt-manager#usb]], or from a " +"[[virtual USB " +"stick|doc/advanced_topics/virtualization/virt-manager#virtual_usb]]." +msgstr "" + +#. type: Bullet: '- ' +msgid "" +"We explained the risks of [[accessing internal hard " +"disks|doc/encryption_and_privacy/your_data_wont_be_saved_unless_explicitly_asked#access_hdd]] " +"from Tails." +msgstr "" + +#. type: Plain text +msgid "- ... and plenty of small improvements everywhere :)" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "User experience\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We discussed a solution for a [[screen locker|blueprint/screen_locker]] that " +"could be reused by other live distributions." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We [reviewed](https://labs.riseup.net/code/issues/8235#note-11) the latest " +"mockups of the [[new Tails Greeter|blueprint/greeter_revamp_UI]] with " +"usability experts." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We analyzed in depth the process for new users to [[get started with " +"Tails|blueprint/bootstrapping]] and made plans to adjust the relevant tools " +"([[Tails Installer|blueprint/bootstrapping/installer]], [[browser " +"extension|blueprint/bootstrapping/extension]], [[Tails " +"Upgrader|blueprint/bootstrapping/upgrade]], and [[web " +"assistant|blueprint/bootstrapping/assistant]])." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Infrastructure\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Our test suite covers 172 scenarios, 85 (!) more than in July 2014. That's a " +"huge improvement because each release can be automatically tested to avoid " +"regressions instead of having to manually perform the same tests each " +"time. There is still some way to go, but someday releasing will be fast, " +"safe, and easy :)" +msgstr "" + +#. type: Bullet: '* ' +msgid "Tails ships a new certificate in 1.2.3, and a new signing key in 1.3." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We rewrote the history of our main Git repository to make it four times " +"smaller. This should make the new contributors' experience much nicer." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We upgraded the hardware of our main server so that it can handle the short " +"and mid-term plans we have for it: [[!tails_ticket 6196 desc=\"automatically " +"building ISO images from all active branches\"]], and then [[!tails_ticket " +"5288 desc=\"running our automated test suite on these ISO images\"]]." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Funding\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Laura Poitras and Edward Snowden won [[Ridenhour's film award for " +"Citizenfour|http://www.nationinstitute.org/blog/prizes/4376/%22citizenfour%22_will_receive_the_ridenhour_documentary_film_prize/]] " +"and offered the $10K prize to Tails - thanks, Laura and Edward! (and " +"congratulations for the Oscar)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"The Freedom Of The Press Foundation continues [[their crowdfunding " +"campaign|https://freedom.press//bundle/encryption-tools-journalists]] for " +"Tails (and other great projects!). Of course, there are [[many other ways to " +"donate|contribute/how/donate]] if you want to help :)" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Outreach\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We passed a call for [[help to have a Windows camouflage in Tails " +"Jessie|news/windows_camouflage_jessie]]!" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails now has a [[code of " +"conduct|contribute/working_together/code_of_conduct]]!" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Two of us attended [FOSDEM](https://fosdem.org/2015/) in Brussels, saw some " +"interesting talks and I hear the Belgian beer was good." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"One of us gave a talk at the Sapienza University of Rome, Italy " +"([slides](https://tails.boum.org/contribute/how/promote/material/slides/Roma-Uni_Sapienza-20150127/Tails.shtml)). " +"Thanks a lot to the local organizers!" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "On-going discussions\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"[[We did not reach an agreement " +"yet|https://mailman.boum.org/pipermail/tails-dev/2015-January/007821.html]] " +"about [[!tails_ticket 8665 desc=\"removing Adblock Plus\"]] (to have a " +"fingerprint closer to the Tor Browser Bundle's one) or keeping it (because " +"it's more comfortable for users)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"People try to come up with the best ideas for [[Tor " +"Monitor|http://git.tails.boum.org/alan/tor-monitor]], a [[!tails_ticket 6841 " +"desc=\"replacement for Vidalia\"]] in Tails Jessie. This is [[discussed on " +"tails-dev|https://mailman.boum.org/pipermail/tails-dev/2015-February/thread.html#8038]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"What kind of [verification " +"mechanism](https://mailman.boum.org/pipermail/tails-dev/2015-February/008059.html) " +"shall we do in the future [[ISO verification " +"extension|blueprint/bootstrapping/extension]]." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Press & Testimonials\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Four major French-speaking medias (Le Monde, La Libre Belgique, Le Soir de " +"Bruxelles and RTBF - radio-télévision belge) have launched [Source " +"Sûre](https://sourcesure.eu/), a whistleblowing platform, in French, that " +"uses Tails." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Many people seemed excited to hear about the Bitcoin wallet in Tails and " +"wrote about it. Welcome, Bitcoin community :)" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Translation and internationalization\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Some new translators joined the German translation team within the last " +"months. It's now the biggest translation team and they're seriously working " +"to have all the core pages of the website translated. Nearly halfway there, " +"keep up :)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"The French translation team manages to keep the core pages up-to-date, but " +"the rest of the web site could use more attention." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"The Portuguese translation team has not been very active lately, so the " +"Portuguese translations slowly becomes obsolete." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"The Spanish and Italian translation teams are still at the organizing stages " +"so their translations have not started yet." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"For all those languages (and other ones!), [[new translators are really " +"welcome|contribute/how/translate/]]!" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "All website PO files\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "de: 16% (979) strings translated, 0% strings fuzzy" +msgstr "" + +#. type: Bullet: ' - ' +msgid "fr: 50% (3,004) strings translated, 1% strings fuzzy" +msgstr "" + +#. type: Bullet: ' - ' +msgid "pt: 32% (1,947) strings translated, 2% strings fuzzy" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"[[Core PO files|contribute/l10n_tricks/core_po_files.txt]]\n" +"---------------------\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "de: 44% (571) strings translated, 0% strings fuzzy" +msgstr "" + +#. type: Bullet: ' - ' +msgid "fr: 96% (1,223) strings translated, 1% strings fuzzy" +msgstr "" + +#. type: Bullet: ' - ' +msgid "pt: 92% (1,173) strings translated, 4% strings fuzzy" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Metrics\n" +msgstr "" + +#. type: Plain text +msgid "In January:" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails has been started more than 356,292 times in January. This makes 11,493 " +"boots a day on average." +msgstr "" + +#. type: Bullet: '* ' +msgid "27,617 downloads of the OpenPGP signature of Tails ISO from our website." +msgstr "" + +#. type: Bullet: '* ' +msgid "108 bug reports were received through WhisperBack." +msgstr "" + +#. type: Plain text +msgid "In February:" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails has been started more than 344,664 times in February. This makes " +"12,309 boots a day on average." +msgstr "" + +#. type: Bullet: '* ' +msgid "25,530 downloads of the OpenPGP signature of Tails ISO from our website." +msgstr "" + +#. type: Bullet: '* ' +msgid "89 bug reports were received through WhisperBack." +msgstr "" diff --git a/wiki/src/news/report_2015_01-02.fr.po b/wiki/src/news/report_2015_01-02.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..f0ddd0479a57bf44452f6f69a34a4fa24abe35e7 --- /dev/null +++ b/wiki/src/news/report_2015_01-02.fr.po @@ -0,0 +1,391 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-09 01:25+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Tails report for January and February, 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"Welcome to the new Tails report!\n" +"This edition is more complete than last time. We have some good news to " +"share and you can also see that we did some good work. If you have " +"suggestions about what to include next time, please write to " +"<tails-project@boum.org> about it :)\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!toc ]]\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Releases\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"[[Tails 1.2.3 was released on January 15, 2015.|news/version_1.2.3]] (minor " +"release)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"[[Tails 1.3 was released on February 24, 2015.|news/version_1.3]] (major " +"release)" +msgstr "" + +#. type: Bullet: '* ' +msgid "The next release (1.3.1) is [[planned for March 31|contribute/calendar]]." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Code\n" +msgstr "" + +#. type: Plain text +msgid "" +"The complete list of improvements is in the release announcements. Some " +"major points are:" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Distribute a hybrid ISO image again: no need for anyone to manually run " +"<span class=\"command\">isohybrid</span> anymore!" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails now ships the <span class=\"application\">Electrum</span> Bitcoin " +"client." +msgstr "" + +#. type: Bullet: '* ' +msgid "Support obfs4 Tor bridges." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Documentation and website\n" +msgstr "" + +#. type: Plain text +msgid "" +"- We completely rewrote the documentation on " +"[[virtualization|doc/advanced_topics/virtualization]]. It now makes it " +"clearer what is virtualization, what are the [[security " +"implications|doc/advanced_topics/virtualization#security]] and provides " +"detailed instructions on how to setup Tails in " +"[[VirtualBox|doc/advanced_topics/virtualization/virtualbox]], " +"[[virt-manager|doc/advanced_topics/virtualization/virt-manager]], and " +"[[GNOME Boxes|doc/advanced_topics/virtualization/boxes]], either straight " +"from ISO, from a [[physical USB " +"stick|doc/advanced_topics/virtualization/virt-manager#usb]], or from a " +"[[virtual USB " +"stick|doc/advanced_topics/virtualization/virt-manager#virtual_usb]]." +msgstr "" + +#. type: Bullet: '- ' +msgid "" +"We explained the risks of [[accessing internal hard " +"disks|doc/encryption_and_privacy/your_data_wont_be_saved_unless_explicitly_asked#access_hdd]] " +"from Tails." +msgstr "" + +#. type: Plain text +msgid "- ... and plenty of small improvements everywhere :)" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "User experience\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We discussed a solution for a [[screen locker|blueprint/screen_locker]] that " +"could be reused by other live distributions." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We [reviewed](https://labs.riseup.net/code/issues/8235#note-11) the latest " +"mockups of the [[new Tails Greeter|blueprint/greeter_revamp_UI]] with " +"usability experts." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We analyzed in depth the process for new users to [[get started with " +"Tails|blueprint/bootstrapping]] and made plans to adjust the relevant tools " +"([[Tails Installer|blueprint/bootstrapping/installer]], [[browser " +"extension|blueprint/bootstrapping/extension]], [[Tails " +"Upgrader|blueprint/bootstrapping/upgrade]], and [[web " +"assistant|blueprint/bootstrapping/assistant]])." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Infrastructure\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Our test suite covers 172 scenarios, 85 (!) more than in July 2014. That's a " +"huge improvement because each release can be automatically tested to avoid " +"regressions instead of having to manually perform the same tests each " +"time. There is still some way to go, but someday releasing will be fast, " +"safe, and easy :)" +msgstr "" + +#. type: Bullet: '* ' +msgid "Tails ships a new certificate in 1.2.3, and a new signing key in 1.3." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We rewrote the history of our main Git repository to make it four times " +"smaller. This should make the new contributors' experience much nicer." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We upgraded the hardware of our main server so that it can handle the short " +"and mid-term plans we have for it: [[!tails_ticket 6196 desc=\"automatically " +"building ISO images from all active branches\"]], and then [[!tails_ticket " +"5288 desc=\"running our automated test suite on these ISO images\"]]." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Funding\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Laura Poitras and Edward Snowden won [[Ridenhour's film award for " +"Citizenfour|http://www.nationinstitute.org/blog/prizes/4376/%22citizenfour%22_will_receive_the_ridenhour_documentary_film_prize/]] " +"and offered the $10K prize to Tails - thanks, Laura and Edward! (and " +"congratulations for the Oscar)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"The Freedom Of The Press Foundation continues [[their crowdfunding " +"campaign|https://freedom.press//bundle/encryption-tools-journalists]] for " +"Tails (and other great projects!). Of course, there are [[many other ways to " +"donate|contribute/how/donate]] if you want to help :)" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Outreach\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We passed a call for [[help to have a Windows camouflage in Tails " +"Jessie|news/windows_camouflage_jessie]]!" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails now has a [[code of " +"conduct|contribute/working_together/code_of_conduct]]!" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Two of us attended [FOSDEM](https://fosdem.org/2015/) in Brussels, saw some " +"interesting talks and I hear the Belgian beer was good." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"One of us gave a talk at the Sapienza University of Rome, Italy " +"([slides](https://tails.boum.org/contribute/how/promote/material/slides/Roma-Uni_Sapienza-20150127/Tails.shtml)). " +"Thanks a lot to the local organizers!" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "On-going discussions\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"[[We did not reach an agreement " +"yet|https://mailman.boum.org/pipermail/tails-dev/2015-January/007821.html]] " +"about [[!tails_ticket 8665 desc=\"removing Adblock Plus\"]] (to have a " +"fingerprint closer to the Tor Browser Bundle's one) or keeping it (because " +"it's more comfortable for users)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"People try to come up with the best ideas for [[Tor " +"Monitor|http://git.tails.boum.org/alan/tor-monitor]], a [[!tails_ticket 6841 " +"desc=\"replacement for Vidalia\"]] in Tails Jessie. This is [[discussed on " +"tails-dev|https://mailman.boum.org/pipermail/tails-dev/2015-February/thread.html#8038]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"What kind of [verification " +"mechanism](https://mailman.boum.org/pipermail/tails-dev/2015-February/008059.html) " +"shall we do in the future [[ISO verification " +"extension|blueprint/bootstrapping/extension]]." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Press & Testimonials\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Four major French-speaking medias (Le Monde, La Libre Belgique, Le Soir de " +"Bruxelles and RTBF - radio-télévision belge) have launched [Source " +"Sûre](https://sourcesure.eu/), a whistleblowing platform, in French, that " +"uses Tails." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Many people seemed excited to hear about the Bitcoin wallet in Tails and " +"wrote about it. Welcome, Bitcoin community :)" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Translation and internationalization\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Some new translators joined the German translation team within the last " +"months. It's now the biggest translation team and they're seriously working " +"to have all the core pages of the website translated. Nearly halfway there, " +"keep up :)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"The French translation team manages to keep the core pages up-to-date, but " +"the rest of the web site could use more attention." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"The Portuguese translation team has not been very active lately, so the " +"Portuguese translations slowly becomes obsolete." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"The Spanish and Italian translation teams are still at the organizing stages " +"so their translations have not started yet." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"For all those languages (and other ones!), [[new translators are really " +"welcome|contribute/how/translate/]]!" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "All website PO files\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "de: 16% (979) strings translated, 0% strings fuzzy" +msgstr "" + +#. type: Bullet: ' - ' +msgid "fr: 50% (3,004) strings translated, 1% strings fuzzy" +msgstr "" + +#. type: Bullet: ' - ' +msgid "pt: 32% (1,947) strings translated, 2% strings fuzzy" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"[[Core PO files|contribute/l10n_tricks/core_po_files.txt]]\n" +"---------------------\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "de: 44% (571) strings translated, 0% strings fuzzy" +msgstr "" + +#. type: Bullet: ' - ' +msgid "fr: 96% (1,223) strings translated, 1% strings fuzzy" +msgstr "" + +#. type: Bullet: ' - ' +msgid "pt: 92% (1,173) strings translated, 4% strings fuzzy" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Metrics\n" +msgstr "" + +#. type: Plain text +msgid "In January:" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails has been started more than 356,292 times in January. This makes 11,493 " +"boots a day on average." +msgstr "" + +#. type: Bullet: '* ' +msgid "27,617 downloads of the OpenPGP signature of Tails ISO from our website." +msgstr "" + +#. type: Bullet: '* ' +msgid "108 bug reports were received through WhisperBack." +msgstr "" + +#. type: Plain text +msgid "In February:" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails has been started more than 344,664 times in February. This makes " +"12,309 boots a day on average." +msgstr "" + +#. type: Bullet: '* ' +msgid "25,530 downloads of the OpenPGP signature of Tails ISO from our website." +msgstr "" + +#. type: Bullet: '* ' +msgid "89 bug reports were received through WhisperBack." +msgstr "" diff --git a/wiki/src/news/report_2015_01-02.mdwn b/wiki/src/news/report_2015_01-02.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..a33f40b1b4ff08150d79b54c5662fd47bd522714 --- /dev/null +++ b/wiki/src/news/report_2015_01-02.mdwn @@ -0,0 +1,138 @@ +[[!meta title="Tails report for January and February, 2015"]] + +Welcome to the new Tails report! +This edition is more complete than last time. We have some good news to share and you can also see that we did some good work. If you have suggestions about what to include next time, please write to <tails-project@boum.org> about it :) + +[[!toc ]] + +Releases +======== + +* [[Tails 1.2.3 was released on January 15, 2015.|news/version_1.2.3]] (minor release) +* [[Tails 1.3 was released on February 24, 2015.|news/version_1.3]] (major release) +* The next release (1.3.1) is [[planned for March 31|contribute/calendar]]. + +Code +==== + +The complete list of improvements is in the release announcements. Some major points are: + +* Distribute a hybrid ISO image again: no need for anyone to manually run <span class="command">isohybrid</span> anymore! +* Tails now ships the <span class="application">Electrum</span> Bitcoin client. +* Support obfs4 Tor bridges. + +Documentation and website +========================= + +- We completely rewrote the documentation on [[virtualization|doc/advanced_topics/virtualization]]. It now makes it clearer what is virtualization, what are the [[security implications|doc/advanced_topics/virtualization#security]] and provides detailed instructions on how to setup Tails in [[VirtualBox|doc/advanced_topics/virtualization/virtualbox]], [[virt-manager|doc/advanced_topics/virtualization/virt-manager]], and [[GNOME Boxes|doc/advanced_topics/virtualization/boxes]], either straight from ISO, from a [[physical USB stick|doc/advanced_topics/virtualization/virt-manager#usb]], or from a [[virtual USB stick|doc/advanced_topics/virtualization/virt-manager#virtual_usb]]. + +- We explained the risks of [[accessing internal + hard disks|doc/encryption_and_privacy/your_data_wont_be_saved_unless_explicitly_asked#access_hdd]] from Tails. + +- ... and plenty of small improvements everywhere :) + +User experience +=============== + +* We discussed a solution for a [[screen + locker|blueprint/screen_locker]] that could be reused by other live + distributions. + +* We [reviewed](https://labs.riseup.net/code/issues/8235#note-11) the + latest mockups of the [[new Tails Greeter|blueprint/greeter_revamp_UI]] + with usability experts. + +* We analyzed in depth the process for new users to [[get started with + Tails|blueprint/bootstrapping]] and made plans to adjust the relevant + tools ([[Tails Installer|blueprint/bootstrapping/installer]], + [[browser extension|blueprint/bootstrapping/extension]], [[Tails + Upgrader|blueprint/bootstrapping/upgrade]], and [[web + assistant|blueprint/bootstrapping/assistant]]). + +Infrastructure +============== + +* Our test suite covers 172 scenarios, 85 (!) more than in July 2014. That's a huge improvement because each release can be automatically tested to avoid regressions instead of having to manually perform the same tests each time. There is still some way to go, but someday releasing will be fast, safe, and easy :) + +* Tails ships a new certificate in 1.2.3, and a new signing key in 1.3. + +* We rewrote the history of our main Git repository to make it four times smaller. + This should make the new contributors' experience much nicer. + +* We upgraded the hardware of our main server so that it can handle the short and mid-term plans we have for it: [[!tails_ticket 6196 desc="automatically building ISO images from all active branches"]], and then [[!tails_ticket 5288 desc="running our automated test suite on these ISO images"]]. + +Funding +======= + +* Laura Poitras and Edward Snowden won [[Ridenhour's film award for Citizenfour|http://www.nationinstitute.org/blog/prizes/4376/%22citizenfour%22_will_receive_the_ridenhour_documentary_film_prize/]] and offered the $10K prize to Tails - thanks, Laura and Edward! (and congratulations for the Oscar) + +* The Freedom Of The Press Foundation continues [[their crowdfunding campaign|https://freedom.press//bundle/encryption-tools-journalists]] for Tails (and other great projects!). Of course, there are [[many other ways to donate|contribute/how/donate]] if you want to help :) + +Outreach +======== + +* We passed a call for [[help to have a Windows camouflage in Tails Jessie|news/windows_camouflage_jessie]]! + +* Tails now has a [[code of conduct|contribute/working_together/code_of_conduct]]! + +* Two of us attended [FOSDEM](https://fosdem.org/2015/) in Brussels, saw some interesting talks and I hear the Belgian beer was good. + +* One of us gave a talk at the Sapienza University of Rome, Italy ([slides](https://tails.boum.org/contribute/how/promote/material/slides/Roma-Uni_Sapienza-20150127/Tails.shtml)). Thanks a lot to the local organizers! + +On-going discussions +==================== + +* [[We did not reach an agreement yet|https://mailman.boum.org/pipermail/tails-dev/2015-January/007821.html]] about [[!tails_ticket 8665 desc="removing Adblock Plus"]] (to have a fingerprint closer to the Tor Browser Bundle's one) or keeping it (because it's more comfortable for users). + +* People try to come up with the best ideas for [[Tor Monitor|http://git.tails.boum.org/alan/tor-monitor]], a [[!tails_ticket 6841 desc="replacement for Vidalia"]] in Tails Jessie. This is [[discussed on tails-dev|https://mailman.boum.org/pipermail/tails-dev/2015-February/thread.html#8038]]. + +* What kind of [verification mechanism](https://mailman.boum.org/pipermail/tails-dev/2015-February/008059.html) shall we do in the future [[ISO verification extension|blueprint/bootstrapping/extension]]. + +Press & Testimonials +==================== + +* Four major French-speaking medias (Le Monde, La Libre Belgique, Le Soir de Bruxelles and RTBF - radio-télévision belge) have launched [Source Sûre](https://sourcesure.eu/), a whistleblowing platform, in French, that uses Tails. + +* Many people seemed excited to hear about the Bitcoin wallet in Tails and wrote about it. Welcome, Bitcoin community :) + +Translation and internationalization +==================================== + +* Some new translators joined the German translation team within the last months. It's now the biggest translation team and they're seriously working to have all the core pages of the website translated. Nearly halfway there, keep up :) + +* The French translation team manages to keep the core pages up-to-date, but the rest of the web site could use more attention. + +* The Portuguese translation team has not been very active lately, so the Portuguese translations slowly becomes obsolete. + +* The Spanish and Italian translation teams are still at the organizing stages so their translations have not started yet. + +* For all those languages (and other ones!), [[new translators are really welcome|contribute/how/translate/]]! + +All website PO files +-------------------- + + - de: 16% (979) strings translated, 0% strings fuzzy + - fr: 50% (3,004) strings translated, 1% strings fuzzy + - pt: 32% (1,947) strings translated, 2% strings fuzzy + +[[Core PO files|contribute/l10n_tricks/core_po_files.txt]] +--------------------- + + - de: 44% (571) strings translated, 0% strings fuzzy + - fr: 96% (1,223) strings translated, 1% strings fuzzy + - pt: 92% (1,173) strings translated, 4% strings fuzzy + +Metrics +======= + +In January: + +* Tails has been started more than 356,292 times in January. This makes 11,493 boots a day on average. +* 27,617 downloads of the OpenPGP signature of Tails ISO from our website. +* 108 bug reports were received through WhisperBack. + +In February: + +* Tails has been started more than 344,664 times in February. This makes 12,309 boots a day on average. +* 25,530 downloads of the OpenPGP signature of Tails ISO from our website. +* 89 bug reports were received through WhisperBack. diff --git a/wiki/src/news/report_2015_01-02.pt.po b/wiki/src/news/report_2015_01-02.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..f0ddd0479a57bf44452f6f69a34a4fa24abe35e7 --- /dev/null +++ b/wiki/src/news/report_2015_01-02.pt.po @@ -0,0 +1,391 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-09 01:25+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Tails report for January and February, 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"Welcome to the new Tails report!\n" +"This edition is more complete than last time. We have some good news to " +"share and you can also see that we did some good work. If you have " +"suggestions about what to include next time, please write to " +"<tails-project@boum.org> about it :)\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!toc ]]\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Releases\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"[[Tails 1.2.3 was released on January 15, 2015.|news/version_1.2.3]] (minor " +"release)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"[[Tails 1.3 was released on February 24, 2015.|news/version_1.3]] (major " +"release)" +msgstr "" + +#. type: Bullet: '* ' +msgid "The next release (1.3.1) is [[planned for March 31|contribute/calendar]]." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Code\n" +msgstr "" + +#. type: Plain text +msgid "" +"The complete list of improvements is in the release announcements. Some " +"major points are:" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Distribute a hybrid ISO image again: no need for anyone to manually run " +"<span class=\"command\">isohybrid</span> anymore!" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails now ships the <span class=\"application\">Electrum</span> Bitcoin " +"client." +msgstr "" + +#. type: Bullet: '* ' +msgid "Support obfs4 Tor bridges." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Documentation and website\n" +msgstr "" + +#. type: Plain text +msgid "" +"- We completely rewrote the documentation on " +"[[virtualization|doc/advanced_topics/virtualization]]. It now makes it " +"clearer what is virtualization, what are the [[security " +"implications|doc/advanced_topics/virtualization#security]] and provides " +"detailed instructions on how to setup Tails in " +"[[VirtualBox|doc/advanced_topics/virtualization/virtualbox]], " +"[[virt-manager|doc/advanced_topics/virtualization/virt-manager]], and " +"[[GNOME Boxes|doc/advanced_topics/virtualization/boxes]], either straight " +"from ISO, from a [[physical USB " +"stick|doc/advanced_topics/virtualization/virt-manager#usb]], or from a " +"[[virtual USB " +"stick|doc/advanced_topics/virtualization/virt-manager#virtual_usb]]." +msgstr "" + +#. type: Bullet: '- ' +msgid "" +"We explained the risks of [[accessing internal hard " +"disks|doc/encryption_and_privacy/your_data_wont_be_saved_unless_explicitly_asked#access_hdd]] " +"from Tails." +msgstr "" + +#. type: Plain text +msgid "- ... and plenty of small improvements everywhere :)" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "User experience\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We discussed a solution for a [[screen locker|blueprint/screen_locker]] that " +"could be reused by other live distributions." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We [reviewed](https://labs.riseup.net/code/issues/8235#note-11) the latest " +"mockups of the [[new Tails Greeter|blueprint/greeter_revamp_UI]] with " +"usability experts." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We analyzed in depth the process for new users to [[get started with " +"Tails|blueprint/bootstrapping]] and made plans to adjust the relevant tools " +"([[Tails Installer|blueprint/bootstrapping/installer]], [[browser " +"extension|blueprint/bootstrapping/extension]], [[Tails " +"Upgrader|blueprint/bootstrapping/upgrade]], and [[web " +"assistant|blueprint/bootstrapping/assistant]])." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Infrastructure\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Our test suite covers 172 scenarios, 85 (!) more than in July 2014. That's a " +"huge improvement because each release can be automatically tested to avoid " +"regressions instead of having to manually perform the same tests each " +"time. There is still some way to go, but someday releasing will be fast, " +"safe, and easy :)" +msgstr "" + +#. type: Bullet: '* ' +msgid "Tails ships a new certificate in 1.2.3, and a new signing key in 1.3." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We rewrote the history of our main Git repository to make it four times " +"smaller. This should make the new contributors' experience much nicer." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We upgraded the hardware of our main server so that it can handle the short " +"and mid-term plans we have for it: [[!tails_ticket 6196 desc=\"automatically " +"building ISO images from all active branches\"]], and then [[!tails_ticket " +"5288 desc=\"running our automated test suite on these ISO images\"]]." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Funding\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Laura Poitras and Edward Snowden won [[Ridenhour's film award for " +"Citizenfour|http://www.nationinstitute.org/blog/prizes/4376/%22citizenfour%22_will_receive_the_ridenhour_documentary_film_prize/]] " +"and offered the $10K prize to Tails - thanks, Laura and Edward! (and " +"congratulations for the Oscar)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"The Freedom Of The Press Foundation continues [[their crowdfunding " +"campaign|https://freedom.press//bundle/encryption-tools-journalists]] for " +"Tails (and other great projects!). Of course, there are [[many other ways to " +"donate|contribute/how/donate]] if you want to help :)" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Outreach\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We passed a call for [[help to have a Windows camouflage in Tails " +"Jessie|news/windows_camouflage_jessie]]!" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails now has a [[code of " +"conduct|contribute/working_together/code_of_conduct]]!" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Two of us attended [FOSDEM](https://fosdem.org/2015/) in Brussels, saw some " +"interesting talks and I hear the Belgian beer was good." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"One of us gave a talk at the Sapienza University of Rome, Italy " +"([slides](https://tails.boum.org/contribute/how/promote/material/slides/Roma-Uni_Sapienza-20150127/Tails.shtml)). " +"Thanks a lot to the local organizers!" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "On-going discussions\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"[[We did not reach an agreement " +"yet|https://mailman.boum.org/pipermail/tails-dev/2015-January/007821.html]] " +"about [[!tails_ticket 8665 desc=\"removing Adblock Plus\"]] (to have a " +"fingerprint closer to the Tor Browser Bundle's one) or keeping it (because " +"it's more comfortable for users)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"People try to come up with the best ideas for [[Tor " +"Monitor|http://git.tails.boum.org/alan/tor-monitor]], a [[!tails_ticket 6841 " +"desc=\"replacement for Vidalia\"]] in Tails Jessie. This is [[discussed on " +"tails-dev|https://mailman.boum.org/pipermail/tails-dev/2015-February/thread.html#8038]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"What kind of [verification " +"mechanism](https://mailman.boum.org/pipermail/tails-dev/2015-February/008059.html) " +"shall we do in the future [[ISO verification " +"extension|blueprint/bootstrapping/extension]]." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Press & Testimonials\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Four major French-speaking medias (Le Monde, La Libre Belgique, Le Soir de " +"Bruxelles and RTBF - radio-télévision belge) have launched [Source " +"Sûre](https://sourcesure.eu/), a whistleblowing platform, in French, that " +"uses Tails." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Many people seemed excited to hear about the Bitcoin wallet in Tails and " +"wrote about it. Welcome, Bitcoin community :)" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Translation and internationalization\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Some new translators joined the German translation team within the last " +"months. It's now the biggest translation team and they're seriously working " +"to have all the core pages of the website translated. Nearly halfway there, " +"keep up :)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"The French translation team manages to keep the core pages up-to-date, but " +"the rest of the web site could use more attention." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"The Portuguese translation team has not been very active lately, so the " +"Portuguese translations slowly becomes obsolete." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"The Spanish and Italian translation teams are still at the organizing stages " +"so their translations have not started yet." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"For all those languages (and other ones!), [[new translators are really " +"welcome|contribute/how/translate/]]!" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "All website PO files\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "de: 16% (979) strings translated, 0% strings fuzzy" +msgstr "" + +#. type: Bullet: ' - ' +msgid "fr: 50% (3,004) strings translated, 1% strings fuzzy" +msgstr "" + +#. type: Bullet: ' - ' +msgid "pt: 32% (1,947) strings translated, 2% strings fuzzy" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"[[Core PO files|contribute/l10n_tricks/core_po_files.txt]]\n" +"---------------------\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "de: 44% (571) strings translated, 0% strings fuzzy" +msgstr "" + +#. type: Bullet: ' - ' +msgid "fr: 96% (1,223) strings translated, 1% strings fuzzy" +msgstr "" + +#. type: Bullet: ' - ' +msgid "pt: 92% (1,173) strings translated, 4% strings fuzzy" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Metrics\n" +msgstr "" + +#. type: Plain text +msgid "In January:" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails has been started more than 356,292 times in January. This makes 11,493 " +"boots a day on average." +msgstr "" + +#. type: Bullet: '* ' +msgid "27,617 downloads of the OpenPGP signature of Tails ISO from our website." +msgstr "" + +#. type: Bullet: '* ' +msgid "108 bug reports were received through WhisperBack." +msgstr "" + +#. type: Plain text +msgid "In February:" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails has been started more than 344,664 times in February. This makes " +"12,309 boots a day on average." +msgstr "" + +#. type: Bullet: '* ' +msgid "25,530 downloads of the OpenPGP signature of Tails ISO from our website." +msgstr "" + +#. type: Bullet: '* ' +msgid "89 bug reports were received through WhisperBack." +msgstr "" diff --git a/wiki/src/news/report_2015_03.de.po b/wiki/src/news/report_2015_03.de.po new file mode 100644 index 0000000000000000000000000000000000000000..fafb86d363c29fa5e4cc88d1bb44ab3bc737b200 --- /dev/null +++ b/wiki/src/news/report_2015_03.de.po @@ -0,0 +1,422 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-04-09 15:53+0300\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Tails report for March, 2015\"]]\n" +msgstr "" + +#. type: Plain text +msgid "" +"March was full of surprises: first Mozilla changed the release date for " +"Firefox, so the Tor team had to change the release date for the [[Tor " +"Browser|https://blog.torproject.org/blog/tor-browser-406-released]], and we " +"had to change the release date of version 1.3.1. Usually, these updates are " +"a little late... but this time, it has been advanced one week earlier!" +msgstr "" + +#. type: Plain text +msgid "" +"But then... a whole bunch of [[vulnerabilities were discovered in Firefox|" +"https://www.mozilla.org/en-US/security/known-vulnerabilities/firefox-esr/" +"#firefoxesr31.6]], so Mozilla did an emergency release. Due to their early " +"release, we released 1.3.1 early as well, so that we could incorporate those " +"security fixes. And the planned 1.3.1 became 1.3.2. So, instead of a release-" +"free month, we had a two-releases month!" +msgstr "" + +#. type: Plain text +msgid "" +"Despite the hectic changes of plans, we did some good work. And for " +"starters, a bit of recursivity: in March, we... published the [[two|news/" +"report_end_of_2014]] [[previous|news/report_2015_01-02]] reports ;)" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!toc ]]\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Releases\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"[[Tails 1.3.1 was released on March 23, 2015|news/version_1.3.1]] (minor " +"release)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"[[Tails 1.3.2 was released on March 31, 2015|news/version_1.3.2]] (minor " +"release)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"The next release (1.4) is [[planned for May 12|https://tails.boum.org/" +"contribute/calendar/]]." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Code\n" +msgstr "" + +#. type: Plain text +msgid "" +"The two releases of this month fixed security issues, but did not introduce " +"major changes visible to the user. For details, see each release " +"announcement." +msgstr "" + +#. type: Plain text +msgid "" +"We see a lot of users still confused with how to save files from the Tor " +"Browser, so [[here's the link|https://tails.boum.org/doc/anonymous_internet/" +"Tor_Browser#index1h1]] if you have the same problem :)" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Documentation and website\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We explained why users [[shouldn't update Tails using `apt-get` or <span " +"class=\"application\">Synaptic</span>|support/faq#upgrade]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We explained how to [[install additional software|doc/advanced_topics/" +"additional_software]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "We mentioned I2P in our [[About page|about]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We explained [[what is metadata and recommend cleaning it|doc/" +"sensitive_documents/graphics]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We added to the known issues that [[Tails doesn't erase the video memory|" +"support/known_issues#video-memory]]." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "User experience\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"* We did a UX sprint at [NUMA Paris](https://numa.paris/) to start our work on the [[web assistant\n" +" for getting started with Tails|blueprint/bootstrapping/assistant]]:\n" +" - We discussed [[two initial designs we did\n" +" beforehand|blueprint/bootstrapping/assistant#1st_iteration]].\n" +" - We decided on a broad structure for our work.\n" +" - We [[refined our initial\n" +" designs|blueprint/bootstrapping/assistant#2nd_iteration]], conducted user\n" +" testing on each of them, [[drew conclusions from\n" +" that|blueprint/bootstrapping/assistant#3rd_iteration]].\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Infrastructure\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Our test suite now covers 162 scenarios, 9 more than in February (but the " +"numbers in February report were wrong). Thanks to some welcome refactoring, " +"we turned 14 tests into one :)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"As [[announced recently|news/signing_key_transition]], Tails ships a new " +"signing key in 1.3." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We have [[!tails_ticket 6564 desc=\"enabled\"]] core developers to remotely " +"run the Tails automated test suite on our infrastructure." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We did quite some work to prepare our infrastructure for the upcoming " +"release of Debian 8 (Jessie). Not only we have started upgrading some of our " +"systems, but for example, we have adapted our automated test suite [[!" +"tails_ticket 8165 desc=\"to run in a Jessie environment\"]], which led us to " +"discover [[!debbug 766475 desc=\"a bug\"]] in [[!debpts python-xmpp]], that " +"we then fixed directly in Debian. Similarly, we have also helped validating " +"the fix for a regression we have suffered from in the version of Puppet that " +"is shipped in Jessie." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Lots of thought and discussion was put into [[!tails_ticket 8654 desc=" +"\"revamping how we handle our APT repository\"]]." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Funding\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We [[received a $25,000 donation from DuckDuckGo|https://duck.co/blog/" +"donations_2015]]. Thank you :)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We started integrating the feedback from [Open Technology Fund](https://www." +"opentechfund.org/) into our proposal, and answered some of their questions." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We submitted our first quarterly report to the [Digital Defenders " +"Partnership](https://digitaldefenders.org/)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Our income statement for 2014 is almost ready to be published -- stay tuned." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We removed the call for donations from the homepage of the website, but... " +"yes, you guessed, [[we still welcome your donations, in euro, US dollar, " +"bitcoin, or your favorite currency|contribute/how/donate]] :)" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Outreach\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We are compiling a list of people and organizations doing Tails training. If " +"you do and want to be added, please write to <tails-press@boum.org>." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"DrWhax attended the [[Tor Dev's Winter Meeting|https://trac.torproject.org/" +"projects/tor/wiki/org/meetings/2015WinterDevMeeting]] during the " +"[[Circumvention Tech Festival|https://openitp.org/festival/circumvention-" +"tech-festival.html]] in Valencia (Spain), March 1st-6th." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails was presented during a lightning talk session organized by AccessNow, " +"at [[RightsCon|https://www.rightscon.org]], in Manila (Philippines) on March " +"24th 2015." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tchou presented Tails at the [[Hacks/Hackers meetup at Numa Paris|http://www." +"meetup.com/Hacks-Hackers-Paris/events/221190081/]] (France), a meeting " +"between journalists and developers." +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Upcoming events\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"intrigeri will give a talk about Tails at the [[MiniDebConf in Lyon, France|" +"https://france.debian.net/events/minidebconf2015/]] in April." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"A talk about Tails will probably take place at a [[MiniDebConf in Bucharest, " +"Romania|http://bucharest2015.mini.debconf.org/]] in May." +msgstr "" + +#. type: Plain text +msgid "Please let us know if you organize an event about Tails :)" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "On-going discussions\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Do we need a [green onion or not](https://mailman.boum.org/pipermail/tails-" +"dev/2015-March/008299.html) for [Tor Monitor](https://mailman.boum.org/" +"pipermail/tails-dev/2015-March/008329.html) (future replacement for Vidalia)?" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"More [ISO verification discussion](https://mailman.boum.org/pipermail/tails-" +"dev/2015-March/008333.html)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"There are problems with [Electrum and Tor](https://mailman.boum.org/" +"pipermail/tails-dev/2015-March/008378.html)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Do we need a [GUI for LUKS/Truecrypt](https://mailman.boum.org/pipermail/" +"tails-dev/2015-March/008389.html)?" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"[Tails on Windows Tablet?](https://mailman.boum.org/pipermail/tails-dev/2015-" +"March/008456.html)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We need an [underlay for UX and blueprints](https://mailman.boum.org/" +"pipermail/tails-dev/2015-March/008517.html)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"The [automatic build specifications](https://mailman.boum.org/pipermail/" +"tails-dev/2015-March/008290.html) are nearly done." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Press & Testimonials\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2015-03: [[A DIY Guide to Feminist Cybersecurity|https://tech." +"safehubcollective.org/cybersecurity/]] by safehubcollective.org qualifies " +"Tails as \"ultimate anonymity and amnesia\"." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2015-03: [SecureDrop at The Globe and Mail](https://sec.theglobeandmail.com/" +"securedrop/): even more newspapers recommend Tails to their potential " +"sources :)" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Translation and internationalization\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We're [[!tails_ticket 9049 desc=\"talking about our translation " +"infrastructure\"]]: how to make it easier to translate our website?" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "All website PO files\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"de: 16% (1012) strings translated, 0% strings fuzzy, 16% words translated" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"fr: 47% (2970) strings translated, 2% strings fuzzy, 45% words translated" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"pt: 30% (1913) strings translated, 2% strings fuzzy, 28% words translated" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"[[Core PO files|contribute/l10n_tricks/core_po_files.txt]]\n" +"--------------------------------------\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"de: 44% (568) strings translated, 1% strings fuzzy, 57% words translated" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"fr: 93% (1204) strings translated, 2% strings fuzzy, 94% words translated" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"pt: 89% (1149) strings translated, 6% strings fuzzy, 92% words translated" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Metrics\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails has been started more than 411,474 times in March. This makes 13,273 " +"boots a day on average." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"27,787 downloads of the OpenPGP signature of Tails ISO from our website." +msgstr "" + +#. type: Bullet: '* ' +msgid "106 bug reports were received through WhisperBack." +msgstr "" + +#. type: Plain text +msgid "Report by BitingBird for Tails folks" +msgstr "" diff --git a/wiki/src/news/report_2015_03.fr.po b/wiki/src/news/report_2015_03.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..fafb86d363c29fa5e4cc88d1bb44ab3bc737b200 --- /dev/null +++ b/wiki/src/news/report_2015_03.fr.po @@ -0,0 +1,422 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-04-09 15:53+0300\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Tails report for March, 2015\"]]\n" +msgstr "" + +#. type: Plain text +msgid "" +"March was full of surprises: first Mozilla changed the release date for " +"Firefox, so the Tor team had to change the release date for the [[Tor " +"Browser|https://blog.torproject.org/blog/tor-browser-406-released]], and we " +"had to change the release date of version 1.3.1. Usually, these updates are " +"a little late... but this time, it has been advanced one week earlier!" +msgstr "" + +#. type: Plain text +msgid "" +"But then... a whole bunch of [[vulnerabilities were discovered in Firefox|" +"https://www.mozilla.org/en-US/security/known-vulnerabilities/firefox-esr/" +"#firefoxesr31.6]], so Mozilla did an emergency release. Due to their early " +"release, we released 1.3.1 early as well, so that we could incorporate those " +"security fixes. And the planned 1.3.1 became 1.3.2. So, instead of a release-" +"free month, we had a two-releases month!" +msgstr "" + +#. type: Plain text +msgid "" +"Despite the hectic changes of plans, we did some good work. And for " +"starters, a bit of recursivity: in March, we... published the [[two|news/" +"report_end_of_2014]] [[previous|news/report_2015_01-02]] reports ;)" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!toc ]]\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Releases\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"[[Tails 1.3.1 was released on March 23, 2015|news/version_1.3.1]] (minor " +"release)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"[[Tails 1.3.2 was released on March 31, 2015|news/version_1.3.2]] (minor " +"release)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"The next release (1.4) is [[planned for May 12|https://tails.boum.org/" +"contribute/calendar/]]." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Code\n" +msgstr "" + +#. type: Plain text +msgid "" +"The two releases of this month fixed security issues, but did not introduce " +"major changes visible to the user. For details, see each release " +"announcement." +msgstr "" + +#. type: Plain text +msgid "" +"We see a lot of users still confused with how to save files from the Tor " +"Browser, so [[here's the link|https://tails.boum.org/doc/anonymous_internet/" +"Tor_Browser#index1h1]] if you have the same problem :)" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Documentation and website\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We explained why users [[shouldn't update Tails using `apt-get` or <span " +"class=\"application\">Synaptic</span>|support/faq#upgrade]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We explained how to [[install additional software|doc/advanced_topics/" +"additional_software]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "We mentioned I2P in our [[About page|about]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We explained [[what is metadata and recommend cleaning it|doc/" +"sensitive_documents/graphics]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We added to the known issues that [[Tails doesn't erase the video memory|" +"support/known_issues#video-memory]]." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "User experience\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"* We did a UX sprint at [NUMA Paris](https://numa.paris/) to start our work on the [[web assistant\n" +" for getting started with Tails|blueprint/bootstrapping/assistant]]:\n" +" - We discussed [[two initial designs we did\n" +" beforehand|blueprint/bootstrapping/assistant#1st_iteration]].\n" +" - We decided on a broad structure for our work.\n" +" - We [[refined our initial\n" +" designs|blueprint/bootstrapping/assistant#2nd_iteration]], conducted user\n" +" testing on each of them, [[drew conclusions from\n" +" that|blueprint/bootstrapping/assistant#3rd_iteration]].\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Infrastructure\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Our test suite now covers 162 scenarios, 9 more than in February (but the " +"numbers in February report were wrong). Thanks to some welcome refactoring, " +"we turned 14 tests into one :)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"As [[announced recently|news/signing_key_transition]], Tails ships a new " +"signing key in 1.3." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We have [[!tails_ticket 6564 desc=\"enabled\"]] core developers to remotely " +"run the Tails automated test suite on our infrastructure." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We did quite some work to prepare our infrastructure for the upcoming " +"release of Debian 8 (Jessie). Not only we have started upgrading some of our " +"systems, but for example, we have adapted our automated test suite [[!" +"tails_ticket 8165 desc=\"to run in a Jessie environment\"]], which led us to " +"discover [[!debbug 766475 desc=\"a bug\"]] in [[!debpts python-xmpp]], that " +"we then fixed directly in Debian. Similarly, we have also helped validating " +"the fix for a regression we have suffered from in the version of Puppet that " +"is shipped in Jessie." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Lots of thought and discussion was put into [[!tails_ticket 8654 desc=" +"\"revamping how we handle our APT repository\"]]." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Funding\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We [[received a $25,000 donation from DuckDuckGo|https://duck.co/blog/" +"donations_2015]]. Thank you :)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We started integrating the feedback from [Open Technology Fund](https://www." +"opentechfund.org/) into our proposal, and answered some of their questions." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We submitted our first quarterly report to the [Digital Defenders " +"Partnership](https://digitaldefenders.org/)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Our income statement for 2014 is almost ready to be published -- stay tuned." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We removed the call for donations from the homepage of the website, but... " +"yes, you guessed, [[we still welcome your donations, in euro, US dollar, " +"bitcoin, or your favorite currency|contribute/how/donate]] :)" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Outreach\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We are compiling a list of people and organizations doing Tails training. If " +"you do and want to be added, please write to <tails-press@boum.org>." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"DrWhax attended the [[Tor Dev's Winter Meeting|https://trac.torproject.org/" +"projects/tor/wiki/org/meetings/2015WinterDevMeeting]] during the " +"[[Circumvention Tech Festival|https://openitp.org/festival/circumvention-" +"tech-festival.html]] in Valencia (Spain), March 1st-6th." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails was presented during a lightning talk session organized by AccessNow, " +"at [[RightsCon|https://www.rightscon.org]], in Manila (Philippines) on March " +"24th 2015." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tchou presented Tails at the [[Hacks/Hackers meetup at Numa Paris|http://www." +"meetup.com/Hacks-Hackers-Paris/events/221190081/]] (France), a meeting " +"between journalists and developers." +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Upcoming events\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"intrigeri will give a talk about Tails at the [[MiniDebConf in Lyon, France|" +"https://france.debian.net/events/minidebconf2015/]] in April." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"A talk about Tails will probably take place at a [[MiniDebConf in Bucharest, " +"Romania|http://bucharest2015.mini.debconf.org/]] in May." +msgstr "" + +#. type: Plain text +msgid "Please let us know if you organize an event about Tails :)" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "On-going discussions\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Do we need a [green onion or not](https://mailman.boum.org/pipermail/tails-" +"dev/2015-March/008299.html) for [Tor Monitor](https://mailman.boum.org/" +"pipermail/tails-dev/2015-March/008329.html) (future replacement for Vidalia)?" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"More [ISO verification discussion](https://mailman.boum.org/pipermail/tails-" +"dev/2015-March/008333.html)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"There are problems with [Electrum and Tor](https://mailman.boum.org/" +"pipermail/tails-dev/2015-March/008378.html)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Do we need a [GUI for LUKS/Truecrypt](https://mailman.boum.org/pipermail/" +"tails-dev/2015-March/008389.html)?" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"[Tails on Windows Tablet?](https://mailman.boum.org/pipermail/tails-dev/2015-" +"March/008456.html)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We need an [underlay for UX and blueprints](https://mailman.boum.org/" +"pipermail/tails-dev/2015-March/008517.html)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"The [automatic build specifications](https://mailman.boum.org/pipermail/" +"tails-dev/2015-March/008290.html) are nearly done." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Press & Testimonials\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2015-03: [[A DIY Guide to Feminist Cybersecurity|https://tech." +"safehubcollective.org/cybersecurity/]] by safehubcollective.org qualifies " +"Tails as \"ultimate anonymity and amnesia\"." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2015-03: [SecureDrop at The Globe and Mail](https://sec.theglobeandmail.com/" +"securedrop/): even more newspapers recommend Tails to their potential " +"sources :)" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Translation and internationalization\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We're [[!tails_ticket 9049 desc=\"talking about our translation " +"infrastructure\"]]: how to make it easier to translate our website?" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "All website PO files\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"de: 16% (1012) strings translated, 0% strings fuzzy, 16% words translated" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"fr: 47% (2970) strings translated, 2% strings fuzzy, 45% words translated" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"pt: 30% (1913) strings translated, 2% strings fuzzy, 28% words translated" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"[[Core PO files|contribute/l10n_tricks/core_po_files.txt]]\n" +"--------------------------------------\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"de: 44% (568) strings translated, 1% strings fuzzy, 57% words translated" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"fr: 93% (1204) strings translated, 2% strings fuzzy, 94% words translated" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"pt: 89% (1149) strings translated, 6% strings fuzzy, 92% words translated" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Metrics\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails has been started more than 411,474 times in March. This makes 13,273 " +"boots a day on average." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"27,787 downloads of the OpenPGP signature of Tails ISO from our website." +msgstr "" + +#. type: Bullet: '* ' +msgid "106 bug reports were received through WhisperBack." +msgstr "" + +#. type: Plain text +msgid "Report by BitingBird for Tails folks" +msgstr "" diff --git a/wiki/src/news/report_2015_03.mdwn b/wiki/src/news/report_2015_03.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..b6d415fc9aad5727413266ed41b0c4aa51e98c72 --- /dev/null +++ b/wiki/src/news/report_2015_03.mdwn @@ -0,0 +1,166 @@ +[[!meta title="Tails report for March, 2015"]] + +March was full of surprises: first Mozilla changed the release date for Firefox, so the Tor team had to change the release date for the [[Tor Browser|https://blog.torproject.org/blog/tor-browser-406-released]], and we had to change the release date of version 1.3.1. Usually, these updates are a little late... but this time, it has been advanced one week earlier! + +But then... a whole bunch of [[vulnerabilities were discovered in Firefox|https://www.mozilla.org/en-US/security/known-vulnerabilities/firefox-esr/#firefoxesr31.6]], so Mozilla did an emergency release. Due to their early release, we released 1.3.1 early as well, so that we could incorporate those security fixes. And the planned 1.3.1 became 1.3.2. So, instead of a release-free month, we had a two-releases month! + +Despite the hectic changes of plans, we did some good work. And for starters, a bit of recursivity: in March, we... published the [[two|news/report_end_of_2014]] [[previous|news/report_2015_01-02]] reports ;) + +[[!toc ]] + +Releases +======== + +* [[Tails 1.3.1 was released on March 23, 2015|news/version_1.3.1]] (minor release). +* [[Tails 1.3.2 was released on March 31, 2015|news/version_1.3.2]] (minor release). +* The next release (1.4) is [[planned for May 12|https://tails.boum.org/contribute/calendar/]]. + +Code +==== + +The two releases of this month fixed security issues, but did not introduce major changes visible to the user. For details, see each release announcement. + +We see a lot of users still confused with how to save files from the Tor Browser, so [[here's the link|https://tails.boum.org/doc/anonymous_internet/Tor_Browser#index1h1]] if you have the same problem :) + +Documentation and website +========================= + +* We explained why users [[shouldn't update Tails using `apt-get` or <span class="application">Synaptic</span>|support/faq#upgrade]]. + +* We explained how to [[install additional software|doc/advanced_topics/additional_software]]. + +* We mentioned I2P in our [[About page|about]]. + +* We explained [[what is metadata and recommend cleaning it|doc/sensitive_documents/graphics]]. + +* We added to the known issues that [[Tails doesn't erase the video memory|support/known_issues#video-memory]]. + +User experience +=============== + +* We did a UX sprint at [NUMA Paris](https://numa.paris/) to start our work on the [[web assistant + for getting started with Tails|blueprint/bootstrapping/assistant]]: + - We discussed [[two initial designs we did + beforehand|blueprint/bootstrapping/assistant#1st_iteration]]. + - We decided on a broad structure for our work. + - We [[refined our initial + designs|blueprint/bootstrapping/assistant#2nd_iteration]], conducted user + testing on each of them, [[drew conclusions from + that|blueprint/bootstrapping/assistant#3rd_iteration]]. + +Infrastructure +============== + +* Our test suite now covers 162 scenarios, 9 more than in February + (but the numbers in February report were wrong). Thanks to some + welcome refactoring, we turned 14 tests into one :) + +* As [[announced recently|news/signing_key_transition]], Tails ships a new signing key in 1.3. + +* We have [[!tails_ticket 6564 desc="enabled"]] core developers to + remotely run the Tails automated test suite on our infrastructure. + +* We did quite some work to prepare our infrastructure for the + upcoming release of Debian 8 (Jessie). Not only we have started + upgrading some of our systems, but for example, we have adapted our + automated test suite [[!tails_ticket 8165 desc="to run in a Jessie + environment"]], which led us to discover [[!debbug 766475 desc="a + bug"]] in [[!debpts python-xmpp]], that we then fixed directly in + Debian. Similarly, we have also helped validating the fix for + a regression we have suffered from in the version of Puppet that is + shipped in Jessie. + +* Lots of thought and discussion was put into [[!tails_ticket 8654 + desc="revamping how we handle our APT repository"]]. + +Funding +======= + +* We [[received a $25,000 donation from DuckDuckGo|https://duck.co/blog/donations_2015]]. Thank you :) + +* We started integrating the feedback from [Open Technology + Fund](https://www.opentechfund.org/) into our proposal, and answered some of + their questions. + +* We submitted our first quarterly report to the [Digital + Defenders Partnership](https://digitaldefenders.org/). + +* Our income statement for 2014 is almost ready to be published -- + stay tuned. + +* We removed the call for donations from the homepage of the website, + but... yes, you guessed, [[we still welcome your donations, in euro, + US dollar, bitcoin, or your favorite currency|contribute/how/donate]] :) + +Outreach +======== + +* We are compiling a list of people and organizations doing Tails training. If you do and want to be added, please write to <tails-press@boum.org>. + +* DrWhax attended the [[Tor Dev's Winter Meeting|https://trac.torproject.org/projects/tor/wiki/org/meetings/2015WinterDevMeeting]] during the [[Circumvention Tech Festival|https://openitp.org/festival/circumvention-tech-festival.html]] in Valencia (Spain), March 1st-6th. + +* Tails was presented during a lightning talk session organized by AccessNow, at [[RightsCon|https://www.rightscon.org]], in Manila (Philippines) on March 24th 2015. + +* Tchou presented Tails at the [[Hacks/Hackers meetup at Numa Paris|http://www.meetup.com/Hacks-Hackers-Paris/events/221190081/]] (France), a meeting between journalists and developers. + +Upcoming events +--------------- + +* intrigeri will give a talk about Tails at the [[MiniDebConf in Lyon, France|https://france.debian.net/events/minidebconf2015/]] in April. + +* A talk about Tails will probably take place at a [[MiniDebConf in Bucharest, Romania|http://bucharest2015.mini.debconf.org/]] in May. + +Please let us know if you organize an event about Tails :) + +On-going discussions +==================== + +* Do we need a [green onion or not](https://mailman.boum.org/pipermail/tails-dev/2015-March/008299.html) for [Tor Monitor](https://mailman.boum.org/pipermail/tails-dev/2015-March/008329.html) (future replacement for Vidalia)? + +* More [ISO verification discussion](https://mailman.boum.org/pipermail/tails-dev/2015-March/008333.html) + +* There are problems with [Electrum and Tor](https://mailman.boum.org/pipermail/tails-dev/2015-March/008378.html) + +* Do we need a [GUI for LUKS/Truecrypt](https://mailman.boum.org/pipermail/tails-dev/2015-March/008389.html)? + +* [Tails on Windows Tablet?](https://mailman.boum.org/pipermail/tails-dev/2015-March/008456.html) + +* We need an [underlay for UX and blueprints](https://mailman.boum.org/pipermail/tails-dev/2015-March/008517.html). + +* The [automatic build specifications](https://mailman.boum.org/pipermail/tails-dev/2015-March/008290.html) are nearly done. + +Press & Testimonials +==================== + +* 2015-03: [[A DIY Guide to Feminist Cybersecurity|https://tech.safehubcollective.org/cybersecurity/]] by safehubcollective.org qualifies Tails as "ultimate anonymity and amnesia". + +* 2015-03: [SecureDrop at The Globe and Mail](https://sec.theglobeandmail.com/securedrop/): even more newspapers recommend Tails to their potential sources :) + +Translation and internationalization +==================================== + +* We're [[!tails_ticket 9049 desc="talking about our translation infrastructure"]]: how to make it easier to translate our website? + +All website PO files +-------------------- + + - de: 16% (1012) strings translated, 0% strings fuzzy, 16% words translated + - fr: 47% (2970) strings translated, 2% strings fuzzy, 45% words translated + - pt: 30% (1913) strings translated, 2% strings fuzzy, 28% words translated + +[[Core PO files|contribute/l10n_tricks/core_po_files.txt]] +-------------------------------------- + + - de: 44% (568) strings translated, 1% strings fuzzy, 57% words translated + - fr: 93% (1204) strings translated, 2% strings fuzzy, 94% words translated + - pt: 89% (1149) strings translated, 6% strings fuzzy, 92% words translated + +Metrics +======= + +* Tails has been started more than 411,474 times in March. This makes 13,273 boots a day on average. +* 27,787 downloads of the OpenPGP signature of Tails ISO from our website. +* 106 bug reports were received through WhisperBack. + +-- +Report by BitingBird for Tails folks diff --git a/wiki/src/news/report_2015_03.pt.po b/wiki/src/news/report_2015_03.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..fafb86d363c29fa5e4cc88d1bb44ab3bc737b200 --- /dev/null +++ b/wiki/src/news/report_2015_03.pt.po @@ -0,0 +1,422 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-04-09 15:53+0300\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Tails report for March, 2015\"]]\n" +msgstr "" + +#. type: Plain text +msgid "" +"March was full of surprises: first Mozilla changed the release date for " +"Firefox, so the Tor team had to change the release date for the [[Tor " +"Browser|https://blog.torproject.org/blog/tor-browser-406-released]], and we " +"had to change the release date of version 1.3.1. Usually, these updates are " +"a little late... but this time, it has been advanced one week earlier!" +msgstr "" + +#. type: Plain text +msgid "" +"But then... a whole bunch of [[vulnerabilities were discovered in Firefox|" +"https://www.mozilla.org/en-US/security/known-vulnerabilities/firefox-esr/" +"#firefoxesr31.6]], so Mozilla did an emergency release. Due to their early " +"release, we released 1.3.1 early as well, so that we could incorporate those " +"security fixes. And the planned 1.3.1 became 1.3.2. So, instead of a release-" +"free month, we had a two-releases month!" +msgstr "" + +#. type: Plain text +msgid "" +"Despite the hectic changes of plans, we did some good work. And for " +"starters, a bit of recursivity: in March, we... published the [[two|news/" +"report_end_of_2014]] [[previous|news/report_2015_01-02]] reports ;)" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!toc ]]\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Releases\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"[[Tails 1.3.1 was released on March 23, 2015|news/version_1.3.1]] (minor " +"release)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"[[Tails 1.3.2 was released on March 31, 2015|news/version_1.3.2]] (minor " +"release)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"The next release (1.4) is [[planned for May 12|https://tails.boum.org/" +"contribute/calendar/]]." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Code\n" +msgstr "" + +#. type: Plain text +msgid "" +"The two releases of this month fixed security issues, but did not introduce " +"major changes visible to the user. For details, see each release " +"announcement." +msgstr "" + +#. type: Plain text +msgid "" +"We see a lot of users still confused with how to save files from the Tor " +"Browser, so [[here's the link|https://tails.boum.org/doc/anonymous_internet/" +"Tor_Browser#index1h1]] if you have the same problem :)" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Documentation and website\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We explained why users [[shouldn't update Tails using `apt-get` or <span " +"class=\"application\">Synaptic</span>|support/faq#upgrade]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We explained how to [[install additional software|doc/advanced_topics/" +"additional_software]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "We mentioned I2P in our [[About page|about]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We explained [[what is metadata and recommend cleaning it|doc/" +"sensitive_documents/graphics]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We added to the known issues that [[Tails doesn't erase the video memory|" +"support/known_issues#video-memory]]." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "User experience\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"* We did a UX sprint at [NUMA Paris](https://numa.paris/) to start our work on the [[web assistant\n" +" for getting started with Tails|blueprint/bootstrapping/assistant]]:\n" +" - We discussed [[two initial designs we did\n" +" beforehand|blueprint/bootstrapping/assistant#1st_iteration]].\n" +" - We decided on a broad structure for our work.\n" +" - We [[refined our initial\n" +" designs|blueprint/bootstrapping/assistant#2nd_iteration]], conducted user\n" +" testing on each of them, [[drew conclusions from\n" +" that|blueprint/bootstrapping/assistant#3rd_iteration]].\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Infrastructure\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Our test suite now covers 162 scenarios, 9 more than in February (but the " +"numbers in February report were wrong). Thanks to some welcome refactoring, " +"we turned 14 tests into one :)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"As [[announced recently|news/signing_key_transition]], Tails ships a new " +"signing key in 1.3." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We have [[!tails_ticket 6564 desc=\"enabled\"]] core developers to remotely " +"run the Tails automated test suite on our infrastructure." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We did quite some work to prepare our infrastructure for the upcoming " +"release of Debian 8 (Jessie). Not only we have started upgrading some of our " +"systems, but for example, we have adapted our automated test suite [[!" +"tails_ticket 8165 desc=\"to run in a Jessie environment\"]], which led us to " +"discover [[!debbug 766475 desc=\"a bug\"]] in [[!debpts python-xmpp]], that " +"we then fixed directly in Debian. Similarly, we have also helped validating " +"the fix for a regression we have suffered from in the version of Puppet that " +"is shipped in Jessie." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Lots of thought and discussion was put into [[!tails_ticket 8654 desc=" +"\"revamping how we handle our APT repository\"]]." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Funding\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We [[received a $25,000 donation from DuckDuckGo|https://duck.co/blog/" +"donations_2015]]. Thank you :)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We started integrating the feedback from [Open Technology Fund](https://www." +"opentechfund.org/) into our proposal, and answered some of their questions." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We submitted our first quarterly report to the [Digital Defenders " +"Partnership](https://digitaldefenders.org/)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Our income statement for 2014 is almost ready to be published -- stay tuned." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We removed the call for donations from the homepage of the website, but... " +"yes, you guessed, [[we still welcome your donations, in euro, US dollar, " +"bitcoin, or your favorite currency|contribute/how/donate]] :)" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Outreach\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We are compiling a list of people and organizations doing Tails training. If " +"you do and want to be added, please write to <tails-press@boum.org>." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"DrWhax attended the [[Tor Dev's Winter Meeting|https://trac.torproject.org/" +"projects/tor/wiki/org/meetings/2015WinterDevMeeting]] during the " +"[[Circumvention Tech Festival|https://openitp.org/festival/circumvention-" +"tech-festival.html]] in Valencia (Spain), March 1st-6th." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails was presented during a lightning talk session organized by AccessNow, " +"at [[RightsCon|https://www.rightscon.org]], in Manila (Philippines) on March " +"24th 2015." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tchou presented Tails at the [[Hacks/Hackers meetup at Numa Paris|http://www." +"meetup.com/Hacks-Hackers-Paris/events/221190081/]] (France), a meeting " +"between journalists and developers." +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Upcoming events\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"intrigeri will give a talk about Tails at the [[MiniDebConf in Lyon, France|" +"https://france.debian.net/events/minidebconf2015/]] in April." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"A talk about Tails will probably take place at a [[MiniDebConf in Bucharest, " +"Romania|http://bucharest2015.mini.debconf.org/]] in May." +msgstr "" + +#. type: Plain text +msgid "Please let us know if you organize an event about Tails :)" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "On-going discussions\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Do we need a [green onion or not](https://mailman.boum.org/pipermail/tails-" +"dev/2015-March/008299.html) for [Tor Monitor](https://mailman.boum.org/" +"pipermail/tails-dev/2015-March/008329.html) (future replacement for Vidalia)?" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"More [ISO verification discussion](https://mailman.boum.org/pipermail/tails-" +"dev/2015-March/008333.html)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"There are problems with [Electrum and Tor](https://mailman.boum.org/" +"pipermail/tails-dev/2015-March/008378.html)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Do we need a [GUI for LUKS/Truecrypt](https://mailman.boum.org/pipermail/" +"tails-dev/2015-March/008389.html)?" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"[Tails on Windows Tablet?](https://mailman.boum.org/pipermail/tails-dev/2015-" +"March/008456.html)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We need an [underlay for UX and blueprints](https://mailman.boum.org/" +"pipermail/tails-dev/2015-March/008517.html)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"The [automatic build specifications](https://mailman.boum.org/pipermail/" +"tails-dev/2015-March/008290.html) are nearly done." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Press & Testimonials\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2015-03: [[A DIY Guide to Feminist Cybersecurity|https://tech." +"safehubcollective.org/cybersecurity/]] by safehubcollective.org qualifies " +"Tails as \"ultimate anonymity and amnesia\"." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2015-03: [SecureDrop at The Globe and Mail](https://sec.theglobeandmail.com/" +"securedrop/): even more newspapers recommend Tails to their potential " +"sources :)" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Translation and internationalization\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We're [[!tails_ticket 9049 desc=\"talking about our translation " +"infrastructure\"]]: how to make it easier to translate our website?" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "All website PO files\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"de: 16% (1012) strings translated, 0% strings fuzzy, 16% words translated" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"fr: 47% (2970) strings translated, 2% strings fuzzy, 45% words translated" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"pt: 30% (1913) strings translated, 2% strings fuzzy, 28% words translated" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"[[Core PO files|contribute/l10n_tricks/core_po_files.txt]]\n" +"--------------------------------------\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"de: 44% (568) strings translated, 1% strings fuzzy, 57% words translated" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"fr: 93% (1204) strings translated, 2% strings fuzzy, 94% words translated" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"pt: 89% (1149) strings translated, 6% strings fuzzy, 92% words translated" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Metrics\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails has been started more than 411,474 times in March. This makes 13,273 " +"boots a day on average." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"27,787 downloads of the OpenPGP signature of Tails ISO from our website." +msgstr "" + +#. type: Bullet: '* ' +msgid "106 bug reports were received through WhisperBack." +msgstr "" + +#. type: Plain text +msgid "Report by BitingBird for Tails folks" +msgstr "" diff --git a/wiki/src/news/report_2015_04.de.po b/wiki/src/news/report_2015_04.de.po new file mode 100644 index 0000000000000000000000000000000000000000..20ba0ffc0f8684fa3808ac224b0c74c09d5b9c69 --- /dev/null +++ b/wiki/src/news/report_2015_04.de.po @@ -0,0 +1,293 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-05-07 22:44+0200\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Tails report for April, 2015\"]]\n" +msgstr "" + +#. type: Plain text +msgid "" +"This report is a bit special: since we release every 6 weeks, there is no " +"release this month. The next one is [[planned for the 12th of " +"May|contribute/calendar]]. Therefore there are no code news, the work being " +"done will be reported when it's released :)" +msgstr "" + +#. type: Plain text +msgid "" +"However, like any Free Software project, Tails is not only about the code, " +"so here are the news about the other parts of the project!" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!toc ]]\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Documentation and website\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We wrote a small documentation about [[*Claws " +"Mail*|doc/anonymous_internet/claws_mail]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We corrected [[some|doc/first_steps/installation/manual/mac]] " +"[[details|doc/first_steps/installation/manual/linux]] in the manual " +"installation documentations, the [[verification " +"documentation|/download#verify]], and [[related FAQ " +"questions|support/faq#unetbootin_etc]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We added a [[FAQ entry about why we ship the GNOME " +"Desktop|support/faq#gnome]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We added a [[FAQ entry about why we don't sell preinstalled Tails " +"devices|support/faq#preinstalled]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We added (yet another) [[FAQ entry about why you shouldn't edit your " +"torrc|support/faq#torrc]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"... and various small improvements to the documentation all over the place " +":)" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "User experience\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"- On the [[ISO verification extension|blueprint/bootstrapping/extension]]:\n" +" - We started a security discussion about the [possible threats **from\n" +" inside the " +"browser**](https://mailman.boum.org/pipermail/tails-dev/2015-April/008648.html).\n" +" We need your expertise!\n" +" - We finished a [detailed\n" +" " +"wireframe](https://labs.riseup.net/code/attachments/download/759/extension-20150430.fodg)\n" +" of the various screens of the extension.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"- On the [[web assistant for getting started with " +"Tails|blueprint/bootstrapping/assistant]]:\n" +" - We finished a [[prototype for the 3rd iteration of the\n" +" " +"router|blueprint/bootstrapping/assistant/router/3rd_iteration/router-3rd-iteration.fodp]]\n" +" (the set of introductory questions) and [[tested it with several\n" +" " +"people|blueprint/bootstrapping/assistant/router/3rd_iteration/testing]].\n" +" - We started a discussion about [several terminology\n" +" " +"issues](https://mailman.boum.org/pipermail/tails-ux/2015-April/000370.html).\n" +" - We proposed a [[URL scheme|blueprint/bootstrapping/assistant#url]], a\n" +" [[JavaScript policy|blueprint/bootstrapping/assistant#javascript]],\n" +" and a [[compatibility list for " +"Mac|blueprint/bootstrapping/assistant#mac]].\n" +msgstr "" + +#. type: Plain text +msgid "" +"- We published some [[guidelines for user " +"testing|contribute/how/user_interface/testing]]." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Infrastructure\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "Our test suite now covers 177 scenarios, 15 more than in March." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We talked about having an [[underlay for UX or " +"blueprints|https://mailman.boum.org/pipermail/tails-dev/2015-April/008565.html]]" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"The [[automated builds " +"specification|https://mailman.boum.org/pipermail/tails-dev/2015-April/008595.html]] " +"discussion reached a conclusion" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We updated the [[APT suites " +"handling|https://mailman.boum.org/pipermail/tails-dev/2015-April/008608.html]]" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Outreach\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"intrigeri talked about contributing to Tails via Debian at a [[MiniDebConf " +"in Lyon, France|https://france.debian.net/events/minidebconf2015/]]." +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Upcoming events\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"A talk about Tails will take place at a [[MiniDebConf in Bucharest, " +"Romania|http://bucharest2015.mini.debconf.org/]] May 16th." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"People are organizing [[a workshop about " +"Tails|http://www.lacantine-brest.net/event/atelier-datalove-tails-x-tor/]] " +"in Brest, France in June." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "On-going discussions\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"The discussion continued regarding [[GUI for encrypted volumes from " +"LUKS/TrueCrypt container " +"files|https://mailman.boum.org/pipermail/tails-dev/2015-April/008566.html]]" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"A discussion has started concerning the [[migration from Python 2 to Python " +"3|https://mailman.boum.org/pipermail/tails-dev/2015-April/008641.html]]" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"People talked about [[Tails-like system for " +"tablets|https://mailman.boum.org/pipermail/tails-dev/2015-April/008623.html]]. " +"Hint: that's not coming soon." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Someone had a proposal concerning a [[Group " +"Installer|https://mailman.boum.org/pipermail/tails-dev/2015-April/008642.html]]" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Translation and internationalization\n" +msgstr "" + +#. type: Plain text +msgid "" +"Given all the recent changes in the documentation, the translation " +"statistics went a bit down. The German and French teams are working hard to " +"keep up-to-date. The Portuguese team needs new translators to help :)" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "All website PO files\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "de: 16% (1025) strings translated, 0% strings fuzzy, 16% words translated" +msgstr "" + +#. type: Bullet: ' - ' +msgid "fr: 46% (2936) strings translated, 2% strings fuzzy, 44% words translated" +msgstr "" + +#. type: Bullet: ' - ' +msgid "pt: 29% (1879) strings translated, 3% strings fuzzy, 27% words translated" +msgstr "" + +#. type: Plain text +msgid "Total original words: 73541" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"[[Core PO files|contribute/l10n_tricks/core_po_files.txt]]\n" +"---------------------------------------\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "de: 43% (569) strings translated, 1% strings fuzzy, 56% words translated" +msgstr "" + +#. type: Bullet: ' - ' +msgid "fr: 90% (1177) strings translated, 4% strings fuzzy, 91% words translated" +msgstr "" + +#. type: Bullet: ' - ' +msgid "pt: 86% (1121) strings translated, 8% strings fuzzy, 89% words translated" +msgstr "" + +#. type: Plain text +msgid "Total original words: 14111" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Metrics\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails has been started more than 397,162 times this month. This makes 13,238 " +"boots a day on average." +msgstr "" + +#. type: Bullet: '* ' +msgid "24,088 downloads of the OpenPGP signature of Tails ISO from our website." +msgstr "" + +#. type: Bullet: '* ' +msgid "62 bug reports were received through WhisperBack." +msgstr "" diff --git a/wiki/src/news/report_2015_04.fr.po b/wiki/src/news/report_2015_04.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..20ba0ffc0f8684fa3808ac224b0c74c09d5b9c69 --- /dev/null +++ b/wiki/src/news/report_2015_04.fr.po @@ -0,0 +1,293 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-05-07 22:44+0200\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Tails report for April, 2015\"]]\n" +msgstr "" + +#. type: Plain text +msgid "" +"This report is a bit special: since we release every 6 weeks, there is no " +"release this month. The next one is [[planned for the 12th of " +"May|contribute/calendar]]. Therefore there are no code news, the work being " +"done will be reported when it's released :)" +msgstr "" + +#. type: Plain text +msgid "" +"However, like any Free Software project, Tails is not only about the code, " +"so here are the news about the other parts of the project!" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!toc ]]\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Documentation and website\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We wrote a small documentation about [[*Claws " +"Mail*|doc/anonymous_internet/claws_mail]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We corrected [[some|doc/first_steps/installation/manual/mac]] " +"[[details|doc/first_steps/installation/manual/linux]] in the manual " +"installation documentations, the [[verification " +"documentation|/download#verify]], and [[related FAQ " +"questions|support/faq#unetbootin_etc]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We added a [[FAQ entry about why we ship the GNOME " +"Desktop|support/faq#gnome]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We added a [[FAQ entry about why we don't sell preinstalled Tails " +"devices|support/faq#preinstalled]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We added (yet another) [[FAQ entry about why you shouldn't edit your " +"torrc|support/faq#torrc]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"... and various small improvements to the documentation all over the place " +":)" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "User experience\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"- On the [[ISO verification extension|blueprint/bootstrapping/extension]]:\n" +" - We started a security discussion about the [possible threats **from\n" +" inside the " +"browser**](https://mailman.boum.org/pipermail/tails-dev/2015-April/008648.html).\n" +" We need your expertise!\n" +" - We finished a [detailed\n" +" " +"wireframe](https://labs.riseup.net/code/attachments/download/759/extension-20150430.fodg)\n" +" of the various screens of the extension.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"- On the [[web assistant for getting started with " +"Tails|blueprint/bootstrapping/assistant]]:\n" +" - We finished a [[prototype for the 3rd iteration of the\n" +" " +"router|blueprint/bootstrapping/assistant/router/3rd_iteration/router-3rd-iteration.fodp]]\n" +" (the set of introductory questions) and [[tested it with several\n" +" " +"people|blueprint/bootstrapping/assistant/router/3rd_iteration/testing]].\n" +" - We started a discussion about [several terminology\n" +" " +"issues](https://mailman.boum.org/pipermail/tails-ux/2015-April/000370.html).\n" +" - We proposed a [[URL scheme|blueprint/bootstrapping/assistant#url]], a\n" +" [[JavaScript policy|blueprint/bootstrapping/assistant#javascript]],\n" +" and a [[compatibility list for " +"Mac|blueprint/bootstrapping/assistant#mac]].\n" +msgstr "" + +#. type: Plain text +msgid "" +"- We published some [[guidelines for user " +"testing|contribute/how/user_interface/testing]]." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Infrastructure\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "Our test suite now covers 177 scenarios, 15 more than in March." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We talked about having an [[underlay for UX or " +"blueprints|https://mailman.boum.org/pipermail/tails-dev/2015-April/008565.html]]" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"The [[automated builds " +"specification|https://mailman.boum.org/pipermail/tails-dev/2015-April/008595.html]] " +"discussion reached a conclusion" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We updated the [[APT suites " +"handling|https://mailman.boum.org/pipermail/tails-dev/2015-April/008608.html]]" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Outreach\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"intrigeri talked about contributing to Tails via Debian at a [[MiniDebConf " +"in Lyon, France|https://france.debian.net/events/minidebconf2015/]]." +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Upcoming events\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"A talk about Tails will take place at a [[MiniDebConf in Bucharest, " +"Romania|http://bucharest2015.mini.debconf.org/]] May 16th." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"People are organizing [[a workshop about " +"Tails|http://www.lacantine-brest.net/event/atelier-datalove-tails-x-tor/]] " +"in Brest, France in June." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "On-going discussions\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"The discussion continued regarding [[GUI for encrypted volumes from " +"LUKS/TrueCrypt container " +"files|https://mailman.boum.org/pipermail/tails-dev/2015-April/008566.html]]" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"A discussion has started concerning the [[migration from Python 2 to Python " +"3|https://mailman.boum.org/pipermail/tails-dev/2015-April/008641.html]]" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"People talked about [[Tails-like system for " +"tablets|https://mailman.boum.org/pipermail/tails-dev/2015-April/008623.html]]. " +"Hint: that's not coming soon." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Someone had a proposal concerning a [[Group " +"Installer|https://mailman.boum.org/pipermail/tails-dev/2015-April/008642.html]]" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Translation and internationalization\n" +msgstr "" + +#. type: Plain text +msgid "" +"Given all the recent changes in the documentation, the translation " +"statistics went a bit down. The German and French teams are working hard to " +"keep up-to-date. The Portuguese team needs new translators to help :)" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "All website PO files\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "de: 16% (1025) strings translated, 0% strings fuzzy, 16% words translated" +msgstr "" + +#. type: Bullet: ' - ' +msgid "fr: 46% (2936) strings translated, 2% strings fuzzy, 44% words translated" +msgstr "" + +#. type: Bullet: ' - ' +msgid "pt: 29% (1879) strings translated, 3% strings fuzzy, 27% words translated" +msgstr "" + +#. type: Plain text +msgid "Total original words: 73541" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"[[Core PO files|contribute/l10n_tricks/core_po_files.txt]]\n" +"---------------------------------------\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "de: 43% (569) strings translated, 1% strings fuzzy, 56% words translated" +msgstr "" + +#. type: Bullet: ' - ' +msgid "fr: 90% (1177) strings translated, 4% strings fuzzy, 91% words translated" +msgstr "" + +#. type: Bullet: ' - ' +msgid "pt: 86% (1121) strings translated, 8% strings fuzzy, 89% words translated" +msgstr "" + +#. type: Plain text +msgid "Total original words: 14111" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Metrics\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails has been started more than 397,162 times this month. This makes 13,238 " +"boots a day on average." +msgstr "" + +#. type: Bullet: '* ' +msgid "24,088 downloads of the OpenPGP signature of Tails ISO from our website." +msgstr "" + +#. type: Bullet: '* ' +msgid "62 bug reports were received through WhisperBack." +msgstr "" diff --git a/wiki/src/news/report_2015_04.mdwn b/wiki/src/news/report_2015_04.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..38201849d548c3e8d94b8df445e8c000f1f2f5e9 --- /dev/null +++ b/wiki/src/news/report_2015_04.mdwn @@ -0,0 +1,110 @@ +[[!meta title="Tails report for April, 2015"]] + +This report is a bit special: since we release every 6 weeks, there is no release this month. The next one is [[planned for the 12th of May|contribute/calendar]]. Therefore there are no code news, the work being done will be reported when it's released :) + +However, like any Free Software project, Tails is not only about the code, so here are the news about the other parts of the project! + +[[!toc ]] + +Documentation and website +========================= + +* We wrote a small documentation about [[*Claws Mail*|doc/anonymous_internet/claws_mail]]. + +* We corrected [[some|doc/first_steps/installation/manual/mac]] [[details|doc/first_steps/installation/manual/linux]] in the manual installation documentations, the [[verification documentation|/download#verify]], and [[related FAQ questions|support/faq#unetbootin_etc]]. + +* We added a [[FAQ entry about why we ship the GNOME Desktop|support/faq#gnome]]. + +* We added a [[FAQ entry about why we don't sell preinstalled Tails devices|support/faq#preinstalled]]. + +* We added (yet another) [[FAQ entry about why you shouldn't edit your torrc|support/faq#torrc]]. + +* ... and various small improvements to the documentation all over the place :) + +User experience +=============== + +- On the [[ISO verification extension|blueprint/bootstrapping/extension]]: + - We started a security discussion about the [possible threats **from + inside the browser**](https://mailman.boum.org/pipermail/tails-dev/2015-April/008648.html). + We need your expertise! + - We finished a [detailed + wireframe](https://labs.riseup.net/code/attachments/download/759/extension-20150430.fodg) + of the various screens of the extension. + +- On the [[web assistant for getting started with Tails|blueprint/bootstrapping/assistant]]: + - We finished a [[prototype for the 3rd iteration of the + router|blueprint/bootstrapping/assistant/router/3rd_iteration/router-3rd-iteration.fodp]] + (the set of introductory questions) and [[tested it with several + people|blueprint/bootstrapping/assistant/router/3rd_iteration/testing]]. + - We started a discussion about [several terminology + issues](https://mailman.boum.org/pipermail/tails-ux/2015-April/000370.html). + - We proposed a [[URL scheme|blueprint/bootstrapping/assistant#url]], a + [[JavaScript policy|blueprint/bootstrapping/assistant#javascript]], + and a [[compatibility list for Mac|blueprint/bootstrapping/assistant#mac]]. + +- We published some [[guidelines for user testing|contribute/how/user_interface/testing]]. + +Infrastructure +============== + +* Our test suite now covers 177 scenarios, 15 more than in March. + +* We talked about having an [[underlay for UX or blueprints|https://mailman.boum.org/pipermail/tails-dev/2015-April/008565.html]] + +* The [[automated builds specification|https://mailman.boum.org/pipermail/tails-dev/2015-April/008595.html]] discussion reached a conclusion + +* We updated the [[APT suites handling|https://mailman.boum.org/pipermail/tails-dev/2015-April/008608.html]] + +Outreach +======== + +* intrigeri talked about contributing to Tails via Debian at a [[MiniDebConf in Lyon, France|https://france.debian.net/events/minidebconf2015/]]. + +Upcoming events +--------------- + +* A talk about Tails will take place at a [[MiniDebConf in Bucharest, Romania|http://bucharest2015.mini.debconf.org/]] May 16th. + +* People are organizing [[a workshop about Tails|http://www.lacantine-brest.net/event/atelier-datalove-tails-x-tor/]] in Brest, France in June. + +On-going discussions +==================== + +* The discussion continued regarding [[GUI for encrypted volumes from LUKS/TrueCrypt container files|https://mailman.boum.org/pipermail/tails-dev/2015-April/008566.html]] + +* A discussion has started concerning the [[migration from Python 2 to Python 3|https://mailman.boum.org/pipermail/tails-dev/2015-April/008641.html]] + +* People talked about [[Tails-like system for tablets|https://mailman.boum.org/pipermail/tails-dev/2015-April/008623.html]]. Hint: that's not coming soon. + +* Someone had a proposal concerning a [[Group Installer|https://mailman.boum.org/pipermail/tails-dev/2015-April/008642.html]] + +Translation and internationalization +==================================== + +Given all the recent changes in the documentation, the translation statistics went a bit down. The German and French teams are working hard to keep up-to-date. The Portuguese team needs new translators to help :) + +All website PO files +-------------------- + + - de: 16% (1025) strings translated, 0% strings fuzzy, 16% words translated + - fr: 46% (2936) strings translated, 2% strings fuzzy, 44% words translated + - pt: 29% (1879) strings translated, 3% strings fuzzy, 27% words translated + +Total original words: 73541 + +[[Core PO files|contribute/l10n_tricks/core_po_files.txt]] +--------------------------------------- + + - de: 43% (569) strings translated, 1% strings fuzzy, 56% words translated + - fr: 90% (1177) strings translated, 4% strings fuzzy, 91% words translated + - pt: 86% (1121) strings translated, 8% strings fuzzy, 89% words translated + +Total original words: 14111 + +Metrics +======= + +* Tails has been started more than 397,162 times this month. This makes 13,238 boots a day on average. +* 24,088 downloads of the OpenPGP signature of Tails ISO from our website. +* 62 bug reports were received through WhisperBack. diff --git a/wiki/src/news/report_2015_04.pt.po b/wiki/src/news/report_2015_04.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..20ba0ffc0f8684fa3808ac224b0c74c09d5b9c69 --- /dev/null +++ b/wiki/src/news/report_2015_04.pt.po @@ -0,0 +1,293 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-05-07 22:44+0200\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Tails report for April, 2015\"]]\n" +msgstr "" + +#. type: Plain text +msgid "" +"This report is a bit special: since we release every 6 weeks, there is no " +"release this month. The next one is [[planned for the 12th of " +"May|contribute/calendar]]. Therefore there are no code news, the work being " +"done will be reported when it's released :)" +msgstr "" + +#. type: Plain text +msgid "" +"However, like any Free Software project, Tails is not only about the code, " +"so here are the news about the other parts of the project!" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!toc ]]\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Documentation and website\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We wrote a small documentation about [[*Claws " +"Mail*|doc/anonymous_internet/claws_mail]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We corrected [[some|doc/first_steps/installation/manual/mac]] " +"[[details|doc/first_steps/installation/manual/linux]] in the manual " +"installation documentations, the [[verification " +"documentation|/download#verify]], and [[related FAQ " +"questions|support/faq#unetbootin_etc]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We added a [[FAQ entry about why we ship the GNOME " +"Desktop|support/faq#gnome]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We added a [[FAQ entry about why we don't sell preinstalled Tails " +"devices|support/faq#preinstalled]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We added (yet another) [[FAQ entry about why you shouldn't edit your " +"torrc|support/faq#torrc]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"... and various small improvements to the documentation all over the place " +":)" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "User experience\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"- On the [[ISO verification extension|blueprint/bootstrapping/extension]]:\n" +" - We started a security discussion about the [possible threats **from\n" +" inside the " +"browser**](https://mailman.boum.org/pipermail/tails-dev/2015-April/008648.html).\n" +" We need your expertise!\n" +" - We finished a [detailed\n" +" " +"wireframe](https://labs.riseup.net/code/attachments/download/759/extension-20150430.fodg)\n" +" of the various screens of the extension.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"- On the [[web assistant for getting started with " +"Tails|blueprint/bootstrapping/assistant]]:\n" +" - We finished a [[prototype for the 3rd iteration of the\n" +" " +"router|blueprint/bootstrapping/assistant/router/3rd_iteration/router-3rd-iteration.fodp]]\n" +" (the set of introductory questions) and [[tested it with several\n" +" " +"people|blueprint/bootstrapping/assistant/router/3rd_iteration/testing]].\n" +" - We started a discussion about [several terminology\n" +" " +"issues](https://mailman.boum.org/pipermail/tails-ux/2015-April/000370.html).\n" +" - We proposed a [[URL scheme|blueprint/bootstrapping/assistant#url]], a\n" +" [[JavaScript policy|blueprint/bootstrapping/assistant#javascript]],\n" +" and a [[compatibility list for " +"Mac|blueprint/bootstrapping/assistant#mac]].\n" +msgstr "" + +#. type: Plain text +msgid "" +"- We published some [[guidelines for user " +"testing|contribute/how/user_interface/testing]]." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Infrastructure\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "Our test suite now covers 177 scenarios, 15 more than in March." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We talked about having an [[underlay for UX or " +"blueprints|https://mailman.boum.org/pipermail/tails-dev/2015-April/008565.html]]" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"The [[automated builds " +"specification|https://mailman.boum.org/pipermail/tails-dev/2015-April/008595.html]] " +"discussion reached a conclusion" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"We updated the [[APT suites " +"handling|https://mailman.boum.org/pipermail/tails-dev/2015-April/008608.html]]" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Outreach\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"intrigeri talked about contributing to Tails via Debian at a [[MiniDebConf " +"in Lyon, France|https://france.debian.net/events/minidebconf2015/]]." +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Upcoming events\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"A talk about Tails will take place at a [[MiniDebConf in Bucharest, " +"Romania|http://bucharest2015.mini.debconf.org/]] May 16th." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"People are organizing [[a workshop about " +"Tails|http://www.lacantine-brest.net/event/atelier-datalove-tails-x-tor/]] " +"in Brest, France in June." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "On-going discussions\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"The discussion continued regarding [[GUI for encrypted volumes from " +"LUKS/TrueCrypt container " +"files|https://mailman.boum.org/pipermail/tails-dev/2015-April/008566.html]]" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"A discussion has started concerning the [[migration from Python 2 to Python " +"3|https://mailman.boum.org/pipermail/tails-dev/2015-April/008641.html]]" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"People talked about [[Tails-like system for " +"tablets|https://mailman.boum.org/pipermail/tails-dev/2015-April/008623.html]]. " +"Hint: that's not coming soon." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Someone had a proposal concerning a [[Group " +"Installer|https://mailman.boum.org/pipermail/tails-dev/2015-April/008642.html]]" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Translation and internationalization\n" +msgstr "" + +#. type: Plain text +msgid "" +"Given all the recent changes in the documentation, the translation " +"statistics went a bit down. The German and French teams are working hard to " +"keep up-to-date. The Portuguese team needs new translators to help :)" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "All website PO files\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "de: 16% (1025) strings translated, 0% strings fuzzy, 16% words translated" +msgstr "" + +#. type: Bullet: ' - ' +msgid "fr: 46% (2936) strings translated, 2% strings fuzzy, 44% words translated" +msgstr "" + +#. type: Bullet: ' - ' +msgid "pt: 29% (1879) strings translated, 3% strings fuzzy, 27% words translated" +msgstr "" + +#. type: Plain text +msgid "Total original words: 73541" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"[[Core PO files|contribute/l10n_tricks/core_po_files.txt]]\n" +"---------------------------------------\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "de: 43% (569) strings translated, 1% strings fuzzy, 56% words translated" +msgstr "" + +#. type: Bullet: ' - ' +msgid "fr: 90% (1177) strings translated, 4% strings fuzzy, 91% words translated" +msgstr "" + +#. type: Bullet: ' - ' +msgid "pt: 86% (1121) strings translated, 8% strings fuzzy, 89% words translated" +msgstr "" + +#. type: Plain text +msgid "Total original words: 14111" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Metrics\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails has been started more than 397,162 times this month. This makes 13,238 " +"boots a day on average." +msgstr "" + +#. type: Bullet: '* ' +msgid "24,088 downloads of the OpenPGP signature of Tails ISO from our website." +msgstr "" + +#. type: Bullet: '* ' +msgid "62 bug reports were received through WhisperBack." +msgstr "" diff --git a/wiki/src/news/report_end_of_2014.de.po b/wiki/src/news/report_end_of_2014.de.po new file mode 100644 index 0000000000000000000000000000000000000000..af3e2d67daf7beabdf498c944e583ae82ed7ded5 --- /dev/null +++ b/wiki/src/news/report_end_of_2014.de.po @@ -0,0 +1,308 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-04 15:18+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Tails report from August to December 2014\"]]\n" +msgstr "" + +#. type: Plain text +msgid "" +"As you might have noticed, [[the last monthly " +"report|news/report_2014_06-07]] was a long time ago, because the people who " +"were doing them had really no time left. Somebody new finally takes over, " +"let's hope it lasts :)" +msgstr "" + +#. type: Plain text +msgid "" +"So, here is a minimal report for the second half of 2014, the next ones will " +"be more complete." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Releases\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"[[Tails 1.1.1 was released on September 2, 2014.|news/version_1.1.1]] (minor " +"release)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"[[Tails 1.2 was released on October 14, 2014.|news/version_1.2]] (major " +"release)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"[[Tails 1.2.1 was released on December 3, 2014.|news/version_1.2.1]] (minor " +"release)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"[[Tails 1.2.2 was released on December 15, 2014.|news/version_1.2.2]] " +"(special minor release for security reasons)" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Code\n" +msgstr "" + +#. type: Plain text +msgid "For details, see each release announcement. Notable changes include:" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"1.1.1: [[I2P|doc/anonymous_internet/i2p]] now needs to be enabled with a " +"boot option. We made this choice after [[a security hole affected " +"I2P|security/Security_hole_in_I2P_0.9.13]] ; this problem is now fixed, but " +"if any other is discovered in the future, it won't affect Tails users who " +"don't use I2P." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"1.2: [[Tor Browser|doc/anonymous_internet/Tor_Browser]] replaces the " +"previous Firefox + Torbutton setup. This allows us to work more closely with " +"Tor people and provide a more unified experience to the user." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Several major applications are [[confined with " +"AppArmor|contribute/design/application_isolation]]. This improves the " +"overall security provided by Tails, and AppArmor work is going on to confine " +"more applications :)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"1.2.1: finally remove [[TrueCrypt|doc/encryption_and_privacy/truecrypt]]. It " +"was abandonned upstream since a long time, and it's safer to use maintained, " +"reviewed encryption methods, like " +"[[LUKS|doc/encryption_and_privacy/encrypted_volumes]] (that's what the " +"[[persistence|doc/first_steps/persistence]] uses). You can still open your " +"TrueCrypt volumes, but we recommand you switch to LUKS volumes as soon as " +"possible." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Funding\n" +msgstr "" + +#. type: Bullet: '- ' +msgid "" +"We passed a [[call for donations|news/who_are_you_helping]] on our website " +"which was quite successful. Donations are still welcome though :)" +msgstr "" + +#. type: Bullet: '- ' +msgid "" +"The grant proposal that we submitted to the [Digital " +"Defenders](https://digitaldefenders.org/) was approved. It will fund part of " +"our activity over 2015:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" - Build our capacity to provide same-day security updates:\n" +" - Increase the test coverage of our automated test suite to cover\n" +" most of our remaining manual tests.\n" +" - Write automated tests for the new features to be developed during\n" +" 2015.\n" +" - Buy dedicated hardware to allow core developers to be able to run\n" +" the test suite locally.\n" +" - Streamline the installation process for less tech-savvy people:\n" +" - Have Tails Installer available in Debian, Ubuntu, and derivatives.\n" +" - Write a Firefox extension to automate the ISO verification at\n" +" download time.\n" +" - Rework our download and installation instructions as a web\n" +" assistant to guide new users step-by-step through the process.\n" +" - Provide one year of help desk.\n" +msgstr "" + +#. type: Bullet: '- ' +msgid "" +"We submitted a full proposal to the [Open Technology " +"Fund](https://www.opentechfund.org/). It passed a first round of review and " +"is now waiting for the approval of their final committee." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Outreach\n" +msgstr "" + +#. type: Bullet: '- ' +msgid "" +"Several Tails contributors attended the " +"[31C3](https://events.ccc.de/category/31c3/) in Hamburg. We held a Tails " +"table where many people came to ask questions, get Tails installed, start to " +"contribute or just say thank you. We even had some origami folding moments " +":)" +msgstr "" + +#. type: Bullet: '- ' +msgid "" +"We passed a call for help on [[porting Windows camouflage to GNOME " +"3.14|news/windows_camouflage_jessie]]." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Press & Testimonials\n" +msgstr "" + +#. type: Plain text +msgid "" +"For more information concerning the second half of 2014, see [[our press " +"page|press]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-12-29: In [Reconstructive " +"narratives](http://media.ccc.de/browse/congress/2014/31c3_-_6258_-_en_-_saal_1_-_201412282030_-_reconstructing_narratives_-_jacob_-_laura_poitras.html#video) " +"at the 31th Chaos Communication Congress, Jacob Appelbaum and Laura Poitras " +"explained that properly implemented encryption technologies such as Tor, " +"Tails, GnuPG, OTR, and RedPhone are some of the only ones that can blind the " +"pervasive surveillance of the NSA. They are rated as \"catastrophic\" by the " +"NSA itself." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails is being used in the film [Citizenfour](https://citizenfourfilm.com/) " +"by Laura Poitras and appears in the credits." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Documentation\n" +msgstr "" + +#. type: Bullet: '- ' +msgid "" +"We documented a workaround to [[empty the " +"trash|doc/encryption_and_privacy/secure_deletion#empty_trash]] of the " +"persistent volume." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Metrics\n" +msgstr "" + +#. type: Plain text +msgid "In August 2014:" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails has been started more than 287,156 times in August. This makes 9,263 " +"boots a day on average." +msgstr "" + +#. type: Bullet: '* ' +msgid "19,910 downloads of the OpenPGP signature of Tails ISO from our website." +msgstr "" + +#. type: Bullet: '* ' +msgid "110 bug reports were received through WhisperBack." +msgstr "" + +#. type: Plain text +msgid "In September 2014:" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails has been started more than 344,639 times in September. This makes " +"11,488 boots a day on average." +msgstr "" + +#. type: Bullet: '* ' +msgid "26,311 downloads of the OpenPGP signature of Tails ISO from our website." +msgstr "" + +#. type: Bullet: '* ' +msgid "102 bug reports were received through WhisperBack." +msgstr "" + +#. type: Plain text +msgid "In October 2014:" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails has been started more than 364,727 times in October. This makes 11,765 " +"boots a day on average." +msgstr "" + +#. type: Bullet: '* ' +msgid "27,342 downloads of the OpenPGP signature of Tails ISO from our website." +msgstr "" + +#. type: Bullet: '* ' +msgid "160 bug reports were received through WhisperBack." +msgstr "" + +#. type: Plain text +msgid "In November 2014:" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails has been started more than 337,962 times in November. This makes " +"11,265 boots a day on average." +msgstr "" + +#. type: Bullet: '* ' +msgid "21,301 downloads of the OpenPGP signature of Tails ISO from our website." +msgstr "" + +#. type: Bullet: '* ' +msgid "74 bug reports were received through WhisperBack." +msgstr "" + +#. type: Plain text +msgid "In December 2014:" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails has been started more than 347,669 times in December. This makes " +"11,215 boots a day on average." +msgstr "" + +#. type: Bullet: '* ' +msgid "26,549 downloads of the OpenPGP signature of Tails ISO from our website." +msgstr "" + +#. type: Bullet: '* ' +msgid "91 bug reports were received through WhisperBack." +msgstr "" diff --git a/wiki/src/news/report_end_of_2014.fr.po b/wiki/src/news/report_end_of_2014.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..af3e2d67daf7beabdf498c944e583ae82ed7ded5 --- /dev/null +++ b/wiki/src/news/report_end_of_2014.fr.po @@ -0,0 +1,308 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-04 15:18+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Tails report from August to December 2014\"]]\n" +msgstr "" + +#. type: Plain text +msgid "" +"As you might have noticed, [[the last monthly " +"report|news/report_2014_06-07]] was a long time ago, because the people who " +"were doing them had really no time left. Somebody new finally takes over, " +"let's hope it lasts :)" +msgstr "" + +#. type: Plain text +msgid "" +"So, here is a minimal report for the second half of 2014, the next ones will " +"be more complete." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Releases\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"[[Tails 1.1.1 was released on September 2, 2014.|news/version_1.1.1]] (minor " +"release)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"[[Tails 1.2 was released on October 14, 2014.|news/version_1.2]] (major " +"release)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"[[Tails 1.2.1 was released on December 3, 2014.|news/version_1.2.1]] (minor " +"release)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"[[Tails 1.2.2 was released on December 15, 2014.|news/version_1.2.2]] " +"(special minor release for security reasons)" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Code\n" +msgstr "" + +#. type: Plain text +msgid "For details, see each release announcement. Notable changes include:" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"1.1.1: [[I2P|doc/anonymous_internet/i2p]] now needs to be enabled with a " +"boot option. We made this choice after [[a security hole affected " +"I2P|security/Security_hole_in_I2P_0.9.13]] ; this problem is now fixed, but " +"if any other is discovered in the future, it won't affect Tails users who " +"don't use I2P." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"1.2: [[Tor Browser|doc/anonymous_internet/Tor_Browser]] replaces the " +"previous Firefox + Torbutton setup. This allows us to work more closely with " +"Tor people and provide a more unified experience to the user." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Several major applications are [[confined with " +"AppArmor|contribute/design/application_isolation]]. This improves the " +"overall security provided by Tails, and AppArmor work is going on to confine " +"more applications :)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"1.2.1: finally remove [[TrueCrypt|doc/encryption_and_privacy/truecrypt]]. It " +"was abandonned upstream since a long time, and it's safer to use maintained, " +"reviewed encryption methods, like " +"[[LUKS|doc/encryption_and_privacy/encrypted_volumes]] (that's what the " +"[[persistence|doc/first_steps/persistence]] uses). You can still open your " +"TrueCrypt volumes, but we recommand you switch to LUKS volumes as soon as " +"possible." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Funding\n" +msgstr "" + +#. type: Bullet: '- ' +msgid "" +"We passed a [[call for donations|news/who_are_you_helping]] on our website " +"which was quite successful. Donations are still welcome though :)" +msgstr "" + +#. type: Bullet: '- ' +msgid "" +"The grant proposal that we submitted to the [Digital " +"Defenders](https://digitaldefenders.org/) was approved. It will fund part of " +"our activity over 2015:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" - Build our capacity to provide same-day security updates:\n" +" - Increase the test coverage of our automated test suite to cover\n" +" most of our remaining manual tests.\n" +" - Write automated tests for the new features to be developed during\n" +" 2015.\n" +" - Buy dedicated hardware to allow core developers to be able to run\n" +" the test suite locally.\n" +" - Streamline the installation process for less tech-savvy people:\n" +" - Have Tails Installer available in Debian, Ubuntu, and derivatives.\n" +" - Write a Firefox extension to automate the ISO verification at\n" +" download time.\n" +" - Rework our download and installation instructions as a web\n" +" assistant to guide new users step-by-step through the process.\n" +" - Provide one year of help desk.\n" +msgstr "" + +#. type: Bullet: '- ' +msgid "" +"We submitted a full proposal to the [Open Technology " +"Fund](https://www.opentechfund.org/). It passed a first round of review and " +"is now waiting for the approval of their final committee." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Outreach\n" +msgstr "" + +#. type: Bullet: '- ' +msgid "" +"Several Tails contributors attended the " +"[31C3](https://events.ccc.de/category/31c3/) in Hamburg. We held a Tails " +"table where many people came to ask questions, get Tails installed, start to " +"contribute or just say thank you. We even had some origami folding moments " +":)" +msgstr "" + +#. type: Bullet: '- ' +msgid "" +"We passed a call for help on [[porting Windows camouflage to GNOME " +"3.14|news/windows_camouflage_jessie]]." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Press & Testimonials\n" +msgstr "" + +#. type: Plain text +msgid "" +"For more information concerning the second half of 2014, see [[our press " +"page|press]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-12-29: In [Reconstructive " +"narratives](http://media.ccc.de/browse/congress/2014/31c3_-_6258_-_en_-_saal_1_-_201412282030_-_reconstructing_narratives_-_jacob_-_laura_poitras.html#video) " +"at the 31th Chaos Communication Congress, Jacob Appelbaum and Laura Poitras " +"explained that properly implemented encryption technologies such as Tor, " +"Tails, GnuPG, OTR, and RedPhone are some of the only ones that can blind the " +"pervasive surveillance of the NSA. They are rated as \"catastrophic\" by the " +"NSA itself." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails is being used in the film [Citizenfour](https://citizenfourfilm.com/) " +"by Laura Poitras and appears in the credits." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Documentation\n" +msgstr "" + +#. type: Bullet: '- ' +msgid "" +"We documented a workaround to [[empty the " +"trash|doc/encryption_and_privacy/secure_deletion#empty_trash]] of the " +"persistent volume." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Metrics\n" +msgstr "" + +#. type: Plain text +msgid "In August 2014:" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails has been started more than 287,156 times in August. This makes 9,263 " +"boots a day on average." +msgstr "" + +#. type: Bullet: '* ' +msgid "19,910 downloads of the OpenPGP signature of Tails ISO from our website." +msgstr "" + +#. type: Bullet: '* ' +msgid "110 bug reports were received through WhisperBack." +msgstr "" + +#. type: Plain text +msgid "In September 2014:" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails has been started more than 344,639 times in September. This makes " +"11,488 boots a day on average." +msgstr "" + +#. type: Bullet: '* ' +msgid "26,311 downloads of the OpenPGP signature of Tails ISO from our website." +msgstr "" + +#. type: Bullet: '* ' +msgid "102 bug reports were received through WhisperBack." +msgstr "" + +#. type: Plain text +msgid "In October 2014:" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails has been started more than 364,727 times in October. This makes 11,765 " +"boots a day on average." +msgstr "" + +#. type: Bullet: '* ' +msgid "27,342 downloads of the OpenPGP signature of Tails ISO from our website." +msgstr "" + +#. type: Bullet: '* ' +msgid "160 bug reports were received through WhisperBack." +msgstr "" + +#. type: Plain text +msgid "In November 2014:" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails has been started more than 337,962 times in November. This makes " +"11,265 boots a day on average." +msgstr "" + +#. type: Bullet: '* ' +msgid "21,301 downloads of the OpenPGP signature of Tails ISO from our website." +msgstr "" + +#. type: Bullet: '* ' +msgid "74 bug reports were received through WhisperBack." +msgstr "" + +#. type: Plain text +msgid "In December 2014:" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails has been started more than 347,669 times in December. This makes " +"11,215 boots a day on average." +msgstr "" + +#. type: Bullet: '* ' +msgid "26,549 downloads of the OpenPGP signature of Tails ISO from our website." +msgstr "" + +#. type: Bullet: '* ' +msgid "91 bug reports were received through WhisperBack." +msgstr "" diff --git a/wiki/src/news/report_end_of_2014.mdwn b/wiki/src/news/report_end_of_2014.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..c6fc977b5469501ea2da342825938998bd28949a --- /dev/null +++ b/wiki/src/news/report_end_of_2014.mdwn @@ -0,0 +1,143 @@ +[[!meta title="Tails report from August to December 2014"]] + +As you might have noticed, [[the last monthly +report|news/report_2014_06-07]] was a long time ago, because the people +who were doing them had really no time left. Somebody new finally takes +over, let's hope it lasts :) + +So, here is a minimal report for the second half of 2014, the next ones +will be more complete. + +Releases +======== + +* [[Tails 1.1.1 was released on September 2, 2014.|news/version_1.1.1]] (minor release) +* [[Tails 1.2 was released on October 14, 2014.|news/version_1.2]] (major release) +* [[Tails 1.2.1 was released on December 3, 2014.|news/version_1.2.1]] (minor release) +* [[Tails 1.2.2 was released on December 15, 2014.|news/version_1.2.2]] (special minor release for security reasons) + +Code +==== + +For details, see each release announcement. Notable changes include: + +* 1.1.1: [[I2P|doc/anonymous_internet/i2p]] now needs to be enabled with + a boot option. We made this choice after [[a security hole affected + I2P|security/Security_hole_in_I2P_0.9.13]] ; this problem is now + fixed, but if any other is discovered in the future, it won't affect + Tails users who don't use I2P. + +* 1.2: [[Tor Browser|doc/anonymous_internet/Tor_Browser]] replaces the + previous Firefox + Torbutton setup. This allows us to work more + closely with Tor people and provide a more unified experience to the + user. + +* Several major applications are [[confined with + AppArmor|contribute/design/application_isolation]]. This improves the + overall security provided by Tails, and AppArmor work is going on to + confine more applications :) + +* 1.2.1: finally remove + [[TrueCrypt|doc/encryption_and_privacy/truecrypt]]. It was abandonned + upstream since a long time, and it's safer to use maintained, reviewed + encryption methods, like + [[LUKS|doc/encryption_and_privacy/encrypted_volumes]] (that's what the + [[persistence|doc/first_steps/persistence]] uses). You can still open + your TrueCrypt volumes, but we recommand you switch to LUKS volumes as + soon as possible. + +Funding +======= + +- We passed a [[call for donations|news/who_are_you_helping]] on our + website which was quite successful. Donations are still welcome though :) + +- The grant proposal that we submitted to the [Digital + Defenders](https://digitaldefenders.org/) was approved. It will fund + part of our activity over 2015: + + - Build our capacity to provide same-day security updates: + - Increase the test coverage of our automated test suite to cover + most of our remaining manual tests. + - Write automated tests for the new features to be developed during + 2015. + - Buy dedicated hardware to allow core developers to be able to run + the test suite locally. + - Streamline the installation process for less tech-savvy people: + - Have Tails Installer available in Debian, Ubuntu, and derivatives. + - Write a Firefox extension to automate the ISO verification at + download time. + - Rework our download and installation instructions as a web + assistant to guide new users step-by-step through the process. + - Provide one year of help desk. + +- We submitted a full proposal to the [Open Technology + Fund](https://www.opentechfund.org/). It passed a first round of + review and is now waiting for the approval of their final committee. + +Outreach +======== + +- Several Tails contributors attended the + [31C3](https://events.ccc.de/category/31c3/) in Hamburg. We held a + Tails table where many people came to ask questions, get Tails + installed, start to contribute or just say thank you. We even had some + origami folding moments :) + +- We passed a call for help on [[porting Windows camouflage to GNOME + 3.14|news/windows_camouflage_jessie]]. + +Press & Testimonials +==================== + +For more information concerning the second half of 2014, see [[our press page|press]]. + +* 2014-12-29: In [Reconstructive narratives](http://media.ccc.de/browse/congress/2014/31c3_-_6258_-_en_-_saal_1_-_201412282030_-_reconstructing_narratives_-_jacob_-_laura_poitras.html#video) + at the 31th Chaos Communication Congress, Jacob Appelbaum and Laura + Poitras explained that properly implemented encryption technologies + such as Tor, Tails, GnuPG, OTR, and RedPhone are some of the only ones + that can blind the pervasive surveillance of the NSA. They are rated + as "catastrophic" by the NSA itself. + +* Tails is being used in the film + [Citizenfour](https://citizenfourfilm.com/) by Laura Poitras and + appears in the credits. + +Documentation +============= + +- We documented a workaround to [[empty the + trash|doc/encryption_and_privacy/secure_deletion#empty_trash]] of the persistent volume. + +Metrics +======= + +In August 2014: + +* Tails has been started more than 287,156 times in August. This makes 9,263 boots a day on average. +* 19,910 downloads of the OpenPGP signature of Tails ISO from our website. +* 110 bug reports were received through WhisperBack. + +In September 2014: + +* Tails has been started more than 344,639 times in September. This makes 11,488 boots a day on average. +* 26,311 downloads of the OpenPGP signature of Tails ISO from our website. +* 102 bug reports were received through WhisperBack. + +In October 2014: + +* Tails has been started more than 364,727 times in October. This makes 11,765 boots a day on average. +* 27,342 downloads of the OpenPGP signature of Tails ISO from our website. +* 160 bug reports were received through WhisperBack. + +In November 2014: + +* Tails has been started more than 337,962 times in November. This makes 11,265 boots a day on average. +* 21,301 downloads of the OpenPGP signature of Tails ISO from our website. +* 74 bug reports were received through WhisperBack. + +In December 2014: + +* Tails has been started more than 347,669 times in December. This makes 11,215 boots a day on average. +* 26,549 downloads of the OpenPGP signature of Tails ISO from our website. +* 91 bug reports were received through WhisperBack. diff --git a/wiki/src/news/report_end_of_2014.pt.po b/wiki/src/news/report_end_of_2014.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..af3e2d67daf7beabdf498c944e583ae82ed7ded5 --- /dev/null +++ b/wiki/src/news/report_end_of_2014.pt.po @@ -0,0 +1,308 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-04 15:18+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Tails report from August to December 2014\"]]\n" +msgstr "" + +#. type: Plain text +msgid "" +"As you might have noticed, [[the last monthly " +"report|news/report_2014_06-07]] was a long time ago, because the people who " +"were doing them had really no time left. Somebody new finally takes over, " +"let's hope it lasts :)" +msgstr "" + +#. type: Plain text +msgid "" +"So, here is a minimal report for the second half of 2014, the next ones will " +"be more complete." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Releases\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"[[Tails 1.1.1 was released on September 2, 2014.|news/version_1.1.1]] (minor " +"release)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"[[Tails 1.2 was released on October 14, 2014.|news/version_1.2]] (major " +"release)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"[[Tails 1.2.1 was released on December 3, 2014.|news/version_1.2.1]] (minor " +"release)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"[[Tails 1.2.2 was released on December 15, 2014.|news/version_1.2.2]] " +"(special minor release for security reasons)" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Code\n" +msgstr "" + +#. type: Plain text +msgid "For details, see each release announcement. Notable changes include:" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"1.1.1: [[I2P|doc/anonymous_internet/i2p]] now needs to be enabled with a " +"boot option. We made this choice after [[a security hole affected " +"I2P|security/Security_hole_in_I2P_0.9.13]] ; this problem is now fixed, but " +"if any other is discovered in the future, it won't affect Tails users who " +"don't use I2P." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"1.2: [[Tor Browser|doc/anonymous_internet/Tor_Browser]] replaces the " +"previous Firefox + Torbutton setup. This allows us to work more closely with " +"Tor people and provide a more unified experience to the user." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Several major applications are [[confined with " +"AppArmor|contribute/design/application_isolation]]. This improves the " +"overall security provided by Tails, and AppArmor work is going on to confine " +"more applications :)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"1.2.1: finally remove [[TrueCrypt|doc/encryption_and_privacy/truecrypt]]. It " +"was abandonned upstream since a long time, and it's safer to use maintained, " +"reviewed encryption methods, like " +"[[LUKS|doc/encryption_and_privacy/encrypted_volumes]] (that's what the " +"[[persistence|doc/first_steps/persistence]] uses). You can still open your " +"TrueCrypt volumes, but we recommand you switch to LUKS volumes as soon as " +"possible." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Funding\n" +msgstr "" + +#. type: Bullet: '- ' +msgid "" +"We passed a [[call for donations|news/who_are_you_helping]] on our website " +"which was quite successful. Donations are still welcome though :)" +msgstr "" + +#. type: Bullet: '- ' +msgid "" +"The grant proposal that we submitted to the [Digital " +"Defenders](https://digitaldefenders.org/) was approved. It will fund part of " +"our activity over 2015:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" - Build our capacity to provide same-day security updates:\n" +" - Increase the test coverage of our automated test suite to cover\n" +" most of our remaining manual tests.\n" +" - Write automated tests for the new features to be developed during\n" +" 2015.\n" +" - Buy dedicated hardware to allow core developers to be able to run\n" +" the test suite locally.\n" +" - Streamline the installation process for less tech-savvy people:\n" +" - Have Tails Installer available in Debian, Ubuntu, and derivatives.\n" +" - Write a Firefox extension to automate the ISO verification at\n" +" download time.\n" +" - Rework our download and installation instructions as a web\n" +" assistant to guide new users step-by-step through the process.\n" +" - Provide one year of help desk.\n" +msgstr "" + +#. type: Bullet: '- ' +msgid "" +"We submitted a full proposal to the [Open Technology " +"Fund](https://www.opentechfund.org/). It passed a first round of review and " +"is now waiting for the approval of their final committee." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Outreach\n" +msgstr "" + +#. type: Bullet: '- ' +msgid "" +"Several Tails contributors attended the " +"[31C3](https://events.ccc.de/category/31c3/) in Hamburg. We held a Tails " +"table where many people came to ask questions, get Tails installed, start to " +"contribute or just say thank you. We even had some origami folding moments " +":)" +msgstr "" + +#. type: Bullet: '- ' +msgid "" +"We passed a call for help on [[porting Windows camouflage to GNOME " +"3.14|news/windows_camouflage_jessie]]." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Press & Testimonials\n" +msgstr "" + +#. type: Plain text +msgid "" +"For more information concerning the second half of 2014, see [[our press " +"page|press]]." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-12-29: In [Reconstructive " +"narratives](http://media.ccc.de/browse/congress/2014/31c3_-_6258_-_en_-_saal_1_-_201412282030_-_reconstructing_narratives_-_jacob_-_laura_poitras.html#video) " +"at the 31th Chaos Communication Congress, Jacob Appelbaum and Laura Poitras " +"explained that properly implemented encryption technologies such as Tor, " +"Tails, GnuPG, OTR, and RedPhone are some of the only ones that can blind the " +"pervasive surveillance of the NSA. They are rated as \"catastrophic\" by the " +"NSA itself." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails is being used in the film [Citizenfour](https://citizenfourfilm.com/) " +"by Laura Poitras and appears in the credits." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Documentation\n" +msgstr "" + +#. type: Bullet: '- ' +msgid "" +"We documented a workaround to [[empty the " +"trash|doc/encryption_and_privacy/secure_deletion#empty_trash]] of the " +"persistent volume." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Metrics\n" +msgstr "" + +#. type: Plain text +msgid "In August 2014:" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails has been started more than 287,156 times in August. This makes 9,263 " +"boots a day on average." +msgstr "" + +#. type: Bullet: '* ' +msgid "19,910 downloads of the OpenPGP signature of Tails ISO from our website." +msgstr "" + +#. type: Bullet: '* ' +msgid "110 bug reports were received through WhisperBack." +msgstr "" + +#. type: Plain text +msgid "In September 2014:" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails has been started more than 344,639 times in September. This makes " +"11,488 boots a day on average." +msgstr "" + +#. type: Bullet: '* ' +msgid "26,311 downloads of the OpenPGP signature of Tails ISO from our website." +msgstr "" + +#. type: Bullet: '* ' +msgid "102 bug reports were received through WhisperBack." +msgstr "" + +#. type: Plain text +msgid "In October 2014:" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails has been started more than 364,727 times in October. This makes 11,765 " +"boots a day on average." +msgstr "" + +#. type: Bullet: '* ' +msgid "27,342 downloads of the OpenPGP signature of Tails ISO from our website." +msgstr "" + +#. type: Bullet: '* ' +msgid "160 bug reports were received through WhisperBack." +msgstr "" + +#. type: Plain text +msgid "In November 2014:" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails has been started more than 337,962 times in November. This makes " +"11,265 boots a day on average." +msgstr "" + +#. type: Bullet: '* ' +msgid "21,301 downloads of the OpenPGP signature of Tails ISO from our website." +msgstr "" + +#. type: Bullet: '* ' +msgid "74 bug reports were received through WhisperBack." +msgstr "" + +#. type: Plain text +msgid "In December 2014:" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails has been started more than 347,669 times in December. This makes " +"11,215 boots a day on average." +msgstr "" + +#. type: Bullet: '* ' +msgid "26,549 downloads of the OpenPGP signature of Tails ISO from our website." +msgstr "" + +#. type: Bullet: '* ' +msgid "91 bug reports were received through WhisperBack." +msgstr "" diff --git a/wiki/src/news/signing_key_transition.de.po b/wiki/src/news/signing_key_transition.de.po new file mode 100644 index 0000000000000000000000000000000000000000..7cbce85fc3fe1be3fea7ce170b54e8ee13118497 --- /dev/null +++ b/wiki/src/news/signing_key_transition.de.po @@ -0,0 +1,224 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-23 02:53+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"Mon Mar 16 12:34:56 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Transition to a new OpenPGP signing key\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!tag announce]]\n" +msgstr "" + +#. type: Plain text +msgid "Tails is transitioning to a new OpenPGP signing key." +msgstr "" + +#. type: Plain text +msgid "The signing key is the key that we use to:" +msgstr "" + +#. type: Bullet: ' - ' +msgid "Sign our official ISO images." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Certify the other [[OpenPGP keys|doc/about/openpgp_keys]] used by the " +"project." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"note\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>The previous signing key is safe and, to the best of our knowledge, it\n" +"has not been compromised.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>We are doing this change to improve our security practices when\n" +"manipulating such a critical piece of data.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"tip\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<ul>\n" +" <li>The old key can still be used to verify Tails 1.3 ISO images.</li>\n" +" <li>The new key will be used to sign ISO images starting from Tails 1.3.1.</li>\n" +"</ul>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Import and verify the new signing key\n" +msgstr "" + +#. type: Plain text +msgid "" +"Click on the following button to download and import the new signing key:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a class=\"download-key\" href=\"https://tails.boum.org/tails-signing.key\">new Tails signing key</a>\n" +msgstr "" + +#. type: Plain text +msgid "" +"The new signing key is itself signed by the old signing key. So you can " +"transitively trust this new key if you had trusted the old signing key." +msgstr "" + +#. type: Plain text +msgid "" +"To verify that the new key is correctly signed by the old key, you can " +"execute the following command:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " gpg --check-sigs A490D0F4D311A4153E2BB7CADBB802B258ACD84F\n" +msgstr "" + +#. type: Plain text +msgid "" +"The output should include a signature of the new key by the old key such as:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " sig! 0x1202821CBE2CD9C1 2015-01-19 Tails developers (signing key) <tails@boum.org>\n" +msgstr "" + +#. type: Plain text +msgid "" +"In this output, the status of the verification is indicated by a flag " +"directly following the \"`sig`\" tag. A \"`!`\" indicates that the signature " +"has been successfully verified." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Security policy for the new signing key\n" +msgstr "" + +#. type: Plain text +msgid "Here is the full description of the new signing key:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<pre>\n" +" pub 4096R/0xDBB802B258ACD84F 2015-01-18 [expires: 2016-01-11]\n" +" Key fingerprint = A490 D0F4 D311 A415 3E2B B7CA DBB8 02B2 58AC D84F\n" +" uid [ unknown] Tails developers (offline long-term identity key) <tails@boum.org>\n" +" sub 4096R/0x98FEC6BC752A3DB6 2015-01-18 [expires: 2016-01-11]\n" +" sub 4096R/0x3C83DCB52F699C56 2015-01-18 [expires: 2016-01-11]\n" +"</pre>\n" +msgstr "" + +#. type: Plain text +msgid "You can see that it has:" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"A primary key (marked as `pub`) with ID `0xDBB802B258ACD84F`. This primary " +"key:" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Is not owned in a usable format by any single individual. It is split " +"cryptographically using [gfshare](http://www.digital-scurf.org/software/" +"libgfshare)." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Is only used offline, in an air-gapped Tails." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Expires in less than one year. We will extend its validity as many times as " +"we find reasonable." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Two subkeys (marked as `sub`) with IDs `0x98FEC6BC752A3DB6` and " +"`0x3C83DCB52F699C56` which are stored on OpenPGP smartcards and owned by our " +"release managers. Smartcards ensure that the cryptographic operations are " +"done on the smartcard itself and that the secret cryptographic material is " +"not directly available to the operating system using it." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Web-of-Trust with the Debian keyring\n" +msgstr "" + +#. type: Plain text +msgid "" +"This new signing key has already been signed by various Debian developers, " +"namely:" +msgstr "" + +#. type: Bullet: ' - ' +msgid "gregor herrmann <gregoa@debian.org>, with key `0xBB3A68018649AA06`" +msgstr "" + +#. type: Bullet: ' - ' +msgid "Holger Levsen <holger@debian.org>, with key `0x091AB856069AAA1C`" +msgstr "" + +#. type: Bullet: ' - ' +msgid "Stefano Zacchiroli <zack@debian.org>, with key `0x9C31503C6D866396`" +msgstr "" + +#. type: Plain text +msgid "" +"So you can use the technique described in our documentation to further " +"[[verify the Tails signing key against the Debian keyring|doc/get/" +"trusting_tails_signing_key#debian]] using any of those three keys." +msgstr "" diff --git a/wiki/src/news/signing_key_transition.fr.po b/wiki/src/news/signing_key_transition.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..7cbce85fc3fe1be3fea7ce170b54e8ee13118497 --- /dev/null +++ b/wiki/src/news/signing_key_transition.fr.po @@ -0,0 +1,224 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-23 02:53+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"Mon Mar 16 12:34:56 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Transition to a new OpenPGP signing key\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!tag announce]]\n" +msgstr "" + +#. type: Plain text +msgid "Tails is transitioning to a new OpenPGP signing key." +msgstr "" + +#. type: Plain text +msgid "The signing key is the key that we use to:" +msgstr "" + +#. type: Bullet: ' - ' +msgid "Sign our official ISO images." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Certify the other [[OpenPGP keys|doc/about/openpgp_keys]] used by the " +"project." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"note\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>The previous signing key is safe and, to the best of our knowledge, it\n" +"has not been compromised.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>We are doing this change to improve our security practices when\n" +"manipulating such a critical piece of data.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"tip\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<ul>\n" +" <li>The old key can still be used to verify Tails 1.3 ISO images.</li>\n" +" <li>The new key will be used to sign ISO images starting from Tails 1.3.1.</li>\n" +"</ul>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Import and verify the new signing key\n" +msgstr "" + +#. type: Plain text +msgid "" +"Click on the following button to download and import the new signing key:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a class=\"download-key\" href=\"https://tails.boum.org/tails-signing.key\">new Tails signing key</a>\n" +msgstr "" + +#. type: Plain text +msgid "" +"The new signing key is itself signed by the old signing key. So you can " +"transitively trust this new key if you had trusted the old signing key." +msgstr "" + +#. type: Plain text +msgid "" +"To verify that the new key is correctly signed by the old key, you can " +"execute the following command:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " gpg --check-sigs A490D0F4D311A4153E2BB7CADBB802B258ACD84F\n" +msgstr "" + +#. type: Plain text +msgid "" +"The output should include a signature of the new key by the old key such as:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " sig! 0x1202821CBE2CD9C1 2015-01-19 Tails developers (signing key) <tails@boum.org>\n" +msgstr "" + +#. type: Plain text +msgid "" +"In this output, the status of the verification is indicated by a flag " +"directly following the \"`sig`\" tag. A \"`!`\" indicates that the signature " +"has been successfully verified." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Security policy for the new signing key\n" +msgstr "" + +#. type: Plain text +msgid "Here is the full description of the new signing key:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<pre>\n" +" pub 4096R/0xDBB802B258ACD84F 2015-01-18 [expires: 2016-01-11]\n" +" Key fingerprint = A490 D0F4 D311 A415 3E2B B7CA DBB8 02B2 58AC D84F\n" +" uid [ unknown] Tails developers (offline long-term identity key) <tails@boum.org>\n" +" sub 4096R/0x98FEC6BC752A3DB6 2015-01-18 [expires: 2016-01-11]\n" +" sub 4096R/0x3C83DCB52F699C56 2015-01-18 [expires: 2016-01-11]\n" +"</pre>\n" +msgstr "" + +#. type: Plain text +msgid "You can see that it has:" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"A primary key (marked as `pub`) with ID `0xDBB802B258ACD84F`. This primary " +"key:" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Is not owned in a usable format by any single individual. It is split " +"cryptographically using [gfshare](http://www.digital-scurf.org/software/" +"libgfshare)." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Is only used offline, in an air-gapped Tails." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Expires in less than one year. We will extend its validity as many times as " +"we find reasonable." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Two subkeys (marked as `sub`) with IDs `0x98FEC6BC752A3DB6` and " +"`0x3C83DCB52F699C56` which are stored on OpenPGP smartcards and owned by our " +"release managers. Smartcards ensure that the cryptographic operations are " +"done on the smartcard itself and that the secret cryptographic material is " +"not directly available to the operating system using it." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Web-of-Trust with the Debian keyring\n" +msgstr "" + +#. type: Plain text +msgid "" +"This new signing key has already been signed by various Debian developers, " +"namely:" +msgstr "" + +#. type: Bullet: ' - ' +msgid "gregor herrmann <gregoa@debian.org>, with key `0xBB3A68018649AA06`" +msgstr "" + +#. type: Bullet: ' - ' +msgid "Holger Levsen <holger@debian.org>, with key `0x091AB856069AAA1C`" +msgstr "" + +#. type: Bullet: ' - ' +msgid "Stefano Zacchiroli <zack@debian.org>, with key `0x9C31503C6D866396`" +msgstr "" + +#. type: Plain text +msgid "" +"So you can use the technique described in our documentation to further " +"[[verify the Tails signing key against the Debian keyring|doc/get/" +"trusting_tails_signing_key#debian]] using any of those three keys." +msgstr "" diff --git a/wiki/src/news/signing_key_transition.mdwn b/wiki/src/news/signing_key_transition.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..62d197df9b69a93af83a4bee9a44ac25557ec513 --- /dev/null +++ b/wiki/src/news/signing_key_transition.mdwn @@ -0,0 +1,102 @@ +[[!meta date="Mon Mar 16 12:34:56 2015"]] +[[!meta title="Transition to a new OpenPGP signing key"]] +[[!tag announce]] + +Tails is transitioning to a new OpenPGP signing key. + +The signing key is the key that we use to: + + - Sign our official ISO images. + - Certify the other [[OpenPGP keys|doc/about/openpgp_keys]] used by the project. + +<div class="note"> + +<p>The previous signing key is safe and, to the best of our knowledge, it +has not been compromised.</p> + +<p>We are doing this change to improve our security practices when +manipulating such a critical piece of data.</p> + +</div> + +<div class="tip"> + +<ul> + <li>The old key can still be used to verify Tails 1.3 ISO images.</li> + <li>The new key will be used to sign ISO images starting from Tails 1.3.1.</li> +</ul> + +</div> + +[[!toc]] + +Import and verify the new signing key +===================================== + +Click on the following button to download and import the new signing +key: + +<a class="download-key" href="https://tails.boum.org/tails-signing.key">new Tails signing key</a> + +The new signing key is itself signed by the old signing key. So you can +transitively trust this new key if you had trusted the old signing key. + +To verify that the new key is correctly signed by the old key, you can +execute the following command: + + gpg --check-sigs A490D0F4D311A4153E2BB7CADBB802B258ACD84F + +The output should include a signature of the new key by the old key such +as: + + sig! 0x1202821CBE2CD9C1 2015-01-19 Tails developers (signing key) <tails@boum.org> + +In this output, the status of the verification is indicated by a flag +directly following the "`sig`" tag. A "`!`" indicates that the signature +has been successfully verified. + +Security policy for the new signing key +======================================= + +Here is the full description of the new signing key: + +<pre> + pub 4096R/0xDBB802B258ACD84F 2015-01-18 [expires: 2016-01-11] + Key fingerprint = A490 D0F4 D311 A415 3E2B B7CA DBB8 02B2 58AC D84F + uid [ unknown] Tails developers (offline long-term identity key) <tails@boum.org> + sub 4096R/0x98FEC6BC752A3DB6 2015-01-18 [expires: 2016-01-11] + sub 4096R/0x3C83DCB52F699C56 2015-01-18 [expires: 2016-01-11] +</pre> + +You can see that it has: + + - A primary key (marked as `pub`) with ID `0xDBB802B258ACD84F`. This primary key: + + - Is not owned in a usable format by any single individual. It is + split cryptographically using + [gfshare](http://www.digital-scurf.org/software/libgfshare). + - Is only used offline, in an air-gapped Tails. + - Expires in less than one year. We will extend its validity as many + times as we find reasonable. + + - Two subkeys (marked as `sub`) with IDs `0x98FEC6BC752A3DB6` and + `0x3C83DCB52F699C56` which are stored on OpenPGP smartcards and owned + by our release managers. Smartcards ensure that the cryptographic + operations are done on the smartcard itself and that the secret + cryptographic material is not directly available to the operating + system using it. + +Web-of-Trust with the Debian keyring +==================================== + +This new signing key has already been signed by various Debian +developers, namely: + + - gregor herrmann <gregoa@debian.org>, with key `0xBB3A68018649AA06` + - Holger Levsen <holger@debian.org>, with key `0x091AB856069AAA1C` + - Stefano Zacchiroli <zack@debian.org>, with key `0x9C31503C6D866396` + +So you can use the technique described in our documentation to further +[[verify the Tails signing key against the Debian +keyring|doc/get/trusting_tails_signing_key#debian]] using any of those +three keys. diff --git a/wiki/src/news/signing_key_transition.pt.po b/wiki/src/news/signing_key_transition.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..7cbce85fc3fe1be3fea7ce170b54e8ee13118497 --- /dev/null +++ b/wiki/src/news/signing_key_transition.pt.po @@ -0,0 +1,224 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-23 02:53+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"Mon Mar 16 12:34:56 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Transition to a new OpenPGP signing key\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!tag announce]]\n" +msgstr "" + +#. type: Plain text +msgid "Tails is transitioning to a new OpenPGP signing key." +msgstr "" + +#. type: Plain text +msgid "The signing key is the key that we use to:" +msgstr "" + +#. type: Bullet: ' - ' +msgid "Sign our official ISO images." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Certify the other [[OpenPGP keys|doc/about/openpgp_keys]] used by the " +"project." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"note\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>The previous signing key is safe and, to the best of our knowledge, it\n" +"has not been compromised.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<p>We are doing this change to improve our security practices when\n" +"manipulating such a critical piece of data.</p>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"tip\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<ul>\n" +" <li>The old key can still be used to verify Tails 1.3 ISO images.</li>\n" +" <li>The new key will be used to sign ISO images starting from Tails 1.3.1.</li>\n" +"</ul>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Import and verify the new signing key\n" +msgstr "" + +#. type: Plain text +msgid "" +"Click on the following button to download and import the new signing key:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a class=\"download-key\" href=\"https://tails.boum.org/tails-signing.key\">new Tails signing key</a>\n" +msgstr "" + +#. type: Plain text +msgid "" +"The new signing key is itself signed by the old signing key. So you can " +"transitively trust this new key if you had trusted the old signing key." +msgstr "" + +#. type: Plain text +msgid "" +"To verify that the new key is correctly signed by the old key, you can " +"execute the following command:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " gpg --check-sigs A490D0F4D311A4153E2BB7CADBB802B258ACD84F\n" +msgstr "" + +#. type: Plain text +msgid "" +"The output should include a signature of the new key by the old key such as:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " sig! 0x1202821CBE2CD9C1 2015-01-19 Tails developers (signing key) <tails@boum.org>\n" +msgstr "" + +#. type: Plain text +msgid "" +"In this output, the status of the verification is indicated by a flag " +"directly following the \"`sig`\" tag. A \"`!`\" indicates that the signature " +"has been successfully verified." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Security policy for the new signing key\n" +msgstr "" + +#. type: Plain text +msgid "Here is the full description of the new signing key:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"<pre>\n" +" pub 4096R/0xDBB802B258ACD84F 2015-01-18 [expires: 2016-01-11]\n" +" Key fingerprint = A490 D0F4 D311 A415 3E2B B7CA DBB8 02B2 58AC D84F\n" +" uid [ unknown] Tails developers (offline long-term identity key) <tails@boum.org>\n" +" sub 4096R/0x98FEC6BC752A3DB6 2015-01-18 [expires: 2016-01-11]\n" +" sub 4096R/0x3C83DCB52F699C56 2015-01-18 [expires: 2016-01-11]\n" +"</pre>\n" +msgstr "" + +#. type: Plain text +msgid "You can see that it has:" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"A primary key (marked as `pub`) with ID `0xDBB802B258ACD84F`. This primary " +"key:" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Is not owned in a usable format by any single individual. It is split " +"cryptographically using [gfshare](http://www.digital-scurf.org/software/" +"libgfshare)." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Is only used offline, in an air-gapped Tails." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Expires in less than one year. We will extend its validity as many times as " +"we find reasonable." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Two subkeys (marked as `sub`) with IDs `0x98FEC6BC752A3DB6` and " +"`0x3C83DCB52F699C56` which are stored on OpenPGP smartcards and owned by our " +"release managers. Smartcards ensure that the cryptographic operations are " +"done on the smartcard itself and that the secret cryptographic material is " +"not directly available to the operating system using it." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Web-of-Trust with the Debian keyring\n" +msgstr "" + +#. type: Plain text +msgid "" +"This new signing key has already been signed by various Debian developers, " +"namely:" +msgstr "" + +#. type: Bullet: ' - ' +msgid "gregor herrmann <gregoa@debian.org>, with key `0xBB3A68018649AA06`" +msgstr "" + +#. type: Bullet: ' - ' +msgid "Holger Levsen <holger@debian.org>, with key `0x091AB856069AAA1C`" +msgstr "" + +#. type: Bullet: ' - ' +msgid "Stefano Zacchiroli <zack@debian.org>, with key `0x9C31503C6D866396`" +msgstr "" + +#. type: Plain text +msgid "" +"So you can use the technique described in our documentation to further " +"[[verify the Tails signing key against the Debian keyring|doc/get/" +"trusting_tails_signing_key#debian]] using any of those three keys." +msgstr "" diff --git a/wiki/src/news/test_1.3-rc1.de.po b/wiki/src/news/test_1.3-rc1.de.po new file mode 100644 index 0000000000000000000000000000000000000000..d425060e2e0bfdf87200bed5738fd73d724b16ea --- /dev/null +++ b/wiki/src/news/test_1.3-rc1.de.po @@ -0,0 +1,232 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-02-22 17:32+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Call for testing: 1.3~rc1\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"2015-02-12 12:00:00\"]]\n" +msgstr "" + +#. type: Plain text +msgid "" +"You can help Tails! The first release candidate for the upcoming version 1.3 " +"is out. Please test it and see if it works for you." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!toc levels=1]]\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "How to test Tails 1.3~rc1?\n" +msgstr "" + +#. type: Bullet: '1. ' +msgid "" +"**Keep in mind that this is a test image.** We have made sure that it is not " +"broken in an obvious way, but it might still contain undiscovered issues." +msgstr "" + +#. type: Bullet: '1. ' +msgid "" +"Either try the <a href=\"#automatic_upgrade\">automatic upgrade</a>, or " +"download the ISO image and its signature:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " <a class=\"download-file\" href=\"http://dl.amnesia.boum.org/tails/alpha/tails-i386-1.3~rc1/tails-i386-1.3~rc1.iso\">Tails 1.3~rc1 ISO image</a>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" <a class=\"download-signature\"\n" +" href=\"https://tails.boum.org/torrents/files/tails-i386-1.3~rc1.iso.sig\">Tails 1.3~rc1 signature</a>\n" +msgstr "" + +#. type: Bullet: '1. ' +msgid "[[Verify the ISO image|download#verify]]." +msgstr "" + +#. type: Bullet: '1. ' +msgid "" +"Have a look at the list of <a href=\"#known_issues\">known issues of this " +"release</a> and the list of [[longstanding known issues|support/" +"known_issues]]." +msgstr "" + +#. type: Bullet: '1. ' +msgid "Test wildly!" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"If you find anything that is not working as it should, please [[report to\n" +"us|doc/first_steps/bug_reporting]]! Bonus points if you first check if it is a\n" +"<a href=\"#known_issues\">known issue of this release</a> or a\n" +"[[longstanding known issue|support/known_issues]].\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div id=\"automatic_upgrade\"></a>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "How to automatically upgrade from 1.2.3?\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"These steps allow you to automatically upgrade a device installed with <span\n" +"class=\"application\">Tails Installer</span> from Tails 1.2.3 to Tails 1.3~rc1.\n" +msgstr "" + +#. type: Bullet: '1. ' +msgid "" +"Start Tails 1.2.3 from a USB stick or SD card (installed by the Tails " +"Installer), and [[set an administration password|doc/first_steps/" +"startup_options/administration_password]]." +msgstr "" + +#. type: Bullet: '1. ' +msgid "" +"Run this command in a <span class=\"application\">Root Terminal</span> to " +"select the \"alpha\" upgrade channel and start the upgrade:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" echo TAILS_CHANNEL=\\\"alpha\\\" >> /etc/os-release && \\\n" +" tails-upgrade-frontend-wrapper\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Once the upgrade has been installed, restart Tails and look at\n" +" <span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Applications</span> ▸\n" +" <span class=\"guisubmenu\">Tails</span> ▸\n" +" <span class=\"guimenuitem\">About Tails</span>\n" +" </span>\n" +" to confirm that the running system is Tails 1.3~rc1.\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "What's new since 1.2.3?\n" +msgstr "" + +#. type: Plain text +msgid "Notable changes since Tails 1.2.3 include:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" * Major new features\n" +" - Distribute a hybrid ISO image again: no need for anyone to\n" +" manually run `isohybrid` anymore! ([[!tails_ticket 8510]])\n" +" - Confine the Tor Browser using AppArmor to protect against some\n" +" types of attack. [Learn more](https://git-tails.immerda.ch/tails/plain/wiki/src/doc/anonymous_internet/Tor_Browser.mdwn?h=testing)\n" +" about how this will affect your usage of Tails.\n" +" ([[!tails_ticket 5525]])\n" +" - Install the Electrum bitcoin client, and allow users\n" +" to persist their wallet. ([[!tails_ticket 6739]])\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" * Minor improvements\n" +" - Support obfs4 Tor bridges ([[!tails_ticket 7980]])\n" +" - Touchpad: enable tap-to-click, 2-fingers scrolling, and disable\n" +" while typing. ([[!tails_ticket 7779]])\n" +" - Support Vietnamese input in IBus. ([[!tails_ticket 7999]])\n" +" - Improve support for OpenPGP smartcards. ([[!tails_ticket 6241]])\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"See the <a href=\"https://git-tails.immerda.ch/tails/plain/debian/changelog?id=ca9705874a4380db51a85aaddf5309580fd3e04e\">online\n" +"Changelog</a> for technical details.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"known_issues\"></a>\n" +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Known issues in 1.3~rc1" +msgstr "" + +#. type: Bullet: '* ' +msgid "[[Longstanding known issues|support/known_issues]]" +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Required persistent configuration updates" +msgstr "" + +#. type: Plain text +msgid "" +"If you have the Pidgin persistence preset enabled, then you perform the " +"following manual steps to make it open links in the Tor Browser:" +msgstr "" + +#. type: Bullet: '* ' +msgid "Start Tails" +msgstr "" + +#. type: Bullet: '* ' +msgid "Enable persistence without the read-only option" +msgstr "" + +#. type: Bullet: '* ' +msgid "Start Pidgin" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"* Choose\n" +" <span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Tools</span> ▸\n" +" <span class=\"guimenuitem\">Preferences</span>\n" +" </span>\n" +"* Click the <span class=\"guilabel\">Browser</span> tab\n" +"* Type `/usr/local/bin/tor-browser %s` in the <span\n" +" class=\"guilabel\">Manual</span> field\n" +"* Click the <span class=\"button\">Close</span> button\n" +msgstr "" diff --git a/wiki/src/news/test_1.3-rc1.fr.po b/wiki/src/news/test_1.3-rc1.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..f2bd76cfdd2d7a3ec0c6f34ba746c668f831ca74 --- /dev/null +++ b/wiki/src/news/test_1.3-rc1.fr.po @@ -0,0 +1,300 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-02-23 12:10+0000\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Call for testing: 1.3~rc1\"]]\n" +msgstr "[[!meta title=\"Appel à tester Tails 1.3~rc1\"]]\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"2015-02-12 12:00:00\"]]\n" +msgstr "" + +#. type: Plain text +msgid "" +"You can help Tails! The first release candidate for the upcoming version 1.3 " +"is out. Please test it and see if it works for you." +msgstr "" +"Vous pouvez aider Tails ! La première version candidate pour la version " +"Tails 1.3 à venir est sortie. Merci de la tester et de voir si tout " +"fonctionne pour vous." + +#. type: Plain text +#, no-wrap +msgid "[[!toc levels=1]]\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "How to test Tails 1.3~rc1?\n" +msgstr "Comment tester Tails 1.3~rc1?\n" + +#. type: Bullet: '1. ' +msgid "" +"**Keep in mind that this is a test image.** We have made sure that it is not " +"broken in an obvious way, but it might still contain undiscovered issues." +msgstr "" +"**Gardez à l'esprit que c'est une image de test.** Nous nous sommes assurés " +"qu'elle n'est pas corrompue d'une manière évidente, mais elle peut toujours " +"contenir des problèmes non découverts." + +#. type: Bullet: '1. ' +msgid "" +"Either try the <a href=\"#automatic_upgrade\">automatic upgrade</a>, or " +"download the ISO image and its signature:" +msgstr "" +"Vous pouvez soit essayer la <a href=\"#automatic_upgrade\">mise à jour " +"automatique</a>, soit télécharger l'image ISO et sa signature :" + +#. type: Plain text +#, no-wrap +msgid " <a class=\"download-file\" href=\"http://dl.amnesia.boum.org/tails/alpha/tails-i386-1.3~rc1/tails-i386-1.3~rc1.iso\">Tails 1.3~rc1 ISO image</a>\n" +msgstr " <a class=\"download-file\" href=\"http://dl.amnesia.boum.org/tails/alpha/tails-i386-1.3~rc1/tails-i386-1.3~rc1.iso\">Image ISO de Tails 1.3~rc1</a>\n" + +#. type: Plain text +#, no-wrap +msgid "" +" <a class=\"download-signature\"\n" +" href=\"https://tails.boum.org/torrents/files/tails-i386-1.3~rc1.iso.sig\">Tails 1.3~rc1 signature</a>\n" +msgstr "" +" <a class=\"download-signature\"\n" +" href=\"https://tails.boum.org/torrents/files/tails-i386-1.3~rc1.iso.sig\">Signature de Tails 1.3~rc1</a>\n" + +#. type: Bullet: '1. ' +msgid "[[Verify the ISO image|download#verify]]." +msgstr "[[Vérifiez l'image ISO|download#verify]]." + +#. type: Bullet: '1. ' +msgid "" +"Have a look at the list of <a href=\"#known_issues\">known issues of this " +"release</a> and the list of [[longstanding known issues|support/" +"known_issues]]." +msgstr "" +"Jetez un œil à la liste des <a href=\"#known_issues\">problèmes connus de " +"cette version</a> et à la liste des [[problèmes connus de longue date|" +"support/known_issues]]." + +#. type: Bullet: '1. ' +msgid "Test wildly!" +msgstr "Testez à volonté !" + +#. type: Plain text +#, no-wrap +msgid "" +"If you find anything that is not working as it should, please [[report to\n" +"us|doc/first_steps/bug_reporting]]! Bonus points if you first check if it is a\n" +"<a href=\"#known_issues\">known issue of this release</a> or a\n" +"[[longstanding known issue|support/known_issues]].\n" +msgstr "" +"Si vous découvrez quelque chose qui ne fonctionne pas comme prévu, merci de [[nous\n" +"le rapporter|doc/first_steps/bug_reporting]] ! Points bonus si vous vérifiez que ce n'est\n" +"pas un <a href=\"#known_issues\">problème connu de cette version</a> ou un [[problème\n" +"connu de longue date|support/known_issues]].\n" + +#. type: Plain text +#, no-wrap +msgid "<div id=\"automatic_upgrade\"></a>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "How to automatically upgrade from 1.2.3?\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"These steps allow you to automatically upgrade a device installed with <span\n" +"class=\"application\">Tails Installer</span> from Tails 1.2.3 to Tails 1.3~rc1.\n" +msgstr "" +"Ces étapes vous permettent de mettre à jour automatiquement un périphérique installé\n" +"avec l'<span class=\"application\">Installeur de Tails</span> depuis Tails 1.2.3 vers Tails 1.3~rc1.\n" + +#. type: Bullet: '1. ' +msgid "" +"Start Tails 1.2.3 from a USB stick or SD card (installed by the Tails " +"Installer), and [[set an administration password|doc/first_steps/" +"startup_options/administration_password]]." +msgstr "" +"Démarrer Tails 1.2.3 depuis une clé USB ou une carte SD (installée avec " +"l'Installeur de Tails), et [[définir un mot de passe d'administration|doc/" +"first_steps/startup_options/administration_password]]." + +#. type: Bullet: '1. ' +msgid "" +"Run this command in a <span class=\"application\">Root Terminal</span> to " +"select the \"alpha\" upgrade channel and start the upgrade:" +msgstr "" +"Lancez cette commande dans un <span class=\"application\">Terminal " +"administrateur</span> pour sélectionner le canal \"alpha\" de mise à jour et " +"la lancer :" + +#. type: Plain text +#, no-wrap +msgid "" +" echo TAILS_CHANNEL=\\\"alpha\\\" >> /etc/os-release && \\\n" +" tails-upgrade-frontend-wrapper\n" +msgstr "" +" echo TAILS_CHANNEL=\\\"alpha\\\" >> /etc/os-release && \\\n" +" tails-upgrade-frontend-wrapper\n" + +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "" +#| "1. Once the upgrade has been installed, restart Tails and look at\n" +#| " <span class=\"menuchoice\">\n" +#| " <span class=\"guimenu\">System</span> ▸\n" +#| " <span class=\"guimenuitem\">About Tails</span>\n" +#| " </span>\n" +#| " to confirm that the running system is Tails 1.3~rc1.\n" +msgid "" +"1. Once the upgrade has been installed, restart Tails and look at\n" +" <span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Applications</span> ▸\n" +" <span class=\"guisubmenu\">Tails</span> ▸\n" +" <span class=\"guimenuitem\">About Tails</span>\n" +" </span>\n" +" to confirm that the running system is Tails 1.3~rc1.\n" +msgstr "" +"1. Une fois la mise à jour terminée, redémarrer Tails et regarder\n" +" <span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Système</span> ▸\n" +" <span class=\"guimenuitem\">À propos de Tails</span>\n" +" </span>\n" +" pour vérifier que vous utiliser bien un Tails 1.3~rc1.\n" + +#. type: Title = +#, no-wrap +msgid "What's new since 1.2.3?\n" +msgstr "Quoi de neuf depuis la version 1.2.3 ?\n" + +#. type: Plain text +msgid "Notable changes since Tails 1.2.3 include:" +msgstr "Les changements visibles depuis Tails 1.2.3 comprennent :" + +#. type: Plain text +#, no-wrap +msgid "" +" * Major new features\n" +" - Distribute a hybrid ISO image again: no need for anyone to\n" +" manually run `isohybrid` anymore! ([[!tails_ticket 8510]])\n" +" - Confine the Tor Browser using AppArmor to protect against some\n" +" types of attack. [Learn more](https://git-tails.immerda.ch/tails/plain/wiki/src/doc/anonymous_internet/Tor_Browser.mdwn?h=testing)\n" +" about how this will affect your usage of Tails.\n" +" ([[!tails_ticket 5525]])\n" +" - Install the Electrum bitcoin client, and allow users\n" +" to persist their wallet. ([[!tails_ticket 6739]])\n" +msgstr "" +" * Nouvelles fonctionnalités majeures\n" +" - Distribution à nouveau d'une image ISO hybride : plus besoin\n" +" de lancer `isohybrid` à la main ! ([[!tails_ticket 8510]])\n" +" - Confinement de Tor Browser via AppArmor pour se protéger de certains\n" +" types d'attaques. [En savoir plus](https://git-tails.immerda.ch/tails/plain/wiki/src/doc/anonymous_internet/Tor_Browser.mdwn?h=testing)\n" +" sur ce que ça changera dans votre usage de Tails.\n" +" ([[!tails_ticket 5525]])\n" +" - Installation du client bitcoin Electrum, et possibilité de\n" +" rendre le portefeuille persistant. ([[!tails_ticket 6739]])\n" + +#. type: Plain text +#, no-wrap +msgid "" +" * Minor improvements\n" +" - Support obfs4 Tor bridges ([[!tails_ticket 7980]])\n" +" - Touchpad: enable tap-to-click, 2-fingers scrolling, and disable\n" +" while typing. ([[!tails_ticket 7779]])\n" +" - Support Vietnamese input in IBus. ([[!tails_ticket 7999]])\n" +" - Improve support for OpenPGP smartcards. ([[!tails_ticket 6241]])\n" +msgstr "" +" * Améliorations mineures\n" +" - Prise en charge des bridge Tor obfs4 ([[!tails_ticket 7980]])\n" +" - Pavé tactile : activation du toucher-pour-cliquer, défilement à deux doigts, et désactivation\n" +" lors d'utilisation du clavier. ([[!tails_ticket 7779]])\n" +" - Prise en charge du Vietnamien avec IBus. ([[!tails_ticket 7999]])\n" +" - Amélioration de la prise en charge des smartcards OpenPGP. ([[!tails_ticket 6241]])\n" + +#. type: Plain text +#, no-wrap +msgid "" +"See the <a href=\"https://git-tails.immerda.ch/tails/plain/debian/changelog?id=ca9705874a4380db51a85aaddf5309580fd3e04e\">online\n" +"Changelog</a> for technical details.\n" +msgstr "" +"Voir le <a href=\"https://git-tails.immerda.ch/tails/plain/debian/changelog?id=ca9705874a4380db51a85aaddf5309580fd3e04e\"> journal des modifications\n" +"en ligne</a> pour les détails techniques.\n" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"known_issues\"></a>\n" +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Known issues in 1.3~rc1" +msgstr "Problèmes connus de la version 1.3~rc1" + +#. type: Bullet: '* ' +msgid "[[Longstanding known issues|support/known_issues]]" +msgstr "[[Problèmes connus de longue date|support/known_issues]]" + +#. type: Title # +#, no-wrap +msgid "Required persistent configuration updates" +msgstr "Mise à jour de la configuration de la persistance requise" + +#. type: Plain text +msgid "" +"If you have the Pidgin persistence preset enabled, then you perform the " +"following manual steps to make it open links in the Tor Browser:" +msgstr "" +"Si vous avez la persistance de Pidgin activée, vous devrez alors faire ce " +"qui suit pour qu'il puisse ouvrir les liens dans le Tor Browser :" + +#. type: Bullet: '* ' +msgid "Start Tails" +msgstr "Démarrer Tails" + +#. type: Bullet: '* ' +msgid "Enable persistence without the read-only option" +msgstr "Activer la persistance sans l'option de lecture seule" + +#. type: Bullet: '* ' +msgid "Start Pidgin" +msgstr "Lancer Pidgin" + +#. type: Plain text +#, no-wrap +msgid "" +"* Choose\n" +" <span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Tools</span> ▸\n" +" <span class=\"guimenuitem\">Preferences</span>\n" +" </span>\n" +"* Click the <span class=\"guilabel\">Browser</span> tab\n" +"* Type `/usr/local/bin/tor-browser %s` in the <span\n" +" class=\"guilabel\">Manual</span> field\n" +"* Click the <span class=\"button\">Close</span> button\n" +msgstr "" +"* Choisir\n" +" <span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Outils</span> ▸\n" +" <span class=\"guimenuitem\">Préférences</span>\n" +" </span>\n" +"* Cliquer sur l'onglet <span class=\"guilabel\">Navigateur</span>\n" +"* Taper `/usr/local/bin/tor-browser %s`dans le champ <span\n" +" class=\"guilabel\">Manuel</span>\n" +"* Cliquer sur le bouton <span class=\"button\">Fermer</span>\n" diff --git a/wiki/src/news/test_1.3-rc1.mdwn b/wiki/src/news/test_1.3-rc1.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..a41a63549b7d662211ff5ac2cc8c9ff98a46d8ca --- /dev/null +++ b/wiki/src/news/test_1.3-rc1.mdwn @@ -0,0 +1,112 @@ +[[!meta title="Call for testing: 1.3~rc1"]] + +[[!meta date="2015-02-12 12:00:00"]] + +You can help Tails! The first release candidate for the upcoming version 1.3 is +out. Please test it and see if it works for you. + +[[!toc levels=1]] + +How to test Tails 1.3~rc1? +========================== + +1. **Keep in mind that this is a test image.** We have made sure + that it is not broken in an obvious way, but it might still contain + undiscovered issues. + +1. Either try the <a href="#automatic_upgrade">automatic upgrade</a>, or + download the ISO image and its signature: + + <a class="download-file" href="http://dl.amnesia.boum.org/tails/alpha/tails-i386-1.3~rc1/tails-i386-1.3~rc1.iso">Tails 1.3~rc1 ISO image</a> + + <a class="download-signature" + href="https://tails.boum.org/torrents/files/tails-i386-1.3~rc1.iso.sig">Tails 1.3~rc1 signature</a> + +1. [[Verify the ISO image|download#verify]]. + +1. Have a look at the list of <a href="#known_issues">known issues of + this release</a> and the list of + [[longstanding known issues|support/known_issues]]. + +1. Test wildly! + +If you find anything that is not working as it should, please [[report to +us|doc/first_steps/bug_reporting]]! Bonus points if you first check if it is a +<a href="#known_issues">known issue of this release</a> or a +[[longstanding known issue|support/known_issues]]. + +<div id="automatic_upgrade"></a> + +How to automatically upgrade from 1.2.3? +======================================== + +These steps allow you to automatically upgrade a device installed with <span +class="application">Tails Installer</span> from Tails 1.2.3 to Tails 1.3~rc1. + +1. Start Tails 1.2.3 from a USB stick or SD card (installed by the + Tails Installer), and + [[set an administration password|doc/first_steps/startup_options/administration_password]]. + +1. Run this command in a <span class="application">Root + Terminal</span> to select the "alpha" upgrade channel + and start the upgrade: + + echo TAILS_CHANNEL=\"alpha\" >> /etc/os-release && \ + tails-upgrade-frontend-wrapper + +1. Once the upgrade has been installed, restart Tails and look at + <span class="menuchoice"> + <span class="guimenu">Applications</span> ▸ + <span class="guisubmenu">Tails</span> ▸ + <span class="guimenuitem">About Tails</span> + </span> + to confirm that the running system is Tails 1.3~rc1. + +What's new since 1.2.3? +======================= + +Notable changes since Tails 1.2.3 include: + + * Major new features + - Distribute a hybrid ISO image again: no need for anyone to + manually run `isohybrid` anymore! ([[!tails_ticket 8510]]) + - Confine the Tor Browser using AppArmor to protect against some + types of attack. [Learn more](https://git-tails.immerda.ch/tails/plain/wiki/src/doc/anonymous_internet/Tor_Browser.mdwn?h=testing) + about how this will affect your usage of Tails. + ([[!tails_ticket 5525]]) + - Install the Electrum bitcoin client, and allow users + to persist their wallet. ([[!tails_ticket 6739]]) + + * Minor improvements + - Support obfs4 Tor bridges ([[!tails_ticket 7980]]) + - Touchpad: enable tap-to-click, 2-fingers scrolling, and disable + while typing. ([[!tails_ticket 7779]]) + - Support Vietnamese input in IBus. ([[!tails_ticket 7999]]) + - Improve support for OpenPGP smartcards. ([[!tails_ticket 6241]]) + +See the <a href="https://git-tails.immerda.ch/tails/plain/debian/changelog?id=ca9705874a4380db51a85aaddf5309580fd3e04e">online +Changelog</a> for technical details. + +<a id="known_issues"></a> + +# Known issues in 1.3~rc1 + +* [[Longstanding known issues|support/known_issues]] + +# Required persistent configuration updates + +If you have the Pidgin persistence preset enabled, then you perform +the following manual steps to make it open links in the Tor Browser: + +* Start Tails +* Enable persistence without the read-only option +* Start Pidgin +* Choose + <span class="menuchoice"> + <span class="guimenu">Tools</span> ▸ + <span class="guimenuitem">Preferences</span> + </span> +* Click the <span class="guilabel">Browser</span> tab +* Type `/usr/local/bin/tor-browser %s` in the <span + class="guilabel">Manual</span> field +* Click the <span class="button">Close</span> button diff --git a/wiki/src/news/test_1.3-rc1.pt.po b/wiki/src/news/test_1.3-rc1.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..d425060e2e0bfdf87200bed5738fd73d724b16ea --- /dev/null +++ b/wiki/src/news/test_1.3-rc1.pt.po @@ -0,0 +1,232 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-02-22 17:32+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Call for testing: 1.3~rc1\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"2015-02-12 12:00:00\"]]\n" +msgstr "" + +#. type: Plain text +msgid "" +"You can help Tails! The first release candidate for the upcoming version 1.3 " +"is out. Please test it and see if it works for you." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!toc levels=1]]\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "How to test Tails 1.3~rc1?\n" +msgstr "" + +#. type: Bullet: '1. ' +msgid "" +"**Keep in mind that this is a test image.** We have made sure that it is not " +"broken in an obvious way, but it might still contain undiscovered issues." +msgstr "" + +#. type: Bullet: '1. ' +msgid "" +"Either try the <a href=\"#automatic_upgrade\">automatic upgrade</a>, or " +"download the ISO image and its signature:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " <a class=\"download-file\" href=\"http://dl.amnesia.boum.org/tails/alpha/tails-i386-1.3~rc1/tails-i386-1.3~rc1.iso\">Tails 1.3~rc1 ISO image</a>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" <a class=\"download-signature\"\n" +" href=\"https://tails.boum.org/torrents/files/tails-i386-1.3~rc1.iso.sig\">Tails 1.3~rc1 signature</a>\n" +msgstr "" + +#. type: Bullet: '1. ' +msgid "[[Verify the ISO image|download#verify]]." +msgstr "" + +#. type: Bullet: '1. ' +msgid "" +"Have a look at the list of <a href=\"#known_issues\">known issues of this " +"release</a> and the list of [[longstanding known issues|support/" +"known_issues]]." +msgstr "" + +#. type: Bullet: '1. ' +msgid "Test wildly!" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"If you find anything that is not working as it should, please [[report to\n" +"us|doc/first_steps/bug_reporting]]! Bonus points if you first check if it is a\n" +"<a href=\"#known_issues\">known issue of this release</a> or a\n" +"[[longstanding known issue|support/known_issues]].\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div id=\"automatic_upgrade\"></a>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "How to automatically upgrade from 1.2.3?\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"These steps allow you to automatically upgrade a device installed with <span\n" +"class=\"application\">Tails Installer</span> from Tails 1.2.3 to Tails 1.3~rc1.\n" +msgstr "" + +#. type: Bullet: '1. ' +msgid "" +"Start Tails 1.2.3 from a USB stick or SD card (installed by the Tails " +"Installer), and [[set an administration password|doc/first_steps/" +"startup_options/administration_password]]." +msgstr "" + +#. type: Bullet: '1. ' +msgid "" +"Run this command in a <span class=\"application\">Root Terminal</span> to " +"select the \"alpha\" upgrade channel and start the upgrade:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" echo TAILS_CHANNEL=\\\"alpha\\\" >> /etc/os-release && \\\n" +" tails-upgrade-frontend-wrapper\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Once the upgrade has been installed, restart Tails and look at\n" +" <span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Applications</span> ▸\n" +" <span class=\"guisubmenu\">Tails</span> ▸\n" +" <span class=\"guimenuitem\">About Tails</span>\n" +" </span>\n" +" to confirm that the running system is Tails 1.3~rc1.\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "What's new since 1.2.3?\n" +msgstr "" + +#. type: Plain text +msgid "Notable changes since Tails 1.2.3 include:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" * Major new features\n" +" - Distribute a hybrid ISO image again: no need for anyone to\n" +" manually run `isohybrid` anymore! ([[!tails_ticket 8510]])\n" +" - Confine the Tor Browser using AppArmor to protect against some\n" +" types of attack. [Learn more](https://git-tails.immerda.ch/tails/plain/wiki/src/doc/anonymous_internet/Tor_Browser.mdwn?h=testing)\n" +" about how this will affect your usage of Tails.\n" +" ([[!tails_ticket 5525]])\n" +" - Install the Electrum bitcoin client, and allow users\n" +" to persist their wallet. ([[!tails_ticket 6739]])\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" * Minor improvements\n" +" - Support obfs4 Tor bridges ([[!tails_ticket 7980]])\n" +" - Touchpad: enable tap-to-click, 2-fingers scrolling, and disable\n" +" while typing. ([[!tails_ticket 7779]])\n" +" - Support Vietnamese input in IBus. ([[!tails_ticket 7999]])\n" +" - Improve support for OpenPGP smartcards. ([[!tails_ticket 6241]])\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"See the <a href=\"https://git-tails.immerda.ch/tails/plain/debian/changelog?id=ca9705874a4380db51a85aaddf5309580fd3e04e\">online\n" +"Changelog</a> for technical details.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"known_issues\"></a>\n" +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Known issues in 1.3~rc1" +msgstr "" + +#. type: Bullet: '* ' +msgid "[[Longstanding known issues|support/known_issues]]" +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Required persistent configuration updates" +msgstr "" + +#. type: Plain text +msgid "" +"If you have the Pidgin persistence preset enabled, then you perform the " +"following manual steps to make it open links in the Tor Browser:" +msgstr "" + +#. type: Bullet: '* ' +msgid "Start Tails" +msgstr "" + +#. type: Bullet: '* ' +msgid "Enable persistence without the read-only option" +msgstr "" + +#. type: Bullet: '* ' +msgid "Start Pidgin" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"* Choose\n" +" <span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Tools</span> ▸\n" +" <span class=\"guimenuitem\">Preferences</span>\n" +" </span>\n" +"* Click the <span class=\"guilabel\">Browser</span> tab\n" +"* Type `/usr/local/bin/tor-browser %s` in the <span\n" +" class=\"guilabel\">Manual</span> field\n" +"* Click the <span class=\"button\">Close</span> button\n" +msgstr "" diff --git a/wiki/src/news/test_1.4-rc1.de.po b/wiki/src/news/test_1.4-rc1.de.po new file mode 100644 index 0000000000000000000000000000000000000000..766e2f9323cb7a8246ce3767c9abc5a3f498af80 --- /dev/null +++ b/wiki/src/news/test_1.4-rc1.de.po @@ -0,0 +1,274 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-05-03 20:22+0200\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Call for testing: 1.4~rc1\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"2015-05-03 12:00:00\"]]\n" +msgstr "" + +#. type: Plain text +msgid "" +"You can help Tails! The first release candidate for the upcoming version 1.4 " +"is out. Please test it and see if it works for you." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!toc levels=1]]\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "How to test Tails 1.4~rc1?\n" +msgstr "" + +#. type: Bullet: '1. ' +msgid "" +"**Keep in mind that this is a test image.** We have made sure that it is not " +"broken in an obvious way, but it might still contain undiscovered issues." +msgstr "" + +#. type: Bullet: '1. ' +msgid "" +"Either try the <a href=\"#automatic_upgrade\">automatic upgrade</a>, or " +"download the ISO image and its signature:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " <a class=\"download-file\" href=\"http://dl.amnesia.boum.org/tails/alpha/tails-i386-1.4~rc1/tails-i386-1.4~rc1.iso\">Tails 1.4~rc1 ISO image</a>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" <a class=\"download-signature\"\n" +" href=\"https://tails.boum.org/torrents/files/tails-i386-1.4~rc1.iso.sig\">Tails 1.4~rc1 signature</a>\n" +msgstr "" + +#. type: Bullet: '1. ' +msgid "[[Verify the ISO image|download#verify]]." +msgstr "" + +#. type: Bullet: '1. ' +msgid "" +"Have a look at the list of <a href=\"#known_issues\">known issues of this " +"release</a> and the list of [[longstanding known issues|support/" +"known_issues]]." +msgstr "" + +#. type: Bullet: '1. ' +msgid "Test wildly!" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"If you find anything that is not working as it should, please [[report to\n" +"us|doc/first_steps/bug_reporting]]! Bonus points if you first check if it is a\n" +"<a href=\"#known_issues\">known issue of this release</a> or a\n" +"[[longstanding known issue|support/known_issues]].\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div id=\"automatic_upgrade\"></a>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "How to automatically upgrade from 1.3.2?\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"These steps allow you to automatically upgrade a device installed with <span\n" +"class=\"application\">Tails Installer</span> from Tails 1.3.2 to Tails 1.4~rc1.\n" +msgstr "" + +#. type: Bullet: '1. ' +msgid "" +"Start Tails 1.3.2 from a USB stick or SD card (installed by the Tails " +"Installer), and [[set an administration password|doc/first_steps/" +"startup_options/administration_password]]." +msgstr "" + +#. type: Bullet: '1. ' +msgid "" +"Run this command in a <span class=\"application\">Root Terminal</span> to " +"select the \"alpha\" upgrade channel and start the upgrade:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" echo TAILS_CHANNEL=\\\"alpha\\\" >> /etc/os-release && \\\n" +" tails-upgrade-frontend-wrapper\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Once the upgrade has been installed, restart Tails and look at\n" +" <span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Applications</span> ▸\n" +" <span class=\"guisubmenu\">Tails</span> ▸\n" +" <span class=\"guimenuitem\">About Tails</span>\n" +" </span>\n" +" to confirm that the running system is Tails 1.4~rc1.\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "What's new since 1.3.2?\n" +msgstr "" + +#. type: Plain text +msgid "Changes since Tails 1.3.2 are:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" * Major new features\n" +" - Upgrade Tor Browser to 4.5, which introduces many major new\n" +" features for usability, security and privacy. Unfortunately its\n" +" per-tab circuit view did not make it into Tails yet since it\n" +" requires exposing more Tor state to the user running the Tor\n" +" Browser than we are currently comfortable with.\n" +" (Closes: [[!tails_ticket 9031]])\n" +" - Upgrade Tor to 0.2.6.7-1~d70.wheezy+1+tails2. Like in the Tor\n" +" bundled with the Tor Browser, we patch it so that circuits used\n" +" for SOCKSAuth streams have their lifetime increased indefinitely\n" +" while in active use. This currently only affects the Tor Browser\n" +" in Tails, and should improve the experience on certain websites\n" +" that otherwise would switch language or log you out every ten\n" +" minutes or so when Tor switches circuit. (Closes:\n" +" [[!tails_ticket 7934]])\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" * Security fixes\n" +" - Upgrade Linux to 3.16.7-ckt9-3.\n" +" - Upgrade curl to 7.26.0-1+wheezy13.\n" +" - Upgrade dpkg to 1.16.16.\n" +" - Upgrade gstreamer0.10-plugins-bad to 0.10.23-7.1+deb7u2.\n" +" - Upgrade libgd2-xpm to 2.0.36~rc1~dfsg-6.1+deb7u1.\n" +" - Upgrade openldap to 2.4.31-2.\n" +" - Upgrade LibreOffice to 1:3.5.4+dfsg2-0+deb7u4.\n" +" - Upgrade libruby1.9.1 to 1.9.3.194-8.1+deb7u5.\n" +" - Upgrade libtasn1-3 to 2.13-2+deb7u2.\n" +" - Upgrade libx11 to 2:1.5.0-1+deb7u2.\n" +" - Upgrade libxml-libxml-perl to 2.0001+dfsg-1+deb7u1.\n" +" - Upgrade libxml2 to 2.8.0+dfsg1-7+wheezy4.\n" +" - Upgrade OpenJDK to 7u79-2.5.5-1~deb7u1.\n" +" - Upgrade ppp to 2.4.5-5.1+deb7u2.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" * Bugfixes\n" +" - Make the Windows 8 browser theme compatible with the Unsafe and\n" +" I2P browsers. (Closes: [[!tails_ticket 9138]])\n" +" - Hide Torbutton's \"Tor Network Settings...\" context menu entry.\n" +" (Closes: [[!tails_ticket 7647]])\n" +" - Upgrade the syslinux packages to support booting Tails on\n" +" Chromebook C720-2800. (Closes: [[!tails_ticket 9044]])\n" +" - Enable localization in Tails Upgrader. (Closes:\n" +" [[!tails_ticket 9190]])\n" +" - Make sure the system clock isn't before the build date during\n" +" early boot. Our live-config hook that imports our signing keys\n" +" depend on that the system clock isn't before the date when the\n" +" keys where created. (Closes: [[!tails_ticket 9149]])\n" +" - Set GNOME's OpenPGP keys via desktop.gnome.crypto.pgp to prevent\n" +" us from getting GNOME's default keyserver in addition to our\n" +" own. (Closes: [[!tails_ticket 9233]])\n" +" - Prevent Firefox from crashing when Orca is enabled: grant it\n" +" access to assistive technologies in its Apparmor\n" +" profile. (Closes: [[!tails_ticket 9261]])\n" +" - Add Jessie APT source. (Closes: [[!tails_ticket 9278]])\n" +" - Fix set_simple_config_key(). If the key already existed in the\n" +" config file before the call, all other lines would be removed\n" +" due to the sed option -n and p combo. (Closes:\n" +" [[!tails_ticket 9122]])\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" * Minor improvements\n" +" - Upgrade I2P to 0.9.19-3~deb7u+1. (Closes:\n" +" [[!tails_ticket 9229]])\n" +" - Install Tor Browser's bundled Torbutton instead of custom .deb.\n" +" As of Torbutton 1.9.1.0 everything we need has been upstreamed.\n" +" - Install Tor Browser's bundled Tor Launcher instead of our\n" +" in-tree version. With Tor 0.2.6.x our custom patches for the\n" +" ClientTransportPlugin hacks are not needed any more. (Closes:\n" +" [[!tails_ticket 7283]])\n" +" - Don't install msmtp and mutt. (Closes: [[!tails_ticket 8727]])\n" +" - Install fonts-linuxlibertine for improved Vietnamese support in\n" +" LibreOffice. (Closes: [[!tails_ticket 8996]])\n" +" - Remove obsoletete #i2p-help IRC channel from the Pidgin\n" +" configuration (Closes: [[!tails_ticket 9137]])\n" +" - Add Gedit shortcut to gpgApplet's context menu. Thanks to Ivan\n" +" Bliminse for the patch. (Closes: [[!tails_ticket 9069]]).\n" +" - Install printer-driver-gutenprint to support more printer\n" +" models. (Closes: [[!tails_ticket 8994]]).\n" +" - Install paperkey for off-line OpenPGP key backup. (Closes:\n" +" [[!tails_ticket 8957]])\n" +" - Hide the Tor logo in Tor Launcher. (Closes:\n" +" [[!tails_ticket 8696]])\n" +" - Remove useless log() instance in tails-unblock-network. (Closes:\n" +" [[!tails_ticket 9034]])\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"known_issues\"></a>\n" +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Known issues in 1.4~rc1" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"The Windows 8 theme is slightly broken for all browsers: the default Firefox " +"tab bar is used, and the search bar is enabled. ([[!tails_ticket 9326]])" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails' Tor Browser still uses Startpage as the default search engine instead " +"of Disconnect.me like upstream Tor Browser, but the Unsafe Browser does use " +"Disconnect.me. ([[!tails_ticket 9309]])" +msgstr "" + +#. type: Bullet: '* ' +msgid "[[Longstanding known issues|support/known_issues]]" +msgstr "" diff --git a/wiki/src/news/test_1.4-rc1.fr.po b/wiki/src/news/test_1.4-rc1.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..766e2f9323cb7a8246ce3767c9abc5a3f498af80 --- /dev/null +++ b/wiki/src/news/test_1.4-rc1.fr.po @@ -0,0 +1,274 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-05-03 20:22+0200\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Call for testing: 1.4~rc1\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"2015-05-03 12:00:00\"]]\n" +msgstr "" + +#. type: Plain text +msgid "" +"You can help Tails! The first release candidate for the upcoming version 1.4 " +"is out. Please test it and see if it works for you." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!toc levels=1]]\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "How to test Tails 1.4~rc1?\n" +msgstr "" + +#. type: Bullet: '1. ' +msgid "" +"**Keep in mind that this is a test image.** We have made sure that it is not " +"broken in an obvious way, but it might still contain undiscovered issues." +msgstr "" + +#. type: Bullet: '1. ' +msgid "" +"Either try the <a href=\"#automatic_upgrade\">automatic upgrade</a>, or " +"download the ISO image and its signature:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " <a class=\"download-file\" href=\"http://dl.amnesia.boum.org/tails/alpha/tails-i386-1.4~rc1/tails-i386-1.4~rc1.iso\">Tails 1.4~rc1 ISO image</a>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" <a class=\"download-signature\"\n" +" href=\"https://tails.boum.org/torrents/files/tails-i386-1.4~rc1.iso.sig\">Tails 1.4~rc1 signature</a>\n" +msgstr "" + +#. type: Bullet: '1. ' +msgid "[[Verify the ISO image|download#verify]]." +msgstr "" + +#. type: Bullet: '1. ' +msgid "" +"Have a look at the list of <a href=\"#known_issues\">known issues of this " +"release</a> and the list of [[longstanding known issues|support/" +"known_issues]]." +msgstr "" + +#. type: Bullet: '1. ' +msgid "Test wildly!" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"If you find anything that is not working as it should, please [[report to\n" +"us|doc/first_steps/bug_reporting]]! Bonus points if you first check if it is a\n" +"<a href=\"#known_issues\">known issue of this release</a> or a\n" +"[[longstanding known issue|support/known_issues]].\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div id=\"automatic_upgrade\"></a>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "How to automatically upgrade from 1.3.2?\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"These steps allow you to automatically upgrade a device installed with <span\n" +"class=\"application\">Tails Installer</span> from Tails 1.3.2 to Tails 1.4~rc1.\n" +msgstr "" + +#. type: Bullet: '1. ' +msgid "" +"Start Tails 1.3.2 from a USB stick or SD card (installed by the Tails " +"Installer), and [[set an administration password|doc/first_steps/" +"startup_options/administration_password]]." +msgstr "" + +#. type: Bullet: '1. ' +msgid "" +"Run this command in a <span class=\"application\">Root Terminal</span> to " +"select the \"alpha\" upgrade channel and start the upgrade:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" echo TAILS_CHANNEL=\\\"alpha\\\" >> /etc/os-release && \\\n" +" tails-upgrade-frontend-wrapper\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Once the upgrade has been installed, restart Tails and look at\n" +" <span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Applications</span> ▸\n" +" <span class=\"guisubmenu\">Tails</span> ▸\n" +" <span class=\"guimenuitem\">About Tails</span>\n" +" </span>\n" +" to confirm that the running system is Tails 1.4~rc1.\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "What's new since 1.3.2?\n" +msgstr "" + +#. type: Plain text +msgid "Changes since Tails 1.3.2 are:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" * Major new features\n" +" - Upgrade Tor Browser to 4.5, which introduces many major new\n" +" features for usability, security and privacy. Unfortunately its\n" +" per-tab circuit view did not make it into Tails yet since it\n" +" requires exposing more Tor state to the user running the Tor\n" +" Browser than we are currently comfortable with.\n" +" (Closes: [[!tails_ticket 9031]])\n" +" - Upgrade Tor to 0.2.6.7-1~d70.wheezy+1+tails2. Like in the Tor\n" +" bundled with the Tor Browser, we patch it so that circuits used\n" +" for SOCKSAuth streams have their lifetime increased indefinitely\n" +" while in active use. This currently only affects the Tor Browser\n" +" in Tails, and should improve the experience on certain websites\n" +" that otherwise would switch language or log you out every ten\n" +" minutes or so when Tor switches circuit. (Closes:\n" +" [[!tails_ticket 7934]])\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" * Security fixes\n" +" - Upgrade Linux to 3.16.7-ckt9-3.\n" +" - Upgrade curl to 7.26.0-1+wheezy13.\n" +" - Upgrade dpkg to 1.16.16.\n" +" - Upgrade gstreamer0.10-plugins-bad to 0.10.23-7.1+deb7u2.\n" +" - Upgrade libgd2-xpm to 2.0.36~rc1~dfsg-6.1+deb7u1.\n" +" - Upgrade openldap to 2.4.31-2.\n" +" - Upgrade LibreOffice to 1:3.5.4+dfsg2-0+deb7u4.\n" +" - Upgrade libruby1.9.1 to 1.9.3.194-8.1+deb7u5.\n" +" - Upgrade libtasn1-3 to 2.13-2+deb7u2.\n" +" - Upgrade libx11 to 2:1.5.0-1+deb7u2.\n" +" - Upgrade libxml-libxml-perl to 2.0001+dfsg-1+deb7u1.\n" +" - Upgrade libxml2 to 2.8.0+dfsg1-7+wheezy4.\n" +" - Upgrade OpenJDK to 7u79-2.5.5-1~deb7u1.\n" +" - Upgrade ppp to 2.4.5-5.1+deb7u2.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" * Bugfixes\n" +" - Make the Windows 8 browser theme compatible with the Unsafe and\n" +" I2P browsers. (Closes: [[!tails_ticket 9138]])\n" +" - Hide Torbutton's \"Tor Network Settings...\" context menu entry.\n" +" (Closes: [[!tails_ticket 7647]])\n" +" - Upgrade the syslinux packages to support booting Tails on\n" +" Chromebook C720-2800. (Closes: [[!tails_ticket 9044]])\n" +" - Enable localization in Tails Upgrader. (Closes:\n" +" [[!tails_ticket 9190]])\n" +" - Make sure the system clock isn't before the build date during\n" +" early boot. Our live-config hook that imports our signing keys\n" +" depend on that the system clock isn't before the date when the\n" +" keys where created. (Closes: [[!tails_ticket 9149]])\n" +" - Set GNOME's OpenPGP keys via desktop.gnome.crypto.pgp to prevent\n" +" us from getting GNOME's default keyserver in addition to our\n" +" own. (Closes: [[!tails_ticket 9233]])\n" +" - Prevent Firefox from crashing when Orca is enabled: grant it\n" +" access to assistive technologies in its Apparmor\n" +" profile. (Closes: [[!tails_ticket 9261]])\n" +" - Add Jessie APT source. (Closes: [[!tails_ticket 9278]])\n" +" - Fix set_simple_config_key(). If the key already existed in the\n" +" config file before the call, all other lines would be removed\n" +" due to the sed option -n and p combo. (Closes:\n" +" [[!tails_ticket 9122]])\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" * Minor improvements\n" +" - Upgrade I2P to 0.9.19-3~deb7u+1. (Closes:\n" +" [[!tails_ticket 9229]])\n" +" - Install Tor Browser's bundled Torbutton instead of custom .deb.\n" +" As of Torbutton 1.9.1.0 everything we need has been upstreamed.\n" +" - Install Tor Browser's bundled Tor Launcher instead of our\n" +" in-tree version. With Tor 0.2.6.x our custom patches for the\n" +" ClientTransportPlugin hacks are not needed any more. (Closes:\n" +" [[!tails_ticket 7283]])\n" +" - Don't install msmtp and mutt. (Closes: [[!tails_ticket 8727]])\n" +" - Install fonts-linuxlibertine for improved Vietnamese support in\n" +" LibreOffice. (Closes: [[!tails_ticket 8996]])\n" +" - Remove obsoletete #i2p-help IRC channel from the Pidgin\n" +" configuration (Closes: [[!tails_ticket 9137]])\n" +" - Add Gedit shortcut to gpgApplet's context menu. Thanks to Ivan\n" +" Bliminse for the patch. (Closes: [[!tails_ticket 9069]]).\n" +" - Install printer-driver-gutenprint to support more printer\n" +" models. (Closes: [[!tails_ticket 8994]]).\n" +" - Install paperkey for off-line OpenPGP key backup. (Closes:\n" +" [[!tails_ticket 8957]])\n" +" - Hide the Tor logo in Tor Launcher. (Closes:\n" +" [[!tails_ticket 8696]])\n" +" - Remove useless log() instance in tails-unblock-network. (Closes:\n" +" [[!tails_ticket 9034]])\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"known_issues\"></a>\n" +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Known issues in 1.4~rc1" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"The Windows 8 theme is slightly broken for all browsers: the default Firefox " +"tab bar is used, and the search bar is enabled. ([[!tails_ticket 9326]])" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails' Tor Browser still uses Startpage as the default search engine instead " +"of Disconnect.me like upstream Tor Browser, but the Unsafe Browser does use " +"Disconnect.me. ([[!tails_ticket 9309]])" +msgstr "" + +#. type: Bullet: '* ' +msgid "[[Longstanding known issues|support/known_issues]]" +msgstr "" diff --git a/wiki/src/news/test_1.4-rc1.mdwn b/wiki/src/news/test_1.4-rc1.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..1eb844bdab1e89e6e1bf2502cba063f16432b565 --- /dev/null +++ b/wiki/src/news/test_1.4-rc1.mdwn @@ -0,0 +1,164 @@ +[[!meta title="Call for testing: 1.4~rc1"]] + +[[!meta date="2015-05-03 12:00:00"]] + +You can help Tails! The first release candidate for the upcoming version 1.4 is +out. Please test it and see if it works for you. + +[[!toc levels=1]] + +How to test Tails 1.4~rc1? +========================== + +1. **Keep in mind that this is a test image.** We have made sure + that it is not broken in an obvious way, but it might still contain + undiscovered issues. + +1. Either try the <a href="#automatic_upgrade">automatic upgrade</a>, or + download the ISO image and its signature: + + <a class="download-file" href="http://dl.amnesia.boum.org/tails/alpha/tails-i386-1.4~rc1/tails-i386-1.4~rc1.iso">Tails 1.4~rc1 ISO image</a> + + <a class="download-signature" + href="https://tails.boum.org/torrents/files/tails-i386-1.4~rc1.iso.sig">Tails 1.4~rc1 signature</a> + +1. [[Verify the ISO image|download#verify]]. + +1. Have a look at the list of <a href="#known_issues">known issues of + this release</a> and the list of + [[longstanding known issues|support/known_issues]]. + +1. Test wildly! + +If you find anything that is not working as it should, please [[report to +us|doc/first_steps/bug_reporting]]! Bonus points if you first check if it is a +<a href="#known_issues">known issue of this release</a> or a +[[longstanding known issue|support/known_issues]]. + +<div id="automatic_upgrade"></a> + +How to automatically upgrade from 1.3.2? +======================================== + +These steps allow you to automatically upgrade a device installed with <span +class="application">Tails Installer</span> from Tails 1.3.2 to Tails 1.4~rc1. + +1. Start Tails 1.3.2 from a USB stick or SD card (installed by the + Tails Installer), and + [[set an administration password|doc/first_steps/startup_options/administration_password]]. + +1. Run this command in a <span class="application">Root + Terminal</span> to select the "alpha" upgrade channel + and start the upgrade: + + echo TAILS_CHANNEL=\"alpha\" >> /etc/os-release && \ + tails-upgrade-frontend-wrapper + +1. Once the upgrade has been installed, restart Tails and look at + <span class="menuchoice"> + <span class="guimenu">Applications</span> ▸ + <span class="guisubmenu">Tails</span> ▸ + <span class="guimenuitem">About Tails</span> + </span> + to confirm that the running system is Tails 1.4~rc1. + +What's new since 1.3.2? +======================= + +Changes since Tails 1.3.2 are: + + * Major new features + - Upgrade Tor Browser to 4.5, which introduces many major new + features for usability, security and privacy. Unfortunately its + per-tab circuit view did not make it into Tails yet since it + requires exposing more Tor state to the user running the Tor + Browser than we are currently comfortable with. + (Closes: [[!tails_ticket 9031]]) + - Upgrade Tor to 0.2.6.7-1~d70.wheezy+1+tails2. Like in the Tor + bundled with the Tor Browser, we patch it so that circuits used + for SOCKSAuth streams have their lifetime increased indefinitely + while in active use. This currently only affects the Tor Browser + in Tails, and should improve the experience on certain websites + that otherwise would switch language or log you out every ten + minutes or so when Tor switches circuit. (Closes: + [[!tails_ticket 7934]]) + + * Security fixes + - Upgrade Linux to 3.16.7-ckt9-3. + - Upgrade curl to 7.26.0-1+wheezy13. + - Upgrade dpkg to 1.16.16. + - Upgrade gstreamer0.10-plugins-bad to 0.10.23-7.1+deb7u2. + - Upgrade libgd2-xpm to 2.0.36~rc1~dfsg-6.1+deb7u1. + - Upgrade openldap to 2.4.31-2. + - Upgrade LibreOffice to 1:3.5.4+dfsg2-0+deb7u4. + - Upgrade libruby1.9.1 to 1.9.3.194-8.1+deb7u5. + - Upgrade libtasn1-3 to 2.13-2+deb7u2. + - Upgrade libx11 to 2:1.5.0-1+deb7u2. + - Upgrade libxml-libxml-perl to 2.0001+dfsg-1+deb7u1. + - Upgrade libxml2 to 2.8.0+dfsg1-7+wheezy4. + - Upgrade OpenJDK to 7u79-2.5.5-1~deb7u1. + - Upgrade ppp to 2.4.5-5.1+deb7u2. + + * Bugfixes + - Make the Windows 8 browser theme compatible with the Unsafe and + I2P browsers. (Closes: [[!tails_ticket 9138]]) + - Hide Torbutton's "Tor Network Settings..." context menu entry. + (Closes: [[!tails_ticket 7647]]) + - Upgrade the syslinux packages to support booting Tails on + Chromebook C720-2800. (Closes: [[!tails_ticket 9044]]) + - Enable localization in Tails Upgrader. (Closes: + [[!tails_ticket 9190]]) + - Make sure the system clock isn't before the build date during + early boot. Our live-config hook that imports our signing keys + depend on that the system clock isn't before the date when the + keys where created. (Closes: [[!tails_ticket 9149]]) + - Set GNOME's OpenPGP keys via desktop.gnome.crypto.pgp to prevent + us from getting GNOME's default keyserver in addition to our + own. (Closes: [[!tails_ticket 9233]]) + - Prevent Firefox from crashing when Orca is enabled: grant it + access to assistive technologies in its Apparmor + profile. (Closes: [[!tails_ticket 9261]]) + - Add Jessie APT source. (Closes: [[!tails_ticket 9278]]) + - Fix set_simple_config_key(). If the key already existed in the + config file before the call, all other lines would be removed + due to the sed option -n and p combo. (Closes: + [[!tails_ticket 9122]]) + + * Minor improvements + - Upgrade I2P to 0.9.19-3~deb7u+1. (Closes: + [[!tails_ticket 9229]]) + - Install Tor Browser's bundled Torbutton instead of custom .deb. + As of Torbutton 1.9.1.0 everything we need has been upstreamed. + - Install Tor Browser's bundled Tor Launcher instead of our + in-tree version. With Tor 0.2.6.x our custom patches for the + ClientTransportPlugin hacks are not needed any more. (Closes: + [[!tails_ticket 7283]]) + - Don't install msmtp and mutt. (Closes: [[!tails_ticket 8727]]) + - Install fonts-linuxlibertine for improved Vietnamese support in + LibreOffice. (Closes: [[!tails_ticket 8996]]) + - Remove obsoletete #i2p-help IRC channel from the Pidgin + configuration (Closes: [[!tails_ticket 9137]]) + - Add Gedit shortcut to gpgApplet's context menu. Thanks to Ivan + Bliminse for the patch. (Closes: [[!tails_ticket 9069]]). + - Install printer-driver-gutenprint to support more printer + models. (Closes: [[!tails_ticket 8994]]). + - Install paperkey for off-line OpenPGP key backup. (Closes: + [[!tails_ticket 8957]]) + - Hide the Tor logo in Tor Launcher. (Closes: + [[!tails_ticket 8696]]) + - Remove useless log() instance in tails-unblock-network. (Closes: + [[!tails_ticket 9034]]) + +<a id="known_issues"></a> + +# Known issues in 1.4~rc1 + +* The Windows 8 theme is slightly broken for all browsers: the default + Firefox tab bar is used, and the search bar is + enabled. ([[!tails_ticket 9326]]) + +* Tails' Tor Browser still uses Startpage as the default search engine + instead of Disconnect.me like upstream Tor Browser, but the Unsafe + Browser does use Disconnect.me. ([[!tails_ticket 9309]]) + +* [[Longstanding known issues|support/known_issues]] diff --git a/wiki/src/news/test_1.4-rc1.pt.po b/wiki/src/news/test_1.4-rc1.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..766e2f9323cb7a8246ce3767c9abc5a3f498af80 --- /dev/null +++ b/wiki/src/news/test_1.4-rc1.pt.po @@ -0,0 +1,274 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-05-03 20:22+0200\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Call for testing: 1.4~rc1\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"2015-05-03 12:00:00\"]]\n" +msgstr "" + +#. type: Plain text +msgid "" +"You can help Tails! The first release candidate for the upcoming version 1.4 " +"is out. Please test it and see if it works for you." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!toc levels=1]]\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "How to test Tails 1.4~rc1?\n" +msgstr "" + +#. type: Bullet: '1. ' +msgid "" +"**Keep in mind that this is a test image.** We have made sure that it is not " +"broken in an obvious way, but it might still contain undiscovered issues." +msgstr "" + +#. type: Bullet: '1. ' +msgid "" +"Either try the <a href=\"#automatic_upgrade\">automatic upgrade</a>, or " +"download the ISO image and its signature:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " <a class=\"download-file\" href=\"http://dl.amnesia.boum.org/tails/alpha/tails-i386-1.4~rc1/tails-i386-1.4~rc1.iso\">Tails 1.4~rc1 ISO image</a>\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" <a class=\"download-signature\"\n" +" href=\"https://tails.boum.org/torrents/files/tails-i386-1.4~rc1.iso.sig\">Tails 1.4~rc1 signature</a>\n" +msgstr "" + +#. type: Bullet: '1. ' +msgid "[[Verify the ISO image|download#verify]]." +msgstr "" + +#. type: Bullet: '1. ' +msgid "" +"Have a look at the list of <a href=\"#known_issues\">known issues of this " +"release</a> and the list of [[longstanding known issues|support/" +"known_issues]]." +msgstr "" + +#. type: Bullet: '1. ' +msgid "Test wildly!" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"If you find anything that is not working as it should, please [[report to\n" +"us|doc/first_steps/bug_reporting]]! Bonus points if you first check if it is a\n" +"<a href=\"#known_issues\">known issue of this release</a> or a\n" +"[[longstanding known issue|support/known_issues]].\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div id=\"automatic_upgrade\"></a>\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "How to automatically upgrade from 1.3.2?\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"These steps allow you to automatically upgrade a device installed with <span\n" +"class=\"application\">Tails Installer</span> from Tails 1.3.2 to Tails 1.4~rc1.\n" +msgstr "" + +#. type: Bullet: '1. ' +msgid "" +"Start Tails 1.3.2 from a USB stick or SD card (installed by the Tails " +"Installer), and [[set an administration password|doc/first_steps/" +"startup_options/administration_password]]." +msgstr "" + +#. type: Bullet: '1. ' +msgid "" +"Run this command in a <span class=\"application\">Root Terminal</span> to " +"select the \"alpha\" upgrade channel and start the upgrade:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" echo TAILS_CHANNEL=\\\"alpha\\\" >> /etc/os-release && \\\n" +" tails-upgrade-frontend-wrapper\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Once the upgrade has been installed, restart Tails and look at\n" +" <span class=\"menuchoice\">\n" +" <span class=\"guimenu\">Applications</span> ▸\n" +" <span class=\"guisubmenu\">Tails</span> ▸\n" +" <span class=\"guimenuitem\">About Tails</span>\n" +" </span>\n" +" to confirm that the running system is Tails 1.4~rc1.\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "What's new since 1.3.2?\n" +msgstr "" + +#. type: Plain text +msgid "Changes since Tails 1.3.2 are:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" * Major new features\n" +" - Upgrade Tor Browser to 4.5, which introduces many major new\n" +" features for usability, security and privacy. Unfortunately its\n" +" per-tab circuit view did not make it into Tails yet since it\n" +" requires exposing more Tor state to the user running the Tor\n" +" Browser than we are currently comfortable with.\n" +" (Closes: [[!tails_ticket 9031]])\n" +" - Upgrade Tor to 0.2.6.7-1~d70.wheezy+1+tails2. Like in the Tor\n" +" bundled with the Tor Browser, we patch it so that circuits used\n" +" for SOCKSAuth streams have their lifetime increased indefinitely\n" +" while in active use. This currently only affects the Tor Browser\n" +" in Tails, and should improve the experience on certain websites\n" +" that otherwise would switch language or log you out every ten\n" +" minutes or so when Tor switches circuit. (Closes:\n" +" [[!tails_ticket 7934]])\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" * Security fixes\n" +" - Upgrade Linux to 3.16.7-ckt9-3.\n" +" - Upgrade curl to 7.26.0-1+wheezy13.\n" +" - Upgrade dpkg to 1.16.16.\n" +" - Upgrade gstreamer0.10-plugins-bad to 0.10.23-7.1+deb7u2.\n" +" - Upgrade libgd2-xpm to 2.0.36~rc1~dfsg-6.1+deb7u1.\n" +" - Upgrade openldap to 2.4.31-2.\n" +" - Upgrade LibreOffice to 1:3.5.4+dfsg2-0+deb7u4.\n" +" - Upgrade libruby1.9.1 to 1.9.3.194-8.1+deb7u5.\n" +" - Upgrade libtasn1-3 to 2.13-2+deb7u2.\n" +" - Upgrade libx11 to 2:1.5.0-1+deb7u2.\n" +" - Upgrade libxml-libxml-perl to 2.0001+dfsg-1+deb7u1.\n" +" - Upgrade libxml2 to 2.8.0+dfsg1-7+wheezy4.\n" +" - Upgrade OpenJDK to 7u79-2.5.5-1~deb7u1.\n" +" - Upgrade ppp to 2.4.5-5.1+deb7u2.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" * Bugfixes\n" +" - Make the Windows 8 browser theme compatible with the Unsafe and\n" +" I2P browsers. (Closes: [[!tails_ticket 9138]])\n" +" - Hide Torbutton's \"Tor Network Settings...\" context menu entry.\n" +" (Closes: [[!tails_ticket 7647]])\n" +" - Upgrade the syslinux packages to support booting Tails on\n" +" Chromebook C720-2800. (Closes: [[!tails_ticket 9044]])\n" +" - Enable localization in Tails Upgrader. (Closes:\n" +" [[!tails_ticket 9190]])\n" +" - Make sure the system clock isn't before the build date during\n" +" early boot. Our live-config hook that imports our signing keys\n" +" depend on that the system clock isn't before the date when the\n" +" keys where created. (Closes: [[!tails_ticket 9149]])\n" +" - Set GNOME's OpenPGP keys via desktop.gnome.crypto.pgp to prevent\n" +" us from getting GNOME's default keyserver in addition to our\n" +" own. (Closes: [[!tails_ticket 9233]])\n" +" - Prevent Firefox from crashing when Orca is enabled: grant it\n" +" access to assistive technologies in its Apparmor\n" +" profile. (Closes: [[!tails_ticket 9261]])\n" +" - Add Jessie APT source. (Closes: [[!tails_ticket 9278]])\n" +" - Fix set_simple_config_key(). If the key already existed in the\n" +" config file before the call, all other lines would be removed\n" +" due to the sed option -n and p combo. (Closes:\n" +" [[!tails_ticket 9122]])\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" * Minor improvements\n" +" - Upgrade I2P to 0.9.19-3~deb7u+1. (Closes:\n" +" [[!tails_ticket 9229]])\n" +" - Install Tor Browser's bundled Torbutton instead of custom .deb.\n" +" As of Torbutton 1.9.1.0 everything we need has been upstreamed.\n" +" - Install Tor Browser's bundled Tor Launcher instead of our\n" +" in-tree version. With Tor 0.2.6.x our custom patches for the\n" +" ClientTransportPlugin hacks are not needed any more. (Closes:\n" +" [[!tails_ticket 7283]])\n" +" - Don't install msmtp and mutt. (Closes: [[!tails_ticket 8727]])\n" +" - Install fonts-linuxlibertine for improved Vietnamese support in\n" +" LibreOffice. (Closes: [[!tails_ticket 8996]])\n" +" - Remove obsoletete #i2p-help IRC channel from the Pidgin\n" +" configuration (Closes: [[!tails_ticket 9137]])\n" +" - Add Gedit shortcut to gpgApplet's context menu. Thanks to Ivan\n" +" Bliminse for the patch. (Closes: [[!tails_ticket 9069]]).\n" +" - Install printer-driver-gutenprint to support more printer\n" +" models. (Closes: [[!tails_ticket 8994]]).\n" +" - Install paperkey for off-line OpenPGP key backup. (Closes:\n" +" [[!tails_ticket 8957]])\n" +" - Hide the Tor logo in Tor Launcher. (Closes:\n" +" [[!tails_ticket 8696]])\n" +" - Remove useless log() instance in tails-unblock-network. (Closes:\n" +" [[!tails_ticket 9034]])\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"known_issues\"></a>\n" +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Known issues in 1.4~rc1" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"The Windows 8 theme is slightly broken for all browsers: the default Firefox " +"tab bar is used, and the search bar is enabled. ([[!tails_ticket 9326]])" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Tails' Tor Browser still uses Startpage as the default search engine instead " +"of Disconnect.me like upstream Tor Browser, but the Unsafe Browser does use " +"Disconnect.me. ([[!tails_ticket 9309]])" +msgstr "" + +#. type: Bullet: '* ' +msgid "[[Longstanding known issues|support/known_issues]]" +msgstr "" diff --git a/wiki/src/news/version_1.2.3.de.po b/wiki/src/news/version_1.2.3.de.po index d06ea2bd2ed0e04bc40d7cfac5969da77189acac..8a7a188f00fb3c99f53c22999a95e883d99267eb 100644 --- a/wiki/src/news/version_1.2.3.de.po +++ b/wiki/src/news/version_1.2.3.de.po @@ -3,18 +3,18 @@ # This file is distributed under the same license as the PACKAGE package. # FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. # -#, fuzzy msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2015-01-14 22:23+0100\n" -"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" -"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"POT-Creation-Date: 2015-01-23 18:55+0100\n" +"PO-Revision-Date: 2015-01-15 19:55+0100\n" +"Last-Translator: Tails developers <tails@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" -"Language: \n" +"Language: de\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"X-Generator: Poedit 1.5.4\n" #. type: Plain text #, no-wrap @@ -24,7 +24,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "[[!meta title=\"Tails 1.2.3 is out\"]]\n" -msgstr "" +msgstr "[[!meta title=\"Tails 1.2.3 wurde veröffentlicht\"]]\n" #. type: Plain text #, no-wrap @@ -34,6 +34,7 @@ msgstr "" #. type: Plain text msgid "Tails, The Amnesic Incognito Live System, version 1.2.3, is out." msgstr "" +"Version 1.2.3 von Tails, dem Amnesic Incognito Live System, ist erschienen." #. type: Plain text msgid "" @@ -41,6 +42,9 @@ msgid "" "Numerous_security_holes_in_1.2.2]] and all users must [[upgrade|doc/" "first_steps/upgrade]] as soon as possible." msgstr "" +"Diese Version behebt [[zahlreiche Sicherheitslücken|security/" +"Numerous_security_holes_in_1.2.2]] und alle Benutzer sollten so schnell wie " +"möglich [[aktualisieren|doc/first_steps/upgrade]]." #. type: Plain text msgid "" @@ -48,6 +52,10 @@ msgid "" "org, expired. This means that if you still are running Tails 1.2.1 or older, " "you will not get any update notification. Please help spreading the word!" msgstr "" +"Am 3. Januar ist das SSL Zertifikat des Hosters unserer Webseite, boum.org, " +"abgelaufen. Falls Sie Nutzer von Tails 1.2.1 oder einer noch früheren " +"Version sind, bekommen Sie dadurch **keine** Benachrichtigung über die neue " +"Version. Bitte helfen Sie diese Information zu verbreiten!" #. type: Plain text #, no-wrap @@ -57,7 +65,7 @@ msgstr "" #. type: Title # #, no-wrap msgid "Changes" -msgstr "" +msgstr "Änderungen" #. type: Plain text #, no-wrap @@ -72,6 +80,16 @@ msgid "" " Unsafe Browser has checked for upgrades of the Tor Browser in\n" " the clear ([[!tails_ticket 8694]]).\n" msgstr "" +" * Behobene Sicherheitslücken\n" +" - Aktualisierung auf Linux 3.16.7-ckt2-1.\n" +" - Aktualisierung auf Tor Browser 4.0.3 (basierend auf Firefox 31.4.0esr)\n" +" ([[!tails_ticket 8700]]).\n" +" - Verbesserung des Sicherungssystems bei der Verschleierung von MAC-Adressen.\n" +" Dadurch wird eine weitere Möglichkeit, MAC-Adressen zu enthüllen, verhindert.\n" +" ([[!tails_ticket 8571]]).\n" +" - Deaktivierung der Suche nach Aktualisierungen im ungesicherten Browser.\n" +" Bisher hat der ungesicherte Browser im Klartext nach Aktualisierungen für den\n" +" Tor Browser geprüft ([[!tails_ticket 8694]]).\n" #. type: Plain text #, no-wrap @@ -85,59 +103,87 @@ msgid "" " - Properly update the Tails Installer's status when plugging in a\n" " USB drive after it has started ([[!tails_ticket 8353]]).\n" msgstr "" +" * Bugfixes\n" +" - Korrektur des Starts des ungesicherten Browsers in einigen locales\n" +" ([[!tails_ticket 8693]]).\n" +" - Reparatur der Funktion zur Erstellung von Screenshots ([[!tails_ticket 8087]]).\n" +" - Tails geht beim Schließen des Notebookdeckels im Batteriebetrieb nicht\n" +" mehr in den Standby-Modus ([[!tails_ticket 8071]]).\n" +" - Korrekte Statusaktualisierung des Tails Installers, wenn ein USB-Medium\n" +" während einer Installation eingesteckt wird ([[!tails_ticket 8353]]).\n" #. type: Plain text msgid "" "See the [online Changelog](https://git-tails.immerda.ch/tails/plain/debian/" "changelog) for technical details." msgstr "" +"Technische Details finden Sie im [Changelog](https://git-tails.immerda.ch/" +"tails/plain/debian/changelog)." #. type: Title # #, no-wrap msgid "Known issues" -msgstr "" +msgstr "Bekannte Probleme" #. type: Bullet: '* ' msgid "" "It is [[hard to exchange files with the I2P Browser|support/" "known_issues#i2p_browser]]." msgstr "" +"Es ist schwierig [[Dateien mit dem I2P Browser auszutauschen|support/" +"known_issues#i2p_browser]]." #. type: Bullet: '* ' -msgid "[[Longstanding|support/known_issues]] known issues." +msgid "" +"Tails' MAC spoofing feature [[disables Broadcom BCM43224 wireless adapters|" +"support/known_issues#bcm43224]]. This network adapter can be found in the " +"MacBook Air 4,1, 4,2, 5,1 and 5,2." msgstr "" +#. type: Bullet: '* ' +msgid "[[Longstanding|support/known_issues]] known issues." +msgstr "[[Längerfristige|support/known_issues]] bekannte Probleme." + #. type: Title # #, no-wrap msgid "I want to try it or to upgrade!" -msgstr "" +msgstr "Ich möchte Tails ausprobieren oder aktualisieren!" #. type: Plain text msgid "Go to the [[download]] page." -msgstr "" +msgstr "Gehen Sie zur [[Download|download]]-Seite." #. type: Plain text msgid "" "As no software is ever perfect, we maintain a list of [[problems that " "affects the last release of Tails|support/known_issues]]." msgstr "" +"Da keine Sofware perfekt ist, pflegen wir eine Liste der [[Probleme, die die " +"letzte Version von Tails betreffen|support/known_issues]]." #. type: Title # #, no-wrap msgid "What's coming up?" -msgstr "" +msgstr "Was kommt als Nächstes?" #. type: Plain text msgid "" "The next Tails release is [[scheduled|contribute/calendar]] for February 24." msgstr "" +"Die nächste Version von Tails ist für den 24. Februar [[geplant|contribute/" +"calendar]]." #. type: Plain text msgid "Have a look at our [[!tails_roadmap]] to see where we are heading to." msgstr "" +"Werfen Sie einen Blick auf den [[Tails-Fahrplan|tails_roadmap]] um zu sehen, " +"was wir als Nächstes vorhaben." #. type: Plain text msgid "" "Do you want to help? There are many ways [[**you** can contribute to Tails|" "contribute]]. If you want to help, come talk to us!" msgstr "" +"Möchten Sie helfen? Es gibt viele Möglichkeiten, mit denen [[**Sie** zu " +"Tails beisteuern|contribute]] können. Wenn Sie uns helfen möchten, sprechen " +"Sie uns an!\"" diff --git a/wiki/src/news/version_1.2.3.fr.po b/wiki/src/news/version_1.2.3.fr.po index d06ea2bd2ed0e04bc40d7cfac5969da77189acac..e651e2a1506ebf314c955f5735dde6564c18e3a2 100644 --- a/wiki/src/news/version_1.2.3.fr.po +++ b/wiki/src/news/version_1.2.3.fr.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2015-01-14 22:23+0100\n" +"POT-Creation-Date: 2015-01-23 18:55+0100\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -103,6 +103,13 @@ msgid "" "known_issues#i2p_browser]]." msgstr "" +#. type: Bullet: '* ' +msgid "" +"Tails' MAC spoofing feature [[disables Broadcom BCM43224 wireless adapters|" +"support/known_issues#bcm43224]]. This network adapter can be found in the " +"MacBook Air 4,1, 4,2, 5,1 and 5,2." +msgstr "" + #. type: Bullet: '* ' msgid "[[Longstanding|support/known_issues]] known issues." msgstr "" diff --git a/wiki/src/news/version_1.2.3.mdwn b/wiki/src/news/version_1.2.3.mdwn index 9a97b680294e2ccee74a4eaa895aa19cb7b61027..fd1a25a00933e8f0427b4120d4566e609c32fc54 100644 --- a/wiki/src/news/version_1.2.3.mdwn +++ b/wiki/src/news/version_1.2.3.mdwn @@ -44,6 +44,11 @@ for technical details. * It is [[hard to exchange files with the I2P Browser|support/known_issues#i2p_browser]]. +* Tails' MAC spoofing feature [[disables + Broadcom BCM43224 wireless adapters|support/known_issues#bcm43224]]. + This network adapter can be found in the MacBook Air 4,1, 4,2, 5,1 + and 5,2. + * [[Longstanding|support/known_issues]] known issues. # I want to try it or to upgrade! diff --git a/wiki/src/news/version_1.2.3.pt.po b/wiki/src/news/version_1.2.3.pt.po index d06ea2bd2ed0e04bc40d7cfac5969da77189acac..e651e2a1506ebf314c955f5735dde6564c18e3a2 100644 --- a/wiki/src/news/version_1.2.3.pt.po +++ b/wiki/src/news/version_1.2.3.pt.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2015-01-14 22:23+0100\n" +"POT-Creation-Date: 2015-01-23 18:55+0100\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -103,6 +103,13 @@ msgid "" "known_issues#i2p_browser]]." msgstr "" +#. type: Bullet: '* ' +msgid "" +"Tails' MAC spoofing feature [[disables Broadcom BCM43224 wireless adapters|" +"support/known_issues#bcm43224]]. This network adapter can be found in the " +"MacBook Air 4,1, 4,2, 5,1 and 5,2." +msgstr "" + #. type: Bullet: '* ' msgid "[[Longstanding|support/known_issues]] known issues." msgstr "" diff --git a/wiki/src/news/version_1.3.1.de.po b/wiki/src/news/version_1.3.1.de.po new file mode 100644 index 0000000000000000000000000000000000000000..7f5492ad3331cb34b870580cd362d66c89622134 --- /dev/null +++ b/wiki/src/news/version_1.3.1.de.po @@ -0,0 +1,122 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-22 17:31+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"Mon March 23 12:34:56 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Tails 1.3.1 is out\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!tag announce]]\n" +msgstr "" + +#. type: Plain text +msgid "Tails, The Amnesic Incognito Live System, version 1.3.1, is out." +msgstr "" + +#. type: Plain text +msgid "" +"This is an emergency release, triggered by an unscheduled Firefox release " +"meant to fix critical security issues." +msgstr "" + +#. type: Plain text +msgid "" +"It fixes [[numerous security issues|security/" +"Numerous_security_holes_in_1.3]] and all users must [[upgrade|doc/" +"first_steps/upgrade]] as soon as possible." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!toc levels=1]]\n" +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Changes" +msgstr "" + +#. type: Title ## +#, no-wrap +msgid "Upgrades and changes" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Tails has [[transitioned to a **new OpenPGP signing key**|news/" +"signing_key_transition]]." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"**Tor Launcher** 0.2.7.2 improves usability of Internet connections that are " +"censored, filtered, or proxied." +msgstr "" + +#. type: Plain text +msgid "" +"There are numerous other changes that may not be apparent in the daily " +"operation of a typical user. Technical details of all the changes are listed " +"in the [Changelog](https://git-tails.immerda.ch/tails/plain/debian/" +"changelog)." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Known issues" +msgstr "" + +#. type: Plain text +msgid "See the current list of [[known issues|support/known_issues]]." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Download or upgrade" +msgstr "" + +#. type: Plain text +msgid "Go to the [[download]] page." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "What's coming up?" +msgstr "" + +#. type: Plain text +msgid "" +"The next Tails release is [[scheduled|contribute/calendar]] for March 31." +msgstr "" + +#. type: Plain text +msgid "Have a look to our [[!tails_roadmap]] to see where we are heading to." +msgstr "" + +#. type: Plain text +msgid "" +"Do you want to help? There are many ways [[**you** can contribute to Tails|" +"contribute]]. If you want to help, come talk to us!" +msgstr "" diff --git a/wiki/src/news/version_1.3.1.fr.po b/wiki/src/news/version_1.3.1.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..7f5492ad3331cb34b870580cd362d66c89622134 --- /dev/null +++ b/wiki/src/news/version_1.3.1.fr.po @@ -0,0 +1,122 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-22 17:31+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"Mon March 23 12:34:56 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Tails 1.3.1 is out\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!tag announce]]\n" +msgstr "" + +#. type: Plain text +msgid "Tails, The Amnesic Incognito Live System, version 1.3.1, is out." +msgstr "" + +#. type: Plain text +msgid "" +"This is an emergency release, triggered by an unscheduled Firefox release " +"meant to fix critical security issues." +msgstr "" + +#. type: Plain text +msgid "" +"It fixes [[numerous security issues|security/" +"Numerous_security_holes_in_1.3]] and all users must [[upgrade|doc/" +"first_steps/upgrade]] as soon as possible." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!toc levels=1]]\n" +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Changes" +msgstr "" + +#. type: Title ## +#, no-wrap +msgid "Upgrades and changes" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Tails has [[transitioned to a **new OpenPGP signing key**|news/" +"signing_key_transition]]." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"**Tor Launcher** 0.2.7.2 improves usability of Internet connections that are " +"censored, filtered, or proxied." +msgstr "" + +#. type: Plain text +msgid "" +"There are numerous other changes that may not be apparent in the daily " +"operation of a typical user. Technical details of all the changes are listed " +"in the [Changelog](https://git-tails.immerda.ch/tails/plain/debian/" +"changelog)." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Known issues" +msgstr "" + +#. type: Plain text +msgid "See the current list of [[known issues|support/known_issues]]." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Download or upgrade" +msgstr "" + +#. type: Plain text +msgid "Go to the [[download]] page." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "What's coming up?" +msgstr "" + +#. type: Plain text +msgid "" +"The next Tails release is [[scheduled|contribute/calendar]] for March 31." +msgstr "" + +#. type: Plain text +msgid "Have a look to our [[!tails_roadmap]] to see where we are heading to." +msgstr "" + +#. type: Plain text +msgid "" +"Do you want to help? There are many ways [[**you** can contribute to Tails|" +"contribute]]. If you want to help, come talk to us!" +msgstr "" diff --git a/wiki/src/news/version_1.3.1.mdwn b/wiki/src/news/version_1.3.1.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..09c07fa252747e924787b0e6f5847a2e4f5073e2 --- /dev/null +++ b/wiki/src/news/version_1.3.1.mdwn @@ -0,0 +1,47 @@ +[[!meta date="Mon March 23 12:34:56 2015"]] +[[!meta title="Tails 1.3.1 is out"]] +[[!tag announce]] + +Tails, The Amnesic Incognito Live System, version 1.3.1, is out. + +This is an emergency release, triggered by an unscheduled +Firefox release meant to fix critical security issues. + +It fixes [[numerous security +issues|security/Numerous_security_holes_in_1.3]] and all users must +[[upgrade|doc/first_steps/upgrade]] as soon as possible. + +[[!toc levels=1]] + +# Changes + +## Upgrades and changes + + - Tails has [[transitioned to a **new OpenPGP signing + key**|news/signing_key_transition]]. + + - **Tor Launcher** 0.2.7.2 improves usability of Internet + connections that are censored, filtered, or proxied. + +There are numerous other changes that may not be apparent in the daily +operation of a typical user. Technical details of all the changes +are listed in the [Changelog](https://git-tails.immerda.ch/tails/plain/debian/changelog). + +# Known issues + +See the current list of [[known issues|support/known_issues]]. + +# Download or upgrade + +Go to the [[download]] page. + +# What's coming up? + +The next Tails release is [[scheduled|contribute/calendar]] for +March 31. + +Have a look to our [[!tails_roadmap]] to see where we are heading to. + +Do you want to help? There are many ways [[**you** can +contribute to Tails|contribute]]. If you want to help, come talk +to us! diff --git a/wiki/src/news/version_1.3.1.pt.po b/wiki/src/news/version_1.3.1.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..7f5492ad3331cb34b870580cd362d66c89622134 --- /dev/null +++ b/wiki/src/news/version_1.3.1.pt.po @@ -0,0 +1,122 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-22 17:31+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"Mon March 23 12:34:56 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Tails 1.3.1 is out\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!tag announce]]\n" +msgstr "" + +#. type: Plain text +msgid "Tails, The Amnesic Incognito Live System, version 1.3.1, is out." +msgstr "" + +#. type: Plain text +msgid "" +"This is an emergency release, triggered by an unscheduled Firefox release " +"meant to fix critical security issues." +msgstr "" + +#. type: Plain text +msgid "" +"It fixes [[numerous security issues|security/" +"Numerous_security_holes_in_1.3]] and all users must [[upgrade|doc/" +"first_steps/upgrade]] as soon as possible." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!toc levels=1]]\n" +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Changes" +msgstr "" + +#. type: Title ## +#, no-wrap +msgid "Upgrades and changes" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Tails has [[transitioned to a **new OpenPGP signing key**|news/" +"signing_key_transition]]." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"**Tor Launcher** 0.2.7.2 improves usability of Internet connections that are " +"censored, filtered, or proxied." +msgstr "" + +#. type: Plain text +msgid "" +"There are numerous other changes that may not be apparent in the daily " +"operation of a typical user. Technical details of all the changes are listed " +"in the [Changelog](https://git-tails.immerda.ch/tails/plain/debian/" +"changelog)." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Known issues" +msgstr "" + +#. type: Plain text +msgid "See the current list of [[known issues|support/known_issues]]." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Download or upgrade" +msgstr "" + +#. type: Plain text +msgid "Go to the [[download]] page." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "What's coming up?" +msgstr "" + +#. type: Plain text +msgid "" +"The next Tails release is [[scheduled|contribute/calendar]] for March 31." +msgstr "" + +#. type: Plain text +msgid "Have a look to our [[!tails_roadmap]] to see where we are heading to." +msgstr "" + +#. type: Plain text +msgid "" +"Do you want to help? There are many ways [[**you** can contribute to Tails|" +"contribute]]. If you want to help, come talk to us!" +msgstr "" diff --git a/wiki/src/news/version_1.3.2.de.po b/wiki/src/news/version_1.3.2.de.po new file mode 100644 index 0000000000000000000000000000000000000000..8cdad33e5f8275679a26b806778f74b5eeeb700f --- /dev/null +++ b/wiki/src/news/version_1.3.2.de.po @@ -0,0 +1,112 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-31 21:23+0300\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"Tue March 31 12:34:56 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Tails 1.3.2 is out\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!tag announce]]\n" +msgstr "" + +#. type: Plain text +msgid "Tails, The Amnesic Incognito Live System, version 1.3.2, is out." +msgstr "" + +#. type: Plain text +msgid "" +"This release fixes [[numerous security issues|security/" +"Numerous_security_holes_in_1.3.1]] and all users must [[upgrade|doc/" +"first_steps/upgrade]] as soon as possible." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!toc levels=1]]\n" +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Changes" +msgstr "" + +#. type: Title ## +#, no-wrap +msgid "Upgrades and changes" +msgstr "" + +#. type: Bullet: ' - ' +msgid "The **Florence** virtual keyboard can now be used with touchpads again." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"**Tails Installer** does not list devices that are [[too small to be " +"supported|doc/first_steps/installation]]." +msgstr "" + +#. type: Plain text +msgid "" +"There are numerous other changes that may not be apparent in the daily " +"operation of a typical user. Technical details of all the changes are listed " +"in the [[!tails_gitweb desc=\"Changelog\" debian/changelog]]." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Known issues" +msgstr "" + +#. type: Plain text +msgid "See the current list of [[known issues|support/known_issues]]." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Download or upgrade" +msgstr "" + +#. type: Plain text +msgid "Go to the [[download]] page." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "What's coming up?" +msgstr "" + +#. type: Plain text +msgid "The next Tails release is [[scheduled|contribute/calendar]] for May 12." +msgstr "" + +#. type: Plain text +msgid "Have a look to our [[!tails_roadmap]] to see where we are heading to." +msgstr "" + +#. type: Plain text +msgid "" +"Do you want to help? There are many ways [[**you** can contribute to Tails|" +"contribute]]. If you want to help, come talk to us!" +msgstr "" diff --git a/wiki/src/news/version_1.3.2.fr.po b/wiki/src/news/version_1.3.2.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..8cdad33e5f8275679a26b806778f74b5eeeb700f --- /dev/null +++ b/wiki/src/news/version_1.3.2.fr.po @@ -0,0 +1,112 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-31 21:23+0300\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"Tue March 31 12:34:56 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Tails 1.3.2 is out\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!tag announce]]\n" +msgstr "" + +#. type: Plain text +msgid "Tails, The Amnesic Incognito Live System, version 1.3.2, is out." +msgstr "" + +#. type: Plain text +msgid "" +"This release fixes [[numerous security issues|security/" +"Numerous_security_holes_in_1.3.1]] and all users must [[upgrade|doc/" +"first_steps/upgrade]] as soon as possible." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!toc levels=1]]\n" +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Changes" +msgstr "" + +#. type: Title ## +#, no-wrap +msgid "Upgrades and changes" +msgstr "" + +#. type: Bullet: ' - ' +msgid "The **Florence** virtual keyboard can now be used with touchpads again." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"**Tails Installer** does not list devices that are [[too small to be " +"supported|doc/first_steps/installation]]." +msgstr "" + +#. type: Plain text +msgid "" +"There are numerous other changes that may not be apparent in the daily " +"operation of a typical user. Technical details of all the changes are listed " +"in the [[!tails_gitweb desc=\"Changelog\" debian/changelog]]." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Known issues" +msgstr "" + +#. type: Plain text +msgid "See the current list of [[known issues|support/known_issues]]." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Download or upgrade" +msgstr "" + +#. type: Plain text +msgid "Go to the [[download]] page." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "What's coming up?" +msgstr "" + +#. type: Plain text +msgid "The next Tails release is [[scheduled|contribute/calendar]] for May 12." +msgstr "" + +#. type: Plain text +msgid "Have a look to our [[!tails_roadmap]] to see where we are heading to." +msgstr "" + +#. type: Plain text +msgid "" +"Do you want to help? There are many ways [[**you** can contribute to Tails|" +"contribute]]. If you want to help, come talk to us!" +msgstr "" diff --git a/wiki/src/news/version_1.3.2.mdwn b/wiki/src/news/version_1.3.2.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..cd44c4445425777157d5c6140914970ea2104eda --- /dev/null +++ b/wiki/src/news/version_1.3.2.mdwn @@ -0,0 +1,44 @@ +[[!meta date="Tue March 31 12:34:56 2015"]] +[[!meta title="Tails 1.3.2 is out"]] +[[!tag announce]] + +Tails, The Amnesic Incognito Live System, version 1.3.2, is out. + +This release fixes [[numerous security +issues|security/Numerous_security_holes_in_1.3.1]] and all users must +[[upgrade|doc/first_steps/upgrade]] as soon as possible. + +[[!toc levels=1]] + +# Changes + +## Upgrades and changes + + - The **Florence** virtual keyboard can now be used with touchpads + again. + + - **Tails Installer** does not list devices that are [[too small to + be supported|doc/first_steps/installation]]. + +There are numerous other changes that may not be apparent in the daily +operation of a typical user. Technical details of all the changes +are listed in the [[!tails_gitweb desc="Changelog" debian/changelog]]. + +# Known issues + +See the current list of [[known issues|support/known_issues]]. + +# Download or upgrade + +Go to the [[download]] page. + +# What's coming up? + +The next Tails release is [[scheduled|contribute/calendar]] for +May 12. + +Have a look to our [[!tails_roadmap]] to see where we are heading to. + +Do you want to help? There are many ways [[**you** can +contribute to Tails|contribute]]. If you want to help, come talk +to us! diff --git a/wiki/src/news/version_1.3.2.pt.po b/wiki/src/news/version_1.3.2.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..8cdad33e5f8275679a26b806778f74b5eeeb700f --- /dev/null +++ b/wiki/src/news/version_1.3.2.pt.po @@ -0,0 +1,112 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-31 21:23+0300\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"Tue March 31 12:34:56 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Tails 1.3.2 is out\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!tag announce]]\n" +msgstr "" + +#. type: Plain text +msgid "Tails, The Amnesic Incognito Live System, version 1.3.2, is out." +msgstr "" + +#. type: Plain text +msgid "" +"This release fixes [[numerous security issues|security/" +"Numerous_security_holes_in_1.3.1]] and all users must [[upgrade|doc/" +"first_steps/upgrade]] as soon as possible." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!toc levels=1]]\n" +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Changes" +msgstr "" + +#. type: Title ## +#, no-wrap +msgid "Upgrades and changes" +msgstr "" + +#. type: Bullet: ' - ' +msgid "The **Florence** virtual keyboard can now be used with touchpads again." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"**Tails Installer** does not list devices that are [[too small to be " +"supported|doc/first_steps/installation]]." +msgstr "" + +#. type: Plain text +msgid "" +"There are numerous other changes that may not be apparent in the daily " +"operation of a typical user. Technical details of all the changes are listed " +"in the [[!tails_gitweb desc=\"Changelog\" debian/changelog]]." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Known issues" +msgstr "" + +#. type: Plain text +msgid "See the current list of [[known issues|support/known_issues]]." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Download or upgrade" +msgstr "" + +#. type: Plain text +msgid "Go to the [[download]] page." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "What's coming up?" +msgstr "" + +#. type: Plain text +msgid "The next Tails release is [[scheduled|contribute/calendar]] for May 12." +msgstr "" + +#. type: Plain text +msgid "Have a look to our [[!tails_roadmap]] to see where we are heading to." +msgstr "" + +#. type: Plain text +msgid "" +"Do you want to help? There are many ways [[**you** can contribute to Tails|" +"contribute]]. If you want to help, come talk to us!" +msgstr "" diff --git a/wiki/src/news/version_1.3.de.po b/wiki/src/news/version_1.3.de.po new file mode 100644 index 0000000000000000000000000000000000000000..827133f2ef6641e6d5a00e4e5c98e3a4c090504a --- /dev/null +++ b/wiki/src/news/version_1.3.de.po @@ -0,0 +1,212 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +msgid "" +msgstr "" +"Project-Id-Version: Tails Translators\n" +"POT-Creation-Date: 2015-03-09 21:32+0000\n" +"PO-Revision-Date: 2015-03-09 21:35-0000\n" +"Last-Translator: Tails translators <amnesia@boum.org>\n" +"Language-Team: Tails Translators <tails-l10n@boum.org>\n" +"Language: de\n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Generator: Poedit 1.5.4\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"Tue Feb 24 12:34:56 2015\"]]\n" +msgstr "[[!meta date=\"Tue Feb 24 12:34:56 2015\"]]\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Tails 1.3 is out\"]]\n" +msgstr "[[!meta title=\"Tails 1.3 wurde veröffentlicht\"]]\n" + +#. type: Plain text +#, no-wrap +msgid "[[!tag announce]]\n" +msgstr "[[!tag announce]]\n" + +#. type: Plain text +msgid "Tails, The Amnesic Incognito Live System, version 1.3, is out." +msgstr "" +"Die Version 1.3 von Tails, dem Amnesic Incognito Live System, ist erschienen." + +#. type: Plain text +msgid "" +"This release fixes [[numerous security issues|security/" +"Numerous_security_holes_in_1.2.3]] and all users must [[upgrade|doc/" +"first_steps/upgrade]] as soon as possible." +msgstr "" +"Diese Version behebt [[zahlreiche Sicherheitslücken|security/" +"Numerous_security_holes_in_1.2.3]] und alle Benutzer sollten so schnell wie " +"möglich [[aktualisieren|doc/first_steps/upgrade]]." + +#. type: Plain text +#, no-wrap +msgid "[[!toc levels=1]]\n" +msgstr "[[!toc levels=1]]\n" + +#. type: Title # +#, no-wrap +msgid "Changes" +msgstr "Änderungen" + +#. type: Title ## +#, no-wrap +msgid "New features" +msgstr "Neue Funktionen" + +#. type: Bullet: ' - ' +msgid "" +"**[[Electrum|doc/anonymous_internet/electrum]]** is an easy to use bitcoin " +"wallet. You can use the [[**Bitcoin Client** persistence feature|doc/" +"first_steps/persistence/configure#bitcoin]] to store your *Electrum* " +"configuration and wallet." +msgstr "" +"**[[Electrum|doc/anonymous_internet/electrum]]** ist eine leicht zu " +"benützende Bitcoin-Geldbörse. Sie können die [[**Bitcoin Client** Funktion " +"des beständigen Speicherbereichs|doc/first_steps/persistence/" +"configure#electrum]] nutzen, um ihre *Electrum* Einstellungen und die " +"Geldbörse zu sichern." + +#. type: Bullet: ' - ' +msgid "" +"The **Tor Browser** has additional operating system and data **security**. " +"This security restricts reads and writes to a limited number of folders. " +"[[Learn how to manipulate files|doc/anonymous_internet/" +"Tor_Browser#confinement]] with the new *Tor Browser*." +msgstr "" +"Der **Tor Browser** hat zusätzliche **Sicherheitfunktionen** im Bezug auf " +"Betriebssytem und Daten. Diese Sicherheitsfunktionen beschränken die Lese " +"und Schreibzugriffe auf eine bestimmte Anzahl von Verzeichnissen. Lernen Sie " +"mit dem neuen *Tor Browser* [[auf Dateien zuzugreifen|doc/anonymous_internet/" +"Tor_Browser#confinement]]." + +#. type: Bullet: ' - ' +msgid "" +"The **obfs4 pluggable transport** is now available to connect to Tor " +"bridges. Pluggable transports transform the Tor traffic between the client " +"and the bridge to help disguise Tor traffic from censors." +msgstr "" +"Das **obfs4 Transport Plugin** ist nun verfügbar, um zu Tor Bridges zu " +"verbinden. Transport Plugins wandeln die Tor Datenströme zwischen Client und " +"der Bridge um, um zu helfen, die Tor Datenströme vor Zensur verschleiern." + +#. type: Bullet: ' - ' +msgid "" +"**[[Keyringer|doc/encryption_and_privacy/keyringer]]** lets you manage and " +"share secrets using *OpenPGP* and *Git* from the command line." +msgstr "" +"**[[Keyringer|doc/encryption_and_privacy/keyringer]]** gibt Ihnen die " +"Möglichkeit Geheimnisse mittels *OpenPGP* und *Git* auf der Kommandozeile zu " +"verwalten und zu schützen." + +#. type: Title ## +#, no-wrap +msgid "Upgrades and changes" +msgstr "Aktualisierungen und Änderungen" + +#. type: Bullet: ' - ' +msgid "" +"The **Mac and Linux manual installation** processes no longer require the " +"`isohybrid` command. Removing the `isohybrid` command simplifies the " +"installation." +msgstr "" +"Bei der **manuellen Installation mit Mac und Linux** wird der `isohybrid` " +"Befehl nicht mehr benötigt. Die Beseitigung des `isohybrid` Befehls " +"vereinfacht die Installation." + +#. type: Bullet: ' - ' +msgid "" +"The **tap-to-click** and **two-finger scrolling** trackpad settings are now " +"enabled by default. This should be more intuitive for Mac users." +msgstr "" +"Die **Zum Klicken tippen** und **Zwei-Finger Scrolling** Trackpad-" +"Einstellungen sind nun standardmäßig aktiviert. Für Mac Benutzer sollte dies " +"intuitiver sein." + +#. type: Bullet: ' - ' +msgid "The **Ibus Vietnamese input method** is now supported." +msgstr "Die **Ibus Vietnamesische Eingabe-Methode** wird nun unterstützt." + +#. type: Bullet: ' - ' +msgid "" +"**Improved support for OpenPGP smartcards** through the installation of " +"*GnuPG* 2." +msgstr "" +"**Verbesserte Unterstützung für OpenPGP Smartcards** durch die Installation " +"von *GnuPG* 2." + +#. type: Plain text +msgid "" +"There are numerous other changes that may not be apparent in the daily " +"operation of a typical user. Technical details of all the changes are listed " +"in the [Changelog](https://git-tails.immerda.ch/tails/plain/debian/" +"changelog)." +msgstr "" +"Es gibt zahlreiche weitere Änderungen, die bei der Arbeit eines typischen " +"Benutzers nicht sichtbar sind. Technische Details all dieser Änderungen sind " +"in der [[Änderungsliste|https://git-tails.immerda.ch/tails/plain/debian/" +"changelog]] aufgeführt." + +#. type: Title # +#, no-wrap +msgid "Known issues" +msgstr "Bekannte Probleme" + +#. type: Bullet: '* ' +msgid "" +"The Tor Browser shipped in Tails 1.3 has NoScript version 2.6.9.14 instead " +"of version 2.6.9.15, which is the version used in The Tor Project's own Tor " +"Browser 4.0.4 release." +msgstr "" +"Der Tor Browser, der in Tails 1.3 enthalten ist, benutzt NoScript Version " +"2.6.9.14 anstatt Version 2.6.9.15, wie der Tor Browser 4.0.4 Release des Tor " +"Projektes." + +#. type: Bullet: '* ' +msgid "See the current list of [[known issues|support/known_issues]]." +msgstr "" +"Lesen Sie sich die Liste der [[bekannten Probleme|support/known_issues]] " +"durch." + +#. type: Title # +#, no-wrap +msgid "Download or upgrade" +msgstr "Herunterladen oder Aktualisieren" + +#. type: Plain text +msgid "Go to the [[download]] page." +msgstr "Gehen Sie zur [[Download|download]]-Seite" + +#. type: Title # +#, no-wrap +msgid "What's coming up?" +msgstr "Was kommt als Nächstes?" + +#. type: Plain text +msgid "" +"The next Tails release is [[scheduled|contribute/calendar]] for April 7." +msgstr "" +"Die nächste Version von Tails ist für den 7. April [[geplant|contribute/" +"calendar]]." + +#. type: Plain text +msgid "Have a look to our [[!tails_roadmap]] to see where we are heading to." +msgstr "" +"Werfen Sie einen Blick auf die [[!tails_roadmap]] um zu sehen, was wir als " +"Nächstes vorhaben." + +#. type: Plain text +msgid "" +"Do you want to help? There are many ways [[**you** can contribute to Tails|" +"contribute]]. If you want to help, come talk to us!" +msgstr "" +"Möchten Sie helfen? Es gibt viele Möglichkeiten, mit denen [[**Sie** zu " +"Tails beisteuern|contribute]] können. Wenn Sie uns helfen möchten, sprechen " +"Sie uns an!" diff --git a/wiki/src/news/version_1.3.fr.po b/wiki/src/news/version_1.3.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..3a5f27b17ebb9a64161433e838cfe1eb27e0fec7 --- /dev/null +++ b/wiki/src/news/version_1.3.fr.po @@ -0,0 +1,168 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-12 22:06+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"Tue Feb 24 12:34:56 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Tails 1.3 is out\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!tag announce]]\n" +msgstr "" + +#. type: Plain text +msgid "Tails, The Amnesic Incognito Live System, version 1.3, is out." +msgstr "" + +#. type: Plain text +msgid "" +"This release fixes [[numerous security issues|security/" +"Numerous_security_holes_in_1.2.3]] and all users must [[upgrade|doc/" +"first_steps/upgrade]] as soon as possible." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!toc levels=1]]\n" +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Changes" +msgstr "" + +#. type: Title ## +#, no-wrap +msgid "New features" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"**[[Electrum|doc/anonymous_internet/electrum]]** is an easy to use bitcoin " +"wallet. You can use the [[**Bitcoin Client** persistence feature|doc/" +"first_steps/persistence/configure#bitcoin]] to store your *Electrum* " +"configuration and wallet." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"The **Tor Browser** has additional operating system and data **security**. " +"This security restricts reads and writes to a limited number of folders. " +"[[Learn how to manipulate files|doc/anonymous_internet/" +"Tor_Browser#confinement]] with the new *Tor Browser*." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"The **obfs4 pluggable transport** is now available to connect to Tor " +"bridges. Pluggable transports transform the Tor traffic between the client " +"and the bridge to help disguise Tor traffic from censors." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"**[[Keyringer|doc/encryption_and_privacy/keyringer]]** lets you manage and " +"share secrets using *OpenPGP* and *Git* from the command line." +msgstr "" + +#. type: Title ## +#, no-wrap +msgid "Upgrades and changes" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"The **Mac and Linux manual installation** processes no longer require the " +"`isohybrid` command. Removing the `isohybrid` command simplifies the " +"installation." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"The **tap-to-click** and **two-finger scrolling** trackpad settings are now " +"enabled by default. This should be more intuitive for Mac users." +msgstr "" + +#. type: Bullet: ' - ' +msgid "The **Ibus Vietnamese input method** is now supported." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"**Improved support for OpenPGP smartcards** through the installation of " +"*GnuPG* 2." +msgstr "" + +#. type: Plain text +msgid "" +"There are numerous other changes that may not be apparent in the daily " +"operation of a typical user. Technical details of all the changes are listed " +"in the [Changelog](https://git-tails.immerda.ch/tails/plain/debian/" +"changelog)." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Known issues" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"The Tor Browser shipped in Tails 1.3 has NoScript version 2.6.9.14 instead " +"of version 2.6.9.15, which is the version used in The Tor Project's own Tor " +"Browser 4.0.4 release." +msgstr "" + +#. type: Bullet: '* ' +msgid "See the current list of [[known issues|support/known_issues]]." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Download or upgrade" +msgstr "" + +#. type: Plain text +msgid "Go to the [[download]] page." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "What's coming up?" +msgstr "" + +#. type: Plain text +msgid "" +"The next Tails release is [[scheduled|contribute/calendar]] for April 7." +msgstr "" + +#. type: Plain text +msgid "Have a look to our [[!tails_roadmap]] to see where we are heading to." +msgstr "" + +#. type: Plain text +msgid "" +"Do you want to help? There are many ways [[**you** can contribute to Tails|" +"contribute]]. If you want to help, come talk to us!" +msgstr "" diff --git a/wiki/src/news/version_1.3.mdwn b/wiki/src/news/version_1.3.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..7920d3abd0ec285ee50b9e9a6413ef1d220246b4 --- /dev/null +++ b/wiki/src/news/version_1.3.mdwn @@ -0,0 +1,70 @@ +[[!meta date="Tue Feb 24 12:34:56 2015"]] +[[!meta title="Tails 1.3 is out"]] +[[!tag announce]] + +Tails, The Amnesic Incognito Live System, version 1.3, is out. + +This release fixes [[numerous security +issues|security/Numerous_security_holes_in_1.2.3]] and all users must +[[upgrade|doc/first_steps/upgrade]] as soon as possible. + +[[!toc levels=1]] + +# Changes + +## New features + + - **[[Electrum|doc/anonymous_internet/electrum]]** is an easy to use bitcoin wallet. You can use the + [[**Bitcoin Client** persistence feature|doc/first_steps/persistence/configure#bitcoin]] + to store your *Electrum* configuration and wallet. + + - The **Tor Browser** has additional operating system and data + **security**. This security restricts reads and writes to a limited + number of folders. [[Learn how to manipulate files|doc/anonymous_internet/Tor_Browser#confinement]] + with the new *Tor Browser*. + + - The **obfs4 pluggable transport** is now available to connect to Tor + bridges. Pluggable transports transform the Tor traffic between the + client and the bridge to help disguise Tor traffic from censors. + + - **[[Keyringer|doc/encryption_and_privacy/keyringer]]** lets you manage + and share secrets using *OpenPGP* and *Git* from the command line. + +## Upgrades and changes + + - The **Mac and Linux manual installation** processes no longer require the + `isohybrid` command. Removing the `isohybrid` command simplifies the + installation. + - The **tap-to-click** and **two-finger scrolling** trackpad settings + are now enabled by default. This should be more intuitive for Mac + users. + - The **Ibus Vietnamese input method** is now supported. + - **Improved support for OpenPGP smartcards** through the installation + of *GnuPG* 2. + +There are numerous other changes that may not be apparent in the daily +operation of a typical user. Technical details of all the changes +are listed in the [Changelog](https://git-tails.immerda.ch/tails/plain/debian/changelog). + +# Known issues + +* The Tor Browser shipped in Tails 1.3 has NoScript version 2.6.9.14 + instead of version 2.6.9.15, which is the version used in The Tor + Project's own Tor Browser 4.0.4 release. + +* See the current list of [[known issues|support/known_issues]]. + +# Download or upgrade + +Go to the [[download]] page. + +# What's coming up? + +The next Tails release is [[scheduled|contribute/calendar]] for +April 7. + +Have a look to our [[!tails_roadmap]] to see where we are heading to. + +Do you want to help? There are many ways [[**you** can +contribute to Tails|contribute]]. If you want to help, come talk +to us! diff --git a/wiki/src/news/version_1.3.pt.po b/wiki/src/news/version_1.3.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..3a5f27b17ebb9a64161433e838cfe1eb27e0fec7 --- /dev/null +++ b/wiki/src/news/version_1.3.pt.po @@ -0,0 +1,168 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-12 22:06+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"Tue Feb 24 12:34:56 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Tails 1.3 is out\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!tag announce]]\n" +msgstr "" + +#. type: Plain text +msgid "Tails, The Amnesic Incognito Live System, version 1.3, is out." +msgstr "" + +#. type: Plain text +msgid "" +"This release fixes [[numerous security issues|security/" +"Numerous_security_holes_in_1.2.3]] and all users must [[upgrade|doc/" +"first_steps/upgrade]] as soon as possible." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!toc levels=1]]\n" +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Changes" +msgstr "" + +#. type: Title ## +#, no-wrap +msgid "New features" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"**[[Electrum|doc/anonymous_internet/electrum]]** is an easy to use bitcoin " +"wallet. You can use the [[**Bitcoin Client** persistence feature|doc/" +"first_steps/persistence/configure#bitcoin]] to store your *Electrum* " +"configuration and wallet." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"The **Tor Browser** has additional operating system and data **security**. " +"This security restricts reads and writes to a limited number of folders. " +"[[Learn how to manipulate files|doc/anonymous_internet/" +"Tor_Browser#confinement]] with the new *Tor Browser*." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"The **obfs4 pluggable transport** is now available to connect to Tor " +"bridges. Pluggable transports transform the Tor traffic between the client " +"and the bridge to help disguise Tor traffic from censors." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"**[[Keyringer|doc/encryption_and_privacy/keyringer]]** lets you manage and " +"share secrets using *OpenPGP* and *Git* from the command line." +msgstr "" + +#. type: Title ## +#, no-wrap +msgid "Upgrades and changes" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"The **Mac and Linux manual installation** processes no longer require the " +"`isohybrid` command. Removing the `isohybrid` command simplifies the " +"installation." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"The **tap-to-click** and **two-finger scrolling** trackpad settings are now " +"enabled by default. This should be more intuitive for Mac users." +msgstr "" + +#. type: Bullet: ' - ' +msgid "The **Ibus Vietnamese input method** is now supported." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"**Improved support for OpenPGP smartcards** through the installation of " +"*GnuPG* 2." +msgstr "" + +#. type: Plain text +msgid "" +"There are numerous other changes that may not be apparent in the daily " +"operation of a typical user. Technical details of all the changes are listed " +"in the [Changelog](https://git-tails.immerda.ch/tails/plain/debian/" +"changelog)." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Known issues" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"The Tor Browser shipped in Tails 1.3 has NoScript version 2.6.9.14 instead " +"of version 2.6.9.15, which is the version used in The Tor Project's own Tor " +"Browser 4.0.4 release." +msgstr "" + +#. type: Bullet: '* ' +msgid "See the current list of [[known issues|support/known_issues]]." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Download or upgrade" +msgstr "" + +#. type: Plain text +msgid "Go to the [[download]] page." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "What's coming up?" +msgstr "" + +#. type: Plain text +msgid "" +"The next Tails release is [[scheduled|contribute/calendar]] for April 7." +msgstr "" + +#. type: Plain text +msgid "Have a look to our [[!tails_roadmap]] to see where we are heading to." +msgstr "" + +#. type: Plain text +msgid "" +"Do you want to help? There are many ways [[**you** can contribute to Tails|" +"contribute]]. If you want to help, come talk to us!" +msgstr "" diff --git a/wiki/src/news/version_1.4.de.po b/wiki/src/news/version_1.4.de.po new file mode 100644 index 0000000000000000000000000000000000000000..cc95fda76f94aeb02701827bfb8f3a4bba5999f7 --- /dev/null +++ b/wiki/src/news/version_1.4.de.po @@ -0,0 +1,242 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-05-12 14:20+0200\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"Tue May 12 12:34:56 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Tails 1.4 is out\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!tag announce]]\n" +msgstr "" + +#. type: Plain text +msgid "Tails, The Amnesic Incognito Live System, version 1.4, is out." +msgstr "" + +#. type: Plain text +msgid "" +"This release fixes [[numerous security issues|security/" +"Numerous_security_holes_in_1.3.2]] and all users must [[upgrade|doc/" +"first_steps/upgrade]] as soon as possible." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!toc levels=1]]\n" +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Changes" +msgstr "" + +#. type: Title ## +#, no-wrap +msgid "New features" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"*Tor Browser* 4.5 now has a **[[security slider|doc/anonymous_internet/" +"Tor_Browser#security_slider]]** that you can use to disable browser " +"features, such as JavaScript, as a trade-off between security and usability. " +"The security slider is set to *low* by default to provide the same level of " +"security as previous versions and the most usable experience." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" We disabled in Tails the new circuit view of *Tor Browser* 4.5 for\n" +" security reasons. You can still use the network map of *Vidalia* to\n" +" inspect your circuits.\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"*Tails OpenPGP Applet* now has a **shortcut to the *gedit* text editor**, " +"thanks to Ivan Bliminse." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"***[[Paperkey|doc/advanced_topics/paperkey]]*** lets you print a backup of " +"your OpenPGP secret keys on paper." +msgstr "" + +#. type: Title ## +#, no-wrap +msgid "Upgrades and changes" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"*Tor Browser* 4.5 protects better against **third-party tracking**. Often " +"when visiting a website, many connections are created to transfer both the " +"content of the main website (its page, images, and so on) and third-party " +"content from other websites (advertisements, *Like* buttons, and so on). In " +"*Tor Browser* 4.5, all such content, from the main website as well as the " +"third-party websites, goes through the same Tor circuits. And these circuits " +"are not reused when visiting a different website. This prevents third-party " +"websites from correlating your visits to different websites." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"*Tor Browser* 4.5 now keeps using the **same Tor circuit** while you are " +"visiting a website. This prevents the website from suddenly changing " +"language, behavior, or logging you out." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"***[Disconnect](https://search.disconnect.me/)*** is the new **default " +"search engine**. *Disconnect* provides Google search results to Tor users " +"without captchas or bans." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Better support for **Vietnamese** in *LibreOffice* through the installation " +"of `fonts-linuxlibertine`." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Disable security warnings when connecting to POP3 and IMAP ports that are " +"mostly used for StartTLS nowadays." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Support for **more printers** through the installation of `printer-driver-" +"gutenprint`." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Upgrade **Tor** to 0.2.6.7." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Upgrade ***I2P*** to [0.9.19](https://geti2p.net/en/blog/" +"post/2015/04/12/0.9.19-Release) that has several fixes and improvements for " +"floodfill performance." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Remove the obsolete **#i2p-help IRC channel** from *Pidgin*." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Remove the command line email client **`mutt`** and **`msmtp`**." +msgstr "" + +#. type: Plain text +msgid "" +"There are numerous other changes that might not be apparent in the daily " +"operation of a typical user. Technical details of all the changes are listed " +"in the [Changelog](https://git-tails.immerda.ch/tails/plain/debian/" +"changelog)." +msgstr "" + +#. type: Title ## +#, no-wrap +msgid "Fixed problems" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Make the browser theme of the Windows 8 camouflage compatible with the " +"*Unsafe Browser* and the *I2P Browser*." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Remove the **Tor Network Settings...** from the *Torbutton* menu." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Better support for Chromebook C720-2800 through the upgrade of `syslinux`." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Fix the localization of *Tails Upgrader*." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Fix the OpenPGP key servers configured in *Seahorse*." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Prevent *Tor Browser* from crashing when *Orca* is enabled." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Known issues" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Claws Mail stores plaintext copies of all emails on the remote IMAP server, " +"including those that are meant to be encrypted. If you send OpenPGP " +"encrypted emails using *Claws Mail* and IMAP, make sure to apply one of the " +"workarounds documented in our [[security announcement|security/" +"claws_mail_leaks_plaintext_to_imap]]." +msgstr "" + +#. type: Bullet: ' - ' +msgid "See the current list of [[known issues|support/known_issues]]." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Download or upgrade" +msgstr "" + +#. type: Plain text +msgid "Go to the [[download]] page." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "What's coming up?" +msgstr "" + +#. type: Plain text +msgid "" +"The next Tails release is [[scheduled|contribute/calendar]] for June 30." +msgstr "" + +#. type: Plain text +msgid "Have a look to our [[!tails_roadmap]] to see where we are heading to." +msgstr "" + +#. type: Plain text +msgid "" +"Do you want to help? There are many ways [[**you** can contribute to Tails|" +"contribute]]. If you want to help, come talk to us!" +msgstr "" diff --git a/wiki/src/news/version_1.4.fr.po b/wiki/src/news/version_1.4.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..cc95fda76f94aeb02701827bfb8f3a4bba5999f7 --- /dev/null +++ b/wiki/src/news/version_1.4.fr.po @@ -0,0 +1,242 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-05-12 14:20+0200\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"Tue May 12 12:34:56 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Tails 1.4 is out\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!tag announce]]\n" +msgstr "" + +#. type: Plain text +msgid "Tails, The Amnesic Incognito Live System, version 1.4, is out." +msgstr "" + +#. type: Plain text +msgid "" +"This release fixes [[numerous security issues|security/" +"Numerous_security_holes_in_1.3.2]] and all users must [[upgrade|doc/" +"first_steps/upgrade]] as soon as possible." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!toc levels=1]]\n" +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Changes" +msgstr "" + +#. type: Title ## +#, no-wrap +msgid "New features" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"*Tor Browser* 4.5 now has a **[[security slider|doc/anonymous_internet/" +"Tor_Browser#security_slider]]** that you can use to disable browser " +"features, such as JavaScript, as a trade-off between security and usability. " +"The security slider is set to *low* by default to provide the same level of " +"security as previous versions and the most usable experience." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" We disabled in Tails the new circuit view of *Tor Browser* 4.5 for\n" +" security reasons. You can still use the network map of *Vidalia* to\n" +" inspect your circuits.\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"*Tails OpenPGP Applet* now has a **shortcut to the *gedit* text editor**, " +"thanks to Ivan Bliminse." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"***[[Paperkey|doc/advanced_topics/paperkey]]*** lets you print a backup of " +"your OpenPGP secret keys on paper." +msgstr "" + +#. type: Title ## +#, no-wrap +msgid "Upgrades and changes" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"*Tor Browser* 4.5 protects better against **third-party tracking**. Often " +"when visiting a website, many connections are created to transfer both the " +"content of the main website (its page, images, and so on) and third-party " +"content from other websites (advertisements, *Like* buttons, and so on). In " +"*Tor Browser* 4.5, all such content, from the main website as well as the " +"third-party websites, goes through the same Tor circuits. And these circuits " +"are not reused when visiting a different website. This prevents third-party " +"websites from correlating your visits to different websites." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"*Tor Browser* 4.5 now keeps using the **same Tor circuit** while you are " +"visiting a website. This prevents the website from suddenly changing " +"language, behavior, or logging you out." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"***[Disconnect](https://search.disconnect.me/)*** is the new **default " +"search engine**. *Disconnect* provides Google search results to Tor users " +"without captchas or bans." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Better support for **Vietnamese** in *LibreOffice* through the installation " +"of `fonts-linuxlibertine`." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Disable security warnings when connecting to POP3 and IMAP ports that are " +"mostly used for StartTLS nowadays." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Support for **more printers** through the installation of `printer-driver-" +"gutenprint`." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Upgrade **Tor** to 0.2.6.7." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Upgrade ***I2P*** to [0.9.19](https://geti2p.net/en/blog/" +"post/2015/04/12/0.9.19-Release) that has several fixes and improvements for " +"floodfill performance." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Remove the obsolete **#i2p-help IRC channel** from *Pidgin*." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Remove the command line email client **`mutt`** and **`msmtp`**." +msgstr "" + +#. type: Plain text +msgid "" +"There are numerous other changes that might not be apparent in the daily " +"operation of a typical user. Technical details of all the changes are listed " +"in the [Changelog](https://git-tails.immerda.ch/tails/plain/debian/" +"changelog)." +msgstr "" + +#. type: Title ## +#, no-wrap +msgid "Fixed problems" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Make the browser theme of the Windows 8 camouflage compatible with the " +"*Unsafe Browser* and the *I2P Browser*." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Remove the **Tor Network Settings...** from the *Torbutton* menu." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Better support for Chromebook C720-2800 through the upgrade of `syslinux`." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Fix the localization of *Tails Upgrader*." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Fix the OpenPGP key servers configured in *Seahorse*." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Prevent *Tor Browser* from crashing when *Orca* is enabled." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Known issues" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Claws Mail stores plaintext copies of all emails on the remote IMAP server, " +"including those that are meant to be encrypted. If you send OpenPGP " +"encrypted emails using *Claws Mail* and IMAP, make sure to apply one of the " +"workarounds documented in our [[security announcement|security/" +"claws_mail_leaks_plaintext_to_imap]]." +msgstr "" + +#. type: Bullet: ' - ' +msgid "See the current list of [[known issues|support/known_issues]]." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Download or upgrade" +msgstr "" + +#. type: Plain text +msgid "Go to the [[download]] page." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "What's coming up?" +msgstr "" + +#. type: Plain text +msgid "" +"The next Tails release is [[scheduled|contribute/calendar]] for June 30." +msgstr "" + +#. type: Plain text +msgid "Have a look to our [[!tails_roadmap]] to see where we are heading to." +msgstr "" + +#. type: Plain text +msgid "" +"Do you want to help? There are many ways [[**you** can contribute to Tails|" +"contribute]]. If you want to help, come talk to us!" +msgstr "" diff --git a/wiki/src/news/version_1.4.mdwn b/wiki/src/news/version_1.4.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..71e79758ec697aba7e8c7e2d36652b2a0d6c8277 --- /dev/null +++ b/wiki/src/news/version_1.4.mdwn @@ -0,0 +1,115 @@ +[[!meta date="Tue May 12 12:34:56 2015"]] +[[!meta title="Tails 1.4 is out"]] +[[!tag announce]] + +Tails, The Amnesic Incognito Live System, version 1.4, is out. + +This release fixes [[numerous security +issues|security/Numerous_security_holes_in_1.3.2]] and all users must +[[upgrade|doc/first_steps/upgrade]] as soon as possible. + +[[!toc levels=1]] + +# Changes + +## New features + + - *Tor Browser* 4.5 now has a **[[security slider|doc/anonymous_internet/Tor_Browser#security_slider]]** that you can use to + disable browser features, such as JavaScript, as a trade-off between + security and usability. The security slider is set to *low* by + default to provide the same level of security as previous versions + and the most usable experience. + + We disabled in Tails the new circuit view of *Tor Browser* 4.5 for + security reasons. You can still use the network map of *Vidalia* to + inspect your circuits. + + - *Tails OpenPGP Applet* now has a **shortcut to the *gedit* text + editor**, thanks to Ivan Bliminse. + + - ***[[Paperkey|doc/advanced_topics/paperkey]]*** lets you print a + backup of your OpenPGP secret keys on paper. + +## Upgrades and changes + + - *Tor Browser* 4.5 protects better against **third-party tracking**. Often + when visiting a website, many connections are created to transfer + both the content of the main website (its page, images, and so on) + and third-party content from other websites (advertisements, *Like* + buttons, and so on). In *Tor Browser* 4.5, all such content, from + the main website as well as the third-party websites, goes through + the same Tor circuits. And these circuits are not reused when + visiting a different website. This prevents third-party websites + from correlating your visits to different websites. + + - *Tor Browser* 4.5 now keeps using the **same Tor circuit** while you are visiting a + website. This prevents the website from suddenly changing language, + behavior, or logging you out. + + - ***[Disconnect](https://search.disconnect.me/)*** is the new + **default search engine**. *Disconnect* provides Google search + results to Tor users without captchas or bans. + + - Better support for **Vietnamese** in *LibreOffice* through the + installation of `fonts-linuxlibertine`. + + - Disable security warnings when connecting to POP3 and IMAP ports + that are mostly used for StartTLS nowadays. + + - Support for **more printers** through the installation of + `printer-driver-gutenprint`. + + - Upgrade **Tor** to 0.2.6.7. + + - Upgrade ***I2P*** to [0.9.19](https://geti2p.net/en/blog/post/2015/04/12/0.9.19-Release) + that has several fixes and improvements for floodfill + performance. + + - Remove the obsolete **#i2p-help IRC channel** from *Pidgin*. + + - Remove the command line email client **`mutt`** and **`msmtp`**. + +There are numerous other changes that might not be apparent in the daily +operation of a typical user. Technical details of all the changes +are listed in the [Changelog](https://git-tails.immerda.ch/tails/plain/debian/changelog). + +## Fixed problems + + - Make the browser theme of the Windows 8 camouflage compatible with + the *Unsafe Browser* and the *I2P Browser*. + + - Remove the **Tor Network Settings...** from the *Torbutton* menu. + + - Better support for Chromebook C720-2800 through the upgrade of + `syslinux`. + + - Fix the localization of *Tails Upgrader*. + + - Fix the OpenPGP key servers configured in *Seahorse*. + + - Prevent *Tor Browser* from crashing when *Orca* is enabled. + +# Known issues + + - Claws Mail stores plaintext copies of all emails on the remote IMAP + server, including those that are meant to be encrypted. + If you send OpenPGP encrypted emails using *Claws Mail* and IMAP, + make sure to apply one of the workarounds documented in our + [[security announcement|security/claws_mail_leaks_plaintext_to_imap]]. + + - See the current list of [[known issues|support/known_issues]]. + +# Download or upgrade + +Go to the [[download]] page. + +# What's coming up? + +The next Tails release is [[scheduled|contribute/calendar]] for +June 30. + +Have a look to our [[!tails_roadmap]] to see where we are heading to. + +Do you want to help? There are many ways [[**you** can +contribute to Tails|contribute]]. If you want to help, come talk +to us! diff --git a/wiki/src/news/version_1.4.pt.po b/wiki/src/news/version_1.4.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..cc95fda76f94aeb02701827bfb8f3a4bba5999f7 --- /dev/null +++ b/wiki/src/news/version_1.4.pt.po @@ -0,0 +1,242 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-05-12 14:20+0200\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"Tue May 12 12:34:56 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Tails 1.4 is out\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!tag announce]]\n" +msgstr "" + +#. type: Plain text +msgid "Tails, The Amnesic Incognito Live System, version 1.4, is out." +msgstr "" + +#. type: Plain text +msgid "" +"This release fixes [[numerous security issues|security/" +"Numerous_security_holes_in_1.3.2]] and all users must [[upgrade|doc/" +"first_steps/upgrade]] as soon as possible." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!toc levels=1]]\n" +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Changes" +msgstr "" + +#. type: Title ## +#, no-wrap +msgid "New features" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"*Tor Browser* 4.5 now has a **[[security slider|doc/anonymous_internet/" +"Tor_Browser#security_slider]]** that you can use to disable browser " +"features, such as JavaScript, as a trade-off between security and usability. " +"The security slider is set to *low* by default to provide the same level of " +"security as previous versions and the most usable experience." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" We disabled in Tails the new circuit view of *Tor Browser* 4.5 for\n" +" security reasons. You can still use the network map of *Vidalia* to\n" +" inspect your circuits.\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"*Tails OpenPGP Applet* now has a **shortcut to the *gedit* text editor**, " +"thanks to Ivan Bliminse." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"***[[Paperkey|doc/advanced_topics/paperkey]]*** lets you print a backup of " +"your OpenPGP secret keys on paper." +msgstr "" + +#. type: Title ## +#, no-wrap +msgid "Upgrades and changes" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"*Tor Browser* 4.5 protects better against **third-party tracking**. Often " +"when visiting a website, many connections are created to transfer both the " +"content of the main website (its page, images, and so on) and third-party " +"content from other websites (advertisements, *Like* buttons, and so on). In " +"*Tor Browser* 4.5, all such content, from the main website as well as the " +"third-party websites, goes through the same Tor circuits. And these circuits " +"are not reused when visiting a different website. This prevents third-party " +"websites from correlating your visits to different websites." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"*Tor Browser* 4.5 now keeps using the **same Tor circuit** while you are " +"visiting a website. This prevents the website from suddenly changing " +"language, behavior, or logging you out." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"***[Disconnect](https://search.disconnect.me/)*** is the new **default " +"search engine**. *Disconnect* provides Google search results to Tor users " +"without captchas or bans." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Better support for **Vietnamese** in *LibreOffice* through the installation " +"of `fonts-linuxlibertine`." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Disable security warnings when connecting to POP3 and IMAP ports that are " +"mostly used for StartTLS nowadays." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Support for **more printers** through the installation of `printer-driver-" +"gutenprint`." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Upgrade **Tor** to 0.2.6.7." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Upgrade ***I2P*** to [0.9.19](https://geti2p.net/en/blog/" +"post/2015/04/12/0.9.19-Release) that has several fixes and improvements for " +"floodfill performance." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Remove the obsolete **#i2p-help IRC channel** from *Pidgin*." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Remove the command line email client **`mutt`** and **`msmtp`**." +msgstr "" + +#. type: Plain text +msgid "" +"There are numerous other changes that might not be apparent in the daily " +"operation of a typical user. Technical details of all the changes are listed " +"in the [Changelog](https://git-tails.immerda.ch/tails/plain/debian/" +"changelog)." +msgstr "" + +#. type: Title ## +#, no-wrap +msgid "Fixed problems" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Make the browser theme of the Windows 8 camouflage compatible with the " +"*Unsafe Browser* and the *I2P Browser*." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Remove the **Tor Network Settings...** from the *Torbutton* menu." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Better support for Chromebook C720-2800 through the upgrade of `syslinux`." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Fix the localization of *Tails Upgrader*." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Fix the OpenPGP key servers configured in *Seahorse*." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Prevent *Tor Browser* from crashing when *Orca* is enabled." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Known issues" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Claws Mail stores plaintext copies of all emails on the remote IMAP server, " +"including those that are meant to be encrypted. If you send OpenPGP " +"encrypted emails using *Claws Mail* and IMAP, make sure to apply one of the " +"workarounds documented in our [[security announcement|security/" +"claws_mail_leaks_plaintext_to_imap]]." +msgstr "" + +#. type: Bullet: ' - ' +msgid "See the current list of [[known issues|support/known_issues]]." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "Download or upgrade" +msgstr "" + +#. type: Plain text +msgid "Go to the [[download]] page." +msgstr "" + +#. type: Title # +#, no-wrap +msgid "What's coming up?" +msgstr "" + +#. type: Plain text +msgid "" +"The next Tails release is [[scheduled|contribute/calendar]] for June 30." +msgstr "" + +#. type: Plain text +msgid "Have a look to our [[!tails_roadmap]] to see where we are heading to." +msgstr "" + +#. type: Plain text +msgid "" +"Do you want to help? There are many ways [[**you** can contribute to Tails|" +"contribute]]. If you want to help, come talk to us!" +msgstr "" diff --git a/wiki/src/news/who_are_you_helping.fr.po b/wiki/src/news/who_are_you_helping.fr.po index 60c9057cbb96044b25545da71baa3e5e6ea3005e..230037d43452f1a1ceb667177565a182b816f9c5 100644 --- a/wiki/src/news/who_are_you_helping.fr.po +++ b/wiki/src/news/who_are_you_helping.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-12-24 10:42+0100\n" +"POT-Creation-Date: 2015-02-22 12:54+0100\n" "PO-Revision-Date: 2014-12-02 09:04-0000\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" diff --git a/wiki/src/news/who_are_you_helping/include.de.po b/wiki/src/news/who_are_you_helping/include.de.po deleted file mode 100644 index 30d52bcb39f7ecfadd5e2af43de34a4e744b4c96..0000000000000000000000000000000000000000 --- a/wiki/src/news/who_are_you_helping/include.de.po +++ /dev/null @@ -1,36 +0,0 @@ -# SOME DESCRIPTIVE TITLE -# Copyright (C) YEAR Free Software Foundation, Inc. -# This file is distributed under the same license as the PACKAGE package. -# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. -# -msgid "" -msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-12-15 10:02+0100\n" -"PO-Revision-Date: 2014-12-02 23:59-0000\n" -"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" -"Language-Team: LANGUAGE <LL@li.org>\n" -"Language: \n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"X-Generator: Poedit 1.5.4\n" - -#. type: Content of: <div><p> -msgid "" -"Tails is free because <strong>nobody should have to pay to be safe while " -"using computers</strong>. But Tails cannot stay alive without money and " -"<strong>we need your help</strong>!" -msgstr "" -"Tails ist kostenlos, da <strong>niemand für die sichere Nutzung eines " -"Computers bezahlen müssen sollte</strong>. Allerdings kann Tails nicht ohne " -"finanzielle Unterstützung bestehen, daher <strong>brauchen wir Ihre Hilfe</" -"strong>!" - -#. type: Content of: <div><p> -msgid "" -"<strong>[[Discover who you are helping around the world when donating to " -"Tails.|news/who_are_you_helping]]</strong>" -msgstr "" -"<strong>[[Erfahren Sie mehr, wem Sie weltweit mit einer Spende an Tails " -"helfen.|news/who_are_you_helping]]</strong>" diff --git a/wiki/src/news/who_are_you_helping/include.fr.po b/wiki/src/news/who_are_you_helping/include.fr.po deleted file mode 100644 index 24581a05f4d2bfa75acf01c6f2cf2b9b8812f69b..0000000000000000000000000000000000000000 --- a/wiki/src/news/who_are_you_helping/include.fr.po +++ /dev/null @@ -1,36 +0,0 @@ -# SOME DESCRIPTIVE TITLE -# Copyright (C) YEAR Free Software Foundation, Inc. -# This file is distributed under the same license as the PACKAGE package. -# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. -# -msgid "" -msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2015-01-14 20:51+0100\n" -"PO-Revision-Date: 2014-11-30 21:34-0000\n" -"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" -"Language-Team: LANGUAGE <LL@li.org>\n" -"Language: \n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"X-Generator: Poedit 1.5.4\n" - -#. type: Content of: <div><p> -msgid "" -"Tails is free because <strong>nobody should have to pay to be safe while " -"using computers</strong>. But Tails cannot stay alive without money and " -"<strong>we need your help</strong>!" -msgstr "" -"Tails est gratuit car <strong>personne ne devrait avoir à payer pour être en " -"sécurité lors de l'utilisation d'ordinateurs</strong>. Cela dit, Tails ne " -"peut pas survivre sans argent et <strong>nous avons besoin de votre aide </" -"strong>!" - -#. type: Content of: <div><p> -msgid "" -"<strong>[[Discover who you are helping around the world when donating to " -"Tails.|news/who_are_you_helping]]</strong>" -msgstr "" -"<strong>[[Découvrez qui vous aidez, à travers le monde, lorsque vous faites " -"un don à Tails.|news/who_are_you_helping]]</strong>" diff --git a/wiki/src/news/who_are_you_helping/include.html b/wiki/src/news/who_are_you_helping/include.html deleted file mode 100644 index 1937da76306a536dac1ca9bcd3088bf69d483e25..0000000000000000000000000000000000000000 --- a/wiki/src/news/who_are_you_helping/include.html +++ /dev/null @@ -1,9 +0,0 @@ -<div id="highlight"> - -<p>Tails is free because <strong>nobody should have to pay to be safe -while using computers</strong>. But Tails cannot stay alive without -money and <strong>we need your help</strong>!</p> - -<p><strong>[[Discover who you are helping around the world when donating to Tails.|news/who_are_you_helping]]</strong></p> - -</div> diff --git a/wiki/src/press.de.po b/wiki/src/press.de.po index 8461a50a42f53d3de0988cf2ccfe0384f363e403..54c6f1d27e69ea8a6bdb1dfb89d0f524ac3c03da 100644 --- a/wiki/src/press.de.po +++ b/wiki/src/press.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2015-01-14 11:10+0100\n" +"POT-Creation-Date: 2015-05-09 01:23+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -46,6 +46,12 @@ msgid "" "to receive future press releases, or if you have a press inquiry.\n" msgstr "" +#. type: Plain text +msgid "" +"You can also send press articles about Tails to this address, so we add them " +"to this page :)" +msgstr "" + #. type: Plain text #, no-wrap msgid "<div class=\"note\">\n" @@ -55,8 +61,8 @@ msgstr "" #, no-wrap msgid "" "<p>\n" -"We invite you to encrypt your press inquiries using the OpenPGP\n" -"public key [[!tails_website tails-press.key]].\n" +"We invite you to encrypt your press inquiries using [[our OpenPGP\n" +"public key|doc/about/openpgp_keys#press]].\n" "</p>\n" msgstr "" @@ -106,558 +112,117 @@ msgid "" "have been published about Tails." msgstr "" -#. type: Title ## +#. type: Title - #, no-wrap -msgid "2014" +msgid "2015\n" msgstr "" #. type: Plain text #, no-wrap -msgid "" -"* 2014-12-28: Martin Untersinger considers Tails as a bulletproof tool\n" -" against NSA spying in \"[Les énormes progrès de la NSA pour défaire\n" -" la sécurité sur Internet](http://www.lemonde.fr/pixels/article/2014/12/28/les-enormes-progres-de-la-nsa-pour-defaire-la-securite-sur-internet_4546843_4408996.html)\" (in French).\n" -"* 2014-12-24: Andy Greenberg from Wired calls for donations to Tails in\n" -" \"[8 Free Privacy Programs Worth Your Year-End Donations](http://www.wired.com/2014/12/privacy-donations/)\":\n" -" \"Tails has received little mainstream support and may be the security\n" -" software most in need of users’ donations\".\n" -"* 2014-11-20: Amaelle Guiton writes about Tails in \"[Tails, l'outil\n" -" détesté par la NSA, qui veut démocratiser l'anonymat en\n" -" ligne](http://www.lemonde.fr/pixels/article/2014/11/20/tails-l-outil-deteste-par-la-nsa-qui-veut-democratiser-l-anonymat-en-ligne_4514650_4408996.html)\"\n" -" (in French), and gives a detailed transcript of an interview she made\n" -" with some of us in \"[Tails raconté par ceux qui le\n" -" construisent](https://www.techn0polis.net/2014/11/19/tails-raconte-par-ceux-qui-le-construisent/)\"\n" -" (in French as well).\n" -"* 2014-11-13: Thorin Klosowski from lifehacker.com [compares Linux Security\n" -" Distros: Tails vs. Kali vs. Qubes](http://lifehacker.com/linux-security-distros-compared-tails-vs-kali-vs-qub-1658139404).\n" -"* 2014-11-05: Tails 1.2 is featured on LinuxFr in \"[Tails 1.2, une\n" -" distribution pour votre\n" -" anonymat](http://linuxfr.org/news/tails-1-2-une-distribution-pour-votre-anonymat)\"\n" -" (in French).\n" -"* 2014-10-29: In \"[The 7 Privacy Tools Essential to Making Snowden\n" -" Documentary\n" -" CITIZENFOUR](https://www.eff.org/deeplinks/2014/10/7-privacy-tools-essential-making-citizenfour),\n" -" the Electronic Fountier Foundation says that \"one of the most robust\n" -" ways of using the Tor network is through a dedicated operating system\n" -" that enforces strong privacy\" like Tails.\n" -"* 2014-10-28: In \"[Ed Snowden Taught Me To Smuggle Secrets Past\n" -" Incredible Danger. Now I Teach\n" -" You.](https://firstlook.org/theintercept/2014/10/28/smuggling-snowden-secrets/)\",\n" -" Micah Lee, from The Intercept, gives many details on how Tails helped\n" -" Snowden, Poitras, and Gleenwald start working together.\n" -"* 2014-10-16: According to\n" -" [an article in\n" -" Wired](http://www.wired.com/2014/10/laura-poitras-crypto-tools-made-snowden-film-possible/),\n" -" in the closing credits of Citizenfour, Poitras took the unusual step\n" -" of adding an acknowledgment of the free software projects that made\n" -" the film possible: The roll call includes the anonymity software Tor,\n" -" the Tor-based operating system Tails, GPG encryption, Off-The-Record\n" -" (OTR) encrypted instant messaging, hard disk encryption software\n" -" Truecrypt, and Linux.\n" -"* 2014-07-26: [Tails 1.1 is announced](http://linuxfr.org/news/tails-1-1-est-disponible), in French,\n" -" in an article by pamputt on LinuxFr\n" -"* 2014-07: I2P bug and zero-days buzz:\n" -" - 2014-07-21: Exodus Intelligence [tweets about multiple RCE/de-anonymization\n" -" zero-days](https://twitter.com/ExodusIntel/status/491247299054428160) on the\n" -" day before Tails 1.1 is released.\n" -" - Several news websites relay that information before the details of the\n" -" vulnerability are disclosed:\n" -" - [Exploit Dealer: Snowden's Favorite OS Tails Has Zero-Day Vulnerabilities\n" -" Lurking\n" -" Inside](http://www.forbes.com/sites/thomasbrewster/2014/07/21/exploit-dealer-snowdens-favourite-os-tails-has-zero-day-vulnerabilities-lurking-inside/)\n" -" by Thomas Brewster on Forbes.\n" -" - [Don't look, Snowden: Security biz chases Tails with zero-day flaws\n" -" alert](http://www.theregister.co.uk/2014/07/21/security_researchers_chase_tails_with_zeroday_flaw_disclosure/)\n" -" by Iain Thomson on The Register.\n" -" - [The world's most secure OS may have a serious\n" -" problem](http://www.theverge.com/2014/7/22/5927917/the-worlds-most-secure-os-may-have-a-serious-problem)\n" -" by Russell Brandom on The Verge\n" -" - 2014-07-23: We made our users [[aware of that\n" -" process|news/On_0days_exploits_and_disclosure]].\n" -" - 2014-07-23: Exodus Intelligence publishes [Silver Bullets and Fairy\n" -" Tails](http://blog.exodusintel.com/2014/07/23/silverbullets_and_fairytails/)\n" -" to explain the vulnerability.\n" -" - 2014-07-25: We publish a [[security\n" -" advisory|security/Security_hole_in_I2P_0.9.13]] explaining the scope of the\n" -" problem, and temporary solutions.\n" -"* 2014-07-08: In the [July 8th Keiser Report on RT](http://rt.com/shows/keiser-report/170908-episode-max-keiser-624/).\n" -" The Tails related part of the Keiser Report starts at 15'40\".\n" -"* 2014-07-03: Tails above the Rest:\n" -" [Installation](http://www.linuxjournal.com/content/tails-above-rest-installation),\n" -" [Part II](http://www.linuxjournal.com/content/tails-above-rest-part-ii),\n" -" [Part III](http://www.linuxjournal.com/content/tails-above-rest-part-iii) by Kyle Rankin in the Linux Journal.\n" -"* 2014-07-03: Some articles on Tails users being targeted by NSA XKeyscore:\n" -" - In [NSA targets the privacy-conscious](http://daserste.ndr.de/panorama/aktuell/nsa230_page-1.html)\n" -" by J. Appelbaum, A. Gibson, J. Goetz, V. Kabisch, L. Kampf, L. Ryge.\n" -" - In [Von der NSA als Extremist gebrandmarkt](http://www.tagesschau.de/inland/nsa-xkeyscore-100.html)\n" -" by Lena Kampf, Jacob Appelbaum and John Goetz (in German).\n" -" - In [If you read Boing Boing, the NSA considers you a target for deep surveillance](http://boingboing.net/2014/07/03/if-you-read-boing-boing-the-n.html)\n" -" by Cory Doctorow.\n" -" - In [TOR, logiciel-clé de protection de la vie privée, dans le viseur de la NSA](http://www.lemonde.fr/pixels/article/2014/07/03/un-logiciel-cle-de-protection-de-la-vie-privee-dans-le-viseur-de-la-nsa_4450718_4408996.html)\n" -" by Martin Untersinger on LeMonde.fr (in French).\n" -"* 2014-06-25: [Dai segreti di Snowden ai social: il raduno italiano degli hacker](http://corrieredibologna.corriere.it/bologna/notizie/cronaca/2014/25-giugno-2014/dai-segreti-snowden-social-raduno-italiano-hacker-223459532934.shtml) by Andrea Rinaldi, in Corriere di Bologna (in Italian).\n" -"* 2014-06-30: [Tails, il sistema operativo incognito che frega l'NSA](http://www.wired.it/gadget/computer/2014/04/15/tails-sistema-operativo-incognito/) by Carola Frediani, in Wired.it (in Italian).\n" -"* 2014: late April and early May, many press articles covered the\n" -" Tails 1.0 release, including:\n" -" - In [TAILS: Snowden's favorite anonymous, secure OS goes\n" -" 1.0](http://boingboing.net/2014/04/30/tails-snowdens-favorite-ano.html), Cory\n" -" Doctorow writes \"Effectively, this is the ParanoidLinux I fictionalized in my\n" -" novel Little Brother.\"\n" -" - [Tails reaches\n" -" 1.0](https://lwn.net/SubscriberLink/596765/380d4e75b17ea491/) by Nathan\n" -" Willis in Linux Weekly News.\n" -" - [Anonymous OS reportedly used by Snowden reaches version\n" -" 1.0](http://www.cnet.com/news/anonymous-os-reportedly-favored-by-nsa-whistle-blower-edward-snowden-reaches-version-1-0/)\n" -" by Steven Musil in CNET.\n" -" - [Anonymisierungs-OS Tails wird\n" -" erwachsen](http://www.heise.de/security/meldung/Anonymisierungs-OS-Tails-wird-erwachsen-2180167.html)\n" -" in heise Security (in German).\n" -" - [Secure OS Tails Emerges From\n" -" Beta](http://www.pcmag.com/article2/0,2817,2457452,00.asp) by\n" -" David Murphy in PCMAG.\n" -" - [Edward Snowden's OS of choice, the Linux-based Tails,\n" -" is now out of\n" -" beta](http://www.engadget.com/2014/05/01/tails-linux-os-version1-0/)\n" -" by Steve Dent in Engadget.\n" -" - [Tails 1.0: Sicherheit und\n" -" Anonymität](http://www.pro-linux.de/news/1/21038/tails-10-sicherheit-und-anonymitaet.html)\n" -" by Ferdinand Thommes in PRO-LINUX.DE (in German).\n" -" - [Tails, l'OS dédié à la confidentialité, passe en\n" -" version\n" -" 1.0](http://www.numerama.com/magazine/29251-tails-l-os-dedie-a-la-confidentialite-passe-en-version-10.html)\n" -" by Julien L. in Numerama (in French).\n" -" - [Anonymous Linux Distribution TAILS Reaches Release Version\n" -" 1.0](http://www.techweekeurope.co.uk/news/tails-anonymous-linux-distribution-reaches-release-version-1-0-144823?ModPagespeed=noscript)\n" -" by Max Smolaks in TechWeek Europe.\n" -" - [Snowden's Beloved Tails OS Reaches v1.0\n" -" Milestone](http://www.linuxinsider.com/story/Snowdens-Beloved-Tails-OS-Reaches-v10-Milestone-80386.html)\n" -" by Richard Adhikari in LinuxInsider.\n" -" - [Tails 1.0 – La distrib sécurisée sort enfin en version stable](http://korben.info/tails-1-0.html)\n" -" by Korben (in French).\n" -"* 2014-04-30: [Tails, le système qui voulait vous rendre vraiment\n" -" anonyme](http://www.clubic.com/antivirus-securite-informatique/virus-hacker-piratage/anonyme-internet/actualite-699478-tails-systeme-voulait-surfer-facon-anonyme.html)\n" -" by Alexandre Laurent, in Clubic (in French).\n" -"* 2014-04-29: [This is the most secure computer you’ll ever\n" -" own](http://www.theverge.com/2014/4/29/5664884/this-is-the-most-secure-computer-you-ll-ever-own)\n" -" by Russell Brandom, in The Verge.\n" -"* 2014-04-29: [How to be secure on the Internet, really\n" -" secure](http://www.examiner.com/article/how-to-be-secure-on-the-internet-really-secure)\n" -" by Victoria Wagner Ross, in Examiner.com.\n" -"* 2014-04-29: [Tuck in Your Tails and Hide from Big\n" -" Brother](http://techgage.com/news/tuck-in-your-tails-and-hide-from-big-brother/)\n" -" by Stetson Smith, in Techgage.\n" -"* 2014-04-28: [Cómo instalar y usar Tails, la distribución Linux para navegar\n" -" de manera\n" -" anónima](http://www.eldiario.es/turing/vigilancia_y_privacidad/Guia-practica-Tails-distribucion-Linux_0_253374668.html)\n" -" by Juan Jesús Velasco in El Diario.\n" -"* 2014-04-23: Amaelle Guiton mentions Tails in the article [Chiffrer le Net pour\n" -" retrouver notre vie privée en ligne: une bonne solution qui pose des\n" -" problèmes](http://www.slate.fr/monde/86275/cyberespace-cypherspace-crypter-chiffrement-internet)\n" -" in Slate (in French).\n" -"* 2014-04-22: golem.de publishes\n" -" [Anonymisierung -- Mit Tails in den\n" -" Datenuntergrund](http://www.golem.de/news/anonymisierung-mit-tails-in-den-datenuntergrund-1404-105944.html)\n" -" (in German), by Jörg Thoma.\n" -"* 2014-04-17: Bruce Schneier writes \"Nice article on the Tails\n" -" stateless operating system. I use it.\" [in a blog\n" -" post](https://www.schneier.com/blog/archives/2014/04/tails.html).\n" -"* 2014-04-16: [Leave no trace: Tips to cover your digital footprint\n" -" and reclaim your\n" -" privacy](http://www.pcworld.com/article/2143846/leave-no-trace-tips-to-cover-your-digital-footprint-and-reclaim-your-privacy.html)\n" -" by Alex Castle in PCWorld.\n" -"* 2014-04-16: [Tails, il sistema operativo di Edward\n" -" Snowden](http://www.webnews.it/2014/04/16/tails-il-sistema-operativo-di-edward-snowden/?ref=post)\n" -" by Luca Colantuoni in Webnews.it.\n" -"* 2014-04-16: In [Pourquoi Edward Snowden a utilisé Tails Linux pour\n" -" organiser sa\n" -" fuite](http://www.01net.com/editorial/618336/pourquoi-edward-snowden-a-utilise-tails-linux-pour-organiser-sa-fuite/)\n" -" (in French) published on the 01net net-zine, Gilbert Kallenborn\n" -" reports about use of Tails by Edward Snowden, Laura Poitras et al.\n" -"* 2014-04-15: [Tails, il sistema operativo incognito che frega\n" -" l’NSA](http://www.wired.it/gadget/computer/2014/04/15/tails-sistema-operativo-incognito/)\n" -" by Carola Frediani, in Wired.it.\n" -"* 2014-04-15: The recent Wired article [is\n" -" relayed](http://yro-beta.slashdot.org/story/14/04/15/1940240/snowden-used-the-linux-distro-designed-for-internet-anonymity)\n" -" on Slashdot homepage.\n" -"* 2014-04-15: [\"Tails\": Wie Snowden seine Kommunikation vor der NSA\n" -" versteckt](http://derstandard.at/1397520636954/Tails-Wie-Snowden-seine-Kommunikation-vor-der-NSA-versteckt),\n" -" in derStandart.at\n" -"* 2014-04-14: In the [press\n" -" conference](http://www.democracynow.org/blog/2014/4/11/video_glenn_greenwald_laura_poitras_q)\n" -" she held after winning a Polk Award for her reporting on Edward Snowden and\n" -" the NSA, Laura Poitras said \"We just published a blog about a tool that's\n" -" called Tails, which is a operating system that runs on either USB stick or SD\n" -" disc, that is a sort of all-in-one encryption tool that you can use for PGP\n" -" and encryption. And it's just really secure. [...] So, it's a really important\n" -" tool for journalists.\"\n" -"* 2014-04-14: [Out in the Open: Inside the Operating System Edward\n" -" Snowden Used to Evade the NSA](http://www.wired.com/2014/04/tails/)\n" -" by Klint Finley, in Wired.\n" -"* 2014-04-02: In [Help Support the Little-Known Privacy Tool That Has\n" -" Been Critical to Journalists Reporting on the\n" -" NSA](https://pressfreedomfoundation.org/blog/2014/04/help-support-little-known-privacy-tool-has-been-critical-journalists-reporting-nsa)\n" -" by Trevor Timm:\n" -" - Laura Poitras says: \"I've been reluctant to go into details about\n" -" the different steps I took to communicate securely with Snowden to\n" -" avoid those methods being targeted. Now that Tails gives a green\n" -" light, I can say it has been an essential tool for reporting the\n" -" NSA story. It is an all-in-one secure digital communication system\n" -" (GPG email, OTR chat, Tor web browser, encrypted storage) that is\n" -" small enough to swallow. I'm very thankful to the Tails developers\n" -" for building this tool.\"\n" -" - Glenn Greenwald says: \"Tails have been vital to my ability to work\n" -" securely on the NSA story. The more I've come to learn about\n" -" communications security, the more central Tails has become to\n" -" my approach.\"\n" -" - Barton Gellman says: \"Privacy and encryption work, but it's too\n" -" easy to make a mistake that exposes you. Tails puts the essential\n" -" tools in one place, with a design that makes it hard to screw them\n" -" up. I could not have talked to Edward Snowden without this kind of\n" -" protection. I wish I'd had it years ago.\"\n" -"* 2014-03-17: In [Index Freedom of Expression Awards: Digital activism\n" -" nominee\n" -" Tails](http://www.indexoncensorship.org/2014/03/index-freedom-expression-awards-digital-activism-nominee-tails/),\n" -" Alice Kirkland interviews the Tails project about our nomination for\n" -" the *Censorship’s Freedom of Expression Awards*.\n" -"* 2014-03-13: In his [Les 7 clés pour protéger ses\n" -" communications](http://www.tdg.ch/high-tech/web/Les-7-cles-pour-proteger-ses-communications/story/25588689)\n" -" article (in French) published by the *Tribune de Genève*, Simon Koch\n" -" recommends using Tails.\n" -"* 2014-03-12: In his [Happy 25th Birthday World Wide Web - Let's Not\n" -" Destroy\n" -" It](http://www.huffingtonpost.co.uk/mike-harris/world-wide-web_b_4947687.html?utm_hp_ref=uk)\n" -" article published by the Huffington Post, Mike Harris writes that\n" -" \"Increasing numbers of activists are using high-tech tools such as\n" -" Tor or Tails to encrpyt their internet browsing and email\".\n" -"* 2014-03-12: In his [US and UK Spy Agencies Are \"Enemies of the\n" -" Internet\"](http://motherboard.vice.com/read/us-and-uk-spy-agencies-are-enemies-of-the-internet)\n" -" article, published in the Motherboard section of the Vice network,\n" -" Joseph Cox covers Reporters Without Borders' [latest\n" -" report](https://en.rsf.org/enemies-of-the-internet-2014-11-03-2014,45985.html),\n" -" and writes \"If you're a journalist working on anything more\n" -" sensitive than London Fashion Week or League 2 football, you might\n" -" want to consider using the Linux-based 'Tails' operating\n" -" system too.\"\n" -"* 2014-03-08: [Reporters Without Borders](http://en.rsf.org/)'s\n" -" Grégoire Pouget blogs about Tails: [FIC 2014 : Comment être\n" -" réellement anonyme sur\n" -" Internet](http://blog.barbayellow.com/2014/03/08/fic-2014-comment-etre-reellement-anonyme-sur-internet/)\n" -" (in French).\n" -"* 2014-03-04: Tails\n" -" [wins](https://twitter.com/accessnow/status/441043400708857856) the\n" -" [2014 Access Innovation Prize](https://www.accessnow.org/prize),\n" -" that was focused this year on Endpoint Security.\n" -"* 2014-03-03: In the March edition of the Linux Journal, that\n" -" [celebrates 20 years of this\n" -" journal](http://www.linuxjournal.com/content/march-2014-issue-linux-journal-20-years-linux-journal),\n" -" Kyle demonstrates Tails.\n" -"* 2014-02-27: The Daily Dot announced the experiments on porting Tails to mobile\n" -" devices in \"[Tor takes anonymity mobile with new smartphone\n" -" OS](http://www.dailydot.com/technology/tor-anonymous-os-tails-freitas/)\" and\n" -" \"[Beta testing for Tor's anonymous mobile OS begins this\n" -" spring](http://www.dailydot.com/technology/tor-anonymous-mobile-os-tails/)\".\n" -" Note that this is not an official project of Tails, see the homepage of the\n" -" [Tomy Detachable Secure Mobile\n" -" System](https://dev.guardianproject.info/projects/libro/wiki/Tomy_Detachable_Secure_Mobile_System)\n" -" project for more info.\n" -"* 2014-02-27: In his article \"[Why It’s Vital For Users to Fund Open-Source\n" -" Encryption\n" -" Tools](https://pressfreedomfoundation.org/blog/2014/02/why-its-vital-public-fund-open-source-encryption-tools)\"\n" -" Trevor Timm from Freedom of the Press Foundation explains that Tails « has\n" -" been vital for most, if not all, of the NSA journalists. [...] Its prime use\n" -" case is journalists trying to communicate or work in environments in which\n" -" they may normally be at risk or compromised. The NSA stories have been the\n" -" biggest story in journalism in the past decade, yet the tool the reporters\n" -" rely on is incredibly underfunded, is maintained by only a handful of\n" -" developers, and operates on a shoestring budget. »\n" -"* 2014-02-07: In his review of [uVirtus](http://uvirtus.org), Kheops, from\n" -" Telecomix concludes that « Users should prefer Tails and other mature secure\n" -" live distributions (such as IprediaOS, Liberté Linux, Privatix and Whonix)\n" -" over uVirtus since they provide a real safety improvement to the user. For any\n" -" activity that does not entail transferring large quantities of data (such as\n" -" video files), there is no strong reason to prefer uVirtus over any of these. »\n" -"* 2014-01-14: On Linux.com, Carla Schroder [picks\n" -" Tails](https://www.linux.com/news/software/applications/752221-the-top-7-best-linux-distros-for-2014/)\n" -" as the best Linux distribution for 2014 in the \"Best Fighting the\n" -" Man Distro\" category.\n" -"* 2014-01-07: [A RAT in the Registry: The Case for Martus on\n" -" TAILS](http://benetech.org/2014/01/07/a-rat-in-the-registry-the-case-for-martus-on-tails/)\n" -" explains how Benetech have selected TAILS (The Amnesic Incognito\n" -" Live System) to be the default environment for their use of Martus while\n" -" defending Tibetan human rights defenders against targeted malware attacks.\n" -"* 2014-01: \"Tails: The Amnesiac Incognito Live System – Privacy for\n" -" Anyone Anywhere\", by Russ McRee, in this month's issue of the\n" -" [Information Systems Security Association\n" -" Journal](http://www.issa.org/?page=ISSAJournal).\n" -msgstr "" - -#. type: Title ## -#, no-wrap -msgid "2013" +msgid "[[!inline pages=\"press/media_appearances_2015\" raw=\"yes\"]]\n" msgstr "" #. type: Plain text #, no-wrap msgid "" -"* 2013-12: Bruce Schneier\n" -" [answered](http://www.reddit.com/r/IAmA/comments/1r8ibh/iama_security_technologist_and_author_bruce/cdknf7a)\n" -" to someone asking him what Linux distribution is its favorite: \"I don't\n" -" use Linux. (Shhh. Don't tell anyone.) Although I have started using Tails\".\n" -"* 2013-12-12: In [A conversation with Bruce\n" -" Schneier](http://boingboing.net/2013/12/15/bruce-schneier-and-eben-moglen-2.html),\n" -" as part of the \"Snowden, the NSA and free software\" cycle at\n" -" Columbia Law School NYC, Bruce Schneier says:\n" -" - \"I think most of the public domain privacy tools are going to be\n" -" safe, yes. I think GPG is going to be safe. I think OTR is going\n" -" to be safe. I think that Tails is going to be safe. I do think\n" -" that these systems, because they were not -- you know, the NSA has\n" -" a big lever when a tool is written closed-source by a for-profit\n" -" corporation. There are levers they have that they don't have in\n" -" the open source international, altruistic community. And these are\n" -" generally written by crypto-paranoids, they're pretty well\n" -" designed. We make mistakes, but we find them and we correct them,\n" -" and we're getting good at that. I think that if the NSA is going\n" -" after these tools, they're going after implementations.\"\n" -" - \"What do I trust? I trust, I trust Tails, I trust GPG [...]\"\n" -" - \"We can make it harder, we can make it more expensive, we can make\n" -" it more risky. And yes, every time we do something to increase one\n" -" of those, we're making ourselves safer. [...] There are tools we\n" -" are deploying in countries all over the world, that are keeping\n" -" people alive. Tor is one of them. I mean, Tor saves lives. [...]\n" -" And every time you use Tor [...] provides cover for everyone else\n" -" who uses Tor [...]\"\n" -"* 2013-11-12: In its review \"[Which Linux distro is best for protecting your\n" -" privacy?](http://www.techradar.com/news/software/operating-systems/which-linux-distro-is-best-for-protecting-your-privacy--1192771)\",\n" -" techrada.com prefers Tails over 4 other distributions: \"The main advantages of\n" -" Tails are its readiness for USB installation and the complete nature of its\n" -" desktop and its documentation. The Tails system menu also contains enough\n" -" applications to make you do almost everything you may need without rebooting.\n" -" The documentation, while not interesting as the one for Whonix, is more than\n" -" adequate to help even Linux beginners. Yay for Tails, then!\"\n" -"* 2013-11: The German-speaking ADMIN magazine [reviews\n" -" Tails](http://www.admin-magazin.de/Das-Heft/2013/11/Tails-0.20).\n" -"* 2013-10 : (in French) Framablog, [Le chiffrement, maintenant](http://www.framablog.org/index.php/post/2013/10/19/Le-chiffrement-maintenant-compil), contains a whole chapter about Tails.\n" -"* 2013-10 : SecureDrop, \"Aaron Swartz’s unfinished whistleblowing platform\" promotes Tails in both [user manual](https://github.com/freedomofpress/securedrop/blob/master/docs/user_manual.md) and [security audit](http://homes.cs.washington.edu/~aczeskis/research/pubs/UW-CSE-13-08-02.PDF). via [Korben.info](http://korben.info/securedrop-aaron-swartz.html)\n" -"* 2013-10: The [occasional issue n°8 of\n" -" MISC](http://boutique.ed-diamond.com/misc-hors-series/500-mischs8.html)\n" -" magazine is dedicated to privacy topics. Tails is mentioned\n" -" a few times.\n" -"* 2013-10-15: [CRYPTO-GRAM, October 15, 2013](http://www.schneier.com/crypto-gram-1310.html)\n" -" Bruce Schneier: \"One thing I didn't do, although it's worth considering, is\n" -" use a stateless operating system like Tails. You can configure Tails with a\n" -" persistent volume to save your data, but no operating system changes are ever\n" -" saved. Booting Tails from a read-only DVD -- you can keep your data on an\n" -" encrypted USB stick -- is even more secure. Of course, this is not foolproof,\n" -" but it greatly reduces the potential avenues for attack.\"\n" -"* 2013-10-04: In [Tor: 'The king of high-secure, low-latency anonymity'](http://www.theguardian.com/world/interactive/2013/oct/04/tor-high-secure-internet-anonymity),\n" -" page 7. NSA: \"[Tails adds] severe CNE misery to equation.\"\n" -"* 2013-09-12: In [Inside the Effort to Crowdfund NSA-Proof Email and\n" -" Chat\n" -" Services](http://motherboard.vice.com/blog/inside-the-effort-to-crowdfund-nsa-proof-email-and-chat-services)\n" -" by DJ Pangburn, Riseup birds write (about the TBB) \"Combined with\n" -" the TAILS project, which Riseup supports, there is nothing better.\"\n" -"* 2013-09-05: In [How to remain secure against NSA\n" -" surveillance](http://www.theguardian.com/world/2013/sep/05/nsa-how-to-remain-secure-surveillance),\n" -" Bruce Schneier wrote: \"Since I started working with Snowden's\n" -" documents, I have been using GPG, Silent Circle, Tails, OTR,\n" -" TrueCrypt, BleachBit, and a few other things I'm not going to\n" -" write about.\"\n" -"* 2013-08-13: (in French) [Tails en version 0.20](http://linuxfr.org/news/tails-en-version-0-20) on LinuxFR\n" -"* 2013-08-12: [Anonym und sicher Surfen mit\n" -" Tails](http://www.linux-community.de/Internal/Artikel/Print-Artikel/LinuxUser/2013/09/Anonym-und-sicher-Surfen-mit-Tails),\n" -" in the September edition of the\n" -" [LinuxUser](http://www.linux-user.de/) magazine, that includes Tails\n" -" on the accompanying DVD.\n" -"* 2013-08-11: In their [DeadDrop/StrongBox Security\n" -" Assessment](http://homes.cs.washington.edu/~aczeskis/research/pubs/UW-CSE-13-08-02.PDF),\n" -" a research group (Alexei Czeskis, David Mah, Omar Sandoval, Ian\n" -" Smith, Karl Koscher, Jacob Appelbaum, Tadayoshi Kohno, and Bruce\n" -" Schneier) suggests inserting Tails in the loop of the\n" -" DeadDrop/StrongBox system. They also write: \"We believe that sources\n" -" should be adviced to use the Tails LiveCD. This provides better\n" -" anonymity and is easier to use than the Tor Browser bundle.\"\n" -"* 2013-07-02: [Encryption Works: How to Protect Your Privacy in the Age of NSA Surveillance](https://pressfreedomfoundation.org/encryption-works#tails)\n" -" by Micah Lee on Freedom of the Press Foundation\n" -"* 2013-05-21: [Tails 0.18 can install packages on the\n" -" fly](http://www.h-online.com/open/news/item/Tails-0-18-can-install-packages-on-the-fly-1866479.html)\n" -" on The H Open\n" -"* 2013-01-31: [Comment (ne pas) être\n" -" (cyber)espionné ?](http://bugbrother.blog.lemonde.fr/2013/01/31/comment-ne-pas-etre-espionne/)\n" -" by Jean-Marc Manach in \"BUG BROTHER -- Qui surveillera les surveillants ?\"\n" -"* 2013-01-29: Tails is\n" -" [documented](https://www.wefightcensorship.org/article/tails-amnesic-incognito-live-systemhtml.html)\n" -" in Reporters Without Borders' [Online Survival Kit](https://www.wefightcensorship.org/online-survival-kithtml.html)\n" -"* 2013-01-14: [DistroWatch Weekly, Issue 490](http://distrowatch.com/weekly.php?issue=20130114#released)\n" -" announces Tails 0.16\n" -msgstr "" - -#. type: Title ## -#, no-wrap -msgid "2012" -msgstr "" - -#. type: Bullet: '* ' -msgid "" -"2012-12-05: [Tails Secure Distro](http://www.linuxpromagazine.com/Online/" -"Features/Tails-Secure-Distro) by Bruce Byfield on Linux Magazine Pro" -msgstr "" - -#. type: Bullet: '* ' -msgid "" -"2012-12-03: [DistroWatch Weekly, Issue 485](http://distrowatch.com/weekly." -"php?issue=20121203) announces Tails 0.15" -msgstr "" - -#. type: Bullet: '* ' -msgid "" -"2012-11-05: [Tails and Claws](http://distrowatch.com/weekly.php?" -"issue=20121105#feature), review by Jesse Smith on DistroWatch Weekly, Issue " -"481" -msgstr "" - -#. type: Bullet: '* ' -msgid "" -"2012-08: (in Dutch) [Veilig En Anoniem Op Internet](http://www.oeioei.nl/" -"internet/tails.php)" -msgstr "" - -#. type: Bullet: '* ' -msgid "" -"2012-07: [Linux Format](http://www.linuxformat.com/archives?issue=158) " -"contained a small, general article about Tails, as well as Tails 0.10.1 on " -"the supplied DVD. *This DVD ships Tails in a `Tails` directory, and its boot " -"scripts have been altered to cope with that. The rest of the system has not " -"been altered according to our findings.*" +"Older media appearances\n" +"----------------------\n" msgstr "" #. type: Bullet: '* ' -msgid "" -"2012-07: (in German) [Die totale Privatsphäre](http://www.derbund.ch/digital/" -"internet/Die-totale-Privatsphaere/story/22734697), by Klaus Gürtler in Der " -"Bund, a Swiss-German newspaper" +msgid "[[!toggle id=\"media_appearances_2014\" text=\"2014\"]]" msgstr "" #. type: Bullet: '* ' -msgid "" -"2012-06: [Tails 0.12 blends in better in Internet cafés](http://www.h-online." -"com/open/news/item/Tails-0-12-blends-in-better-in-internet-cafes-1619818." -"html) on The H Open" +msgid "[[!toggle id=\"media_appearances_2013\" text=\"2013\"]]" msgstr "" #. type: Bullet: '* ' -msgid "" -"2012-06: [The Tor Project helps journalists and whistleblowers go online " -"without leaving a trace](http://www.niemanlab.org/2012/06/the-tor-project-" -"helps-journalists-and-whistleblowers-go-online-without-leaving-a-trace/), by " -"Adrienne LaFrance on Nieman Journalism Lab" +msgid "[[!toggle id=\"media_appearances_2012\" text=\"2012\"]]" msgstr "" #. type: Bullet: '* ' -msgid "" -"2012-05-16: (in Italian) [Tails, un sistema operativo a base Tor](http://it." -"paperblog.com/tails-un-sistema-operativo-a-base-tor-1175730/) on paperblog.it" +msgid "[[!toggle id=\"media_appearances_2011\" text=\"2011\"]]" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2012-05-03: Tails 0.11 was announced in [LWN.net Weekly Edition](https://lwn." -"net/Articles/494923/); the press release was [published on LWN](https://lwn." -"net/Articles/495669/) too." +#. type: Plain text +#, no-wrap +msgid "[[!toggleable id=\"media_appearances_2014\" text=\"\"\"\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2012-04-23: (Video) [Protect your Privacy Completely - Web Browsing with " -"TAILS Tor](https://www.youtube.com/watch?v=04mzYuhl8f4)" +#. type: Plain text +#, no-wrap +msgid "<span class=\"hide\">[[!toggle id=\"media_appearances_2014\" text=\"\"]]</span>\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2012-04: [Leave Your Cellphone at Home](http://nplusonemag.com/leave-your-" -"cellphone-at-home), Interview with Jacob Appelbaum, by Sarah Resnick on n+1" +#. type: Title - +#, no-wrap +msgid "2014\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2012-02-02: (in French) [Vie privée : le guide pour rester anonyme sur " -"Internet](http://www.rue89.com/2012/02/02/vie-privee-le-guide-pour-rester-" -"anonyme-sur-internet-228990), par Martin Untersinger journaliste pour Rue89" +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"press/media_appearances_2014\" raw=\"yes\"]]\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2012-01-13: (in French) Korben.info : [Tails – La distribution Linux qui " -"protège votre anonymat et votre vie privée](http://korben.info/tails.html)" +#. type: Plain text +#, no-wrap +msgid "[[!toggleable id=\"media_appearances_2013\" text=\"\"\"\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2012-01-12: (in French) LinuxFR [announces](https://linuxfr.org/news/tails-" -"en-version-010) Tails 0.10." +#. type: Plain text +#, no-wrap +msgid "<span class=\"hide\">[[!toggle id=\"media_appearances_2013\" text=\"\"]]</span>\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2012-01-09 : (in German) Heise online [reported](http://www.heise.de/" -"newsticker/meldung/Tails-Anonym-im-Internet-1405508.html) the release of " -"Tail 0.10." +#. type: Title - +#, no-wrap +msgid "2013\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2012-01-06: [Linux privacy distribution Tails updated to version 0.10]" -"(http://www.h-online.com/open/news/item/Linux-privacy-distribution-Tails-" -"updated-to-version-0-10-1404973.html) on The H Open" +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"press/media_appearances_2013\" raw=\"yes\"]]\n" msgstr "" -#. type: Title ## +#. type: Plain text #, no-wrap -msgid "2011" +msgid "[[!toggleable id=\"media_appearances_2012\" text=\"\"\"\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2011-11-18: [Tails, the incognito live system, gets 0.9 release](http://www." -"h-online.com/open/news/item/Tails-the-incognito-live-system-gets-0-9-" -"release-1381623.html) on The H Open" +#. type: Plain text +#, no-wrap +msgid "<span class=\"hide\">[[!toggle id=\"media_appearances_2012\" text=\"\"]]</span>\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2011-10-28 : (in French) A Tails 0.8 CD was shipped with the [Linux " -"Pratique, issue 68](http://www.linux-pratique.com/index.php/2011/10/28/linux-" -"pratique-n°68-–-novembredecembre-2011-–-chez-votre-marchand-de-journaux) " -"magazine." +#. type: Title - +#, no-wrap +msgid "2012\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2011-08: Linux Journal: [Tails - You Can Never Be Too Paranoid](http://www." -"linuxjournal.com/content/linux-distro-tales-you-can-never-be-too-paranoid)" +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"press/media_appearances_2012\" raw=\"yes\"]]\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2011-04-27: [The Amnesic Incognito Live System: A live CD for anonymity]" -"(https://lwn.net/Articles/440279/) on lwn.net" +#. type: Plain text +#, no-wrap +msgid "[[!toggleable id=\"media_appearances_2011\" text=\"\"\"\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2011-04-20: Release announcement for Tails 0.7 on [lwn.net](https://lwn.net/" -"Articles/439371/)" +#. type: Plain text +#, no-wrap +msgid "<span class=\"hide\">[[!toggle id=\"media_appearances_2011\" text=\"\"]]</span>\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2011-04-18: Incognito is mentionned in the [Distrowatch Weekly News](http://" -"distrowatch.com/weekly.php?issue=20110418#news)" +#. type: Title - +#, no-wrap +msgid "2011\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2011-04-15: Release announcement on [Distrowatch](http://distrowatch.com/?" -"newsid=06629)" +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"press/media_appearances_2011\" raw=\"yes\"]]\n" msgstr "" #. type: Title = @@ -753,6 +318,13 @@ msgstr "" msgid "Films and videos\n" msgstr "" +#. type: Bullet: '* ' +msgid "" +"[Tails 1.3 : The Amnesic Incognito Live System](https://www.youtube.com/" +"watch?v=_xna6wnn-Uw&feature=youtu.be), by Linux Scoop, an introductory video " +"to Tails 1.3." +msgstr "" + #. type: Bullet: '* ' msgid "" "Tails is being used in [Citizenfour](https://citizenfourfilm.com/) by Laura " @@ -767,7 +339,24 @@ msgstr "" #. type: Title = #, no-wrap -msgid "Books\n" +msgid "Books, booklets, and guide\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"* 2015-03: [A DIY Guide to Feminist\n" +"Cybersecurity](https://tech.safehubcollective.org/cybersecurity/) by\n" +"safehubcollective.org qualifies Tails as \"ultimate anonymity and\n" +"amnesia\".\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"* 2014-12: [Band I: Tails - The amnesic incognito live\n" +"system](https://capulcu.nadir.org/) by capulcu is a booklet explaining\n" +"Tails for activists (in German).\n" msgstr "" #. type: Plain text diff --git a/wiki/src/press.fr.po b/wiki/src/press.fr.po index d17a007c37eaf26438cee3bc527fd0a83704b5dd..193fe90d7b1480f295a52d5a27fe7a1cd440a489 100644 --- a/wiki/src/press.fr.po +++ b/wiki/src/press.fr.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2015-01-14 11:10+0100\n" -"PO-Revision-Date: 2014-01-12 12:39+0100\n" +"POT-Creation-Date: 2015-05-09 01:23+0300\n" +"PO-Revision-Date: 2015-01-19 16:52-0000\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" @@ -42,13 +42,21 @@ msgstr "" "principalement destinées aux utilisateurs de Tails." #. type: Plain text -#, fuzzy, no-wrap -#| msgid "We also sometimes publish press releases but they are not archived on the website. Write us an email at <tails@boum.org> if you want to be informed of future press releases." +#, no-wrap msgid "" "We sometimes publish press releases but they are not archived on\n" "the website. Write us an email at <tails-press@boum.org> if you want \n" "to receive future press releases, or if you have a press inquiry.\n" -msgstr "Il nous arrive également de faire des communiqués de presse. Contactez-nous si vous voulez les recevoir : <tails@boum.org>." +msgstr "" +"Nous publions parfois des communiqués de presse.\n" +"Contactez-nous si vous souhaitez recevoir ces communiqués ou si vous\n" +"avez une question pour notre équipe Presse : <tails-press@boum.org>\n" + +#. type: Plain text +msgid "" +"You can also send press articles about Tails to this address, so we add them " +"to this page :)" +msgstr "" #. type: Plain text #, no-wrap @@ -59,8 +67,8 @@ msgstr "" #, no-wrap msgid "" "<p>\n" -"We invite you to encrypt your press inquiries using the OpenPGP\n" -"public key [[!tails_website tails-press.key]].\n" +"We invite you to encrypt your press inquiries using [[our OpenPGP\n" +"public key|doc/about/openpgp_keys#press]].\n" "</p>\n" msgstr "" @@ -79,14 +87,10 @@ msgid "[[About Tails|about]] for a quick overview" msgstr "[[À propos de Tails|about]] pour une vue d'ensemble rapide" #. type: Bullet: '* ' -#, fuzzy -#| msgid "" -#| "[Quick links to better understand Tor](https://www.torproject.org/press/" -#| "press.html.en)" msgid "[Tor overview](https://www.torproject.org/about/overview.html.en)" msgstr "" -"[Quelques liens pour mieux comprendre Tor](https://www.torproject.org/press/" -"press.html.en)" +"[Vue d'ensemble de Tor](https://www.torproject.org/about/overview.html.en) " +"(en anglais)" #. type: Bullet: '* ' msgid "" @@ -115,575 +119,130 @@ msgid "Media appearances\n" msgstr "Apparitions dans les médias\n" #. type: Plain text -#, fuzzy -#| msgid "" -#| "As Tails is being more and more used throughout the world, it is " -#| "mentioned regularly in the press and in research papers. This list is not " -#| "comprehensive, but illustrates some of the significant articles that have " -#| "been published about Tails." msgid "" "Tails is mentioned regularly in the press and in research papers. This list " "is not comprehensive, but illustrates some of the significant articles that " "have been published about Tails." msgstr "" -"Vu que Tails est de plus en plus utilisé à travers le monde, il est\n" -"régulièrement mentionné dans la presse et les publications de recherche.\n" -"Cette liste n'est pas exhaustive, mais montre certains des articles les " -"plus\n" -"importants qui ont été écrits à propos de Tails." +"Tails est régulièrement mentionné dans la presse et les publications de " +"recherche. Cette liste n'est pas exhaustive, mais montre certains des " +"articles les plus importants qui ont été écrits à propos de Tails." -#. type: Title ## +#. type: Title - #, no-wrap -msgid "2014" -msgstr "2014" +msgid "2015\n" +msgstr "" #. type: Plain text #, no-wrap -msgid "" -"* 2014-12-28: Martin Untersinger considers Tails as a bulletproof tool\n" -" against NSA spying in \"[Les énormes progrès de la NSA pour défaire\n" -" la sécurité sur Internet](http://www.lemonde.fr/pixels/article/2014/12/28/les-enormes-progres-de-la-nsa-pour-defaire-la-securite-sur-internet_4546843_4408996.html)\" (in French).\n" -"* 2014-12-24: Andy Greenberg from Wired calls for donations to Tails in\n" -" \"[8 Free Privacy Programs Worth Your Year-End Donations](http://www.wired.com/2014/12/privacy-donations/)\":\n" -" \"Tails has received little mainstream support and may be the security\n" -" software most in need of users’ donations\".\n" -"* 2014-11-20: Amaelle Guiton writes about Tails in \"[Tails, l'outil\n" -" détesté par la NSA, qui veut démocratiser l'anonymat en\n" -" ligne](http://www.lemonde.fr/pixels/article/2014/11/20/tails-l-outil-deteste-par-la-nsa-qui-veut-democratiser-l-anonymat-en-ligne_4514650_4408996.html)\"\n" -" (in French), and gives a detailed transcript of an interview she made\n" -" with some of us in \"[Tails raconté par ceux qui le\n" -" construisent](https://www.techn0polis.net/2014/11/19/tails-raconte-par-ceux-qui-le-construisent/)\"\n" -" (in French as well).\n" -"* 2014-11-13: Thorin Klosowski from lifehacker.com [compares Linux Security\n" -" Distros: Tails vs. Kali vs. Qubes](http://lifehacker.com/linux-security-distros-compared-tails-vs-kali-vs-qub-1658139404).\n" -"* 2014-11-05: Tails 1.2 is featured on LinuxFr in \"[Tails 1.2, une\n" -" distribution pour votre\n" -" anonymat](http://linuxfr.org/news/tails-1-2-une-distribution-pour-votre-anonymat)\"\n" -" (in French).\n" -"* 2014-10-29: In \"[The 7 Privacy Tools Essential to Making Snowden\n" -" Documentary\n" -" CITIZENFOUR](https://www.eff.org/deeplinks/2014/10/7-privacy-tools-essential-making-citizenfour),\n" -" the Electronic Fountier Foundation says that \"one of the most robust\n" -" ways of using the Tor network is through a dedicated operating system\n" -" that enforces strong privacy\" like Tails.\n" -"* 2014-10-28: In \"[Ed Snowden Taught Me To Smuggle Secrets Past\n" -" Incredible Danger. Now I Teach\n" -" You.](https://firstlook.org/theintercept/2014/10/28/smuggling-snowden-secrets/)\",\n" -" Micah Lee, from The Intercept, gives many details on how Tails helped\n" -" Snowden, Poitras, and Gleenwald start working together.\n" -"* 2014-10-16: According to\n" -" [an article in\n" -" Wired](http://www.wired.com/2014/10/laura-poitras-crypto-tools-made-snowden-film-possible/),\n" -" in the closing credits of Citizenfour, Poitras took the unusual step\n" -" of adding an acknowledgment of the free software projects that made\n" -" the film possible: The roll call includes the anonymity software Tor,\n" -" the Tor-based operating system Tails, GPG encryption, Off-The-Record\n" -" (OTR) encrypted instant messaging, hard disk encryption software\n" -" Truecrypt, and Linux.\n" -"* 2014-07-26: [Tails 1.1 is announced](http://linuxfr.org/news/tails-1-1-est-disponible), in French,\n" -" in an article by pamputt on LinuxFr\n" -"* 2014-07: I2P bug and zero-days buzz:\n" -" - 2014-07-21: Exodus Intelligence [tweets about multiple RCE/de-anonymization\n" -" zero-days](https://twitter.com/ExodusIntel/status/491247299054428160) on the\n" -" day before Tails 1.1 is released.\n" -" - Several news websites relay that information before the details of the\n" -" vulnerability are disclosed:\n" -" - [Exploit Dealer: Snowden's Favorite OS Tails Has Zero-Day Vulnerabilities\n" -" Lurking\n" -" Inside](http://www.forbes.com/sites/thomasbrewster/2014/07/21/exploit-dealer-snowdens-favourite-os-tails-has-zero-day-vulnerabilities-lurking-inside/)\n" -" by Thomas Brewster on Forbes.\n" -" - [Don't look, Snowden: Security biz chases Tails with zero-day flaws\n" -" alert](http://www.theregister.co.uk/2014/07/21/security_researchers_chase_tails_with_zeroday_flaw_disclosure/)\n" -" by Iain Thomson on The Register.\n" -" - [The world's most secure OS may have a serious\n" -" problem](http://www.theverge.com/2014/7/22/5927917/the-worlds-most-secure-os-may-have-a-serious-problem)\n" -" by Russell Brandom on The Verge\n" -" - 2014-07-23: We made our users [[aware of that\n" -" process|news/On_0days_exploits_and_disclosure]].\n" -" - 2014-07-23: Exodus Intelligence publishes [Silver Bullets and Fairy\n" -" Tails](http://blog.exodusintel.com/2014/07/23/silverbullets_and_fairytails/)\n" -" to explain the vulnerability.\n" -" - 2014-07-25: We publish a [[security\n" -" advisory|security/Security_hole_in_I2P_0.9.13]] explaining the scope of the\n" -" problem, and temporary solutions.\n" -"* 2014-07-08: In the [July 8th Keiser Report on RT](http://rt.com/shows/keiser-report/170908-episode-max-keiser-624/).\n" -" The Tails related part of the Keiser Report starts at 15'40\".\n" -"* 2014-07-03: Tails above the Rest:\n" -" [Installation](http://www.linuxjournal.com/content/tails-above-rest-installation),\n" -" [Part II](http://www.linuxjournal.com/content/tails-above-rest-part-ii),\n" -" [Part III](http://www.linuxjournal.com/content/tails-above-rest-part-iii) by Kyle Rankin in the Linux Journal.\n" -"* 2014-07-03: Some articles on Tails users being targeted by NSA XKeyscore:\n" -" - In [NSA targets the privacy-conscious](http://daserste.ndr.de/panorama/aktuell/nsa230_page-1.html)\n" -" by J. Appelbaum, A. Gibson, J. Goetz, V. Kabisch, L. Kampf, L. Ryge.\n" -" - In [Von der NSA als Extremist gebrandmarkt](http://www.tagesschau.de/inland/nsa-xkeyscore-100.html)\n" -" by Lena Kampf, Jacob Appelbaum and John Goetz (in German).\n" -" - In [If you read Boing Boing, the NSA considers you a target for deep surveillance](http://boingboing.net/2014/07/03/if-you-read-boing-boing-the-n.html)\n" -" by Cory Doctorow.\n" -" - In [TOR, logiciel-clé de protection de la vie privée, dans le viseur de la NSA](http://www.lemonde.fr/pixels/article/2014/07/03/un-logiciel-cle-de-protection-de-la-vie-privee-dans-le-viseur-de-la-nsa_4450718_4408996.html)\n" -" by Martin Untersinger on LeMonde.fr (in French).\n" -"* 2014-06-25: [Dai segreti di Snowden ai social: il raduno italiano degli hacker](http://corrieredibologna.corriere.it/bologna/notizie/cronaca/2014/25-giugno-2014/dai-segreti-snowden-social-raduno-italiano-hacker-223459532934.shtml) by Andrea Rinaldi, in Corriere di Bologna (in Italian).\n" -"* 2014-06-30: [Tails, il sistema operativo incognito che frega l'NSA](http://www.wired.it/gadget/computer/2014/04/15/tails-sistema-operativo-incognito/) by Carola Frediani, in Wired.it (in Italian).\n" -"* 2014: late April and early May, many press articles covered the\n" -" Tails 1.0 release, including:\n" -" - In [TAILS: Snowden's favorite anonymous, secure OS goes\n" -" 1.0](http://boingboing.net/2014/04/30/tails-snowdens-favorite-ano.html), Cory\n" -" Doctorow writes \"Effectively, this is the ParanoidLinux I fictionalized in my\n" -" novel Little Brother.\"\n" -" - [Tails reaches\n" -" 1.0](https://lwn.net/SubscriberLink/596765/380d4e75b17ea491/) by Nathan\n" -" Willis in Linux Weekly News.\n" -" - [Anonymous OS reportedly used by Snowden reaches version\n" -" 1.0](http://www.cnet.com/news/anonymous-os-reportedly-favored-by-nsa-whistle-blower-edward-snowden-reaches-version-1-0/)\n" -" by Steven Musil in CNET.\n" -" - [Anonymisierungs-OS Tails wird\n" -" erwachsen](http://www.heise.de/security/meldung/Anonymisierungs-OS-Tails-wird-erwachsen-2180167.html)\n" -" in heise Security (in German).\n" -" - [Secure OS Tails Emerges From\n" -" Beta](http://www.pcmag.com/article2/0,2817,2457452,00.asp) by\n" -" David Murphy in PCMAG.\n" -" - [Edward Snowden's OS of choice, the Linux-based Tails,\n" -" is now out of\n" -" beta](http://www.engadget.com/2014/05/01/tails-linux-os-version1-0/)\n" -" by Steve Dent in Engadget.\n" -" - [Tails 1.0: Sicherheit und\n" -" Anonymität](http://www.pro-linux.de/news/1/21038/tails-10-sicherheit-und-anonymitaet.html)\n" -" by Ferdinand Thommes in PRO-LINUX.DE (in German).\n" -" - [Tails, l'OS dédié à la confidentialité, passe en\n" -" version\n" -" 1.0](http://www.numerama.com/magazine/29251-tails-l-os-dedie-a-la-confidentialite-passe-en-version-10.html)\n" -" by Julien L. in Numerama (in French).\n" -" - [Anonymous Linux Distribution TAILS Reaches Release Version\n" -" 1.0](http://www.techweekeurope.co.uk/news/tails-anonymous-linux-distribution-reaches-release-version-1-0-144823?ModPagespeed=noscript)\n" -" by Max Smolaks in TechWeek Europe.\n" -" - [Snowden's Beloved Tails OS Reaches v1.0\n" -" Milestone](http://www.linuxinsider.com/story/Snowdens-Beloved-Tails-OS-Reaches-v10-Milestone-80386.html)\n" -" by Richard Adhikari in LinuxInsider.\n" -" - [Tails 1.0 – La distrib sécurisée sort enfin en version stable](http://korben.info/tails-1-0.html)\n" -" by Korben (in French).\n" -"* 2014-04-30: [Tails, le système qui voulait vous rendre vraiment\n" -" anonyme](http://www.clubic.com/antivirus-securite-informatique/virus-hacker-piratage/anonyme-internet/actualite-699478-tails-systeme-voulait-surfer-facon-anonyme.html)\n" -" by Alexandre Laurent, in Clubic (in French).\n" -"* 2014-04-29: [This is the most secure computer you’ll ever\n" -" own](http://www.theverge.com/2014/4/29/5664884/this-is-the-most-secure-computer-you-ll-ever-own)\n" -" by Russell Brandom, in The Verge.\n" -"* 2014-04-29: [How to be secure on the Internet, really\n" -" secure](http://www.examiner.com/article/how-to-be-secure-on-the-internet-really-secure)\n" -" by Victoria Wagner Ross, in Examiner.com.\n" -"* 2014-04-29: [Tuck in Your Tails and Hide from Big\n" -" Brother](http://techgage.com/news/tuck-in-your-tails-and-hide-from-big-brother/)\n" -" by Stetson Smith, in Techgage.\n" -"* 2014-04-28: [Cómo instalar y usar Tails, la distribución Linux para navegar\n" -" de manera\n" -" anónima](http://www.eldiario.es/turing/vigilancia_y_privacidad/Guia-practica-Tails-distribucion-Linux_0_253374668.html)\n" -" by Juan Jesús Velasco in El Diario.\n" -"* 2014-04-23: Amaelle Guiton mentions Tails in the article [Chiffrer le Net pour\n" -" retrouver notre vie privée en ligne: une bonne solution qui pose des\n" -" problèmes](http://www.slate.fr/monde/86275/cyberespace-cypherspace-crypter-chiffrement-internet)\n" -" in Slate (in French).\n" -"* 2014-04-22: golem.de publishes\n" -" [Anonymisierung -- Mit Tails in den\n" -" Datenuntergrund](http://www.golem.de/news/anonymisierung-mit-tails-in-den-datenuntergrund-1404-105944.html)\n" -" (in German), by Jörg Thoma.\n" -"* 2014-04-17: Bruce Schneier writes \"Nice article on the Tails\n" -" stateless operating system. I use it.\" [in a blog\n" -" post](https://www.schneier.com/blog/archives/2014/04/tails.html).\n" -"* 2014-04-16: [Leave no trace: Tips to cover your digital footprint\n" -" and reclaim your\n" -" privacy](http://www.pcworld.com/article/2143846/leave-no-trace-tips-to-cover-your-digital-footprint-and-reclaim-your-privacy.html)\n" -" by Alex Castle in PCWorld.\n" -"* 2014-04-16: [Tails, il sistema operativo di Edward\n" -" Snowden](http://www.webnews.it/2014/04/16/tails-il-sistema-operativo-di-edward-snowden/?ref=post)\n" -" by Luca Colantuoni in Webnews.it.\n" -"* 2014-04-16: In [Pourquoi Edward Snowden a utilisé Tails Linux pour\n" -" organiser sa\n" -" fuite](http://www.01net.com/editorial/618336/pourquoi-edward-snowden-a-utilise-tails-linux-pour-organiser-sa-fuite/)\n" -" (in French) published on the 01net net-zine, Gilbert Kallenborn\n" -" reports about use of Tails by Edward Snowden, Laura Poitras et al.\n" -"* 2014-04-15: [Tails, il sistema operativo incognito che frega\n" -" l’NSA](http://www.wired.it/gadget/computer/2014/04/15/tails-sistema-operativo-incognito/)\n" -" by Carola Frediani, in Wired.it.\n" -"* 2014-04-15: The recent Wired article [is\n" -" relayed](http://yro-beta.slashdot.org/story/14/04/15/1940240/snowden-used-the-linux-distro-designed-for-internet-anonymity)\n" -" on Slashdot homepage.\n" -"* 2014-04-15: [\"Tails\": Wie Snowden seine Kommunikation vor der NSA\n" -" versteckt](http://derstandard.at/1397520636954/Tails-Wie-Snowden-seine-Kommunikation-vor-der-NSA-versteckt),\n" -" in derStandart.at\n" -"* 2014-04-14: In the [press\n" -" conference](http://www.democracynow.org/blog/2014/4/11/video_glenn_greenwald_laura_poitras_q)\n" -" she held after winning a Polk Award for her reporting on Edward Snowden and\n" -" the NSA, Laura Poitras said \"We just published a blog about a tool that's\n" -" called Tails, which is a operating system that runs on either USB stick or SD\n" -" disc, that is a sort of all-in-one encryption tool that you can use for PGP\n" -" and encryption. And it's just really secure. [...] So, it's a really important\n" -" tool for journalists.\"\n" -"* 2014-04-14: [Out in the Open: Inside the Operating System Edward\n" -" Snowden Used to Evade the NSA](http://www.wired.com/2014/04/tails/)\n" -" by Klint Finley, in Wired.\n" -"* 2014-04-02: In [Help Support the Little-Known Privacy Tool That Has\n" -" Been Critical to Journalists Reporting on the\n" -" NSA](https://pressfreedomfoundation.org/blog/2014/04/help-support-little-known-privacy-tool-has-been-critical-journalists-reporting-nsa)\n" -" by Trevor Timm:\n" -" - Laura Poitras says: \"I've been reluctant to go into details about\n" -" the different steps I took to communicate securely with Snowden to\n" -" avoid those methods being targeted. Now that Tails gives a green\n" -" light, I can say it has been an essential tool for reporting the\n" -" NSA story. It is an all-in-one secure digital communication system\n" -" (GPG email, OTR chat, Tor web browser, encrypted storage) that is\n" -" small enough to swallow. I'm very thankful to the Tails developers\n" -" for building this tool.\"\n" -" - Glenn Greenwald says: \"Tails have been vital to my ability to work\n" -" securely on the NSA story. The more I've come to learn about\n" -" communications security, the more central Tails has become to\n" -" my approach.\"\n" -" - Barton Gellman says: \"Privacy and encryption work, but it's too\n" -" easy to make a mistake that exposes you. Tails puts the essential\n" -" tools in one place, with a design that makes it hard to screw them\n" -" up. I could not have talked to Edward Snowden without this kind of\n" -" protection. I wish I'd had it years ago.\"\n" -"* 2014-03-17: In [Index Freedom of Expression Awards: Digital activism\n" -" nominee\n" -" Tails](http://www.indexoncensorship.org/2014/03/index-freedom-expression-awards-digital-activism-nominee-tails/),\n" -" Alice Kirkland interviews the Tails project about our nomination for\n" -" the *Censorship’s Freedom of Expression Awards*.\n" -"* 2014-03-13: In his [Les 7 clés pour protéger ses\n" -" communications](http://www.tdg.ch/high-tech/web/Les-7-cles-pour-proteger-ses-communications/story/25588689)\n" -" article (in French) published by the *Tribune de Genève*, Simon Koch\n" -" recommends using Tails.\n" -"* 2014-03-12: In his [Happy 25th Birthday World Wide Web - Let's Not\n" -" Destroy\n" -" It](http://www.huffingtonpost.co.uk/mike-harris/world-wide-web_b_4947687.html?utm_hp_ref=uk)\n" -" article published by the Huffington Post, Mike Harris writes that\n" -" \"Increasing numbers of activists are using high-tech tools such as\n" -" Tor or Tails to encrpyt their internet browsing and email\".\n" -"* 2014-03-12: In his [US and UK Spy Agencies Are \"Enemies of the\n" -" Internet\"](http://motherboard.vice.com/read/us-and-uk-spy-agencies-are-enemies-of-the-internet)\n" -" article, published in the Motherboard section of the Vice network,\n" -" Joseph Cox covers Reporters Without Borders' [latest\n" -" report](https://en.rsf.org/enemies-of-the-internet-2014-11-03-2014,45985.html),\n" -" and writes \"If you're a journalist working on anything more\n" -" sensitive than London Fashion Week or League 2 football, you might\n" -" want to consider using the Linux-based 'Tails' operating\n" -" system too.\"\n" -"* 2014-03-08: [Reporters Without Borders](http://en.rsf.org/)'s\n" -" Grégoire Pouget blogs about Tails: [FIC 2014 : Comment être\n" -" réellement anonyme sur\n" -" Internet](http://blog.barbayellow.com/2014/03/08/fic-2014-comment-etre-reellement-anonyme-sur-internet/)\n" -" (in French).\n" -"* 2014-03-04: Tails\n" -" [wins](https://twitter.com/accessnow/status/441043400708857856) the\n" -" [2014 Access Innovation Prize](https://www.accessnow.org/prize),\n" -" that was focused this year on Endpoint Security.\n" -"* 2014-03-03: In the March edition of the Linux Journal, that\n" -" [celebrates 20 years of this\n" -" journal](http://www.linuxjournal.com/content/march-2014-issue-linux-journal-20-years-linux-journal),\n" -" Kyle demonstrates Tails.\n" -"* 2014-02-27: The Daily Dot announced the experiments on porting Tails to mobile\n" -" devices in \"[Tor takes anonymity mobile with new smartphone\n" -" OS](http://www.dailydot.com/technology/tor-anonymous-os-tails-freitas/)\" and\n" -" \"[Beta testing for Tor's anonymous mobile OS begins this\n" -" spring](http://www.dailydot.com/technology/tor-anonymous-mobile-os-tails/)\".\n" -" Note that this is not an official project of Tails, see the homepage of the\n" -" [Tomy Detachable Secure Mobile\n" -" System](https://dev.guardianproject.info/projects/libro/wiki/Tomy_Detachable_Secure_Mobile_System)\n" -" project for more info.\n" -"* 2014-02-27: In his article \"[Why It’s Vital For Users to Fund Open-Source\n" -" Encryption\n" -" Tools](https://pressfreedomfoundation.org/blog/2014/02/why-its-vital-public-fund-open-source-encryption-tools)\"\n" -" Trevor Timm from Freedom of the Press Foundation explains that Tails « has\n" -" been vital for most, if not all, of the NSA journalists. [...] Its prime use\n" -" case is journalists trying to communicate or work in environments in which\n" -" they may normally be at risk or compromised. The NSA stories have been the\n" -" biggest story in journalism in the past decade, yet the tool the reporters\n" -" rely on is incredibly underfunded, is maintained by only a handful of\n" -" developers, and operates on a shoestring budget. »\n" -"* 2014-02-07: In his review of [uVirtus](http://uvirtus.org), Kheops, from\n" -" Telecomix concludes that « Users should prefer Tails and other mature secure\n" -" live distributions (such as IprediaOS, Liberté Linux, Privatix and Whonix)\n" -" over uVirtus since they provide a real safety improvement to the user. For any\n" -" activity that does not entail transferring large quantities of data (such as\n" -" video files), there is no strong reason to prefer uVirtus over any of these. »\n" -"* 2014-01-14: On Linux.com, Carla Schroder [picks\n" -" Tails](https://www.linux.com/news/software/applications/752221-the-top-7-best-linux-distros-for-2014/)\n" -" as the best Linux distribution for 2014 in the \"Best Fighting the\n" -" Man Distro\" category.\n" -"* 2014-01-07: [A RAT in the Registry: The Case for Martus on\n" -" TAILS](http://benetech.org/2014/01/07/a-rat-in-the-registry-the-case-for-martus-on-tails/)\n" -" explains how Benetech have selected TAILS (The Amnesic Incognito\n" -" Live System) to be the default environment for their use of Martus while\n" -" defending Tibetan human rights defenders against targeted malware attacks.\n" -"* 2014-01: \"Tails: The Amnesiac Incognito Live System – Privacy for\n" -" Anyone Anywhere\", by Russ McRee, in this month's issue of the\n" -" [Information Systems Security Association\n" -" Journal](http://www.issa.org/?page=ISSAJournal).\n" -msgstr "" - -#. type: Title ## -#, no-wrap -msgid "2013" -msgstr "2013" +msgid "[[!inline pages=\"press/media_appearances_2015\" raw=\"yes\"]]\n" +msgstr "" #. type: Plain text #, no-wrap msgid "" -"* 2013-12: Bruce Schneier\n" -" [answered](http://www.reddit.com/r/IAmA/comments/1r8ibh/iama_security_technologist_and_author_bruce/cdknf7a)\n" -" to someone asking him what Linux distribution is its favorite: \"I don't\n" -" use Linux. (Shhh. Don't tell anyone.) Although I have started using Tails\".\n" -"* 2013-12-12: In [A conversation with Bruce\n" -" Schneier](http://boingboing.net/2013/12/15/bruce-schneier-and-eben-moglen-2.html),\n" -" as part of the \"Snowden, the NSA and free software\" cycle at\n" -" Columbia Law School NYC, Bruce Schneier says:\n" -" - \"I think most of the public domain privacy tools are going to be\n" -" safe, yes. I think GPG is going to be safe. I think OTR is going\n" -" to be safe. I think that Tails is going to be safe. I do think\n" -" that these systems, because they were not -- you know, the NSA has\n" -" a big lever when a tool is written closed-source by a for-profit\n" -" corporation. There are levers they have that they don't have in\n" -" the open source international, altruistic community. And these are\n" -" generally written by crypto-paranoids, they're pretty well\n" -" designed. We make mistakes, but we find them and we correct them,\n" -" and we're getting good at that. I think that if the NSA is going\n" -" after these tools, they're going after implementations.\"\n" -" - \"What do I trust? I trust, I trust Tails, I trust GPG [...]\"\n" -" - \"We can make it harder, we can make it more expensive, we can make\n" -" it more risky. And yes, every time we do something to increase one\n" -" of those, we're making ourselves safer. [...] There are tools we\n" -" are deploying in countries all over the world, that are keeping\n" -" people alive. Tor is one of them. I mean, Tor saves lives. [...]\n" -" And every time you use Tor [...] provides cover for everyone else\n" -" who uses Tor [...]\"\n" -"* 2013-11-12: In its review \"[Which Linux distro is best for protecting your\n" -" privacy?](http://www.techradar.com/news/software/operating-systems/which-linux-distro-is-best-for-protecting-your-privacy--1192771)\",\n" -" techrada.com prefers Tails over 4 other distributions: \"The main advantages of\n" -" Tails are its readiness for USB installation and the complete nature of its\n" -" desktop and its documentation. The Tails system menu also contains enough\n" -" applications to make you do almost everything you may need without rebooting.\n" -" The documentation, while not interesting as the one for Whonix, is more than\n" -" adequate to help even Linux beginners. Yay for Tails, then!\"\n" -"* 2013-11: The German-speaking ADMIN magazine [reviews\n" -" Tails](http://www.admin-magazin.de/Das-Heft/2013/11/Tails-0.20).\n" -"* 2013-10 : (in French) Framablog, [Le chiffrement, maintenant](http://www.framablog.org/index.php/post/2013/10/19/Le-chiffrement-maintenant-compil), contains a whole chapter about Tails.\n" -"* 2013-10 : SecureDrop, \"Aaron Swartz’s unfinished whistleblowing platform\" promotes Tails in both [user manual](https://github.com/freedomofpress/securedrop/blob/master/docs/user_manual.md) and [security audit](http://homes.cs.washington.edu/~aczeskis/research/pubs/UW-CSE-13-08-02.PDF). via [Korben.info](http://korben.info/securedrop-aaron-swartz.html)\n" -"* 2013-10: The [occasional issue n°8 of\n" -" MISC](http://boutique.ed-diamond.com/misc-hors-series/500-mischs8.html)\n" -" magazine is dedicated to privacy topics. Tails is mentioned\n" -" a few times.\n" -"* 2013-10-15: [CRYPTO-GRAM, October 15, 2013](http://www.schneier.com/crypto-gram-1310.html)\n" -" Bruce Schneier: \"One thing I didn't do, although it's worth considering, is\n" -" use a stateless operating system like Tails. You can configure Tails with a\n" -" persistent volume to save your data, but no operating system changes are ever\n" -" saved. Booting Tails from a read-only DVD -- you can keep your data on an\n" -" encrypted USB stick -- is even more secure. Of course, this is not foolproof,\n" -" but it greatly reduces the potential avenues for attack.\"\n" -"* 2013-10-04: In [Tor: 'The king of high-secure, low-latency anonymity'](http://www.theguardian.com/world/interactive/2013/oct/04/tor-high-secure-internet-anonymity),\n" -" page 7. NSA: \"[Tails adds] severe CNE misery to equation.\"\n" -"* 2013-09-12: In [Inside the Effort to Crowdfund NSA-Proof Email and\n" -" Chat\n" -" Services](http://motherboard.vice.com/blog/inside-the-effort-to-crowdfund-nsa-proof-email-and-chat-services)\n" -" by DJ Pangburn, Riseup birds write (about the TBB) \"Combined with\n" -" the TAILS project, which Riseup supports, there is nothing better.\"\n" -"* 2013-09-05: In [How to remain secure against NSA\n" -" surveillance](http://www.theguardian.com/world/2013/sep/05/nsa-how-to-remain-secure-surveillance),\n" -" Bruce Schneier wrote: \"Since I started working with Snowden's\n" -" documents, I have been using GPG, Silent Circle, Tails, OTR,\n" -" TrueCrypt, BleachBit, and a few other things I'm not going to\n" -" write about.\"\n" -"* 2013-08-13: (in French) [Tails en version 0.20](http://linuxfr.org/news/tails-en-version-0-20) on LinuxFR\n" -"* 2013-08-12: [Anonym und sicher Surfen mit\n" -" Tails](http://www.linux-community.de/Internal/Artikel/Print-Artikel/LinuxUser/2013/09/Anonym-und-sicher-Surfen-mit-Tails),\n" -" in the September edition of the\n" -" [LinuxUser](http://www.linux-user.de/) magazine, that includes Tails\n" -" on the accompanying DVD.\n" -"* 2013-08-11: In their [DeadDrop/StrongBox Security\n" -" Assessment](http://homes.cs.washington.edu/~aczeskis/research/pubs/UW-CSE-13-08-02.PDF),\n" -" a research group (Alexei Czeskis, David Mah, Omar Sandoval, Ian\n" -" Smith, Karl Koscher, Jacob Appelbaum, Tadayoshi Kohno, and Bruce\n" -" Schneier) suggests inserting Tails in the loop of the\n" -" DeadDrop/StrongBox system. They also write: \"We believe that sources\n" -" should be adviced to use the Tails LiveCD. This provides better\n" -" anonymity and is easier to use than the Tor Browser bundle.\"\n" -"* 2013-07-02: [Encryption Works: How to Protect Your Privacy in the Age of NSA Surveillance](https://pressfreedomfoundation.org/encryption-works#tails)\n" -" by Micah Lee on Freedom of the Press Foundation\n" -"* 2013-05-21: [Tails 0.18 can install packages on the\n" -" fly](http://www.h-online.com/open/news/item/Tails-0-18-can-install-packages-on-the-fly-1866479.html)\n" -" on The H Open\n" -"* 2013-01-31: [Comment (ne pas) être\n" -" (cyber)espionné ?](http://bugbrother.blog.lemonde.fr/2013/01/31/comment-ne-pas-etre-espionne/)\n" -" by Jean-Marc Manach in \"BUG BROTHER -- Qui surveillera les surveillants ?\"\n" -"* 2013-01-29: Tails is\n" -" [documented](https://www.wefightcensorship.org/article/tails-amnesic-incognito-live-systemhtml.html)\n" -" in Reporters Without Borders' [Online Survival Kit](https://www.wefightcensorship.org/online-survival-kithtml.html)\n" -"* 2013-01-14: [DistroWatch Weekly, Issue 490](http://distrowatch.com/weekly.php?issue=20130114#released)\n" -" announces Tails 0.16\n" -msgstr "" - -#. type: Title ## -#, no-wrap -msgid "2012" -msgstr "2012" - -#. type: Bullet: '* ' -msgid "" -"2012-12-05: [Tails Secure Distro](http://www.linuxpromagazine.com/Online/" -"Features/Tails-Secure-Distro) by Bruce Byfield on Linux Magazine Pro" +"Older media appearances\n" +"----------------------\n" msgstr "" #. type: Bullet: '* ' -msgid "" -"2012-12-03: [DistroWatch Weekly, Issue 485](http://distrowatch.com/weekly." -"php?issue=20121203) announces Tails 0.15" +msgid "[[!toggle id=\"media_appearances_2014\" text=\"2014\"]]" msgstr "" #. type: Bullet: '* ' -msgid "" -"2012-11-05: [Tails and Claws](http://distrowatch.com/weekly.php?" -"issue=20121105#feature), review by Jesse Smith on DistroWatch Weekly, Issue " -"481" +msgid "[[!toggle id=\"media_appearances_2013\" text=\"2013\"]]" msgstr "" #. type: Bullet: '* ' -msgid "" -"2012-08: (in Dutch) [Veilig En Anoniem Op Internet](http://www.oeioei.nl/" -"internet/tails.php)" +msgid "[[!toggle id=\"media_appearances_2012\" text=\"2012\"]]" msgstr "" #. type: Bullet: '* ' -msgid "" -"2012-07: [Linux Format](http://www.linuxformat.com/archives?issue=158) " -"contained a small, general article about Tails, as well as Tails 0.10.1 on " -"the supplied DVD. *This DVD ships Tails in a `Tails` directory, and its boot " -"scripts have been altered to cope with that. The rest of the system has not " -"been altered according to our findings.*" -msgstr "" - -#. type: Bullet: '* ' -msgid "" -"2012-07: (in German) [Die totale Privatsphäre](http://www.derbund.ch/digital/" -"internet/Die-totale-Privatsphaere/story/22734697), by Klaus Gürtler in Der " -"Bund, a Swiss-German newspaper" -msgstr "" - -#. type: Bullet: '* ' -msgid "" -"2012-06: [Tails 0.12 blends in better in Internet cafés](http://www.h-online." -"com/open/news/item/Tails-0-12-blends-in-better-in-internet-cafes-1619818." -"html) on The H Open" +msgid "[[!toggle id=\"media_appearances_2011\" text=\"2011\"]]" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2012-06: [The Tor Project helps journalists and whistleblowers go online " -"without leaving a trace](http://www.niemanlab.org/2012/06/the-tor-project-" -"helps-journalists-and-whistleblowers-go-online-without-leaving-a-trace/), by " -"Adrienne LaFrance on Nieman Journalism Lab" -msgstr "" - -#. type: Bullet: '* ' -msgid "" -"2012-05-16: (in Italian) [Tails, un sistema operativo a base Tor](http://it." -"paperblog.com/tails-un-sistema-operativo-a-base-tor-1175730/) on paperblog.it" +#. type: Plain text +#, no-wrap +msgid "[[!toggleable id=\"media_appearances_2014\" text=\"\"\"\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2012-05-03: Tails 0.11 was announced in [LWN.net Weekly Edition](https://lwn." -"net/Articles/494923/); the press release was [published on LWN](https://lwn." -"net/Articles/495669/) too." +#. type: Plain text +#, no-wrap +msgid "<span class=\"hide\">[[!toggle id=\"media_appearances_2014\" text=\"\"]]</span>\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2012-04-23: (Video) [Protect your Privacy Completely - Web Browsing with " -"TAILS Tor](https://www.youtube.com/watch?v=04mzYuhl8f4)" -msgstr "" +#. type: Title - +#, fuzzy, no-wrap +#| msgid "2014" +msgid "2014\n" +msgstr "2014" -#. type: Bullet: '* ' -msgid "" -"2012-04: [Leave Your Cellphone at Home](http://nplusonemag.com/leave-your-" -"cellphone-at-home), Interview with Jacob Appelbaum, by Sarah Resnick on n+1" +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"press/media_appearances_2014\" raw=\"yes\"]]\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2012-02-02: (in French) [Vie privée : le guide pour rester anonyme sur " -"Internet](http://www.rue89.com/2012/02/02/vie-privee-le-guide-pour-rester-" -"anonyme-sur-internet-228990), par Martin Untersinger journaliste pour Rue89" +#. type: Plain text +#, no-wrap +msgid "[[!toggleable id=\"media_appearances_2013\" text=\"\"\"\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2012-01-13: (in French) Korben.info : [Tails – La distribution Linux qui " -"protège votre anonymat et votre vie privée](http://korben.info/tails.html)" +#. type: Plain text +#, no-wrap +msgid "<span class=\"hide\">[[!toggle id=\"media_appearances_2013\" text=\"\"]]</span>\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2012-01-12: (in French) LinuxFR [announces](https://linuxfr.org/news/tails-" -"en-version-010) Tails 0.10." -msgstr "" +#. type: Title - +#, fuzzy, no-wrap +#| msgid "2013" +msgid "2013\n" +msgstr "2013" -#. type: Bullet: '* ' -msgid "" -"2012-01-09 : (in German) Heise online [reported](http://www.heise.de/" -"newsticker/meldung/Tails-Anonym-im-Internet-1405508.html) the release of " -"Tail 0.10." +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"press/media_appearances_2013\" raw=\"yes\"]]\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2012-01-06: [Linux privacy distribution Tails updated to version 0.10]" -"(http://www.h-online.com/open/news/item/Linux-privacy-distribution-Tails-" -"updated-to-version-0-10-1404973.html) on The H Open" +#. type: Plain text +#, no-wrap +msgid "[[!toggleable id=\"media_appearances_2012\" text=\"\"\"\n" msgstr "" -#. type: Title ## +#. type: Plain text #, no-wrap -msgid "2011" -msgstr "2011" - -#. type: Bullet: '* ' -msgid "" -"2011-11-18: [Tails, the incognito live system, gets 0.9 release](http://www." -"h-online.com/open/news/item/Tails-the-incognito-live-system-gets-0-9-" -"release-1381623.html) on The H Open" +msgid "<span class=\"hide\">[[!toggle id=\"media_appearances_2012\" text=\"\"]]</span>\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2011-10-28 : (in French) A Tails 0.8 CD was shipped with the [Linux " -"Pratique, issue 68](http://www.linux-pratique.com/index.php/2011/10/28/linux-" -"pratique-n°68-–-novembredecembre-2011-–-chez-votre-marchand-de-journaux) " -"magazine." -msgstr "" +#. type: Title - +#, fuzzy, no-wrap +#| msgid "2012" +msgid "2012\n" +msgstr "2012" -#. type: Bullet: '* ' -msgid "" -"2011-08: Linux Journal: [Tails - You Can Never Be Too Paranoid](http://www." -"linuxjournal.com/content/linux-distro-tales-you-can-never-be-too-paranoid)" +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"press/media_appearances_2012\" raw=\"yes\"]]\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2011-04-27: [The Amnesic Incognito Live System: A live CD for anonymity]" -"(https://lwn.net/Articles/440279/) on lwn.net" +#. type: Plain text +#, no-wrap +msgid "[[!toggleable id=\"media_appearances_2011\" text=\"\"\"\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2011-04-20: Release announcement for Tails 0.7 on [lwn.net](https://lwn.net/" -"Articles/439371/)" +#. type: Plain text +#, no-wrap +msgid "<span class=\"hide\">[[!toggle id=\"media_appearances_2011\" text=\"\"]]</span>\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2011-04-18: Incognito is mentionned in the [Distrowatch Weekly News](http://" -"distrowatch.com/weekly.php?issue=20110418#news)" -msgstr "" +#. type: Title - +#, fuzzy, no-wrap +#| msgid "2011" +msgid "2011\n" +msgstr "2011" -#. type: Bullet: '* ' -msgid "" -"2011-04-15: Release announcement on [Distrowatch](http://distrowatch.com/?" -"newsid=06629)" +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"press/media_appearances_2011\" raw=\"yes\"]]\n" msgstr "" #. type: Title = @@ -779,6 +338,13 @@ msgstr "" msgid "Films and videos\n" msgstr "" +#. type: Bullet: '* ' +msgid "" +"[Tails 1.3 : The Amnesic Incognito Live System](https://www.youtube.com/" +"watch?v=_xna6wnn-Uw&feature=youtu.be), by Linux Scoop, an introductory video " +"to Tails 1.3." +msgstr "" + #. type: Bullet: '* ' msgid "" "Tails is being used in [Citizenfour](https://citizenfourfilm.com/) by Laura " @@ -793,7 +359,24 @@ msgstr "" #. type: Title = #, no-wrap -msgid "Books\n" +msgid "Books, booklets, and guide\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"* 2015-03: [A DIY Guide to Feminist\n" +"Cybersecurity](https://tech.safehubcollective.org/cybersecurity/) by\n" +"safehubcollective.org qualifies Tails as \"ultimate anonymity and\n" +"amnesia\".\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"* 2014-12: [Band I: Tails - The amnesic incognito live\n" +"system](https://capulcu.nadir.org/) by capulcu is a booklet explaining\n" +"Tails for activists (in German).\n" msgstr "" #. type: Plain text diff --git a/wiki/src/press.mdwn b/wiki/src/press.mdwn index 3d42bd4ff66b0b0fd4a78da716f24028dc16009f..897b676fd00d3747d516cd5f253875f914366e92 100644 --- a/wiki/src/press.mdwn +++ b/wiki/src/press.mdwn @@ -13,11 +13,14 @@ We sometimes publish press releases but they are not archived on the website. Write us an email at <tails-press@boum.org> if you want to receive future press releases, or if you have a press inquiry. +You can also send press articles about Tails to this address, so we +add them to this page :) + <div class="note"> <p> -We invite you to encrypt your press inquiries using the OpenPGP -public key [[!tails_website tails-press.key]]. +We invite you to encrypt your press inquiries using [[our OpenPGP +public key|doc/about/openpgp_keys#press]]. </p> </div> @@ -39,434 +42,70 @@ mentioned regularly in the press and in research papers. This list is not comprehensive, but illustrates some of the significant articles that have been published about Tails. -## 2014 - -* 2014-12-28: Martin Untersinger considers Tails as a bulletproof tool - against NSA spying in "[Les énormes progrès de la NSA pour défaire - la sécurité sur Internet](http://www.lemonde.fr/pixels/article/2014/12/28/les-enormes-progres-de-la-nsa-pour-defaire-la-securite-sur-internet_4546843_4408996.html)" (in French). -* 2014-12-24: Andy Greenberg from Wired calls for donations to Tails in - "[8 Free Privacy Programs Worth Your Year-End Donations](http://www.wired.com/2014/12/privacy-donations/)": - "Tails has received little mainstream support and may be the security - software most in need of users’ donations". -* 2014-11-20: Amaelle Guiton writes about Tails in "[Tails, l'outil - détesté par la NSA, qui veut démocratiser l'anonymat en - ligne](http://www.lemonde.fr/pixels/article/2014/11/20/tails-l-outil-deteste-par-la-nsa-qui-veut-democratiser-l-anonymat-en-ligne_4514650_4408996.html)" - (in French), and gives a detailed transcript of an interview she made - with some of us in "[Tails raconté par ceux qui le - construisent](https://www.techn0polis.net/2014/11/19/tails-raconte-par-ceux-qui-le-construisent/)" - (in French as well). -* 2014-11-13: Thorin Klosowski from lifehacker.com [compares Linux Security - Distros: Tails vs. Kali vs. Qubes](http://lifehacker.com/linux-security-distros-compared-tails-vs-kali-vs-qub-1658139404). -* 2014-11-05: Tails 1.2 is featured on LinuxFr in "[Tails 1.2, une - distribution pour votre - anonymat](http://linuxfr.org/news/tails-1-2-une-distribution-pour-votre-anonymat)" - (in French). -* 2014-10-29: In "[The 7 Privacy Tools Essential to Making Snowden - Documentary - CITIZENFOUR](https://www.eff.org/deeplinks/2014/10/7-privacy-tools-essential-making-citizenfour), - the Electronic Fountier Foundation says that "one of the most robust - ways of using the Tor network is through a dedicated operating system - that enforces strong privacy" like Tails. -* 2014-10-28: In "[Ed Snowden Taught Me To Smuggle Secrets Past - Incredible Danger. Now I Teach - You.](https://firstlook.org/theintercept/2014/10/28/smuggling-snowden-secrets/)", - Micah Lee, from The Intercept, gives many details on how Tails helped - Snowden, Poitras, and Gleenwald start working together. -* 2014-10-16: According to - [an article in - Wired](http://www.wired.com/2014/10/laura-poitras-crypto-tools-made-snowden-film-possible/), - in the closing credits of Citizenfour, Poitras took the unusual step - of adding an acknowledgment of the free software projects that made - the film possible: The roll call includes the anonymity software Tor, - the Tor-based operating system Tails, GPG encryption, Off-The-Record - (OTR) encrypted instant messaging, hard disk encryption software - Truecrypt, and Linux. -* 2014-07-26: [Tails 1.1 is announced](http://linuxfr.org/news/tails-1-1-est-disponible), in French, - in an article by pamputt on LinuxFr -* 2014-07: I2P bug and zero-days buzz: - - 2014-07-21: Exodus Intelligence [tweets about multiple RCE/de-anonymization - zero-days](https://twitter.com/ExodusIntel/status/491247299054428160) on the - day before Tails 1.1 is released. - - Several news websites relay that information before the details of the - vulnerability are disclosed: - - [Exploit Dealer: Snowden's Favorite OS Tails Has Zero-Day Vulnerabilities - Lurking - Inside](http://www.forbes.com/sites/thomasbrewster/2014/07/21/exploit-dealer-snowdens-favourite-os-tails-has-zero-day-vulnerabilities-lurking-inside/) - by Thomas Brewster on Forbes. - - [Don't look, Snowden: Security biz chases Tails with zero-day flaws - alert](http://www.theregister.co.uk/2014/07/21/security_researchers_chase_tails_with_zeroday_flaw_disclosure/) - by Iain Thomson on The Register. - - [The world's most secure OS may have a serious - problem](http://www.theverge.com/2014/7/22/5927917/the-worlds-most-secure-os-may-have-a-serious-problem) - by Russell Brandom on The Verge - - 2014-07-23: We made our users [[aware of that - process|news/On_0days_exploits_and_disclosure]]. - - 2014-07-23: Exodus Intelligence publishes [Silver Bullets and Fairy - Tails](http://blog.exodusintel.com/2014/07/23/silverbullets_and_fairytails/) - to explain the vulnerability. - - 2014-07-25: We publish a [[security - advisory|security/Security_hole_in_I2P_0.9.13]] explaining the scope of the - problem, and temporary solutions. -* 2014-07-08: In the [July 8th Keiser Report on RT](http://rt.com/shows/keiser-report/170908-episode-max-keiser-624/). - The Tails related part of the Keiser Report starts at 15'40". -* 2014-07-03: Tails above the Rest: - [Installation](http://www.linuxjournal.com/content/tails-above-rest-installation), - [Part II](http://www.linuxjournal.com/content/tails-above-rest-part-ii), - [Part III](http://www.linuxjournal.com/content/tails-above-rest-part-iii) by Kyle Rankin in the Linux Journal. -* 2014-07-03: Some articles on Tails users being targeted by NSA XKeyscore: - - In [NSA targets the privacy-conscious](http://daserste.ndr.de/panorama/aktuell/nsa230_page-1.html) - by J. Appelbaum, A. Gibson, J. Goetz, V. Kabisch, L. Kampf, L. Ryge. - - In [Von der NSA als Extremist gebrandmarkt](http://www.tagesschau.de/inland/nsa-xkeyscore-100.html) - by Lena Kampf, Jacob Appelbaum and John Goetz (in German). - - In [If you read Boing Boing, the NSA considers you a target for deep surveillance](http://boingboing.net/2014/07/03/if-you-read-boing-boing-the-n.html) - by Cory Doctorow. - - In [TOR, logiciel-clé de protection de la vie privée, dans le viseur de la NSA](http://www.lemonde.fr/pixels/article/2014/07/03/un-logiciel-cle-de-protection-de-la-vie-privee-dans-le-viseur-de-la-nsa_4450718_4408996.html) - by Martin Untersinger on LeMonde.fr (in French). -* 2014-06-25: [Dai segreti di Snowden ai social: il raduno italiano degli hacker](http://corrieredibologna.corriere.it/bologna/notizie/cronaca/2014/25-giugno-2014/dai-segreti-snowden-social-raduno-italiano-hacker-223459532934.shtml) by Andrea Rinaldi, in Corriere di Bologna (in Italian). -* 2014-06-30: [Tails, il sistema operativo incognito che frega l'NSA](http://www.wired.it/gadget/computer/2014/04/15/tails-sistema-operativo-incognito/) by Carola Frediani, in Wired.it (in Italian). -* 2014: late April and early May, many press articles covered the - Tails 1.0 release, including: - - In [TAILS: Snowden's favorite anonymous, secure OS goes - 1.0](http://boingboing.net/2014/04/30/tails-snowdens-favorite-ano.html), Cory - Doctorow writes "Effectively, this is the ParanoidLinux I fictionalized in my - novel Little Brother." - - [Tails reaches - 1.0](https://lwn.net/SubscriberLink/596765/380d4e75b17ea491/) by Nathan - Willis in Linux Weekly News. - - [Anonymous OS reportedly used by Snowden reaches version - 1.0](http://www.cnet.com/news/anonymous-os-reportedly-favored-by-nsa-whistle-blower-edward-snowden-reaches-version-1-0/) - by Steven Musil in CNET. - - [Anonymisierungs-OS Tails wird - erwachsen](http://www.heise.de/security/meldung/Anonymisierungs-OS-Tails-wird-erwachsen-2180167.html) - in heise Security (in German). - - [Secure OS Tails Emerges From - Beta](http://www.pcmag.com/article2/0,2817,2457452,00.asp) by - David Murphy in PCMAG. - - [Edward Snowden's OS of choice, the Linux-based Tails, - is now out of - beta](http://www.engadget.com/2014/05/01/tails-linux-os-version1-0/) - by Steve Dent in Engadget. - - [Tails 1.0: Sicherheit und - Anonymität](http://www.pro-linux.de/news/1/21038/tails-10-sicherheit-und-anonymitaet.html) - by Ferdinand Thommes in PRO-LINUX.DE (in German). - - [Tails, l'OS dédié à la confidentialité, passe en - version - 1.0](http://www.numerama.com/magazine/29251-tails-l-os-dedie-a-la-confidentialite-passe-en-version-10.html) - by Julien L. in Numerama (in French). - - [Anonymous Linux Distribution TAILS Reaches Release Version - 1.0](http://www.techweekeurope.co.uk/news/tails-anonymous-linux-distribution-reaches-release-version-1-0-144823?ModPagespeed=noscript) - by Max Smolaks in TechWeek Europe. - - [Snowden's Beloved Tails OS Reaches v1.0 - Milestone](http://www.linuxinsider.com/story/Snowdens-Beloved-Tails-OS-Reaches-v10-Milestone-80386.html) - by Richard Adhikari in LinuxInsider. - - [Tails 1.0 – La distrib sécurisée sort enfin en version stable](http://korben.info/tails-1-0.html) - by Korben (in French). -* 2014-04-30: [Tails, le système qui voulait vous rendre vraiment - anonyme](http://www.clubic.com/antivirus-securite-informatique/virus-hacker-piratage/anonyme-internet/actualite-699478-tails-systeme-voulait-surfer-facon-anonyme.html) - by Alexandre Laurent, in Clubic (in French). -* 2014-04-29: [This is the most secure computer you’ll ever - own](http://www.theverge.com/2014/4/29/5664884/this-is-the-most-secure-computer-you-ll-ever-own) - by Russell Brandom, in The Verge. -* 2014-04-29: [How to be secure on the Internet, really - secure](http://www.examiner.com/article/how-to-be-secure-on-the-internet-really-secure) - by Victoria Wagner Ross, in Examiner.com. -* 2014-04-29: [Tuck in Your Tails and Hide from Big - Brother](http://techgage.com/news/tuck-in-your-tails-and-hide-from-big-brother/) - by Stetson Smith, in Techgage. -* 2014-04-28: [Cómo instalar y usar Tails, la distribución Linux para navegar - de manera - anónima](http://www.eldiario.es/turing/vigilancia_y_privacidad/Guia-practica-Tails-distribucion-Linux_0_253374668.html) - by Juan Jesús Velasco in El Diario. -* 2014-04-23: Amaelle Guiton mentions Tails in the article [Chiffrer le Net pour - retrouver notre vie privée en ligne: une bonne solution qui pose des - problèmes](http://www.slate.fr/monde/86275/cyberespace-cypherspace-crypter-chiffrement-internet) - in Slate (in French). -* 2014-04-22: golem.de publishes - [Anonymisierung -- Mit Tails in den - Datenuntergrund](http://www.golem.de/news/anonymisierung-mit-tails-in-den-datenuntergrund-1404-105944.html) - (in German), by Jörg Thoma. -* 2014-04-17: Bruce Schneier writes "Nice article on the Tails - stateless operating system. I use it." [in a blog - post](https://www.schneier.com/blog/archives/2014/04/tails.html). -* 2014-04-16: [Leave no trace: Tips to cover your digital footprint - and reclaim your - privacy](http://www.pcworld.com/article/2143846/leave-no-trace-tips-to-cover-your-digital-footprint-and-reclaim-your-privacy.html) - by Alex Castle in PCWorld. -* 2014-04-16: [Tails, il sistema operativo di Edward - Snowden](http://www.webnews.it/2014/04/16/tails-il-sistema-operativo-di-edward-snowden/?ref=post) - by Luca Colantuoni in Webnews.it. -* 2014-04-16: In [Pourquoi Edward Snowden a utilisé Tails Linux pour - organiser sa - fuite](http://www.01net.com/editorial/618336/pourquoi-edward-snowden-a-utilise-tails-linux-pour-organiser-sa-fuite/) - (in French) published on the 01net net-zine, Gilbert Kallenborn - reports about use of Tails by Edward Snowden, Laura Poitras et al. -* 2014-04-15: [Tails, il sistema operativo incognito che frega - l’NSA](http://www.wired.it/gadget/computer/2014/04/15/tails-sistema-operativo-incognito/) - by Carola Frediani, in Wired.it. -* 2014-04-15: The recent Wired article [is - relayed](http://yro-beta.slashdot.org/story/14/04/15/1940240/snowden-used-the-linux-distro-designed-for-internet-anonymity) - on Slashdot homepage. -* 2014-04-15: ["Tails": Wie Snowden seine Kommunikation vor der NSA - versteckt](http://derstandard.at/1397520636954/Tails-Wie-Snowden-seine-Kommunikation-vor-der-NSA-versteckt), - in derStandart.at -* 2014-04-14: In the [press - conference](http://www.democracynow.org/blog/2014/4/11/video_glenn_greenwald_laura_poitras_q) - she held after winning a Polk Award for her reporting on Edward Snowden and - the NSA, Laura Poitras said "We just published a blog about a tool that's - called Tails, which is a operating system that runs on either USB stick or SD - disc, that is a sort of all-in-one encryption tool that you can use for PGP - and encryption. And it's just really secure. [...] So, it's a really important - tool for journalists." -* 2014-04-14: [Out in the Open: Inside the Operating System Edward - Snowden Used to Evade the NSA](http://www.wired.com/2014/04/tails/) - by Klint Finley, in Wired. -* 2014-04-02: In [Help Support the Little-Known Privacy Tool That Has - Been Critical to Journalists Reporting on the - NSA](https://pressfreedomfoundation.org/blog/2014/04/help-support-little-known-privacy-tool-has-been-critical-journalists-reporting-nsa) - by Trevor Timm: - - Laura Poitras says: "I've been reluctant to go into details about - the different steps I took to communicate securely with Snowden to - avoid those methods being targeted. Now that Tails gives a green - light, I can say it has been an essential tool for reporting the - NSA story. It is an all-in-one secure digital communication system - (GPG email, OTR chat, Tor web browser, encrypted storage) that is - small enough to swallow. I'm very thankful to the Tails developers - for building this tool." - - Glenn Greenwald says: "Tails have been vital to my ability to work - securely on the NSA story. The more I've come to learn about - communications security, the more central Tails has become to - my approach." - - Barton Gellman says: "Privacy and encryption work, but it's too - easy to make a mistake that exposes you. Tails puts the essential - tools in one place, with a design that makes it hard to screw them - up. I could not have talked to Edward Snowden without this kind of - protection. I wish I'd had it years ago." -* 2014-03-17: In [Index Freedom of Expression Awards: Digital activism - nominee - Tails](http://www.indexoncensorship.org/2014/03/index-freedom-expression-awards-digital-activism-nominee-tails/), - Alice Kirkland interviews the Tails project about our nomination for - the *Censorship’s Freedom of Expression Awards*. -* 2014-03-13: In his [Les 7 clés pour protéger ses - communications](http://www.tdg.ch/high-tech/web/Les-7-cles-pour-proteger-ses-communications/story/25588689) - article (in French) published by the *Tribune de Genève*, Simon Koch - recommends using Tails. -* 2014-03-12: In his [Happy 25th Birthday World Wide Web - Let's Not - Destroy - It](http://www.huffingtonpost.co.uk/mike-harris/world-wide-web_b_4947687.html?utm_hp_ref=uk) - article published by the Huffington Post, Mike Harris writes that - "Increasing numbers of activists are using high-tech tools such as - Tor or Tails to encrpyt their internet browsing and email". -* 2014-03-12: In his [US and UK Spy Agencies Are "Enemies of the - Internet"](http://motherboard.vice.com/read/us-and-uk-spy-agencies-are-enemies-of-the-internet) - article, published in the Motherboard section of the Vice network, - Joseph Cox covers Reporters Without Borders' [latest - report](https://en.rsf.org/enemies-of-the-internet-2014-11-03-2014,45985.html), - and writes "If you're a journalist working on anything more - sensitive than London Fashion Week or League 2 football, you might - want to consider using the Linux-based 'Tails' operating - system too." -* 2014-03-08: [Reporters Without Borders](http://en.rsf.org/)'s - Grégoire Pouget blogs about Tails: [FIC 2014 : Comment être - réellement anonyme sur - Internet](http://blog.barbayellow.com/2014/03/08/fic-2014-comment-etre-reellement-anonyme-sur-internet/) - (in French). -* 2014-03-04: Tails - [wins](https://twitter.com/accessnow/status/441043400708857856) the - [2014 Access Innovation Prize](https://www.accessnow.org/prize), - that was focused this year on Endpoint Security. -* 2014-03-03: In the March edition of the Linux Journal, that - [celebrates 20 years of this - journal](http://www.linuxjournal.com/content/march-2014-issue-linux-journal-20-years-linux-journal), - Kyle demonstrates Tails. -* 2014-02-27: The Daily Dot announced the experiments on porting Tails to mobile - devices in "[Tor takes anonymity mobile with new smartphone - OS](http://www.dailydot.com/technology/tor-anonymous-os-tails-freitas/)" and - "[Beta testing for Tor's anonymous mobile OS begins this - spring](http://www.dailydot.com/technology/tor-anonymous-mobile-os-tails/)". - Note that this is not an official project of Tails, see the homepage of the - [Tomy Detachable Secure Mobile - System](https://dev.guardianproject.info/projects/libro/wiki/Tomy_Detachable_Secure_Mobile_System) - project for more info. -* 2014-02-27: In his article "[Why It’s Vital For Users to Fund Open-Source - Encryption - Tools](https://pressfreedomfoundation.org/blog/2014/02/why-its-vital-public-fund-open-source-encryption-tools)" - Trevor Timm from Freedom of the Press Foundation explains that Tails « has - been vital for most, if not all, of the NSA journalists. [...] Its prime use - case is journalists trying to communicate or work in environments in which - they may normally be at risk or compromised. The NSA stories have been the - biggest story in journalism in the past decade, yet the tool the reporters - rely on is incredibly underfunded, is maintained by only a handful of - developers, and operates on a shoestring budget. » -* 2014-02-07: In his review of [uVirtus](http://uvirtus.org), Kheops, from - Telecomix concludes that « Users should prefer Tails and other mature secure - live distributions (such as IprediaOS, Liberté Linux, Privatix and Whonix) - over uVirtus since they provide a real safety improvement to the user. For any - activity that does not entail transferring large quantities of data (such as - video files), there is no strong reason to prefer uVirtus over any of these. » -* 2014-01-14: On Linux.com, Carla Schroder [picks - Tails](https://www.linux.com/news/software/applications/752221-the-top-7-best-linux-distros-for-2014/) - as the best Linux distribution for 2014 in the "Best Fighting the - Man Distro" category. -* 2014-01-07: [A RAT in the Registry: The Case for Martus on - TAILS](http://benetech.org/2014/01/07/a-rat-in-the-registry-the-case-for-martus-on-tails/) - explains how Benetech have selected TAILS (The Amnesic Incognito - Live System) to be the default environment for their use of Martus while - defending Tibetan human rights defenders against targeted malware attacks. -* 2014-01: "Tails: The Amnesiac Incognito Live System – Privacy for - Anyone Anywhere", by Russ McRee, in this month's issue of the - [Information Systems Security Association - Journal](http://www.issa.org/?page=ISSAJournal). - -## 2013 - -* 2013-12: Bruce Schneier - [answered](http://www.reddit.com/r/IAmA/comments/1r8ibh/iama_security_technologist_and_author_bruce/cdknf7a) - to someone asking him what Linux distribution is its favorite: "I don't - use Linux. (Shhh. Don't tell anyone.) Although I have started using Tails". -* 2013-12-12: In [A conversation with Bruce - Schneier](http://boingboing.net/2013/12/15/bruce-schneier-and-eben-moglen-2.html), - as part of the "Snowden, the NSA and free software" cycle at - Columbia Law School NYC, Bruce Schneier says: - - "I think most of the public domain privacy tools are going to be - safe, yes. I think GPG is going to be safe. I think OTR is going - to be safe. I think that Tails is going to be safe. I do think - that these systems, because they were not -- you know, the NSA has - a big lever when a tool is written closed-source by a for-profit - corporation. There are levers they have that they don't have in - the open source international, altruistic community. And these are - generally written by crypto-paranoids, they're pretty well - designed. We make mistakes, but we find them and we correct them, - and we're getting good at that. I think that if the NSA is going - after these tools, they're going after implementations." - - "What do I trust? I trust, I trust Tails, I trust GPG [...]" - - "We can make it harder, we can make it more expensive, we can make - it more risky. And yes, every time we do something to increase one - of those, we're making ourselves safer. [...] There are tools we - are deploying in countries all over the world, that are keeping - people alive. Tor is one of them. I mean, Tor saves lives. [...] - And every time you use Tor [...] provides cover for everyone else - who uses Tor [...]" -* 2013-11-12: In its review "[Which Linux distro is best for protecting your - privacy?](http://www.techradar.com/news/software/operating-systems/which-linux-distro-is-best-for-protecting-your-privacy--1192771)", - techrada.com prefers Tails over 4 other distributions: "The main advantages of - Tails are its readiness for USB installation and the complete nature of its - desktop and its documentation. The Tails system menu also contains enough - applications to make you do almost everything you may need without rebooting. - The documentation, while not interesting as the one for Whonix, is more than - adequate to help even Linux beginners. Yay for Tails, then!" -* 2013-11: The German-speaking ADMIN magazine [reviews - Tails](http://www.admin-magazin.de/Das-Heft/2013/11/Tails-0.20). -* 2013-10 : (in French) Framablog, [Le chiffrement, maintenant](http://www.framablog.org/index.php/post/2013/10/19/Le-chiffrement-maintenant-compil), contains a whole chapter about Tails. -* 2013-10 : SecureDrop, "Aaron Swartz’s unfinished whistleblowing platform" promotes Tails in both [user manual](https://github.com/freedomofpress/securedrop/blob/master/docs/user_manual.md) and [security audit](http://homes.cs.washington.edu/~aczeskis/research/pubs/UW-CSE-13-08-02.PDF). via [Korben.info](http://korben.info/securedrop-aaron-swartz.html) -* 2013-10: The [occasional issue n°8 of - MISC](http://boutique.ed-diamond.com/misc-hors-series/500-mischs8.html) - magazine is dedicated to privacy topics. Tails is mentioned - a few times. -* 2013-10-15: [CRYPTO-GRAM, October 15, 2013](http://www.schneier.com/crypto-gram-1310.html) - Bruce Schneier: "One thing I didn't do, although it's worth considering, is - use a stateless operating system like Tails. You can configure Tails with a - persistent volume to save your data, but no operating system changes are ever - saved. Booting Tails from a read-only DVD -- you can keep your data on an - encrypted USB stick -- is even more secure. Of course, this is not foolproof, - but it greatly reduces the potential avenues for attack." -* 2013-10-04: In [Tor: 'The king of high-secure, low-latency anonymity'](http://www.theguardian.com/world/interactive/2013/oct/04/tor-high-secure-internet-anonymity), - page 7. NSA: "[Tails adds] severe CNE misery to equation." -* 2013-09-12: In [Inside the Effort to Crowdfund NSA-Proof Email and - Chat - Services](http://motherboard.vice.com/blog/inside-the-effort-to-crowdfund-nsa-proof-email-and-chat-services) - by DJ Pangburn, Riseup birds write (about the TBB) "Combined with - the TAILS project, which Riseup supports, there is nothing better." -* 2013-09-05: In [How to remain secure against NSA - surveillance](http://www.theguardian.com/world/2013/sep/05/nsa-how-to-remain-secure-surveillance), - Bruce Schneier wrote: "Since I started working with Snowden's - documents, I have been using GPG, Silent Circle, Tails, OTR, - TrueCrypt, BleachBit, and a few other things I'm not going to - write about." -* 2013-08-13: (in French) [Tails en version 0.20](http://linuxfr.org/news/tails-en-version-0-20) on LinuxFR -* 2013-08-12: [Anonym und sicher Surfen mit - Tails](http://www.linux-community.de/Internal/Artikel/Print-Artikel/LinuxUser/2013/09/Anonym-und-sicher-Surfen-mit-Tails), - in the September edition of the - [LinuxUser](http://www.linux-user.de/) magazine, that includes Tails - on the accompanying DVD. -* 2013-08-11: In their [DeadDrop/StrongBox Security - Assessment](http://homes.cs.washington.edu/~aczeskis/research/pubs/UW-CSE-13-08-02.PDF), - a research group (Alexei Czeskis, David Mah, Omar Sandoval, Ian - Smith, Karl Koscher, Jacob Appelbaum, Tadayoshi Kohno, and Bruce - Schneier) suggests inserting Tails in the loop of the - DeadDrop/StrongBox system. They also write: "We believe that sources - should be adviced to use the Tails LiveCD. This provides better - anonymity and is easier to use than the Tor Browser bundle." -* 2013-07-02: [Encryption Works: How to Protect Your Privacy in the Age of NSA Surveillance](https://pressfreedomfoundation.org/encryption-works#tails) - by Micah Lee on Freedom of the Press Foundation -* 2013-05-21: [Tails 0.18 can install packages on the - fly](http://www.h-online.com/open/news/item/Tails-0-18-can-install-packages-on-the-fly-1866479.html) - on The H Open -* 2013-01-31: [Comment (ne pas) être - (cyber)espionné ?](http://bugbrother.blog.lemonde.fr/2013/01/31/comment-ne-pas-etre-espionne/) - by Jean-Marc Manach in "BUG BROTHER -- Qui surveillera les surveillants ?" -* 2013-01-29: Tails is - [documented](https://www.wefightcensorship.org/article/tails-amnesic-incognito-live-systemhtml.html) - in Reporters Without Borders' [Online Survival Kit](https://www.wefightcensorship.org/online-survival-kithtml.html) -* 2013-01-14: [DistroWatch Weekly, Issue 490](http://distrowatch.com/weekly.php?issue=20130114#released) - announces Tails 0.16 - -## 2012 - -* 2012-12-05: [Tails Secure Distro](http://www.linuxpromagazine.com/Online/Features/Tails-Secure-Distro) - by Bruce Byfield on Linux Magazine Pro -* 2012-12-03: [DistroWatch Weekly, Issue 485](http://distrowatch.com/weekly.php?issue=20121203) - announces Tails 0.15 -* 2012-11-05: [Tails and Claws](http://distrowatch.com/weekly.php?issue=20121105#feature), review by Jesse Smith on DistroWatch Weekly, Issue 481 -* 2012-08: (in Dutch) [Veilig En Anoniem Op Internet](http://www.oeioei.nl/internet/tails.php) -* 2012-07: [Linux Format](http://www.linuxformat.com/archives?issue=158) - contained a small, general article about Tails, as well as Tails - 0.10.1 on the supplied DVD. *This DVD ships Tails in a `Tails` directory, - and its boot scripts have been altered to cope with that. The rest of - the system has not been altered according to our findings.* -* 2012-07: (in German) [Die totale Privatsphäre](http://www.derbund.ch/digital/internet/Die-totale-Privatsphaere/story/22734697), - by Klaus Gürtler in Der Bund, a Swiss-German newspaper -* 2012-06: [Tails 0.12 blends in better in Internet cafés](http://www.h-online.com/open/news/item/Tails-0-12-blends-in-better-in-internet-cafes-1619818.html) on The H Open -* 2012-06: [The Tor Project helps journalists and whistleblowers go online - without leaving - a trace](http://www.niemanlab.org/2012/06/the-tor-project-helps-journalists-and-whistleblowers-go-online-without-leaving-a-trace/), - by Adrienne LaFrance on Nieman Journalism Lab -* 2012-05-16: (in Italian) [Tails, un sistema operativo a base Tor](http://it.paperblog.com/tails-un-sistema-operativo-a-base-tor-1175730/) on paperblog.it -* 2012-05-03: Tails 0.11 was announced in [LWN.net Weekly Edition](https://lwn.net/Articles/494923/); the press release was - [published on LWN](https://lwn.net/Articles/495669/) too. -* 2012-04-23: (Video) [Protect your Privacy Completely - Web Browsing with TAILS Tor](https://www.youtube.com/watch?v=04mzYuhl8f4) -* 2012-04: [Leave Your Cellphone at Home](http://nplusonemag.com/leave-your-cellphone-at-home), - Interview with Jacob Appelbaum, by Sarah Resnick on n+1 -* 2012-02-02: (in French) [Vie privée : le guide pour rester anonyme sur Internet](http://www.rue89.com/2012/02/02/vie-privee-le-guide-pour-rester-anonyme-sur-internet-228990), par Martin Untersinger journaliste pour Rue89 -* 2012-01-13: (in French) Korben.info : [Tails – La distribution Linux qui protège votre anonymat et votre vie privée](http://korben.info/tails.html) -* 2012-01-12: (in French) LinuxFR - [announces](https://linuxfr.org/news/tails-en-version-010) Tails 0.10. -* 2012-01-09 : (in German) Heise online [reported](http://www.heise.de/newsticker/meldung/Tails-Anonym-im-Internet-1405508.html) - the release of Tail 0.10. -* 2012-01-06: [Linux privacy distribution Tails updated to version - 0.10](http://www.h-online.com/open/news/item/Linux-privacy-distribution-Tails-updated-to-version-0-10-1404973.html) - on The H Open - -## 2011 - -* 2011-11-18: [Tails, the incognito live system, gets 0.9 - release](http://www.h-online.com/open/news/item/Tails-the-incognito-live-system-gets-0-9-release-1381623.html) - on The H Open -* 2011-10-28 : (in French) A Tails 0.8 CD was shipped with the [Linux Pratique, issue 68](http://www.linux-pratique.com/index.php/2011/10/28/linux-pratique-n°68-–-novembredecembre-2011-–-chez-votre-marchand-de-journaux) magazine. -* 2011-08: Linux Journal: [Tails - You Can Never Be Too Paranoid](http://www.linuxjournal.com/content/linux-distro-tales-you-can-never-be-too-paranoid) -* 2011-04-27: [The Amnesic Incognito Live System: A live CD for anonymity](https://lwn.net/Articles/440279/) on lwn.net -* 2011-04-20: Release announcement for Tails 0.7 on [lwn.net](https://lwn.net/Articles/439371/) -* 2011-04-18: Incognito is mentionned in the [Distrowatch Weekly News](http://distrowatch.com/weekly.php?issue=20110418#news) -* 2011-04-15: Release announcement on [Distrowatch](http://distrowatch.com/?newsid=06629) +2015 +---- + +[[!inline pages="press/media_appearances_2015" raw="yes"]] + +Older media appearances +---------------------- + +* [[!toggle id="media_appearances_2014" text="2014"]] +* [[!toggle id="media_appearances_2013" text="2013"]] +* [[!toggle id="media_appearances_2012" text="2012"]] +* [[!toggle id="media_appearances_2011" text="2011"]] + +[[!toggleable id="media_appearances_2014" text=""" +<span class="hide">[[!toggle id="media_appearances_2014" text=""]]</span> + +2014 +---- + +[[!inline pages="press/media_appearances_2014" raw="yes"]] + +"""]] + +[[!toggleable id="media_appearances_2013" text=""" +<span class="hide">[[!toggle id="media_appearances_2013" text=""]]</span> + +2013 +---- + +[[!inline pages="press/media_appearances_2013" raw="yes"]] + +"""]] + +[[!toggleable id="media_appearances_2012" text=""" +<span class="hide">[[!toggle id="media_appearances_2012" text=""]]</span> + +2012 +---- + +[[!inline pages="press/media_appearances_2012" raw="yes"]] + +"""]] + +[[!toggleable id="media_appearances_2011" text=""" +<span class="hide">[[!toggle id="media_appearances_2011" text=""]]</span> + +2011 +---- + +[[!inline pages="press/media_appearances_2011" raw="yes"]] + +"""]] Awards ====== * 2014-12-01: is awarded the [November 2014 DistroWatch.com donation](http://distrowatch.com/weekly.php?issue=20141201#donation) + * 2014-06-06: Tails received an honorable mention at [APC FLOSS Prize](https://www.apc.org/es/node/19368): "In particular, the jury wishes to highlight the Tails project, for breaking ground in the area of user privacy protection." + * 2014-03-11: Tails [wins the 2014 Access Innovation Prize](https://www.accessnow.org/blog/2014/03/11/2014-access-innovation-prize-winners-announced-at-rightscon), for Endpoint Security. Access reports that "Tails embodies the @@ -483,19 +122,25 @@ Conferences such as Tor, Tails, GnuPG, OTR, and RedPhone are some of the only ones that can blind the pervasive surveillance of the NSA. They are rated as "catastrophic" by the NSA itself. + * 2014-07-16: [The Amnesic Incognito Live System](http://interference.io/amnesic-incognito-live-system) at Interference + * 2014-03-16: [Lightning talk about Tails](http://meetings-archive.debian.net/pub/debian-meetings/2014/mini-debconf-barcelona/Lightning_Talks.webm) at 2014 Mini-Debconf in Barcelona. The talk begins at 24:15 of the video. + * 2013-12-30: Jacob Appelbaum stated at the [30th Chaos Communication Congress](https://events.ccc.de/congress/2013/Fahrplan/events/5713.html): "if you are a journalist and you are not using Tails, you should probably be using Tails, unless you *really* know what you're doing". + * 2013-12-29: [Tails needs your help!](https://events.ccc.de/congress/2013/wiki/Session:Tails_needs_your_help!) at 30C3 + * 2013-11-28: [Helping Human Rights Defenders to Communicate Securely: TAILS, National Democratic Institute, USA](http://www.coe.int/en/web/world-forum-democracy/lab4_) at the World Forum for Democracy + * 2013-10-30: [Tails : confidentialité et anonymat, pour tous et partout — L'utilisabilité et de la maintenabilité, fonctionnalités critiques pour la @@ -505,14 +150,27 @@ Conferences Films and videos ================ +* [Tails 1.3 : The Amnesic Incognito Live System](https://www.youtube.com/watch?v=_xna6wnn-Uw&feature=youtu.be), + by Linux Scoop, an introductory video to Tails 1.3. + * Tails is being used in [Citizenfour](https://citizenfourfilm.com/) by Laura Poitras and appears in the credits. + * [Probando TAILS 0.16 Privacidad y Anonimato](https://www.youtube.com/watch?v=bBdGbK54WPE), an introductory video to Tails, in Spanish. -Books -===== +Books, booklets, and guide +========================== + +* 2015-03: [A DIY Guide to Feminist +Cybersecurity](https://tech.safehubcollective.org/cybersecurity/) by +safehubcollective.org qualifies Tails as "ultimate anonymity and +amnesia". + +* 2014-12: [Band I: Tails - The amnesic incognito live +system](https://capulcu.nadir.org/) by capulcu is a booklet explaining +Tails for activists (in German). * 2013-08-26: [Practical anonymity](http://www.loshin.com/) by Peter Loshin has a dedicated chapter on Tails. diff --git a/wiki/src/press.pt.po b/wiki/src/press.pt.po index 8461a50a42f53d3de0988cf2ccfe0384f363e403..54c6f1d27e69ea8a6bdb1dfb89d0f524ac3c03da 100644 --- a/wiki/src/press.pt.po +++ b/wiki/src/press.pt.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2015-01-14 11:10+0100\n" +"POT-Creation-Date: 2015-05-09 01:23+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -46,6 +46,12 @@ msgid "" "to receive future press releases, or if you have a press inquiry.\n" msgstr "" +#. type: Plain text +msgid "" +"You can also send press articles about Tails to this address, so we add them " +"to this page :)" +msgstr "" + #. type: Plain text #, no-wrap msgid "<div class=\"note\">\n" @@ -55,8 +61,8 @@ msgstr "" #, no-wrap msgid "" "<p>\n" -"We invite you to encrypt your press inquiries using the OpenPGP\n" -"public key [[!tails_website tails-press.key]].\n" +"We invite you to encrypt your press inquiries using [[our OpenPGP\n" +"public key|doc/about/openpgp_keys#press]].\n" "</p>\n" msgstr "" @@ -106,558 +112,117 @@ msgid "" "have been published about Tails." msgstr "" -#. type: Title ## +#. type: Title - #, no-wrap -msgid "2014" +msgid "2015\n" msgstr "" #. type: Plain text #, no-wrap -msgid "" -"* 2014-12-28: Martin Untersinger considers Tails as a bulletproof tool\n" -" against NSA spying in \"[Les énormes progrès de la NSA pour défaire\n" -" la sécurité sur Internet](http://www.lemonde.fr/pixels/article/2014/12/28/les-enormes-progres-de-la-nsa-pour-defaire-la-securite-sur-internet_4546843_4408996.html)\" (in French).\n" -"* 2014-12-24: Andy Greenberg from Wired calls for donations to Tails in\n" -" \"[8 Free Privacy Programs Worth Your Year-End Donations](http://www.wired.com/2014/12/privacy-donations/)\":\n" -" \"Tails has received little mainstream support and may be the security\n" -" software most in need of users’ donations\".\n" -"* 2014-11-20: Amaelle Guiton writes about Tails in \"[Tails, l'outil\n" -" détesté par la NSA, qui veut démocratiser l'anonymat en\n" -" ligne](http://www.lemonde.fr/pixels/article/2014/11/20/tails-l-outil-deteste-par-la-nsa-qui-veut-democratiser-l-anonymat-en-ligne_4514650_4408996.html)\"\n" -" (in French), and gives a detailed transcript of an interview she made\n" -" with some of us in \"[Tails raconté par ceux qui le\n" -" construisent](https://www.techn0polis.net/2014/11/19/tails-raconte-par-ceux-qui-le-construisent/)\"\n" -" (in French as well).\n" -"* 2014-11-13: Thorin Klosowski from lifehacker.com [compares Linux Security\n" -" Distros: Tails vs. Kali vs. Qubes](http://lifehacker.com/linux-security-distros-compared-tails-vs-kali-vs-qub-1658139404).\n" -"* 2014-11-05: Tails 1.2 is featured on LinuxFr in \"[Tails 1.2, une\n" -" distribution pour votre\n" -" anonymat](http://linuxfr.org/news/tails-1-2-une-distribution-pour-votre-anonymat)\"\n" -" (in French).\n" -"* 2014-10-29: In \"[The 7 Privacy Tools Essential to Making Snowden\n" -" Documentary\n" -" CITIZENFOUR](https://www.eff.org/deeplinks/2014/10/7-privacy-tools-essential-making-citizenfour),\n" -" the Electronic Fountier Foundation says that \"one of the most robust\n" -" ways of using the Tor network is through a dedicated operating system\n" -" that enforces strong privacy\" like Tails.\n" -"* 2014-10-28: In \"[Ed Snowden Taught Me To Smuggle Secrets Past\n" -" Incredible Danger. Now I Teach\n" -" You.](https://firstlook.org/theintercept/2014/10/28/smuggling-snowden-secrets/)\",\n" -" Micah Lee, from The Intercept, gives many details on how Tails helped\n" -" Snowden, Poitras, and Gleenwald start working together.\n" -"* 2014-10-16: According to\n" -" [an article in\n" -" Wired](http://www.wired.com/2014/10/laura-poitras-crypto-tools-made-snowden-film-possible/),\n" -" in the closing credits of Citizenfour, Poitras took the unusual step\n" -" of adding an acknowledgment of the free software projects that made\n" -" the film possible: The roll call includes the anonymity software Tor,\n" -" the Tor-based operating system Tails, GPG encryption, Off-The-Record\n" -" (OTR) encrypted instant messaging, hard disk encryption software\n" -" Truecrypt, and Linux.\n" -"* 2014-07-26: [Tails 1.1 is announced](http://linuxfr.org/news/tails-1-1-est-disponible), in French,\n" -" in an article by pamputt on LinuxFr\n" -"* 2014-07: I2P bug and zero-days buzz:\n" -" - 2014-07-21: Exodus Intelligence [tweets about multiple RCE/de-anonymization\n" -" zero-days](https://twitter.com/ExodusIntel/status/491247299054428160) on the\n" -" day before Tails 1.1 is released.\n" -" - Several news websites relay that information before the details of the\n" -" vulnerability are disclosed:\n" -" - [Exploit Dealer: Snowden's Favorite OS Tails Has Zero-Day Vulnerabilities\n" -" Lurking\n" -" Inside](http://www.forbes.com/sites/thomasbrewster/2014/07/21/exploit-dealer-snowdens-favourite-os-tails-has-zero-day-vulnerabilities-lurking-inside/)\n" -" by Thomas Brewster on Forbes.\n" -" - [Don't look, Snowden: Security biz chases Tails with zero-day flaws\n" -" alert](http://www.theregister.co.uk/2014/07/21/security_researchers_chase_tails_with_zeroday_flaw_disclosure/)\n" -" by Iain Thomson on The Register.\n" -" - [The world's most secure OS may have a serious\n" -" problem](http://www.theverge.com/2014/7/22/5927917/the-worlds-most-secure-os-may-have-a-serious-problem)\n" -" by Russell Brandom on The Verge\n" -" - 2014-07-23: We made our users [[aware of that\n" -" process|news/On_0days_exploits_and_disclosure]].\n" -" - 2014-07-23: Exodus Intelligence publishes [Silver Bullets and Fairy\n" -" Tails](http://blog.exodusintel.com/2014/07/23/silverbullets_and_fairytails/)\n" -" to explain the vulnerability.\n" -" - 2014-07-25: We publish a [[security\n" -" advisory|security/Security_hole_in_I2P_0.9.13]] explaining the scope of the\n" -" problem, and temporary solutions.\n" -"* 2014-07-08: In the [July 8th Keiser Report on RT](http://rt.com/shows/keiser-report/170908-episode-max-keiser-624/).\n" -" The Tails related part of the Keiser Report starts at 15'40\".\n" -"* 2014-07-03: Tails above the Rest:\n" -" [Installation](http://www.linuxjournal.com/content/tails-above-rest-installation),\n" -" [Part II](http://www.linuxjournal.com/content/tails-above-rest-part-ii),\n" -" [Part III](http://www.linuxjournal.com/content/tails-above-rest-part-iii) by Kyle Rankin in the Linux Journal.\n" -"* 2014-07-03: Some articles on Tails users being targeted by NSA XKeyscore:\n" -" - In [NSA targets the privacy-conscious](http://daserste.ndr.de/panorama/aktuell/nsa230_page-1.html)\n" -" by J. Appelbaum, A. Gibson, J. Goetz, V. Kabisch, L. Kampf, L. Ryge.\n" -" - In [Von der NSA als Extremist gebrandmarkt](http://www.tagesschau.de/inland/nsa-xkeyscore-100.html)\n" -" by Lena Kampf, Jacob Appelbaum and John Goetz (in German).\n" -" - In [If you read Boing Boing, the NSA considers you a target for deep surveillance](http://boingboing.net/2014/07/03/if-you-read-boing-boing-the-n.html)\n" -" by Cory Doctorow.\n" -" - In [TOR, logiciel-clé de protection de la vie privée, dans le viseur de la NSA](http://www.lemonde.fr/pixels/article/2014/07/03/un-logiciel-cle-de-protection-de-la-vie-privee-dans-le-viseur-de-la-nsa_4450718_4408996.html)\n" -" by Martin Untersinger on LeMonde.fr (in French).\n" -"* 2014-06-25: [Dai segreti di Snowden ai social: il raduno italiano degli hacker](http://corrieredibologna.corriere.it/bologna/notizie/cronaca/2014/25-giugno-2014/dai-segreti-snowden-social-raduno-italiano-hacker-223459532934.shtml) by Andrea Rinaldi, in Corriere di Bologna (in Italian).\n" -"* 2014-06-30: [Tails, il sistema operativo incognito che frega l'NSA](http://www.wired.it/gadget/computer/2014/04/15/tails-sistema-operativo-incognito/) by Carola Frediani, in Wired.it (in Italian).\n" -"* 2014: late April and early May, many press articles covered the\n" -" Tails 1.0 release, including:\n" -" - In [TAILS: Snowden's favorite anonymous, secure OS goes\n" -" 1.0](http://boingboing.net/2014/04/30/tails-snowdens-favorite-ano.html), Cory\n" -" Doctorow writes \"Effectively, this is the ParanoidLinux I fictionalized in my\n" -" novel Little Brother.\"\n" -" - [Tails reaches\n" -" 1.0](https://lwn.net/SubscriberLink/596765/380d4e75b17ea491/) by Nathan\n" -" Willis in Linux Weekly News.\n" -" - [Anonymous OS reportedly used by Snowden reaches version\n" -" 1.0](http://www.cnet.com/news/anonymous-os-reportedly-favored-by-nsa-whistle-blower-edward-snowden-reaches-version-1-0/)\n" -" by Steven Musil in CNET.\n" -" - [Anonymisierungs-OS Tails wird\n" -" erwachsen](http://www.heise.de/security/meldung/Anonymisierungs-OS-Tails-wird-erwachsen-2180167.html)\n" -" in heise Security (in German).\n" -" - [Secure OS Tails Emerges From\n" -" Beta](http://www.pcmag.com/article2/0,2817,2457452,00.asp) by\n" -" David Murphy in PCMAG.\n" -" - [Edward Snowden's OS of choice, the Linux-based Tails,\n" -" is now out of\n" -" beta](http://www.engadget.com/2014/05/01/tails-linux-os-version1-0/)\n" -" by Steve Dent in Engadget.\n" -" - [Tails 1.0: Sicherheit und\n" -" Anonymität](http://www.pro-linux.de/news/1/21038/tails-10-sicherheit-und-anonymitaet.html)\n" -" by Ferdinand Thommes in PRO-LINUX.DE (in German).\n" -" - [Tails, l'OS dédié à la confidentialité, passe en\n" -" version\n" -" 1.0](http://www.numerama.com/magazine/29251-tails-l-os-dedie-a-la-confidentialite-passe-en-version-10.html)\n" -" by Julien L. in Numerama (in French).\n" -" - [Anonymous Linux Distribution TAILS Reaches Release Version\n" -" 1.0](http://www.techweekeurope.co.uk/news/tails-anonymous-linux-distribution-reaches-release-version-1-0-144823?ModPagespeed=noscript)\n" -" by Max Smolaks in TechWeek Europe.\n" -" - [Snowden's Beloved Tails OS Reaches v1.0\n" -" Milestone](http://www.linuxinsider.com/story/Snowdens-Beloved-Tails-OS-Reaches-v10-Milestone-80386.html)\n" -" by Richard Adhikari in LinuxInsider.\n" -" - [Tails 1.0 – La distrib sécurisée sort enfin en version stable](http://korben.info/tails-1-0.html)\n" -" by Korben (in French).\n" -"* 2014-04-30: [Tails, le système qui voulait vous rendre vraiment\n" -" anonyme](http://www.clubic.com/antivirus-securite-informatique/virus-hacker-piratage/anonyme-internet/actualite-699478-tails-systeme-voulait-surfer-facon-anonyme.html)\n" -" by Alexandre Laurent, in Clubic (in French).\n" -"* 2014-04-29: [This is the most secure computer you’ll ever\n" -" own](http://www.theverge.com/2014/4/29/5664884/this-is-the-most-secure-computer-you-ll-ever-own)\n" -" by Russell Brandom, in The Verge.\n" -"* 2014-04-29: [How to be secure on the Internet, really\n" -" secure](http://www.examiner.com/article/how-to-be-secure-on-the-internet-really-secure)\n" -" by Victoria Wagner Ross, in Examiner.com.\n" -"* 2014-04-29: [Tuck in Your Tails and Hide from Big\n" -" Brother](http://techgage.com/news/tuck-in-your-tails-and-hide-from-big-brother/)\n" -" by Stetson Smith, in Techgage.\n" -"* 2014-04-28: [Cómo instalar y usar Tails, la distribución Linux para navegar\n" -" de manera\n" -" anónima](http://www.eldiario.es/turing/vigilancia_y_privacidad/Guia-practica-Tails-distribucion-Linux_0_253374668.html)\n" -" by Juan Jesús Velasco in El Diario.\n" -"* 2014-04-23: Amaelle Guiton mentions Tails in the article [Chiffrer le Net pour\n" -" retrouver notre vie privée en ligne: une bonne solution qui pose des\n" -" problèmes](http://www.slate.fr/monde/86275/cyberespace-cypherspace-crypter-chiffrement-internet)\n" -" in Slate (in French).\n" -"* 2014-04-22: golem.de publishes\n" -" [Anonymisierung -- Mit Tails in den\n" -" Datenuntergrund](http://www.golem.de/news/anonymisierung-mit-tails-in-den-datenuntergrund-1404-105944.html)\n" -" (in German), by Jörg Thoma.\n" -"* 2014-04-17: Bruce Schneier writes \"Nice article on the Tails\n" -" stateless operating system. I use it.\" [in a blog\n" -" post](https://www.schneier.com/blog/archives/2014/04/tails.html).\n" -"* 2014-04-16: [Leave no trace: Tips to cover your digital footprint\n" -" and reclaim your\n" -" privacy](http://www.pcworld.com/article/2143846/leave-no-trace-tips-to-cover-your-digital-footprint-and-reclaim-your-privacy.html)\n" -" by Alex Castle in PCWorld.\n" -"* 2014-04-16: [Tails, il sistema operativo di Edward\n" -" Snowden](http://www.webnews.it/2014/04/16/tails-il-sistema-operativo-di-edward-snowden/?ref=post)\n" -" by Luca Colantuoni in Webnews.it.\n" -"* 2014-04-16: In [Pourquoi Edward Snowden a utilisé Tails Linux pour\n" -" organiser sa\n" -" fuite](http://www.01net.com/editorial/618336/pourquoi-edward-snowden-a-utilise-tails-linux-pour-organiser-sa-fuite/)\n" -" (in French) published on the 01net net-zine, Gilbert Kallenborn\n" -" reports about use of Tails by Edward Snowden, Laura Poitras et al.\n" -"* 2014-04-15: [Tails, il sistema operativo incognito che frega\n" -" l’NSA](http://www.wired.it/gadget/computer/2014/04/15/tails-sistema-operativo-incognito/)\n" -" by Carola Frediani, in Wired.it.\n" -"* 2014-04-15: The recent Wired article [is\n" -" relayed](http://yro-beta.slashdot.org/story/14/04/15/1940240/snowden-used-the-linux-distro-designed-for-internet-anonymity)\n" -" on Slashdot homepage.\n" -"* 2014-04-15: [\"Tails\": Wie Snowden seine Kommunikation vor der NSA\n" -" versteckt](http://derstandard.at/1397520636954/Tails-Wie-Snowden-seine-Kommunikation-vor-der-NSA-versteckt),\n" -" in derStandart.at\n" -"* 2014-04-14: In the [press\n" -" conference](http://www.democracynow.org/blog/2014/4/11/video_glenn_greenwald_laura_poitras_q)\n" -" she held after winning a Polk Award for her reporting on Edward Snowden and\n" -" the NSA, Laura Poitras said \"We just published a blog about a tool that's\n" -" called Tails, which is a operating system that runs on either USB stick or SD\n" -" disc, that is a sort of all-in-one encryption tool that you can use for PGP\n" -" and encryption. And it's just really secure. [...] So, it's a really important\n" -" tool for journalists.\"\n" -"* 2014-04-14: [Out in the Open: Inside the Operating System Edward\n" -" Snowden Used to Evade the NSA](http://www.wired.com/2014/04/tails/)\n" -" by Klint Finley, in Wired.\n" -"* 2014-04-02: In [Help Support the Little-Known Privacy Tool That Has\n" -" Been Critical to Journalists Reporting on the\n" -" NSA](https://pressfreedomfoundation.org/blog/2014/04/help-support-little-known-privacy-tool-has-been-critical-journalists-reporting-nsa)\n" -" by Trevor Timm:\n" -" - Laura Poitras says: \"I've been reluctant to go into details about\n" -" the different steps I took to communicate securely with Snowden to\n" -" avoid those methods being targeted. Now that Tails gives a green\n" -" light, I can say it has been an essential tool for reporting the\n" -" NSA story. It is an all-in-one secure digital communication system\n" -" (GPG email, OTR chat, Tor web browser, encrypted storage) that is\n" -" small enough to swallow. I'm very thankful to the Tails developers\n" -" for building this tool.\"\n" -" - Glenn Greenwald says: \"Tails have been vital to my ability to work\n" -" securely on the NSA story. The more I've come to learn about\n" -" communications security, the more central Tails has become to\n" -" my approach.\"\n" -" - Barton Gellman says: \"Privacy and encryption work, but it's too\n" -" easy to make a mistake that exposes you. Tails puts the essential\n" -" tools in one place, with a design that makes it hard to screw them\n" -" up. I could not have talked to Edward Snowden without this kind of\n" -" protection. I wish I'd had it years ago.\"\n" -"* 2014-03-17: In [Index Freedom of Expression Awards: Digital activism\n" -" nominee\n" -" Tails](http://www.indexoncensorship.org/2014/03/index-freedom-expression-awards-digital-activism-nominee-tails/),\n" -" Alice Kirkland interviews the Tails project about our nomination for\n" -" the *Censorship’s Freedom of Expression Awards*.\n" -"* 2014-03-13: In his [Les 7 clés pour protéger ses\n" -" communications](http://www.tdg.ch/high-tech/web/Les-7-cles-pour-proteger-ses-communications/story/25588689)\n" -" article (in French) published by the *Tribune de Genève*, Simon Koch\n" -" recommends using Tails.\n" -"* 2014-03-12: In his [Happy 25th Birthday World Wide Web - Let's Not\n" -" Destroy\n" -" It](http://www.huffingtonpost.co.uk/mike-harris/world-wide-web_b_4947687.html?utm_hp_ref=uk)\n" -" article published by the Huffington Post, Mike Harris writes that\n" -" \"Increasing numbers of activists are using high-tech tools such as\n" -" Tor or Tails to encrpyt their internet browsing and email\".\n" -"* 2014-03-12: In his [US and UK Spy Agencies Are \"Enemies of the\n" -" Internet\"](http://motherboard.vice.com/read/us-and-uk-spy-agencies-are-enemies-of-the-internet)\n" -" article, published in the Motherboard section of the Vice network,\n" -" Joseph Cox covers Reporters Without Borders' [latest\n" -" report](https://en.rsf.org/enemies-of-the-internet-2014-11-03-2014,45985.html),\n" -" and writes \"If you're a journalist working on anything more\n" -" sensitive than London Fashion Week or League 2 football, you might\n" -" want to consider using the Linux-based 'Tails' operating\n" -" system too.\"\n" -"* 2014-03-08: [Reporters Without Borders](http://en.rsf.org/)'s\n" -" Grégoire Pouget blogs about Tails: [FIC 2014 : Comment être\n" -" réellement anonyme sur\n" -" Internet](http://blog.barbayellow.com/2014/03/08/fic-2014-comment-etre-reellement-anonyme-sur-internet/)\n" -" (in French).\n" -"* 2014-03-04: Tails\n" -" [wins](https://twitter.com/accessnow/status/441043400708857856) the\n" -" [2014 Access Innovation Prize](https://www.accessnow.org/prize),\n" -" that was focused this year on Endpoint Security.\n" -"* 2014-03-03: In the March edition of the Linux Journal, that\n" -" [celebrates 20 years of this\n" -" journal](http://www.linuxjournal.com/content/march-2014-issue-linux-journal-20-years-linux-journal),\n" -" Kyle demonstrates Tails.\n" -"* 2014-02-27: The Daily Dot announced the experiments on porting Tails to mobile\n" -" devices in \"[Tor takes anonymity mobile with new smartphone\n" -" OS](http://www.dailydot.com/technology/tor-anonymous-os-tails-freitas/)\" and\n" -" \"[Beta testing for Tor's anonymous mobile OS begins this\n" -" spring](http://www.dailydot.com/technology/tor-anonymous-mobile-os-tails/)\".\n" -" Note that this is not an official project of Tails, see the homepage of the\n" -" [Tomy Detachable Secure Mobile\n" -" System](https://dev.guardianproject.info/projects/libro/wiki/Tomy_Detachable_Secure_Mobile_System)\n" -" project for more info.\n" -"* 2014-02-27: In his article \"[Why It’s Vital For Users to Fund Open-Source\n" -" Encryption\n" -" Tools](https://pressfreedomfoundation.org/blog/2014/02/why-its-vital-public-fund-open-source-encryption-tools)\"\n" -" Trevor Timm from Freedom of the Press Foundation explains that Tails « has\n" -" been vital for most, if not all, of the NSA journalists. [...] Its prime use\n" -" case is journalists trying to communicate or work in environments in which\n" -" they may normally be at risk or compromised. The NSA stories have been the\n" -" biggest story in journalism in the past decade, yet the tool the reporters\n" -" rely on is incredibly underfunded, is maintained by only a handful of\n" -" developers, and operates on a shoestring budget. »\n" -"* 2014-02-07: In his review of [uVirtus](http://uvirtus.org), Kheops, from\n" -" Telecomix concludes that « Users should prefer Tails and other mature secure\n" -" live distributions (such as IprediaOS, Liberté Linux, Privatix and Whonix)\n" -" over uVirtus since they provide a real safety improvement to the user. For any\n" -" activity that does not entail transferring large quantities of data (such as\n" -" video files), there is no strong reason to prefer uVirtus over any of these. »\n" -"* 2014-01-14: On Linux.com, Carla Schroder [picks\n" -" Tails](https://www.linux.com/news/software/applications/752221-the-top-7-best-linux-distros-for-2014/)\n" -" as the best Linux distribution for 2014 in the \"Best Fighting the\n" -" Man Distro\" category.\n" -"* 2014-01-07: [A RAT in the Registry: The Case for Martus on\n" -" TAILS](http://benetech.org/2014/01/07/a-rat-in-the-registry-the-case-for-martus-on-tails/)\n" -" explains how Benetech have selected TAILS (The Amnesic Incognito\n" -" Live System) to be the default environment for their use of Martus while\n" -" defending Tibetan human rights defenders against targeted malware attacks.\n" -"* 2014-01: \"Tails: The Amnesiac Incognito Live System – Privacy for\n" -" Anyone Anywhere\", by Russ McRee, in this month's issue of the\n" -" [Information Systems Security Association\n" -" Journal](http://www.issa.org/?page=ISSAJournal).\n" -msgstr "" - -#. type: Title ## -#, no-wrap -msgid "2013" +msgid "[[!inline pages=\"press/media_appearances_2015\" raw=\"yes\"]]\n" msgstr "" #. type: Plain text #, no-wrap msgid "" -"* 2013-12: Bruce Schneier\n" -" [answered](http://www.reddit.com/r/IAmA/comments/1r8ibh/iama_security_technologist_and_author_bruce/cdknf7a)\n" -" to someone asking him what Linux distribution is its favorite: \"I don't\n" -" use Linux. (Shhh. Don't tell anyone.) Although I have started using Tails\".\n" -"* 2013-12-12: In [A conversation with Bruce\n" -" Schneier](http://boingboing.net/2013/12/15/bruce-schneier-and-eben-moglen-2.html),\n" -" as part of the \"Snowden, the NSA and free software\" cycle at\n" -" Columbia Law School NYC, Bruce Schneier says:\n" -" - \"I think most of the public domain privacy tools are going to be\n" -" safe, yes. I think GPG is going to be safe. I think OTR is going\n" -" to be safe. I think that Tails is going to be safe. I do think\n" -" that these systems, because they were not -- you know, the NSA has\n" -" a big lever when a tool is written closed-source by a for-profit\n" -" corporation. There are levers they have that they don't have in\n" -" the open source international, altruistic community. And these are\n" -" generally written by crypto-paranoids, they're pretty well\n" -" designed. We make mistakes, but we find them and we correct them,\n" -" and we're getting good at that. I think that if the NSA is going\n" -" after these tools, they're going after implementations.\"\n" -" - \"What do I trust? I trust, I trust Tails, I trust GPG [...]\"\n" -" - \"We can make it harder, we can make it more expensive, we can make\n" -" it more risky. And yes, every time we do something to increase one\n" -" of those, we're making ourselves safer. [...] There are tools we\n" -" are deploying in countries all over the world, that are keeping\n" -" people alive. Tor is one of them. I mean, Tor saves lives. [...]\n" -" And every time you use Tor [...] provides cover for everyone else\n" -" who uses Tor [...]\"\n" -"* 2013-11-12: In its review \"[Which Linux distro is best for protecting your\n" -" privacy?](http://www.techradar.com/news/software/operating-systems/which-linux-distro-is-best-for-protecting-your-privacy--1192771)\",\n" -" techrada.com prefers Tails over 4 other distributions: \"The main advantages of\n" -" Tails are its readiness for USB installation and the complete nature of its\n" -" desktop and its documentation. The Tails system menu also contains enough\n" -" applications to make you do almost everything you may need without rebooting.\n" -" The documentation, while not interesting as the one for Whonix, is more than\n" -" adequate to help even Linux beginners. Yay for Tails, then!\"\n" -"* 2013-11: The German-speaking ADMIN magazine [reviews\n" -" Tails](http://www.admin-magazin.de/Das-Heft/2013/11/Tails-0.20).\n" -"* 2013-10 : (in French) Framablog, [Le chiffrement, maintenant](http://www.framablog.org/index.php/post/2013/10/19/Le-chiffrement-maintenant-compil), contains a whole chapter about Tails.\n" -"* 2013-10 : SecureDrop, \"Aaron Swartz’s unfinished whistleblowing platform\" promotes Tails in both [user manual](https://github.com/freedomofpress/securedrop/blob/master/docs/user_manual.md) and [security audit](http://homes.cs.washington.edu/~aczeskis/research/pubs/UW-CSE-13-08-02.PDF). via [Korben.info](http://korben.info/securedrop-aaron-swartz.html)\n" -"* 2013-10: The [occasional issue n°8 of\n" -" MISC](http://boutique.ed-diamond.com/misc-hors-series/500-mischs8.html)\n" -" magazine is dedicated to privacy topics. Tails is mentioned\n" -" a few times.\n" -"* 2013-10-15: [CRYPTO-GRAM, October 15, 2013](http://www.schneier.com/crypto-gram-1310.html)\n" -" Bruce Schneier: \"One thing I didn't do, although it's worth considering, is\n" -" use a stateless operating system like Tails. You can configure Tails with a\n" -" persistent volume to save your data, but no operating system changes are ever\n" -" saved. Booting Tails from a read-only DVD -- you can keep your data on an\n" -" encrypted USB stick -- is even more secure. Of course, this is not foolproof,\n" -" but it greatly reduces the potential avenues for attack.\"\n" -"* 2013-10-04: In [Tor: 'The king of high-secure, low-latency anonymity'](http://www.theguardian.com/world/interactive/2013/oct/04/tor-high-secure-internet-anonymity),\n" -" page 7. NSA: \"[Tails adds] severe CNE misery to equation.\"\n" -"* 2013-09-12: In [Inside the Effort to Crowdfund NSA-Proof Email and\n" -" Chat\n" -" Services](http://motherboard.vice.com/blog/inside-the-effort-to-crowdfund-nsa-proof-email-and-chat-services)\n" -" by DJ Pangburn, Riseup birds write (about the TBB) \"Combined with\n" -" the TAILS project, which Riseup supports, there is nothing better.\"\n" -"* 2013-09-05: In [How to remain secure against NSA\n" -" surveillance](http://www.theguardian.com/world/2013/sep/05/nsa-how-to-remain-secure-surveillance),\n" -" Bruce Schneier wrote: \"Since I started working with Snowden's\n" -" documents, I have been using GPG, Silent Circle, Tails, OTR,\n" -" TrueCrypt, BleachBit, and a few other things I'm not going to\n" -" write about.\"\n" -"* 2013-08-13: (in French) [Tails en version 0.20](http://linuxfr.org/news/tails-en-version-0-20) on LinuxFR\n" -"* 2013-08-12: [Anonym und sicher Surfen mit\n" -" Tails](http://www.linux-community.de/Internal/Artikel/Print-Artikel/LinuxUser/2013/09/Anonym-und-sicher-Surfen-mit-Tails),\n" -" in the September edition of the\n" -" [LinuxUser](http://www.linux-user.de/) magazine, that includes Tails\n" -" on the accompanying DVD.\n" -"* 2013-08-11: In their [DeadDrop/StrongBox Security\n" -" Assessment](http://homes.cs.washington.edu/~aczeskis/research/pubs/UW-CSE-13-08-02.PDF),\n" -" a research group (Alexei Czeskis, David Mah, Omar Sandoval, Ian\n" -" Smith, Karl Koscher, Jacob Appelbaum, Tadayoshi Kohno, and Bruce\n" -" Schneier) suggests inserting Tails in the loop of the\n" -" DeadDrop/StrongBox system. They also write: \"We believe that sources\n" -" should be adviced to use the Tails LiveCD. This provides better\n" -" anonymity and is easier to use than the Tor Browser bundle.\"\n" -"* 2013-07-02: [Encryption Works: How to Protect Your Privacy in the Age of NSA Surveillance](https://pressfreedomfoundation.org/encryption-works#tails)\n" -" by Micah Lee on Freedom of the Press Foundation\n" -"* 2013-05-21: [Tails 0.18 can install packages on the\n" -" fly](http://www.h-online.com/open/news/item/Tails-0-18-can-install-packages-on-the-fly-1866479.html)\n" -" on The H Open\n" -"* 2013-01-31: [Comment (ne pas) être\n" -" (cyber)espionné ?](http://bugbrother.blog.lemonde.fr/2013/01/31/comment-ne-pas-etre-espionne/)\n" -" by Jean-Marc Manach in \"BUG BROTHER -- Qui surveillera les surveillants ?\"\n" -"* 2013-01-29: Tails is\n" -" [documented](https://www.wefightcensorship.org/article/tails-amnesic-incognito-live-systemhtml.html)\n" -" in Reporters Without Borders' [Online Survival Kit](https://www.wefightcensorship.org/online-survival-kithtml.html)\n" -"* 2013-01-14: [DistroWatch Weekly, Issue 490](http://distrowatch.com/weekly.php?issue=20130114#released)\n" -" announces Tails 0.16\n" -msgstr "" - -#. type: Title ## -#, no-wrap -msgid "2012" -msgstr "" - -#. type: Bullet: '* ' -msgid "" -"2012-12-05: [Tails Secure Distro](http://www.linuxpromagazine.com/Online/" -"Features/Tails-Secure-Distro) by Bruce Byfield on Linux Magazine Pro" -msgstr "" - -#. type: Bullet: '* ' -msgid "" -"2012-12-03: [DistroWatch Weekly, Issue 485](http://distrowatch.com/weekly." -"php?issue=20121203) announces Tails 0.15" -msgstr "" - -#. type: Bullet: '* ' -msgid "" -"2012-11-05: [Tails and Claws](http://distrowatch.com/weekly.php?" -"issue=20121105#feature), review by Jesse Smith on DistroWatch Weekly, Issue " -"481" -msgstr "" - -#. type: Bullet: '* ' -msgid "" -"2012-08: (in Dutch) [Veilig En Anoniem Op Internet](http://www.oeioei.nl/" -"internet/tails.php)" -msgstr "" - -#. type: Bullet: '* ' -msgid "" -"2012-07: [Linux Format](http://www.linuxformat.com/archives?issue=158) " -"contained a small, general article about Tails, as well as Tails 0.10.1 on " -"the supplied DVD. *This DVD ships Tails in a `Tails` directory, and its boot " -"scripts have been altered to cope with that. The rest of the system has not " -"been altered according to our findings.*" +"Older media appearances\n" +"----------------------\n" msgstr "" #. type: Bullet: '* ' -msgid "" -"2012-07: (in German) [Die totale Privatsphäre](http://www.derbund.ch/digital/" -"internet/Die-totale-Privatsphaere/story/22734697), by Klaus Gürtler in Der " -"Bund, a Swiss-German newspaper" +msgid "[[!toggle id=\"media_appearances_2014\" text=\"2014\"]]" msgstr "" #. type: Bullet: '* ' -msgid "" -"2012-06: [Tails 0.12 blends in better in Internet cafés](http://www.h-online." -"com/open/news/item/Tails-0-12-blends-in-better-in-internet-cafes-1619818." -"html) on The H Open" +msgid "[[!toggle id=\"media_appearances_2013\" text=\"2013\"]]" msgstr "" #. type: Bullet: '* ' -msgid "" -"2012-06: [The Tor Project helps journalists and whistleblowers go online " -"without leaving a trace](http://www.niemanlab.org/2012/06/the-tor-project-" -"helps-journalists-and-whistleblowers-go-online-without-leaving-a-trace/), by " -"Adrienne LaFrance on Nieman Journalism Lab" +msgid "[[!toggle id=\"media_appearances_2012\" text=\"2012\"]]" msgstr "" #. type: Bullet: '* ' -msgid "" -"2012-05-16: (in Italian) [Tails, un sistema operativo a base Tor](http://it." -"paperblog.com/tails-un-sistema-operativo-a-base-tor-1175730/) on paperblog.it" +msgid "[[!toggle id=\"media_appearances_2011\" text=\"2011\"]]" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2012-05-03: Tails 0.11 was announced in [LWN.net Weekly Edition](https://lwn." -"net/Articles/494923/); the press release was [published on LWN](https://lwn." -"net/Articles/495669/) too." +#. type: Plain text +#, no-wrap +msgid "[[!toggleable id=\"media_appearances_2014\" text=\"\"\"\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2012-04-23: (Video) [Protect your Privacy Completely - Web Browsing with " -"TAILS Tor](https://www.youtube.com/watch?v=04mzYuhl8f4)" +#. type: Plain text +#, no-wrap +msgid "<span class=\"hide\">[[!toggle id=\"media_appearances_2014\" text=\"\"]]</span>\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2012-04: [Leave Your Cellphone at Home](http://nplusonemag.com/leave-your-" -"cellphone-at-home), Interview with Jacob Appelbaum, by Sarah Resnick on n+1" +#. type: Title - +#, no-wrap +msgid "2014\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2012-02-02: (in French) [Vie privée : le guide pour rester anonyme sur " -"Internet](http://www.rue89.com/2012/02/02/vie-privee-le-guide-pour-rester-" -"anonyme-sur-internet-228990), par Martin Untersinger journaliste pour Rue89" +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"press/media_appearances_2014\" raw=\"yes\"]]\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2012-01-13: (in French) Korben.info : [Tails – La distribution Linux qui " -"protège votre anonymat et votre vie privée](http://korben.info/tails.html)" +#. type: Plain text +#, no-wrap +msgid "[[!toggleable id=\"media_appearances_2013\" text=\"\"\"\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2012-01-12: (in French) LinuxFR [announces](https://linuxfr.org/news/tails-" -"en-version-010) Tails 0.10." +#. type: Plain text +#, no-wrap +msgid "<span class=\"hide\">[[!toggle id=\"media_appearances_2013\" text=\"\"]]</span>\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2012-01-09 : (in German) Heise online [reported](http://www.heise.de/" -"newsticker/meldung/Tails-Anonym-im-Internet-1405508.html) the release of " -"Tail 0.10." +#. type: Title - +#, no-wrap +msgid "2013\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2012-01-06: [Linux privacy distribution Tails updated to version 0.10]" -"(http://www.h-online.com/open/news/item/Linux-privacy-distribution-Tails-" -"updated-to-version-0-10-1404973.html) on The H Open" +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"press/media_appearances_2013\" raw=\"yes\"]]\n" msgstr "" -#. type: Title ## +#. type: Plain text #, no-wrap -msgid "2011" +msgid "[[!toggleable id=\"media_appearances_2012\" text=\"\"\"\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2011-11-18: [Tails, the incognito live system, gets 0.9 release](http://www." -"h-online.com/open/news/item/Tails-the-incognito-live-system-gets-0-9-" -"release-1381623.html) on The H Open" +#. type: Plain text +#, no-wrap +msgid "<span class=\"hide\">[[!toggle id=\"media_appearances_2012\" text=\"\"]]</span>\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2011-10-28 : (in French) A Tails 0.8 CD was shipped with the [Linux " -"Pratique, issue 68](http://www.linux-pratique.com/index.php/2011/10/28/linux-" -"pratique-n°68-–-novembredecembre-2011-–-chez-votre-marchand-de-journaux) " -"magazine." +#. type: Title - +#, no-wrap +msgid "2012\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2011-08: Linux Journal: [Tails - You Can Never Be Too Paranoid](http://www." -"linuxjournal.com/content/linux-distro-tales-you-can-never-be-too-paranoid)" +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"press/media_appearances_2012\" raw=\"yes\"]]\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2011-04-27: [The Amnesic Incognito Live System: A live CD for anonymity]" -"(https://lwn.net/Articles/440279/) on lwn.net" +#. type: Plain text +#, no-wrap +msgid "[[!toggleable id=\"media_appearances_2011\" text=\"\"\"\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2011-04-20: Release announcement for Tails 0.7 on [lwn.net](https://lwn.net/" -"Articles/439371/)" +#. type: Plain text +#, no-wrap +msgid "<span class=\"hide\">[[!toggle id=\"media_appearances_2011\" text=\"\"]]</span>\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2011-04-18: Incognito is mentionned in the [Distrowatch Weekly News](http://" -"distrowatch.com/weekly.php?issue=20110418#news)" +#. type: Title - +#, no-wrap +msgid "2011\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"2011-04-15: Release announcement on [Distrowatch](http://distrowatch.com/?" -"newsid=06629)" +#. type: Plain text +#, no-wrap +msgid "[[!inline pages=\"press/media_appearances_2011\" raw=\"yes\"]]\n" msgstr "" #. type: Title = @@ -753,6 +318,13 @@ msgstr "" msgid "Films and videos\n" msgstr "" +#. type: Bullet: '* ' +msgid "" +"[Tails 1.3 : The Amnesic Incognito Live System](https://www.youtube.com/" +"watch?v=_xna6wnn-Uw&feature=youtu.be), by Linux Scoop, an introductory video " +"to Tails 1.3." +msgstr "" + #. type: Bullet: '* ' msgid "" "Tails is being used in [Citizenfour](https://citizenfourfilm.com/) by Laura " @@ -767,7 +339,24 @@ msgstr "" #. type: Title = #, no-wrap -msgid "Books\n" +msgid "Books, booklets, and guide\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"* 2015-03: [A DIY Guide to Feminist\n" +"Cybersecurity](https://tech.safehubcollective.org/cybersecurity/) by\n" +"safehubcollective.org qualifies Tails as \"ultimate anonymity and\n" +"amnesia\".\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"* 2014-12: [Band I: Tails - The amnesic incognito live\n" +"system](https://capulcu.nadir.org/) by capulcu is a booklet explaining\n" +"Tails for activists (in German).\n" msgstr "" #. type: Plain text diff --git a/wiki/src/press/media_appearances_2011.de.po b/wiki/src/press/media_appearances_2011.de.po new file mode 100644 index 0000000000000000000000000000000000000000..d47880e2edb806cb7f5318015807ff91316b009b --- /dev/null +++ b/wiki/src/press/media_appearances_2011.de.po @@ -0,0 +1,67 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-13 15:42+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Media appearances in 2011\"]]\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2011-11-18: [Tails, the incognito live system, gets 0.9 release](http://www." +"h-online.com/open/news/item/Tails-the-incognito-live-system-gets-0-9-" +"release-1381623.html) on The H Open" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2011-10-28 : (in French) A Tails 0.8 CD was shipped with the [Linux " +"Pratique, issue 68](http://www.linux-pratique.com/index.php/2011/10/28/linux-" +"pratique-n°68-–-novembredecembre-2011-–-chez-votre-marchand-de-journaux) " +"magazine." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2011-08: Linux Journal: [Tails - You Can Never Be Too Paranoid](http://www." +"linuxjournal.com/content/linux-distro-tales-you-can-never-be-too-paranoid)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2011-04-27: [The Amnesic Incognito Live System: A live CD for anonymity]" +"(https://lwn.net/Articles/440279/) on lwn.net" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2011-04-20: Release announcement for Tails 0.7 on [lwn.net](https://lwn.net/" +"Articles/439371/)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2011-04-18: Incognito is mentionned in the [Distrowatch Weekly News](http://" +"distrowatch.com/weekly.php?issue=20110418#news)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2011-04-15: Release announcement on [Distrowatch](http://distrowatch.com/?" +"newsid=06629)" +msgstr "" diff --git a/wiki/src/press/media_appearances_2011.fr.po b/wiki/src/press/media_appearances_2011.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..d47880e2edb806cb7f5318015807ff91316b009b --- /dev/null +++ b/wiki/src/press/media_appearances_2011.fr.po @@ -0,0 +1,67 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-13 15:42+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Media appearances in 2011\"]]\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2011-11-18: [Tails, the incognito live system, gets 0.9 release](http://www." +"h-online.com/open/news/item/Tails-the-incognito-live-system-gets-0-9-" +"release-1381623.html) on The H Open" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2011-10-28 : (in French) A Tails 0.8 CD was shipped with the [Linux " +"Pratique, issue 68](http://www.linux-pratique.com/index.php/2011/10/28/linux-" +"pratique-n°68-–-novembredecembre-2011-–-chez-votre-marchand-de-journaux) " +"magazine." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2011-08: Linux Journal: [Tails - You Can Never Be Too Paranoid](http://www." +"linuxjournal.com/content/linux-distro-tales-you-can-never-be-too-paranoid)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2011-04-27: [The Amnesic Incognito Live System: A live CD for anonymity]" +"(https://lwn.net/Articles/440279/) on lwn.net" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2011-04-20: Release announcement for Tails 0.7 on [lwn.net](https://lwn.net/" +"Articles/439371/)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2011-04-18: Incognito is mentionned in the [Distrowatch Weekly News](http://" +"distrowatch.com/weekly.php?issue=20110418#news)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2011-04-15: Release announcement on [Distrowatch](http://distrowatch.com/?" +"newsid=06629)" +msgstr "" diff --git a/wiki/src/press/media_appearances_2011.mdwn b/wiki/src/press/media_appearances_2011.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..9a7f2c8752845dc16f81ae13c9a50bd258128de7 --- /dev/null +++ b/wiki/src/press/media_appearances_2011.mdwn @@ -0,0 +1,17 @@ +[[!meta title="Media appearances in 2011"]] + +* 2011-11-18: [Tails, the incognito live system, gets 0.9 + release](http://www.h-online.com/open/news/item/Tails-the-incognito-live-system-gets-0-9-release-1381623.html) + on The H Open + +* 2011-10-28 : (in French) A Tails 0.8 CD was shipped with the [Linux Pratique, issue 68](http://www.linux-pratique.com/index.php/2011/10/28/linux-pratique-n°68-–-novembredecembre-2011-–-chez-votre-marchand-de-journaux) magazine. + +* 2011-08: Linux Journal: [Tails - You Can Never Be Too Paranoid](http://www.linuxjournal.com/content/linux-distro-tales-you-can-never-be-too-paranoid) + +* 2011-04-27: [The Amnesic Incognito Live System: A live CD for anonymity](https://lwn.net/Articles/440279/) on lwn.net + +* 2011-04-20: Release announcement for Tails 0.7 on [lwn.net](https://lwn.net/Articles/439371/) + +* 2011-04-18: Incognito is mentionned in the [Distrowatch Weekly News](http://distrowatch.com/weekly.php?issue=20110418#news) + +* 2011-04-15: Release announcement on [Distrowatch](http://distrowatch.com/?newsid=06629) \ No newline at end of file diff --git a/wiki/src/press/media_appearances_2011.pt.po b/wiki/src/press/media_appearances_2011.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..d47880e2edb806cb7f5318015807ff91316b009b --- /dev/null +++ b/wiki/src/press/media_appearances_2011.pt.po @@ -0,0 +1,67 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-13 15:42+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Media appearances in 2011\"]]\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2011-11-18: [Tails, the incognito live system, gets 0.9 release](http://www." +"h-online.com/open/news/item/Tails-the-incognito-live-system-gets-0-9-" +"release-1381623.html) on The H Open" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2011-10-28 : (in French) A Tails 0.8 CD was shipped with the [Linux " +"Pratique, issue 68](http://www.linux-pratique.com/index.php/2011/10/28/linux-" +"pratique-n°68-–-novembredecembre-2011-–-chez-votre-marchand-de-journaux) " +"magazine." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2011-08: Linux Journal: [Tails - You Can Never Be Too Paranoid](http://www." +"linuxjournal.com/content/linux-distro-tales-you-can-never-be-too-paranoid)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2011-04-27: [The Amnesic Incognito Live System: A live CD for anonymity]" +"(https://lwn.net/Articles/440279/) on lwn.net" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2011-04-20: Release announcement for Tails 0.7 on [lwn.net](https://lwn.net/" +"Articles/439371/)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2011-04-18: Incognito is mentionned in the [Distrowatch Weekly News](http://" +"distrowatch.com/weekly.php?issue=20110418#news)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2011-04-15: Release announcement on [Distrowatch](http://distrowatch.com/?" +"newsid=06629)" +msgstr "" diff --git a/wiki/src/press/media_appearances_2012.de.po b/wiki/src/press/media_appearances_2012.de.po new file mode 100644 index 0000000000000000000000000000000000000000..ef1fb11af5c9e43f16c70ec199c4a83f85e7d857 --- /dev/null +++ b/wiki/src/press/media_appearances_2012.de.po @@ -0,0 +1,136 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-13 15:42+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Media appearances in 2012\"]]\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-12-05: [Tails Secure Distro](http://www.linuxpromagazine.com/Online/" +"Features/Tails-Secure-Distro) by Bruce Byfield on Linux Magazine Pro" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-12-03: [DistroWatch Weekly, Issue 485](http://distrowatch.com/weekly." +"php?issue=20121203) announces Tails 0.15" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-11-05: [Tails and Claws](http://distrowatch.com/weekly.php?" +"issue=20121105#feature), review by Jesse Smith on DistroWatch Weekly, Issue " +"481" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-08: (in Dutch) [Veilig En Anoniem Op Internet](http://www.oeioei.nl/" +"internet/tails.php)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-07: [Linux Format](http://www.linuxformat.com/archives?issue=158) " +"contained a small, general article about Tails, as well as Tails 0.10.1 on " +"the supplied DVD. *This DVD ships Tails in a `Tails` directory, and its boot " +"scripts have been altered to cope with that. The rest of the system has not " +"been altered according to our findings.*" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-07: (in German) [Die totale Privatsphäre](http://www.derbund.ch/digital/" +"internet/Die-totale-Privatsphaere/story/22734697), by Klaus Gürtler in Der " +"Bund, a Swiss-German newspaper" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-06: [Tails 0.12 blends in better in Internet cafés](http://www.h-online." +"com/open/news/item/Tails-0-12-blends-in-better-in-internet-cafes-1619818." +"html) on The H Open" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-06: [The Tor Project helps journalists and whistleblowers go online " +"without leaving a trace](http://www.niemanlab.org/2012/06/the-tor-project-" +"helps-journalists-and-whistleblowers-go-online-without-leaving-a-trace/), by " +"Adrienne LaFrance on Nieman Journalism Lab" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-05-16: (in Italian) [Tails, un sistema operativo a base Tor](http://it." +"paperblog.com/tails-un-sistema-operativo-a-base-tor-1175730/) on paperblog.it" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-05-03: Tails 0.11 was announced in [LWN.net Weekly Edition](https://lwn." +"net/Articles/494923/); the press release was [published on LWN](https://lwn." +"net/Articles/495669/) too." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-04-23: (Video) [Protect your Privacy Completely - Web Browsing with " +"TAILS Tor](https://www.youtube.com/watch?v=04mzYuhl8f4)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-04: [Leave Your Cellphone at Home](http://nplusonemag.com/leave-your-" +"cellphone-at-home), Interview with Jacob Appelbaum, by Sarah Resnick on n+1" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-02-02: (in French) [Vie privée : le guide pour rester anonyme sur " +"Internet](http://www.rue89.com/2012/02/02/vie-privee-le-guide-pour-rester-" +"anonyme-sur-internet-228990), par Martin Untersinger journaliste pour Rue89" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-01-13: (in French) Korben.info : [Tails – La distribution Linux qui " +"protège votre anonymat et votre vie privée](http://korben.info/tails.html)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-01-12: (in French) LinuxFR [announces](https://linuxfr.org/news/tails-" +"en-version-010) Tails 0.10." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-01-09 : (in German) Heise online [reported](http://www.heise.de/" +"newsticker/meldung/Tails-Anonym-im-Internet-1405508.html) the release of " +"Tail 0.10." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-01-06: [Linux privacy distribution Tails updated to version 0.10]" +"(http://www.h-online.com/open/news/item/Linux-privacy-distribution-Tails-" +"updated-to-version-0-10-1404973.html) on The H Open" +msgstr "" diff --git a/wiki/src/press/media_appearances_2012.fr.po b/wiki/src/press/media_appearances_2012.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..ef1fb11af5c9e43f16c70ec199c4a83f85e7d857 --- /dev/null +++ b/wiki/src/press/media_appearances_2012.fr.po @@ -0,0 +1,136 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-13 15:42+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Media appearances in 2012\"]]\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-12-05: [Tails Secure Distro](http://www.linuxpromagazine.com/Online/" +"Features/Tails-Secure-Distro) by Bruce Byfield on Linux Magazine Pro" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-12-03: [DistroWatch Weekly, Issue 485](http://distrowatch.com/weekly." +"php?issue=20121203) announces Tails 0.15" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-11-05: [Tails and Claws](http://distrowatch.com/weekly.php?" +"issue=20121105#feature), review by Jesse Smith on DistroWatch Weekly, Issue " +"481" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-08: (in Dutch) [Veilig En Anoniem Op Internet](http://www.oeioei.nl/" +"internet/tails.php)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-07: [Linux Format](http://www.linuxformat.com/archives?issue=158) " +"contained a small, general article about Tails, as well as Tails 0.10.1 on " +"the supplied DVD. *This DVD ships Tails in a `Tails` directory, and its boot " +"scripts have been altered to cope with that. The rest of the system has not " +"been altered according to our findings.*" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-07: (in German) [Die totale Privatsphäre](http://www.derbund.ch/digital/" +"internet/Die-totale-Privatsphaere/story/22734697), by Klaus Gürtler in Der " +"Bund, a Swiss-German newspaper" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-06: [Tails 0.12 blends in better in Internet cafés](http://www.h-online." +"com/open/news/item/Tails-0-12-blends-in-better-in-internet-cafes-1619818." +"html) on The H Open" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-06: [The Tor Project helps journalists and whistleblowers go online " +"without leaving a trace](http://www.niemanlab.org/2012/06/the-tor-project-" +"helps-journalists-and-whistleblowers-go-online-without-leaving-a-trace/), by " +"Adrienne LaFrance on Nieman Journalism Lab" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-05-16: (in Italian) [Tails, un sistema operativo a base Tor](http://it." +"paperblog.com/tails-un-sistema-operativo-a-base-tor-1175730/) on paperblog.it" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-05-03: Tails 0.11 was announced in [LWN.net Weekly Edition](https://lwn." +"net/Articles/494923/); the press release was [published on LWN](https://lwn." +"net/Articles/495669/) too." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-04-23: (Video) [Protect your Privacy Completely - Web Browsing with " +"TAILS Tor](https://www.youtube.com/watch?v=04mzYuhl8f4)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-04: [Leave Your Cellphone at Home](http://nplusonemag.com/leave-your-" +"cellphone-at-home), Interview with Jacob Appelbaum, by Sarah Resnick on n+1" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-02-02: (in French) [Vie privée : le guide pour rester anonyme sur " +"Internet](http://www.rue89.com/2012/02/02/vie-privee-le-guide-pour-rester-" +"anonyme-sur-internet-228990), par Martin Untersinger journaliste pour Rue89" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-01-13: (in French) Korben.info : [Tails – La distribution Linux qui " +"protège votre anonymat et votre vie privée](http://korben.info/tails.html)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-01-12: (in French) LinuxFR [announces](https://linuxfr.org/news/tails-" +"en-version-010) Tails 0.10." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-01-09 : (in German) Heise online [reported](http://www.heise.de/" +"newsticker/meldung/Tails-Anonym-im-Internet-1405508.html) the release of " +"Tail 0.10." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-01-06: [Linux privacy distribution Tails updated to version 0.10]" +"(http://www.h-online.com/open/news/item/Linux-privacy-distribution-Tails-" +"updated-to-version-0-10-1404973.html) on The H Open" +msgstr "" diff --git a/wiki/src/press/media_appearances_2012.mdwn b/wiki/src/press/media_appearances_2012.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..e7ef51448c63c65f8df1dd10133771477865dcb0 --- /dev/null +++ b/wiki/src/press/media_appearances_2012.mdwn @@ -0,0 +1,51 @@ +[[!meta title="Media appearances in 2012"]] + +* 2012-12-05: [Tails Secure Distro](http://www.linuxpromagazine.com/Online/Features/Tails-Secure-Distro) + by Bruce Byfield on Linux Magazine Pro + +* 2012-12-03: [DistroWatch Weekly, Issue 485](http://distrowatch.com/weekly.php?issue=20121203) + announces Tails 0.15 + +* 2012-11-05: [Tails and Claws](http://distrowatch.com/weekly.php?issue=20121105#feature), review by Jesse Smith on DistroWatch Weekly, Issue 481 + +* 2012-08: (in Dutch) [Veilig En Anoniem Op Internet](http://www.oeioei.nl/internet/tails.php) + +* 2012-07: [Linux Format](http://www.linuxformat.com/archives?issue=158) + contained a small, general article about Tails, as well as Tails + 0.10.1 on the supplied DVD. *This DVD ships Tails in a `Tails` directory, + and its boot scripts have been altered to cope with that. The rest of + the system has not been altered according to our findings.* + +* 2012-07: (in German) [Die totale Privatsphäre](http://www.derbund.ch/digital/internet/Die-totale-Privatsphaere/story/22734697), + by Klaus Gürtler in Der Bund, a Swiss-German newspaper + +* 2012-06: [Tails 0.12 blends in better in Internet cafés](http://www.h-online.com/open/news/item/Tails-0-12-blends-in-better-in-internet-cafes-1619818.html) on The H Open + +* 2012-06: [The Tor Project helps journalists and whistleblowers go online + without leaving + a trace](http://www.niemanlab.org/2012/06/the-tor-project-helps-journalists-and-whistleblowers-go-online-without-leaving-a-trace/), + by Adrienne LaFrance on Nieman Journalism Lab + +* 2012-05-16: (in Italian) [Tails, un sistema operativo a base Tor](http://it.paperblog.com/tails-un-sistema-operativo-a-base-tor-1175730/) on paperblog.it + +* 2012-05-03: Tails 0.11 was announced in [LWN.net Weekly Edition](https://lwn.net/Articles/494923/); the press release was + [published on LWN](https://lwn.net/Articles/495669/) too. + +* 2012-04-23: (Video) [Protect your Privacy Completely - Web Browsing with TAILS Tor](https://www.youtube.com/watch?v=04mzYuhl8f4) + +* 2012-04: [Leave Your Cellphone at Home](http://nplusonemag.com/leave-your-cellphone-at-home), + Interview with Jacob Appelbaum, by Sarah Resnick on n+1 + +* 2012-02-02: (in French) [Vie privée : le guide pour rester anonyme sur Internet](http://www.rue89.com/2012/02/02/vie-privee-le-guide-pour-rester-anonyme-sur-internet-228990), par Martin Untersinger journaliste pour Rue89 + +* 2012-01-13: (in French) Korben.info : [Tails – La distribution Linux qui protège votre anonymat et votre vie privée](http://korben.info/tails.html) + +* 2012-01-12: (in French) LinuxFR + [announces](https://linuxfr.org/news/tails-en-version-010) Tails 0.10. + +* 2012-01-09 : (in German) Heise online [reported](http://www.heise.de/newsticker/meldung/Tails-Anonym-im-Internet-1405508.html) + the release of Tail 0.10. + +* 2012-01-06: [Linux privacy distribution Tails updated to version + 0.10](http://www.h-online.com/open/news/item/Linux-privacy-distribution-Tails-updated-to-version-0-10-1404973.html) + on The H Open diff --git a/wiki/src/press/media_appearances_2012.pt.po b/wiki/src/press/media_appearances_2012.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..ef1fb11af5c9e43f16c70ec199c4a83f85e7d857 --- /dev/null +++ b/wiki/src/press/media_appearances_2012.pt.po @@ -0,0 +1,136 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-13 15:42+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Media appearances in 2012\"]]\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-12-05: [Tails Secure Distro](http://www.linuxpromagazine.com/Online/" +"Features/Tails-Secure-Distro) by Bruce Byfield on Linux Magazine Pro" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-12-03: [DistroWatch Weekly, Issue 485](http://distrowatch.com/weekly." +"php?issue=20121203) announces Tails 0.15" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-11-05: [Tails and Claws](http://distrowatch.com/weekly.php?" +"issue=20121105#feature), review by Jesse Smith on DistroWatch Weekly, Issue " +"481" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-08: (in Dutch) [Veilig En Anoniem Op Internet](http://www.oeioei.nl/" +"internet/tails.php)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-07: [Linux Format](http://www.linuxformat.com/archives?issue=158) " +"contained a small, general article about Tails, as well as Tails 0.10.1 on " +"the supplied DVD. *This DVD ships Tails in a `Tails` directory, and its boot " +"scripts have been altered to cope with that. The rest of the system has not " +"been altered according to our findings.*" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-07: (in German) [Die totale Privatsphäre](http://www.derbund.ch/digital/" +"internet/Die-totale-Privatsphaere/story/22734697), by Klaus Gürtler in Der " +"Bund, a Swiss-German newspaper" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-06: [Tails 0.12 blends in better in Internet cafés](http://www.h-online." +"com/open/news/item/Tails-0-12-blends-in-better-in-internet-cafes-1619818." +"html) on The H Open" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-06: [The Tor Project helps journalists and whistleblowers go online " +"without leaving a trace](http://www.niemanlab.org/2012/06/the-tor-project-" +"helps-journalists-and-whistleblowers-go-online-without-leaving-a-trace/), by " +"Adrienne LaFrance on Nieman Journalism Lab" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-05-16: (in Italian) [Tails, un sistema operativo a base Tor](http://it." +"paperblog.com/tails-un-sistema-operativo-a-base-tor-1175730/) on paperblog.it" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-05-03: Tails 0.11 was announced in [LWN.net Weekly Edition](https://lwn." +"net/Articles/494923/); the press release was [published on LWN](https://lwn." +"net/Articles/495669/) too." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-04-23: (Video) [Protect your Privacy Completely - Web Browsing with " +"TAILS Tor](https://www.youtube.com/watch?v=04mzYuhl8f4)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-04: [Leave Your Cellphone at Home](http://nplusonemag.com/leave-your-" +"cellphone-at-home), Interview with Jacob Appelbaum, by Sarah Resnick on n+1" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-02-02: (in French) [Vie privée : le guide pour rester anonyme sur " +"Internet](http://www.rue89.com/2012/02/02/vie-privee-le-guide-pour-rester-" +"anonyme-sur-internet-228990), par Martin Untersinger journaliste pour Rue89" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-01-13: (in French) Korben.info : [Tails – La distribution Linux qui " +"protège votre anonymat et votre vie privée](http://korben.info/tails.html)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-01-12: (in French) LinuxFR [announces](https://linuxfr.org/news/tails-" +"en-version-010) Tails 0.10." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-01-09 : (in German) Heise online [reported](http://www.heise.de/" +"newsticker/meldung/Tails-Anonym-im-Internet-1405508.html) the release of " +"Tail 0.10." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2012-01-06: [Linux privacy distribution Tails updated to version 0.10]" +"(http://www.h-online.com/open/news/item/Linux-privacy-distribution-Tails-" +"updated-to-version-0-10-1404973.html) on The H Open" +msgstr "" diff --git a/wiki/src/press/media_appearances_2013.de.po b/wiki/src/press/media_appearances_2013.de.po new file mode 100644 index 0000000000000000000000000000000000000000..cce3bc001f87968bcdd1dfa1b460bb72d770872f --- /dev/null +++ b/wiki/src/press/media_appearances_2013.de.po @@ -0,0 +1,198 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-13 15:42+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Media appearances in 2013\"]]\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-12: Bruce Schneier [answered](http://www.reddit.com/r/IAmA/" +"comments/1r8ibh/iama_security_technologist_and_author_bruce/cdknf7a) to " +"someone asking him what Linux distribution is its favorite: \"I don't use " +"Linux. (Shhh. Don't tell anyone.) Although I have started using Tails\"." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"* 2013-12-12: In [A conversation with Bruce\n" +" Schneier](http://boingboing.net/2013/12/15/bruce-schneier-and-eben-moglen-2.html),\n" +" as part of the \"Snowden, the NSA and free software\" cycle at\n" +" Columbia Law School NYC, Bruce Schneier says:\n" +" - \"I think most of the public domain privacy tools are going to be\n" +" safe, yes. I think GPG is going to be safe. I think OTR is going\n" +" to be safe. I think that Tails is going to be safe. I do think\n" +" that these systems, because they were not -- you know, the NSA has\n" +" a big lever when a tool is written closed-source by a for-profit\n" +" corporation. There are levers they have that they don't have in\n" +" the open source international, altruistic community. And these are\n" +" generally written by crypto-paranoids, they're pretty well\n" +" designed. We make mistakes, but we find them and we correct them,\n" +" and we're getting good at that. I think that if the NSA is going\n" +" after these tools, they're going after implementations.\"\n" +" - \"What do I trust? I trust, I trust Tails, I trust GPG [...]\"\n" +" - \"We can make it harder, we can make it more expensive, we can make\n" +" it more risky. And yes, every time we do something to increase one\n" +" of those, we're making ourselves safer. [...] There are tools we\n" +" are deploying in countries all over the world, that are keeping\n" +" people alive. Tor is one of them. I mean, Tor saves lives. [...]\n" +" And every time you use Tor [...] provides cover for everyone else\n" +" who uses Tor [...]\"\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-11-12: In its review \"[Which Linux distro is best for protecting your " +"privacy?](http://www.techradar.com/news/software/operating-systems/which-" +"linux-distro-is-best-for-protecting-your-privacy--1192771)\", techrada.com " +"prefers Tails over 4 other distributions: \"The main advantages of Tails are " +"its readiness for USB installation and the complete nature of its desktop " +"and its documentation. The Tails system menu also contains enough " +"applications to make you do almost everything you may need without " +"rebooting. The documentation, while not interesting as the one for Whonix, " +"is more than adequate to help even Linux beginners. Yay for Tails, then!\"" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-11: The German-speaking ADMIN magazine [reviews Tails](http://www.admin-" +"magazin.de/Das-Heft/2013/11/Tails-0.20)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-10 : (in French) Framablog, [Le chiffrement, maintenant](http://www." +"framablog.org/index.php/post/2013/10/19/Le-chiffrement-maintenant-compil), " +"contains a whole chapter about Tails." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-10 : SecureDrop, \"Aaron Swartz’s unfinished whistleblowing platform\" " +"promotes Tails in both [user manual](https://github.com/freedomofpress/" +"securedrop/blob/master/docs/user_manual.md) and [security audit](http://" +"homes.cs.washington.edu/~aczeskis/research/pubs/UW-CSE-13-08-02.PDF). via " +"[Korben.info](http://korben.info/securedrop-aaron-swartz.html)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-10: The [occasional issue n°8 of MISC](http://boutique.ed-diamond.com/" +"misc-hors-series/500-mischs8.html) magazine is dedicated to privacy topics. " +"Tails is mentioned a few times." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-10-15: [CRYPTO-GRAM, October 15, 2013](http://www.schneier.com/crypto-" +"gram-1310.html) Bruce Schneier: \"One thing I didn't do, although it's " +"worth considering, is use a stateless operating system like Tails. You can " +"configure Tails with a persistent volume to save your data, but no operating " +"system changes are ever saved. Booting Tails from a read-only DVD -- you can " +"keep your data on an encrypted USB stick -- is even more secure. Of course, " +"this is not foolproof, but it greatly reduces the potential avenues for " +"attack.\"" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-10-04: In [Tor: 'The king of high-secure, low-latency anonymity']" +"(http://www.theguardian.com/world/interactive/2013/oct/04/tor-high-secure-" +"internet-anonymity), page 7. NSA: \"[Tails adds] severe CNE misery to " +"equation.\"" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-09-12: In [Inside the Effort to Crowdfund NSA-Proof Email and Chat " +"Services](http://motherboard.vice.com/blog/inside-the-effort-to-crowdfund-" +"nsa-proof-email-and-chat-services) by DJ Pangburn, Riseup birds write " +"(about the TBB) \"Combined with the TAILS project, which Riseup supports, " +"there is nothing better.\"" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-09-05: In [How to remain secure against NSA surveillance](http://www." +"theguardian.com/world/2013/sep/05/nsa-how-to-remain-secure-surveillance), " +"Bruce Schneier wrote: \"Since I started working with Snowden's documents, I " +"have been using GPG, Silent Circle, Tails, OTR, TrueCrypt, BleachBit, and a " +"few other things I'm not going to write about.\"" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-08-13: (in French) [Tails en version 0.20](http://linuxfr.org/news/" +"tails-en-version-0-20) on LinuxFR" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-08-12: [Anonym und sicher Surfen mit Tails](http://www.linux-community." +"de/Internal/Artikel/Print-Artikel/LinuxUser/2013/09/Anonym-und-sicher-Surfen-" +"mit-Tails), in the September edition of the [LinuxUser](http://www.linux-" +"user.de/) magazine, that includes Tails on the accompanying DVD." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-08-11: In their [DeadDrop/StrongBox Security Assessment](http://homes." +"cs.washington.edu/~aczeskis/research/pubs/UW-CSE-13-08-02.PDF), a research " +"group (Alexei Czeskis, David Mah, Omar Sandoval, Ian Smith, Karl Koscher, " +"Jacob Appelbaum, Tadayoshi Kohno, and Bruce Schneier) suggests inserting " +"Tails in the loop of the DeadDrop/StrongBox system. They also write: \"We " +"believe that sources should be adviced to use the Tails LiveCD. This " +"provides better anonymity and is easier to use than the Tor Browser bundle.\"" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-07-02: [Encryption Works: How to Protect Your Privacy in the Age of NSA " +"Surveillance](https://pressfreedomfoundation.org/encryption-works#tails) by " +"Micah Lee on Freedom of the Press Foundation" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-05-21: [Tails 0.18 can install packages on the fly](http://www.h-online." +"com/open/news/item/Tails-0-18-can-install-packages-on-the-fly-1866479.html) " +"on The H Open" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-01-31: [Comment (ne pas) être (cyber)espionné ?](http://bugbrother.blog." +"lemonde.fr/2013/01/31/comment-ne-pas-etre-espionne/) by Jean-Marc Manach in " +"\"BUG BROTHER -- Qui surveillera les surveillants ?\"" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-01-29: Tails is [documented](https://www.wefightcensorship.org/article/" +"tails-amnesic-incognito-live-systemhtml.html) in Reporters Without " +"Borders' [Online Survival Kit](https://www.wefightcensorship.org/online-" +"survival-kithtml.html)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-01-14: [DistroWatch Weekly, Issue 490](http://distrowatch.com/weekly." +"php?issue=20130114#released) announces Tails 0.16" +msgstr "" diff --git a/wiki/src/press/media_appearances_2013.fr.po b/wiki/src/press/media_appearances_2013.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..cce3bc001f87968bcdd1dfa1b460bb72d770872f --- /dev/null +++ b/wiki/src/press/media_appearances_2013.fr.po @@ -0,0 +1,198 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-13 15:42+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Media appearances in 2013\"]]\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-12: Bruce Schneier [answered](http://www.reddit.com/r/IAmA/" +"comments/1r8ibh/iama_security_technologist_and_author_bruce/cdknf7a) to " +"someone asking him what Linux distribution is its favorite: \"I don't use " +"Linux. (Shhh. Don't tell anyone.) Although I have started using Tails\"." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"* 2013-12-12: In [A conversation with Bruce\n" +" Schneier](http://boingboing.net/2013/12/15/bruce-schneier-and-eben-moglen-2.html),\n" +" as part of the \"Snowden, the NSA and free software\" cycle at\n" +" Columbia Law School NYC, Bruce Schneier says:\n" +" - \"I think most of the public domain privacy tools are going to be\n" +" safe, yes. I think GPG is going to be safe. I think OTR is going\n" +" to be safe. I think that Tails is going to be safe. I do think\n" +" that these systems, because they were not -- you know, the NSA has\n" +" a big lever when a tool is written closed-source by a for-profit\n" +" corporation. There are levers they have that they don't have in\n" +" the open source international, altruistic community. And these are\n" +" generally written by crypto-paranoids, they're pretty well\n" +" designed. We make mistakes, but we find them and we correct them,\n" +" and we're getting good at that. I think that if the NSA is going\n" +" after these tools, they're going after implementations.\"\n" +" - \"What do I trust? I trust, I trust Tails, I trust GPG [...]\"\n" +" - \"We can make it harder, we can make it more expensive, we can make\n" +" it more risky. And yes, every time we do something to increase one\n" +" of those, we're making ourselves safer. [...] There are tools we\n" +" are deploying in countries all over the world, that are keeping\n" +" people alive. Tor is one of them. I mean, Tor saves lives. [...]\n" +" And every time you use Tor [...] provides cover for everyone else\n" +" who uses Tor [...]\"\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-11-12: In its review \"[Which Linux distro is best for protecting your " +"privacy?](http://www.techradar.com/news/software/operating-systems/which-" +"linux-distro-is-best-for-protecting-your-privacy--1192771)\", techrada.com " +"prefers Tails over 4 other distributions: \"The main advantages of Tails are " +"its readiness for USB installation and the complete nature of its desktop " +"and its documentation. The Tails system menu also contains enough " +"applications to make you do almost everything you may need without " +"rebooting. The documentation, while not interesting as the one for Whonix, " +"is more than adequate to help even Linux beginners. Yay for Tails, then!\"" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-11: The German-speaking ADMIN magazine [reviews Tails](http://www.admin-" +"magazin.de/Das-Heft/2013/11/Tails-0.20)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-10 : (in French) Framablog, [Le chiffrement, maintenant](http://www." +"framablog.org/index.php/post/2013/10/19/Le-chiffrement-maintenant-compil), " +"contains a whole chapter about Tails." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-10 : SecureDrop, \"Aaron Swartz’s unfinished whistleblowing platform\" " +"promotes Tails in both [user manual](https://github.com/freedomofpress/" +"securedrop/blob/master/docs/user_manual.md) and [security audit](http://" +"homes.cs.washington.edu/~aczeskis/research/pubs/UW-CSE-13-08-02.PDF). via " +"[Korben.info](http://korben.info/securedrop-aaron-swartz.html)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-10: The [occasional issue n°8 of MISC](http://boutique.ed-diamond.com/" +"misc-hors-series/500-mischs8.html) magazine is dedicated to privacy topics. " +"Tails is mentioned a few times." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-10-15: [CRYPTO-GRAM, October 15, 2013](http://www.schneier.com/crypto-" +"gram-1310.html) Bruce Schneier: \"One thing I didn't do, although it's " +"worth considering, is use a stateless operating system like Tails. You can " +"configure Tails with a persistent volume to save your data, but no operating " +"system changes are ever saved. Booting Tails from a read-only DVD -- you can " +"keep your data on an encrypted USB stick -- is even more secure. Of course, " +"this is not foolproof, but it greatly reduces the potential avenues for " +"attack.\"" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-10-04: In [Tor: 'The king of high-secure, low-latency anonymity']" +"(http://www.theguardian.com/world/interactive/2013/oct/04/tor-high-secure-" +"internet-anonymity), page 7. NSA: \"[Tails adds] severe CNE misery to " +"equation.\"" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-09-12: In [Inside the Effort to Crowdfund NSA-Proof Email and Chat " +"Services](http://motherboard.vice.com/blog/inside-the-effort-to-crowdfund-" +"nsa-proof-email-and-chat-services) by DJ Pangburn, Riseup birds write " +"(about the TBB) \"Combined with the TAILS project, which Riseup supports, " +"there is nothing better.\"" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-09-05: In [How to remain secure against NSA surveillance](http://www." +"theguardian.com/world/2013/sep/05/nsa-how-to-remain-secure-surveillance), " +"Bruce Schneier wrote: \"Since I started working with Snowden's documents, I " +"have been using GPG, Silent Circle, Tails, OTR, TrueCrypt, BleachBit, and a " +"few other things I'm not going to write about.\"" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-08-13: (in French) [Tails en version 0.20](http://linuxfr.org/news/" +"tails-en-version-0-20) on LinuxFR" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-08-12: [Anonym und sicher Surfen mit Tails](http://www.linux-community." +"de/Internal/Artikel/Print-Artikel/LinuxUser/2013/09/Anonym-und-sicher-Surfen-" +"mit-Tails), in the September edition of the [LinuxUser](http://www.linux-" +"user.de/) magazine, that includes Tails on the accompanying DVD." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-08-11: In their [DeadDrop/StrongBox Security Assessment](http://homes." +"cs.washington.edu/~aczeskis/research/pubs/UW-CSE-13-08-02.PDF), a research " +"group (Alexei Czeskis, David Mah, Omar Sandoval, Ian Smith, Karl Koscher, " +"Jacob Appelbaum, Tadayoshi Kohno, and Bruce Schneier) suggests inserting " +"Tails in the loop of the DeadDrop/StrongBox system. They also write: \"We " +"believe that sources should be adviced to use the Tails LiveCD. This " +"provides better anonymity and is easier to use than the Tor Browser bundle.\"" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-07-02: [Encryption Works: How to Protect Your Privacy in the Age of NSA " +"Surveillance](https://pressfreedomfoundation.org/encryption-works#tails) by " +"Micah Lee on Freedom of the Press Foundation" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-05-21: [Tails 0.18 can install packages on the fly](http://www.h-online." +"com/open/news/item/Tails-0-18-can-install-packages-on-the-fly-1866479.html) " +"on The H Open" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-01-31: [Comment (ne pas) être (cyber)espionné ?](http://bugbrother.blog." +"lemonde.fr/2013/01/31/comment-ne-pas-etre-espionne/) by Jean-Marc Manach in " +"\"BUG BROTHER -- Qui surveillera les surveillants ?\"" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-01-29: Tails is [documented](https://www.wefightcensorship.org/article/" +"tails-amnesic-incognito-live-systemhtml.html) in Reporters Without " +"Borders' [Online Survival Kit](https://www.wefightcensorship.org/online-" +"survival-kithtml.html)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-01-14: [DistroWatch Weekly, Issue 490](http://distrowatch.com/weekly." +"php?issue=20130114#released) announces Tails 0.16" +msgstr "" diff --git a/wiki/src/press/media_appearances_2013.mdwn b/wiki/src/press/media_appearances_2013.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..58ddfef2a53c5336e912e6924ee0f7ea2891e166 --- /dev/null +++ b/wiki/src/press/media_appearances_2013.mdwn @@ -0,0 +1,110 @@ +[[!meta title="Media appearances in 2013"]] + +* 2013-12: Bruce Schneier + [answered](http://www.reddit.com/r/IAmA/comments/1r8ibh/iama_security_technologist_and_author_bruce/cdknf7a) + to someone asking him what Linux distribution is its favorite: "I don't + use Linux. (Shhh. Don't tell anyone.) Although I have started using Tails". + +* 2013-12-12: In [A conversation with Bruce + Schneier](http://boingboing.net/2013/12/15/bruce-schneier-and-eben-moglen-2.html), + as part of the "Snowden, the NSA and free software" cycle at + Columbia Law School NYC, Bruce Schneier says: + - "I think most of the public domain privacy tools are going to be + safe, yes. I think GPG is going to be safe. I think OTR is going + to be safe. I think that Tails is going to be safe. I do think + that these systems, because they were not -- you know, the NSA has + a big lever when a tool is written closed-source by a for-profit + corporation. There are levers they have that they don't have in + the open source international, altruistic community. And these are + generally written by crypto-paranoids, they're pretty well + designed. We make mistakes, but we find them and we correct them, + and we're getting good at that. I think that if the NSA is going + after these tools, they're going after implementations." + - "What do I trust? I trust, I trust Tails, I trust GPG [...]" + - "We can make it harder, we can make it more expensive, we can make + it more risky. And yes, every time we do something to increase one + of those, we're making ourselves safer. [...] There are tools we + are deploying in countries all over the world, that are keeping + people alive. Tor is one of them. I mean, Tor saves lives. [...] + And every time you use Tor [...] provides cover for everyone else + who uses Tor [...]" + +* 2013-11-12: In its review "[Which Linux distro is best for protecting your + privacy?](http://www.techradar.com/news/software/operating-systems/which-linux-distro-is-best-for-protecting-your-privacy--1192771)", + techrada.com prefers Tails over 4 other distributions: "The main advantages of + Tails are its readiness for USB installation and the complete nature of its + desktop and its documentation. The Tails system menu also contains enough + applications to make you do almost everything you may need without rebooting. + The documentation, while not interesting as the one for Whonix, is more than + adequate to help even Linux beginners. Yay for Tails, then!" + +* 2013-11: The German-speaking ADMIN magazine [reviews + Tails](http://www.admin-magazin.de/Das-Heft/2013/11/Tails-0.20). + +* 2013-10 : (in French) Framablog, [Le chiffrement, maintenant](http://www.framablog.org/index.php/post/2013/10/19/Le-chiffrement-maintenant-compil), contains a whole chapter about Tails. + +* 2013-10 : SecureDrop, "Aaron Swartz’s unfinished whistleblowing platform" promotes Tails in both [user manual](https://github.com/freedomofpress/securedrop/blob/master/docs/user_manual.md) and [security audit](http://homes.cs.washington.edu/~aczeskis/research/pubs/UW-CSE-13-08-02.PDF). via [Korben.info](http://korben.info/securedrop-aaron-swartz.html) + +* 2013-10: The [occasional issue n°8 of + MISC](http://boutique.ed-diamond.com/misc-hors-series/500-mischs8.html) + magazine is dedicated to privacy topics. Tails is mentioned + a few times. + +* 2013-10-15: [CRYPTO-GRAM, October 15, 2013](http://www.schneier.com/crypto-gram-1310.html) + Bruce Schneier: "One thing I didn't do, although it's worth considering, is + use a stateless operating system like Tails. You can configure Tails with a + persistent volume to save your data, but no operating system changes are ever + saved. Booting Tails from a read-only DVD -- you can keep your data on an + encrypted USB stick -- is even more secure. Of course, this is not foolproof, + but it greatly reduces the potential avenues for attack." + +* 2013-10-04: In [Tor: 'The king of high-secure, low-latency anonymity'](http://www.theguardian.com/world/interactive/2013/oct/04/tor-high-secure-internet-anonymity), + page 7. NSA: "[Tails adds] severe CNE misery to equation." + +* 2013-09-12: In [Inside the Effort to Crowdfund NSA-Proof Email and + Chat + Services](http://motherboard.vice.com/blog/inside-the-effort-to-crowdfund-nsa-proof-email-and-chat-services) + by DJ Pangburn, Riseup birds write (about the TBB) "Combined with + the TAILS project, which Riseup supports, there is nothing better." + +* 2013-09-05: In [How to remain secure against NSA + surveillance](http://www.theguardian.com/world/2013/sep/05/nsa-how-to-remain-secure-surveillance), + Bruce Schneier wrote: "Since I started working with Snowden's + documents, I have been using GPG, Silent Circle, Tails, OTR, + TrueCrypt, BleachBit, and a few other things I'm not going to + write about." + +* 2013-08-13: (in French) [Tails en version 0.20](http://linuxfr.org/news/tails-en-version-0-20) on LinuxFR + +* 2013-08-12: [Anonym und sicher Surfen mit + Tails](http://www.linux-community.de/Internal/Artikel/Print-Artikel/LinuxUser/2013/09/Anonym-und-sicher-Surfen-mit-Tails), + in the September edition of the + [LinuxUser](http://www.linux-user.de/) magazine, that includes Tails + on the accompanying DVD. + +* 2013-08-11: In their [DeadDrop/StrongBox Security + Assessment](http://homes.cs.washington.edu/~aczeskis/research/pubs/UW-CSE-13-08-02.PDF), + a research group (Alexei Czeskis, David Mah, Omar Sandoval, Ian + Smith, Karl Koscher, Jacob Appelbaum, Tadayoshi Kohno, and Bruce + Schneier) suggests inserting Tails in the loop of the + DeadDrop/StrongBox system. They also write: "We believe that sources + should be adviced to use the Tails LiveCD. This provides better + anonymity and is easier to use than the Tor Browser bundle." + +* 2013-07-02: [Encryption Works: How to Protect Your Privacy in the Age of NSA Surveillance](https://pressfreedomfoundation.org/encryption-works#tails) + by Micah Lee on Freedom of the Press Foundation + +* 2013-05-21: [Tails 0.18 can install packages on the + fly](http://www.h-online.com/open/news/item/Tails-0-18-can-install-packages-on-the-fly-1866479.html) + on The H Open + +* 2013-01-31: [Comment (ne pas) être + (cyber)espionné ?](http://bugbrother.blog.lemonde.fr/2013/01/31/comment-ne-pas-etre-espionne/) + by Jean-Marc Manach in "BUG BROTHER -- Qui surveillera les surveillants ?" + +* 2013-01-29: Tails is + [documented](https://www.wefightcensorship.org/article/tails-amnesic-incognito-live-systemhtml.html) + in Reporters Without Borders' [Online Survival Kit](https://www.wefightcensorship.org/online-survival-kithtml.html) + +* 2013-01-14: [DistroWatch Weekly, Issue 490](http://distrowatch.com/weekly.php?issue=20130114#released) + announces Tails 0.16 diff --git a/wiki/src/press/media_appearances_2013.pt.po b/wiki/src/press/media_appearances_2013.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..cce3bc001f87968bcdd1dfa1b460bb72d770872f --- /dev/null +++ b/wiki/src/press/media_appearances_2013.pt.po @@ -0,0 +1,198 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-13 15:42+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Media appearances in 2013\"]]\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-12: Bruce Schneier [answered](http://www.reddit.com/r/IAmA/" +"comments/1r8ibh/iama_security_technologist_and_author_bruce/cdknf7a) to " +"someone asking him what Linux distribution is its favorite: \"I don't use " +"Linux. (Shhh. Don't tell anyone.) Although I have started using Tails\"." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"* 2013-12-12: In [A conversation with Bruce\n" +" Schneier](http://boingboing.net/2013/12/15/bruce-schneier-and-eben-moglen-2.html),\n" +" as part of the \"Snowden, the NSA and free software\" cycle at\n" +" Columbia Law School NYC, Bruce Schneier says:\n" +" - \"I think most of the public domain privacy tools are going to be\n" +" safe, yes. I think GPG is going to be safe. I think OTR is going\n" +" to be safe. I think that Tails is going to be safe. I do think\n" +" that these systems, because they were not -- you know, the NSA has\n" +" a big lever when a tool is written closed-source by a for-profit\n" +" corporation. There are levers they have that they don't have in\n" +" the open source international, altruistic community. And these are\n" +" generally written by crypto-paranoids, they're pretty well\n" +" designed. We make mistakes, but we find them and we correct them,\n" +" and we're getting good at that. I think that if the NSA is going\n" +" after these tools, they're going after implementations.\"\n" +" - \"What do I trust? I trust, I trust Tails, I trust GPG [...]\"\n" +" - \"We can make it harder, we can make it more expensive, we can make\n" +" it more risky. And yes, every time we do something to increase one\n" +" of those, we're making ourselves safer. [...] There are tools we\n" +" are deploying in countries all over the world, that are keeping\n" +" people alive. Tor is one of them. I mean, Tor saves lives. [...]\n" +" And every time you use Tor [...] provides cover for everyone else\n" +" who uses Tor [...]\"\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-11-12: In its review \"[Which Linux distro is best for protecting your " +"privacy?](http://www.techradar.com/news/software/operating-systems/which-" +"linux-distro-is-best-for-protecting-your-privacy--1192771)\", techrada.com " +"prefers Tails over 4 other distributions: \"The main advantages of Tails are " +"its readiness for USB installation and the complete nature of its desktop " +"and its documentation. The Tails system menu also contains enough " +"applications to make you do almost everything you may need without " +"rebooting. The documentation, while not interesting as the one for Whonix, " +"is more than adequate to help even Linux beginners. Yay for Tails, then!\"" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-11: The German-speaking ADMIN magazine [reviews Tails](http://www.admin-" +"magazin.de/Das-Heft/2013/11/Tails-0.20)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-10 : (in French) Framablog, [Le chiffrement, maintenant](http://www." +"framablog.org/index.php/post/2013/10/19/Le-chiffrement-maintenant-compil), " +"contains a whole chapter about Tails." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-10 : SecureDrop, \"Aaron Swartz’s unfinished whistleblowing platform\" " +"promotes Tails in both [user manual](https://github.com/freedomofpress/" +"securedrop/blob/master/docs/user_manual.md) and [security audit](http://" +"homes.cs.washington.edu/~aczeskis/research/pubs/UW-CSE-13-08-02.PDF). via " +"[Korben.info](http://korben.info/securedrop-aaron-swartz.html)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-10: The [occasional issue n°8 of MISC](http://boutique.ed-diamond.com/" +"misc-hors-series/500-mischs8.html) magazine is dedicated to privacy topics. " +"Tails is mentioned a few times." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-10-15: [CRYPTO-GRAM, October 15, 2013](http://www.schneier.com/crypto-" +"gram-1310.html) Bruce Schneier: \"One thing I didn't do, although it's " +"worth considering, is use a stateless operating system like Tails. You can " +"configure Tails with a persistent volume to save your data, but no operating " +"system changes are ever saved. Booting Tails from a read-only DVD -- you can " +"keep your data on an encrypted USB stick -- is even more secure. Of course, " +"this is not foolproof, but it greatly reduces the potential avenues for " +"attack.\"" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-10-04: In [Tor: 'The king of high-secure, low-latency anonymity']" +"(http://www.theguardian.com/world/interactive/2013/oct/04/tor-high-secure-" +"internet-anonymity), page 7. NSA: \"[Tails adds] severe CNE misery to " +"equation.\"" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-09-12: In [Inside the Effort to Crowdfund NSA-Proof Email and Chat " +"Services](http://motherboard.vice.com/blog/inside-the-effort-to-crowdfund-" +"nsa-proof-email-and-chat-services) by DJ Pangburn, Riseup birds write " +"(about the TBB) \"Combined with the TAILS project, which Riseup supports, " +"there is nothing better.\"" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-09-05: In [How to remain secure against NSA surveillance](http://www." +"theguardian.com/world/2013/sep/05/nsa-how-to-remain-secure-surveillance), " +"Bruce Schneier wrote: \"Since I started working with Snowden's documents, I " +"have been using GPG, Silent Circle, Tails, OTR, TrueCrypt, BleachBit, and a " +"few other things I'm not going to write about.\"" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-08-13: (in French) [Tails en version 0.20](http://linuxfr.org/news/" +"tails-en-version-0-20) on LinuxFR" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-08-12: [Anonym und sicher Surfen mit Tails](http://www.linux-community." +"de/Internal/Artikel/Print-Artikel/LinuxUser/2013/09/Anonym-und-sicher-Surfen-" +"mit-Tails), in the September edition of the [LinuxUser](http://www.linux-" +"user.de/) magazine, that includes Tails on the accompanying DVD." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-08-11: In their [DeadDrop/StrongBox Security Assessment](http://homes." +"cs.washington.edu/~aczeskis/research/pubs/UW-CSE-13-08-02.PDF), a research " +"group (Alexei Czeskis, David Mah, Omar Sandoval, Ian Smith, Karl Koscher, " +"Jacob Appelbaum, Tadayoshi Kohno, and Bruce Schneier) suggests inserting " +"Tails in the loop of the DeadDrop/StrongBox system. They also write: \"We " +"believe that sources should be adviced to use the Tails LiveCD. This " +"provides better anonymity and is easier to use than the Tor Browser bundle.\"" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-07-02: [Encryption Works: How to Protect Your Privacy in the Age of NSA " +"Surveillance](https://pressfreedomfoundation.org/encryption-works#tails) by " +"Micah Lee on Freedom of the Press Foundation" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-05-21: [Tails 0.18 can install packages on the fly](http://www.h-online." +"com/open/news/item/Tails-0-18-can-install-packages-on-the-fly-1866479.html) " +"on The H Open" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-01-31: [Comment (ne pas) être (cyber)espionné ?](http://bugbrother.blog." +"lemonde.fr/2013/01/31/comment-ne-pas-etre-espionne/) by Jean-Marc Manach in " +"\"BUG BROTHER -- Qui surveillera les surveillants ?\"" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-01-29: Tails is [documented](https://www.wefightcensorship.org/article/" +"tails-amnesic-incognito-live-systemhtml.html) in Reporters Without " +"Borders' [Online Survival Kit](https://www.wefightcensorship.org/online-" +"survival-kithtml.html)" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2013-01-14: [DistroWatch Weekly, Issue 490](http://distrowatch.com/weekly." +"php?issue=20130114#released) announces Tails 0.16" +msgstr "" diff --git a/wiki/src/press/media_appearances_2014.de.po b/wiki/src/press/media_appearances_2014.de.po new file mode 100644 index 0000000000000000000000000000000000000000..25ed059cbaa4007fceea286598fd9340756d3829 --- /dev/null +++ b/wiki/src/press/media_appearances_2014.de.po @@ -0,0 +1,485 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-13 15:42+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Media appearances in 2014\"]]\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-12-28: Martin Untersinger considers Tails as a bulletproof tool against " +"NSA spying in \"[Les énormes progrès de la NSA pour défaire la sécurité sur " +"Internet](http://www.lemonde.fr/pixels/article/2014/12/28/les-enormes-" +"progres-de-la-nsa-pour-defaire-la-securite-sur-internet_4546843_4408996." +"html)\" (in French)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-12-24: Andy Greenberg from Wired calls for donations to Tails in \"[8 " +"Free Privacy Programs Worth Your Year-End Donations](http://www.wired." +"com/2014/12/privacy-donations/)\": \"Tails has received little mainstream " +"support and may be the security software most in need of users’ donations\"." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-11-20: Amaelle Guiton writes about Tails in \"[Tails, l'outil détesté " +"par la NSA, qui veut démocratiser l'anonymat en ligne](http://www.lemonde.fr/" +"pixels/article/2014/11/20/tails-l-outil-deteste-par-la-nsa-qui-veut-" +"democratiser-l-anonymat-en-ligne_4514650_4408996.html)\" (in French), and " +"gives a detailed transcript of an interview she made with some of us in " +"\"[Tails raconté par ceux qui le construisent](https://www.techn0polis." +"net/2014/11/19/tails-raconte-par-ceux-qui-le-construisent/)\" (in French as " +"well)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-11-13: Thorin Klosowski from lifehacker.com [compares Linux Security " +"Distros: Tails vs. Kali vs. Qubes](http://lifehacker.com/linux-security-" +"distros-compared-tails-vs-kali-vs-qub-1658139404)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-11-05: Tails 1.2 is featured on LinuxFr in \"[Tails 1.2, une " +"distribution pour votre anonymat](http://linuxfr.org/news/tails-1-2-une-" +"distribution-pour-votre-anonymat)\" (in French)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-10-29: In \"[The 7 Privacy Tools Essential to Making Snowden " +"Documentary CITIZENFOUR](https://www.eff.org/deeplinks/2014/10/7-privacy-" +"tools-essential-making-citizenfour), the Electronic Fountier Foundation says " +"that \"one of the most robust ways of using the Tor network is through a " +"dedicated operating system that enforces strong privacy\" like Tails." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-10-28: In \"[Ed Snowden Taught Me To Smuggle Secrets Past Incredible " +"Danger. Now I Teach You.](https://firstlook.org/theintercept/2014/10/28/" +"smuggling-snowden-secrets/)\", Micah Lee, from The Intercept, gives many " +"details on how Tails helped Snowden, Poitras, and Gleenwald start working " +"together." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-10-16: According to [an article in Wired](http://www.wired.com/2014/10/" +"laura-poitras-crypto-tools-made-snowden-film-possible/), in the closing " +"credits of Citizenfour, Poitras took the unusual step of adding an " +"acknowledgment of the free software projects that made the film possible: " +"The roll call includes the anonymity software Tor, the Tor-based operating " +"system Tails, GPG encryption, Off-The-Record (OTR) encrypted instant " +"messaging, hard disk encryption software Truecrypt, and Linux." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-07-26: [Tails 1.1 is announced](http://linuxfr.org/news/tails-1-1-est-" +"disponible), in French, in an article by pamputt on LinuxFr" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"* 2014-07: I2P bug and zero-days buzz:\n" +" - 2014-07-21: Exodus Intelligence [tweets about multiple RCE/de-anonymization\n" +" zero-days](https://twitter.com/ExodusIntel/status/491247299054428160) on the\n" +" day before Tails 1.1 is released.\n" +" - Several news websites relay that information before the details of the\n" +" vulnerability are disclosed:\n" +" - [Exploit Dealer: Snowden's Favorite OS Tails Has Zero-Day Vulnerabilities\n" +" Lurking\n" +" Inside](http://www.forbes.com/sites/thomasbrewster/2014/07/21/exploit-dealer-snowdens-favourite-os-tails-has-zero-day-vulnerabilities-lurking-inside/)\n" +" by Thomas Brewster on Forbes.\n" +" - [Don't look, Snowden: Security biz chases Tails with zero-day flaws\n" +" alert](http://www.theregister.co.uk/2014/07/21/security_researchers_chase_tails_with_zeroday_flaw_disclosure/)\n" +" by Iain Thomson on The Register.\n" +" - [The world's most secure OS may have a serious\n" +" problem](http://www.theverge.com/2014/7/22/5927917/the-worlds-most-secure-os-may-have-a-serious-problem)\n" +" by Russell Brandom on The Verge\n" +" - 2014-07-23: We made our users [[aware of that\n" +" process|news/On_0days_exploits_and_disclosure]].\n" +" - 2014-07-23: Exodus Intelligence publishes [Silver Bullets and Fairy\n" +" Tails](http://blog.exodusintel.com/2014/07/23/silverbullets_and_fairytails/)\n" +" to explain the vulnerability.\n" +" - 2014-07-25: We publish a [[security\n" +" advisory|security/Security_hole_in_I2P_0.9.13]] explaining the scope of the\n" +" problem, and temporary solutions.\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-07-08: In the [July 8th Keiser Report on RT](http://rt.com/shows/keiser-" +"report/170908-episode-max-keiser-624/). The Tails related part of the " +"Keiser Report starts at 15'40\"." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-07-03: Tails above the Rest: [Installation](http://www.linuxjournal.com/" +"content/tails-above-rest-installation), [Part II](http://www.linuxjournal." +"com/content/tails-above-rest-part-ii), [Part III](http://www.linuxjournal." +"com/content/tails-above-rest-part-iii) by Kyle Rankin in the Linux Journal." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"* 2014-07-03: Some articles on Tails users being targeted by NSA XKeyscore:\n" +" - In [NSA targets the privacy-conscious](http://daserste.ndr.de/panorama/aktuell/nsa230_page-1.html)\n" +" by J. Appelbaum, A. Gibson, J. Goetz, V. Kabisch, L. Kampf, L. Ryge.\n" +" - In [Von der NSA als Extremist gebrandmarkt](http://www.tagesschau.de/inland/nsa-xkeyscore-100.html)\n" +" by Lena Kampf, Jacob Appelbaum and John Goetz (in German).\n" +" - In [If you read Boing Boing, the NSA considers you a target for deep surveillance](http://boingboing.net/2014/07/03/if-you-read-boing-boing-the-n.html)\n" +" by Cory Doctorow.\n" +" - In [TOR, logiciel-clé de protection de la vie privée, dans le viseur de la NSA](http://www.lemonde.fr/pixels/article/2014/07/03/un-logiciel-cle-de-protection-de-la-vie-privee-dans-le-viseur-de-la-nsa_4450718_4408996.html)\n" +" by Martin Untersinger on LeMonde.fr (in French).\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-06-25: [Dai segreti di Snowden ai social: il raduno italiano degli " +"hacker](http://corrieredibologna.corriere.it/bologna/notizie/cronaca/2014/25-" +"giugno-2014/dai-segreti-snowden-social-raduno-italiano-hacker-223459532934." +"shtml) by Andrea Rinaldi, in Corriere di Bologna (in Italian)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-06-30: [Tails, il sistema operativo incognito che frega l'NSA](http://" +"www.wired.it/gadget/computer/2014/04/15/tails-sistema-operativo-incognito/) " +"by Carola Frediani, in Wired.it (in Italian)." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"* 2014: late April and early May, many press articles covered the\n" +" Tails 1.0 release, including:\n" +" - In [TAILS: Snowden's favorite anonymous, secure OS goes\n" +" 1.0](http://boingboing.net/2014/04/30/tails-snowdens-favorite-ano.html), Cory\n" +" Doctorow writes \"Effectively, this is the ParanoidLinux I fictionalized in my\n" +" novel Little Brother.\"\n" +" - [Tails reaches\n" +" 1.0](https://lwn.net/SubscriberLink/596765/380d4e75b17ea491/) by Nathan\n" +" Willis in Linux Weekly News.\n" +" - [Anonymous OS reportedly used by Snowden reaches version\n" +" 1.0](http://www.cnet.com/news/anonymous-os-reportedly-favored-by-nsa-whistle-blower-edward-snowden-reaches-version-1-0/)\n" +" by Steven Musil in CNET.\n" +" - [Anonymisierungs-OS Tails wird\n" +" erwachsen](http://www.heise.de/security/meldung/Anonymisierungs-OS-Tails-wird-erwachsen-2180167.html)\n" +" in heise Security (in German).\n" +" - [Secure OS Tails Emerges From\n" +" Beta](http://www.pcmag.com/article2/0,2817,2457452,00.asp) by\n" +" David Murphy in PCMAG.\n" +" - [Edward Snowden's OS of choice, the Linux-based Tails,\n" +" is now out of\n" +" beta](http://www.engadget.com/2014/05/01/tails-linux-os-version1-0/)\n" +" by Steve Dent in Engadget.\n" +" - [Tails 1.0: Sicherheit und\n" +" Anonymität](http://www.pro-linux.de/news/1/21038/tails-10-sicherheit-und-anonymitaet.html)\n" +" by Ferdinand Thommes in PRO-LINUX.DE (in German).\n" +" - [Tails, l'OS dédié à la confidentialité, passe en\n" +" version\n" +" 1.0](http://www.numerama.com/magazine/29251-tails-l-os-dedie-a-la-confidentialite-passe-en-version-10.html)\n" +" by Julien L. in Numerama (in French).\n" +" - [Anonymous Linux Distribution TAILS Reaches Release Version\n" +" 1.0](http://www.techweekeurope.co.uk/news/tails-anonymous-linux-distribution-reaches-release-version-1-0-144823?ModPagespeed=noscript)\n" +" by Max Smolaks in TechWeek Europe.\n" +" - [Snowden's Beloved Tails OS Reaches v1.0\n" +" Milestone](http://www.linuxinsider.com/story/Snowdens-Beloved-Tails-OS-Reaches-v10-Milestone-80386.html)\n" +" by Richard Adhikari in LinuxInsider.\n" +" - [Tails 1.0 – La distrib sécurisée sort enfin en version stable](http://korben.info/tails-1-0.html)\n" +" by Korben (in French).\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-30: [Tails, le système qui voulait vous rendre vraiment anonyme]" +"(http://www.clubic.com/antivirus-securite-informatique/virus-hacker-piratage/" +"anonyme-internet/actualite-699478-tails-systeme-voulait-surfer-facon-anonyme." +"html) by Alexandre Laurent, in Clubic (in French)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-29: [This is the most secure computer you’ll ever own](http://www." +"theverge.com/2014/4/29/5664884/this-is-the-most-secure-computer-you-ll-ever-" +"own) by Russell Brandom, in The Verge." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-29: [How to be secure on the Internet, really secure](http://www." +"examiner.com/article/how-to-be-secure-on-the-internet-really-secure) by " +"Victoria Wagner Ross, in Examiner.com." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-29: [Tuck in Your Tails and Hide from Big Brother](http://techgage." +"com/news/tuck-in-your-tails-and-hide-from-big-brother/) by Stetson Smith, " +"in Techgage." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-28: [Cómo instalar y usar Tails, la distribución Linux para navegar " +"de manera anónima](http://www.eldiario.es/turing/vigilancia_y_privacidad/" +"Guia-practica-Tails-distribucion-Linux_0_253374668.html) by Juan Jesús " +"Velasco in El Diario." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-23: Amaelle Guiton mentions Tails in the article [Chiffrer le Net " +"pour retrouver notre vie privée en ligne: une bonne solution qui pose des " +"problèmes](http://www.slate.fr/monde/86275/cyberespace-cypherspace-crypter-" +"chiffrement-internet) in Slate (in French)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-22: golem.de publishes [Anonymisierung -- Mit Tails in den " +"Datenuntergrund](http://www.golem.de/news/anonymisierung-mit-tails-in-den-" +"datenuntergrund-1404-105944.html) (in German), by Jörg Thoma." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-17: Bruce Schneier writes \"Nice article on the Tails stateless " +"operating system. I use it.\" [in a blog post](https://www.schneier.com/blog/" +"archives/2014/04/tails.html)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-16: [Leave no trace: Tips to cover your digital footprint and " +"reclaim your privacy](http://www.pcworld.com/article/2143846/leave-no-trace-" +"tips-to-cover-your-digital-footprint-and-reclaim-your-privacy.html) by Alex " +"Castle in PCWorld." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-16: [Tails, il sistema operativo di Edward Snowden](http://www." +"webnews.it/2014/04/16/tails-il-sistema-operativo-di-edward-snowden/?" +"ref=post) by Luca Colantuoni in Webnews.it." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-16: In [Pourquoi Edward Snowden a utilisé Tails Linux pour organiser " +"sa fuite](http://www.01net.com/editorial/618336/pourquoi-edward-snowden-a-" +"utilise-tails-linux-pour-organiser-sa-fuite/) (in French) published on the " +"01net net-zine, Gilbert Kallenborn reports about use of Tails by Edward " +"Snowden, Laura Poitras et al." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-15: [Tails, il sistema operativo incognito che frega l’NSA](http://" +"www.wired.it/gadget/computer/2014/04/15/tails-sistema-operativo-incognito/) " +"by Carola Frediani, in Wired.it." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-15: The recent Wired article [is relayed](http://yro-beta.slashdot." +"org/story/14/04/15/1940240/snowden-used-the-linux-distro-designed-for-" +"internet-anonymity) on Slashdot homepage." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-15: [\"Tails\": Wie Snowden seine Kommunikation vor der NSA " +"versteckt](http://derstandard.at/1397520636954/Tails-Wie-Snowden-seine-" +"Kommunikation-vor-der-NSA-versteckt), in derStandart.at" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-14: In the [press conference](http://www.democracynow.org/" +"blog/2014/4/11/video_glenn_greenwald_laura_poitras_q) she held after " +"winning a Polk Award for her reporting on Edward Snowden and the NSA, Laura " +"Poitras said \"We just published a blog about a tool that's called Tails, " +"which is a operating system that runs on either USB stick or SD disc, that " +"is a sort of all-in-one encryption tool that you can use for PGP and " +"encryption. And it's just really secure. [...] So, it's a really important " +"tool for journalists.\"" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-14: [Out in the Open: Inside the Operating System Edward Snowden " +"Used to Evade the NSA](http://www.wired.com/2014/04/tails/) by Klint " +"Finley, in Wired." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"* 2014-04-02: In [Help Support the Little-Known Privacy Tool That Has\n" +" Been Critical to Journalists Reporting on the\n" +" NSA](https://pressfreedomfoundation.org/blog/2014/04/help-support-little-known-privacy-tool-has-been-critical-journalists-reporting-nsa)\n" +" by Trevor Timm:\n" +" - Laura Poitras says: \"I've been reluctant to go into details about\n" +" the different steps I took to communicate securely with Snowden to\n" +" avoid those methods being targeted. Now that Tails gives a green\n" +" light, I can say it has been an essential tool for reporting the\n" +" NSA story. It is an all-in-one secure digital communication system\n" +" (GPG email, OTR chat, Tor web browser, encrypted storage) that is\n" +" small enough to swallow. I'm very thankful to the Tails developers\n" +" for building this tool.\"\n" +" - Glenn Greenwald says: \"Tails have been vital to my ability to work\n" +" securely on the NSA story. The more I've come to learn about\n" +" communications security, the more central Tails has become to\n" +" my approach.\"\n" +" - Barton Gellman says: \"Privacy and encryption work, but it's too\n" +" easy to make a mistake that exposes you. Tails puts the essential\n" +" tools in one place, with a design that makes it hard to screw them\n" +" up. I could not have talked to Edward Snowden without this kind of\n" +" protection. I wish I'd had it years ago.\"\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-03-17: In [Index Freedom of Expression Awards: Digital activism nominee " +"Tails](http://www.indexoncensorship.org/2014/03/index-freedom-expression-" +"awards-digital-activism-nominee-tails/), Alice Kirkland interviews the Tails " +"project about our nomination for the *Censorship’s Freedom of Expression " +"Awards*." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-03-13: In his [Les 7 clés pour protéger ses communications](http://www." +"tdg.ch/high-tech/web/Les-7-cles-pour-proteger-ses-communications/" +"story/25588689) article (in French) published by the *Tribune de Genève*, " +"Simon Koch recommends using Tails." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-03-12: In his [Happy 25th Birthday World Wide Web - Let's Not Destroy " +"It](http://www.huffingtonpost.co.uk/mike-harris/world-wide-web_b_4947687." +"html?utm_hp_ref=uk) article published by the Huffington Post, Mike Harris " +"writes that \"Increasing numbers of activists are using high-tech tools such " +"as Tor or Tails to encrpyt their internet browsing and email\"." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-03-12: In his [US and UK Spy Agencies Are \"Enemies of the Internet\"]" +"(http://motherboard.vice.com/read/us-and-uk-spy-agencies-are-enemies-of-the-" +"internet) article, published in the Motherboard section of the Vice " +"network, Joseph Cox covers Reporters Without Borders' [latest report]" +"(https://en.rsf.org/enemies-of-the-internet-2014-11-03-2014,45985.html), and " +"writes \"If you're a journalist working on anything more sensitive than " +"London Fashion Week or League 2 football, you might want to consider using " +"the Linux-based 'Tails' operating system too.\"" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-03-08: [Reporters Without Borders](http://en.rsf.org/)'s Grégoire " +"Pouget blogs about Tails: [FIC 2014 : Comment être réellement anonyme sur " +"Internet](http://blog.barbayellow.com/2014/03/08/fic-2014-comment-etre-" +"reellement-anonyme-sur-internet/) (in French)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-03-04: Tails [wins](https://twitter.com/accessnow/" +"status/441043400708857856) the [2014 Access Innovation Prize](https://www." +"accessnow.org/prize), that was focused this year on Endpoint Security." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-03-03: In the March edition of the Linux Journal, that [celebrates 20 " +"years of this journal](http://www.linuxjournal.com/content/march-2014-issue-" +"linux-journal-20-years-linux-journal), Kyle demonstrates Tails." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-02-27: The Daily Dot announced the experiments on porting Tails to " +"mobile devices in \"[Tor takes anonymity mobile with new smartphone OS]" +"(http://www.dailydot.com/technology/tor-anonymous-os-tails-freitas/)\" and " +"\"[Beta testing for Tor's anonymous mobile OS begins this spring](http://www." +"dailydot.com/technology/tor-anonymous-mobile-os-tails/)\". Note that this " +"is not an official project of Tails, see the homepage of the [Tomy " +"Detachable Secure Mobile System](https://dev.guardianproject.info/projects/" +"libro/wiki/Tomy_Detachable_Secure_Mobile_System) project for more info." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-02-27: In his article \"[Why It’s Vital For Users to Fund Open-Source " +"Encryption Tools](https://pressfreedomfoundation.org/blog/2014/02/why-its-" +"vital-public-fund-open-source-encryption-tools)\" Trevor Timm from Freedom " +"of the Press Foundation explains that Tails « has been vital for most, if " +"not all, of the NSA journalists. [...] Its prime use case is journalists " +"trying to communicate or work in environments in which they may normally be " +"at risk or compromised. The NSA stories have been the biggest story in " +"journalism in the past decade, yet the tool the reporters rely on is " +"incredibly underfunded, is maintained by only a handful of developers, and " +"operates on a shoestring budget. »" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-02-07: In his review of [uVirtus](http://uvirtus.org), Kheops, from " +"Telecomix concludes that « Users should prefer Tails and other mature secure " +"live distributions (such as IprediaOS, Liberté Linux, Privatix and Whonix) " +"over uVirtus since they provide a real safety improvement to the user. For " +"any activity that does not entail transferring large quantities of data " +"(such as video files), there is no strong reason to prefer uVirtus over any " +"of these. »" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-01-14: On Linux.com, Carla Schroder [picks Tails](https://www.linux.com/" +"news/software/applications/752221-the-top-7-best-linux-distros-for-2014/) " +"as the best Linux distribution for 2014 in the \"Best Fighting the Man Distro" +"\" category." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-01-07: [A RAT in the Registry: The Case for Martus on TAILS](http://" +"benetech.org/2014/01/07/a-rat-in-the-registry-the-case-for-martus-on-" +"tails/) explains how Benetech have selected TAILS (The Amnesic Incognito " +"Live System) to be the default environment for their use of Martus while " +"defending Tibetan human rights defenders against targeted malware attacks." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-01: \"Tails: The Amnesiac Incognito Live System – Privacy for Anyone " +"Anywhere\", by Russ McRee, in this month's issue of the [Information Systems " +"Security Association Journal](http://www.issa.org/?page=ISSAJournal)." +msgstr "" diff --git a/wiki/src/press/media_appearances_2014.fr.po b/wiki/src/press/media_appearances_2014.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..25ed059cbaa4007fceea286598fd9340756d3829 --- /dev/null +++ b/wiki/src/press/media_appearances_2014.fr.po @@ -0,0 +1,485 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-13 15:42+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Media appearances in 2014\"]]\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-12-28: Martin Untersinger considers Tails as a bulletproof tool against " +"NSA spying in \"[Les énormes progrès de la NSA pour défaire la sécurité sur " +"Internet](http://www.lemonde.fr/pixels/article/2014/12/28/les-enormes-" +"progres-de-la-nsa-pour-defaire-la-securite-sur-internet_4546843_4408996." +"html)\" (in French)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-12-24: Andy Greenberg from Wired calls for donations to Tails in \"[8 " +"Free Privacy Programs Worth Your Year-End Donations](http://www.wired." +"com/2014/12/privacy-donations/)\": \"Tails has received little mainstream " +"support and may be the security software most in need of users’ donations\"." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-11-20: Amaelle Guiton writes about Tails in \"[Tails, l'outil détesté " +"par la NSA, qui veut démocratiser l'anonymat en ligne](http://www.lemonde.fr/" +"pixels/article/2014/11/20/tails-l-outil-deteste-par-la-nsa-qui-veut-" +"democratiser-l-anonymat-en-ligne_4514650_4408996.html)\" (in French), and " +"gives a detailed transcript of an interview she made with some of us in " +"\"[Tails raconté par ceux qui le construisent](https://www.techn0polis." +"net/2014/11/19/tails-raconte-par-ceux-qui-le-construisent/)\" (in French as " +"well)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-11-13: Thorin Klosowski from lifehacker.com [compares Linux Security " +"Distros: Tails vs. Kali vs. Qubes](http://lifehacker.com/linux-security-" +"distros-compared-tails-vs-kali-vs-qub-1658139404)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-11-05: Tails 1.2 is featured on LinuxFr in \"[Tails 1.2, une " +"distribution pour votre anonymat](http://linuxfr.org/news/tails-1-2-une-" +"distribution-pour-votre-anonymat)\" (in French)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-10-29: In \"[The 7 Privacy Tools Essential to Making Snowden " +"Documentary CITIZENFOUR](https://www.eff.org/deeplinks/2014/10/7-privacy-" +"tools-essential-making-citizenfour), the Electronic Fountier Foundation says " +"that \"one of the most robust ways of using the Tor network is through a " +"dedicated operating system that enforces strong privacy\" like Tails." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-10-28: In \"[Ed Snowden Taught Me To Smuggle Secrets Past Incredible " +"Danger. Now I Teach You.](https://firstlook.org/theintercept/2014/10/28/" +"smuggling-snowden-secrets/)\", Micah Lee, from The Intercept, gives many " +"details on how Tails helped Snowden, Poitras, and Gleenwald start working " +"together." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-10-16: According to [an article in Wired](http://www.wired.com/2014/10/" +"laura-poitras-crypto-tools-made-snowden-film-possible/), in the closing " +"credits of Citizenfour, Poitras took the unusual step of adding an " +"acknowledgment of the free software projects that made the film possible: " +"The roll call includes the anonymity software Tor, the Tor-based operating " +"system Tails, GPG encryption, Off-The-Record (OTR) encrypted instant " +"messaging, hard disk encryption software Truecrypt, and Linux." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-07-26: [Tails 1.1 is announced](http://linuxfr.org/news/tails-1-1-est-" +"disponible), in French, in an article by pamputt on LinuxFr" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"* 2014-07: I2P bug and zero-days buzz:\n" +" - 2014-07-21: Exodus Intelligence [tweets about multiple RCE/de-anonymization\n" +" zero-days](https://twitter.com/ExodusIntel/status/491247299054428160) on the\n" +" day before Tails 1.1 is released.\n" +" - Several news websites relay that information before the details of the\n" +" vulnerability are disclosed:\n" +" - [Exploit Dealer: Snowden's Favorite OS Tails Has Zero-Day Vulnerabilities\n" +" Lurking\n" +" Inside](http://www.forbes.com/sites/thomasbrewster/2014/07/21/exploit-dealer-snowdens-favourite-os-tails-has-zero-day-vulnerabilities-lurking-inside/)\n" +" by Thomas Brewster on Forbes.\n" +" - [Don't look, Snowden: Security biz chases Tails with zero-day flaws\n" +" alert](http://www.theregister.co.uk/2014/07/21/security_researchers_chase_tails_with_zeroday_flaw_disclosure/)\n" +" by Iain Thomson on The Register.\n" +" - [The world's most secure OS may have a serious\n" +" problem](http://www.theverge.com/2014/7/22/5927917/the-worlds-most-secure-os-may-have-a-serious-problem)\n" +" by Russell Brandom on The Verge\n" +" - 2014-07-23: We made our users [[aware of that\n" +" process|news/On_0days_exploits_and_disclosure]].\n" +" - 2014-07-23: Exodus Intelligence publishes [Silver Bullets and Fairy\n" +" Tails](http://blog.exodusintel.com/2014/07/23/silverbullets_and_fairytails/)\n" +" to explain the vulnerability.\n" +" - 2014-07-25: We publish a [[security\n" +" advisory|security/Security_hole_in_I2P_0.9.13]] explaining the scope of the\n" +" problem, and temporary solutions.\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-07-08: In the [July 8th Keiser Report on RT](http://rt.com/shows/keiser-" +"report/170908-episode-max-keiser-624/). The Tails related part of the " +"Keiser Report starts at 15'40\"." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-07-03: Tails above the Rest: [Installation](http://www.linuxjournal.com/" +"content/tails-above-rest-installation), [Part II](http://www.linuxjournal." +"com/content/tails-above-rest-part-ii), [Part III](http://www.linuxjournal." +"com/content/tails-above-rest-part-iii) by Kyle Rankin in the Linux Journal." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"* 2014-07-03: Some articles on Tails users being targeted by NSA XKeyscore:\n" +" - In [NSA targets the privacy-conscious](http://daserste.ndr.de/panorama/aktuell/nsa230_page-1.html)\n" +" by J. Appelbaum, A. Gibson, J. Goetz, V. Kabisch, L. Kampf, L. Ryge.\n" +" - In [Von der NSA als Extremist gebrandmarkt](http://www.tagesschau.de/inland/nsa-xkeyscore-100.html)\n" +" by Lena Kampf, Jacob Appelbaum and John Goetz (in German).\n" +" - In [If you read Boing Boing, the NSA considers you a target for deep surveillance](http://boingboing.net/2014/07/03/if-you-read-boing-boing-the-n.html)\n" +" by Cory Doctorow.\n" +" - In [TOR, logiciel-clé de protection de la vie privée, dans le viseur de la NSA](http://www.lemonde.fr/pixels/article/2014/07/03/un-logiciel-cle-de-protection-de-la-vie-privee-dans-le-viseur-de-la-nsa_4450718_4408996.html)\n" +" by Martin Untersinger on LeMonde.fr (in French).\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-06-25: [Dai segreti di Snowden ai social: il raduno italiano degli " +"hacker](http://corrieredibologna.corriere.it/bologna/notizie/cronaca/2014/25-" +"giugno-2014/dai-segreti-snowden-social-raduno-italiano-hacker-223459532934." +"shtml) by Andrea Rinaldi, in Corriere di Bologna (in Italian)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-06-30: [Tails, il sistema operativo incognito che frega l'NSA](http://" +"www.wired.it/gadget/computer/2014/04/15/tails-sistema-operativo-incognito/) " +"by Carola Frediani, in Wired.it (in Italian)." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"* 2014: late April and early May, many press articles covered the\n" +" Tails 1.0 release, including:\n" +" - In [TAILS: Snowden's favorite anonymous, secure OS goes\n" +" 1.0](http://boingboing.net/2014/04/30/tails-snowdens-favorite-ano.html), Cory\n" +" Doctorow writes \"Effectively, this is the ParanoidLinux I fictionalized in my\n" +" novel Little Brother.\"\n" +" - [Tails reaches\n" +" 1.0](https://lwn.net/SubscriberLink/596765/380d4e75b17ea491/) by Nathan\n" +" Willis in Linux Weekly News.\n" +" - [Anonymous OS reportedly used by Snowden reaches version\n" +" 1.0](http://www.cnet.com/news/anonymous-os-reportedly-favored-by-nsa-whistle-blower-edward-snowden-reaches-version-1-0/)\n" +" by Steven Musil in CNET.\n" +" - [Anonymisierungs-OS Tails wird\n" +" erwachsen](http://www.heise.de/security/meldung/Anonymisierungs-OS-Tails-wird-erwachsen-2180167.html)\n" +" in heise Security (in German).\n" +" - [Secure OS Tails Emerges From\n" +" Beta](http://www.pcmag.com/article2/0,2817,2457452,00.asp) by\n" +" David Murphy in PCMAG.\n" +" - [Edward Snowden's OS of choice, the Linux-based Tails,\n" +" is now out of\n" +" beta](http://www.engadget.com/2014/05/01/tails-linux-os-version1-0/)\n" +" by Steve Dent in Engadget.\n" +" - [Tails 1.0: Sicherheit und\n" +" Anonymität](http://www.pro-linux.de/news/1/21038/tails-10-sicherheit-und-anonymitaet.html)\n" +" by Ferdinand Thommes in PRO-LINUX.DE (in German).\n" +" - [Tails, l'OS dédié à la confidentialité, passe en\n" +" version\n" +" 1.0](http://www.numerama.com/magazine/29251-tails-l-os-dedie-a-la-confidentialite-passe-en-version-10.html)\n" +" by Julien L. in Numerama (in French).\n" +" - [Anonymous Linux Distribution TAILS Reaches Release Version\n" +" 1.0](http://www.techweekeurope.co.uk/news/tails-anonymous-linux-distribution-reaches-release-version-1-0-144823?ModPagespeed=noscript)\n" +" by Max Smolaks in TechWeek Europe.\n" +" - [Snowden's Beloved Tails OS Reaches v1.0\n" +" Milestone](http://www.linuxinsider.com/story/Snowdens-Beloved-Tails-OS-Reaches-v10-Milestone-80386.html)\n" +" by Richard Adhikari in LinuxInsider.\n" +" - [Tails 1.0 – La distrib sécurisée sort enfin en version stable](http://korben.info/tails-1-0.html)\n" +" by Korben (in French).\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-30: [Tails, le système qui voulait vous rendre vraiment anonyme]" +"(http://www.clubic.com/antivirus-securite-informatique/virus-hacker-piratage/" +"anonyme-internet/actualite-699478-tails-systeme-voulait-surfer-facon-anonyme." +"html) by Alexandre Laurent, in Clubic (in French)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-29: [This is the most secure computer you’ll ever own](http://www." +"theverge.com/2014/4/29/5664884/this-is-the-most-secure-computer-you-ll-ever-" +"own) by Russell Brandom, in The Verge." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-29: [How to be secure on the Internet, really secure](http://www." +"examiner.com/article/how-to-be-secure-on-the-internet-really-secure) by " +"Victoria Wagner Ross, in Examiner.com." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-29: [Tuck in Your Tails and Hide from Big Brother](http://techgage." +"com/news/tuck-in-your-tails-and-hide-from-big-brother/) by Stetson Smith, " +"in Techgage." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-28: [Cómo instalar y usar Tails, la distribución Linux para navegar " +"de manera anónima](http://www.eldiario.es/turing/vigilancia_y_privacidad/" +"Guia-practica-Tails-distribucion-Linux_0_253374668.html) by Juan Jesús " +"Velasco in El Diario." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-23: Amaelle Guiton mentions Tails in the article [Chiffrer le Net " +"pour retrouver notre vie privée en ligne: une bonne solution qui pose des " +"problèmes](http://www.slate.fr/monde/86275/cyberespace-cypherspace-crypter-" +"chiffrement-internet) in Slate (in French)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-22: golem.de publishes [Anonymisierung -- Mit Tails in den " +"Datenuntergrund](http://www.golem.de/news/anonymisierung-mit-tails-in-den-" +"datenuntergrund-1404-105944.html) (in German), by Jörg Thoma." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-17: Bruce Schneier writes \"Nice article on the Tails stateless " +"operating system. I use it.\" [in a blog post](https://www.schneier.com/blog/" +"archives/2014/04/tails.html)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-16: [Leave no trace: Tips to cover your digital footprint and " +"reclaim your privacy](http://www.pcworld.com/article/2143846/leave-no-trace-" +"tips-to-cover-your-digital-footprint-and-reclaim-your-privacy.html) by Alex " +"Castle in PCWorld." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-16: [Tails, il sistema operativo di Edward Snowden](http://www." +"webnews.it/2014/04/16/tails-il-sistema-operativo-di-edward-snowden/?" +"ref=post) by Luca Colantuoni in Webnews.it." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-16: In [Pourquoi Edward Snowden a utilisé Tails Linux pour organiser " +"sa fuite](http://www.01net.com/editorial/618336/pourquoi-edward-snowden-a-" +"utilise-tails-linux-pour-organiser-sa-fuite/) (in French) published on the " +"01net net-zine, Gilbert Kallenborn reports about use of Tails by Edward " +"Snowden, Laura Poitras et al." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-15: [Tails, il sistema operativo incognito che frega l’NSA](http://" +"www.wired.it/gadget/computer/2014/04/15/tails-sistema-operativo-incognito/) " +"by Carola Frediani, in Wired.it." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-15: The recent Wired article [is relayed](http://yro-beta.slashdot." +"org/story/14/04/15/1940240/snowden-used-the-linux-distro-designed-for-" +"internet-anonymity) on Slashdot homepage." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-15: [\"Tails\": Wie Snowden seine Kommunikation vor der NSA " +"versteckt](http://derstandard.at/1397520636954/Tails-Wie-Snowden-seine-" +"Kommunikation-vor-der-NSA-versteckt), in derStandart.at" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-14: In the [press conference](http://www.democracynow.org/" +"blog/2014/4/11/video_glenn_greenwald_laura_poitras_q) she held after " +"winning a Polk Award for her reporting on Edward Snowden and the NSA, Laura " +"Poitras said \"We just published a blog about a tool that's called Tails, " +"which is a operating system that runs on either USB stick or SD disc, that " +"is a sort of all-in-one encryption tool that you can use for PGP and " +"encryption. And it's just really secure. [...] So, it's a really important " +"tool for journalists.\"" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-14: [Out in the Open: Inside the Operating System Edward Snowden " +"Used to Evade the NSA](http://www.wired.com/2014/04/tails/) by Klint " +"Finley, in Wired." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"* 2014-04-02: In [Help Support the Little-Known Privacy Tool That Has\n" +" Been Critical to Journalists Reporting on the\n" +" NSA](https://pressfreedomfoundation.org/blog/2014/04/help-support-little-known-privacy-tool-has-been-critical-journalists-reporting-nsa)\n" +" by Trevor Timm:\n" +" - Laura Poitras says: \"I've been reluctant to go into details about\n" +" the different steps I took to communicate securely with Snowden to\n" +" avoid those methods being targeted. Now that Tails gives a green\n" +" light, I can say it has been an essential tool for reporting the\n" +" NSA story. It is an all-in-one secure digital communication system\n" +" (GPG email, OTR chat, Tor web browser, encrypted storage) that is\n" +" small enough to swallow. I'm very thankful to the Tails developers\n" +" for building this tool.\"\n" +" - Glenn Greenwald says: \"Tails have been vital to my ability to work\n" +" securely on the NSA story. The more I've come to learn about\n" +" communications security, the more central Tails has become to\n" +" my approach.\"\n" +" - Barton Gellman says: \"Privacy and encryption work, but it's too\n" +" easy to make a mistake that exposes you. Tails puts the essential\n" +" tools in one place, with a design that makes it hard to screw them\n" +" up. I could not have talked to Edward Snowden without this kind of\n" +" protection. I wish I'd had it years ago.\"\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-03-17: In [Index Freedom of Expression Awards: Digital activism nominee " +"Tails](http://www.indexoncensorship.org/2014/03/index-freedom-expression-" +"awards-digital-activism-nominee-tails/), Alice Kirkland interviews the Tails " +"project about our nomination for the *Censorship’s Freedom of Expression " +"Awards*." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-03-13: In his [Les 7 clés pour protéger ses communications](http://www." +"tdg.ch/high-tech/web/Les-7-cles-pour-proteger-ses-communications/" +"story/25588689) article (in French) published by the *Tribune de Genève*, " +"Simon Koch recommends using Tails." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-03-12: In his [Happy 25th Birthday World Wide Web - Let's Not Destroy " +"It](http://www.huffingtonpost.co.uk/mike-harris/world-wide-web_b_4947687." +"html?utm_hp_ref=uk) article published by the Huffington Post, Mike Harris " +"writes that \"Increasing numbers of activists are using high-tech tools such " +"as Tor or Tails to encrpyt their internet browsing and email\"." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-03-12: In his [US and UK Spy Agencies Are \"Enemies of the Internet\"]" +"(http://motherboard.vice.com/read/us-and-uk-spy-agencies-are-enemies-of-the-" +"internet) article, published in the Motherboard section of the Vice " +"network, Joseph Cox covers Reporters Without Borders' [latest report]" +"(https://en.rsf.org/enemies-of-the-internet-2014-11-03-2014,45985.html), and " +"writes \"If you're a journalist working on anything more sensitive than " +"London Fashion Week or League 2 football, you might want to consider using " +"the Linux-based 'Tails' operating system too.\"" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-03-08: [Reporters Without Borders](http://en.rsf.org/)'s Grégoire " +"Pouget blogs about Tails: [FIC 2014 : Comment être réellement anonyme sur " +"Internet](http://blog.barbayellow.com/2014/03/08/fic-2014-comment-etre-" +"reellement-anonyme-sur-internet/) (in French)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-03-04: Tails [wins](https://twitter.com/accessnow/" +"status/441043400708857856) the [2014 Access Innovation Prize](https://www." +"accessnow.org/prize), that was focused this year on Endpoint Security." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-03-03: In the March edition of the Linux Journal, that [celebrates 20 " +"years of this journal](http://www.linuxjournal.com/content/march-2014-issue-" +"linux-journal-20-years-linux-journal), Kyle demonstrates Tails." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-02-27: The Daily Dot announced the experiments on porting Tails to " +"mobile devices in \"[Tor takes anonymity mobile with new smartphone OS]" +"(http://www.dailydot.com/technology/tor-anonymous-os-tails-freitas/)\" and " +"\"[Beta testing for Tor's anonymous mobile OS begins this spring](http://www." +"dailydot.com/technology/tor-anonymous-mobile-os-tails/)\". Note that this " +"is not an official project of Tails, see the homepage of the [Tomy " +"Detachable Secure Mobile System](https://dev.guardianproject.info/projects/" +"libro/wiki/Tomy_Detachable_Secure_Mobile_System) project for more info." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-02-27: In his article \"[Why It’s Vital For Users to Fund Open-Source " +"Encryption Tools](https://pressfreedomfoundation.org/blog/2014/02/why-its-" +"vital-public-fund-open-source-encryption-tools)\" Trevor Timm from Freedom " +"of the Press Foundation explains that Tails « has been vital for most, if " +"not all, of the NSA journalists. [...] Its prime use case is journalists " +"trying to communicate or work in environments in which they may normally be " +"at risk or compromised. The NSA stories have been the biggest story in " +"journalism in the past decade, yet the tool the reporters rely on is " +"incredibly underfunded, is maintained by only a handful of developers, and " +"operates on a shoestring budget. »" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-02-07: In his review of [uVirtus](http://uvirtus.org), Kheops, from " +"Telecomix concludes that « Users should prefer Tails and other mature secure " +"live distributions (such as IprediaOS, Liberté Linux, Privatix and Whonix) " +"over uVirtus since they provide a real safety improvement to the user. For " +"any activity that does not entail transferring large quantities of data " +"(such as video files), there is no strong reason to prefer uVirtus over any " +"of these. »" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-01-14: On Linux.com, Carla Schroder [picks Tails](https://www.linux.com/" +"news/software/applications/752221-the-top-7-best-linux-distros-for-2014/) " +"as the best Linux distribution for 2014 in the \"Best Fighting the Man Distro" +"\" category." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-01-07: [A RAT in the Registry: The Case for Martus on TAILS](http://" +"benetech.org/2014/01/07/a-rat-in-the-registry-the-case-for-martus-on-" +"tails/) explains how Benetech have selected TAILS (The Amnesic Incognito " +"Live System) to be the default environment for their use of Martus while " +"defending Tibetan human rights defenders against targeted malware attacks." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-01: \"Tails: The Amnesiac Incognito Live System – Privacy for Anyone " +"Anywhere\", by Russ McRee, in this month's issue of the [Information Systems " +"Security Association Journal](http://www.issa.org/?page=ISSAJournal)." +msgstr "" diff --git a/wiki/src/press/media_appearances_2014.mdwn b/wiki/src/press/media_appearances_2014.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..bcebf6871ef29794cbeb5582df87cecd2a282305 --- /dev/null +++ b/wiki/src/press/media_appearances_2014.mdwn @@ -0,0 +1,322 @@ +[[!meta title="Media appearances in 2014"]] + +* 2014-12-28: Martin Untersinger considers Tails as a bulletproof tool + against NSA spying in "[Les énormes progrès de la NSA pour défaire + la sécurité sur Internet](http://www.lemonde.fr/pixels/article/2014/12/28/les-enormes-progres-de-la-nsa-pour-defaire-la-securite-sur-internet_4546843_4408996.html)" (in French). + +* 2014-12-24: Andy Greenberg from Wired calls for donations to Tails in + "[8 Free Privacy Programs Worth Your Year-End Donations](http://www.wired.com/2014/12/privacy-donations/)": + "Tails has received little mainstream support and may be the security + software most in need of users’ donations". + +* 2014-11-20: Amaelle Guiton writes about Tails in "[Tails, l'outil + détesté par la NSA, qui veut démocratiser l'anonymat en + ligne](http://www.lemonde.fr/pixels/article/2014/11/20/tails-l-outil-deteste-par-la-nsa-qui-veut-democratiser-l-anonymat-en-ligne_4514650_4408996.html)" + (in French), and gives a detailed transcript of an interview she made + with some of us in "[Tails raconté par ceux qui le + construisent](https://www.techn0polis.net/2014/11/19/tails-raconte-par-ceux-qui-le-construisent/)" + (in French as well). + +* 2014-11-13: Thorin Klosowski from lifehacker.com [compares Linux Security + Distros: Tails vs. Kali vs. Qubes](http://lifehacker.com/linux-security-distros-compared-tails-vs-kali-vs-qub-1658139404). + +* 2014-11-05: Tails 1.2 is featured on LinuxFr in "[Tails 1.2, une + distribution pour votre + anonymat](http://linuxfr.org/news/tails-1-2-une-distribution-pour-votre-anonymat)" + (in French). + +* 2014-10-29: In "[The 7 Privacy Tools Essential to Making Snowden + Documentary + CITIZENFOUR](https://www.eff.org/deeplinks/2014/10/7-privacy-tools-essential-making-citizenfour), + the Electronic Fountier Foundation says that "one of the most robust + ways of using the Tor network is through a dedicated operating system + that enforces strong privacy" like Tails. + +* 2014-10-28: In "[Ed Snowden Taught Me To Smuggle Secrets Past + Incredible Danger. Now I Teach + You.](https://firstlook.org/theintercept/2014/10/28/smuggling-snowden-secrets/)", + Micah Lee, from The Intercept, gives many details on how Tails helped + Snowden, Poitras, and Gleenwald start working together. + +* 2014-10-16: According to + [an article in + Wired](http://www.wired.com/2014/10/laura-poitras-crypto-tools-made-snowden-film-possible/), + in the closing credits of Citizenfour, Poitras took the unusual step + of adding an acknowledgment of the free software projects that made + the film possible: The roll call includes the anonymity software Tor, + the Tor-based operating system Tails, GPG encryption, Off-The-Record + (OTR) encrypted instant messaging, hard disk encryption software + Truecrypt, and Linux. + +* 2014-07-26: [Tails 1.1 is announced](http://linuxfr.org/news/tails-1-1-est-disponible), in French, + in an article by pamputt on LinuxFr + +* 2014-07: I2P bug and zero-days buzz: + - 2014-07-21: Exodus Intelligence [tweets about multiple RCE/de-anonymization + zero-days](https://twitter.com/ExodusIntel/status/491247299054428160) on the + day before Tails 1.1 is released. + - Several news websites relay that information before the details of the + vulnerability are disclosed: + - [Exploit Dealer: Snowden's Favorite OS Tails Has Zero-Day Vulnerabilities + Lurking + Inside](http://www.forbes.com/sites/thomasbrewster/2014/07/21/exploit-dealer-snowdens-favourite-os-tails-has-zero-day-vulnerabilities-lurking-inside/) + by Thomas Brewster on Forbes. + - [Don't look, Snowden: Security biz chases Tails with zero-day flaws + alert](http://www.theregister.co.uk/2014/07/21/security_researchers_chase_tails_with_zeroday_flaw_disclosure/) + by Iain Thomson on The Register. + - [The world's most secure OS may have a serious + problem](http://www.theverge.com/2014/7/22/5927917/the-worlds-most-secure-os-may-have-a-serious-problem) + by Russell Brandom on The Verge + - 2014-07-23: We made our users [[aware of that + process|news/On_0days_exploits_and_disclosure]]. + - 2014-07-23: Exodus Intelligence publishes [Silver Bullets and Fairy + Tails](http://blog.exodusintel.com/2014/07/23/silverbullets_and_fairytails/) + to explain the vulnerability. + - 2014-07-25: We publish a [[security + advisory|security/Security_hole_in_I2P_0.9.13]] explaining the scope of the + problem, and temporary solutions. + +* 2014-07-08: In the [July 8th Keiser Report on RT](http://rt.com/shows/keiser-report/170908-episode-max-keiser-624/). + The Tails related part of the Keiser Report starts at 15'40". + +* 2014-07-03: Tails above the Rest: + [Installation](http://www.linuxjournal.com/content/tails-above-rest-installation), + [Part II](http://www.linuxjournal.com/content/tails-above-rest-part-ii), + [Part III](http://www.linuxjournal.com/content/tails-above-rest-part-iii) by Kyle Rankin in the Linux Journal. + +* 2014-07-03: Some articles on Tails users being targeted by NSA XKeyscore: + - In [NSA targets the privacy-conscious](http://daserste.ndr.de/panorama/aktuell/nsa230_page-1.html) + by J. Appelbaum, A. Gibson, J. Goetz, V. Kabisch, L. Kampf, L. Ryge. + - In [Von der NSA als Extremist gebrandmarkt](http://www.tagesschau.de/inland/nsa-xkeyscore-100.html) + by Lena Kampf, Jacob Appelbaum and John Goetz (in German). + - In [If you read Boing Boing, the NSA considers you a target for deep surveillance](http://boingboing.net/2014/07/03/if-you-read-boing-boing-the-n.html) + by Cory Doctorow. + - In [TOR, logiciel-clé de protection de la vie privée, dans le viseur de la NSA](http://www.lemonde.fr/pixels/article/2014/07/03/un-logiciel-cle-de-protection-de-la-vie-privee-dans-le-viseur-de-la-nsa_4450718_4408996.html) + by Martin Untersinger on LeMonde.fr (in French). + +* 2014-06-25: [Dai segreti di Snowden ai social: il raduno italiano degli hacker](http://corrieredibologna.corriere.it/bologna/notizie/cronaca/2014/25-giugno-2014/dai-segreti-snowden-social-raduno-italiano-hacker-223459532934.shtml) by Andrea Rinaldi, in Corriere di Bologna (in Italian). + +* 2014-06-30: [Tails, il sistema operativo incognito che frega l'NSA](http://www.wired.it/gadget/computer/2014/04/15/tails-sistema-operativo-incognito/) by Carola Frediani, in Wired.it (in Italian). + +* 2014: late April and early May, many press articles covered the + Tails 1.0 release, including: + - In [TAILS: Snowden's favorite anonymous, secure OS goes + 1.0](http://boingboing.net/2014/04/30/tails-snowdens-favorite-ano.html), Cory + Doctorow writes "Effectively, this is the ParanoidLinux I fictionalized in my + novel Little Brother." + - [Tails reaches + 1.0](https://lwn.net/SubscriberLink/596765/380d4e75b17ea491/) by Nathan + Willis in Linux Weekly News. + - [Anonymous OS reportedly used by Snowden reaches version + 1.0](http://www.cnet.com/news/anonymous-os-reportedly-favored-by-nsa-whistle-blower-edward-snowden-reaches-version-1-0/) + by Steven Musil in CNET. + - [Anonymisierungs-OS Tails wird + erwachsen](http://www.heise.de/security/meldung/Anonymisierungs-OS-Tails-wird-erwachsen-2180167.html) + in heise Security (in German). + - [Secure OS Tails Emerges From + Beta](http://www.pcmag.com/article2/0,2817,2457452,00.asp) by + David Murphy in PCMAG. + - [Edward Snowden's OS of choice, the Linux-based Tails, + is now out of + beta](http://www.engadget.com/2014/05/01/tails-linux-os-version1-0/) + by Steve Dent in Engadget. + - [Tails 1.0: Sicherheit und + Anonymität](http://www.pro-linux.de/news/1/21038/tails-10-sicherheit-und-anonymitaet.html) + by Ferdinand Thommes in PRO-LINUX.DE (in German). + - [Tails, l'OS dédié à la confidentialité, passe en + version + 1.0](http://www.numerama.com/magazine/29251-tails-l-os-dedie-a-la-confidentialite-passe-en-version-10.html) + by Julien L. in Numerama (in French). + - [Anonymous Linux Distribution TAILS Reaches Release Version + 1.0](http://www.techweekeurope.co.uk/news/tails-anonymous-linux-distribution-reaches-release-version-1-0-144823?ModPagespeed=noscript) + by Max Smolaks in TechWeek Europe. + - [Snowden's Beloved Tails OS Reaches v1.0 + Milestone](http://www.linuxinsider.com/story/Snowdens-Beloved-Tails-OS-Reaches-v10-Milestone-80386.html) + by Richard Adhikari in LinuxInsider. + - [Tails 1.0 – La distrib sécurisée sort enfin en version stable](http://korben.info/tails-1-0.html) + by Korben (in French). + +* 2014-04-30: [Tails, le système qui voulait vous rendre vraiment + anonyme](http://www.clubic.com/antivirus-securite-informatique/virus-hacker-piratage/anonyme-internet/actualite-699478-tails-systeme-voulait-surfer-facon-anonyme.html) + by Alexandre Laurent, in Clubic (in French). + +* 2014-04-29: [This is the most secure computer you’ll ever + own](http://www.theverge.com/2014/4/29/5664884/this-is-the-most-secure-computer-you-ll-ever-own) + by Russell Brandom, in The Verge. + +* 2014-04-29: [How to be secure on the Internet, really + secure](http://www.examiner.com/article/how-to-be-secure-on-the-internet-really-secure) + by Victoria Wagner Ross, in Examiner.com. + +* 2014-04-29: [Tuck in Your Tails and Hide from Big + Brother](http://techgage.com/news/tuck-in-your-tails-and-hide-from-big-brother/) + by Stetson Smith, in Techgage. + +* 2014-04-28: [Cómo instalar y usar Tails, la distribución Linux para navegar + de manera + anónima](http://www.eldiario.es/turing/vigilancia_y_privacidad/Guia-practica-Tails-distribucion-Linux_0_253374668.html) + by Juan Jesús Velasco in El Diario. + +* 2014-04-23: Amaelle Guiton mentions Tails in the article [Chiffrer le Net pour + retrouver notre vie privée en ligne: une bonne solution qui pose des + problèmes](http://www.slate.fr/monde/86275/cyberespace-cypherspace-crypter-chiffrement-internet) + in Slate (in French). + +* 2014-04-22: golem.de publishes + [Anonymisierung -- Mit Tails in den + Datenuntergrund](http://www.golem.de/news/anonymisierung-mit-tails-in-den-datenuntergrund-1404-105944.html) + (in German), by Jörg Thoma. + +* 2014-04-17: Bruce Schneier writes "Nice article on the Tails + stateless operating system. I use it." [in a blog + post](https://www.schneier.com/blog/archives/2014/04/tails.html). + +* 2014-04-16: [Leave no trace: Tips to cover your digital footprint + and reclaim your + privacy](http://www.pcworld.com/article/2143846/leave-no-trace-tips-to-cover-your-digital-footprint-and-reclaim-your-privacy.html) + by Alex Castle in PCWorld. + +* 2014-04-16: [Tails, il sistema operativo di Edward + Snowden](http://www.webnews.it/2014/04/16/tails-il-sistema-operativo-di-edward-snowden/?ref=post) + by Luca Colantuoni in Webnews.it. + +* 2014-04-16: In [Pourquoi Edward Snowden a utilisé Tails Linux pour + organiser sa + fuite](http://www.01net.com/editorial/618336/pourquoi-edward-snowden-a-utilise-tails-linux-pour-organiser-sa-fuite/) + (in French) published on the 01net net-zine, Gilbert Kallenborn + reports about use of Tails by Edward Snowden, Laura Poitras et al. + +* 2014-04-15: [Tails, il sistema operativo incognito che frega + l’NSA](http://www.wired.it/gadget/computer/2014/04/15/tails-sistema-operativo-incognito/) + by Carola Frediani, in Wired.it. + +* 2014-04-15: The recent Wired article [is + relayed](http://yro-beta.slashdot.org/story/14/04/15/1940240/snowden-used-the-linux-distro-designed-for-internet-anonymity) + on Slashdot homepage. + +* 2014-04-15: ["Tails": Wie Snowden seine Kommunikation vor der NSA + versteckt](http://derstandard.at/1397520636954/Tails-Wie-Snowden-seine-Kommunikation-vor-der-NSA-versteckt), + in derStandart.at + +* 2014-04-14: In the [press + conference](http://www.democracynow.org/blog/2014/4/11/video_glenn_greenwald_laura_poitras_q) + she held after winning a Polk Award for her reporting on Edward Snowden and + the NSA, Laura Poitras said "We just published a blog about a tool that's + called Tails, which is a operating system that runs on either USB stick or SD + disc, that is a sort of all-in-one encryption tool that you can use for PGP + and encryption. And it's just really secure. [...] So, it's a really important + tool for journalists." + +* 2014-04-14: [Out in the Open: Inside the Operating System Edward + Snowden Used to Evade the NSA](http://www.wired.com/2014/04/tails/) + by Klint Finley, in Wired. + +* 2014-04-02: In [Help Support the Little-Known Privacy Tool That Has + Been Critical to Journalists Reporting on the + NSA](https://pressfreedomfoundation.org/blog/2014/04/help-support-little-known-privacy-tool-has-been-critical-journalists-reporting-nsa) + by Trevor Timm: + - Laura Poitras says: "I've been reluctant to go into details about + the different steps I took to communicate securely with Snowden to + avoid those methods being targeted. Now that Tails gives a green + light, I can say it has been an essential tool for reporting the + NSA story. It is an all-in-one secure digital communication system + (GPG email, OTR chat, Tor web browser, encrypted storage) that is + small enough to swallow. I'm very thankful to the Tails developers + for building this tool." + - Glenn Greenwald says: "Tails have been vital to my ability to work + securely on the NSA story. The more I've come to learn about + communications security, the more central Tails has become to + my approach." + - Barton Gellman says: "Privacy and encryption work, but it's too + easy to make a mistake that exposes you. Tails puts the essential + tools in one place, with a design that makes it hard to screw them + up. I could not have talked to Edward Snowden without this kind of + protection. I wish I'd had it years ago." + +* 2014-03-17: In [Index Freedom of Expression Awards: Digital activism + nominee + Tails](http://www.indexoncensorship.org/2014/03/index-freedom-expression-awards-digital-activism-nominee-tails/), + Alice Kirkland interviews the Tails project about our nomination for + the *Censorship’s Freedom of Expression Awards*. + +* 2014-03-13: In his [Les 7 clés pour protéger ses + communications](http://www.tdg.ch/high-tech/web/Les-7-cles-pour-proteger-ses-communications/story/25588689) + article (in French) published by the *Tribune de Genève*, Simon Koch + recommends using Tails. + +* 2014-03-12: In his [Happy 25th Birthday World Wide Web - Let's Not + Destroy + It](http://www.huffingtonpost.co.uk/mike-harris/world-wide-web_b_4947687.html?utm_hp_ref=uk) + article published by the Huffington Post, Mike Harris writes that + "Increasing numbers of activists are using high-tech tools such as + Tor or Tails to encrpyt their internet browsing and email". + +* 2014-03-12: In his [US and UK Spy Agencies Are "Enemies of the + Internet"](http://motherboard.vice.com/read/us-and-uk-spy-agencies-are-enemies-of-the-internet) + article, published in the Motherboard section of the Vice network, + Joseph Cox covers Reporters Without Borders' [latest + report](https://en.rsf.org/enemies-of-the-internet-2014-11-03-2014,45985.html), + and writes "If you're a journalist working on anything more + sensitive than London Fashion Week or League 2 football, you might + want to consider using the Linux-based 'Tails' operating + system too." + +* 2014-03-08: [Reporters Without Borders](http://en.rsf.org/)'s + Grégoire Pouget blogs about Tails: [FIC 2014 : Comment être + réellement anonyme sur + Internet](http://blog.barbayellow.com/2014/03/08/fic-2014-comment-etre-reellement-anonyme-sur-internet/) + (in French). + +* 2014-03-04: Tails + [wins](https://twitter.com/accessnow/status/441043400708857856) the + [2014 Access Innovation Prize](https://www.accessnow.org/prize), + that was focused this year on Endpoint Security. + +* 2014-03-03: In the March edition of the Linux Journal, that + [celebrates 20 years of this + journal](http://www.linuxjournal.com/content/march-2014-issue-linux-journal-20-years-linux-journal), + Kyle demonstrates Tails. + +* 2014-02-27: The Daily Dot announced the experiments on porting Tails to mobile + devices in "[Tor takes anonymity mobile with new smartphone + OS](http://www.dailydot.com/technology/tor-anonymous-os-tails-freitas/)" and + "[Beta testing for Tor's anonymous mobile OS begins this + spring](http://www.dailydot.com/technology/tor-anonymous-mobile-os-tails/)". + Note that this is not an official project of Tails, see the homepage of the + [Tomy Detachable Secure Mobile + System](https://dev.guardianproject.info/projects/libro/wiki/Tomy_Detachable_Secure_Mobile_System) + project for more info. + +* 2014-02-27: In his article "[Why It’s Vital For Users to Fund Open-Source + Encryption + Tools](https://pressfreedomfoundation.org/blog/2014/02/why-its-vital-public-fund-open-source-encryption-tools)" + Trevor Timm from Freedom of the Press Foundation explains that Tails « has + been vital for most, if not all, of the NSA journalists. [...] Its prime use + case is journalists trying to communicate or work in environments in which + they may normally be at risk or compromised. The NSA stories have been the + biggest story in journalism in the past decade, yet the tool the reporters + rely on is incredibly underfunded, is maintained by only a handful of + developers, and operates on a shoestring budget. » + +* 2014-02-07: In his review of [uVirtus](http://uvirtus.org), Kheops, from + Telecomix concludes that « Users should prefer Tails and other mature secure + live distributions (such as IprediaOS, Liberté Linux, Privatix and Whonix) + over uVirtus since they provide a real safety improvement to the user. For any + activity that does not entail transferring large quantities of data (such as + video files), there is no strong reason to prefer uVirtus over any of these. » + +* 2014-01-14: On Linux.com, Carla Schroder [picks + Tails](https://www.linux.com/news/software/applications/752221-the-top-7-best-linux-distros-for-2014/) + as the best Linux distribution for 2014 in the "Best Fighting the + Man Distro" category. + +* 2014-01-07: [A RAT in the Registry: The Case for Martus on + TAILS](http://benetech.org/2014/01/07/a-rat-in-the-registry-the-case-for-martus-on-tails/) + explains how Benetech have selected TAILS (The Amnesic Incognito + Live System) to be the default environment for their use of Martus while + defending Tibetan human rights defenders against targeted malware attacks. + +* 2014-01: "Tails: The Amnesiac Incognito Live System – Privacy for + Anyone Anywhere", by Russ McRee, in this month's issue of the + [Information Systems Security Association + Journal](http://www.issa.org/?page=ISSAJournal). diff --git a/wiki/src/press/media_appearances_2014.pt.po b/wiki/src/press/media_appearances_2014.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..25ed059cbaa4007fceea286598fd9340756d3829 --- /dev/null +++ b/wiki/src/press/media_appearances_2014.pt.po @@ -0,0 +1,485 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-13 15:42+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Media appearances in 2014\"]]\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-12-28: Martin Untersinger considers Tails as a bulletproof tool against " +"NSA spying in \"[Les énormes progrès de la NSA pour défaire la sécurité sur " +"Internet](http://www.lemonde.fr/pixels/article/2014/12/28/les-enormes-" +"progres-de-la-nsa-pour-defaire-la-securite-sur-internet_4546843_4408996." +"html)\" (in French)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-12-24: Andy Greenberg from Wired calls for donations to Tails in \"[8 " +"Free Privacy Programs Worth Your Year-End Donations](http://www.wired." +"com/2014/12/privacy-donations/)\": \"Tails has received little mainstream " +"support and may be the security software most in need of users’ donations\"." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-11-20: Amaelle Guiton writes about Tails in \"[Tails, l'outil détesté " +"par la NSA, qui veut démocratiser l'anonymat en ligne](http://www.lemonde.fr/" +"pixels/article/2014/11/20/tails-l-outil-deteste-par-la-nsa-qui-veut-" +"democratiser-l-anonymat-en-ligne_4514650_4408996.html)\" (in French), and " +"gives a detailed transcript of an interview she made with some of us in " +"\"[Tails raconté par ceux qui le construisent](https://www.techn0polis." +"net/2014/11/19/tails-raconte-par-ceux-qui-le-construisent/)\" (in French as " +"well)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-11-13: Thorin Klosowski from lifehacker.com [compares Linux Security " +"Distros: Tails vs. Kali vs. Qubes](http://lifehacker.com/linux-security-" +"distros-compared-tails-vs-kali-vs-qub-1658139404)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-11-05: Tails 1.2 is featured on LinuxFr in \"[Tails 1.2, une " +"distribution pour votre anonymat](http://linuxfr.org/news/tails-1-2-une-" +"distribution-pour-votre-anonymat)\" (in French)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-10-29: In \"[The 7 Privacy Tools Essential to Making Snowden " +"Documentary CITIZENFOUR](https://www.eff.org/deeplinks/2014/10/7-privacy-" +"tools-essential-making-citizenfour), the Electronic Fountier Foundation says " +"that \"one of the most robust ways of using the Tor network is through a " +"dedicated operating system that enforces strong privacy\" like Tails." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-10-28: In \"[Ed Snowden Taught Me To Smuggle Secrets Past Incredible " +"Danger. Now I Teach You.](https://firstlook.org/theintercept/2014/10/28/" +"smuggling-snowden-secrets/)\", Micah Lee, from The Intercept, gives many " +"details on how Tails helped Snowden, Poitras, and Gleenwald start working " +"together." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-10-16: According to [an article in Wired](http://www.wired.com/2014/10/" +"laura-poitras-crypto-tools-made-snowden-film-possible/), in the closing " +"credits of Citizenfour, Poitras took the unusual step of adding an " +"acknowledgment of the free software projects that made the film possible: " +"The roll call includes the anonymity software Tor, the Tor-based operating " +"system Tails, GPG encryption, Off-The-Record (OTR) encrypted instant " +"messaging, hard disk encryption software Truecrypt, and Linux." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-07-26: [Tails 1.1 is announced](http://linuxfr.org/news/tails-1-1-est-" +"disponible), in French, in an article by pamputt on LinuxFr" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"* 2014-07: I2P bug and zero-days buzz:\n" +" - 2014-07-21: Exodus Intelligence [tweets about multiple RCE/de-anonymization\n" +" zero-days](https://twitter.com/ExodusIntel/status/491247299054428160) on the\n" +" day before Tails 1.1 is released.\n" +" - Several news websites relay that information before the details of the\n" +" vulnerability are disclosed:\n" +" - [Exploit Dealer: Snowden's Favorite OS Tails Has Zero-Day Vulnerabilities\n" +" Lurking\n" +" Inside](http://www.forbes.com/sites/thomasbrewster/2014/07/21/exploit-dealer-snowdens-favourite-os-tails-has-zero-day-vulnerabilities-lurking-inside/)\n" +" by Thomas Brewster on Forbes.\n" +" - [Don't look, Snowden: Security biz chases Tails with zero-day flaws\n" +" alert](http://www.theregister.co.uk/2014/07/21/security_researchers_chase_tails_with_zeroday_flaw_disclosure/)\n" +" by Iain Thomson on The Register.\n" +" - [The world's most secure OS may have a serious\n" +" problem](http://www.theverge.com/2014/7/22/5927917/the-worlds-most-secure-os-may-have-a-serious-problem)\n" +" by Russell Brandom on The Verge\n" +" - 2014-07-23: We made our users [[aware of that\n" +" process|news/On_0days_exploits_and_disclosure]].\n" +" - 2014-07-23: Exodus Intelligence publishes [Silver Bullets and Fairy\n" +" Tails](http://blog.exodusintel.com/2014/07/23/silverbullets_and_fairytails/)\n" +" to explain the vulnerability.\n" +" - 2014-07-25: We publish a [[security\n" +" advisory|security/Security_hole_in_I2P_0.9.13]] explaining the scope of the\n" +" problem, and temporary solutions.\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-07-08: In the [July 8th Keiser Report on RT](http://rt.com/shows/keiser-" +"report/170908-episode-max-keiser-624/). The Tails related part of the " +"Keiser Report starts at 15'40\"." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-07-03: Tails above the Rest: [Installation](http://www.linuxjournal.com/" +"content/tails-above-rest-installation), [Part II](http://www.linuxjournal." +"com/content/tails-above-rest-part-ii), [Part III](http://www.linuxjournal." +"com/content/tails-above-rest-part-iii) by Kyle Rankin in the Linux Journal." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"* 2014-07-03: Some articles on Tails users being targeted by NSA XKeyscore:\n" +" - In [NSA targets the privacy-conscious](http://daserste.ndr.de/panorama/aktuell/nsa230_page-1.html)\n" +" by J. Appelbaum, A. Gibson, J. Goetz, V. Kabisch, L. Kampf, L. Ryge.\n" +" - In [Von der NSA als Extremist gebrandmarkt](http://www.tagesschau.de/inland/nsa-xkeyscore-100.html)\n" +" by Lena Kampf, Jacob Appelbaum and John Goetz (in German).\n" +" - In [If you read Boing Boing, the NSA considers you a target for deep surveillance](http://boingboing.net/2014/07/03/if-you-read-boing-boing-the-n.html)\n" +" by Cory Doctorow.\n" +" - In [TOR, logiciel-clé de protection de la vie privée, dans le viseur de la NSA](http://www.lemonde.fr/pixels/article/2014/07/03/un-logiciel-cle-de-protection-de-la-vie-privee-dans-le-viseur-de-la-nsa_4450718_4408996.html)\n" +" by Martin Untersinger on LeMonde.fr (in French).\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-06-25: [Dai segreti di Snowden ai social: il raduno italiano degli " +"hacker](http://corrieredibologna.corriere.it/bologna/notizie/cronaca/2014/25-" +"giugno-2014/dai-segreti-snowden-social-raduno-italiano-hacker-223459532934." +"shtml) by Andrea Rinaldi, in Corriere di Bologna (in Italian)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-06-30: [Tails, il sistema operativo incognito che frega l'NSA](http://" +"www.wired.it/gadget/computer/2014/04/15/tails-sistema-operativo-incognito/) " +"by Carola Frediani, in Wired.it (in Italian)." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"* 2014: late April and early May, many press articles covered the\n" +" Tails 1.0 release, including:\n" +" - In [TAILS: Snowden's favorite anonymous, secure OS goes\n" +" 1.0](http://boingboing.net/2014/04/30/tails-snowdens-favorite-ano.html), Cory\n" +" Doctorow writes \"Effectively, this is the ParanoidLinux I fictionalized in my\n" +" novel Little Brother.\"\n" +" - [Tails reaches\n" +" 1.0](https://lwn.net/SubscriberLink/596765/380d4e75b17ea491/) by Nathan\n" +" Willis in Linux Weekly News.\n" +" - [Anonymous OS reportedly used by Snowden reaches version\n" +" 1.0](http://www.cnet.com/news/anonymous-os-reportedly-favored-by-nsa-whistle-blower-edward-snowden-reaches-version-1-0/)\n" +" by Steven Musil in CNET.\n" +" - [Anonymisierungs-OS Tails wird\n" +" erwachsen](http://www.heise.de/security/meldung/Anonymisierungs-OS-Tails-wird-erwachsen-2180167.html)\n" +" in heise Security (in German).\n" +" - [Secure OS Tails Emerges From\n" +" Beta](http://www.pcmag.com/article2/0,2817,2457452,00.asp) by\n" +" David Murphy in PCMAG.\n" +" - [Edward Snowden's OS of choice, the Linux-based Tails,\n" +" is now out of\n" +" beta](http://www.engadget.com/2014/05/01/tails-linux-os-version1-0/)\n" +" by Steve Dent in Engadget.\n" +" - [Tails 1.0: Sicherheit und\n" +" Anonymität](http://www.pro-linux.de/news/1/21038/tails-10-sicherheit-und-anonymitaet.html)\n" +" by Ferdinand Thommes in PRO-LINUX.DE (in German).\n" +" - [Tails, l'OS dédié à la confidentialité, passe en\n" +" version\n" +" 1.0](http://www.numerama.com/magazine/29251-tails-l-os-dedie-a-la-confidentialite-passe-en-version-10.html)\n" +" by Julien L. in Numerama (in French).\n" +" - [Anonymous Linux Distribution TAILS Reaches Release Version\n" +" 1.0](http://www.techweekeurope.co.uk/news/tails-anonymous-linux-distribution-reaches-release-version-1-0-144823?ModPagespeed=noscript)\n" +" by Max Smolaks in TechWeek Europe.\n" +" - [Snowden's Beloved Tails OS Reaches v1.0\n" +" Milestone](http://www.linuxinsider.com/story/Snowdens-Beloved-Tails-OS-Reaches-v10-Milestone-80386.html)\n" +" by Richard Adhikari in LinuxInsider.\n" +" - [Tails 1.0 – La distrib sécurisée sort enfin en version stable](http://korben.info/tails-1-0.html)\n" +" by Korben (in French).\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-30: [Tails, le système qui voulait vous rendre vraiment anonyme]" +"(http://www.clubic.com/antivirus-securite-informatique/virus-hacker-piratage/" +"anonyme-internet/actualite-699478-tails-systeme-voulait-surfer-facon-anonyme." +"html) by Alexandre Laurent, in Clubic (in French)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-29: [This is the most secure computer you’ll ever own](http://www." +"theverge.com/2014/4/29/5664884/this-is-the-most-secure-computer-you-ll-ever-" +"own) by Russell Brandom, in The Verge." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-29: [How to be secure on the Internet, really secure](http://www." +"examiner.com/article/how-to-be-secure-on-the-internet-really-secure) by " +"Victoria Wagner Ross, in Examiner.com." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-29: [Tuck in Your Tails and Hide from Big Brother](http://techgage." +"com/news/tuck-in-your-tails-and-hide-from-big-brother/) by Stetson Smith, " +"in Techgage." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-28: [Cómo instalar y usar Tails, la distribución Linux para navegar " +"de manera anónima](http://www.eldiario.es/turing/vigilancia_y_privacidad/" +"Guia-practica-Tails-distribucion-Linux_0_253374668.html) by Juan Jesús " +"Velasco in El Diario." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-23: Amaelle Guiton mentions Tails in the article [Chiffrer le Net " +"pour retrouver notre vie privée en ligne: une bonne solution qui pose des " +"problèmes](http://www.slate.fr/monde/86275/cyberespace-cypherspace-crypter-" +"chiffrement-internet) in Slate (in French)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-22: golem.de publishes [Anonymisierung -- Mit Tails in den " +"Datenuntergrund](http://www.golem.de/news/anonymisierung-mit-tails-in-den-" +"datenuntergrund-1404-105944.html) (in German), by Jörg Thoma." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-17: Bruce Schneier writes \"Nice article on the Tails stateless " +"operating system. I use it.\" [in a blog post](https://www.schneier.com/blog/" +"archives/2014/04/tails.html)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-16: [Leave no trace: Tips to cover your digital footprint and " +"reclaim your privacy](http://www.pcworld.com/article/2143846/leave-no-trace-" +"tips-to-cover-your-digital-footprint-and-reclaim-your-privacy.html) by Alex " +"Castle in PCWorld." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-16: [Tails, il sistema operativo di Edward Snowden](http://www." +"webnews.it/2014/04/16/tails-il-sistema-operativo-di-edward-snowden/?" +"ref=post) by Luca Colantuoni in Webnews.it." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-16: In [Pourquoi Edward Snowden a utilisé Tails Linux pour organiser " +"sa fuite](http://www.01net.com/editorial/618336/pourquoi-edward-snowden-a-" +"utilise-tails-linux-pour-organiser-sa-fuite/) (in French) published on the " +"01net net-zine, Gilbert Kallenborn reports about use of Tails by Edward " +"Snowden, Laura Poitras et al." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-15: [Tails, il sistema operativo incognito che frega l’NSA](http://" +"www.wired.it/gadget/computer/2014/04/15/tails-sistema-operativo-incognito/) " +"by Carola Frediani, in Wired.it." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-15: The recent Wired article [is relayed](http://yro-beta.slashdot." +"org/story/14/04/15/1940240/snowden-used-the-linux-distro-designed-for-" +"internet-anonymity) on Slashdot homepage." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-15: [\"Tails\": Wie Snowden seine Kommunikation vor der NSA " +"versteckt](http://derstandard.at/1397520636954/Tails-Wie-Snowden-seine-" +"Kommunikation-vor-der-NSA-versteckt), in derStandart.at" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-14: In the [press conference](http://www.democracynow.org/" +"blog/2014/4/11/video_glenn_greenwald_laura_poitras_q) she held after " +"winning a Polk Award for her reporting on Edward Snowden and the NSA, Laura " +"Poitras said \"We just published a blog about a tool that's called Tails, " +"which is a operating system that runs on either USB stick or SD disc, that " +"is a sort of all-in-one encryption tool that you can use for PGP and " +"encryption. And it's just really secure. [...] So, it's a really important " +"tool for journalists.\"" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-04-14: [Out in the Open: Inside the Operating System Edward Snowden " +"Used to Evade the NSA](http://www.wired.com/2014/04/tails/) by Klint " +"Finley, in Wired." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"* 2014-04-02: In [Help Support the Little-Known Privacy Tool That Has\n" +" Been Critical to Journalists Reporting on the\n" +" NSA](https://pressfreedomfoundation.org/blog/2014/04/help-support-little-known-privacy-tool-has-been-critical-journalists-reporting-nsa)\n" +" by Trevor Timm:\n" +" - Laura Poitras says: \"I've been reluctant to go into details about\n" +" the different steps I took to communicate securely with Snowden to\n" +" avoid those methods being targeted. Now that Tails gives a green\n" +" light, I can say it has been an essential tool for reporting the\n" +" NSA story. It is an all-in-one secure digital communication system\n" +" (GPG email, OTR chat, Tor web browser, encrypted storage) that is\n" +" small enough to swallow. I'm very thankful to the Tails developers\n" +" for building this tool.\"\n" +" - Glenn Greenwald says: \"Tails have been vital to my ability to work\n" +" securely on the NSA story. The more I've come to learn about\n" +" communications security, the more central Tails has become to\n" +" my approach.\"\n" +" - Barton Gellman says: \"Privacy and encryption work, but it's too\n" +" easy to make a mistake that exposes you. Tails puts the essential\n" +" tools in one place, with a design that makes it hard to screw them\n" +" up. I could not have talked to Edward Snowden without this kind of\n" +" protection. I wish I'd had it years ago.\"\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-03-17: In [Index Freedom of Expression Awards: Digital activism nominee " +"Tails](http://www.indexoncensorship.org/2014/03/index-freedom-expression-" +"awards-digital-activism-nominee-tails/), Alice Kirkland interviews the Tails " +"project about our nomination for the *Censorship’s Freedom of Expression " +"Awards*." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-03-13: In his [Les 7 clés pour protéger ses communications](http://www." +"tdg.ch/high-tech/web/Les-7-cles-pour-proteger-ses-communications/" +"story/25588689) article (in French) published by the *Tribune de Genève*, " +"Simon Koch recommends using Tails." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-03-12: In his [Happy 25th Birthday World Wide Web - Let's Not Destroy " +"It](http://www.huffingtonpost.co.uk/mike-harris/world-wide-web_b_4947687." +"html?utm_hp_ref=uk) article published by the Huffington Post, Mike Harris " +"writes that \"Increasing numbers of activists are using high-tech tools such " +"as Tor or Tails to encrpyt their internet browsing and email\"." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-03-12: In his [US and UK Spy Agencies Are \"Enemies of the Internet\"]" +"(http://motherboard.vice.com/read/us-and-uk-spy-agencies-are-enemies-of-the-" +"internet) article, published in the Motherboard section of the Vice " +"network, Joseph Cox covers Reporters Without Borders' [latest report]" +"(https://en.rsf.org/enemies-of-the-internet-2014-11-03-2014,45985.html), and " +"writes \"If you're a journalist working on anything more sensitive than " +"London Fashion Week or League 2 football, you might want to consider using " +"the Linux-based 'Tails' operating system too.\"" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-03-08: [Reporters Without Borders](http://en.rsf.org/)'s Grégoire " +"Pouget blogs about Tails: [FIC 2014 : Comment être réellement anonyme sur " +"Internet](http://blog.barbayellow.com/2014/03/08/fic-2014-comment-etre-" +"reellement-anonyme-sur-internet/) (in French)." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-03-04: Tails [wins](https://twitter.com/accessnow/" +"status/441043400708857856) the [2014 Access Innovation Prize](https://www." +"accessnow.org/prize), that was focused this year on Endpoint Security." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-03-03: In the March edition of the Linux Journal, that [celebrates 20 " +"years of this journal](http://www.linuxjournal.com/content/march-2014-issue-" +"linux-journal-20-years-linux-journal), Kyle demonstrates Tails." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-02-27: The Daily Dot announced the experiments on porting Tails to " +"mobile devices in \"[Tor takes anonymity mobile with new smartphone OS]" +"(http://www.dailydot.com/technology/tor-anonymous-os-tails-freitas/)\" and " +"\"[Beta testing for Tor's anonymous mobile OS begins this spring](http://www." +"dailydot.com/technology/tor-anonymous-mobile-os-tails/)\". Note that this " +"is not an official project of Tails, see the homepage of the [Tomy " +"Detachable Secure Mobile System](https://dev.guardianproject.info/projects/" +"libro/wiki/Tomy_Detachable_Secure_Mobile_System) project for more info." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-02-27: In his article \"[Why It’s Vital For Users to Fund Open-Source " +"Encryption Tools](https://pressfreedomfoundation.org/blog/2014/02/why-its-" +"vital-public-fund-open-source-encryption-tools)\" Trevor Timm from Freedom " +"of the Press Foundation explains that Tails « has been vital for most, if " +"not all, of the NSA journalists. [...] Its prime use case is journalists " +"trying to communicate or work in environments in which they may normally be " +"at risk or compromised. The NSA stories have been the biggest story in " +"journalism in the past decade, yet the tool the reporters rely on is " +"incredibly underfunded, is maintained by only a handful of developers, and " +"operates on a shoestring budget. »" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-02-07: In his review of [uVirtus](http://uvirtus.org), Kheops, from " +"Telecomix concludes that « Users should prefer Tails and other mature secure " +"live distributions (such as IprediaOS, Liberté Linux, Privatix and Whonix) " +"over uVirtus since they provide a real safety improvement to the user. For " +"any activity that does not entail transferring large quantities of data " +"(such as video files), there is no strong reason to prefer uVirtus over any " +"of these. »" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-01-14: On Linux.com, Carla Schroder [picks Tails](https://www.linux.com/" +"news/software/applications/752221-the-top-7-best-linux-distros-for-2014/) " +"as the best Linux distribution for 2014 in the \"Best Fighting the Man Distro" +"\" category." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-01-07: [A RAT in the Registry: The Case for Martus on TAILS](http://" +"benetech.org/2014/01/07/a-rat-in-the-registry-the-case-for-martus-on-" +"tails/) explains how Benetech have selected TAILS (The Amnesic Incognito " +"Live System) to be the default environment for their use of Martus while " +"defending Tibetan human rights defenders against targeted malware attacks." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2014-01: \"Tails: The Amnesiac Incognito Live System – Privacy for Anyone " +"Anywhere\", by Russ McRee, in this month's issue of the [Information Systems " +"Security Association Journal](http://www.issa.org/?page=ISSAJournal)." +msgstr "" diff --git a/wiki/src/press/media_appearances_2015.de.po b/wiki/src/press/media_appearances_2015.de.po new file mode 100644 index 0000000000000000000000000000000000000000..b6dc8e8c64aff1e973e8cb9a865a5e0e14092df3 --- /dev/null +++ b/wiki/src/press/media_appearances_2015.de.po @@ -0,0 +1,75 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-16 12:48+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Media appearances in 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"* The release of Tails 1.3 was covered by quite a few interesting\n" +" articles:\n" +" * 2015-03-14: [Tails 1.3 : l’OS préféré d’Edward Snowden, testé par\n" +" Mammoutux](http://mammoutux.free.fr/?Tails-1-3-l-OS-prefere-d-Edward)\n" +" by Brutux (in French).\n" +" * 2015-03-01: [Lançado Tails 1.3](http://www.revista.espiritolivre.org/lancado-tails-1-3/)\n" +" in Espírito livre (in Portuguese).\n" +" * 2015-02-27: [Tails 1.3 Released, Introduces 'Electrum Bitcoin Wallet'](http://thehackernews.com/2015/02/tails-tor-privacy-tools.html)\n" +" by Wang Wei on The Hacker News.\n" +" * 2015-02-26: [The World's ‘Most Secure’ Operating System Adds a\n" +" Bitcoin Wallet](http://cointelegraph.com/news/113562/the-worlds-most-secure-operating-system-adds-a-bitcoin-wallet)\n" +" by Ian DeMartino for the cryptocurrency community.\n" +" * 2015-02-25: [Tails : La distribution Linux axée sur la sécurité passe à la version 1.3. L'OS préféré de Snowden renforce ses fonctions de sécurité](http://www.developpez.com/actu/81800/Tails-La-distribution-Linux-axee-sur-la-securite-passe-a-la-version-1-3-l-OS-prefere-de-Snowden-renforce-ses-fonctions-de-securite/)\n" +" by Michael Guilloux in Developpez.com (in French).\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2015-02-20: In ['Citizenfour' Will Receive The Ridenhour Documentary Film " +"Prize](http://www.nationinstitute.org/blog/prizes/4376/%22citizenfour" +"%22_will_receive_the_ridenhour_documentary_film_prize/), Laura Poitras " +"announces that \"the prize money for the award will be given to the Tails " +"Free Software project\" because \"this film and our NSA reporting would not " +"have been possible without the work of the Free Software community that " +"builds free tools to communicate privately\"." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2015-02-05: (in French) In a [note to the French parliamentary commission on " +"digital rights and freedom](http://blogs.mediapart.fr/edition/libres-enfants-" +"du-numerique/article/050215/le-droit-lanonymat-et-au-chiffrement), Philippe " +"Aigrain explains that tools like Tor and Tails are bringing together the " +"necessary conditions, from a technical point of view, to defend our rights " +"to anonymity and privacy against massive surveillance programs." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Websites that want to secure their journalistic sources like [The Intercept]" +"(https://firstlook.org/theintercept/2015/01/28/how-to-leak-to-the-" +"intercept/) and [Sourcesûre](https://sourcesure.eu/), created by French " +"speaking media [Le Monde](http://www.lemonde.fr/pixels/article/2015/02/12/" +"source-sure-une-plate-forme-securisee-pour-lanceurs-d-alerte_4574820_4408996." +"html), La Libre Belgique, Le Soir de Bruxelles, and [RTBF](http://www.rtbf." +"be/info/medias/detail_un-site-pour-garantir-la-confidentialite-des-" +"informateurs-de-presse?id=8897921), recommend their sources and journalists " +"to use Tails." +msgstr "" diff --git a/wiki/src/press/media_appearances_2015.fr.po b/wiki/src/press/media_appearances_2015.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..b6dc8e8c64aff1e973e8cb9a865a5e0e14092df3 --- /dev/null +++ b/wiki/src/press/media_appearances_2015.fr.po @@ -0,0 +1,75 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-16 12:48+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Media appearances in 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"* The release of Tails 1.3 was covered by quite a few interesting\n" +" articles:\n" +" * 2015-03-14: [Tails 1.3 : l’OS préféré d’Edward Snowden, testé par\n" +" Mammoutux](http://mammoutux.free.fr/?Tails-1-3-l-OS-prefere-d-Edward)\n" +" by Brutux (in French).\n" +" * 2015-03-01: [Lançado Tails 1.3](http://www.revista.espiritolivre.org/lancado-tails-1-3/)\n" +" in Espírito livre (in Portuguese).\n" +" * 2015-02-27: [Tails 1.3 Released, Introduces 'Electrum Bitcoin Wallet'](http://thehackernews.com/2015/02/tails-tor-privacy-tools.html)\n" +" by Wang Wei on The Hacker News.\n" +" * 2015-02-26: [The World's ‘Most Secure’ Operating System Adds a\n" +" Bitcoin Wallet](http://cointelegraph.com/news/113562/the-worlds-most-secure-operating-system-adds-a-bitcoin-wallet)\n" +" by Ian DeMartino for the cryptocurrency community.\n" +" * 2015-02-25: [Tails : La distribution Linux axée sur la sécurité passe à la version 1.3. L'OS préféré de Snowden renforce ses fonctions de sécurité](http://www.developpez.com/actu/81800/Tails-La-distribution-Linux-axee-sur-la-securite-passe-a-la-version-1-3-l-OS-prefere-de-Snowden-renforce-ses-fonctions-de-securite/)\n" +" by Michael Guilloux in Developpez.com (in French).\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2015-02-20: In ['Citizenfour' Will Receive The Ridenhour Documentary Film " +"Prize](http://www.nationinstitute.org/blog/prizes/4376/%22citizenfour" +"%22_will_receive_the_ridenhour_documentary_film_prize/), Laura Poitras " +"announces that \"the prize money for the award will be given to the Tails " +"Free Software project\" because \"this film and our NSA reporting would not " +"have been possible without the work of the Free Software community that " +"builds free tools to communicate privately\"." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2015-02-05: (in French) In a [note to the French parliamentary commission on " +"digital rights and freedom](http://blogs.mediapart.fr/edition/libres-enfants-" +"du-numerique/article/050215/le-droit-lanonymat-et-au-chiffrement), Philippe " +"Aigrain explains that tools like Tor and Tails are bringing together the " +"necessary conditions, from a technical point of view, to defend our rights " +"to anonymity and privacy against massive surveillance programs." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Websites that want to secure their journalistic sources like [The Intercept]" +"(https://firstlook.org/theintercept/2015/01/28/how-to-leak-to-the-" +"intercept/) and [Sourcesûre](https://sourcesure.eu/), created by French " +"speaking media [Le Monde](http://www.lemonde.fr/pixels/article/2015/02/12/" +"source-sure-une-plate-forme-securisee-pour-lanceurs-d-alerte_4574820_4408996." +"html), La Libre Belgique, Le Soir de Bruxelles, and [RTBF](http://www.rtbf." +"be/info/medias/detail_un-site-pour-garantir-la-confidentialite-des-" +"informateurs-de-presse?id=8897921), recommend their sources and journalists " +"to use Tails." +msgstr "" diff --git a/wiki/src/press/media_appearances_2015.mdwn b/wiki/src/press/media_appearances_2015.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..71e64bb22dc31d128750ac8abd3de017d1798bcc --- /dev/null +++ b/wiki/src/press/media_appearances_2015.mdwn @@ -0,0 +1,41 @@ +[[!meta title="Media appearances in 2015"]] + +* The release of Tails 1.3 was covered by quite a few interesting + articles: + * 2015-03-14: [Tails 1.3 : l’OS préféré d’Edward Snowden, testé par + Mammoutux](http://mammoutux.free.fr/?Tails-1-3-l-OS-prefere-d-Edward) + by Brutux (in French). + * 2015-03-01: [Lançado Tails 1.3](http://www.revista.espiritolivre.org/lancado-tails-1-3/) + in Espírito livre (in Portuguese). + * 2015-02-27: [Tails 1.3 Released, Introduces 'Electrum Bitcoin Wallet'](http://thehackernews.com/2015/02/tails-tor-privacy-tools.html) + by Wang Wei on The Hacker News. + * 2015-02-26: [The World's ‘Most Secure’ Operating System Adds a + Bitcoin Wallet](http://cointelegraph.com/news/113562/the-worlds-most-secure-operating-system-adds-a-bitcoin-wallet) + by Ian DeMartino for the cryptocurrency community. + * 2015-02-25: [Tails : La distribution Linux axée sur la sécurité passe à la version 1.3. L'OS préféré de Snowden renforce ses fonctions de sécurité](http://www.developpez.com/actu/81800/Tails-La-distribution-Linux-axee-sur-la-securite-passe-a-la-version-1-3-l-OS-prefere-de-Snowden-renforce-ses-fonctions-de-securite/) + by Michael Guilloux in Developpez.com (in French). + +* 2015-02-20: In ['Citizenfour' Will Receive The Ridenhour Documentary + Film + Prize](http://www.nationinstitute.org/blog/prizes/4376/%22citizenfour%22_will_receive_the_ridenhour_documentary_film_prize/), + Laura Poitras announces that "the prize money for the award will be + given to the Tails Free Software project" because "this film and our + NSA reporting would not have been possible without the work of the + Free Software community that builds free tools to communicate + privately". + +* 2015-02-05: (in French) In a [note to the French parliamentary + commission on digital rights and freedom](http://blogs.mediapart.fr/edition/libres-enfants-du-numerique/article/050215/le-droit-lanonymat-et-au-chiffrement), + Philippe Aigrain explains that tools like Tor and Tails are bringing + together the necessary conditions, from a technical point of view, to + defend our rights to anonymity and privacy against massive + surveillance programs. + +* Websites that want to secure their journalistic sources like + [The Intercept](https://firstlook.org/theintercept/2015/01/28/how-to-leak-to-the-intercept/) + and [Sourcesûre](https://sourcesure.eu/), created by French speaking + media + [Le Monde](http://www.lemonde.fr/pixels/article/2015/02/12/source-sure-une-plate-forme-securisee-pour-lanceurs-d-alerte_4574820_4408996.html), + La Libre Belgique, Le Soir de Bruxelles, and + [RTBF](http://www.rtbf.be/info/medias/detail_un-site-pour-garantir-la-confidentialite-des-informateurs-de-presse?id=8897921), recommend their sources and + journalists to use Tails. diff --git a/wiki/src/press/media_appearances_2015.pt.po b/wiki/src/press/media_appearances_2015.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..b6dc8e8c64aff1e973e8cb9a865a5e0e14092df3 --- /dev/null +++ b/wiki/src/press/media_appearances_2015.pt.po @@ -0,0 +1,75 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-16 12:48+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Media appearances in 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"* The release of Tails 1.3 was covered by quite a few interesting\n" +" articles:\n" +" * 2015-03-14: [Tails 1.3 : l’OS préféré d’Edward Snowden, testé par\n" +" Mammoutux](http://mammoutux.free.fr/?Tails-1-3-l-OS-prefere-d-Edward)\n" +" by Brutux (in French).\n" +" * 2015-03-01: [Lançado Tails 1.3](http://www.revista.espiritolivre.org/lancado-tails-1-3/)\n" +" in Espírito livre (in Portuguese).\n" +" * 2015-02-27: [Tails 1.3 Released, Introduces 'Electrum Bitcoin Wallet'](http://thehackernews.com/2015/02/tails-tor-privacy-tools.html)\n" +" by Wang Wei on The Hacker News.\n" +" * 2015-02-26: [The World's ‘Most Secure’ Operating System Adds a\n" +" Bitcoin Wallet](http://cointelegraph.com/news/113562/the-worlds-most-secure-operating-system-adds-a-bitcoin-wallet)\n" +" by Ian DeMartino for the cryptocurrency community.\n" +" * 2015-02-25: [Tails : La distribution Linux axée sur la sécurité passe à la version 1.3. L'OS préféré de Snowden renforce ses fonctions de sécurité](http://www.developpez.com/actu/81800/Tails-La-distribution-Linux-axee-sur-la-securite-passe-a-la-version-1-3-l-OS-prefere-de-Snowden-renforce-ses-fonctions-de-securite/)\n" +" by Michael Guilloux in Developpez.com (in French).\n" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2015-02-20: In ['Citizenfour' Will Receive The Ridenhour Documentary Film " +"Prize](http://www.nationinstitute.org/blog/prizes/4376/%22citizenfour" +"%22_will_receive_the_ridenhour_documentary_film_prize/), Laura Poitras " +"announces that \"the prize money for the award will be given to the Tails " +"Free Software project\" because \"this film and our NSA reporting would not " +"have been possible without the work of the Free Software community that " +"builds free tools to communicate privately\"." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"2015-02-05: (in French) In a [note to the French parliamentary commission on " +"digital rights and freedom](http://blogs.mediapart.fr/edition/libres-enfants-" +"du-numerique/article/050215/le-droit-lanonymat-et-au-chiffrement), Philippe " +"Aigrain explains that tools like Tor and Tails are bringing together the " +"necessary conditions, from a technical point of view, to defend our rights " +"to anonymity and privacy against massive surveillance programs." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Websites that want to secure their journalistic sources like [The Intercept]" +"(https://firstlook.org/theintercept/2015/01/28/how-to-leak-to-the-" +"intercept/) and [Sourcesûre](https://sourcesure.eu/), created by French " +"speaking media [Le Monde](http://www.lemonde.fr/pixels/article/2015/02/12/" +"source-sure-une-plate-forme-securisee-pour-lanceurs-d-alerte_4574820_4408996." +"html), La Libre Belgique, Le Soir de Bruxelles, and [RTBF](http://www.rtbf." +"be/info/medias/detail_un-site-pour-garantir-la-confidentialite-des-" +"informateurs-de-presse?id=8897921), recommend their sources and journalists " +"to use Tails." +msgstr "" diff --git a/wiki/src/security.de.po b/wiki/src/security.de.po index 730e9e1e956c165320317ebf4549f39cb267ae1c..c71b1c5a96a5bde043347eb23973cd4f81d6dcb2 100644 --- a/wiki/src/security.de.po +++ b/wiki/src/security.de.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-07-25 00:54+0300\n" -"PO-Revision-Date: 2014-04-16 21:17+0100\n" +"POT-Creation-Date: 2015-05-08 02:10+0300\n" +"PO-Revision-Date: 2015-03-31 18:36+0200\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" @@ -27,9 +27,12 @@ msgid "[[!toc levels=3]]\n" msgstr "[[!toc levels=3]]\n" #. type: Plain text -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| "[[!inline pages=\"security/* and !security/audits and !security/audits.* and !security/audits/* and currentlang()\"\n" +#| "actions=no archive=yes feedonly=yes show=10]]\n" msgid "" -"[[!inline pages=\"security/* and !security/audits and !security/audits.* and !security/audits/* and currentlang()\"\n" +"[[!inline pages=\"page(security/*) and !security/audits and !security/audits.* and !security/audits/* and currentlang()\"\n" "actions=no archive=yes feedonly=yes show=10]]\n" msgstr "" "[[!inline pages=\"security/* and !security/audits and !security/audits.* and !security/audits/* and currentlang()\"\n" @@ -87,8 +90,8 @@ msgstr "Derzeitige Lücken" #| "[[!inline pages=\"security/* and tagged(security/probable) and currentlang()\"\n" #| "actions=no archive=yes feeds=no show=0]]\n" msgid "" -"[[!inline pages=\"security/* and ! tagged(security/probable)\n" -"and ! tagged(security/fixed) and currentlang() and created_after(security/Numerous_security_holes_in_1.0.1)\"\n" +"[[!inline pages=\"page(security/*) and ! tagged(security/probable)\n" +"and ! tagged(security/fixed) and currentlang() and created_after(security/Numerous_security_holes_in_1.2)\"\n" "actions=no archive=yes feeds=no show=0]]\n" msgstr "" "[[!inline pages=\"security/* and tagged(security/probable) and currentlang()\"\n" @@ -111,9 +114,12 @@ msgstr "" "besteht." #. type: Plain text -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| "[[!inline pages=\"security/* and tagged(security/probable) and currentlang()\"\n" +#| "actions=no archive=yes feeds=no show=0]]\n" msgid "" -"[[!inline pages=\"security/* and tagged(security/probable) and currentlang()\"\n" +"[[!inline pages=\"page(security/*) and tagged(security/probable) and currentlang()\"\n" "actions=no archive=yes feeds=no show=0]]\n" msgstr "" "[[!inline pages=\"security/* and tagged(security/probable) and currentlang()\"\n" @@ -128,15 +134,18 @@ msgstr "Behobene Lücken" #, no-wrap msgid "" "**WARNING**: some of these holes may only be fixed in [[Git|contribute/git]].\n" -"Please carefully read the \"Affected versions\" sections bellow.\n" +"Please carefully read the \"Affected versions\" sections below.\n" msgstr "" "**ACHTUNG**: Möglicherweise sind einige Lücken nur in der [[Git|contribute/git]]-Version behoben.\n" "Bitte lesen Sie sorgfältig den Abschnitt \"Betroffene Versionen\" durch.\n" #. type: Plain text -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| "[[!inline pages=\"security/* and tagged(security/fixed) and currentlang()\"\n" +#| "actions=no archive=yes feeds=no show=0]]\n" msgid "" -"[[!inline pages=\"security/* and tagged(security/fixed) and currentlang()\"\n" +"[[!inline pages=\"page(security/*) and tagged(security/fixed) and currentlang()\"\n" "actions=no archive=yes feeds=no show=0]]\n" msgstr "" "[[!inline pages=\"security/* and tagged(security/fixed) and currentlang()\"\n" @@ -155,8 +164,10 @@ msgstr "" "audits]] zu finden." #~ msgid "" -#~ "[[!inline pages=\"security/* and tagged(security/current) and currentlang()\"\n" +#~ "[[!inline pages=\"security/* and tagged(security/current) and currentlang" +#~ "()\"\n" #~ "actions=no archive=yes feeds=no show=0]]\n" #~ msgstr "" -#~ "[[!inline pages=\"security/* and tagged(security/current) and currentlang()\"\n" +#~ "[[!inline pages=\"security/* and tagged(security/current) and currentlang" +#~ "()\"\n" #~ "actions=no archive=yes feeds=no show=0]]\n" diff --git a/wiki/src/security.fr.po b/wiki/src/security.fr.po index 07a93d57846bc288c6f5c0eea8faa548775583d7..6c4161f89a57212d770b687b80215b72005c09e5 100644 --- a/wiki/src/security.fr.po +++ b/wiki/src/security.fr.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-07-25 00:54+0300\n" -"PO-Revision-Date: 2014-04-26 12:23+0200\n" +"POT-Creation-Date: 2015-05-08 02:10+0300\n" +"PO-Revision-Date: 2015-03-31 18:37+0200\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" @@ -27,9 +27,12 @@ msgid "[[!toc levels=3]]\n" msgstr "[[!toc levels=3]]\n" #. type: Plain text -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| "[[!inline pages=\"security/* and !security/audits and !security/audits.* and !security/audits/* and currentlang()\"\n" +#| "actions=no archive=yes feedonly=yes show=10]]\n" msgid "" -"[[!inline pages=\"security/* and !security/audits and !security/audits.* and !security/audits/* and currentlang()\"\n" +"[[!inline pages=\"page(security/*) and !security/audits and !security/audits.* and !security/audits/* and currentlang()\"\n" "actions=no archive=yes feedonly=yes show=10]]\n" msgstr "" "[[!inline pages=\"security/* and !security/audits and !security/audits.* and !security/audits/* and currentlang()\"\n" @@ -87,8 +90,8 @@ msgstr "Problèmes actuels" #| "[[!inline pages=\"security/* and tagged(security/probable) and currentlang()\"\n" #| "actions=no archive=yes feeds=no show=0]]\n" msgid "" -"[[!inline pages=\"security/* and ! tagged(security/probable)\n" -"and ! tagged(security/fixed) and currentlang() and created_after(security/Numerous_security_holes_in_1.0.1)\"\n" +"[[!inline pages=\"page(security/*) and ! tagged(security/probable)\n" +"and ! tagged(security/fixed) and currentlang() and created_after(security/Numerous_security_holes_in_1.2)\"\n" "actions=no archive=yes feeds=no show=0]]\n" msgstr "" "[[!inline pages=\"security* and tagged(security/probable) and currentlang()\"\n" @@ -110,9 +113,12 @@ msgstr "" "devraient être considérées comme − au moins − possibles." #. type: Plain text -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| "[[!inline pages=\"security/* and tagged(security/probable) and currentlang()\"\n" +#| "actions=no archive=yes feeds=no show=0]]\n" msgid "" -"[[!inline pages=\"security/* and tagged(security/probable) and currentlang()\"\n" +"[[!inline pages=\"page(security/*) and tagged(security/probable) and currentlang()\"\n" "actions=no archive=yes feeds=no show=0]]\n" msgstr "" "[[!inline pages=\"security* and tagged(security/probable) and currentlang()\"\n" @@ -127,16 +133,19 @@ msgstr "Problèmes corrigés" #, no-wrap msgid "" "**WARNING**: some of these holes may only be fixed in [[Git|contribute/git]].\n" -"Please carefully read the \"Affected versions\" sections bellow.\n" +"Please carefully read the \"Affected versions\" sections below.\n" msgstr "" "**ATTENTION** : certains de ces problèmes sont peut-être corrigés uniquement\n" "dans le dépôt [[Git|contribute/git]].\n" "Lisez attentivement les paragraphes \"Versions affectées\".\n" #. type: Plain text -#, no-wrap +#, fuzzy, no-wrap +#| msgid "" +#| "[[!inline pages=\"security/* and tagged(security/fixed) and currentlang()\"\n" +#| "actions=no archive=yes feeds=no show=0]]\n" msgid "" -"[[!inline pages=\"security/* and tagged(security/fixed) and currentlang()\"\n" +"[[!inline pages=\"page(security/*) and tagged(security/fixed) and currentlang()\"\n" "actions=no archive=yes feeds=no show=0]]\n" msgstr "" "[[!inline pages=\"security* and tagged(security/fixed) and currentlang()\"\n" @@ -155,8 +164,10 @@ msgstr "" "audits]]." #~ msgid "" -#~ "[[!inline pages=\"security/* and tagged(security/current) and currentlang()\"\n" +#~ "[[!inline pages=\"security/* and tagged(security/current) and currentlang" +#~ "()\"\n" #~ "actions=no archive=yes feeds=no show=0]]\n" #~ msgstr "" -#~ "[[!inline pages=\"security* and tagged(security/current) and currentlang()\"\n" +#~ "[[!inline pages=\"security* and tagged(security/current) and currentlang" +#~ "()\"\n" #~ "actions=no archive=yes feeds=no show=0]]\n" diff --git a/wiki/src/security.mdwn b/wiki/src/security.mdwn index 338452eaafea3d8248c8cf39c1afadd1cbbaa603..5007f70e2f50156797a5a74a51f0991ebfc406cc 100644 --- a/wiki/src/security.mdwn +++ b/wiki/src/security.mdwn @@ -2,7 +2,7 @@ [[!toc levels=3]] -[[!inline pages="security/* and !security/audits and !security/audits.* and !security/audits/* and currentlang()" +[[!inline pages="page(security/*) and !security/audits and !security/audits.* and !security/audits/* and currentlang()" actions=no archive=yes feedonly=yes show=10]] Since Tails is based on Debian, it takes advantage of all the work done by the @@ -23,8 +23,8 @@ Debian. # Current holes -[[!inline pages="security/* and ! tagged(security/probable) -and ! tagged(security/fixed) and currentlang() and created_after(security/Numerous_security_holes_in_1.0.1)" +[[!inline pages="page(security/*) and ! tagged(security/probable) +and ! tagged(security/fixed) and currentlang() and created_after(security/Numerous_security_holes_in_1.2)" actions=no archive=yes feeds=no show=0]] # Probable holes @@ -33,15 +33,15 @@ Until an [[!tails_ticket 5769 desc="audit"]] of the bundled network applications is done, information leakages at the protocol level should be considered as − at the very least − possible. -[[!inline pages="security/* and tagged(security/probable) and currentlang()" +[[!inline pages="page(security/*) and tagged(security/probable) and currentlang()" actions=no archive=yes feeds=no show=0]] # Fixed holes **WARNING**: some of these holes may only be fixed in [[Git|contribute/git]]. -Please carefully read the "Affected versions" sections bellow. +Please carefully read the "Affected versions" sections below. -[[!inline pages="security/* and tagged(security/fixed) and currentlang()" +[[!inline pages="page(security/*) and tagged(security/fixed) and currentlang()" actions=no archive=yes feeds=no show=0]] # Audits diff --git a/wiki/src/security.pt.po b/wiki/src/security.pt.po index 76c5e87c4fc21700dc8574cb2cdc941df294e0b7..2703570ca71dab4ba845adf9b246f045c106491e 100644 --- a/wiki/src/security.pt.po +++ b/wiki/src/security.pt.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-07-25 00:54+0300\n" -"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"POT-Creation-Date: 2015-05-08 02:10+0300\n" +"PO-Revision-Date: 2015-03-31 18:36+0200\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" @@ -29,7 +29,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "" -"[[!inline pages=\"security/* and !security/audits and !security/audits.* and !security/audits/* and currentlang()\"\n" +"[[!inline pages=\"page(security/*) and !security/audits and !security/audits.* and !security/audits/* and currentlang()\"\n" "actions=no archive=yes feedonly=yes show=10]]\n" msgstr "" @@ -71,8 +71,8 @@ msgstr "Brechas atuais" #. type: Plain text #, no-wrap msgid "" -"[[!inline pages=\"security/* and ! tagged(security/probable)\n" -"and ! tagged(security/fixed) and currentlang() and created_after(security/Numerous_security_holes_in_1.0.1)\"\n" +"[[!inline pages=\"page(security/*) and ! tagged(security/probable)\n" +"and ! tagged(security/fixed) and currentlang() and created_after(security/Numerous_security_holes_in_1.2)\"\n" "actions=no archive=yes feeds=no show=0]]\n" msgstr "" @@ -99,7 +99,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "" -"[[!inline pages=\"security/* and tagged(security/probable) and currentlang()\"\n" +"[[!inline pages=\"page(security/*) and tagged(security/probable) and currentlang()\"\n" "actions=no archive=yes feeds=no show=0]]\n" msgstr "" @@ -112,7 +112,7 @@ msgstr "Brechas corrigidas" #, no-wrap msgid "" "**WARNING**: some of these holes may only be fixed in [[Git|contribute/git]].\n" -"Please carefully read the \"Affected versions\" sections bellow.\n" +"Please carefully read the \"Affected versions\" sections below.\n" msgstr "" "**ADVERTÊNCIA**: algumas destas brechas podem ter sido corrigidas apenas no [[Git|contribute/git]].\n" "Por gentileza leia a seção \"Versões afetadas\" abaixo.\n" @@ -120,7 +120,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "" -"[[!inline pages=\"security/* and tagged(security/fixed) and currentlang()\"\n" +"[[!inline pages=\"page(security/*) and tagged(security/fixed) and currentlang()\"\n" "actions=no archive=yes feeds=no show=0]]\n" msgstr "" diff --git a/wiki/src/security/Numerous_security_holes_in_0.10.de.po b/wiki/src/security/Numerous_security_holes_in_0.10.de.po index b9d6d0f413ddf68ccef5151f2e553ed47108b49a..ce8fa433cd1769a5371cc42862149106041a5c59 100644 --- a/wiki/src/security/Numerous_security_holes_in_0.10.de.po +++ b/wiki/src/security/Numerous_security_holes_in_0.10.de.po @@ -53,17 +53,17 @@ msgid "" msgstr "" #. type: Bullet: '* ' -msgid "foomatic-filters ([[!debsa2012 2380-1]])" +msgid "foomatic-filters ([[!debsa2012 2380]])" msgstr "" #. type: Bullet: '* ' -msgid "t1lib ([[!debsa2012 2388-1]])" +msgid "t1lib ([[!debsa2012 2388]])" msgstr "" #. type: Bullet: '* ' -msgid "openssl ([[!debsa2012 2390-1]], [[!debsa2012 2392-1]])" +msgid "openssl ([[!debsa2012 2390]], [[!debsa2012 2392]])" msgstr "" #. type: Bullet: '* ' -msgid "libxml2 ([[!debsa2012 2394-1]])" +msgid "libxml2 ([[!debsa2012 2394]])" msgstr "" diff --git a/wiki/src/security/Numerous_security_holes_in_0.10.fr.po b/wiki/src/security/Numerous_security_holes_in_0.10.fr.po index c9e6fce0815315d7db2242e3f71574e5beba9d71..aaea9ce69bbdd9968e17456042955ebbbf137f8a 100644 --- a/wiki/src/security/Numerous_security_holes_in_0.10.fr.po +++ b/wiki/src/security/Numerous_security_holes_in_0.10.fr.po @@ -53,17 +53,17 @@ msgid "" msgstr "" #. type: Bullet: '* ' -msgid "foomatic-filters ([[!debsa2012 2380-1]])" +msgid "foomatic-filters ([[!debsa2012 2380]])" msgstr "" #. type: Bullet: '* ' -msgid "t1lib ([[!debsa2012 2388-1]])" +msgid "t1lib ([[!debsa2012 2388]])" msgstr "" #. type: Bullet: '* ' -msgid "openssl ([[!debsa2012 2390-1]], [[!debsa2012 2392-1]])" +msgid "openssl ([[!debsa2012 2390]], [[!debsa2012 2392]])" msgstr "" #. type: Bullet: '* ' -msgid "libxml2 ([[!debsa2012 2394-1]])" +msgid "libxml2 ([[!debsa2012 2394]])" msgstr "" diff --git a/wiki/src/security/Numerous_security_holes_in_0.10.mdwn b/wiki/src/security/Numerous_security_holes_in_0.10.mdwn index bf615feb53ef8c00477a0c9ef2e2874e77eda861..9fb79716d4257f7adc1617189795f187fd486300 100644 --- a/wiki/src/security/Numerous_security_holes_in_0.10.mdwn +++ b/wiki/src/security/Numerous_security_holes_in_0.10.mdwn @@ -13,7 +13,7 @@ Details * Linux kernel ([[!cve CVE-2012-0056]], [[!cve CVE-2012-0207]], [[!cve CVE-2011-4127]], [[!cve CVE-2011-4622]]) -* foomatic-filters ([[!debsa2012 2380-1]]) -* t1lib ([[!debsa2012 2388-1]]) -* openssl ([[!debsa2012 2390-1]], [[!debsa2012 2392-1]]) -* libxml2 ([[!debsa2012 2394-1]]) +* foomatic-filters ([[!debsa2012 2380]]) +* t1lib ([[!debsa2012 2388]]) +* openssl ([[!debsa2012 2390]], [[!debsa2012 2392]]) +* libxml2 ([[!debsa2012 2394]]) diff --git a/wiki/src/security/Numerous_security_holes_in_0.10.pt.po b/wiki/src/security/Numerous_security_holes_in_0.10.pt.po index c0779ad3a89ad1b0807ee660cbc1e2488fe5f265..ad0b5b2838e59488b02875fc85f2eb61554ae984 100644 --- a/wiki/src/security/Numerous_security_holes_in_0.10.pt.po +++ b/wiki/src/security/Numerous_security_holes_in_0.10.pt.po @@ -53,17 +53,17 @@ msgid "" msgstr "" #. type: Bullet: '* ' -msgid "foomatic-filters ([[!debsa2012 2380-1]])" +msgid "foomatic-filters ([[!debsa2012 2380]])" msgstr "" #. type: Bullet: '* ' -msgid "t1lib ([[!debsa2012 2388-1]])" +msgid "t1lib ([[!debsa2012 2388]])" msgstr "" #. type: Bullet: '* ' -msgid "openssl ([[!debsa2012 2390-1]], [[!debsa2012 2392-1]])" +msgid "openssl ([[!debsa2012 2390]], [[!debsa2012 2392]])" msgstr "" #. type: Bullet: '* ' -msgid "libxml2 ([[!debsa2012 2394-1]])" +msgid "libxml2 ([[!debsa2012 2394]])" msgstr "" diff --git a/wiki/src/security/Numerous_security_holes_in_1.0.1.de.po b/wiki/src/security/Numerous_security_holes_in_1.0.1.de.po index 5c82212f380f943ecf0aa96e28a825fbec92ab63..7b174d4da7f36772da09f445c30198e9d43e3b27 100644 --- a/wiki/src/security/Numerous_security_holes_in_1.0.1.de.po +++ b/wiki/src/security/Numerous_security_holes_in_1.0.1.de.po @@ -66,21 +66,21 @@ msgid "libxml2: [[!debsa2014 2978]]" msgstr "" #. type: Bullet: ' - ' -msgid "dbus: [[!debsa2014 2971-1]]" +msgid "dbus: [[!debsa2014 2971]]" msgstr "" #. type: Bullet: ' - ' -msgid "linux: [[!debsa2014 2972-1]]" +msgid "linux: [[!debsa2014 2972]]" msgstr "" #. type: Bullet: ' - ' -msgid "gnupg: [[!debsa2014 2967-1]]" +msgid "gnupg: [[!debsa2014 2967]]" msgstr "" #. type: Bullet: ' - ' -msgid "tiff: [[!debsa2014 2965-1]]" +msgid "tiff: [[!debsa2014 2965]]" msgstr "" #. type: Bullet: ' - ' -msgid "apt: [[!debsa2014 2958-1]]" +msgid "apt: [[!debsa2014 2958]]" msgstr "" diff --git a/wiki/src/security/Numerous_security_holes_in_1.0.1.fr.po b/wiki/src/security/Numerous_security_holes_in_1.0.1.fr.po index ddb7e4a4527789984c23de0b63c674cb449b0256..0c04bf29a9fbdd36912666c1de35d364b385f528 100644 --- a/wiki/src/security/Numerous_security_holes_in_1.0.1.fr.po +++ b/wiki/src/security/Numerous_security_holes_in_1.0.1.fr.po @@ -66,21 +66,21 @@ msgid "libxml2: [[!debsa2014 2978]]" msgstr "libxml2: [[!debsa2014 2978]]" #. type: Bullet: ' - ' -msgid "dbus: [[!debsa2014 2971-1]]" -msgstr "dbus: [[!debsa2014 2971-1]]" +msgid "dbus: [[!debsa2014 2971]]" +msgstr "dbus: [[!debsa2014 2971]]" #. type: Bullet: ' - ' -msgid "linux: [[!debsa2014 2972-1]]" -msgstr "linux: [[!debsa2014 2972-1]]" +msgid "linux: [[!debsa2014 2972]]" +msgstr "linux: [[!debsa2014 2972]]" #. type: Bullet: ' - ' -msgid "gnupg: [[!debsa2014 2967-1]]" -msgstr "gnupg: [[!debsa2014 2967-1]]" +msgid "gnupg: [[!debsa2014 2967]]" +msgstr "gnupg: [[!debsa2014 2967]]" #. type: Bullet: ' - ' -msgid "tiff: [[!debsa2014 2965-1]]" -msgstr "tiff: [[!debsa2014 2965-1]]" +msgid "tiff: [[!debsa2014 2965]]" +msgstr "tiff: [[!debsa2014 2965]]" #. type: Bullet: ' - ' -msgid "apt: [[!debsa2014 2958-1]]" -msgstr "apt: [[!debsa2014 2958-1]]" +msgid "apt: [[!debsa2014 2958]]" +msgstr "apt: [[!debsa2014 2958]]" diff --git a/wiki/src/security/Numerous_security_holes_in_1.0.1.mdwn b/wiki/src/security/Numerous_security_holes_in_1.0.1.mdwn index 0a4eacb13745ac3b36b281c26e4de89b39a86d3b..211427e95aa479d43dc14ca94954ca4943687dbe 100644 --- a/wiki/src/security/Numerous_security_holes_in_1.0.1.mdwn +++ b/wiki/src/security/Numerous_security_holes_in_1.0.1.mdwn @@ -15,8 +15,8 @@ Details [[!mfsa2014 61]], [[!mfsa2014 62]], [[!mfsa2014 63]], [[!mfsa2014 64]] - libxml2: [[!debsa2014 2978]] - - dbus: [[!debsa2014 2971-1]] - - linux: [[!debsa2014 2972-1]] - - gnupg: [[!debsa2014 2967-1]] - - tiff: [[!debsa2014 2965-1]] - - apt: [[!debsa2014 2958-1]] + - dbus: [[!debsa2014 2971]] + - linux: [[!debsa2014 2972]] + - gnupg: [[!debsa2014 2967]] + - tiff: [[!debsa2014 2965]] + - apt: [[!debsa2014 2958]] diff --git a/wiki/src/security/Numerous_security_holes_in_1.0.1.pt.po b/wiki/src/security/Numerous_security_holes_in_1.0.1.pt.po index 6fef11b40cebdc509817f0c0614780c30f2fd8bc..824d0b4cd615d8ec0181113764cd892eee5792c2 100644 --- a/wiki/src/security/Numerous_security_holes_in_1.0.1.pt.po +++ b/wiki/src/security/Numerous_security_holes_in_1.0.1.pt.po @@ -63,24 +63,24 @@ msgid "libxml2: [[!debsa2014 2978]]" msgstr "libxml2: [[!debsa2014 2978]]" #. type: Bullet: ' - ' -msgid "dbus: [[!debsa2014 2971-1]]" -msgstr "dbus: [[!debsa2014 2971-1]]" +msgid "dbus: [[!debsa2014 2971]]" +msgstr "dbus: [[!debsa2014 2971]]" #. type: Bullet: ' - ' -msgid "linux: [[!debsa2014 2972-1]]" -msgstr "linux: [[!debsa2014 2972-1]]" +msgid "linux: [[!debsa2014 2972]]" +msgstr "linux: [[!debsa2014 2972]]" #. type: Bullet: ' - ' -msgid "gnupg: [[!debsa2014 2967-1]]" -msgstr "gnupg: [[!debsa2014 2967-1]]" +msgid "gnupg: [[!debsa2014 2967]]" +msgstr "gnupg: [[!debsa2014 2967]]" #. type: Bullet: ' - ' -msgid "tiff: [[!debsa2014 2965-1]]" -msgstr "tiff: [[!debsa2014 2965-1]]" +msgid "tiff: [[!debsa2014 2965]]" +msgstr "tiff: [[!debsa2014 2965]]" #. type: Bullet: ' - ' -msgid "apt: [[!debsa2014 2958-1]]" -msgstr "apt: [[!debsa2014 2958-1]]" +msgid "apt: [[!debsa2014 2958]]" +msgstr "apt: [[!debsa2014 2958]]" #~ msgid "Iceweasel and its bundled NSS: MFSA:s to be announced." #~ msgstr "Iceweasel e seu NSS incluso: MFSA:s a ser anunciado." diff --git a/wiki/src/security/Numerous_security_holes_in_1.2.2.de.po b/wiki/src/security/Numerous_security_holes_in_1.2.2.de.po index 6100c7133bda86be0a1b497deb3c44fb50a47e3d..226d5f1c3322a2323e92cc8c17067b5c58729556 100644 --- a/wiki/src/security/Numerous_security_holes_in_1.2.2.de.po +++ b/wiki/src/security/Numerous_security_holes_in_1.2.2.de.po @@ -3,18 +3,18 @@ # This file is distributed under the same license as the PACKAGE package. # FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. # -#, fuzzy msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2015-01-14 20:51+0100\n" -"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" -"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"POT-Creation-Date: 2015-01-14 21:07+0000\n" +"PO-Revision-Date: 2015-01-15 19:49+0100\n" +"Last-Translator: Tails developers <tails@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" -"Language: \n" +"Language: de\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"X-Generator: Poedit 1.5.4\n" #. type: Plain text #, no-wrap @@ -24,102 +24,95 @@ msgstr "" #. type: Plain text #, no-wrap msgid "[[!meta title=\"Numerous security holes in Tails 1.2.2\"]]\n" -msgstr "" +msgstr "[[!meta title=\"Zahlreiche Sicherheitslücken in Tails 1.2.2\"]]\n" #. type: Plain text #, no-wrap msgid "[[!tag security/fixed]]\n" -msgstr "" +msgstr "[[!tag security/fixed]]\n" #. type: Plain text msgid "Several security holes that affect Tails 1.2.2 are now fixed in Tails 1.2.3." -msgstr "" +msgstr "Verschiedene Sicherheitslücken in Tails 1.2.2 wurden in Tails 1.2.3 behoben." #. type: Plain text -msgid "" -"We **strongly** encourage you to [[upgrade to Tails " -"1.2.3|news/version_1.2.3]] as soon as possible." -msgstr "" +msgid "We **strongly** encourage you to [[upgrade to Tails 1.2.3|news/version_1.2.3]] as soon as possible." +msgstr "Wir empfehlen **dringend** schnellstmöglich auf [[Tails 1.2.3 umzusteigen|news/version_1.2.3]]." #. type: Title = #, no-wrap msgid "Details\n" -msgstr "" +msgstr "Details\n" #. type: Bullet: ' - ' -msgid "" -"Tails' MAC spoofing feature may leak the real MAC address ([[!tails_ticket " -"8571]])." -msgstr "" +msgid "Tails' MAC spoofing feature may leak the real MAC address ([[!tails_ticket 8571]])." +msgstr "Tails' Funktion zum Verschleiern der MAC-Adresse kann die tatsächliche MAC-Adresse enthüllen ([[!tails_ticket 8571]])." #. type: Bullet: ' - ' -msgid "" -"The Unsafe Browser checks for an upgrade of the Tor Browser in the clear " -"([[!tails_ticket 8694]])." -msgstr "" +msgid "The Unsafe Browser checks for an upgrade of the Tor Browser in the clear ([[!tails_ticket 8694]])." +msgstr "Der ungesicherte Browser prüft im Klartext, ob eine Aktualisierung des Tor Browsers bereitsteht ([[!tails_ticket 8694]])." #. type: Bullet: ' - ' -msgid "" -"Tor Browser and its bundled NSS: [[!mfsa2015 01]], [[!mfsa2015 03]], " -"[[!mfsa2015 04]], [[!mfsa2015 06]]" -msgstr "" +msgid "Tor Browser and its bundled NSS: [[!mfsa2015 01]], [[!mfsa2015 03]], [[!mfsa2015 04]], [[!mfsa2015 06]]" +msgstr "Der Tor Browser und die enthaltenen NSS: [[!mfsa2015 01]], [[!mfsa2015 03]], [[!mfsa2015 04]], [[!mfsa2015 06]]" #. type: Bullet: ' - ' -msgid "tcpdump: [[!debsa2014 3086-1]]" +msgid "tcpdump: [[!debsa2014 3086]]" msgstr "" #. type: Bullet: ' - ' -msgid "linux: [[!debsa2014 3093-1]]" +msgid "linux: [[!debsa2014 3093]]" msgstr "" #. type: Bullet: ' - ' -msgid "bind9: [[!debsa2014 3094-1]]" +msgid "bind9: [[!debsa2014 3094]]" msgstr "" #. type: Bullet: ' - ' -msgid "xorg-server: [[!debsa2014 3095-1]]" +msgid "xorg-server: [[!debsa2014 3095]]" msgstr "" #. type: Bullet: ' - ' -msgid "dbus: [[!debsa2014 3099-1]]" +msgid "dbus: [[!debsa2014 3099]]" msgstr "" #. type: Bullet: ' - ' -msgid "libyaml: [[!debsa2014 3102-1]]" +msgid "libyaml: [[!debsa2014 3102]]" msgstr "" #. type: Bullet: ' - ' -msgid "libyaml-libyaml-perl: [[!debsa2014 3103-1]]" +msgid "libyaml-libyaml-perl: [[!debsa2014 3103]]" msgstr "" #. type: Bullet: ' - ' -msgid "cpio: [[!debsa2014 3111-1]]" +msgid "cpio: [[!debsa2014 3111]]" msgstr "" #. type: Bullet: ' - ' -msgid "unzip: [[!debsa2014 3113-1]]" +msgid "unzip: [[!debsa2014 3113]]" msgstr "" #. type: Bullet: ' - ' -msgid "mime-support: [[!debsa2014 3114-1]]" +msgid "mime-support: [[!debsa2014 3114]]" msgstr "" #. type: Bullet: ' - ' -msgid "libevent: [[!debsa2015 3119-1]]" +msgid "libevent: [[!debsa2015 3119]]" msgstr "" #. type: Bullet: ' - ' -msgid "file: [[!debsa2015 3121-1]]" +msgid "file: [[!debsa2015 3121]]" msgstr "" #. type: Bullet: ' - ' -msgid "curl: [[!debsa2015 3122-1]]" +msgid "curl: [[!debsa2015 3122]]" msgstr "" #. type: Bullet: ' - ' -msgid "binutils: [[!debsa2015 3123-1]]" +msgid "binutils: [[!debsa2015 3123]]" msgstr "" #. type: Bullet: ' - ' -msgid "openssl: [[!debsa2015 3125-1]]" +msgid "openssl: [[!debsa2015 3125]]" msgstr "" + diff --git a/wiki/src/security/Numerous_security_holes_in_1.2.2.fr.po b/wiki/src/security/Numerous_security_holes_in_1.2.2.fr.po index 6100c7133bda86be0a1b497deb3c44fb50a47e3d..8f2233af4c2454f6f170a9c8058d19a9544ec050 100644 --- a/wiki/src/security/Numerous_security_holes_in_1.2.2.fr.po +++ b/wiki/src/security/Numerous_security_holes_in_1.2.2.fr.po @@ -65,61 +65,61 @@ msgid "" msgstr "" #. type: Bullet: ' - ' -msgid "tcpdump: [[!debsa2014 3086-1]]" +msgid "tcpdump: [[!debsa2014 3086]]" msgstr "" #. type: Bullet: ' - ' -msgid "linux: [[!debsa2014 3093-1]]" +msgid "linux: [[!debsa2014 3093]]" msgstr "" #. type: Bullet: ' - ' -msgid "bind9: [[!debsa2014 3094-1]]" +msgid "bind9: [[!debsa2014 3094]]" msgstr "" #. type: Bullet: ' - ' -msgid "xorg-server: [[!debsa2014 3095-1]]" +msgid "xorg-server: [[!debsa2014 3095]]" msgstr "" #. type: Bullet: ' - ' -msgid "dbus: [[!debsa2014 3099-1]]" +msgid "dbus: [[!debsa2014 3099]]" msgstr "" #. type: Bullet: ' - ' -msgid "libyaml: [[!debsa2014 3102-1]]" +msgid "libyaml: [[!debsa2014 3102]]" msgstr "" #. type: Bullet: ' - ' -msgid "libyaml-libyaml-perl: [[!debsa2014 3103-1]]" +msgid "libyaml-libyaml-perl: [[!debsa2014 3103]]" msgstr "" #. type: Bullet: ' - ' -msgid "cpio: [[!debsa2014 3111-1]]" +msgid "cpio: [[!debsa2014 3111]]" msgstr "" #. type: Bullet: ' - ' -msgid "unzip: [[!debsa2014 3113-1]]" +msgid "unzip: [[!debsa2014 3113]]" msgstr "" #. type: Bullet: ' - ' -msgid "mime-support: [[!debsa2014 3114-1]]" +msgid "mime-support: [[!debsa2014 3114]]" msgstr "" #. type: Bullet: ' - ' -msgid "libevent: [[!debsa2015 3119-1]]" +msgid "libevent: [[!debsa2015 3119]]" msgstr "" #. type: Bullet: ' - ' -msgid "file: [[!debsa2015 3121-1]]" +msgid "file: [[!debsa2015 3121]]" msgstr "" #. type: Bullet: ' - ' -msgid "curl: [[!debsa2015 3122-1]]" +msgid "curl: [[!debsa2015 3122]]" msgstr "" #. type: Bullet: ' - ' -msgid "binutils: [[!debsa2015 3123-1]]" +msgid "binutils: [[!debsa2015 3123]]" msgstr "" #. type: Bullet: ' - ' -msgid "openssl: [[!debsa2015 3125-1]]" +msgid "openssl: [[!debsa2015 3125]]" msgstr "" diff --git a/wiki/src/security/Numerous_security_holes_in_1.2.2.mdwn b/wiki/src/security/Numerous_security_holes_in_1.2.2.mdwn index 165ba582f5aa6a64070a07ab2b73833c26bac07e..7880cfe4baf6a717f6156055f86fca0a9fb39e7b 100644 --- a/wiki/src/security/Numerous_security_holes_in_1.2.2.mdwn +++ b/wiki/src/security/Numerous_security_holes_in_1.2.2.mdwn @@ -18,18 +18,18 @@ Details clear ([[!tails_ticket 8694]]). - Tor Browser and its bundled NSS: [[!mfsa2015 01]], [[!mfsa2015 03]], [[!mfsa2015 04]], [[!mfsa2015 06]] - - tcpdump: [[!debsa2014 3086-1]] - - linux: [[!debsa2014 3093-1]] - - bind9: [[!debsa2014 3094-1]] - - xorg-server: [[!debsa2014 3095-1]] - - dbus: [[!debsa2014 3099-1]] - - libyaml: [[!debsa2014 3102-1]] - - libyaml-libyaml-perl: [[!debsa2014 3103-1]] - - cpio: [[!debsa2014 3111-1]] - - unzip: [[!debsa2014 3113-1]] - - mime-support: [[!debsa2014 3114-1]] - - libevent: [[!debsa2015 3119-1]] - - file: [[!debsa2015 3121-1]] - - curl: [[!debsa2015 3122-1]] - - binutils: [[!debsa2015 3123-1]] - - openssl: [[!debsa2015 3125-1]] + - tcpdump: [[!debsa2014 3086]] + - linux: [[!debsa2014 3093]] + - bind9: [[!debsa2014 3094]] + - xorg-server: [[!debsa2014 3095]] + - dbus: [[!debsa2014 3099]] + - libyaml: [[!debsa2014 3102]] + - libyaml-libyaml-perl: [[!debsa2014 3103]] + - cpio: [[!debsa2014 3111]] + - unzip: [[!debsa2014 3113]] + - mime-support: [[!debsa2014 3114]] + - libevent: [[!debsa2015 3119]] + - file: [[!debsa2015 3121]] + - curl: [[!debsa2015 3122]] + - binutils: [[!debsa2015 3123]] + - openssl: [[!debsa2015 3125]] diff --git a/wiki/src/security/Numerous_security_holes_in_1.2.2.pt.po b/wiki/src/security/Numerous_security_holes_in_1.2.2.pt.po index 6100c7133bda86be0a1b497deb3c44fb50a47e3d..8f2233af4c2454f6f170a9c8058d19a9544ec050 100644 --- a/wiki/src/security/Numerous_security_holes_in_1.2.2.pt.po +++ b/wiki/src/security/Numerous_security_holes_in_1.2.2.pt.po @@ -65,61 +65,61 @@ msgid "" msgstr "" #. type: Bullet: ' - ' -msgid "tcpdump: [[!debsa2014 3086-1]]" +msgid "tcpdump: [[!debsa2014 3086]]" msgstr "" #. type: Bullet: ' - ' -msgid "linux: [[!debsa2014 3093-1]]" +msgid "linux: [[!debsa2014 3093]]" msgstr "" #. type: Bullet: ' - ' -msgid "bind9: [[!debsa2014 3094-1]]" +msgid "bind9: [[!debsa2014 3094]]" msgstr "" #. type: Bullet: ' - ' -msgid "xorg-server: [[!debsa2014 3095-1]]" +msgid "xorg-server: [[!debsa2014 3095]]" msgstr "" #. type: Bullet: ' - ' -msgid "dbus: [[!debsa2014 3099-1]]" +msgid "dbus: [[!debsa2014 3099]]" msgstr "" #. type: Bullet: ' - ' -msgid "libyaml: [[!debsa2014 3102-1]]" +msgid "libyaml: [[!debsa2014 3102]]" msgstr "" #. type: Bullet: ' - ' -msgid "libyaml-libyaml-perl: [[!debsa2014 3103-1]]" +msgid "libyaml-libyaml-perl: [[!debsa2014 3103]]" msgstr "" #. type: Bullet: ' - ' -msgid "cpio: [[!debsa2014 3111-1]]" +msgid "cpio: [[!debsa2014 3111]]" msgstr "" #. type: Bullet: ' - ' -msgid "unzip: [[!debsa2014 3113-1]]" +msgid "unzip: [[!debsa2014 3113]]" msgstr "" #. type: Bullet: ' - ' -msgid "mime-support: [[!debsa2014 3114-1]]" +msgid "mime-support: [[!debsa2014 3114]]" msgstr "" #. type: Bullet: ' - ' -msgid "libevent: [[!debsa2015 3119-1]]" +msgid "libevent: [[!debsa2015 3119]]" msgstr "" #. type: Bullet: ' - ' -msgid "file: [[!debsa2015 3121-1]]" +msgid "file: [[!debsa2015 3121]]" msgstr "" #. type: Bullet: ' - ' -msgid "curl: [[!debsa2015 3122-1]]" +msgid "curl: [[!debsa2015 3122]]" msgstr "" #. type: Bullet: ' - ' -msgid "binutils: [[!debsa2015 3123-1]]" +msgid "binutils: [[!debsa2015 3123]]" msgstr "" #. type: Bullet: ' - ' -msgid "openssl: [[!debsa2015 3125-1]]" +msgid "openssl: [[!debsa2015 3125]]" msgstr "" diff --git a/wiki/src/security/Numerous_security_holes_in_1.2.3.de.po b/wiki/src/security/Numerous_security_holes_in_1.2.3.de.po new file mode 100644 index 0000000000000000000000000000000000000000..e985fef450bd18a9f9d8dd0ea68769f3eebc5e83 --- /dev/null +++ b/wiki/src/security/Numerous_security_holes_in_1.2.3.de.po @@ -0,0 +1,113 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +msgid "" +msgstr "" +"Project-Id-Version: Tails Translators\n" +"POT-Creation-Date: 2015-02-24 20:09+0100\n" +"PO-Revision-Date: 2015-02-24 20:53+0100\n" +"Last-Translator: Tails translators <tails@boum.org>\n" +"Language-Team: Tails l10n Team <tails-l10n@boum.org>\n" +"Language: de\n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Generator: Poedit 1.6.10\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"Mon Feb 23 00:00:00 2015\"]]\n" +msgstr "[[!meta date=\"Mon Feb 23 00:00:00 2015\"]]\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Numerous security holes in Tails 1.2.3\"]]\n" +msgstr "[[!meta title=\"Zahlreiche Sicherheitslücken in Tails 1.2.3\"]]\n" + +#. type: Plain text +#, no-wrap +msgid "[[!tag security/fixed]]\n" +msgstr "[[!tag security/fixed]]\n" + +#. type: Plain text +msgid "" +"Several security holes that affect Tails 1.2.3 are now fixed in Tails 1.3." +msgstr "" +"Verschiedene Sicherheitslücken in Tails 1.2.3 wurden in Tails 1.3 behoben." + +#. type: Plain text +msgid "" +"We **strongly** encourage you to [[upgrade to Tails 1.3|news/version_1.3]] " +"as soon as possible." +msgstr "" +"Wir empfehlen **dringend** schnellstmöglich auf [[Tails 1.3 zu aktualisieren|" +"news/version_1.3]]." + +#. type: Title = +#, no-wrap +msgid "Details\n" +msgstr "Details\n" + +#. type: Bullet: ' - ' +msgid "Tor Browser and its bundled NSS: [[!mfsa2015 11]], [[!mfsa2015 12]]," +msgstr "" +"Der Tor Browser und die enthaltenen NSS: [[!mfsa2015 11]], [[!mfsa2015 12]]," + +#. type: Plain text +#, no-wrap +msgid " [[!mfsa2015 16]]\n" +msgstr " [[!mfsa2015 16]]\n" + +#. type: Bullet: ' - ' +msgid "xdg-utils: [[!debsa2015 3131]], [[!debsa2015 3165]]" +msgstr "xdg-utils: [[!debsa2015 3131]], [[!debsa2015 3165]]" + +#. type: Bullet: ' - ' +msgid "jasper: [[!debsa2015 3138]]" +msgstr "jasper: [[!debsa2015 3138]]" + +#. type: Bullet: ' - ' +msgid "eglibc: [[!debsa2015 3142]], [[!debsa2015 3169]]" +msgstr "eglibc: [[!debsa2015 3142]], [[!debsa2015 3169]]" + +#. type: Bullet: ' - ' +msgid "openjdk-7: [[!debsa2015 3144]]" +msgstr "openjdk-7: [[!debsa2015 3144]]" + +#. type: Bullet: ' - ' +msgid "unzip: [[!debsa2015 3152]]" +msgstr "unzip: [[!debsa2015 3152]]" + +#. type: Bullet: ' - ' +msgid "krb5: [[!debsa2015 3153]]" +msgstr "krb5: [[!debsa2015 3153]]" + +#. type: Bullet: ' - ' +msgid "ruby1.9.1: [[!debsa2015 3157]]" +msgstr "ruby1.9.1: [[!debsa2015 3157]]" + +#. type: Bullet: ' - ' +msgid "xorg-server: [[!debsa2015 3160]]" +msgstr "xorg-server: [[!debsa2015 3160]]" + +#. type: Bullet: ' - ' +msgid "dbus: [[!debsa2015 3161]]" +msgstr "dbus: [[!debsa2015 3161]]" + +#. type: Bullet: ' - ' +msgid "bind9: [[!debsa2015 3162]]" +msgstr "bind9: [[!debsa2015 3162]]" + +#. type: Bullet: ' - ' +msgid "libreoffice: [[!debsa2015 3163]]" +msgstr "libreoffice: [[!debsa2015 3163]]" + +#. type: Bullet: ' - ' +msgid "e2fsprogs: [[!debsa2015 3166]]" +msgstr "e2fsprogs: [[!debsa2015 3166]]" + +#. type: Bullet: ' - ' +msgid "sudo: [[!debsa2015 3167]]" +msgstr "sudo: [[!debsa2015 3167]]" diff --git a/wiki/src/security/Numerous_security_holes_in_1.2.3.fr.po b/wiki/src/security/Numerous_security_holes_in_1.2.3.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..f4b9a1fb16dee08524eaa8b764560d0e30cf669e --- /dev/null +++ b/wiki/src/security/Numerous_security_holes_in_1.2.3.fr.po @@ -0,0 +1,108 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-02-24 20:09+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"Mon Feb 23 00:00:00 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Numerous security holes in Tails 1.2.3\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!tag security/fixed]]\n" +msgstr "" + +#. type: Plain text +msgid "Several security holes that affect Tails 1.2.3 are now fixed in Tails 1.3." +msgstr "" + +#. type: Plain text +msgid "" +"We **strongly** encourage you to [[upgrade to Tails 1.3|news/version_1.3]] " +"as soon as possible." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Details\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "Tor Browser and its bundled NSS: [[!mfsa2015 11]], [[!mfsa2015 12]]," +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " [[!mfsa2015 16]]\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "xdg-utils: [[!debsa2015 3131]], [[!debsa2015 3165]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "jasper: [[!debsa2015 3138]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "eglibc: [[!debsa2015 3142]], [[!debsa2015 3169]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "openjdk-7: [[!debsa2015 3144]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "unzip: [[!debsa2015 3152]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "krb5: [[!debsa2015 3153]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "ruby1.9.1: [[!debsa2015 3157]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "xorg-server: [[!debsa2015 3160]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "dbus: [[!debsa2015 3161]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "bind9: [[!debsa2015 3162]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libreoffice: [[!debsa2015 3163]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "e2fsprogs: [[!debsa2015 3166]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "sudo: [[!debsa2015 3167]]" +msgstr "" diff --git a/wiki/src/security/Numerous_security_holes_in_1.2.3.mdwn b/wiki/src/security/Numerous_security_holes_in_1.2.3.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..64fc28c1458abf0800c1f57c76c4babcd3472e35 --- /dev/null +++ b/wiki/src/security/Numerous_security_holes_in_1.2.3.mdwn @@ -0,0 +1,29 @@ +[[!meta date="Mon Feb 23 00:00:00 2015"]] +[[!meta title="Numerous security holes in Tails 1.2.3"]] + +[[!tag security/fixed]] + +Several security holes that affect Tails 1.2.3 are now fixed in Tails +1.3. + +We **strongly** encourage you to [[upgrade to Tails +1.3|news/version_1.3]] as soon as possible. + +Details +======= + + - Tor Browser and its bundled NSS: [[!mfsa2015 11]], [[!mfsa2015 12]], + [[!mfsa2015 16]] + - xdg-utils: [[!debsa2015 3131]], [[!debsa2015 3165]] + - jasper: [[!debsa2015 3138]] + - eglibc: [[!debsa2015 3142]], [[!debsa2015 3169]] + - openjdk-7: [[!debsa2015 3144]] + - unzip: [[!debsa2015 3152]] + - krb5: [[!debsa2015 3153]] + - ruby1.9.1: [[!debsa2015 3157]] + - xorg-server: [[!debsa2015 3160]] + - dbus: [[!debsa2015 3161]] + - bind9: [[!debsa2015 3162]] + - libreoffice: [[!debsa2015 3163]] + - e2fsprogs: [[!debsa2015 3166]] + - sudo: [[!debsa2015 3167]] diff --git a/wiki/src/security/Numerous_security_holes_in_1.2.3.pt.po b/wiki/src/security/Numerous_security_holes_in_1.2.3.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..f4b9a1fb16dee08524eaa8b764560d0e30cf669e --- /dev/null +++ b/wiki/src/security/Numerous_security_holes_in_1.2.3.pt.po @@ -0,0 +1,108 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-02-24 20:09+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"Mon Feb 23 00:00:00 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Numerous security holes in Tails 1.2.3\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!tag security/fixed]]\n" +msgstr "" + +#. type: Plain text +msgid "Several security holes that affect Tails 1.2.3 are now fixed in Tails 1.3." +msgstr "" + +#. type: Plain text +msgid "" +"We **strongly** encourage you to [[upgrade to Tails 1.3|news/version_1.3]] " +"as soon as possible." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Details\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "Tor Browser and its bundled NSS: [[!mfsa2015 11]], [[!mfsa2015 12]]," +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " [[!mfsa2015 16]]\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "xdg-utils: [[!debsa2015 3131]], [[!debsa2015 3165]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "jasper: [[!debsa2015 3138]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "eglibc: [[!debsa2015 3142]], [[!debsa2015 3169]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "openjdk-7: [[!debsa2015 3144]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "unzip: [[!debsa2015 3152]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "krb5: [[!debsa2015 3153]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "ruby1.9.1: [[!debsa2015 3157]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "xorg-server: [[!debsa2015 3160]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "dbus: [[!debsa2015 3161]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "bind9: [[!debsa2015 3162]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libreoffice: [[!debsa2015 3163]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "e2fsprogs: [[!debsa2015 3166]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "sudo: [[!debsa2015 3167]]" +msgstr "" diff --git a/wiki/src/security/Numerous_security_holes_in_1.2.de.po b/wiki/src/security/Numerous_security_holes_in_1.2.de.po index d42e25bf2cbc5caf245621711e26927742757a5a..fc3befc98db91c0d77e8f55134c91d7cd6eada80 100644 --- a/wiki/src/security/Numerous_security_holes_in_1.2.de.po +++ b/wiki/src/security/Numerous_security_holes_in_1.2.de.po @@ -53,73 +53,73 @@ msgid "" msgstr "" #. type: Bullet: ' - ' -msgid "wpa: [[!debsa2014 3052-1]] (CVE-2014-3686)" +msgid "wpa: [[!debsa2014 3052]] (CVE-2014-3686)" msgstr "" #. type: Bullet: ' - ' msgid "" -"openssl: [[!debsa2014 3053-1]] (CVE-2014-3513, CVE-2014-3566, CVE-2014-3567, " +"openssl: [[!debsa2014 3053]] (CVE-2014-3513, CVE-2014-3566, CVE-2014-3567, " "CVE-2014-3568)" msgstr "" #. type: Bullet: ' - ' msgid "" -"pidgin: [[!debsa2014 3055-1]] (CVE-2014-3694, CVE-2014-3695, CVE-2014-3696, " +"pidgin: [[!debsa2014 3055]] (CVE-2014-3694, CVE-2014-3695, CVE-2014-3696, " "CVE-2014-3698)" msgstr "" #. type: Bullet: ' - ' msgid "" -"libtasn1-3: [[!debsa2014 3056-1]] (CVE-2014-3467, CVE-2014-3468, " +"libtasn1-3: [[!debsa2014 3056]] (CVE-2014-3467, CVE-2014-3468, " "CVE-2014-3469)" msgstr "" #. type: Bullet: ' - ' -msgid "libxml2: [[!debsa2014 3057-1]] (CVE-2014-3660)" +msgid "libxml2: [[!debsa2014 3057]] (CVE-2014-3660)" msgstr "" #. type: Bullet: ' - ' msgid "" -"linux: [[!debsa2014 3060-1]] (CVE-2014-3610, CVE-2014-3611, CVE-2014-3645, " +"linux: [[!debsa2014 3060]] (CVE-2014-3610, CVE-2014-3611, CVE-2014-3645, " "CVE-2014-3646, CVE-2014-3647, CVE-2014-3673, CVE-2014-3687, CVE-2014-3688, " "CVE-2014-3690, CVE-2014-7207)" msgstr "" #. type: Bullet: ' - ' -msgid "wget: [[!debsa2014 3062-1]] (CVE-2014-4877)" +msgid "wget: [[!debsa2014 3062]] (CVE-2014-4877)" msgstr "" #. type: Bullet: ' - ' -msgid "curl: [[!debsa2014 3069-1]] (CVE-2014-3707)" +msgid "curl: [[!debsa2014 3069]] (CVE-2014-3707)" msgstr "" #. type: Bullet: ' - ' -msgid "nss: [[!debsa2014 3071-1]] (CVE-2014-1544)" +msgid "nss: [[!debsa2014 3071]] (CVE-2014-1544)" msgstr "" #. type: Bullet: ' - ' -msgid "file: [[!debsa2014 3072-1]] (CVE-2014-3710)" +msgid "file: [[!debsa2014 3072]] (CVE-2014-3710)" msgstr "" #. type: Bullet: ' - ' -msgid "libgcrypt11: [[!debsa2014 3073-1]] (CVE-2014-5270)" +msgid "libgcrypt11: [[!debsa2014 3073]] (CVE-2014-5270)" msgstr "" #. type: Bullet: ' - ' -msgid "ppp: [[!debsa2014 3079-1]] (CVE-2014-3158)" +msgid "ppp: [[!debsa2014 3079]] (CVE-2014-3158)" msgstr "" #. type: Bullet: ' - ' msgid "" -"openjdk-7: [[!debsa2014 3080-1]] (CVE-2014-6457, CVE-2014-6502, " +"openjdk-7: [[!debsa2014 3080]] (CVE-2014-6457, CVE-2014-6502, " "CVE-2014-6504, CVE-2014-6506, CVE-2014-6511, CVE-2014-6512, CVE-2014-6517, " "CVE-2014-6519, CVE-2014-6531, CVE-2014-6558)" msgstr "" #. type: Bullet: ' - ' -msgid "flac: [[!debsa2014 3082-1]] (CVE-2014-8962, CVE-2014-9028)" +msgid "flac: [[!debsa2014 3082]] (CVE-2014-8962, CVE-2014-9028)" msgstr "" #. type: Bullet: ' - ' -msgid "mutt: [[!debsa2014 3083-1]] (CVE-2014-9116)" +msgid "mutt: [[!debsa2014 3083]] (CVE-2014-9116)" msgstr "" diff --git a/wiki/src/security/Numerous_security_holes_in_1.2.fr.po b/wiki/src/security/Numerous_security_holes_in_1.2.fr.po index d42e25bf2cbc5caf245621711e26927742757a5a..fc3befc98db91c0d77e8f55134c91d7cd6eada80 100644 --- a/wiki/src/security/Numerous_security_holes_in_1.2.fr.po +++ b/wiki/src/security/Numerous_security_holes_in_1.2.fr.po @@ -53,73 +53,73 @@ msgid "" msgstr "" #. type: Bullet: ' - ' -msgid "wpa: [[!debsa2014 3052-1]] (CVE-2014-3686)" +msgid "wpa: [[!debsa2014 3052]] (CVE-2014-3686)" msgstr "" #. type: Bullet: ' - ' msgid "" -"openssl: [[!debsa2014 3053-1]] (CVE-2014-3513, CVE-2014-3566, CVE-2014-3567, " +"openssl: [[!debsa2014 3053]] (CVE-2014-3513, CVE-2014-3566, CVE-2014-3567, " "CVE-2014-3568)" msgstr "" #. type: Bullet: ' - ' msgid "" -"pidgin: [[!debsa2014 3055-1]] (CVE-2014-3694, CVE-2014-3695, CVE-2014-3696, " +"pidgin: [[!debsa2014 3055]] (CVE-2014-3694, CVE-2014-3695, CVE-2014-3696, " "CVE-2014-3698)" msgstr "" #. type: Bullet: ' - ' msgid "" -"libtasn1-3: [[!debsa2014 3056-1]] (CVE-2014-3467, CVE-2014-3468, " +"libtasn1-3: [[!debsa2014 3056]] (CVE-2014-3467, CVE-2014-3468, " "CVE-2014-3469)" msgstr "" #. type: Bullet: ' - ' -msgid "libxml2: [[!debsa2014 3057-1]] (CVE-2014-3660)" +msgid "libxml2: [[!debsa2014 3057]] (CVE-2014-3660)" msgstr "" #. type: Bullet: ' - ' msgid "" -"linux: [[!debsa2014 3060-1]] (CVE-2014-3610, CVE-2014-3611, CVE-2014-3645, " +"linux: [[!debsa2014 3060]] (CVE-2014-3610, CVE-2014-3611, CVE-2014-3645, " "CVE-2014-3646, CVE-2014-3647, CVE-2014-3673, CVE-2014-3687, CVE-2014-3688, " "CVE-2014-3690, CVE-2014-7207)" msgstr "" #. type: Bullet: ' - ' -msgid "wget: [[!debsa2014 3062-1]] (CVE-2014-4877)" +msgid "wget: [[!debsa2014 3062]] (CVE-2014-4877)" msgstr "" #. type: Bullet: ' - ' -msgid "curl: [[!debsa2014 3069-1]] (CVE-2014-3707)" +msgid "curl: [[!debsa2014 3069]] (CVE-2014-3707)" msgstr "" #. type: Bullet: ' - ' -msgid "nss: [[!debsa2014 3071-1]] (CVE-2014-1544)" +msgid "nss: [[!debsa2014 3071]] (CVE-2014-1544)" msgstr "" #. type: Bullet: ' - ' -msgid "file: [[!debsa2014 3072-1]] (CVE-2014-3710)" +msgid "file: [[!debsa2014 3072]] (CVE-2014-3710)" msgstr "" #. type: Bullet: ' - ' -msgid "libgcrypt11: [[!debsa2014 3073-1]] (CVE-2014-5270)" +msgid "libgcrypt11: [[!debsa2014 3073]] (CVE-2014-5270)" msgstr "" #. type: Bullet: ' - ' -msgid "ppp: [[!debsa2014 3079-1]] (CVE-2014-3158)" +msgid "ppp: [[!debsa2014 3079]] (CVE-2014-3158)" msgstr "" #. type: Bullet: ' - ' msgid "" -"openjdk-7: [[!debsa2014 3080-1]] (CVE-2014-6457, CVE-2014-6502, " +"openjdk-7: [[!debsa2014 3080]] (CVE-2014-6457, CVE-2014-6502, " "CVE-2014-6504, CVE-2014-6506, CVE-2014-6511, CVE-2014-6512, CVE-2014-6517, " "CVE-2014-6519, CVE-2014-6531, CVE-2014-6558)" msgstr "" #. type: Bullet: ' - ' -msgid "flac: [[!debsa2014 3082-1]] (CVE-2014-8962, CVE-2014-9028)" +msgid "flac: [[!debsa2014 3082]] (CVE-2014-8962, CVE-2014-9028)" msgstr "" #. type: Bullet: ' - ' -msgid "mutt: [[!debsa2014 3083-1]] (CVE-2014-9116)" +msgid "mutt: [[!debsa2014 3083]] (CVE-2014-9116)" msgstr "" diff --git a/wiki/src/security/Numerous_security_holes_in_1.2.mdwn b/wiki/src/security/Numerous_security_holes_in_1.2.mdwn index c7b7255ec4d2372a974c6019982c6c1e1fc6a8fe..5f7f1e4078173d83e22ff30b54d68bf51d493396 100644 --- a/wiki/src/security/Numerous_security_holes_in_1.2.mdwn +++ b/wiki/src/security/Numerous_security_holes_in_1.2.mdwn @@ -14,25 +14,25 @@ Details - Tor Browser and its bundled NSS: [[!mfsa2014 83]], [[!mfsa2014 85]], [[!mfsa2014 87]], [[!mfsa2014 88]], [[!mfsa2014 89]] and [[!mfsa2014 90]] - - wpa: [[!debsa2014 3052-1]] (CVE-2014-3686) - - openssl: [[!debsa2014 3053-1]] (CVE-2014-3513, CVE-2014-3566, + - wpa: [[!debsa2014 3052]] (CVE-2014-3686) + - openssl: [[!debsa2014 3053]] (CVE-2014-3513, CVE-2014-3566, CVE-2014-3567, CVE-2014-3568) - - pidgin: [[!debsa2014 3055-1]] (CVE-2014-3694, CVE-2014-3695, + - pidgin: [[!debsa2014 3055]] (CVE-2014-3694, CVE-2014-3695, CVE-2014-3696, CVE-2014-3698) - - libtasn1-3: [[!debsa2014 3056-1]] (CVE-2014-3467, CVE-2014-3468, + - libtasn1-3: [[!debsa2014 3056]] (CVE-2014-3467, CVE-2014-3468, CVE-2014-3469) - - libxml2: [[!debsa2014 3057-1]] (CVE-2014-3660) - - linux: [[!debsa2014 3060-1]] (CVE-2014-3610, CVE-2014-3611, + - libxml2: [[!debsa2014 3057]] (CVE-2014-3660) + - linux: [[!debsa2014 3060]] (CVE-2014-3610, CVE-2014-3611, CVE-2014-3645, CVE-2014-3646, CVE-2014-3647, CVE-2014-3673, CVE-2014-3687, CVE-2014-3688, CVE-2014-3690, CVE-2014-7207) - - wget: [[!debsa2014 3062-1]] (CVE-2014-4877) - - curl: [[!debsa2014 3069-1]] (CVE-2014-3707) - - nss: [[!debsa2014 3071-1]] (CVE-2014-1544) - - file: [[!debsa2014 3072-1]] (CVE-2014-3710) - - libgcrypt11: [[!debsa2014 3073-1]] (CVE-2014-5270) - - ppp: [[!debsa2014 3079-1]] (CVE-2014-3158) - - openjdk-7: [[!debsa2014 3080-1]] (CVE-2014-6457, CVE-2014-6502, + - wget: [[!debsa2014 3062]] (CVE-2014-4877) + - curl: [[!debsa2014 3069]] (CVE-2014-3707) + - nss: [[!debsa2014 3071]] (CVE-2014-1544) + - file: [[!debsa2014 3072]] (CVE-2014-3710) + - libgcrypt11: [[!debsa2014 3073]] (CVE-2014-5270) + - ppp: [[!debsa2014 3079]] (CVE-2014-3158) + - openjdk-7: [[!debsa2014 3080]] (CVE-2014-6457, CVE-2014-6502, CVE-2014-6504, CVE-2014-6506, CVE-2014-6511, CVE-2014-6512, CVE-2014-6517, CVE-2014-6519, CVE-2014-6531, CVE-2014-6558) - - flac: [[!debsa2014 3082-1]] (CVE-2014-8962, CVE-2014-9028) - - mutt: [[!debsa2014 3083-1]] (CVE-2014-9116) + - flac: [[!debsa2014 3082]] (CVE-2014-8962, CVE-2014-9028) + - mutt: [[!debsa2014 3083]] (CVE-2014-9116) diff --git a/wiki/src/security/Numerous_security_holes_in_1.2.pt.po b/wiki/src/security/Numerous_security_holes_in_1.2.pt.po index d42e25bf2cbc5caf245621711e26927742757a5a..fc3befc98db91c0d77e8f55134c91d7cd6eada80 100644 --- a/wiki/src/security/Numerous_security_holes_in_1.2.pt.po +++ b/wiki/src/security/Numerous_security_holes_in_1.2.pt.po @@ -53,73 +53,73 @@ msgid "" msgstr "" #. type: Bullet: ' - ' -msgid "wpa: [[!debsa2014 3052-1]] (CVE-2014-3686)" +msgid "wpa: [[!debsa2014 3052]] (CVE-2014-3686)" msgstr "" #. type: Bullet: ' - ' msgid "" -"openssl: [[!debsa2014 3053-1]] (CVE-2014-3513, CVE-2014-3566, CVE-2014-3567, " +"openssl: [[!debsa2014 3053]] (CVE-2014-3513, CVE-2014-3566, CVE-2014-3567, " "CVE-2014-3568)" msgstr "" #. type: Bullet: ' - ' msgid "" -"pidgin: [[!debsa2014 3055-1]] (CVE-2014-3694, CVE-2014-3695, CVE-2014-3696, " +"pidgin: [[!debsa2014 3055]] (CVE-2014-3694, CVE-2014-3695, CVE-2014-3696, " "CVE-2014-3698)" msgstr "" #. type: Bullet: ' - ' msgid "" -"libtasn1-3: [[!debsa2014 3056-1]] (CVE-2014-3467, CVE-2014-3468, " +"libtasn1-3: [[!debsa2014 3056]] (CVE-2014-3467, CVE-2014-3468, " "CVE-2014-3469)" msgstr "" #. type: Bullet: ' - ' -msgid "libxml2: [[!debsa2014 3057-1]] (CVE-2014-3660)" +msgid "libxml2: [[!debsa2014 3057]] (CVE-2014-3660)" msgstr "" #. type: Bullet: ' - ' msgid "" -"linux: [[!debsa2014 3060-1]] (CVE-2014-3610, CVE-2014-3611, CVE-2014-3645, " +"linux: [[!debsa2014 3060]] (CVE-2014-3610, CVE-2014-3611, CVE-2014-3645, " "CVE-2014-3646, CVE-2014-3647, CVE-2014-3673, CVE-2014-3687, CVE-2014-3688, " "CVE-2014-3690, CVE-2014-7207)" msgstr "" #. type: Bullet: ' - ' -msgid "wget: [[!debsa2014 3062-1]] (CVE-2014-4877)" +msgid "wget: [[!debsa2014 3062]] (CVE-2014-4877)" msgstr "" #. type: Bullet: ' - ' -msgid "curl: [[!debsa2014 3069-1]] (CVE-2014-3707)" +msgid "curl: [[!debsa2014 3069]] (CVE-2014-3707)" msgstr "" #. type: Bullet: ' - ' -msgid "nss: [[!debsa2014 3071-1]] (CVE-2014-1544)" +msgid "nss: [[!debsa2014 3071]] (CVE-2014-1544)" msgstr "" #. type: Bullet: ' - ' -msgid "file: [[!debsa2014 3072-1]] (CVE-2014-3710)" +msgid "file: [[!debsa2014 3072]] (CVE-2014-3710)" msgstr "" #. type: Bullet: ' - ' -msgid "libgcrypt11: [[!debsa2014 3073-1]] (CVE-2014-5270)" +msgid "libgcrypt11: [[!debsa2014 3073]] (CVE-2014-5270)" msgstr "" #. type: Bullet: ' - ' -msgid "ppp: [[!debsa2014 3079-1]] (CVE-2014-3158)" +msgid "ppp: [[!debsa2014 3079]] (CVE-2014-3158)" msgstr "" #. type: Bullet: ' - ' msgid "" -"openjdk-7: [[!debsa2014 3080-1]] (CVE-2014-6457, CVE-2014-6502, " +"openjdk-7: [[!debsa2014 3080]] (CVE-2014-6457, CVE-2014-6502, " "CVE-2014-6504, CVE-2014-6506, CVE-2014-6511, CVE-2014-6512, CVE-2014-6517, " "CVE-2014-6519, CVE-2014-6531, CVE-2014-6558)" msgstr "" #. type: Bullet: ' - ' -msgid "flac: [[!debsa2014 3082-1]] (CVE-2014-8962, CVE-2014-9028)" +msgid "flac: [[!debsa2014 3082]] (CVE-2014-8962, CVE-2014-9028)" msgstr "" #. type: Bullet: ' - ' -msgid "mutt: [[!debsa2014 3083-1]] (CVE-2014-9116)" +msgid "mutt: [[!debsa2014 3083]] (CVE-2014-9116)" msgstr "" diff --git a/wiki/src/security/Numerous_security_holes_in_1.3.1.de.po b/wiki/src/security/Numerous_security_holes_in_1.3.1.de.po new file mode 100644 index 0000000000000000000000000000000000000000..a47ca85c9f61ef509eb962d0bd664ca898a7b752 --- /dev/null +++ b/wiki/src/security/Numerous_security_holes_in_1.3.1.de.po @@ -0,0 +1,58 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-31 20:48+0300\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"Sun Mar 29 01:02:03 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Numerous security holes in Tails 1.3.1\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!tag security/fixed]]\n" +msgstr "" + +#. type: Plain text +msgid "" +"Several security holes that affect Tails 1.3.1 are now fixed in Tails 1.3.2." +msgstr "" + +#. type: Plain text +msgid "" +"We **strongly** encourage you to [[upgrade to Tails 1.3.2|news/" +"version_1.3.2]] as soon as possible." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Details\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Tor Browser: [[!mfsa2015 30]], [[!mfsa2015 31]], [[!mfsa2015 33]], [[!" +"mfsa2015 37]], [[!mfsa2015 40]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "OpenSSL: Fixup on [[!cve CVE-2015-0209]] for [[!debsa2015 3197]]" +msgstr "" diff --git a/wiki/src/security/Numerous_security_holes_in_1.3.1.fr.po b/wiki/src/security/Numerous_security_holes_in_1.3.1.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..a47ca85c9f61ef509eb962d0bd664ca898a7b752 --- /dev/null +++ b/wiki/src/security/Numerous_security_holes_in_1.3.1.fr.po @@ -0,0 +1,58 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-31 20:48+0300\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"Sun Mar 29 01:02:03 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Numerous security holes in Tails 1.3.1\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!tag security/fixed]]\n" +msgstr "" + +#. type: Plain text +msgid "" +"Several security holes that affect Tails 1.3.1 are now fixed in Tails 1.3.2." +msgstr "" + +#. type: Plain text +msgid "" +"We **strongly** encourage you to [[upgrade to Tails 1.3.2|news/" +"version_1.3.2]] as soon as possible." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Details\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Tor Browser: [[!mfsa2015 30]], [[!mfsa2015 31]], [[!mfsa2015 33]], [[!" +"mfsa2015 37]], [[!mfsa2015 40]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "OpenSSL: Fixup on [[!cve CVE-2015-0209]] for [[!debsa2015 3197]]" +msgstr "" diff --git a/wiki/src/security/Numerous_security_holes_in_1.3.1.mdwn b/wiki/src/security/Numerous_security_holes_in_1.3.1.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..6ea8c9d9614a73609ccf5dfcb8a985d62431d58d --- /dev/null +++ b/wiki/src/security/Numerous_security_holes_in_1.3.1.mdwn @@ -0,0 +1,17 @@ +[[!meta date="Sun Mar 29 01:02:03 2015"]] +[[!meta title="Numerous security holes in Tails 1.3.1"]] + +[[!tag security/fixed]] + +Several security holes that affect Tails 1.3.1 are now fixed in +Tails 1.3.2. + +We **strongly** encourage you to [[upgrade to +Tails 1.3.2|news/version_1.3.2]] as soon as possible. + +Details +======= + + - Tor Browser: [[!mfsa2015 30]], [[!mfsa2015 31]], [[!mfsa2015 33]], + [[!mfsa2015 37]], [[!mfsa2015 40]] + - OpenSSL: Fixup on [[!cve CVE-2015-0209]] for [[!debsa2015 3197]] diff --git a/wiki/src/security/Numerous_security_holes_in_1.3.1.pt.po b/wiki/src/security/Numerous_security_holes_in_1.3.1.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..a47ca85c9f61ef509eb962d0bd664ca898a7b752 --- /dev/null +++ b/wiki/src/security/Numerous_security_holes_in_1.3.1.pt.po @@ -0,0 +1,58 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-31 20:48+0300\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"Sun Mar 29 01:02:03 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Numerous security holes in Tails 1.3.1\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!tag security/fixed]]\n" +msgstr "" + +#. type: Plain text +msgid "" +"Several security holes that affect Tails 1.3.1 are now fixed in Tails 1.3.2." +msgstr "" + +#. type: Plain text +msgid "" +"We **strongly** encourage you to [[upgrade to Tails 1.3.2|news/" +"version_1.3.2]] as soon as possible." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Details\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Tor Browser: [[!mfsa2015 30]], [[!mfsa2015 31]], [[!mfsa2015 33]], [[!" +"mfsa2015 37]], [[!mfsa2015 40]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "OpenSSL: Fixup on [[!cve CVE-2015-0209]] for [[!debsa2015 3197]]" +msgstr "" diff --git a/wiki/src/security/Numerous_security_holes_in_1.3.2.de.po b/wiki/src/security/Numerous_security_holes_in_1.3.2.de.po new file mode 100644 index 0000000000000000000000000000000000000000..dba95d909130ac00f3e6af7297d76860a9ba76f6 --- /dev/null +++ b/wiki/src/security/Numerous_security_holes_in_1.3.2.de.po @@ -0,0 +1,111 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-05-12 14:20+0200\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"Sun May 10 01:02:03 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Numerous security holes in Tails 1.3.2\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!tag security/fixed]]\n" +msgstr "" + +#. type: Plain text +msgid "Several security holes that affect Tails 1.3.2 are now fixed in Tails 1.4" +msgstr "" + +#. type: Plain text +msgid "" +"We **strongly** encourage you to [[upgrade to Tails 1.4|news/version_1.4]] " +"as soon as possible." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Details\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "Tor Browser: MFSA:s to be announced." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Linux: [[!debsa2015 3237]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "curl:[[!debsa2015 3232]], [[!debsa2015 3240]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "dpkg: [[!debsa2015 3217]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "gstreamer0.10-plugins-bad: [[!debsa2015 3225]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libgd2-xpm: [[!debsa2015 3215]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "openldap: [[!debsa2015 3209]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "LibreOffice: [[!debsa2015 3236]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libruby1.9.1: [[!debsa2015 3246]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libtasn1-3: [[!debsa2015 3220]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libx11: [[!debsa2015 3224]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libxml-libxml-perl: [[!debsa2015 3243]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libxml2: Fixup on [[!cve CVE-2014-3660]] for [[!debsa2014 3057]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "OpenJDK 7: [[!debsa2015 3235]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "ppp: [[!debsa2015 3228]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "tor: [[!debsa2015 3246]]" +msgstr "" diff --git a/wiki/src/security/Numerous_security_holes_in_1.3.2.fr.po b/wiki/src/security/Numerous_security_holes_in_1.3.2.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..dba95d909130ac00f3e6af7297d76860a9ba76f6 --- /dev/null +++ b/wiki/src/security/Numerous_security_holes_in_1.3.2.fr.po @@ -0,0 +1,111 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-05-12 14:20+0200\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"Sun May 10 01:02:03 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Numerous security holes in Tails 1.3.2\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!tag security/fixed]]\n" +msgstr "" + +#. type: Plain text +msgid "Several security holes that affect Tails 1.3.2 are now fixed in Tails 1.4" +msgstr "" + +#. type: Plain text +msgid "" +"We **strongly** encourage you to [[upgrade to Tails 1.4|news/version_1.4]] " +"as soon as possible." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Details\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "Tor Browser: MFSA:s to be announced." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Linux: [[!debsa2015 3237]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "curl:[[!debsa2015 3232]], [[!debsa2015 3240]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "dpkg: [[!debsa2015 3217]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "gstreamer0.10-plugins-bad: [[!debsa2015 3225]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libgd2-xpm: [[!debsa2015 3215]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "openldap: [[!debsa2015 3209]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "LibreOffice: [[!debsa2015 3236]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libruby1.9.1: [[!debsa2015 3246]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libtasn1-3: [[!debsa2015 3220]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libx11: [[!debsa2015 3224]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libxml-libxml-perl: [[!debsa2015 3243]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libxml2: Fixup on [[!cve CVE-2014-3660]] for [[!debsa2014 3057]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "OpenJDK 7: [[!debsa2015 3235]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "ppp: [[!debsa2015 3228]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "tor: [[!debsa2015 3246]]" +msgstr "" diff --git a/wiki/src/security/Numerous_security_holes_in_1.3.2.mdwn b/wiki/src/security/Numerous_security_holes_in_1.3.2.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..79f7b6828e5e31189b7cf2658b26957743a264c6 --- /dev/null +++ b/wiki/src/security/Numerous_security_holes_in_1.3.2.mdwn @@ -0,0 +1,30 @@ +[[!meta date="Sun May 10 01:02:03 2015"]] +[[!meta title="Numerous security holes in Tails 1.3.2"]] + +[[!tag security/fixed]] + +Several security holes that affect Tails 1.3.2 are now fixed in +Tails 1.4 + +We **strongly** encourage you to [[upgrade to +Tails 1.4|news/version_1.4]] as soon as possible. + +Details +======= + + - Tor Browser: MFSA:s to be announced. + - Linux: [[!debsa2015 3237]] + - curl:[[!debsa2015 3232]], [[!debsa2015 3240]] + - dpkg: [[!debsa2015 3217]] + - gstreamer0.10-plugins-bad: [[!debsa2015 3225]] + - libgd2-xpm: [[!debsa2015 3215]] + - openldap: [[!debsa2015 3209]] + - LibreOffice: [[!debsa2015 3236]] + - libruby1.9.1: [[!debsa2015 3246]] + - libtasn1-3: [[!debsa2015 3220]] + - libx11: [[!debsa2015 3224]] + - libxml-libxml-perl: [[!debsa2015 3243]] + - libxml2: Fixup on [[!cve CVE-2014-3660]] for [[!debsa2014 3057]] + - OpenJDK 7: [[!debsa2015 3235]] + - ppp: [[!debsa2015 3228]] + - tor: [[!debsa2015 3246]] diff --git a/wiki/src/security/Numerous_security_holes_in_1.3.2.pt.po b/wiki/src/security/Numerous_security_holes_in_1.3.2.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..dba95d909130ac00f3e6af7297d76860a9ba76f6 --- /dev/null +++ b/wiki/src/security/Numerous_security_holes_in_1.3.2.pt.po @@ -0,0 +1,111 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-05-12 14:20+0200\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"Sun May 10 01:02:03 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Numerous security holes in Tails 1.3.2\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!tag security/fixed]]\n" +msgstr "" + +#. type: Plain text +msgid "Several security holes that affect Tails 1.3.2 are now fixed in Tails 1.4" +msgstr "" + +#. type: Plain text +msgid "" +"We **strongly** encourage you to [[upgrade to Tails 1.4|news/version_1.4]] " +"as soon as possible." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Details\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "Tor Browser: MFSA:s to be announced." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Linux: [[!debsa2015 3237]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "curl:[[!debsa2015 3232]], [[!debsa2015 3240]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "dpkg: [[!debsa2015 3217]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "gstreamer0.10-plugins-bad: [[!debsa2015 3225]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libgd2-xpm: [[!debsa2015 3215]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "openldap: [[!debsa2015 3209]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "LibreOffice: [[!debsa2015 3236]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libruby1.9.1: [[!debsa2015 3246]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libtasn1-3: [[!debsa2015 3220]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libx11: [[!debsa2015 3224]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libxml-libxml-perl: [[!debsa2015 3243]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libxml2: Fixup on [[!cve CVE-2014-3660]] for [[!debsa2014 3057]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "OpenJDK 7: [[!debsa2015 3235]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "ppp: [[!debsa2015 3228]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "tor: [[!debsa2015 3246]]" +msgstr "" diff --git a/wiki/src/security/Numerous_security_holes_in_1.3.de.po b/wiki/src/security/Numerous_security_holes_in_1.3.de.po new file mode 100644 index 0000000000000000000000000000000000000000..cca6469b8f07fc9817bd950c9e21570f27cf96c3 --- /dev/null +++ b/wiki/src/security/Numerous_security_holes_in_1.3.de.po @@ -0,0 +1,117 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-22 17:04+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"Sun Mar 22 01:02:03 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Numerous security holes in Tails 1.3\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!tag security/fixed]]\n" +msgstr "" + +#. type: Plain text +msgid "Several security holes that affect Tails 1.3 are now fixed in Tails 1.3.1." +msgstr "" + +#. type: Plain text +msgid "" +"We **strongly** encourage you to [[upgrade to " +"Tails 1.3.1|news/version_1.3.1]] as soon as possible." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Details\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "Tor Browser: [[!mfsa2015 28]], [[!mfsa2015 29]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Linux: [[!cve CVE-2015-1465]], [[!cve CVE-2015-1420]] and [[!cve " +"CVE-2015-1593]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "OpenSSL: [[!debsa2015 3197]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "file and libmagic: [[!debsa2015 3196]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libxfont: [[!debsa2015 3194]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "tcpdump: [[!debsa2015 3193]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libgnutls26: [[!debsa2015 3191]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libav: [[!debsa2015 3189]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "FreeType 2: [[!debsa2015 3188]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "ICU: [[!debsa2015 3187]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "NSS: [[!debsa2015 3186]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libgcrypt11: [[!debsa2015 3185]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "GnuPG: [[!debsa2015 3184]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libssh2: [[!debsa2015 3182]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libarchive and bsdtar: [[!debsa2015 3180]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libgtk2-perl: [[!debsa2015 3173]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "CUPS: [[!debsa2015 3172]]" +msgstr "" diff --git a/wiki/src/security/Numerous_security_holes_in_1.3.fr.po b/wiki/src/security/Numerous_security_holes_in_1.3.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..cca6469b8f07fc9817bd950c9e21570f27cf96c3 --- /dev/null +++ b/wiki/src/security/Numerous_security_holes_in_1.3.fr.po @@ -0,0 +1,117 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-22 17:04+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"Sun Mar 22 01:02:03 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Numerous security holes in Tails 1.3\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!tag security/fixed]]\n" +msgstr "" + +#. type: Plain text +msgid "Several security holes that affect Tails 1.3 are now fixed in Tails 1.3.1." +msgstr "" + +#. type: Plain text +msgid "" +"We **strongly** encourage you to [[upgrade to " +"Tails 1.3.1|news/version_1.3.1]] as soon as possible." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Details\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "Tor Browser: [[!mfsa2015 28]], [[!mfsa2015 29]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Linux: [[!cve CVE-2015-1465]], [[!cve CVE-2015-1420]] and [[!cve " +"CVE-2015-1593]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "OpenSSL: [[!debsa2015 3197]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "file and libmagic: [[!debsa2015 3196]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libxfont: [[!debsa2015 3194]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "tcpdump: [[!debsa2015 3193]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libgnutls26: [[!debsa2015 3191]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libav: [[!debsa2015 3189]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "FreeType 2: [[!debsa2015 3188]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "ICU: [[!debsa2015 3187]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "NSS: [[!debsa2015 3186]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libgcrypt11: [[!debsa2015 3185]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "GnuPG: [[!debsa2015 3184]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libssh2: [[!debsa2015 3182]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libarchive and bsdtar: [[!debsa2015 3180]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libgtk2-perl: [[!debsa2015 3173]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "CUPS: [[!debsa2015 3172]]" +msgstr "" diff --git a/wiki/src/security/Numerous_security_holes_in_1.3.mdwn b/wiki/src/security/Numerous_security_holes_in_1.3.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..0862779228bd4f530710b4bccc41944c4e7ab12f --- /dev/null +++ b/wiki/src/security/Numerous_security_holes_in_1.3.mdwn @@ -0,0 +1,31 @@ +[[!meta date="Sun Mar 22 01:02:03 2015"]] +[[!meta title="Numerous security holes in Tails 1.3"]] + +[[!tag security/fixed]] + +Several security holes that affect Tails 1.3 are now fixed in +Tails 1.3.1. + +We **strongly** encourage you to [[upgrade to +Tails 1.3.1|news/version_1.3.1]] as soon as possible. + +Details +======= + + - Tor Browser: [[!mfsa2015 28]], [[!mfsa2015 29]] + - Linux: [[!cve CVE-2015-1465]], [[!cve CVE-2015-1420]] and [[!cve CVE-2015-1593]] + - OpenSSL: [[!debsa2015 3197]] + - file and libmagic: [[!debsa2015 3196]] + - libxfont: [[!debsa2015 3194]] + - tcpdump: [[!debsa2015 3193]] + - libgnutls26: [[!debsa2015 3191]] + - libav: [[!debsa2015 3189]] + - FreeType 2: [[!debsa2015 3188]] + - ICU: [[!debsa2015 3187]] + - NSS: [[!debsa2015 3186]] + - libgcrypt11: [[!debsa2015 3185]] + - GnuPG: [[!debsa2015 3184]] + - libssh2: [[!debsa2015 3182]] + - libarchive and bsdtar: [[!debsa2015 3180]] + - libgtk2-perl: [[!debsa2015 3173]] + - CUPS: [[!debsa2015 3172]] diff --git a/wiki/src/security/Numerous_security_holes_in_1.3.pt.po b/wiki/src/security/Numerous_security_holes_in_1.3.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..cca6469b8f07fc9817bd950c9e21570f27cf96c3 --- /dev/null +++ b/wiki/src/security/Numerous_security_holes_in_1.3.pt.po @@ -0,0 +1,117 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-03-22 17:04+0100\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"Sun Mar 22 01:02:03 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!meta title=\"Numerous security holes in Tails 1.3\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!tag security/fixed]]\n" +msgstr "" + +#. type: Plain text +msgid "Several security holes that affect Tails 1.3 are now fixed in Tails 1.3.1." +msgstr "" + +#. type: Plain text +msgid "" +"We **strongly** encourage you to [[upgrade to " +"Tails 1.3.1|news/version_1.3.1]] as soon as possible." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Details\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "Tor Browser: [[!mfsa2015 28]], [[!mfsa2015 29]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Linux: [[!cve CVE-2015-1465]], [[!cve CVE-2015-1420]] and [[!cve " +"CVE-2015-1593]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "OpenSSL: [[!debsa2015 3197]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "file and libmagic: [[!debsa2015 3196]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libxfont: [[!debsa2015 3194]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "tcpdump: [[!debsa2015 3193]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libgnutls26: [[!debsa2015 3191]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libav: [[!debsa2015 3189]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "FreeType 2: [[!debsa2015 3188]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "ICU: [[!debsa2015 3187]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "NSS: [[!debsa2015 3186]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libgcrypt11: [[!debsa2015 3185]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "GnuPG: [[!debsa2015 3184]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libssh2: [[!debsa2015 3182]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libarchive and bsdtar: [[!debsa2015 3180]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "libgtk2-perl: [[!debsa2015 3173]]" +msgstr "" + +#. type: Bullet: ' - ' +msgid "CUPS: [[!debsa2015 3172]]" +msgstr "" diff --git a/wiki/src/security/claws_mail_leaks_plaintext_to_imap.de.po b/wiki/src/security/claws_mail_leaks_plaintext_to_imap.de.po new file mode 100644 index 0000000000000000000000000000000000000000..cd8e6cfcb028a5bb4338e083e25b31b9cf178aa0 --- /dev/null +++ b/wiki/src/security/claws_mail_leaks_plaintext_to_imap.de.po @@ -0,0 +1,352 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-05-07 18:28+0300\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"Thu May 7 12:34:56 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"[[!meta title=\"Claws Mail leaks plaintext of encrypted emails to IMAP " +"server\"]]\n" +msgstr "" + +#. type: Plain text +msgid "" +"We discovered that *Claws Mail*, the email client in Tails, stores plaintext " +"copies of all emails on the remote IMAP server, including those that are " +"meant to be encrypted." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" - When sending an email, *Claws Mail* copies the email in plaintext to\n" +" the sending queue of the IMAP server before encrypting the email.\n" +" *Claws Mail* deletes this plaintext copy after sending the email.\n" +" - *Claws Mail* drafts in plaintext on the server. An email can be\n" +" saved as draft either:\n" +" - Manually by clicking on the **Draft** button when composing an " +"email.\n" +" - Automatically if you selected the **automatically save message to\n" +" Draft folder** option in the writing preferences. This option is\n" +" deselected by default in Tails.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"**All users of *Claws Mail* using IMAP and its OpenPGP plug-in are " +"affected.**\n" +msgstr "" + +#. type: Plain text +msgid "Users of *Claws Mail* using POP are not affected." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"tip\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"To know if you are using IMAP or POP, choose <span class=\"menuchoice\">\n" +"<span class=\"guimenu\">Configuration</span> ▸\n" +"<span class=\"guimenuitem\">Edit accounts…</span></span> and refer\n" +"to the <span class=\"guilabel\">Protocol</span> column in the list of\n" +"accounts.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +msgid "" +"Unfortunately, we were not yet able to fix the problem automatically and for " +"everybody. This would require to either modify *Claws Mail* or to migrate to " +"a different application. Refer to the workarounds section to solve this " +"problem in your setup and please warn others around you." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!toc levels=2]]\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Workarounds\n" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Verify the content of your **Drafts** folder\n" +msgstr "" + +#. type: Plain text +msgid "" +"First of all, verify the content of the **Drafts** folder on the server, " +"either through *Claws Mail* or through the web interface of your email " +"provider. Delete any plaintext email that might have been stored against " +"your will in this folder until now." +msgstr "" + +#. type: Plain text +msgid "" +"Then apply one of the other two workarounds to prevent more leaks in the " +"future." +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Use POP instead of IMAP\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"*Claws Mail* can connect to the email server using either the IMAP or POP\n" +"protocol.\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"With IMAP, *Claws Mail* constantly synchronizes with the server and displays " +"the emails and folders that are currently stored on the server. IMAP is " +"better suited if you access your emails from different operating systems." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"With POP, *Claws Mail* downloads the emails that are in the inbox on the " +"server and possibly removes them from the server. POP is better suited if " +"you access emails from Tails only and store them in the persistent volume." +msgstr "" + +#. type: Plain text +msgid "" +"To know more, see also this Yahoo! Help page on [comparing the differences " +"between POP and " +"IMAP](https://help.yahoo.com/kb/mail-for-desktop/compare-differences-pop-imap-sln3769.html)." +msgstr "" + +#. type: Plain text +msgid "" +"POP is not affected at all by this security problem. When using POP, only " +"encrypted emails are sent to the server. So consider switching to POP if you " +"have an email account dedicated to your activities on Tails. To do so:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Choose **File** ▸ **Add mailbox** ▸ **MH…** to\n" +"create a local mailbox where to download your emails.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. To store the mailbox in the persistent volume, specify\n" +"`~/.claws-mail/Mail` as location.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " [[!img claws_mail_leaks_plaintext_to_imap/add_mailbox.png link=\"no\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Choose **Configuration** ▸ **Edit accounts…**, select\n" +"your IMAP account in the list of accounts, and click **Delete** to\n" +"delete it. Doing so does not delete any email stored on the server.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Click **New** and configure this new account as specified by your\n" +"email provider.\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"In the **Basic** tab, make sure that the **Protocol** option is set to " +"**POP3**." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"In the **Receive** tab, click on the **Browse** button of the **Default " +"Inbox** option and select the **Inbox** folder of the mailbox that you " +"created in step 2." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" [[!img claws_mail_leaks_plaintext_to_imap/select_inbox.png " +"link=\"no\"]]\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"If you want to keep a copy of the received emails on the server, verify the " +"preferences in the **Receive** tab. We recommend you to disable the **Remove " +"messages on server when received** option until you make sure that the " +"emails are stored in the persistent volume." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Close the preferences dialog and the list of accounts to go back to\n" +"the main window of *Claws Mail*.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Click on the **Get Mail** button to download all emails from the\n" +"inbox on the server. Emails in other folders are not downloaded.\n" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Use local **Drafts** and **Queue** folders\n" +msgstr "" + +#. type: Plain text +msgid "" +"If you want to continue using IMAP, you should configure your IMAP account " +"to use **Drafts** and **Queue** folders stored in Tails instead of on the " +"server. To do so:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Choose **Add mailbox** ▸ **MH…** to create a local\n" +"mailbox where to save your drafts and queued emails.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Choose **Configuration** ▸ **Edit accounts…**, select\n" +"your IMAP account in the list of accounts, and click **Edit** to edit\n" +"its preferences.\n" +msgstr "" + +#. type: Bullet: '1. ' +msgid "Select **Advanced** in the left pane." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Select the **Put queued messages in** option, click **Browse**, and\n" +"select the **Queue** folder of the **MH** mailbox.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Select the **Put draft messages in** option, click **Browse**, and\n" +"select the **Drafts** folder of the **MH** mailbox.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!img claws_mail_leaks_plaintext_to_imap/local_folders.png link=\"no\"]]\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Long term solution\n" +msgstr "" + +#. type: Plain text +msgid "As for the possible long term solutions to this problem, we are considering:" +msgstr "" + +#. type: Bullet: '- ' +msgid "" +"Getting the development team of *Claws Mail* to [fix the problem " +"upstream](http://www.thewildbeast.co.uk/claws-mail/bugzilla/show_bug.cgi?id=2965). " +"We contacted them about this problem already. Please help them provide a " +"technical solution if you can." +msgstr "" + +#. type: Bullet: '- ' +msgid "" +"Replacing *Claws Mail* with *Icedove* (the name of *Mozilla Thunderbird* in " +"Debian). We have been willing to do so for years and this problem motivates " +"us to move faster." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Technical details\n" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Leak through the sending queue\n" +msgstr "" + +#. type: Plain text +msgid "When sending an email from an IMAP account, *Claws Mail* does the following:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" 1. It connects to the IMAP server and stores a plaintext copy of the\n" +" email in the **Queue** folder on the server.\n" +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "It encrypts the email locally." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "It sends the encrypted email through the SMTP server." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" 1. It connects to the IMAP server and stores an encrypted copy of the\n" +" email in the **Sent** folder on the server.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" 1. It connects to the IMAP server and deletes the plaintext email\n" +" saved in step 1 from the **Queue** folder.\n" +msgstr "" diff --git a/wiki/src/security/claws_mail_leaks_plaintext_to_imap.fr.po b/wiki/src/security/claws_mail_leaks_plaintext_to_imap.fr.po new file mode 100644 index 0000000000000000000000000000000000000000..cd8e6cfcb028a5bb4338e083e25b31b9cf178aa0 --- /dev/null +++ b/wiki/src/security/claws_mail_leaks_plaintext_to_imap.fr.po @@ -0,0 +1,352 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-05-07 18:28+0300\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"Thu May 7 12:34:56 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"[[!meta title=\"Claws Mail leaks plaintext of encrypted emails to IMAP " +"server\"]]\n" +msgstr "" + +#. type: Plain text +msgid "" +"We discovered that *Claws Mail*, the email client in Tails, stores plaintext " +"copies of all emails on the remote IMAP server, including those that are " +"meant to be encrypted." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" - When sending an email, *Claws Mail* copies the email in plaintext to\n" +" the sending queue of the IMAP server before encrypting the email.\n" +" *Claws Mail* deletes this plaintext copy after sending the email.\n" +" - *Claws Mail* drafts in plaintext on the server. An email can be\n" +" saved as draft either:\n" +" - Manually by clicking on the **Draft** button when composing an " +"email.\n" +" - Automatically if you selected the **automatically save message to\n" +" Draft folder** option in the writing preferences. This option is\n" +" deselected by default in Tails.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"**All users of *Claws Mail* using IMAP and its OpenPGP plug-in are " +"affected.**\n" +msgstr "" + +#. type: Plain text +msgid "Users of *Claws Mail* using POP are not affected." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"tip\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"To know if you are using IMAP or POP, choose <span class=\"menuchoice\">\n" +"<span class=\"guimenu\">Configuration</span> ▸\n" +"<span class=\"guimenuitem\">Edit accounts…</span></span> and refer\n" +"to the <span class=\"guilabel\">Protocol</span> column in the list of\n" +"accounts.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +msgid "" +"Unfortunately, we were not yet able to fix the problem automatically and for " +"everybody. This would require to either modify *Claws Mail* or to migrate to " +"a different application. Refer to the workarounds section to solve this " +"problem in your setup and please warn others around you." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!toc levels=2]]\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Workarounds\n" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Verify the content of your **Drafts** folder\n" +msgstr "" + +#. type: Plain text +msgid "" +"First of all, verify the content of the **Drafts** folder on the server, " +"either through *Claws Mail* or through the web interface of your email " +"provider. Delete any plaintext email that might have been stored against " +"your will in this folder until now." +msgstr "" + +#. type: Plain text +msgid "" +"Then apply one of the other two workarounds to prevent more leaks in the " +"future." +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Use POP instead of IMAP\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"*Claws Mail* can connect to the email server using either the IMAP or POP\n" +"protocol.\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"With IMAP, *Claws Mail* constantly synchronizes with the server and displays " +"the emails and folders that are currently stored on the server. IMAP is " +"better suited if you access your emails from different operating systems." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"With POP, *Claws Mail* downloads the emails that are in the inbox on the " +"server and possibly removes them from the server. POP is better suited if " +"you access emails from Tails only and store them in the persistent volume." +msgstr "" + +#. type: Plain text +msgid "" +"To know more, see also this Yahoo! Help page on [comparing the differences " +"between POP and " +"IMAP](https://help.yahoo.com/kb/mail-for-desktop/compare-differences-pop-imap-sln3769.html)." +msgstr "" + +#. type: Plain text +msgid "" +"POP is not affected at all by this security problem. When using POP, only " +"encrypted emails are sent to the server. So consider switching to POP if you " +"have an email account dedicated to your activities on Tails. To do so:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Choose **File** ▸ **Add mailbox** ▸ **MH…** to\n" +"create a local mailbox where to download your emails.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. To store the mailbox in the persistent volume, specify\n" +"`~/.claws-mail/Mail` as location.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " [[!img claws_mail_leaks_plaintext_to_imap/add_mailbox.png link=\"no\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Choose **Configuration** ▸ **Edit accounts…**, select\n" +"your IMAP account in the list of accounts, and click **Delete** to\n" +"delete it. Doing so does not delete any email stored on the server.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Click **New** and configure this new account as specified by your\n" +"email provider.\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"In the **Basic** tab, make sure that the **Protocol** option is set to " +"**POP3**." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"In the **Receive** tab, click on the **Browse** button of the **Default " +"Inbox** option and select the **Inbox** folder of the mailbox that you " +"created in step 2." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" [[!img claws_mail_leaks_plaintext_to_imap/select_inbox.png " +"link=\"no\"]]\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"If you want to keep a copy of the received emails on the server, verify the " +"preferences in the **Receive** tab. We recommend you to disable the **Remove " +"messages on server when received** option until you make sure that the " +"emails are stored in the persistent volume." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Close the preferences dialog and the list of accounts to go back to\n" +"the main window of *Claws Mail*.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Click on the **Get Mail** button to download all emails from the\n" +"inbox on the server. Emails in other folders are not downloaded.\n" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Use local **Drafts** and **Queue** folders\n" +msgstr "" + +#. type: Plain text +msgid "" +"If you want to continue using IMAP, you should configure your IMAP account " +"to use **Drafts** and **Queue** folders stored in Tails instead of on the " +"server. To do so:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Choose **Add mailbox** ▸ **MH…** to create a local\n" +"mailbox where to save your drafts and queued emails.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Choose **Configuration** ▸ **Edit accounts…**, select\n" +"your IMAP account in the list of accounts, and click **Edit** to edit\n" +"its preferences.\n" +msgstr "" + +#. type: Bullet: '1. ' +msgid "Select **Advanced** in the left pane." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Select the **Put queued messages in** option, click **Browse**, and\n" +"select the **Queue** folder of the **MH** mailbox.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Select the **Put draft messages in** option, click **Browse**, and\n" +"select the **Drafts** folder of the **MH** mailbox.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!img claws_mail_leaks_plaintext_to_imap/local_folders.png link=\"no\"]]\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Long term solution\n" +msgstr "" + +#. type: Plain text +msgid "As for the possible long term solutions to this problem, we are considering:" +msgstr "" + +#. type: Bullet: '- ' +msgid "" +"Getting the development team of *Claws Mail* to [fix the problem " +"upstream](http://www.thewildbeast.co.uk/claws-mail/bugzilla/show_bug.cgi?id=2965). " +"We contacted them about this problem already. Please help them provide a " +"technical solution if you can." +msgstr "" + +#. type: Bullet: '- ' +msgid "" +"Replacing *Claws Mail* with *Icedove* (the name of *Mozilla Thunderbird* in " +"Debian). We have been willing to do so for years and this problem motivates " +"us to move faster." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Technical details\n" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Leak through the sending queue\n" +msgstr "" + +#. type: Plain text +msgid "When sending an email from an IMAP account, *Claws Mail* does the following:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" 1. It connects to the IMAP server and stores a plaintext copy of the\n" +" email in the **Queue** folder on the server.\n" +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "It encrypts the email locally." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "It sends the encrypted email through the SMTP server." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" 1. It connects to the IMAP server and stores an encrypted copy of the\n" +" email in the **Sent** folder on the server.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" 1. It connects to the IMAP server and deletes the plaintext email\n" +" saved in step 1 from the **Queue** folder.\n" +msgstr "" diff --git a/wiki/src/security/claws_mail_leaks_plaintext_to_imap.mdwn b/wiki/src/security/claws_mail_leaks_plaintext_to_imap.mdwn new file mode 100644 index 0000000000000000000000000000000000000000..051781dc0857725080113912da1a6e484efa7078 --- /dev/null +++ b/wiki/src/security/claws_mail_leaks_plaintext_to_imap.mdwn @@ -0,0 +1,174 @@ +[[!meta date="Thu May 7 12:34:56 2015"]] +[[!meta title="Claws Mail leaks plaintext of encrypted emails to IMAP server"]] + +We discovered that *Claws Mail*, the email client in Tails, stores +plaintext copies of all emails on the remote IMAP server, including +those that are meant to be encrypted. + + - When sending an email, *Claws Mail* copies the email in plaintext to + the sending queue of the IMAP server before encrypting the email. + *Claws Mail* deletes this plaintext copy after sending the email. + - *Claws Mail* drafts in plaintext on the server. An email can be + saved as draft either: + - Manually by clicking on the **Draft** button when composing an email. + - Automatically if you selected the **automatically save message to + Draft folder** option in the writing preferences. This option is + deselected by default in Tails. + +**All users of *Claws Mail* using IMAP and its OpenPGP plug-in are affected.** + +Users of *Claws Mail* using POP are not affected. + +<div class="tip"> + +To know if you are using IMAP or POP, choose <span class="menuchoice"> +<span class="guimenu">Configuration</span> ▸ +<span class="guimenuitem">Edit accounts…</span></span> and refer +to the <span class="guilabel">Protocol</span> column in the list of +accounts. + +</div> + +Unfortunately, we were not yet able to fix the problem automatically and +for everybody. This would require to either modify *Claws Mail* or to +migrate to a different application. Refer to the workarounds section to +solve this problem in your setup and please warn others around you. + +[[!toc levels=2]] + +Workarounds +=========== + +Verify the content of your **Drafts** folder +-------------------------------------------- + +First of all, verify the content of the **Drafts** folder on the server, +either through *Claws Mail* or through the web +interface of your email provider. Delete any plaintext email that might +have been stored against your will in this folder until now. + +Then apply one of the other two workarounds to prevent more leaks in the future. + +Use POP instead of IMAP +----------------------- + +*Claws Mail* can connect to the email server using either the IMAP or POP +protocol. + + - With IMAP, *Claws Mail* constantly synchronizes with the server and + displays the emails and folders that are currently stored on the + server. IMAP is better suited if you access your emails from + different operating systems. + - With POP, *Claws Mail* downloads the emails that are in the inbox + on the server and possibly removes them from the server. POP is + better suited if you access emails from Tails only and store them in + the persistent volume. + +To know more, see also this Yahoo! Help page on [comparing the +differences between POP and +IMAP](https://help.yahoo.com/kb/mail-for-desktop/compare-differences-pop-imap-sln3769.html). + +POP is not affected at all by this security problem. When using POP, +only encrypted emails are sent to the server. So consider switching to +POP if you have an email account dedicated to your activities on Tails. +To do so: + +1. Choose **File** ▸ **Add mailbox** ▸ **MH…** to +create a local mailbox where to download your emails. + +1. To store the mailbox in the persistent volume, specify +`~/.claws-mail/Mail` as location. + + [[!img claws_mail_leaks_plaintext_to_imap/add_mailbox.png link="no"]] + +1. Choose **Configuration** ▸ **Edit accounts…**, select +your IMAP account in the list of accounts, and click **Delete** to +delete it. Doing so does not delete any email stored on the server. + +1. Click **New** and configure this new account as specified by your +email provider. + + - In the **Basic** tab, make sure that the **Protocol** option is set + to **POP3**. + - In the **Receive** tab, click on the **Browse** button of the + **Default Inbox** option and select the **Inbox** folder of the + mailbox that you created in step 2. + + [[!img claws_mail_leaks_plaintext_to_imap/select_inbox.png link="no"]] + + - If you want to keep a copy of the received emails on the server, + verify the preferences in the **Receive** tab. We recommend you to + disable the **Remove messages on server when received** option + until you make sure that the emails are stored in the persistent + volume. + +1. Close the preferences dialog and the list of accounts to go back to +the main window of *Claws Mail*. + +1. Click on the **Get Mail** button to download all emails from the +inbox on the server. Emails in other folders are not downloaded. + +Use local **Drafts** and **Queue** folders +------------------------------------------ + +If you want to continue using IMAP, you should configure your IMAP +account to use **Drafts** and **Queue** folders stored in Tails instead +of on the server. To do so: + +1. Choose **Add mailbox** ▸ **MH…** to create a local +mailbox where to save your drafts and queued emails. + +1. To store the mailbox in the persistent volume, specify +`~/.claws-mail/Mail` as location. + + [[!img claws_mail_leaks_plaintext_to_imap/add_mailbox.png link="no"]] + +1. Choose **Configuration** ▸ **Edit accounts…**, select +your IMAP account in the list of accounts, and click **Edit** to edit +its preferences. + +1. Select **Advanced** in the left pane. + +1. Select the **Put queued messages in** option, click **Browse**, and +select the **Queue** folder of the **MH** mailbox. + +1. Select the **Put draft messages in** option, click **Browse**, and +select the **Drafts** folder of the **MH** mailbox. + +[[!img claws_mail_leaks_plaintext_to_imap/local_folders.png link="no"]] + +Long term solution +================== + +As for the possible long term solutions to this problem, we are +considering: + +- Getting the development team of *Claws Mail* to [fix the problem upstream](http://www.thewildbeast.co.uk/claws-mail/bugzilla/show_bug.cgi?id=2965). + We contacted them about this + problem already. Please help them provide a technical + solution if you can. + +- Replacing *Claws Mail* with *Icedove* (the name of *Mozilla Thunderbird* in + Debian). We have been willing to do so for years and this problem + motivates us to move faster. + +Technical details +================= + +Leak through the sending queue +------------------------------ + +When sending an email from an IMAP account, *Claws Mail* does the following: + + 1. It connects to the IMAP server and stores a plaintext copy of the + email in the **Queue** folder on the server. + + 1. It encrypts the email locally. + + 1. It sends the encrypted email through the SMTP server. + + 1. It connects to the IMAP server and stores an encrypted copy of the + email in the **Sent** folder on the server. + + 1. It connects to the IMAP server and deletes the plaintext email + saved in step 1 from the **Queue** folder. diff --git a/wiki/src/security/claws_mail_leaks_plaintext_to_imap.pt.po b/wiki/src/security/claws_mail_leaks_plaintext_to_imap.pt.po new file mode 100644 index 0000000000000000000000000000000000000000..cd8e6cfcb028a5bb4338e083e25b31b9cf178aa0 --- /dev/null +++ b/wiki/src/security/claws_mail_leaks_plaintext_to_imap.pt.po @@ -0,0 +1,352 @@ +# SOME DESCRIPTIVE TITLE +# Copyright (C) YEAR Free Software Foundation, Inc. +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR <EMAIL@ADDRESS>, YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"POT-Creation-Date: 2015-05-07 18:28+0300\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"Language-Team: LANGUAGE <LL@li.org>\n" +"Language: \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" + +#. type: Plain text +#, no-wrap +msgid "[[!meta date=\"Thu May 7 12:34:56 2015\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"[[!meta title=\"Claws Mail leaks plaintext of encrypted emails to IMAP " +"server\"]]\n" +msgstr "" + +#. type: Plain text +msgid "" +"We discovered that *Claws Mail*, the email client in Tails, stores plaintext " +"copies of all emails on the remote IMAP server, including those that are " +"meant to be encrypted." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" - When sending an email, *Claws Mail* copies the email in plaintext to\n" +" the sending queue of the IMAP server before encrypting the email.\n" +" *Claws Mail* deletes this plaintext copy after sending the email.\n" +" - *Claws Mail* drafts in plaintext on the server. An email can be\n" +" saved as draft either:\n" +" - Manually by clicking on the **Draft** button when composing an " +"email.\n" +" - Automatically if you selected the **automatically save message to\n" +" Draft folder** option in the writing preferences. This option is\n" +" deselected by default in Tails.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"**All users of *Claws Mail* using IMAP and its OpenPGP plug-in are " +"affected.**\n" +msgstr "" + +#. type: Plain text +msgid "Users of *Claws Mail* using POP are not affected." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<div class=\"tip\">\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"To know if you are using IMAP or POP, choose <span class=\"menuchoice\">\n" +"<span class=\"guimenu\">Configuration</span> ▸\n" +"<span class=\"guimenuitem\">Edit accounts…</span></span> and refer\n" +"to the <span class=\"guilabel\">Protocol</span> column in the list of\n" +"accounts.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "</div>\n" +msgstr "" + +#. type: Plain text +msgid "" +"Unfortunately, we were not yet able to fix the problem automatically and for " +"everybody. This would require to either modify *Claws Mail* or to migrate to " +"a different application. Refer to the workarounds section to solve this " +"problem in your setup and please warn others around you." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!toc levels=2]]\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Workarounds\n" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Verify the content of your **Drafts** folder\n" +msgstr "" + +#. type: Plain text +msgid "" +"First of all, verify the content of the **Drafts** folder on the server, " +"either through *Claws Mail* or through the web interface of your email " +"provider. Delete any plaintext email that might have been stored against " +"your will in this folder until now." +msgstr "" + +#. type: Plain text +msgid "" +"Then apply one of the other two workarounds to prevent more leaks in the " +"future." +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Use POP instead of IMAP\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"*Claws Mail* can connect to the email server using either the IMAP or POP\n" +"protocol.\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"With IMAP, *Claws Mail* constantly synchronizes with the server and displays " +"the emails and folders that are currently stored on the server. IMAP is " +"better suited if you access your emails from different operating systems." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"With POP, *Claws Mail* downloads the emails that are in the inbox on the " +"server and possibly removes them from the server. POP is better suited if " +"you access emails from Tails only and store them in the persistent volume." +msgstr "" + +#. type: Plain text +msgid "" +"To know more, see also this Yahoo! Help page on [comparing the differences " +"between POP and " +"IMAP](https://help.yahoo.com/kb/mail-for-desktop/compare-differences-pop-imap-sln3769.html)." +msgstr "" + +#. type: Plain text +msgid "" +"POP is not affected at all by this security problem. When using POP, only " +"encrypted emails are sent to the server. So consider switching to POP if you " +"have an email account dedicated to your activities on Tails. To do so:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Choose **File** ▸ **Add mailbox** ▸ **MH…** to\n" +"create a local mailbox where to download your emails.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. To store the mailbox in the persistent volume, specify\n" +"`~/.claws-mail/Mail` as location.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid " [[!img claws_mail_leaks_plaintext_to_imap/add_mailbox.png link=\"no\"]]\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Choose **Configuration** ▸ **Edit accounts…**, select\n" +"your IMAP account in the list of accounts, and click **Delete** to\n" +"delete it. Doing so does not delete any email stored on the server.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Click **New** and configure this new account as specified by your\n" +"email provider.\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"In the **Basic** tab, make sure that the **Protocol** option is set to " +"**POP3**." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"In the **Receive** tab, click on the **Browse** button of the **Default " +"Inbox** option and select the **Inbox** folder of the mailbox that you " +"created in step 2." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" [[!img claws_mail_leaks_plaintext_to_imap/select_inbox.png " +"link=\"no\"]]\n" +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"If you want to keep a copy of the received emails on the server, verify the " +"preferences in the **Receive** tab. We recommend you to disable the **Remove " +"messages on server when received** option until you make sure that the " +"emails are stored in the persistent volume." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Close the preferences dialog and the list of accounts to go back to\n" +"the main window of *Claws Mail*.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Click on the **Get Mail** button to download all emails from the\n" +"inbox on the server. Emails in other folders are not downloaded.\n" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Use local **Drafts** and **Queue** folders\n" +msgstr "" + +#. type: Plain text +msgid "" +"If you want to continue using IMAP, you should configure your IMAP account " +"to use **Drafts** and **Queue** folders stored in Tails instead of on the " +"server. To do so:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Choose **Add mailbox** ▸ **MH…** to create a local\n" +"mailbox where to save your drafts and queued emails.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Choose **Configuration** ▸ **Edit accounts…**, select\n" +"your IMAP account in the list of accounts, and click **Edit** to edit\n" +"its preferences.\n" +msgstr "" + +#. type: Bullet: '1. ' +msgid "Select **Advanced** in the left pane." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Select the **Put queued messages in** option, click **Browse**, and\n" +"select the **Queue** folder of the **MH** mailbox.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"1. Select the **Put draft messages in** option, click **Browse**, and\n" +"select the **Drafts** folder of the **MH** mailbox.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "[[!img claws_mail_leaks_plaintext_to_imap/local_folders.png link=\"no\"]]\n" +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Long term solution\n" +msgstr "" + +#. type: Plain text +msgid "As for the possible long term solutions to this problem, we are considering:" +msgstr "" + +#. type: Bullet: '- ' +msgid "" +"Getting the development team of *Claws Mail* to [fix the problem " +"upstream](http://www.thewildbeast.co.uk/claws-mail/bugzilla/show_bug.cgi?id=2965). " +"We contacted them about this problem already. Please help them provide a " +"technical solution if you can." +msgstr "" + +#. type: Bullet: '- ' +msgid "" +"Replacing *Claws Mail* with *Icedove* (the name of *Mozilla Thunderbird* in " +"Debian). We have been willing to do so for years and this problem motivates " +"us to move faster." +msgstr "" + +#. type: Title = +#, no-wrap +msgid "Technical details\n" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Leak through the sending queue\n" +msgstr "" + +#. type: Plain text +msgid "When sending an email from an IMAP account, *Claws Mail* does the following:" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" 1. It connects to the IMAP server and stores a plaintext copy of the\n" +" email in the **Queue** folder on the server.\n" +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "It encrypts the email locally." +msgstr "" + +#. type: Bullet: ' 1. ' +msgid "It sends the encrypted email through the SMTP server." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" 1. It connects to the IMAP server and stores an encrypted copy of the\n" +" email in the **Sent** folder on the server.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +" 1. It connects to the IMAP server and deletes the plaintext email\n" +" saved in step 1 from the **Queue** folder.\n" +msgstr "" diff --git a/wiki/src/security/claws_mail_leaks_plaintext_to_imap/add_mailbox.png b/wiki/src/security/claws_mail_leaks_plaintext_to_imap/add_mailbox.png new file mode 100644 index 0000000000000000000000000000000000000000..6d23481788b3a5abdddf20603c82d640c18650b7 Binary files /dev/null and b/wiki/src/security/claws_mail_leaks_plaintext_to_imap/add_mailbox.png differ diff --git a/wiki/src/security/claws_mail_leaks_plaintext_to_imap/local_folders.png b/wiki/src/security/claws_mail_leaks_plaintext_to_imap/local_folders.png new file mode 100644 index 0000000000000000000000000000000000000000..f96d3726b4724a2b703b12aafc0e17ef72b5edfa Binary files /dev/null and b/wiki/src/security/claws_mail_leaks_plaintext_to_imap/local_folders.png differ diff --git a/wiki/src/security/claws_mail_leaks_plaintext_to_imap/select_inbox.png b/wiki/src/security/claws_mail_leaks_plaintext_to_imap/select_inbox.png new file mode 100644 index 0000000000000000000000000000000000000000..8b3fb59044d31b3807860e445bcc5feec445952c Binary files /dev/null and b/wiki/src/security/claws_mail_leaks_plaintext_to_imap/select_inbox.png differ diff --git a/wiki/src/sidebar.de.po b/wiki/src/sidebar.de.po index 80bbd7594fc8e1c633807b3e3bf1d5f32b471b73..e3e389a9cb6e5463d35316fac0dab4c4f19ab74e 100644 --- a/wiki/src/sidebar.de.po +++ b/wiki/src/sidebar.de.po @@ -7,13 +7,13 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "POT-Creation-Date: 2014-08-10 21:05+0300\n" -"PO-Revision-Date: 2014-06-14 21:19-0000\n" -"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" +"PO-Revision-Date: 2015-01-19 08:05+0100\n" +"Last-Translator: Tails developers <tails@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: ENCODING\n" +"Content-Transfer-Encoding: 8bit\n" #. type: Plain text #, no-wrap @@ -62,6 +62,9 @@ msgid "" "\t[[Donate|contribute/how/donate]]\n" "</div>\n" msgstr "" +"<div class=\"donate button\">\n" +"\t[[Spenden|contribute/how/donate]]\n" +"</div>\n" #~ msgid "" #~ "<div class=\"donate button\">\n" diff --git a/wiki/src/support.fr.po b/wiki/src/support.fr.po index b3da149fdd35c1122e5e562c3d7c958e4484faac..e4bcc97678bf8b22ed444c88c43b98fd826a022e 100644 --- a/wiki/src/support.fr.po +++ b/wiki/src/support.fr.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "POT-Creation-Date: 2014-06-08 19:38+0300\n" -"PO-Revision-Date: 2014-05-11 10:39-0000\n" +"PO-Revision-Date: 2015-01-25 10:17+0100\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" @@ -164,7 +164,7 @@ msgstr "</div> <!-- #wishlist -->\n" #. type: Plain text #, no-wrap msgid "</div> <!-- #page-found_a_problem -->\n" -msgstr "" +msgstr "</div> <!-- #page-found_a_problem -->\n" #. type: Plain text #, no-wrap diff --git a/wiki/src/support/faq.de.po b/wiki/src/support/faq.de.po index 0eb4ffbfb6fc609229f66eba60c36cd05304316f..40e7053e6bd62c825cde4829cb4ab69f67a5288e 100644 --- a/wiki/src/support/faq.de.po +++ b/wiki/src/support/faq.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-12-11 18:12+0100\n" +"POT-Creation-Date: 2015-05-11 14:31+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -156,6 +156,58 @@ msgid "" "provides." msgstr "" +#. type: Plain text +#, no-wrap +msgid "<a id=\"gnome\"></a>\n" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Why does Tails ship the GNOME Desktop?\n" +msgstr "" + +#. type: Plain text +msgid "" +"We had users ask for LXDE, XFCE, MATE, KDE, and so on, but we are not going " +"to change desktop. According to us, the main drawback of GNOME is that it " +"requires quite a lot of resources to work properly, but it has many " +"advantages. The GNOME Desktop is:" +msgstr "" + +#. type: Bullet: ' - ' +msgid "Well integrated, especially for new Linux users." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Very well translated and documented." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Doing relatively good regarding accessibility features." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Actively developed." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Well maintained in [[Debian|faq#debian]], where it is the default desktop " +"environment." +msgstr "" + +#. type: Plain text +msgid "" +"We invested quite some time in acquiring GNOME knowledge, and switching our " +"desktop environment would require going through that process again." +msgstr "" + +#. type: Plain text +msgid "" +"We are not proposing several desktop environments to choose from because we " +"want to [[limit the amount of software included in Tails|faq#new_software]]." +msgstr "" + #. type: Plain text #, no-wrap msgid "<a id=\"website\"></a>\n" @@ -297,6 +349,79 @@ msgid "" "traces on the computer after a session is closed." msgstr "" +#. type: Plain text +#, no-wrap +msgid "<a id=\"unetbootin_etc\"></a>\n" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Can I install Tails with UNetbootin, YUMI or my other favorite tool?\n" +msgstr "" + +#. type: Plain text +msgid "" +"No. Those installation methods are unsupported. They might not work at all, " +"or worse: they might seem to work, but produce a Tails device that does " +"*not* behave like Tails should. Follow the [[download and installation " +"documentation|download]] instead." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"upgrade\"></a>\n" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Should I update Tails using `apt-get` or <span class=\"application\">Synaptic</span>?\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"No. Tails provides upgrades every 6 weeks, that are thoroughly tested\n" +"to make sure that no security feature or configuration gets broken.\n" +"If you upgrade the system yourself using `apt-get` or <span class=\"application\">Synaptic</span>,\n" +"you might break things. Upgrading when you get a notification from\n" +"<span class=\"application\">[[Tails Upgrader|doc/first_steps/upgrade]]</span> is enough.\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"preinstalled\"></a>\n" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Can I buy a preinstalled Tails device?\n" +msgstr "" + +#. type: Plain text +msgid "No, we don't sell preinstalled Tails devices." +msgstr "" + +#. type: Plain text +msgid "Selling preinstalled devices would in fact be a pretty bad idea:" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"If burned on a DVD, then this DVD would be outdated on the next release. " +"This means after 6 weeks at most." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"If installed onto a USB stick, then it would be impossible to verify that " +"the Tails on the USB stick is genuine. Trusting that a Tails device is " +"genuine should be based either on cryptographic verification or on personal " +"trust (if you know someone of trust who can clone a Tails device for you). " +"But once Tails is installed on a USB stick it is not possible to use our " +"cryptographic verification techniques anymore. Being able to trust your " +"Tails device is something that we really care about." +msgstr "" + #. type: Plain text #, no-wrap msgid "<a id=\"browser\"></a>\n" @@ -328,7 +453,8 @@ msgstr "" #. type: Plain text msgid "" -"Tails also includes the [[NoScript|doc/anonymous_internet/" +"Tor Browser also includes a [[security_slider|doc/anonymous_internet/" +"Tor_browser#security_slider]] and the [[NoScript|doc/anonymous_internet/" "Tor_browser#noscript]] extension to optionally disable more JavaScript. This " "might improve security in some cases. However, if you disable JavaScript, " "then the [[fingerprint|doc/about/fingerprint]] of your browser will differ " @@ -690,7 +816,7 @@ msgstr "" #. type: Plain text msgid "" "In some situations, you might be forced to use a VPN to connect to the " -"Internet, for example by your ISP. This is currenlty not possible using " +"Internet, for example by your ISP. This is currently not possible using " "Tails. See [[!tails_ticket 5858]]." msgstr "" @@ -718,6 +844,33 @@ msgstr "" msgid "This is currenlty not possible easily using Tails." msgstr "" +#. type: Plain text +#, no-wrap +msgid "<a id=\"torrc\"></a>\n" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Can I choose the country of my exit nodes or further edit the `torrc`?\n" +msgstr "" + +#. type: Plain text +msgid "" +"It is possible to edit the Tor configuration file (`torrc`) with " +"administration rights but you should not do so as it might break your " +"anonymity." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"For example, as mentioned in the <span class=\"application\">Tor Browser</span>\n" +"[FAQ](https://www.torproject.org/docs/faq.html.en#ChooseEntryExit),\n" +"using `ExcludeExitNodes` is not recommended because \"overriding the\n" +"exit nodes can mess up your anonymity in ways we don't\n" +"understand\".\n" +msgstr "" + #. type: Plain text #, no-wrap msgid "<a id=\"mac_address\"></a>\n" @@ -797,6 +950,28 @@ msgid "" "tails_ticket 5418]]." msgstr "" +#. type: Plain text +#, no-wrap +msgid "<a id=\"hidden_service\"></a>\n" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Can I run a Tor hidden service on Tails?\n" +msgstr "" + +#. type: Plain text +msgid "" +"It is technically possible to use Tails to provide a hidden service but it " +"is complicated and not documented yet." +msgstr "" + +#. type: Plain text +msgid "" +"For example, some people have been working on how to run a web server behind " +"a hidden service on Tails. See [[!tails_ticket 7879]]." +msgstr "" + #. type: Plain text #, no-wrap msgid "<a id=\"software\"></a>\n" @@ -916,10 +1091,6 @@ msgstr "" msgid "**torchat**: see [[!tails_ticket 5554]]" msgstr "" -#. type: Bullet: ' - ' -msgid "**bitcoin**, **electrum**: see [[!tails_ticket 6739]]" -msgstr "" - #. type: Bullet: ' - ' msgid "**retroshare**: not in Debian" msgstr "" @@ -1113,42 +1284,29 @@ msgstr "" msgid "<a id=\"new_identity\"></a>\n" msgstr "" -#. type: Title - -#, no-wrap -msgid "Is it safe to use the new identity feature of Vidalia?\n" -msgstr "" - #. type: Plain text #, no-wrap msgid "" -"In our [[warning page|doc/about/warning#identities]] we advice to restart Tails\n" -"every time that you want to use a different contextual identity. The <span\n" -"class=\"guilabel\">New Identity</span> feature of <span\n" -"class=\"application\">Vidalia</span> forces Tor to use new circuits but only for\n" -"new connections. The two main drawbacks of this technique are:\n" -msgstr "" - -#. type: Plain text -msgid "" -"- The circuits used by connections that remain open might not be changed: " -"for example, a circuit used to connect to an open webpage or to an instant " -"messaging server." +"Is it safe to use the <span class=\"guilabel\">New Identity</span> feature of <span class=\"application\">Vidalia</span> or <span class=\"application\">Tor Browser</span>?\n" +"---------------------------------------------------------------------\n" msgstr "" #. type: Plain text #, no-wrap msgid "" -"- Each application might contain information that can identify you,\n" -"independently of the Tor circuit that are used. For example, the browser might\n" -"contain cookies from previous websites, <span\n" -"class=\"application\">[[Pidgin|doc/anonymous_internet/pidgin]]</span> will reuse the\n" -"same nickname by default, etc.\n" +"In our [[warning page|doc/about/warning#identities]] we advice to\n" +"restart Tails every time that you want to use a different contextual\n" +"identity. The\n" +"[[<span class=\"guilabel\">New Identity</span> feature of <span class=\"application\">Vidalia</span>|doc/anonymous_internet/vidalia#new_identity]]\n" +"forces Tor to use new circuits but only for new connections and the\n" +"[[<span class=\"guilabel\">New Identity</span> of <span class=\"application\">Tor Browser</span>|doc/anonymous_internet/Tor_Browser#new_identity]]\n" +"is limited to the browser.\n" msgstr "" #. type: Plain text msgid "" "Tails is a full operating system, so a *new identity* should be thought on a " -"broader level than only switching Tor circuits." +"broader level. **Restart Tails instead**." msgstr "" #. type: Plain text diff --git a/wiki/src/support/faq.fr.po b/wiki/src/support/faq.fr.po index d61f3efe9ef0b0841fc9d9189eaf455e23a020b5..3c27b2ee22ad62c24b1ee9137efba6213b7c0648 100644 --- a/wiki/src/support/faq.fr.po +++ b/wiki/src/support/faq.fr.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-12-11 18:12+0100\n" -"PO-Revision-Date: 2014-10-09 21:42-0000\n" +"POT-Creation-Date: 2015-05-11 14:31+0000\n" +"PO-Revision-Date: 2015-04-06 16:53+0200\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" @@ -24,12 +24,12 @@ msgstr "[[!meta title=\"Foire aux questions\"]]\n" #. type: Plain text #, no-wrap msgid "[[!toc levels=2]]\n" -msgstr "" +msgstr "[[!toc levels=2]]\n" #. type: Plain text #, no-wrap msgid "<a id=\"project\"></a>\n" -msgstr "" +msgstr "<a id=\"project\"></a>\n" #. type: Title = #, no-wrap @@ -58,7 +58,7 @@ msgstr "Projet Tails\n" #. type: Plain text #, no-wrap msgid "<a id=\"relationship_with_tor\"></a>\n" -msgstr "" +msgstr "<a id=\"relationship_with_tor\"></a>\n" #. type: Title - #, no-wrap @@ -76,7 +76,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<a id=\"debian\"></a>\n" -msgstr "" +msgstr "<a id=\"debian\"></a>\n" #. type: Title - #, no-wrap @@ -111,7 +111,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<a id=\"ubuntu\"></a>\n" -msgstr "" +msgstr "<a id=\"ubuntu\"></a>\n" #. type: Title - #, no-wrap @@ -193,10 +193,63 @@ msgstr "" "de sécurité qu'Ubuntu fournit déjà." #. type: Plain text +#, fuzzy, no-wrap +#| msgid "<a id=\"arm\"></a>\n" +msgid "<a id=\"gnome\"></a>\n" +msgstr "<a id=\"arm\"></a>\n" + +#. type: Title - #, no-wrap -msgid "<a id=\"website\"></a>\n" +msgid "Why does Tails ship the GNOME Desktop?\n" +msgstr "" + +#. type: Plain text +msgid "" +"We had users ask for LXDE, XFCE, MATE, KDE, and so on, but we are not going " +"to change desktop. According to us, the main drawback of GNOME is that it " +"requires quite a lot of resources to work properly, but it has many " +"advantages. The GNOME Desktop is:" msgstr "" +#. type: Bullet: ' - ' +msgid "Well integrated, especially for new Linux users." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Very well translated and documented." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Doing relatively good regarding accessibility features." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Actively developed." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Well maintained in [[Debian|faq#debian]], where it is the default desktop " +"environment." +msgstr "" + +#. type: Plain text +msgid "" +"We invested quite some time in acquiring GNOME knowledge, and switching our " +"desktop environment would require going through that process again." +msgstr "" + +#. type: Plain text +msgid "" +"We are not proposing several desktop environments to choose from because we " +"want to [[limit the amount of software included in Tails|faq#new_software]]." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"website\"></a>\n" +msgstr "<a id=\"website\"></a>\n" + #. type: Title = #, no-wrap msgid "Tails website\n" @@ -205,7 +258,7 @@ msgstr "Site web de Tails\n" #. type: Plain text #, no-wrap msgid "<a id=\"ssl_certificate\"></a>\n" -msgstr "" +msgstr "<a id=\"ssl_certificate\"></a>\n" #. type: Title - #, no-wrap @@ -273,7 +326,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<a id=\"hardware\"></a>\n" -msgstr "" +msgstr "<a id=\"hardware\"></a>\n" #. type: Title = #, no-wrap @@ -283,7 +336,7 @@ msgstr "Compatibilité matérielle\n" #. type: Plain text #, no-wrap msgid "<a id=\"64-bit\"></a>\n" -msgstr "" +msgstr "<a id=\"64-bit\"></a>\n" #. type: Title - #, no-wrap @@ -301,7 +354,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<a id=\"arm\"></a>\n" -msgstr "" +msgstr "<a id=\"arm\"></a>\n" #. type: Title - #, no-wrap @@ -331,7 +384,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<a id=\"installation\"></a>\n" -msgstr "" +msgstr "<a id=\"installation\"></a>\n" #. type: Title = #, no-wrap @@ -341,7 +394,7 @@ msgstr "Installation\n" #. type: Plain text #, no-wrap msgid "<a id=\"install_permanently\"></a>\n" -msgstr "" +msgstr "<a id=\"install_permanently\"></a>\n" #. type: Title - #, no-wrap @@ -369,10 +422,88 @@ msgstr "" "Tails ne laisse aucune trace sur l'ordinateur après son utilisation." #. type: Plain text +#, fuzzy, no-wrap +#| msgid "<a id=\"networking\"></a>\n" +msgid "<a id=\"unetbootin_etc\"></a>\n" +msgstr "<a id=\"networking\"></a>\n" + +#. type: Title - #, no-wrap -msgid "<a id=\"browser\"></a>\n" +msgid "Can I install Tails with UNetbootin, YUMI or my other favorite tool?\n" msgstr "" +#. type: Plain text +msgid "" +"No. Those installation methods are unsupported. They might not work at all, " +"or worse: they might seem to work, but produce a Tails device that does " +"*not* behave like Tails should. Follow the [[download and installation " +"documentation|download]] instead." +msgstr "" + +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "<a id=\"project\"></a>\n" +msgid "<a id=\"upgrade\"></a>\n" +msgstr "<a id=\"project\"></a>\n" + +#. type: Title - +#, fuzzy, no-wrap +#| msgid "Is Java installed in the <span class=\"application\">Tor Browser</span>?\n" +msgid "Should I update Tails using `apt-get` or <span class=\"application\">Synaptic</span>?\n" +msgstr "Est-ce que Java est installé dans le <span class=\"application\">Tor Browser</span> ?\n" + +#. type: Plain text +#, no-wrap +msgid "" +"No. Tails provides upgrades every 6 weeks, that are thoroughly tested\n" +"to make sure that no security feature or configuration gets broken.\n" +"If you upgrade the system yourself using `apt-get` or <span class=\"application\">Synaptic</span>,\n" +"you might break things. Upgrading when you get a notification from\n" +"<span class=\"application\">[[Tails Upgrader|doc/first_steps/upgrade]]</span> is enough.\n" +msgstr "" + +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "<a id=\"installation\"></a>\n" +msgid "<a id=\"preinstalled\"></a>\n" +msgstr "<a id=\"installation\"></a>\n" + +#. type: Title - +#, fuzzy, no-wrap +#| msgid "Can I verify the integrity of a Tails device?\n" +msgid "Can I buy a preinstalled Tails device?\n" +msgstr "Puis-je vérifier l'intégrité d'un périphérique Tails ?\n" + +#. type: Plain text +msgid "No, we don't sell preinstalled Tails devices." +msgstr "" + +#. type: Plain text +msgid "Selling preinstalled devices would in fact be a pretty bad idea:" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"If burned on a DVD, then this DVD would be outdated on the next release. " +"This means after 6 weeks at most." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"If installed onto a USB stick, then it would be impossible to verify that " +"the Tails on the USB stick is genuine. Trusting that a Tails device is " +"genuine should be based either on cryptographic verification or on personal " +"trust (if you know someone of trust who can clone a Tails device for you). " +"But once Tails is installed on a USB stick it is not possible to use our " +"cryptographic verification techniques anymore. Being able to trust your " +"Tails device is something that we really care about." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"browser\"></a>\n" +msgstr "<a id=\"browser\"></a>\n" + #. type: Title = #, no-wrap msgid "Web browser\n" @@ -381,13 +512,12 @@ msgstr "Navigateur web\n" #. type: Plain text #, no-wrap msgid "<a id=\"javascript\"></a>\n" -msgstr "" +msgstr "<a id=\"javascript\"></a>\n" #. type: Title - -#, fuzzy, no-wrap -#| msgid "Why is JavaScript enabled by default in the Tor browser?\n" +#, no-wrap msgid "Why is JavaScript enabled by default in <span class=\"application\">Tor Browser</span>?\n" -msgstr "Pourquoi est-ce que JavaScript est autorisé par défaut dans le navigateur Tor ?\n" +msgstr "Pourquoi est-ce que JavaScript est autorisé par défaut dans le <span class=\"application\">navigateur Tor</span> ?\n" #. type: Plain text msgid "" @@ -404,8 +534,16 @@ msgstr "" "Tails, prend soin de bloquer les fonctionnalités dangereuses de JavaScript." #. type: Plain text -msgid "" -"Tails also includes the [[NoScript|doc/anonymous_internet/" +#, fuzzy +#| msgid "" +#| "Tails also includes the [[NoScript|doc/anonymous_internet/" +#| "Tor_browser#noscript]] extension to optionally disable more JavaScript. " +#| "This might improve security in some cases. However, if you disable " +#| "JavaScript, then the [[fingerprint|doc/about/fingerprint]] of your " +#| "browser will differ from most Tor users. This might break your anonymity." +msgid "" +"Tor Browser also includes a [[security_slider|doc/anonymous_internet/" +"Tor_browser#security_slider]] and the [[NoScript|doc/anonymous_internet/" "Tor_browser#noscript]] extension to optionally disable more JavaScript. This " "might improve security in some cases. However, if you disable JavaScript, " "then the [[fingerprint|doc/about/fingerprint]] of your browser will differ " @@ -429,19 +567,17 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<a id=\"add-ons\"></a>\n" -msgstr "" +msgstr "<a id=\"add-ons\"></a>\n" #. type: Title - -#, fuzzy, no-wrap -#| msgid "Can I install other add-ons in the browser?\n" +#, no-wrap msgid "Can I install other add-ons in <span class=\"application\">Tor Browser</span>?\n" -msgstr "Puis-je installer d'autres extensions dans le navigateur ?\n" +msgstr "Puis-je installer d'autres extensions dans le <span class=\"application\">navigateur Tor</span> ?\n" #. type: Plain text -#, fuzzy, no-wrap -#| msgid "Installing add-ons in the browser might break the security built in Tails." +#, no-wrap msgid "Installing add-ons in <span class=\"application\">Tor Browser</span> might break the security built in Tails.\n" -msgstr "Installer des extensions dans le navigateur pourrait briser la sécurité de Tails." +msgstr "Installer des extensions dans le <span class=\"application\">navigateur Tor</span> pourrait briser la sécurité de Tails.\n" #. type: Plain text msgid "" @@ -503,15 +639,7 @@ msgstr "" "contexte." #. type: Plain text -#, fuzzy, no-wrap -#| msgid "" -#| "<div class=\"next\">\n" -#| " <ul>\n" -#| " <li>[[Warnings about persistence|doc/first_steps/persistence/warnings#index3h1]]</li>\n" -#| " <li>[[Browsing the web with the Tor Browser|doc/anonymous_internet/Tor_browser]]</li>\n" -#| " <li>[[Can I hide the fact that I am using Tails?|doc/about/fingerprint/]]</li>\n" -#| " </ul>\n" -#| "</div>\n" +#, no-wrap msgid "" "<div class=\"next\">\n" " <ul>\n" @@ -524,7 +652,7 @@ msgstr "" "<div class=\"next\">\n" " <ul>\n" " <li>[[Avertissement à propos de la persistance|doc/first_steps/persistence/warnings#index3h1]]</li>\n" -" <li>[[Naviguer avec le Navigateur Tor|doc/anonymous_internet/Tor_browser]]</li>\n" +" <li>[[Naviguer avec le <span class=\"application\">navigateur Tor</span>|doc/anonymous_internet/Tor_browser]]</li>\n" " <li>[[Est-ce que je peux cacher le fait que j'utilise Tails ?|doc/about/fingerprint/]]</li>\n" " </ul>\n" "</div>\n" @@ -541,7 +669,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<a id=\"flash\"></a>\n" -msgstr "" +msgstr "<a id=\"flash\"></a>\n" #. type: Title - #, no-wrap @@ -596,15 +724,14 @@ msgstr "" "pas encore le cas, voir [[!tails_ticket 5363]]." #. type: Plain text -#, fuzzy, no-wrap -#| msgid "But you can already watch HTML5 videos with the Tor browser." +#, no-wrap msgid "But you can already watch HTML5 videos with <span class=\"application\">Tor Browser</span>.\n" -msgstr "Mais vous pouvez déjà regarder les vidéos HTML5 avec le navigateur Tor." +msgstr "Mais vous pouvez déjà regarder les vidéos HTML5 avec le <span class=\"application\">navigateur Tor</span>.\n" #. type: Plain text #, no-wrap msgid "<a id=\"anonymity_test\"></a>\n" -msgstr "" +msgstr "<a id=\"anonymity_test\"></a>\n" #. type: Title - #, no-wrap @@ -623,26 +750,29 @@ msgstr "" "identifier." #. type: Plain text -#, fuzzy, no-wrap -#| msgid "As explained in our documentation about [[fingerprinting|doc/about/fingerprint]], Tails provides anonymity on the web by making it difficult to distinguish a particular user amongst all the users of Tails and the Tor Browser Bundle (TBB)." +#, no-wrap msgid "" "As explained in our documentation about\n" "[[fingerprinting|doc/about/fingerprint]], Tails provides anonymity on the web by\n" "making it difficult to distinguish a particular user amongst all the users of\n" "<span class=\"application\">Tor Browser</span> (either in Tails or on other operating systems).\n" -msgstr "Comme expliqué dans notre documentation à propos de l'[[empreinte|doc/about/fingerprint]], Tails fournit de l'anonymat sur le web en rendant difficile de distinguer un utilisateur parmi tous ceux qui utilisent Tails et le Tor Browser Bundle (TBB)." +msgstr "" +"Comme expliqué dans notre documentation à propos\n" +"de l'[[empreinte|doc/about/fingerprint]], Tails fournit de l'anonymat sur le web en rendant\n" +"difficile de distinguer un utilisateur parmi tous ceux qui utilisent le\n" +"<span class=\"application\">navigateur Tor</span> (que ce soit dans Tails ou dans un autre système d'exploitation).\n" #. type: Plain text -#, fuzzy, no-wrap -#| msgid "So, the information retrieved by such fingerprinting websites is not harmful for anonymity in itself, as long as it is the same for all Tor users." +#, no-wrap msgid "" "So, the information retrieved by such fingerprinting websites is not harmful for\n" "anonymity in itself, as long as it is the same for all users of <span class=\"application\">Tor Browser</span>.\n" -msgstr "Donc, les informations récupérées par de tels sites web d'analyse d'empreinte ne sont pas dangereuses pour l'anonymat en soi, tant que ce sont les mêmes pour tous les utilisateurs de Tor." +msgstr "" +"Donc, les informations récupérées par de tels sites web d'analyse d'empreinte ne sont\n" +"pas dangereuses pour l'anonymat en soi, tant que ce sont les mêmes pour tous les utilisateurs du <span class=\"application\">navigateur Tor</span>.\n" #. type: Plain text -#, fuzzy, no-wrap -#| msgid "For example, the user-agent property of the browser was set to `Mozilla/5.0 (Windows; U; Windows NT 6.1; en-US; rv:1.9.2.3) Gecko/20100401 Firefox/3.6.3`, as of Tails 0.21 and TBB 2.3.25-13. This value preserves your anonymity even if the operating system installed on the computer is Windows NT and you usually run Firefox. On the other hand, changing this value makes you distinguishable from others Tor users and breaks your anonymity." +#, no-wrap msgid "" "For example, the user-agent property of the browser was set to `Mozilla/5.0\n" "(Windows; U; Windows NT 6.1; en-US; rv:1.9.2.3) Gecko/20100401 Firefox/3.6.3`,\n" @@ -650,7 +780,13 @@ msgid "" "the operating system installed on the computer is Windows NT and you usually run\n" "Firefox. On the other hand, changing this value makes you distinguishable from\n" "others users of <span class=\"application\">Tor Browser</span> and breaks your anonymity.\n" -msgstr "Par exemple, les propriétés du user-agent du navigateur sont fixées à `Mozilla/5.0 (Windows; U; Windows NT 6.1; en-US; rv:1.9.2.3) Gecko/20100401 Firefox/3.6.3`, comme dans Tails 0.21 et le TBB 2.3.25-13. Cette valeur préserve votre anonymat même si le système d'exploitation installé sur votre ordinateur est Windows NT et que vous utilisez habituellement Firefox. En revanche, changer cette valeur vous distingue des autres utilisateurs de Tor et brise votre anonymat." +msgstr "" +"Par exemple, les propriétés du user-agent du navigateur sont fixées à `Mozilla/5.0\n" +"(Windows; U; Windows NT 6.1; en-US; rv:1.9.2.3) Gecko/20100401 Firefox/3.6.3`,\n" +"comme dans Tails 0.21 et le <span class=\"application\">navigateur Tor</span> 2.3.25-13. Cette valeur préserve votre anonymat même si\n" +"le système d'exploitation installé sur votre ordinateur est Windows NT et que vous utilisez habituellement\n" +"Firefox. En revanche, changer cette valeur vous distingue des autres utilisateurs du\n" +"<span class=\"application\">navigateur Tor</span> et brise votre anonymat.\n" #. type: Plain text msgid "" @@ -663,12 +799,12 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<a id=\"java\"></a>\n" -msgstr "" +msgstr "<a id=\"java\"></a>\n" #. type: Title - #, no-wrap msgid "Is Java installed in the <span class=\"application\">Tor Browser</span>?\n" -msgstr "" +msgstr "Est-ce que Java est installé dans le <span class=\"application\">Tor Browser</span> ?\n" #. type: Plain text msgid "" @@ -676,12 +812,12 @@ msgid "" "your anonymity." msgstr "" "Tails n'inclut pas de plugin Java dans le navigateur car cela pourrait " -"briser l'anonymat." +"compromettre votre anonymat." #. type: Plain text #, no-wrap msgid "<a id=\"persistence\"></a>\n" -msgstr "" +msgstr "<a id=\"persistence\"></a>\n" #. type: Title = #, no-wrap @@ -691,7 +827,7 @@ msgstr "Persistance\n" #. type: Plain text #, no-wrap msgid "<a id=\"persistent_features\"></a>\n" -msgstr "" +msgstr "<a id=\"persistent_features\"></a>\n" #. type: Title - #, no-wrap @@ -736,7 +872,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<a id=\"luks\"></a>\n" -msgstr "" +msgstr "<a id=\"luks\"></a>\n" #. type: Title - #, no-wrap @@ -783,7 +919,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<a id=\"recover_passphrase\"></a>\n" -msgstr "" +msgstr "<a id=\"recover_passphrase\"></a>\n" #. type: Title - #, no-wrap @@ -806,7 +942,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<a id=\"networking\"></a>\n" -msgstr "" +msgstr "<a id=\"networking\"></a>\n" #. type: Title = #, no-wrap @@ -816,7 +952,7 @@ msgstr "Réseau\n" #. type: Plain text #, no-wrap msgid "<a id=\"vpn\"></a>\n" -msgstr "" +msgstr "<a id=\"vpn\"></a>\n" #. type: Title - #, no-wrap @@ -870,7 +1006,7 @@ msgstr "" #. type: Plain text msgid "" "In some situations, you might be forced to use a VPN to connect to the " -"Internet, for example by your ISP. This is currenlty not possible using " +"Internet, for example by your ISP. This is currently not possible using " "Tails. See [[!tails_ticket 5858]]." msgstr "" "Dans certaines situations, vous pouvez être obligé d'utiliser un VPN pour " @@ -908,10 +1044,38 @@ msgid "This is currenlty not possible easily using Tails." msgstr "Ce n'est actuellement pas possible facilement en utilisant Tails." #. type: Plain text +#, fuzzy, no-wrap +#| msgid "<a id=\"bittorrent\"></a>\n" +msgid "<a id=\"torrc\"></a>\n" +msgstr "<a id=\"bittorrent\"></a>\n" + +#. type: Title - #, no-wrap -msgid "<a id=\"mac_address\"></a>\n" +msgid "Can I choose the country of my exit nodes or further edit the `torrc`?\n" msgstr "" +#. type: Plain text +msgid "" +"It is possible to edit the Tor configuration file (`torrc`) with " +"administration rights but you should not do so as it might break your " +"anonymity." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"For example, as mentioned in the <span class=\"application\">Tor Browser</span>\n" +"[FAQ](https://www.torproject.org/docs/faq.html.en#ChooseEntryExit),\n" +"using `ExcludeExitNodes` is not recommended because \"overriding the\n" +"exit nodes can mess up your anonymity in ways we don't\n" +"understand\".\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"mac_address\"></a>\n" +msgstr "<a id=\"mac_address\"></a>\n" + #. type: Title - #, no-wrap msgid "Does Tails change the MAC address of my network interfaces?\n" @@ -929,7 +1093,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<a id=\"dns\"></a>\n" -msgstr "" +msgstr "<a id=\"dns\"></a>\n" #. type: Title - #, no-wrap @@ -947,7 +1111,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<a id=\"htp\"></a>\n" -msgstr "" +msgstr "<a id=\"htp\"></a>\n" #. type: Title - #, no-wrap @@ -987,24 +1151,49 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<a id=\"relay\"></a>\n" -msgstr "" +msgstr "<a id=\"relay\"></a>\n" #. type: Title - #, no-wrap msgid "Can I help the Tor network by running a relay or a bridge in Tails?\n" -msgstr "" +msgstr "Puis-je aider le réseau Tor en faisant tourner un relai ou un bridge dans Tails ?\n" #. type: Plain text msgid "" "It is currently impossible to run a Tor relay or bridge in Tails. See [[!" "tails_ticket 5418]]." msgstr "" +"Il est actuellement impossible de faire tourner un relai ou un bridge Tor " +"dans Tails. Voir [[!tails_ticket 5418]]." #. type: Plain text +#, fuzzy, no-wrap +#| msgid "<a id=\"dns\"></a>\n" +msgid "<a id=\"hidden_service\"></a>\n" +msgstr "<a id=\"dns\"></a>\n" + +#. type: Title - #, no-wrap -msgid "<a id=\"software\"></a>\n" +msgid "Can I run a Tor hidden service on Tails?\n" +msgstr "" + +#. type: Plain text +msgid "" +"It is technically possible to use Tails to provide a hidden service but it " +"is complicated and not documented yet." msgstr "" +#. type: Plain text +msgid "" +"For example, some people have been working on how to run a web server behind " +"a hidden service on Tails. See [[!tails_ticket 7879]]." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"software\"></a>\n" +msgstr "<a id=\"software\"></a>\n" + #. type: Title = #, no-wrap msgid "Software not included in Tails\n" @@ -1013,7 +1202,7 @@ msgstr "Logiciel non inclus dans Tails\n" #. type: Plain text #, no-wrap msgid "<a id=\"new_software\"></a>\n" -msgstr "" +msgstr "<a id=\"new_software\"></a>\n" #. type: Title - #, no-wrap @@ -1120,7 +1309,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<div class=\"tip\">\n" -msgstr "" +msgstr "<div class=\"tip\">\n" #. type: Plain text msgid "" @@ -1137,7 +1326,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "</div>\n" -msgstr "" +msgstr "</div>\n" #. type: Plain text msgid "Here is some of the software we are often asked to include in Tails:" @@ -1152,10 +1341,6 @@ msgstr "**bitmessage**: pas dans Debian" msgid "**torchat**: see [[!tails_ticket 5554]]" msgstr "**torchat**: voir [[!tails_ticket 5554]]" -#. type: Bullet: ' - ' -msgid "**bitcoin**, **electrum**: see [[!tails_ticket 6739]]" -msgstr "**bitcoin**, **electrum**: voir [[!tails_ticket 6739]]" - #. type: Bullet: ' - ' msgid "**retroshare**: not in Debian" msgstr "**retroshare**: pas dans Debian" @@ -1163,7 +1348,7 @@ msgstr "**retroshare**: pas dans Debian" #. type: Plain text #, no-wrap msgid "<a id=\"bittorrent\"></a>\n" -msgstr "" +msgstr "<a id=\"bittorrent\"></a>\n" #. type: Title - #, no-wrap @@ -1210,7 +1395,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<a id=\"desktop\"></a>\n" -msgstr "" +msgstr "<a id=\"desktop\"></a>\n" #. type: Title = #, no-wrap @@ -1220,7 +1405,7 @@ msgstr "Environnement de bureau\n" #. type: Plain text #, no-wrap msgid "<a id=\"timezone\"></a>\n" -msgstr "" +msgstr "<a id=\"timezone\"></a>\n" #. type: Title - #, no-wrap @@ -1258,7 +1443,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<div class=\"note\">\n" -msgstr "" +msgstr "<div class=\"note\">\n" #. type: Plain text msgid "" @@ -1271,7 +1456,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<a id=\"misc\"></a>\n" -msgstr "" +msgstr "<a id=\"misc\"></a>\n" #. type: Title = #, no-wrap @@ -1281,7 +1466,7 @@ msgstr "Autres problèmes de sécurité\n" #. type: Plain text #, no-wrap msgid "<a id=\"compromised_system\"></a>\n" -msgstr "" +msgstr "<a id=\"compromised_system\"></a>\n" #. type: Title - #, no-wrap @@ -1314,7 +1499,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<a id=\"integrity\"></a>\n" -msgstr "" +msgstr "<a id=\"integrity\"></a>\n" #. type: Title - #, no-wrap @@ -1361,7 +1546,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<a id=\"reuse_memory_wipe\"></a>\n" -msgstr "" +msgstr "<a id=\"reuse_memory_wipe\"></a>\n" #. type: Title - #, no-wrap @@ -1392,21 +1577,31 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<a id=\"new_identity\"></a>\n" -msgstr "" - -#. type: Title - -#, no-wrap -msgid "Is it safe to use the new identity feature of Vidalia?\n" -msgstr "Est-il sûr d'utiliser la fonction de nouvelle identité de Vidalia ?\n" +msgstr "<a id=\"new_identity\"></a>\n" #. type: Plain text #, no-wrap msgid "" -"In our [[warning page|doc/about/warning#identities]] we advice to restart Tails\n" -"every time that you want to use a different contextual identity. The <span\n" -"class=\"guilabel\">New Identity</span> feature of <span\n" -"class=\"application\">Vidalia</span> forces Tor to use new circuits but only for\n" -"new connections. The two main drawbacks of this technique are:\n" +"Is it safe to use the <span class=\"guilabel\">New Identity</span> feature of <span class=\"application\">Vidalia</span> or <span class=\"application\">Tor Browser</span>?\n" +"---------------------------------------------------------------------\n" +msgstr "" + +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "" +#| "In our [[warning page|doc/about/warning#identities]] we advice to restart Tails\n" +#| "every time that you want to use a different contextual identity. The <span\n" +#| "class=\"guilabel\">New Identity</span> feature of <span\n" +#| "class=\"application\">Vidalia</span> forces Tor to use new circuits but only for\n" +#| "new connections. The two main drawbacks of this technique are:\n" +msgid "" +"In our [[warning page|doc/about/warning#identities]] we advice to\n" +"restart Tails every time that you want to use a different contextual\n" +"identity. The\n" +"[[<span class=\"guilabel\">New Identity</span> feature of <span class=\"application\">Vidalia</span>|doc/anonymous_internet/vidalia#new_identity]]\n" +"forces Tor to use new circuits but only for new connections and the\n" +"[[<span class=\"guilabel\">New Identity</span> of <span class=\"application\">Tor Browser</span>|doc/anonymous_internet/Tor_Browser#new_identity]]\n" +"is limited to the browser.\n" msgstr "" "Dans notre [[page d'avertissements|doc/about/warning#identities]] nous conseillons\n" "de redémarrer Tails à chaque fois que vous voulez utiliser différentes identités\n" @@ -1416,34 +1611,13 @@ msgstr "" "sont :\n" #. type: Plain text -msgid "" -"- The circuits used by connections that remain open might not be changed: " -"for example, a circuit used to connect to an open webpage or to an instant " -"messaging server." -msgstr "" -"- Les circuits utilisés par des connexions qui restent ouvertes ne changent " -"pas forcément : par exemple, un circuit utilisé pour se connecter à une page " -"web ouverte ou à un serveur de messagerie instantanée." - -#. type: Plain text -#, no-wrap -msgid "" -"- Each application might contain information that can identify you,\n" -"independently of the Tor circuit that are used. For example, the browser might\n" -"contain cookies from previous websites, <span\n" -"class=\"application\">[[Pidgin|doc/anonymous_internet/pidgin]]</span> will reuse the\n" -"same nickname by default, etc.\n" -msgstr "" -"- Chaque application peut contenir des informations qui peuvent vous identifier,\n" -"indépendamment du circuit Tor utilisé. Par exemple, le navigateur peut contenir\n" -"des cookies de sites web précédents, <span\n" -"class=\"application\">[[Pidgin|doc/anonymous_internet/pidgin]]</span> réutilisera\n" -"le même pseudonyme par défaut, etc.\n" - -#. type: Plain text +#, fuzzy +#| msgid "" +#| "Tails is a full operating system, so a *new identity* should be thought " +#| "on a broader level than only switching Tor circuits." msgid "" "Tails is a full operating system, so a *new identity* should be thought on a " -"broader level than only switching Tor circuits." +"broader level. **Restart Tails instead**." msgstr "" "Tails est un système d'exploitation complet, donc une *nouvelle identité* " "devrait être pensée à un niveau plus large que seulement changer de circuit." @@ -1451,7 +1625,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<a id=\"truecrypt\"></a>\n" -msgstr "" +msgstr "<a id=\"truecrypt\"></a>\n" #. type: Title - #, no-wrap @@ -1465,6 +1639,9 @@ msgid "" "But you can still [[open <span class=\"application\">TrueCrypt</span>\n" "volumes using <span class=\"code\">cryptsetup</span>|doc/encryption_and_privacy/truecrypt]].\n" msgstr "" +"Non, <span class=\"application\">TrueCrypt</span> a été supprimé depuis Tails 1.2.1.\n" +"Mais vous pouvez toujours utiliser des volumes [[<span class=\"application\">TrueCrypt</span>\n" +"en utilisant <span class=\"code\">cryptsetup</span>|doc/encryption_and_privacy/truecrypt]].\n" #. type: Plain text msgid "" @@ -1481,7 +1658,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<a id=\"boot_statistics\"></a>\n" -msgstr "" +msgstr "<a id=\"boot_statistics\"></a>\n" #. type: Title - #, no-wrap @@ -1617,6 +1794,41 @@ msgid "" "-->\n" msgstr "" +#~ msgid "Is it safe to use the new identity feature of Vidalia?\n" +#~ msgstr "" +#~ "Est-il sûr d'utiliser la fonction de nouvelle identité de Vidalia ?\n" + +#~ msgid "" +#~ "- The circuits used by connections that remain open might not be changed: " +#~ "for example, a circuit used to connect to an open webpage or to an " +#~ "instant messaging server." +#~ msgstr "" +#~ "- Les circuits utilisés par des connexions qui restent ouvertes ne " +#~ "changent pas forcément : par exemple, un circuit utilisé pour se " +#~ "connecter à une page web ouverte ou à un serveur de messagerie " +#~ "instantanée." + +#~ msgid "" +#~ "- Each application might contain information that can identify you,\n" +#~ "independently of the Tor circuit that are used. For example, the browser " +#~ "might\n" +#~ "contain cookies from previous websites, <span\n" +#~ "class=\"application\">[[Pidgin|doc/anonymous_internet/pidgin]]</span> " +#~ "will reuse the\n" +#~ "same nickname by default, etc.\n" +#~ msgstr "" +#~ "- Chaque application peut contenir des informations qui peuvent vous " +#~ "identifier,\n" +#~ "indépendamment du circuit Tor utilisé. Par exemple, le navigateur peut " +#~ "contenir\n" +#~ "des cookies de sites web précédents, <span\n" +#~ "class=\"application\">[[Pidgin|doc/anonymous_internet/pidgin]]</span> " +#~ "réutilisera\n" +#~ "le même pseudonyme par défaut, etc.\n" + +#~ msgid "**bitcoin**, **electrum**: see [[!tails_ticket 6739]]" +#~ msgstr "**bitcoin**, **electrum**: voir [[!tails_ticket 6739]]" + #~ msgid "" #~ "Yes, but TrueCrypt needs to be activated when starting Tails, see our " #~ "[[documentation|doc/encryption_and_privacy/truecrypt]]. Tails includes " diff --git a/wiki/src/support/faq.mdwn b/wiki/src/support/faq.mdwn index dc44e7e23df936ba3747f08e55b6a868b3d41bd9..1a4e53caddd3888d74aa01ab05d2701de7566dbe 100644 --- a/wiki/src/support/faq.mdwn +++ b/wiki/src/support/faq.mdwn @@ -63,6 +63,30 @@ First, see the answer to the [[previous question|faq#debian]]. packages included in Tails; another security feature that Ubuntu already provides. +<a id="gnome"></a> + +Why does Tails ship the GNOME Desktop? +-------------------------------------- + +We had users ask for LXDE, XFCE, MATE, KDE, and so on, but we are not going to +change desktop. According to us, the main drawback of GNOME is that it +requires quite a lot of resources to work properly, but it has many advantages. +The GNOME Desktop is: + + - Well integrated, especially for new Linux users. + - Very well translated and documented. + - Doing relatively good regarding accessibility features. + - Actively developed. + - Well maintained in [[Debian|faq#debian]], where it is the default + desktop environment. + +We invested quite some time in acquiring GNOME +knowledge, and switching our desktop environment would require going through that +process again. + +We are not proposing several desktop environments to choose from because +we want to [[limit the amount of software included in Tails|faq#new_software]]. + <a id="website"></a> Tails website @@ -138,6 +162,46 @@ This is a conscious decision as this mode of operation is better for what we want to provide to Tails users: amnesia, the fact that Tails leaves no traces on the computer after a session is closed. +<a id="unetbootin_etc"></a> + +Can I install Tails with UNetbootin, YUMI or my other favorite tool? +-------------------------------------------------------------------- + +No. Those installation methods are unsupported. They might not work at +all, or worse: they might seem to work, but produce a Tails device +that does *not* behave like Tails should. Follow the +[[download and installation documentation|download]] instead. + +<a id="upgrade"></a> + +Should I update Tails using `apt-get` or <span class="application">Synaptic</span>? +----------------------------------------------------------------------------------- + +No. Tails provides upgrades every 6 weeks, that are thoroughly tested +to make sure that no security feature or configuration gets broken. +If you upgrade the system yourself using `apt-get` or <span class="application">Synaptic</span>, +you might break things. Upgrading when you get a notification from +<span class="application">[[Tails Upgrader|doc/first_steps/upgrade]]</span> is enough. + +<a id="preinstalled"></a> + +Can I buy a preinstalled Tails device? +-------------------------------------- + +No, we don't sell preinstalled Tails devices. + +Selling preinstalled devices would in fact be a pretty bad idea: + +* If burned on a DVD, then this DVD would be outdated on the next + release. This means after 6 weeks at most. +* If installed onto a USB stick, then it would be impossible to verify + that the Tails on the USB stick is genuine. Trusting that a Tails device + is genuine should be based either on cryptographic verification or + on personal trust (if you know someone of trust who can clone a Tails device for you). But + once Tails is installed on a USB stick it is not possible to use our + cryptographic verification techniques anymore. Being able to trust + your Tails device is something that we really care about. + <a id="browser"></a> Web browser @@ -153,7 +217,7 @@ JavaScript is enabled by default in Tails to avoid confusing many users. But the [[Torbutton|doc/anonymous_internet/Tor_browser#torbutton]] extension, included in Tails, takes care of blocking dangerous JavaScript functionalities. -Tails also includes the [[NoScript|doc/anonymous_internet/Tor_browser#noscript]] +Tor Browser also includes a [[security_slider|doc/anonymous_internet/Tor_browser#security_slider]] and the [[NoScript|doc/anonymous_internet/Tor_browser#noscript]] extension to optionally disable more JavaScript. This might improve security in some cases. However, if you disable JavaScript, then the [[fingerprint|doc/about/fingerprint]] of your browser will @@ -339,7 +403,7 @@ and the destination of a connection. ### Using a VPN to connect to Tor (VPN before Tor) In some situations, you might be forced to use a VPN to connect to the Internet, -for example by your ISP. This is currenlty not possible using Tails. See +for example by your ISP. This is currently not possible using Tails. See [[!tails_ticket 5858]]. [[Tor bridges|doc/first_steps/startup_options/bridge_mode]] can also be useful @@ -355,6 +419,21 @@ In some situtations, it can be useful to connect to a VPN through Tor: This is currenlty not possible easily using Tails. +<a id="torrc"></a> + +Can I choose the country of my exit nodes or further edit the `torrc`? +---------------------------------------------------------------------- + +It is possible to edit the Tor configuration file (`torrc`) with +administration rights but you should not do so as it might break your +anonymity. + +For example, as mentioned in the <span class="application">Tor Browser</span> +[FAQ](https://www.torproject.org/docs/faq.html.en#ChooseEntryExit), +using `ExcludeExitNodes` is not recommended because "overriding the +exit nodes can mess up your anonymity in ways we don't +understand". + <a id="mac_address"></a> Does Tails change the MAC address of my network interfaces? @@ -394,6 +473,17 @@ Can I help the Tor network by running a relay or a bridge in Tails? It is currently impossible to run a Tor relay or bridge in Tails. See [[!tails_ticket 5418]]. +<a id="hidden_service"></a> + +Can I run a Tor hidden service on Tails? +---------------------------------------- + +It is technically possible to use Tails to provide a hidden service +but it is complicated and not documented yet. + +For example, some people have been working on how to run a web server +behind a hidden service on Tails. See [[!tails_ticket 7879]]. + <a id="software"></a> Software not included in Tails @@ -450,7 +540,6 @@ Here is some of the software we are often asked to include in Tails: - **bitmessage**: not in Debian - **torchat**: see [[!tails_ticket 5554]] - - **bitcoin**, **electrum**: see [[!tails_ticket 6739]] - **retroshare**: not in Debian <a id="bittorrent"></a> @@ -554,27 +643,19 @@ corresponding [[design documentation|contribute/design/memory_erasure]]. <a id="new_identity"></a> -Is it safe to use the new identity feature of Vidalia? ------------------------------------------------------- - -In our [[warning page|doc/about/warning#identities]] we advice to restart Tails -every time that you want to use a different contextual identity. The <span -class="guilabel">New Identity</span> feature of <span -class="application">Vidalia</span> forces Tor to use new circuits but only for -new connections. The two main drawbacks of this technique are: - -- The circuits used by connections that remain open might not be changed: for -example, a circuit used to connect to an open webpage or to an instant -messaging server. +Is it safe to use the <span class="guilabel">New Identity</span> feature of <span class="application">Vidalia</span> or <span class="application">Tor Browser</span>? +--------------------------------------------------------------------- -- Each application might contain information that can identify you, -independently of the Tor circuit that are used. For example, the browser might -contain cookies from previous websites, <span -class="application">[[Pidgin|doc/anonymous_internet/pidgin]]</span> will reuse the -same nickname by default, etc. +In our [[warning page|doc/about/warning#identities]] we advice to +restart Tails every time that you want to use a different contextual +identity. The +[[<span class="guilabel">New Identity</span> feature of <span class="application">Vidalia</span>|doc/anonymous_internet/vidalia#new_identity]] +forces Tor to use new circuits but only for new connections and the +[[<span class="guilabel">New Identity</span> of <span class="application">Tor Browser</span>|doc/anonymous_internet/Tor_Browser#new_identity]] +is limited to the browser. Tails is a full operating system, so a *new identity* should be thought on a -broader level than only switching Tor circuits. +broader level. **Restart Tails instead**. <a id="truecrypt"></a> diff --git a/wiki/src/support/faq.pt.po b/wiki/src/support/faq.pt.po index e889787fd63384b3521bc8f047af17e4a9a8df23..e18d96adc9380a7119bc81a05bad5c99d5e1c747 100644 --- a/wiki/src/support/faq.pt.po +++ b/wiki/src/support/faq.pt.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-12-11 18:12+0100\n" -"PO-Revision-Date: 2014-06-15 11:46-0300\n" +"POT-Creation-Date: 2015-05-11 14:31+0000\n" +"PO-Revision-Date: 2015-04-06 16:53+0200\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" @@ -197,6 +197,59 @@ msgstr "" "para mais pacotes Debian inclusos no Tails; outra funcionalidade de " "segurança que o Ubuntu já provê." +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "<a id=\"arm\"></a>\n" +msgid "<a id=\"gnome\"></a>\n" +msgstr "<a id=\"arm\"></a>\n" + +#. type: Title - +#, no-wrap +msgid "Why does Tails ship the GNOME Desktop?\n" +msgstr "" + +#. type: Plain text +msgid "" +"We had users ask for LXDE, XFCE, MATE, KDE, and so on, but we are not going " +"to change desktop. According to us, the main drawback of GNOME is that it " +"requires quite a lot of resources to work properly, but it has many " +"advantages. The GNOME Desktop is:" +msgstr "" + +#. type: Bullet: ' - ' +msgid "Well integrated, especially for new Linux users." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Very well translated and documented." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Doing relatively good regarding accessibility features." +msgstr "" + +#. type: Bullet: ' - ' +msgid "Actively developed." +msgstr "" + +#. type: Bullet: ' - ' +msgid "" +"Well maintained in [[Debian|faq#debian]], where it is the default desktop " +"environment." +msgstr "" + +#. type: Plain text +msgid "" +"We invested quite some time in acquiring GNOME knowledge, and switching our " +"desktop environment would require going through that process again." +msgstr "" + +#. type: Plain text +msgid "" +"We are not proposing several desktop environments to choose from because we " +"want to [[limit the amount of software included in Tails|faq#new_software]]." +msgstr "" + #. type: Plain text #, no-wrap msgid "<a id=\"website\"></a>\n" @@ -369,6 +422,83 @@ msgstr "" "aquilo que queremos prover para os usuários de Tails: amnésia, o fato de que " "Tails não deixa rastros no computador depois que uma sessão foi terminada." +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "<a id=\"networking\"></a>\n" +msgid "<a id=\"unetbootin_etc\"></a>\n" +msgstr "<a id=\"networking\"></a>\n" + +#. type: Title - +#, no-wrap +msgid "Can I install Tails with UNetbootin, YUMI or my other favorite tool?\n" +msgstr "" + +#. type: Plain text +msgid "" +"No. Those installation methods are unsupported. They might not work at all, " +"or worse: they might seem to work, but produce a Tails device that does " +"*not* behave like Tails should. Follow the [[download and installation " +"documentation|download]] instead." +msgstr "" + +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "<a id=\"project\"></a>\n" +msgid "<a id=\"upgrade\"></a>\n" +msgstr "<a id=\"project\"></a>\n" + +#. type: Title - +#, no-wrap +msgid "Should I update Tails using `apt-get` or <span class=\"application\">Synaptic</span>?\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"No. Tails provides upgrades every 6 weeks, that are thoroughly tested\n" +"to make sure that no security feature or configuration gets broken.\n" +"If you upgrade the system yourself using `apt-get` or <span class=\"application\">Synaptic</span>,\n" +"you might break things. Upgrading when you get a notification from\n" +"<span class=\"application\">[[Tails Upgrader|doc/first_steps/upgrade]]</span> is enough.\n" +msgstr "" + +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "<a id=\"installation\"></a>\n" +msgid "<a id=\"preinstalled\"></a>\n" +msgstr "<a id=\"installation\"></a>\n" + +#. type: Title - +#, fuzzy, no-wrap +#| msgid "Can I verify the integrity of a Tails device?\n" +msgid "Can I buy a preinstalled Tails device?\n" +msgstr "Posso verificar a integridade de um dispositivo com Tails?\n" + +#. type: Plain text +msgid "No, we don't sell preinstalled Tails devices." +msgstr "" + +#. type: Plain text +msgid "Selling preinstalled devices would in fact be a pretty bad idea:" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"If burned on a DVD, then this DVD would be outdated on the next release. " +"This means after 6 weeks at most." +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"If installed onto a USB stick, then it would be impossible to verify that " +"the Tails on the USB stick is genuine. Trusting that a Tails device is " +"genuine should be based either on cryptographic verification or on personal " +"trust (if you know someone of trust who can clone a Tails device for you). " +"But once Tails is installed on a USB stick it is not possible to use our " +"cryptographic verification techniques anymore. Being able to trust your " +"Tails device is something that we really care about." +msgstr "" + #. type: Plain text #, no-wrap msgid "<a id=\"browser\"></a>\n" @@ -405,8 +535,16 @@ msgstr "" "Tails, toma conta de bloquear funcionalidades perigosas do JavaScript." #. type: Plain text -msgid "" -"Tails also includes the [[NoScript|doc/anonymous_internet/" +#, fuzzy +#| msgid "" +#| "Tails also includes the [[NoScript|doc/anonymous_internet/" +#| "Tor_browser#noscript]] extension to optionally disable more JavaScript. " +#| "This might improve security in some cases. However, if you disable " +#| "JavaScript, then the [[fingerprint|doc/about/fingerprint]] of your " +#| "browser will differ from most Tor users. This might break your anonymity." +msgid "" +"Tor Browser also includes a [[security_slider|doc/anonymous_internet/" +"Tor_browser#security_slider]] and the [[NoScript|doc/anonymous_internet/" "Tor_browser#noscript]] extension to optionally disable more JavaScript. This " "might improve security in some cases. However, if you disable JavaScript, " "then the [[fingerprint|doc/about/fingerprint]] of your browser will differ " @@ -866,7 +1004,7 @@ msgstr "" #. type: Plain text msgid "" "In some situations, you might be forced to use a VPN to connect to the " -"Internet, for example by your ISP. This is currenlty not possible using " +"Internet, for example by your ISP. This is currently not possible using " "Tails. See [[!tails_ticket 5858]]." msgstr "" "Em algumas situações, pode ser que você seja forçado a usar uma VPN para se " @@ -902,6 +1040,34 @@ msgstr "" msgid "This is currenlty not possible easily using Tails." msgstr "Isto atualmente não é possível de fazer facilmente usando o Tails." +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "<a id=\"bittorrent\"></a>\n" +msgid "<a id=\"torrc\"></a>\n" +msgstr "<a id=\"bittorrent\"></a>\n" + +#. type: Title - +#, no-wrap +msgid "Can I choose the country of my exit nodes or further edit the `torrc`?\n" +msgstr "" + +#. type: Plain text +msgid "" +"It is possible to edit the Tor configuration file (`torrc`) with " +"administration rights but you should not do so as it might break your " +"anonymity." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "" +"For example, as mentioned in the <span class=\"application\">Tor Browser</span>\n" +"[FAQ](https://www.torproject.org/docs/faq.html.en#ChooseEntryExit),\n" +"using `ExcludeExitNodes` is not recommended because \"overriding the\n" +"exit nodes can mess up your anonymity in ways we don't\n" +"understand\".\n" +msgstr "" + #. type: Plain text #, no-wrap msgid "<a id=\"mac_address\"></a>\n" @@ -996,6 +1162,29 @@ msgid "" "tails_ticket 5418]]." msgstr "" +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "<a id=\"dns\"></a>\n" +msgid "<a id=\"hidden_service\"></a>\n" +msgstr "<a id=\"dns\"></a>\n" + +#. type: Title - +#, no-wrap +msgid "Can I run a Tor hidden service on Tails?\n" +msgstr "" + +#. type: Plain text +msgid "" +"It is technically possible to use Tails to provide a hidden service but it " +"is complicated and not documented yet." +msgstr "" + +#. type: Plain text +msgid "" +"For example, some people have been working on how to run a web server behind " +"a hidden service on Tails. See [[!tails_ticket 7879]]." +msgstr "" + #. type: Plain text #, no-wrap msgid "<a id=\"software\"></a>\n" @@ -1149,10 +1338,6 @@ msgstr "**bitmessage**: não está no Debian" msgid "**torchat**: see [[!tails_ticket 5554]]" msgstr "**torchat**: veja [[!tails_ticket 5554]]" -#. type: Bullet: ' - ' -msgid "**bitcoin**, **electrum**: see [[!tails_ticket 6739]]" -msgstr "**bitcoin**, **electrum**: veja [[!tails_ticket 6739]]" - #. type: Bullet: ' - ' #, fuzzy #| msgid "**bitmessage**: not in Debian" @@ -1392,19 +1577,29 @@ msgstr "" msgid "<a id=\"new_identity\"></a>\n" msgstr "<a id=\"new_identity\"></a>\n" -#. type: Title - -#, no-wrap -msgid "Is it safe to use the new identity feature of Vidalia?\n" -msgstr "É seguro usar a funcionalidade de nova identidade do Vidalia?\n" - #. type: Plain text #, no-wrap msgid "" -"In our [[warning page|doc/about/warning#identities]] we advice to restart Tails\n" -"every time that you want to use a different contextual identity. The <span\n" -"class=\"guilabel\">New Identity</span> feature of <span\n" -"class=\"application\">Vidalia</span> forces Tor to use new circuits but only for\n" -"new connections. The two main drawbacks of this technique are:\n" +"Is it safe to use the <span class=\"guilabel\">New Identity</span> feature of <span class=\"application\">Vidalia</span> or <span class=\"application\">Tor Browser</span>?\n" +"---------------------------------------------------------------------\n" +msgstr "" + +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "" +#| "In our [[warning page|doc/about/warning#identities]] we advice to restart Tails\n" +#| "every time that you want to use a different contextual identity. The <span\n" +#| "class=\"guilabel\">New Identity</span> feature of <span\n" +#| "class=\"application\">Vidalia</span> forces Tor to use new circuits but only for\n" +#| "new connections. The two main drawbacks of this technique are:\n" +msgid "" +"In our [[warning page|doc/about/warning#identities]] we advice to\n" +"restart Tails every time that you want to use a different contextual\n" +"identity. The\n" +"[[<span class=\"guilabel\">New Identity</span> feature of <span class=\"application\">Vidalia</span>|doc/anonymous_internet/vidalia#new_identity]]\n" +"forces Tor to use new circuits but only for new connections and the\n" +"[[<span class=\"guilabel\">New Identity</span> of <span class=\"application\">Tor Browser</span>|doc/anonymous_internet/Tor_Browser#new_identity]]\n" +"is limited to the browser.\n" msgstr "" "Em nossa [[página de advertência|doc/about/warning#identities]] nos aconselhamos\n" "reiniciar o Tails toda vez que você quiser usar uma identidade contextual diferente. A\n" @@ -1413,34 +1608,13 @@ msgstr "" "novas conexões. As duas maiores desvantagens desta técnica são:\n" #. type: Plain text -msgid "" -"- The circuits used by connections that remain open might not be changed: " -"for example, a circuit used to connect to an open webpage or to an instant " -"messaging server." -msgstr "" -"- Os circuitos usados por conexões que se mantiverem abertas não são " -"alterados: por exemplo, um circuito utilizado na conexão a uma página web " -"aberta ou a um servidor de mensagem instantânea." - -#. type: Plain text -#, no-wrap -msgid "" -"- Each application might contain information that can identify you,\n" -"independently of the Tor circuit that are used. For example, the browser might\n" -"contain cookies from previous websites, <span\n" -"class=\"application\">[[Pidgin|doc/anonymous_internet/pidgin]]</span> will reuse the\n" -"same nickname by default, etc.\n" -msgstr "" -"- Cada aplicação pode conter informações que podem te identificar,\n" -"independentemente do circuito Tor que está sendo utilizado. Por exemplo, o navegador\n" -"pode conter cookies de sítios web anteriores, o \n" -"<span class=\"applicatoin\">[[Pidgin|doc/anonymous_internet/pidgin</span> reutiliza\n" -"o mesmo apelido por padrão, etc.\n" - -#. type: Plain text +#, fuzzy +#| msgid "" +#| "Tails is a full operating system, so a *new identity* should be thought " +#| "on a broader level than only switching Tor circuits." msgid "" "Tails is a full operating system, so a *new identity* should be thought on a " -"broader level than only switching Tor circuits." +"broader level. **Restart Tails instead**." msgstr "" "Tails é um sistema operacional completo, então o estabelecimento de uma " "*nova identidade* deve ser feito em um nível mais amplo do que somente " @@ -1644,6 +1818,38 @@ msgstr "" "- XXX_NICK_XXX in Pidgin might be caused by a lack of RAM\n" "-->\n" +#~ msgid "Is it safe to use the new identity feature of Vidalia?\n" +#~ msgstr "É seguro usar a funcionalidade de nova identidade do Vidalia?\n" + +#~ msgid "" +#~ "- The circuits used by connections that remain open might not be changed: " +#~ "for example, a circuit used to connect to an open webpage or to an " +#~ "instant messaging server." +#~ msgstr "" +#~ "- Os circuitos usados por conexões que se mantiverem abertas não são " +#~ "alterados: por exemplo, um circuito utilizado na conexão a uma página web " +#~ "aberta ou a um servidor de mensagem instantânea." + +#~ msgid "" +#~ "- Each application might contain information that can identify you,\n" +#~ "independently of the Tor circuit that are used. For example, the browser " +#~ "might\n" +#~ "contain cookies from previous websites, <span\n" +#~ "class=\"application\">[[Pidgin|doc/anonymous_internet/pidgin]]</span> " +#~ "will reuse the\n" +#~ "same nickname by default, etc.\n" +#~ msgstr "" +#~ "- Cada aplicação pode conter informações que podem te identificar,\n" +#~ "independentemente do circuito Tor que está sendo utilizado. Por exemplo, " +#~ "o navegador\n" +#~ "pode conter cookies de sítios web anteriores, o \n" +#~ "<span class=\"applicatoin\">[[Pidgin|doc/anonymous_internet/pidgin</span> " +#~ "reutiliza\n" +#~ "o mesmo apelido por padrão, etc.\n" + +#~ msgid "**bitcoin**, **electrum**: see [[!tails_ticket 6739]]" +#~ msgstr "**bitcoin**, **electrum**: veja [[!tails_ticket 6739]]" + #~ msgid "" #~ "Yes, but TrueCrypt needs to be activated when starting Tails, see our " #~ "[[documentation|doc/encryption_and_privacy/truecrypt]]. Tails includes " diff --git a/wiki/src/support/known_issues.de.po b/wiki/src/support/known_issues.de.po index 2d11afc42f76a6e76f9b0249921a4d5bc2376604..f24787a2289fabe9dafb80e3ed356cc2f3e0c8df 100644 --- a/wiki/src/support/known_issues.de.po +++ b/wiki/src/support/known_issues.de.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2015-01-06 17:53+0100\n" +"POT-Creation-Date: 2015-05-12 14:20+0200\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -71,7 +71,7 @@ msgid "SanDisk Cruzer Edge 8GB" msgstr "" #. type: Bullet: '* ' -msgid "SanDisk Cruzer Extreme USB 3.0 16GB and 32GB" +msgid "SanDisk Cruzer Extreme USB 3.0 16GB, 32GB and 64GB" msgstr "" #. type: Bullet: '* ' @@ -142,20 +142,46 @@ msgid "" "load and are prone to failure." msgstr "" +#. type: Plain text +#, no-wrap +msgid "<a id=\"aegis\"></a>\n" +msgstr "" + #. type: Title ### #, no-wrap -msgid "Other vendors" +msgid "Aegis" msgstr "" #. type: Bullet: '* ' +msgid "Aegis Secure Key USB 2.0" +msgstr "" + +#. type: Plain text msgid "" -"Staples Relay USB 2.0 16GB, suffers from the same problem as [[some SanDisk " -"USB sticks|known_issues#sandisk]]." +"During the boot process, USB is briefly powered off, that causes Aegis " +"hardware-encrypted USB sticks to lock down, and the PIN must be entered " +"again (fast) in order to complete the boot." +msgstr "" + +#. type: Bullet: '* ' +msgid "Aegis Secure Key USB 3.0" msgstr "" #. type: Plain text +msgid "" +"This USB stick doesn't start Tails at all, the USB 2.0 workaround is not " +"working for that hardware." +msgstr "" + +#. type: Title ### #, no-wrap -msgid "<a id=\"isohybrid-options\"></a>\n" +msgid "Other vendors" +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"Staples Relay USB 2.0 16GB, suffers from the same problem as [[some SanDisk " +"USB sticks|known_issues#sandisk]]." msgstr "" #. type: Title - @@ -175,6 +201,15 @@ msgid "" "test results back to us." msgstr "" +#. type: Title - +#, no-wrap +msgid "Acer Aspire 5315-ICL50\n" +msgstr "" + +#. type: Plain text +msgid "Does not start on USB sticks created using Tails Installer." +msgstr "" + #. type: Title - #, no-wrap msgid "ASUS VivoBook X202E\n" @@ -202,10 +237,6 @@ msgstr "" msgid "Dell Inc. Latitude E6430 and E6230\n" msgstr "" -#. type: Plain text -msgid "Does not start on USB sticks created using Tails Installer." -msgstr "" - #. type: Plain text msgid "With BIOS versions A03 06/03/2012 (and A09, A11, and A12)" msgstr "" @@ -257,11 +288,25 @@ msgstr "" #. type: Plain text msgid "" -"Cannot start neither from USB nor from DVD. System crashes with a blank " +"Does not start neither from USB nor from DVD. System crashes with a blank " "screen and locked up keyboard. This problem might be corrected in newer " "versions: please report your test results back to us." msgstr "" +#. type: Title - +#, no-wrap +msgid "Fujitsu Siemens Amilo A 1667G\n" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "HP Compaq dc5750 Microtower\n" +msgstr "" + +#. type: Plain text +msgid "Does not start Tails 1.2.3 created using Tails Installer." +msgstr "" + #. type: Title - #, no-wrap msgid "HP ProBook 4330s\n" @@ -279,7 +324,7 @@ msgid "Lenovo IdeaPad Y410p\n" msgstr "" #. type: Plain text -msgid "Cannot start Tails 1.1 from USB installed manually in Linux." +msgid "Does not start Tails 1.1 from USB installed manually in Linux." msgstr "" #. type: Title - @@ -384,6 +429,38 @@ msgid "" " boot\n" msgstr "" +#. type: Title = +#, no-wrap +msgid "Other hardware issues\n" +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"bcm43224\"></a>\n" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Broadcom BCM43224 802.11a/b/g/n wireless network adapter\n" +msgstr "" + +#. type: Plain text +msgid "" +"The Broadcom Corporation BCM43224 802.11a/b/g/n wireless network adapter is " +"known to not be able to [[spoof its MAC address|doc/first_steps/" +"startup_options/mac_spoofing]]. Tails enables MAC spoofing by default, and " +"will disable any network adapter it fails to spoof. To make it work you must " +"[[disable Tails' MAC spoofing feature|doc/first_steps/startup_options/" +"mac_spoofing#disable]]; please read the documentation carefully and make " +"sure you understand the consequences before doing so." +msgstr "" + +#. type: Plain text +msgid "" +"This network adapter can, for instance, be found in the MacBook Air 4,1, " +"4,2, 5,1 and 5,2." +msgstr "" + #. type: Title = #, no-wrap msgid "Security issues\n" @@ -391,16 +468,31 @@ msgstr "" #. type: Title - #, no-wrap -msgid "Tails might not erase all the system memory on shutdown\n" +msgid "Claws Mail leaks plaintext of encrypted emails to IMAP server\n" msgstr "" #. type: Plain text +msgid "" +"Claws Mail stores plaintext copies of all emails on the remote IMAP server, " +"including those that are meant to be encrypted." +msgstr "" + +#. type: Plain text +msgid "" +"If you send OpenPGP encrypted emails using *Claws Mail* and IMAP, make sure " +"to apply one of the workarounds documented in our [[security announcement|" +"security/claws_mail_leaks_plaintext_to_imap]]." +msgstr "" + +#. type: Title - #, no-wrap +msgid "Tails might not erase all the system memory on shutdown\n" +msgstr "" + +#. type: Plain text msgid "" -"On rare systems (non-PAE with big amounts of memory),\n" -"Tails does not consistently [[!tails_todo\n" -"more_efficient_memory_wipe desc=\"erase all system memory as it\n" -"should\"]].\n" +"On rare systems (non-PAE with big amounts of memory), Tails does not " +"consistently erase all system memory as it should." msgstr "" #. type: Plain text @@ -410,6 +502,38 @@ msgid "" "disappears." msgstr "" +#. type: Plain text +msgid "See [[!tails_ticket 6006 desc=\"More efficient memory wipe\"]]." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"video-memory\"></a>\n" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Tails does not erase video memory\n" +msgstr "" + +#. type: Plain text +msgid "" +"Tails doesn't erase the [[!wikipedia VRAM desc=\"video memory\"]] yet. When " +"one uses Tails, then restarts the computer into another operating system, " +"that other operating system can see what has been displayed on the screen " +"within Tails." +msgstr "" + +#. type: Plain text +msgid "" +"Shutting down the computer completely, instead of restarting it, might allow " +"the video memory to empty itself." +msgstr "" + +#. type: Plain text +msgid "See [[!tails_ticket 5356 desc=\"Erase video memory on shutdown\"]]." +msgstr "" + #. type: Title - #, no-wrap msgid "After using Tails Installer, the \"emergency shutdown\" doesn't work\n" @@ -423,6 +547,12 @@ msgid "" "running, we advice you to reboot Tails." msgstr "" +#. type: Plain text +msgid "" +"See [[!tails_ticket 5677 desc=\"liveusb-creator should not break emergency " +"shutdown\"]]." +msgstr "" + #. type: Title - #, no-wrap msgid "Tails DVD eject failure\n" @@ -436,7 +566,7 @@ msgid "" msgstr "" #. type: Plain text -msgid "(Ticket: [[!tails_todo fix_DVD_eject_at_shutdown]])" +msgid "See [[!tails_ticket 5447 desc=\"Fix DVD eject at shutdown\"]]." msgstr "" #. type: Title - @@ -489,19 +619,23 @@ msgstr "" msgid "" " - Apple when booting from a USB stick:\n" " - MacBook Air 5,1\n" +" - MacBook Air 5,2 (using a device installed with Tails Installer)\n" " - MacBook Pro 7,1, 13-inch mid 2010\n" " - MacBook Pro 9,2, 13-inch mid 2012\n" " - MacBook Pro 8,1, 13-inch late 2011\n" " - MacBook Pro 10,2\n" " - MacBook Pro Retina 11,1, late 2013\n" +" - MacBook Pro Retina 13-inch Early 2015\n" " - Hewlett-Packard HP Pavilion dv6 Notebook PC\n" " - Lenovo ThinkPad X61, only on emergency shutdown when pulling out the\n" " USB stick\n" +" - Lenovo ThinkPad X220\n" " - Toshiba Satellite C855D\n" " - Dell Inc. Studio 1458\n" " - Fujitsu Lifebook AH531/GFO, only on regular shutdown, emergency\n" " shutdown works\n" " - Samsung N150P\n" +" - Acer Aspire e1-572\n" msgstr "" #. type: Plain text @@ -524,10 +658,8 @@ msgstr "" msgid "<!-- The fingerprints of <span class=\"application\">Tor Browser</span> in Tails and on other operating systems are different: -->\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"Browser window resizing is in not reliable: [[!tails_ticket 6377]] and [[!" -"tor_bug 10095]]." +#. type: Plain text +msgid "None currently known." msgstr "" #. type: Title = @@ -588,11 +720,9 @@ msgid "Connecting to FTP servers is not possible\n" msgstr "" #. type: Plain text -#, no-wrap msgid "" -"Public FTP servers on the Internet are not reachable using Tails.\n" -"See [[!tails_todo fix_Internet_FTP_support desc=\"the corresponding\n" -"task\"]] for more details.\n" +"Public FTP servers on the Internet are not reachable using Tails. See [[!" +"tails_ticket 6096 desc=\"Fix FTP support\"]] for more details." msgstr "" #. type: Title - @@ -606,25 +736,6 @@ msgid "" "Tails 0.13." msgstr "" -#. type: Title - -#, no-wrap -msgid "VirtualBox guest modules are broken for 64-bit guests\n" -msgstr "" - -#. type: Plain text -msgid "" -"VirtualBox guest modules allow for additional features when using Tails as a " -"VirtualBox guest: shared folders, resizable display, shared clipboard, etc." -msgstr "" - -#. type: Plain text -msgid "" -"But due to [a bug in VirtualBox](https://www.virtualbox.org/ticket/11037), " -"the resizable display and shared clipboard only work in Tails if the " -"VirtualBox guest is configured to have a 32-bit processor. The shared " -"folders work both on 32-bit and 64-bit guests." -msgstr "" - #. type: Title - #, no-wrap msgid "Touchpad configurations\n" @@ -648,14 +759,14 @@ msgstr "" #. type: Title - #, no-wrap -msgid "Tor Browser takes too long to shutdown\n" +msgid "Bluetooth devices don't work\n" msgstr "" #. type: Plain text msgid "" -"Since Tails 0.22, the browser sometimes takes too long to shutdown ([[!" -"tails_ticket 6480]]). Waiting a few more seconds is usually enough to let it " -"close itself correctly." +"Bluetooth is not enabled in Tails for security reasons. To enable it anyway, " +"see the documentation about [[wireless devices|doc/advanced_topics/" +"wireless_devices]]." msgstr "" #. type: Plain text @@ -675,3 +786,44 @@ msgid "" "in Tor Browser from the [Tor Browser homepage](https://www.torproject.org/" "projects/torbrowser.html.en)." msgstr "" + +#. type: Title - +#, no-wrap +msgid "The Windows 8 Browser theme doesn't look like Internet Explorer 10\n" +msgstr "" + +#. type: Plain text +msgid "" +"When the Windows 8 camouflage is enabled, the Internet Explorer 10 theme for " +"the Tor Browser, Unsafe Browser and I2P Browser is incorrect ([[!" +"tails_ticket 9326]]). Specifically," +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"the default Firefox tab bar is used (it should be positioned above the URL " +"bar, and use a \"square\" style), and" +msgstr "" + +#. type: Bullet: '* ' +msgid "the search bar is enabled (it should be disabled)." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"keyboard_layout\"></a>\n" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Keyboard layout is sometimes not applied\n" +msgstr "" + +#. type: Plain text +msgid "" +"The keyboard layout selected in *Tails Greeter* is sometimes not applied if " +"different from **English (US)**. Click on the [[keyboard layout|doc/" +"first_steps/introduction_to_gnome_and_the_tails_desktop#keyboard_layout]] in " +"the notification area to switch between English and the layout selected in " +"*Tails Greeter*." +msgstr "" diff --git a/wiki/src/support/known_issues.fr.po b/wiki/src/support/known_issues.fr.po index b81ab5661ebd1240e28a72d137dace58c204d658..eb7475450cfe42a16b10dbe0abd5e257edfe80a5 100644 --- a/wiki/src/support/known_issues.fr.po +++ b/wiki/src/support/known_issues.fr.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2015-01-06 17:53+0100\n" -"PO-Revision-Date: 2014-10-08 16:29-0000\n" +"POT-Creation-Date: 2015-05-12 14:20+0200\n" +"PO-Revision-Date: 2015-04-25 12:46+0200\n" "Last-Translator: \n" "Language-Team: LANGUAGE <LL@li.org>\n" "Language: \n" @@ -55,7 +55,7 @@ msgstr "Clés USB problématiques\n" #. type: Plain text #, no-wrap msgid "<a id=\"sandisk\"></a>\n" -msgstr "" +msgstr "<a id=\"sandisk\"></a>\n" #. type: Title ### #, no-wrap @@ -80,7 +80,9 @@ msgid "SanDisk Cruzer Edge 8GB" msgstr "SanDisk Cruzer Edge 8GB" #. type: Bullet: '* ' -msgid "SanDisk Cruzer Extreme USB 3.0 16GB and 32GB" +#, fuzzy +#| msgid "SanDisk Cruzer Extreme USB 3.0 16GB and 32GB" +msgid "SanDisk Cruzer Extreme USB 3.0 16GB, 32GB and 64GB" msgstr "SanDisk Cruzer Extreme USB 3.0 16GB et 32GB" #. type: Bullet: '* ' @@ -116,6 +118,8 @@ msgid "" "SanDisk Cruzer Orbiter 32GB (hangs at installation time but boots fine " "afterwards)" msgstr "" +"SanDisk Cruzer Orbiter 32GB (bloque à l'installation mais démarre " +"normalement après coup)" #. type: Bullet: '* ' msgid "SanDisk Ultra 32 GB" @@ -144,7 +148,7 @@ msgstr "Voir également [[!tails_ticket 6397]]." #. type: Plain text #, no-wrap msgid "<a id=\"pny\"></a>\n" -msgstr "" +msgstr "<a id=\"pny\"></a>\n" #. type: Title ### #, no-wrap @@ -159,6 +163,37 @@ msgstr "" "Lors de l'installation de Tails, les clés USB PNY ont des problèmes avec la " "charge constante d'écriture et sont sujettes aux échecs." +#. type: Plain text +#, no-wrap +msgid "<a id=\"aegis\"></a>\n" +msgstr "<a id=\"aegis\"></a>\n" + +#. type: Title ### +#, no-wrap +msgid "Aegis" +msgstr "Aegis" + +#. type: Bullet: '* ' +msgid "Aegis Secure Key USB 2.0" +msgstr "" + +#. type: Plain text +msgid "" +"During the boot process, USB is briefly powered off, that causes Aegis " +"hardware-encrypted USB sticks to lock down, and the PIN must be entered " +"again (fast) in order to complete the boot." +msgstr "" + +#. type: Bullet: '* ' +msgid "Aegis Secure Key USB 3.0" +msgstr "" + +#. type: Plain text +msgid "" +"This USB stick doesn't start Tails at all, the USB 2.0 workaround is not " +"working for that hardware." +msgstr "" + #. type: Title ### #, no-wrap msgid "Other vendors" @@ -172,11 +207,6 @@ msgstr "" "Les clés USB Staples Relay 2.0 16GB, souffrent du même problème que " "[[certaines clés USB SanDisk|known_issues#sandisk]]." -#. type: Plain text -#, no-wrap -msgid "<a id=\"isohybrid-options\"></a>\n" -msgstr "" - #. type: Title - #, no-wrap msgid "Acer Travelmate 8573T-254G50M\n" @@ -198,6 +228,16 @@ msgstr "" "Ce problème peut être corrigé depuis Tails 1.1 : merci de nous rapporter vos " "résultats de test." +#. type: Title - +#, no-wrap +msgid "Acer Aspire 5315-ICL50\n" +msgstr "" + +#. type: Plain text +msgid "Does not start on USB sticks created using Tails Installer." +msgstr "" +"Ne démarre pas sur une clé USB créée en utilisant l'Installeur de Tails." + #. type: Title - #, no-wrap msgid "ASUS VivoBook X202E\n" @@ -225,37 +265,25 @@ msgstr "" "pouvoir démarrer depuis un périphérique installé via l'Installeur de Tails." #. type: Title - -#, fuzzy, no-wrap -#| msgid "Dell Inc. Latitude E6430/0CPWYR\n" +#, no-wrap msgid "Dell Inc. Latitude E6430 and E6230\n" -msgstr "Dell Inc. Latitude E6430/0CPWYR\n" +msgstr "Dell Inc. Latitude E6430 et E6230\n" #. type: Plain text -msgid "Does not start on USB sticks created using Tails Installer." -msgstr "" -"Ne démarre pas sur une clé USB créée en utilisant l'Installeur de Tails." - -#. type: Plain text -#, fuzzy -#| msgid "With BIOS versions A03 06/03/2012 (and A09 and A11)" msgid "With BIOS versions A03 06/03/2012 (and A09, A11, and A12)" -msgstr "Avec un BIOS versions A03 06/03/2012 (ainsi que A09 et A11)" +msgstr "Avec un BIOS versions A03 06/03/2012 (ainsi que A09, A11 et 12)" #. type: Plain text msgid "Error message: `Invalid partition table!`" msgstr "Message d'erreur : `Invalid partition table!`" #. type: Plain text -#, fuzzy -#| msgid "" -#| "Workaround (at least with BIOS versions A09 and A11): just hit enter and " -#| "it will continue with the boot." msgid "" "Workaround (at least with BIOS versions A09, A11, and A12): just hit enter " "and it will continue with the boot." msgstr "" -"Contournement (au moins avec les BIOS versions A09 et A11) : juste taper " -"entrée et le démarrage continuera." +"Contournement (au moins avec les BIOS versions A09 et A11 et A12) : juste " +"taper entrée et le démarrage continuera." #. type: Title - #, no-wrap @@ -301,8 +329,13 @@ msgid "Dell Dimension 2400\n" msgstr "Dell Dimension 2400\n" #. type: Plain text +#, fuzzy +#| msgid "" +#| "Cannot start neither from USB nor from DVD. System crashes with a blank " +#| "screen and locked up keyboard. This problem might be corrected in newer " +#| "versions: please report your test results back to us." msgid "" -"Cannot start neither from USB nor from DVD. System crashes with a blank " +"Does not start neither from USB nor from DVD. System crashes with a blank " "screen and locked up keyboard. This problem might be corrected in newer " "versions: please report your test results back to us." msgstr "" @@ -312,8 +345,26 @@ msgstr "" #. type: Title - #, no-wrap -msgid "HP ProBook 4330s\n" +msgid "Fujitsu Siemens Amilo A 1667G\n" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "HP Compaq dc5750 Microtower\n" +msgstr "HP Compaq dc5750 Microtower\n" + +#. type: Plain text +#, fuzzy +#| msgid "Cannot start Tails 1.2.3 created using Tails Installer." +msgid "Does not start Tails 1.2.3 created using Tails Installer." msgstr "" +"Ne démarre pas sur une clé USB Tails 1.2.3 créée en utilisant l'Installeur " +"de Tails." + +#. type: Title - +#, no-wrap +msgid "HP ProBook 4330s\n" +msgstr "HP ProBook 4330s\n" #. type: Plain text msgid "" @@ -326,16 +377,18 @@ msgstr "" #. type: Title - #, no-wrap msgid "Lenovo IdeaPad Y410p\n" -msgstr "" +msgstr "Lenovo IdeaPad Y410p\n" #. type: Plain text -msgid "Cannot start Tails 1.1 from USB installed manually in Linux." +#, fuzzy +#| msgid "Cannot start Tails 1.1 from USB installed manually in Linux." +msgid "Does not start Tails 1.1 from USB installed manually in Linux." msgstr "Ne démarre pas Tails 1.1 en USB si installé manuellement via Linux." #. type: Title - #, no-wrap msgid "Lenovo IdeaPad z585\n" -msgstr "" +msgstr "Lenovo IdeaPad z585\n" #. type: Plain text msgid "Goes back continuously to boot menu on Tails installed on DVD." @@ -368,7 +421,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<a id=\"mac\"></a>\n" -msgstr "" +msgstr "<a id=\"mac\"></a>\n" #. type: Plain text #, no-wrap @@ -376,6 +429,8 @@ msgid "" "Mac\n" "---\n" msgstr "" +"Mac\n" +"---\n" #. type: Bullet: '* ' msgid "" @@ -392,6 +447,11 @@ msgid "" "that list: <http://www.everymac.com/mac-answers/snow-leopard-mac-os-x-faq/" "mac-os-x-snow-leopard-64-bit-macs-64-bit-efi-boot-in-64-bit-mode.html>" msgstr "" +"Tous les Mac en 32-bit EFI ne démarreront pas Tails en USB créé avec " +"l'Installeur de Tails. Vous pouvez vérifier si un Mac donné est 32-bit ou 64-" +"bit EFI sur cette liste : <http://www.everymac.com/mac-answers/snow-leopard-" +"mac-os-x-faq/mac-os-x-snow-leopard-64-bit-macs-64-bit-efi-boot-in-64-bit-" +"mode.html>" #. type: Bullet: '* ' msgid "MacBookPro5,5 does not boot with Tails in UEFI mode." @@ -409,21 +469,18 @@ msgid "MacBookPro (early 2011) fails to boot from DVD since Tails 1.1." msgstr "MacBookPro (début 2011) ne démarre pas sur DVD depuis Tails 1.1." #. type: Bullet: '* ' -#, fuzzy -#| msgid "" -#| "Mac Pro Tower and MacBook Pro 4,1 (both from early 2008) fail to boot " -#| "from a USB stick created by Tails Installer." msgid "" "Mac Pro Tower and MacBook Pro 4,1 (both from early 2008) and MacBookPro late " "2011 (8,2) fail to boot from a USB stick created by Tails Installer." msgstr "" -"Mac Pro Tower et MacBook Pro 4,1 (les deux de début 2008) ne démarrent pas " -"sur une clé USB créée en utilisant l'Installeur de Tails." +"Mac Pro Tower et MacBook Pro 4,1 (les deux de début 2008) et MacBookPro fin " +"2011 (8,2) ne démarrent pas sur une clé USB créée en utilisant l'Installeur " +"de Tails." #. type: Plain text #, no-wrap msgid "<a id=\"chainloading\"></a>\n" -msgstr "" +msgstr "<a id=\"chainloading\"></a>\n" #. type: Title - #, no-wrap @@ -455,23 +512,87 @@ msgid "" " boot\n" msgstr "" +#. type: Title = +#, no-wrap +msgid "Other hardware issues\n" +msgstr "Autres problèmes matériels\n" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"bcm43224\"></a>\n" +msgstr "<a id=\"bcm43224\"></a>\n" + +#. type: Title - +#, no-wrap +msgid "Broadcom BCM43224 802.11a/b/g/n wireless network adapter\n" +msgstr "Interfaces réseau sans-fil Broadcom BCM43224 802.11a/b/g/n\n" + +#. type: Plain text +msgid "" +"The Broadcom Corporation BCM43224 802.11a/b/g/n wireless network adapter is " +"known to not be able to [[spoof its MAC address|doc/first_steps/" +"startup_options/mac_spoofing]]. Tails enables MAC spoofing by default, and " +"will disable any network adapter it fails to spoof. To make it work you must " +"[[disable Tails' MAC spoofing feature|doc/first_steps/startup_options/" +"mac_spoofing#disable]]; please read the documentation carefully and make " +"sure you understand the consequences before doing so." +msgstr "" +"Les interfaces réseau BCM43224 802.11a/b/g/n de The Broadcom Corporation " +"sont connues pour ne pas être capable d'[[usurper leur adresse MAC|doc/" +"first_steps/startup_options/mac_spoofing]]. Tails active l’usurpation " +"d'adresse MAC par défaut, et désactivera chaque interface réseau qui " +"n'arrive pas l'usurper. Pour les faire fonctionner vous devez [[désactiver " +"la fonctionnalité d'usurpation d'adresse MAC de Tails|doc/first_steps/" +"startup_options/mac_spoofing#disable]] ; veuillez lire attentivement la " +"documentation et être sûr que vous comprenez les conséquences avant de faire " +"cela." + +#. type: Plain text +msgid "" +"This network adapter can, for instance, be found in the MacBook Air 4,1, " +"4,2, 5,1 and 5,2." +msgstr "" +"Ces interfaces réseau peuvent, notamment, être rencontrées dans les MacBook " +"Air 4,1, 4,2, 5,1 et 5,2." + #. type: Title = #, no-wrap msgid "Security issues\n" msgstr "Problèmes de sécurité\n" +#. type: Title - +#, no-wrap +msgid "Claws Mail leaks plaintext of encrypted emails to IMAP server\n" +msgstr "" + +#. type: Plain text +msgid "" +"Claws Mail stores plaintext copies of all emails on the remote IMAP server, " +"including those that are meant to be encrypted." +msgstr "" + +#. type: Plain text +msgid "" +"If you send OpenPGP encrypted emails using *Claws Mail* and IMAP, make sure " +"to apply one of the workarounds documented in our [[security announcement|" +"security/claws_mail_leaks_plaintext_to_imap]]." +msgstr "" + #. type: Title - #, no-wrap msgid "Tails might not erase all the system memory on shutdown\n" msgstr "Tails n'effacera peut-être pas la totalité de la mémoire à l'extinction\n" #. type: Plain text -#, no-wrap +#, fuzzy +#| msgid "" +#| "On rare systems (non-PAE with big amounts of memory),\n" +#| "Tails does not consistently [[!tails_todo\n" +#| "more_efficient_memory_wipe desc=\"erase all system memory as it\n" +#| "should\"]].\n" msgid "" -"On rare systems (non-PAE with big amounts of memory),\n" -"Tails does not consistently [[!tails_todo\n" -"more_efficient_memory_wipe desc=\"erase all system memory as it\n" -"should\"]].\n" +"On rare systems (non-PAE with big amounts of memory), Tails does not " +"consistently erase all system memory as it should." msgstr "" "Sur de rares systèmes (non-PAE avec beaucoup de mémoire),\n" "Tails [[!tails_todo more_efficient_memory_wipe desc=\"n'efface\n" @@ -483,6 +604,42 @@ msgid "" "directly after shutdown, the RAM empties itself in minutes, and all data " "disappears." msgstr "" +"Si aucune [[attaque par démarrage à froid|doc/advanced_topics/" +"cold_boot_attacks]] n'a lieu juste après l'extinction, la RAM se vide d'elle-" +"même en quelques minutes, et toutes les données disparaissent." + +#. type: Plain text +msgid "See [[!tails_ticket 6006 desc=\"More efficient memory wipe\"]]." +msgstr "" + +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "<a id=\"i2p_browser\"></a>\n" +msgid "<a id=\"video-memory\"></a>\n" +msgstr "<a id=\"i2p_browser\"></a>\n" + +#. type: Title - +#, no-wrap +msgid "Tails does not erase video memory\n" +msgstr "" + +#. type: Plain text +msgid "" +"Tails doesn't erase the [[!wikipedia VRAM desc=\"video memory\"]] yet. When " +"one uses Tails, then restarts the computer into another operating system, " +"that other operating system can see what has been displayed on the screen " +"within Tails." +msgstr "" + +#. type: Plain text +msgid "" +"Shutting down the computer completely, instead of restarting it, might allow " +"the video memory to empty itself." +msgstr "" + +#. type: Plain text +msgid "See [[!tails_ticket 5356 desc=\"Erase video memory on shutdown\"]]." +msgstr "" #. type: Title - #, no-wrap @@ -502,6 +659,12 @@ msgstr "" "fonctionnalité est cruciale pour votre session, nous vous conseillons de " "redémarrer Tails." +#. type: Plain text +msgid "" +"See [[!tails_ticket 5677 desc=\"liveusb-creator should not break emergency " +"shutdown\"]]." +msgstr "" + #. type: Title - #, no-wrap msgid "Tails DVD eject failure\n" @@ -517,7 +680,9 @@ msgstr "" "plus, l'extinction \"normale\" (non urgente) n'éjecte plus le DVD." #. type: Plain text -msgid "(Ticket: [[!tails_todo fix_DVD_eject_at_shutdown]])" +#, fuzzy +#| msgid "(Ticket: [[!tails_todo fix_DVD_eject_at_shutdown]])" +msgid "See [[!tails_ticket 5447 desc=\"Fix DVD eject at shutdown\"]]." msgstr "(Ticket: [[!tails_todo fix_DVD_eject_at_shutdown]])" #. type: Title - @@ -559,7 +724,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "<div class=\"caution\">\n" -msgstr "" +msgstr "<div class=\"caution\">\n" #. type: Plain text msgid "" @@ -571,7 +736,7 @@ msgstr "" #. type: Plain text #, no-wrap msgid "</div>\n" -msgstr "" +msgstr "</div>\n" #. type: Plain text msgid "This issue has been reported on the following hardware:" @@ -590,27 +755,32 @@ msgstr "Ce problème a été rapporté sur les ordinateurs suivants :" #| " - Hewlett-Packard HP Pavilion dv6 Notebook PC\n" #| " - Lenovo ThinkPad X61, only on emergency shutdown when pulling out the\n" #| " USB stick\n" +#| " - Lenovo ThinkPad X220\n" #| " - Toshiba Satellite C855D\n" #| " - Dell Inc. Studio 1458\n" #| " - Fujitsu Lifebook AH531/GFO, only on regular shutdown, emergency\n" #| " shutdown works\n" -#| " - Apple MacBookPro 10,2\n" +#| " - Samsung N150P\n" msgid "" " - Apple when booting from a USB stick:\n" " - MacBook Air 5,1\n" +" - MacBook Air 5,2 (using a device installed with Tails Installer)\n" " - MacBook Pro 7,1, 13-inch mid 2010\n" " - MacBook Pro 9,2, 13-inch mid 2012\n" " - MacBook Pro 8,1, 13-inch late 2011\n" " - MacBook Pro 10,2\n" " - MacBook Pro Retina 11,1, late 2013\n" +" - MacBook Pro Retina 13-inch Early 2015\n" " - Hewlett-Packard HP Pavilion dv6 Notebook PC\n" " - Lenovo ThinkPad X61, only on emergency shutdown when pulling out the\n" " USB stick\n" +" - Lenovo ThinkPad X220\n" " - Toshiba Satellite C855D\n" " - Dell Inc. Studio 1458\n" " - Fujitsu Lifebook AH531/GFO, only on regular shutdown, emergency\n" " shutdown works\n" " - Samsung N150P\n" +" - Acer Aspire e1-572\n" msgstr "" " - Apple en démarrant depuis une cle USB:\n" " - MacBook Air 5,1\n" @@ -622,11 +792,13 @@ msgstr "" " - Hewlett-Packard HP Pavilion dv6 Notebook PC\n" " - Lenovo ThinkPad X61, seulement en extinction d'urgence lorsque la clé USB\n" " est retirée\n" +" - Lenovo ThinkPad X220\n" " - Toshiba Satellite C855D\n" " - Dell Inc. Studio 1458\n" " - Fujitsu Lifebook AH531/GFO, seulement lors d'extinction normale, l'extinction\n" " d'urgence fonctionne\n" -" - Apple MacBookPro 10,2\n" +" - Samsung N150P\n" +" - Acer Aspire e1-572\n" #. type: Plain text #, no-wrap @@ -648,13 +820,9 @@ msgstr "" msgid "<!-- The fingerprints of <span class=\"application\">Tor Browser</span> in Tails and on other operating systems are different: -->\n" msgstr "" -#. type: Bullet: '* ' -msgid "" -"Browser window resizing is in not reliable: [[!tails_ticket 6377]] and [[!" -"tor_bug 10095]]." +#. type: Plain text +msgid "None currently known." msgstr "" -"Le redimensionnement de la fenêtre du navigateur n'est pas fiable : [[!" -"tails_ticket 6377]] et [[!tor_bug 10095]]." #. type: Title = #, no-wrap @@ -662,15 +830,14 @@ msgid "Other issues\n" msgstr "Autres problèmes\n" #. type: Plain text -#, fuzzy, no-wrap -#| msgid "<a id=\"fingerprint\"></a>\n" +#, no-wrap msgid "<a id=\"i2p_browser\"></a>\n" -msgstr "<a id=\"empreinte\"></a>\n" +msgstr "<a id=\"i2p_browser\"></a>\n" #. type: Title - #, no-wrap msgid "Hard to exchange files with the I2P Browser\n" -msgstr "" +msgstr "Difficulté pour échanger des fichiers via le navigateur I2P\n" #. type: Plain text msgid "" @@ -679,24 +846,35 @@ msgid "" "rights from the command line. The home directory of the I2P Browser is " "located in `/var/lib/i2p-browser/chroot/home/i2pbrowser/`." msgstr "" +"Il est impossible d'échanger des fichiers entre le navigateur I2P et " +"l'utilisateur amnesia. Voir le [[!tails_ticket 8280]]. Mais vous pouvez le " +"faire en ligne de commande avec des droits d'administration. Le dossier home " +"du navigateur I2P est situé dans `/var/lib/i2p-browser/chroot/home/" +"i2pbrowser/`." #. type: Plain text msgid "" "You might have to check the permissions of the files that you want to " "exchange with the I2P Browser:" msgstr "" +"Vous devrez peut-être vérifier les permissions des fichiers que vous voulez " +"échanger via le navigateur I2P :" #. type: Bullet: ' - ' msgid "" "They need to belong to the `i2pbrowser` user to be accessible from inside of " "the I2P browser." msgstr "" +"Ils doivent appartenir à l'utilisateur `i2pbrowser` pour être accessible " +"depuis le navigateur I2P." #. type: Bullet: ' - ' msgid "" "They need to belong to the `amnesia` user to be accessible from outside of " "the I2P Browser." msgstr "" +"Ils doivent appartenir à l'utilisateur `amnesia` pour être accessible en " +"dehors du navigateur I2P." #. type: Title - #, no-wrap @@ -718,11 +896,14 @@ msgid "Connecting to FTP servers is not possible\n" msgstr "Se connecter à des serveurs FTP n'est pas possible\n" #. type: Plain text -#, no-wrap +#, fuzzy +#| msgid "" +#| "Public FTP servers on the Internet are not reachable using Tails.\n" +#| "See [[!tails_todo fix_Internet_FTP_support desc=\"the corresponding\n" +#| "task\"]] for more details.\n" msgid "" -"Public FTP servers on the Internet are not reachable using Tails.\n" -"See [[!tails_todo fix_Internet_FTP_support desc=\"the corresponding\n" -"task\"]] for more details.\n" +"Public FTP servers on the Internet are not reachable using Tails. See [[!" +"tails_ticket 6096 desc=\"Fix FTP support\"]] for more details." msgstr "" "Les serveurs FTP publics sur Internet ne sont pas joignables avec Tails.\n" "Voir la [[!tails_todo fix_Internet_FTP_support desc=\"tâche\n" @@ -741,34 +922,6 @@ msgstr "" "C'est peut-être dû à l'introduction de la prise en charge de la régulation " "sans-fil depuis Tails 0.13." -#. type: Title - -#, no-wrap -msgid "VirtualBox guest modules are broken for 64-bit guests\n" -msgstr "Les modules de suppléments pour invités (*guest modules*) de VirtualBox ne marchent pas pour les invités 64-bits\n" - -#. type: Plain text -msgid "" -"VirtualBox guest modules allow for additional features when using Tails as a " -"VirtualBox guest: shared folders, resizable display, shared clipboard, etc." -msgstr "" -"Les modules de suppléments pour invités (*guest modules*) de VirtualBox " -"permettent lorsqu'on utilise Tails dans VirtualBox d'avoir des " -"fonctionnalités supplémentaires : dossiers partagés, redimensionnement de " -"l'affichage, presse-papier partagé, etc." - -#. type: Plain text -msgid "" -"But due to [a bug in VirtualBox](https://www.virtualbox.org/ticket/11037), " -"the resizable display and shared clipboard only work in Tails if the " -"VirtualBox guest is configured to have a 32-bit processor. The shared " -"folders work both on 32-bit and 64-bit guests." -msgstr "" -"Mais à cause d'un [bug dans VirtualBox](https://www.virtualbox.org/" -"ticket/11037), le redimensionnement de l'affichage et le partage de presse-" -"papiers fonctionnent uniquement dans Tails si l'invité VirtualBox est " -"configuré pour un processeur 32-bit. Les dossiers partagés fonctionnent à la " -"fois sur les invités 32-bit et 64-bit." - #. type: Title - #, no-wrap msgid "Touchpad configurations\n" @@ -797,31 +950,29 @@ msgstr "" " synclient FingerHigh=1;\n" #. type: Title - -#, fuzzy, no-wrap -#| msgid "TorBrowser takes too long to shutdown\n" -msgid "Tor Browser takes too long to shutdown\n" -msgstr "Le navigateur Tor met trop longtemps à s'éteindre\n" +#, no-wrap +msgid "Bluetooth devices don't work\n" +msgstr "Les périphériques Bluetooth ne fonctionnent pas\n" #. type: Plain text msgid "" -"Since Tails 0.22, the browser sometimes takes too long to shutdown ([[!" -"tails_ticket 6480]]). Waiting a few more seconds is usually enough to let it " -"close itself correctly." +"Bluetooth is not enabled in Tails for security reasons. To enable it anyway, " +"see the documentation about [[wireless devices|doc/advanced_topics/" +"wireless_devices]]." msgstr "" -"Depuis Tails 0.22, le navigateur prend parfois beaucoup de temps à " -"s'éteindre ([[!tails_ticket 6480]]). Patienter quelques secondes de plus est " -"généralement suffisant pour qu'il se ferme tout seul correctement." +"Le Bluetooth n'est pas activé dans Tails pour des raisons de sécurité. Pour " +"l'activer, voir la documentation à propos des [[périphériques sans-fil|doc/" +"advanced_topics/wireless_devices]]." #. type: Plain text -#, fuzzy, no-wrap -#| msgid "<a id=\"fingerprint\"></a>\n" +#, no-wrap msgid "<a id=\"browser_languages\"></a>\n" -msgstr "<a id=\"empreinte\"></a>\n" +msgstr "<a id=\"browser_languages\"></a>\n" #. type: Title - #, no-wrap msgid "Tor Browser is translated in a limited number of languages\n" -msgstr "" +msgstr "Le navigateur Tor est traduit dans un nombre limité de langues\n" #. type: Plain text msgid "" @@ -830,6 +981,105 @@ msgid "" "in Tor Browser from the [Tor Browser homepage](https://www.torproject.org/" "projects/torbrowser.html.en)." msgstr "" +"Depuis Tails 1.2, le navigateur web est basé sur le navigateur Tor qui est " +"traduit dans moins de langues qu'avant. Vous pouvez voir la liste des " +"langues disponibles dans le navigateur Tor depuis la [page d'accueil du " +"navigateur Tor](https://www.torproject.org/projects/torbrowser.html)." + +#. type: Title - +#, no-wrap +msgid "The Windows 8 Browser theme doesn't look like Internet Explorer 10\n" +msgstr "" + +#. type: Plain text +msgid "" +"When the Windows 8 camouflage is enabled, the Internet Explorer 10 theme for " +"the Tor Browser, Unsafe Browser and I2P Browser is incorrect ([[!" +"tails_ticket 9326]]). Specifically," +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"the default Firefox tab bar is used (it should be positioned above the URL " +"bar, and use a \"square\" style), and" +msgstr "" + +#. type: Bullet: '* ' +msgid "the search bar is enabled (it should be disabled)." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"keyboard_layout\"></a>\n" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Keyboard layout is sometimes not applied\n" +msgstr "" + +#. type: Plain text +msgid "" +"The keyboard layout selected in *Tails Greeter* is sometimes not applied if " +"different from **English (US)**. Click on the [[keyboard layout|doc/" +"first_steps/introduction_to_gnome_and_the_tails_desktop#keyboard_layout]] in " +"the notification area to switch between English and the layout selected in " +"*Tails Greeter*." +msgstr "" + +#, fuzzy +#~| msgid "" +#~| "Browser window resizing is in not reliable: [[!tails_ticket 6377]] and " +#~| "[[!tor_bug 10095]]." +#~ msgid "" +#~ "Browser window resizing is not reliable: [[!tails_ticket 6377]] and [[!" +#~ "tor_bug 10095]]." +#~ msgstr "" +#~ "Le redimensionnement de la fenêtre du navigateur n'est pas fiable : [[!" +#~ "tails_ticket 6377]] et [[!tor_bug 10095]]." + +#~ msgid "Tor Browser takes too long to shutdown\n" +#~ msgstr "Le navigateur Tor met trop longtemps à s'éteindre\n" + +#~ msgid "" +#~ "Since Tails 0.22, the browser sometimes takes too long to shutdown ([[!" +#~ "tails_ticket 6480]]). Waiting a few more seconds is usually enough to let " +#~ "it close itself correctly." +#~ msgstr "" +#~ "Depuis Tails 0.22, le navigateur prend parfois beaucoup de temps à " +#~ "s'éteindre ([[!tails_ticket 6480]]). Patienter quelques secondes de plus " +#~ "est généralement suffisant pour qu'il se ferme tout seul correctement." + +#~| msgid "<a id=\"fingerprint\"></a>\n" +#~ msgid "<a id=\"isohybrid-options\"></a>\n" +#~ msgstr "<a id=\"isohybrid-options\"></a>\n" + +#~ msgid "VirtualBox guest modules are broken for 64-bit guests\n" +#~ msgstr "" +#~ "Les modules de suppléments pour invités (*guest modules*) de VirtualBox " +#~ "ne marchent pas pour les invités 64-bits\n" + +#~ msgid "" +#~ "VirtualBox guest modules allow for additional features when using Tails " +#~ "as a VirtualBox guest: shared folders, resizable display, shared " +#~ "clipboard, etc." +#~ msgstr "" +#~ "Les modules de suppléments pour invités (*guest modules*) de VirtualBox " +#~ "permettent lorsqu'on utilise Tails dans VirtualBox d'avoir des " +#~ "fonctionnalités supplémentaires : dossiers partagés, redimensionnement de " +#~ "l'affichage, presse-papier partagé, etc." + +#~ msgid "" +#~ "But due to [a bug in VirtualBox](https://www.virtualbox.org/" +#~ "ticket/11037), the resizable display and shared clipboard only work in " +#~ "Tails if the VirtualBox guest is configured to have a 32-bit processor. " +#~ "The shared folders work both on 32-bit and 64-bit guests." +#~ msgstr "" +#~ "Mais à cause d'un [bug dans VirtualBox](https://www.virtualbox.org/" +#~ "ticket/11037), le redimensionnement de l'affichage et le partage de " +#~ "presse-papiers fonctionnent uniquement dans Tails si l'invité VirtualBox " +#~ "est configuré pour un processeur 32-bit. Les dossiers partagés " +#~ "fonctionnent à la fois sur les invités 32-bit et 64-bit." #~ msgid "Problematic virtual machines\n" #~ msgstr "Machines virtuelles problématiques\n" diff --git a/wiki/src/support/known_issues.mdwn b/wiki/src/support/known_issues.mdwn index 75079ef08384edb501a3d391d3e739479e6a4129..f878268ae8ecaf5a714e3640c05dbe236316f751 100644 --- a/wiki/src/support/known_issues.mdwn +++ b/wiki/src/support/known_issues.mdwn @@ -24,7 +24,7 @@ they require removing the `live-media=removable` boot parameter, which [[is dangerous|doc/first_steps/bug_reporting/tails_does_not_start#entirely]]. * SanDisk Cruzer Edge 8GB -* SanDisk Cruzer Extreme USB 3.0 16GB and 32GB +* SanDisk Cruzer Extreme USB 3.0 16GB, 32GB and 64GB * SanDisk Cruzer Fit USB 2.0 8GB, 16GB, and 32G * SanDisk Cruzer Force 8GB * SanDisk Cruzer Glide 4GB, 8GB and 16GB @@ -50,12 +50,22 @@ See also [[!tails_ticket 6397]]. When installing Tails, PNY USB sticks have problems with the constant write load and are prone to failure. +<a id="aegis"></a> + +### Aegis + +* Aegis Secure Key USB 2.0 + +During the boot process, USB is briefly powered off, that causes Aegis hardware-encrypted USB sticks to lock down, and the PIN must be entered again (fast) in order to complete the boot. + +* Aegis Secure Key USB 3.0 + +This USB stick doesn't start Tails at all, the USB 2.0 workaround is not working for that hardware. + ### Other vendors * Staples Relay USB 2.0 16GB, suffers from the same problem as [[some SanDisk USB sticks|known_issues#sandisk]]. -<a id="isohybrid-options"></a> - Acer Travelmate 8573T-254G50M ----------------------------- @@ -65,6 +75,11 @@ using Tails Installer. This problem might be corrected in Tails 1.1 and newer: please report your test results back to us. +Acer Aspire 5315-ICL50 +---------------------- + +Does not start on USB sticks created using Tails Installer. + ASUS VivoBook X202E ------------------- @@ -120,10 +135,20 @@ to us. Dell Dimension 2400 ------------------- -Cannot start neither from USB nor from DVD. System crashes with a blank +Does not start neither from USB nor from DVD. System crashes with a blank screen and locked up keyboard. This problem might be corrected in newer versions: please report your test results back to us. +Fujitsu Siemens Amilo A 1667G +----------------------------- + +Does not start on USB sticks created using Tails Installer. + +HP Compaq dc5750 Microtower +--------------------------- + +Does not start Tails 1.2.3 created using Tails Installer. + HP ProBook 4330s ---------------- @@ -133,7 +158,7 @@ then `Filesystem Tails` and `EFI/BOOT/bootx64.efi`. Lenovo IdeaPad Y410p -------------------- -Cannot start Tails 1.1 from USB installed manually in Linux. +Does not start Tails 1.1 from USB installed manually in Linux. Lenovo IdeaPad z585 ------------------- @@ -188,21 +213,66 @@ The following commands, run from the GRUB shell, might be helpful: chainloader +1 boot +Other hardware issues +===================== + +<a id="bcm43224"></a> + +Broadcom BCM43224 802.11a/b/g/n wireless network adapter +-------------------------------------------------------- + +The Broadcom Corporation BCM43224 802.11a/b/g/n wireless network +adapter is known to not be able to +[[spoof its MAC address|doc/first_steps/startup_options/mac_spoofing]]. Tails +enables MAC spoofing by default, and will disable any network adapter +it fails to spoof. To make it work you must +[[disable Tails' MAC spoofing feature|doc/first_steps/startup_options/mac_spoofing#disable]]; +please read the documentation carefully and make sure you understand +the consequences before doing so. + +This network adapter can, for instance, be found in the MacBook Air +4,1, 4,2, 5,1 and 5,2. + Security issues =============== +Claws Mail leaks plaintext of encrypted emails to IMAP server +------------------------------------------------------------- + +Claws Mail stores plaintext copies of all emails on the remote IMAP +server, including those that are meant to be encrypted. + +If you send OpenPGP encrypted emails using *Claws Mail* and IMAP, make +sure to apply one of the workarounds documented in our [[security +announcement|security/claws_mail_leaks_plaintext_to_imap]]. + Tails might not erase all the system memory on shutdown ------------------------------------------------------- -On rare systems (non-PAE with big amounts of memory), -Tails does not consistently [[!tails_todo -more_efficient_memory_wipe desc="erase all system memory as it -should"]]. +On rare systems (non-PAE with big amounts of memory), Tails does not +consistently erase all system memory as it should. If no [[cold boot attack|doc/advanced_topics/cold_boot_attacks]] happens directly after shutdown, the RAM empties itself in minutes, and all data disappears. +See [[!tails_ticket 6006 desc="More efficient memory wipe"]]. + +<a id="video-memory"></a> + +Tails does not erase video memory +--------------------------------- + +Tails doesn't erase the [[!wikipedia VRAM desc="video memory"]] yet. +When one uses Tails, then restarts the computer into another operating +system, that other operating system can see what has been displayed on +the screen within Tails. + +Shutting down the computer completely, instead of restarting it, +might allow the video memory to empty itself. + +See [[!tails_ticket 5356 desc="Erase video memory on shutdown"]]. + After using Tails Installer, the "emergency shutdown" doesn't work ------------------------------------------------------------------ @@ -211,6 +281,9 @@ Tails Installer messes a bit too much with the USB devices for the it. If you believe this feature is critical for the session you're running, we advice you to reboot Tails. +See +[[!tails_ticket 5677 desc="liveusb-creator should not break emergency shutdown"]]. + Tails DVD eject failure ----------------------- @@ -218,7 +291,7 @@ Pressing the DVD eject button does not trigger emergency shutdown. Also, the "normal" (non-emergency) shutdown procedure does not eject the DVD anymore. -(Ticket: [[!tails_todo fix_DVD_eject_at_shutdown]]) +See [[!tails_ticket 5447 desc="Fix DVD eject at shutdown"]]. Stream isolation inconsistency in Claws Mail -------------------------------------------- @@ -246,19 +319,23 @@ This issue has been reported on the following hardware: - Apple when booting from a USB stick: - MacBook Air 5,1 + - MacBook Air 5,2 (using a device installed with Tails Installer) - MacBook Pro 7,1, 13-inch mid 2010 - MacBook Pro 9,2, 13-inch mid 2012 - MacBook Pro 8,1, 13-inch late 2011 - MacBook Pro 10,2 - MacBook Pro Retina 11,1, late 2013 + - MacBook Pro Retina 13-inch Early 2015 - Hewlett-Packard HP Pavilion dv6 Notebook PC - Lenovo ThinkPad X61, only on emergency shutdown when pulling out the USB stick + - Lenovo ThinkPad X220 - Toshiba Satellite C855D - Dell Inc. Studio 1458 - Fujitsu Lifebook AH531/GFO, only on regular shutdown, emergency shutdown works - Samsung N150P + - Acer Aspire e1-572 <a id="fingerprint"></a> @@ -269,8 +346,7 @@ Fingerprint <!-- The fingerprints of <span class="application">Tor Browser</span> in Tails and on other operating systems are different: --> -* Browser window resizing is in not reliable: [[!tails_ticket 6377]] - and [[!tor_bug 10095]]. +None currently known. Other issues ============ @@ -303,8 +379,7 @@ Connecting to FTP servers is not possible ----------------------------------------- Public FTP servers on the Internet are not reachable using Tails. -See [[!tails_todo fix_Internet_FTP_support desc="the corresponding -task"]] for more details. +See [[!tails_ticket 6096 desc="Fix FTP support"]] for more details. Tails fails to connect to certain Wi-Fi networks ------------------------------------------------ @@ -312,17 +387,6 @@ Tails fails to connect to certain Wi-Fi networks This might be related to the introduction of wireless regulation support in Tails 0.13. -VirtualBox guest modules are broken for 64-bit guests ------------------------------------------------------ - -VirtualBox guest modules allow for additional features when using Tails as a -VirtualBox guest: shared folders, resizable display, shared clipboard, etc. - -But due to [a bug in VirtualBox](https://www.virtualbox.org/ticket/11037), the -resizable display and shared clipboard -only work in Tails if the VirtualBox guest is configured to have a 32-bit -processor. The shared folders work both on 32-bit and 64-bit guests. - Touchpad configurations ----------------------- @@ -335,12 +399,12 @@ Touchpad configurations synclient FingerLow=1; synclient FingerHigh=1; -Tor Browser takes too long to shutdown --------------------------------------- +Bluetooth devices don't work +---------------------------- -Since Tails 0.22, the browser sometimes takes too long to shutdown -([[!tails_ticket 6480]]). Waiting a few more seconds is usually enough -to let it close itself correctly. +Bluetooth is not enabled in Tails for security reasons. To enable it +anyway, see the documentation about +[[wireless devices|doc/advanced_topics/wireless_devices]]. <a id="browser_languages"></a> @@ -351,3 +415,25 @@ Since Tails 1.2, the web browser is based on Tor Browser which is translated in less languages than before. You can see the list of languages available in Tor Browser from the [Tor Browser homepage](https://www.torproject.org/projects/torbrowser.html.en). + +The Windows 8 Browser theme doesn't look like Internet Explorer 10 +------------------------------------------------------------------ + +When the Windows 8 camouflage is enabled, the Internet Explorer 10 +theme for the Tor Browser, Unsafe Browser and I2P Browser is incorrect +([[!tails_ticket 9326]]). Specifically, + +* the default Firefox tab bar is used (it should be positioned above + the URL bar, and use a "square" style), and +* the search bar is enabled (it should be disabled). + +<a id="keyboard_layout"></a> + +Keyboard layout is sometimes not applied +---------------------------------------- + +The keyboard layout selected in *Tails Greeter* is sometimes not +applied if different from **English (US)**. Click on the +[[keyboard layout|doc/first_steps/introduction_to_gnome_and_the_tails_desktop#keyboard_layout]] +in the notification area to switch between English and the layout +selected in *Tails Greeter*. diff --git a/wiki/src/support/known_issues.pt.po b/wiki/src/support/known_issues.pt.po index ff59186bfc63501e3bfd86d724c04e9588b01e40..91ce6141b2eac6cf7ae1f8a3dbf17c72e5c83c9e 100644 --- a/wiki/src/support/known_issues.pt.po +++ b/wiki/src/support/known_issues.pt.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2015-01-06 17:53+0100\n" +"POT-Creation-Date: 2015-05-12 14:20+0200\n" "PO-Revision-Date: 2014-06-30 15:38-0300\n" "Last-Translator: Tails Developers <amnesia@boum.org>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -87,7 +87,9 @@ msgid "SanDisk Cruzer Edge 8GB" msgstr "SanDisk Cruzer Edge 8GB" #. type: Bullet: '* ' -msgid "SanDisk Cruzer Extreme USB 3.0 16GB and 32GB" +#, fuzzy +#| msgid "SanDisk Cruzer Extreme USB 3.0 16GB and 32GB" +msgid "SanDisk Cruzer Extreme USB 3.0 16GB, 32GB and 64GB" msgstr "SanDisk Cruzer Extreme USB 3.0 16GB e 32GB" #. type: Bullet: '* ' @@ -177,6 +179,38 @@ msgid "" "load and are prone to failure." msgstr "" +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "<a id=\"chainloading\"></a>\n" +msgid "<a id=\"aegis\"></a>\n" +msgstr "<a id=\"chainloading\"></a>\n" + +#. type: Title ### +#, no-wrap +msgid "Aegis" +msgstr "" + +#. type: Bullet: '* ' +msgid "Aegis Secure Key USB 2.0" +msgstr "" + +#. type: Plain text +msgid "" +"During the boot process, USB is briefly powered off, that causes Aegis " +"hardware-encrypted USB sticks to lock down, and the PIN must be entered " +"again (fast) in order to complete the boot." +msgstr "" + +#. type: Bullet: '* ' +msgid "Aegis Secure Key USB 3.0" +msgstr "" + +#. type: Plain text +msgid "" +"This USB stick doesn't start Tails at all, the USB 2.0 workaround is not " +"working for that hardware." +msgstr "" + #. type: Title ### #, fuzzy, no-wrap #| msgid "Other issues\n" @@ -189,12 +223,6 @@ msgid "" "USB sticks|known_issues#sandisk]]." msgstr "" -#. type: Plain text -#, fuzzy, no-wrap -#| msgid "<a id=\"chainloading\"></a>\n" -msgid "<a id=\"isohybrid-options\"></a>\n" -msgstr "<a id=\"chainloading\"></a>\n" - #. type: Title - #, no-wrap msgid "Acer Travelmate 8573T-254G50M\n" @@ -214,6 +242,15 @@ msgid "" "test results back to us." msgstr "" +#. type: Title - +#, no-wrap +msgid "Acer Aspire 5315-ICL50\n" +msgstr "" + +#. type: Plain text +msgid "Does not start on USB sticks created using Tails Installer." +msgstr "Não inicia em memórias USB criadas usando o Tails Installer." + #. type: Title - #, no-wrap msgid "ASUS VivoBook X202E\n" @@ -247,10 +284,6 @@ msgstr "" msgid "Dell Inc. Latitude E6430 and E6230\n" msgstr "Dell Inc. Latitude E6430/0CPWYR\n" -#. type: Plain text -msgid "Does not start on USB sticks created using Tails Installer." -msgstr "Não inicia em memórias USB criadas usando o Tails Installer." - #. type: Plain text #, fuzzy #| msgid "With BIOS versions A03 06/03/2012 (and A09 and A11)" @@ -326,13 +359,29 @@ msgstr "Dell Dimension 2400\n" #| "Cannot start neither from USB nor from DVD. System crashes with a blank " #| "screen and locked up keyboard." msgid "" -"Cannot start neither from USB nor from DVD. System crashes with a blank " +"Does not start neither from USB nor from DVD. System crashes with a blank " "screen and locked up keyboard. This problem might be corrected in newer " "versions: please report your test results back to us." msgstr "" "Não pode ser inicializado nem a partir de USB nem de DVD. O sistema dá pau " "com uma tela preta e teclado travado." +#. type: Title - +#, no-wrap +msgid "Fujitsu Siemens Amilo A 1667G\n" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "HP Compaq dc5750 Microtower\n" +msgstr "" + +#. type: Plain text +#, fuzzy +#| msgid "Does not start on USB sticks created using Tails Installer." +msgid "Does not start Tails 1.2.3 created using Tails Installer." +msgstr "Não inicia em memórias USB criadas usando o Tails Installer." + #. type: Title - #, no-wrap msgid "HP ProBook 4330s\n" @@ -352,7 +401,7 @@ msgid "Lenovo IdeaPad Y410p\n" msgstr "" #. type: Plain text -msgid "Cannot start Tails 1.1 from USB installed manually in Linux." +msgid "Does not start Tails 1.1 from USB installed manually in Linux." msgstr "" #. type: Title - @@ -478,23 +527,78 @@ msgstr "" " chainloader +1\n" " boot\n" +#. type: Title = +#, fuzzy, no-wrap +#| msgid "Other issues\n" +msgid "Other hardware issues\n" +msgstr "Outros problemas\n" + +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "<a id=\"chainloading\"></a>\n" +msgid "<a id=\"bcm43224\"></a>\n" +msgstr "<a id=\"chainloading\"></a>\n" + +#. type: Title - +#, no-wrap +msgid "Broadcom BCM43224 802.11a/b/g/n wireless network adapter\n" +msgstr "" + +#. type: Plain text +msgid "" +"The Broadcom Corporation BCM43224 802.11a/b/g/n wireless network adapter is " +"known to not be able to [[spoof its MAC address|doc/first_steps/" +"startup_options/mac_spoofing]]. Tails enables MAC spoofing by default, and " +"will disable any network adapter it fails to spoof. To make it work you must " +"[[disable Tails' MAC spoofing feature|doc/first_steps/startup_options/" +"mac_spoofing#disable]]; please read the documentation carefully and make " +"sure you understand the consequences before doing so." +msgstr "" + +#. type: Plain text +msgid "" +"This network adapter can, for instance, be found in the MacBook Air 4,1, " +"4,2, 5,1 and 5,2." +msgstr "" + #. type: Title = #, no-wrap msgid "Security issues\n" msgstr "Problemas de segurança\n" +#. type: Title - +#, no-wrap +msgid "Claws Mail leaks plaintext of encrypted emails to IMAP server\n" +msgstr "" + +#. type: Plain text +msgid "" +"Claws Mail stores plaintext copies of all emails on the remote IMAP server, " +"including those that are meant to be encrypted." +msgstr "" + +#. type: Plain text +msgid "" +"If you send OpenPGP encrypted emails using *Claws Mail* and IMAP, make sure " +"to apply one of the workarounds documented in our [[security announcement|" +"security/claws_mail_leaks_plaintext_to_imap]]." +msgstr "" + #. type: Title - #, no-wrap msgid "Tails might not erase all the system memory on shutdown\n" msgstr "Tails pode não apagar toda a memória do sistema ao desligar\n" #. type: Plain text -#, no-wrap +#, fuzzy +#| msgid "" +#| "On rare systems (non-PAE with big amounts of memory),\n" +#| "Tails does not consistently [[!tails_todo\n" +#| "more_efficient_memory_wipe desc=\"erase all system memory as it\n" +#| "should\"]].\n" msgid "" -"On rare systems (non-PAE with big amounts of memory),\n" -"Tails does not consistently [[!tails_todo\n" -"more_efficient_memory_wipe desc=\"erase all system memory as it\n" -"should\"]].\n" +"On rare systems (non-PAE with big amounts of memory), Tails does not " +"consistently erase all system memory as it should." msgstr "" "Em alguns sistemas raros (não-PAE e com muita memória),\n" "o Tails não [[!tails_todo\n" @@ -508,6 +612,39 @@ msgid "" "disappears." msgstr "" +#. type: Plain text +msgid "See [[!tails_ticket 6006 desc=\"More efficient memory wipe\"]]." +msgstr "" + +#. type: Plain text +#, fuzzy, no-wrap +#| msgid "<a id=\"chainloading\"></a>\n" +msgid "<a id=\"video-memory\"></a>\n" +msgstr "<a id=\"chainloading\"></a>\n" + +#. type: Title - +#, no-wrap +msgid "Tails does not erase video memory\n" +msgstr "" + +#. type: Plain text +msgid "" +"Tails doesn't erase the [[!wikipedia VRAM desc=\"video memory\"]] yet. When " +"one uses Tails, then restarts the computer into another operating system, " +"that other operating system can see what has been displayed on the screen " +"within Tails." +msgstr "" + +#. type: Plain text +msgid "" +"Shutting down the computer completely, instead of restarting it, might allow " +"the video memory to empty itself." +msgstr "" + +#. type: Plain text +msgid "See [[!tails_ticket 5356 desc=\"Erase video memory on shutdown\"]]." +msgstr "" + #. type: Title - #, no-wrap msgid "After using Tails Installer, the \"emergency shutdown\" doesn't work\n" @@ -526,6 +663,12 @@ msgstr "" "é crítica para a sessão que você está executando, nós aconselhamos a " "reiniciar o Tails." +#. type: Plain text +msgid "" +"See [[!tails_ticket 5677 desc=\"liveusb-creator should not break emergency " +"shutdown\"]]." +msgstr "" + #. type: Title - #, no-wrap msgid "Tails DVD eject failure\n" @@ -541,7 +684,9 @@ msgstr "" "Além disso, o desligamento \"normal\" (não emergencial) não ejeta o DVD mais." #. type: Plain text -msgid "(Ticket: [[!tails_todo fix_DVD_eject_at_shutdown]])" +#, fuzzy +#| msgid "(Ticket: [[!tails_todo fix_DVD_eject_at_shutdown]])" +msgid "See [[!tails_ticket 5447 desc=\"Fix DVD eject at shutdown\"]]." msgstr "(Tíquete: [[!tails_todo fix_DVD_eject_at_shutdown]])" #. type: Title - @@ -604,19 +749,23 @@ msgstr "Este problema foi relatado nos seguintes hardwares:" msgid "" " - Apple when booting from a USB stick:\n" " - MacBook Air 5,1\n" +" - MacBook Air 5,2 (using a device installed with Tails Installer)\n" " - MacBook Pro 7,1, 13-inch mid 2010\n" " - MacBook Pro 9,2, 13-inch mid 2012\n" " - MacBook Pro 8,1, 13-inch late 2011\n" " - MacBook Pro 10,2\n" " - MacBook Pro Retina 11,1, late 2013\n" +" - MacBook Pro Retina 13-inch Early 2015\n" " - Hewlett-Packard HP Pavilion dv6 Notebook PC\n" " - Lenovo ThinkPad X61, only on emergency shutdown when pulling out the\n" " USB stick\n" +" - Lenovo ThinkPad X220\n" " - Toshiba Satellite C855D\n" " - Dell Inc. Studio 1458\n" " - Fujitsu Lifebook AH531/GFO, only on regular shutdown, emergency\n" " shutdown works\n" " - Samsung N150P\n" +" - Acer Aspire e1-572\n" msgstr "" #. type: Plain text @@ -640,13 +789,9 @@ msgstr "<!-- Se esta seção estiver vazia. ajuste a [[documentação sobre fing msgid "<!-- The fingerprints of <span class=\"application\">Tor Browser</span> in Tails and on other operating systems are different: -->\n" msgstr "<!-- As fingerprints do navegador Tor e do TBB são distintas: -->\n" -#. type: Bullet: '* ' -msgid "" -"Browser window resizing is in not reliable: [[!tails_ticket 6377]] and [[!" -"tor_bug 10095]]." +#. type: Plain text +msgid "None currently known." msgstr "" -"Redimencionamento da tela do navegador não é confiável: [[!tails_ticket " -"6377]] e [[!tor_bug 10095]]." #. type: Title = #, no-wrap @@ -707,11 +852,14 @@ msgid "Connecting to FTP servers is not possible\n" msgstr "Não é possível conectar a servidores FTP\n" #. type: Plain text -#, no-wrap +#, fuzzy +#| msgid "" +#| "Public FTP servers on the Internet are not reachable using Tails.\n" +#| "See [[!tails_todo fix_Internet_FTP_support desc=\"the corresponding\n" +#| "task\"]] for more details.\n" msgid "" -"Public FTP servers on the Internet are not reachable using Tails.\n" -"See [[!tails_todo fix_Internet_FTP_support desc=\"the corresponding\n" -"task\"]] for more details.\n" +"Public FTP servers on the Internet are not reachable using Tails. See [[!" +"tails_ticket 6096 desc=\"Fix FTP support\"]] for more details." msgstr "" "Servidores de FTP públicos na Internet não são acessíveis usando Tails.\n" "veja [[!tails_todo fix_Internet_FTP_support desc=\"a tarefa\n" @@ -730,28 +878,6 @@ msgstr "" "Isto pode estar relacionado à introdução de suporte a regulação sem fio no " "Tails 0.13." -#. type: Title - -#, no-wrap -msgid "VirtualBox guest modules are broken for 64-bit guests\n" -msgstr "" - -#. type: Plain text -msgid "" -"VirtualBox guest modules allow for additional features when using Tails as a " -"VirtualBox guest: shared folders, resizable display, shared clipboard, etc." -msgstr "" - -#. type: Plain text -#, fuzzy -msgid "" -"But due to [a bug in VirtualBox](https://www.virtualbox.org/ticket/11037), " -"the resizable display and shared clipboard only work in Tails if the " -"VirtualBox guest is configured to have a 32-bit processor. The shared " -"folders work both on 32-bit and 64-bit guests." -msgstr "" -"Veja [[!tails_todo fix_virtualbox_guest_modules_build desc=\"a\n" -"tarefa correspondente\"]] para detalhes.\n" - #. type: Title - #, no-wrap msgid "Touchpad configurations\n" @@ -780,20 +906,16 @@ msgstr "" " synclient FingerHigh=1;\n" #. type: Title - -#, fuzzy, no-wrap -#| msgid "TorBrowser takes too long to shutdown\n" -msgid "Tor Browser takes too long to shutdown\n" -msgstr "TorBrowser leva muito tempo para fechar\n" +#, no-wrap +msgid "Bluetooth devices don't work\n" +msgstr "" #. type: Plain text msgid "" -"Since Tails 0.22, the browser sometimes takes too long to shutdown ([[!" -"tails_ticket 6480]]). Waiting a few more seconds is usually enough to let it " -"close itself correctly." +"Bluetooth is not enabled in Tails for security reasons. To enable it anyway, " +"see the documentation about [[wireless devices|doc/advanced_topics/" +"wireless_devices]]." msgstr "" -"Desde o Tails 0.22, o navegador algumas vezes toma muito tempo para fechar " -"([[!tails_ticket 6480]]). Esperar alguns segundos a mais geralmente é " -"suficiente para deixar com que feche corretamente." #. type: Plain text #, fuzzy, no-wrap @@ -814,6 +936,86 @@ msgid "" "projects/torbrowser.html.en)." msgstr "" +#. type: Title - +#, no-wrap +msgid "The Windows 8 Browser theme doesn't look like Internet Explorer 10\n" +msgstr "" + +#. type: Plain text +msgid "" +"When the Windows 8 camouflage is enabled, the Internet Explorer 10 theme for " +"the Tor Browser, Unsafe Browser and I2P Browser is incorrect ([[!" +"tails_ticket 9326]]). Specifically," +msgstr "" + +#. type: Bullet: '* ' +msgid "" +"the default Firefox tab bar is used (it should be positioned above the URL " +"bar, and use a \"square\" style), and" +msgstr "" + +#. type: Bullet: '* ' +msgid "the search bar is enabled (it should be disabled)." +msgstr "" + +#. type: Plain text +#, no-wrap +msgid "<a id=\"keyboard_layout\"></a>\n" +msgstr "" + +#. type: Title - +#, no-wrap +msgid "Keyboard layout is sometimes not applied\n" +msgstr "" + +#. type: Plain text +msgid "" +"The keyboard layout selected in *Tails Greeter* is sometimes not applied if " +"different from **English (US)**. Click on the [[keyboard layout|doc/" +"first_steps/introduction_to_gnome_and_the_tails_desktop#keyboard_layout]] in " +"the notification area to switch between English and the layout selected in " +"*Tails Greeter*." +msgstr "" + +#, fuzzy +#~| msgid "" +#~| "Browser window resizing is in not reliable: [[!tails_ticket 6377]] and " +#~| "[[!tor_bug 10095]]." +#~ msgid "" +#~ "Browser window resizing is not reliable: [[!tails_ticket 6377]] and [[!" +#~ "tor_bug 10095]]." +#~ msgstr "" +#~ "Redimencionamento da tela do navegador não é confiável: [[!tails_ticket " +#~ "6377]] e [[!tor_bug 10095]]." + +#, fuzzy +#~| msgid "TorBrowser takes too long to shutdown\n" +#~ msgid "Tor Browser takes too long to shutdown\n" +#~ msgstr "TorBrowser leva muito tempo para fechar\n" + +#~ msgid "" +#~ "Since Tails 0.22, the browser sometimes takes too long to shutdown ([[!" +#~ "tails_ticket 6480]]). Waiting a few more seconds is usually enough to let " +#~ "it close itself correctly." +#~ msgstr "" +#~ "Desde o Tails 0.22, o navegador algumas vezes toma muito tempo para " +#~ "fechar ([[!tails_ticket 6480]]). Esperar alguns segundos a mais " +#~ "geralmente é suficiente para deixar com que feche corretamente." + +#, fuzzy +#~| msgid "<a id=\"chainloading\"></a>\n" +#~ msgid "<a id=\"isohybrid-options\"></a>\n" +#~ msgstr "<a id=\"chainloading\"></a>\n" + +#~ msgid "" +#~ "But due to [a bug in VirtualBox](https://www.virtualbox.org/" +#~ "ticket/11037), the resizable display and shared clipboard only work in " +#~ "Tails if the VirtualBox guest is configured to have a 32-bit processor. " +#~ "The shared folders work both on 32-bit and 64-bit guests." +#~ msgstr "" +#~ "Veja [[!tails_todo fix_virtualbox_guest_modules_build desc=\"a\n" +#~ "tarefa correspondente\"]] para detalhes.\n" + #, fuzzy #~| msgid "<a id=\"problematic-usb-sticks\"></a>\n" #~ msgid "<a id=\"problematic-virtual-machines\"></a>\n" diff --git a/wiki/src/support/talk.de.po b/wiki/src/support/talk.de.po index 126239b58fac6eb55725b8e2e5113276a73f0601..331b34dd142dc14aa3cb0f4c5e7cde23320df3ea 100644 --- a/wiki/src/support/talk.de.po +++ b/wiki/src/support/talk.de.po @@ -5,16 +5,16 @@ # msgid "" msgstr "" -"Project-Id-Version: PACKAGE VERSION\n" +"Project-Id-Version: Tails\n" "POT-Creation-Date: 2014-10-15 18:40+0300\n" -"PO-Revision-Date: 2014-05-25 11:05+0100\n" -"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" -"Language-Team: LANGUAGE <LL@li.org>\n" -"Language: \n" +"PO-Revision-Date: 2015-01-18 22:04+0100\n" +"Last-Translator: Tails developers <tails@boum.org>\n" +"Language-Team: Tails Translators <tails-l10n@boum.org>\n" +"Language: de\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: Poedit 1.5.4\n" +"X-Generator: Poedit 1.6.10\n" #. type: Content of: outside any tag (error?) msgid "[[!meta title=\"Get in touch with us\"]]" @@ -33,23 +33,17 @@ msgid "Subscribe to our [[user support mailing list|tails-support]]." msgstr "Unsere [[Benutzer-Support Mailingliste|tails-support]] abonnieren." #. type: Content of: <div><p> -#, fuzzy -#| msgid "" -#| "This is a public mailing list, so <strong>be careful with what you are " -#| "sending</strong>. Give only the necessary informations about yourself, " -#| "and if possible use Tails or the [[Tor Browser Bundle|https://torproject." -#| "org/torbrowser/]] to hide your IP address." msgid "" "This is a public mailing list, so <strong>be careful with what you are " -"sending</strong>. Give only the necessary informations about yourself, and " -"if possible use Tails or [[<span class=\"application\">Tor Browser</span>|" +"sending</strong>. Give only the necessary informations about yourself, and if " +"possible use Tails or [[<span class=\"application\">Tor Browser</span>|" "https://torproject.org/torbrowser/]] to hide your IP address." msgstr "" -"Dies ist eine öffentliche Mailingliste, <strong>seien Sie also vorsichtig " -"mit dem was Sie senden</strong>. Teilen Sie nur die nötigsten Informationen " -"über sich selbst mit, und nutzen Sie möglichst Tails oder das [[Tor Browser " -"Bundle|https://torproject.org/torbrowser/]] um Ihre IP-Addresse zu " -"verstecken." +"Dies ist eine öffentliche Mailingliste, <strong>seien Sie also vorsichtig mit " +"dem was Sie senden</strong>. Teilen Sie nur die nötigsten Informationen über " +"sich selbst mit und nutzen Sie möglichst Tails oder den [[<span class=" +"\"application\">Tor Browser</span>|https://torproject.org/torbrowser/]] um " +"Ihre IP-Addresse zu verbergen." #. type: Content of: <div><h3> msgid "Chat" @@ -62,7 +56,7 @@ msgstr "[[!img lib/chat.png link=no]]" #. type: Content of: <div><p> msgid "Join our IRC channel to chat with contributors and users." msgstr "" -"Besuchen Sie unseren IRC-Kanal, um mit Nutzern und Mitwirkenden zu chatten." +"Besuchen Sie unseren IRC-Raum, um mit Nutzern und Mitwirkenden zu chatten." #. type: Content of: <div><ul><li> msgid "server: <code>irc.oftc.net</code>" @@ -104,21 +98,15 @@ msgid "Mail us on our private mailing list:" msgstr "Senden Sie eine E-Mail an unsere interne Mailingliste:" #. type: Content of: <div><p> -#, fuzzy -#| msgid "[[tails@boum.org|mailto:tails@boum.org]]" -msgid "" +msgid "[[tails-support-private@boum.org|mailto:tails-support-private@boum.org]]" +msgstr "" "[[tails-support-private@boum.org|mailto:tails-support-private@boum.org]]" -msgstr "[[tails@boum.org|mailto:tails@boum.org]]" #. type: Content of: <div><p> -#, fuzzy -#| msgid "" -#| "Encrypting your emails with our [[OpenPGP key|doc/about/openpgp_keys]] is " -#| "the only way to achieve end-to-end encryption." msgid "" "Encrypting your emails with our [[OpenPGP key|doc/about/" "openpgp_keys#support]] is the only way to achieve end-to-end encryption." msgstr "" -"Um verschlüsselte E-Mails zu senden, nutzen Sie bitte unseren [[OpenPGP-" -"Schlüssel|doc/about/openpgp_keys]]. Dies ist die einzige Möglichkeit, Ende-" -"zu-Ende-Verschlüsselung zu erreichen." +"Ihre Emails mit unserem [[OpenPGP-Schlüssel|doc/about/openpgp_keys#support]] " +"zu verschlüsseln, ist die einzige Möglichkeit, durch die Ende-zu-Ende " +"Verschlüsselung erfolgt." diff --git a/wiki/src/support/talk.fr.po b/wiki/src/support/talk.fr.po index 403d9e8dac106af5a0ffa5e7929cc976c52c4fc1..b5ec086b9b1e955eb835c26898e76f842280f81d 100644 --- a/wiki/src/support/talk.fr.po +++ b/wiki/src/support/talk.fr.po @@ -6,8 +6,8 @@ msgid "" msgstr "" "Project-Id-Version: tails-talk-users-fr\n" -"POT-Creation-Date: 2014-10-15 18:40+0300\n" -"PO-Revision-Date: 2014-03-11 16:58-0000\n" +"POT-Creation-Date: 2015-02-22 12:54+0100\n" +"PO-Revision-Date: 2015-01-25 10:18+0100\n" "Last-Translator: \n" "Language-Team: nada-fr <LL@li.org>\n" "Language: \n" @@ -34,12 +34,6 @@ msgstr "" "S'abonner à notre [[liste mail d'assistance utilisateur|tails-support]]." #. type: Content of: <div><p> -#, fuzzy -#| msgid "" -#| "This is a public mailing list, so <strong>be careful with what you are " -#| "sending</strong>. Give only the necessary informations about yourself, " -#| "and if possible use Tails or the [[Tor Browser Bundle|https://torproject." -#| "org/torbrowser/]] to hide your IP address." msgid "" "This is a public mailing list, so <strong>be careful with what you are " "sending</strong>. Give only the necessary informations about yourself, and " @@ -48,7 +42,7 @@ msgid "" msgstr "" "Cette liste mail est publique, soyez donc <strong>prudents avec ce que vous " "envoyez</strong>. Donnez uniquement les informations nécessaires vous " -"concernant et si possible utilisez Tails ou le [[Tor Browser Bundle|https://" +"concernant et si possible utilisez Tails ou le [[navigateur Tor|https://" "torproject.org/torbrowser/]] pour cacher votre adresse IP." #. type: Content of: <div><h3> @@ -57,7 +51,7 @@ msgstr "Chat" #. type: Content of: <div> msgid "[[!img lib/chat.png link=no]]" -msgstr "" +msgstr "[[!img lib/chat.png link=no]]" #. type: Content of: <div><p> msgid "Join our IRC channel to chat with contributors and users." @@ -98,27 +92,23 @@ msgstr "Email" #. type: Content of: <div> msgid "[[!img lib/email.png link=no]]" -msgstr "" +msgstr "[[!img lib/email.png link=no]]" #. type: Content of: <div><p> msgid "Mail us on our private mailing list:" msgstr "Envoyez-nous un mail sur notre liste de discussion privée :" #. type: Content of: <div><p> -#, fuzzy -#| msgid "[[tails@boum.org|mailto:tails@boum.org]]" msgid "" "[[tails-support-private@boum.org|mailto:tails-support-private@boum.org]]" -msgstr "[[tails@boum.org|mailto:tails@boum.org]]" +msgstr "" +"[[tails-support-private@boum.org|mailto:tails-support-private@boum.org]]" #. type: Content of: <div><p> -#, fuzzy -#| msgid "" -#| "Encrypting your emails with our [[OpenPGP key|doc/about/openpgp_keys]] is " -#| "the only way to achieve end-to-end encryption." msgid "" "Encrypting your emails with our [[OpenPGP key|doc/about/" "openpgp_keys#support]] is the only way to achieve end-to-end encryption." msgstr "" -"Chiffrer vos mails avec notre [[clef GnuPG|doc/about/openpgp_keys]] est le " -"seul moyen de garantir la confidentialité de nos échanges." +"Chiffrer vos mails avec notre [[clef OpenPGP|doc/about/" +"openpgp_keys#support]] est le seul moyen de garantir la confidentialité de " +"nos échanges." diff --git a/wiki/src/tails-accounting.key b/wiki/src/tails-accounting.key index 8e7b07da08a233079582919ffa175d53f69b5a96..16ed0bae4e31030f385ada45820a5aec1729148e 100644 --- a/wiki/src/tails-accounting.key +++ b/wiki/src/tails-accounting.key @@ -1,5 +1,4 @@ -----BEGIN PGP PUBLIC KEY BLOCK----- -Version: GnuPG v1 mQINBFO/j4oBEADREGSWCY548aSRy4p4g7CASuZbc9wovGIz6Lg/OCEjKYHFYkjZ ds5gCfga8Ycq1A+TMNYcyClsWpiEGFiNA3legqzd3PxMswlHzQVywwtoahRnAb1F @@ -13,43 +12,91 @@ KszBGhkxfMXyRPC3jd5+2XexvTcY4O6YzPG0rAp5hnIn5B8BnVWOyYtas4/MIp1A ULL4fmGsI91ng6IahtoY/rZaaIKVtGBxf8Vl+ffPgq/j2Y11eccsqt3vz43zE5r9 Gp3uaT/jMZ5SZwa0CN4ktqxTweqRIcbQCcTv9oSL9RAd2bwh2rDvzulUMQARAQAB tEJUYWlscyBhY2NvdW50aW5nIHRlYW0gKHNjaGxldWRlciBsaXN0KSA8dGFpbHMt -YWNjb3VudGluZ0Bib3VtLm9yZz6JAhwEEAEKAAYFAlO/3dsACgkQEgKCHL4s2cF0 -ng/+J57N6+VL1qStMXXpQ1heawLRhWtrScKmpvgn6g2bXAJgqcWJG37b0obIywCK -Q8uS9pl8h/xq/SnGq/fNzRKjzYPnu1prvxHsxck5ejLecyDNEFV8AXanAKWZZ95w -BVAAVtBR6qjmgE220BdtmszOGZVtZHB2U9q1gmPmJpGLLUBuFGrKeK05NcPSv97B -hAgCNqv+G++hC4Wn5DNJFKbPMpStA1Oz1uXpzhQiM4tehgbM2U2/tCRf/sE6idh5 -Yd2L+TcBZe+ZT6qaPSUtBwqCH+yg4dIjNc+BfXDSS+XJApjferXeYxDUW88AnqFR -W5kMBOfg0rwz1JPDW9f0tvuzPvikvTiK1kd8xh5gbSQmxB2YOdDuMd4cEMYE0if5 -CnFiGFQHVSwrBxwuWI8nFXAMl4mh3/8SrRJRo7E9lCXJUqU4gO3H30iLHAJ7FpQs -uczhrovsivj+LPM7knmFvUDDgWaG+uBezyVvR+H4VPaSLQwCYgKp7SSRMFuxs/LZ -KOQbsSz42cDNvj7cLGIutDtmi52Hp3hZ1L4QNcYD4KObY74VSBb1pszwVcKZVJer -Jkhud9ZSinA/DGe/0S75iRKqZ479VqnHFG4qyolZek+fCF4b+v9Iutzq49ncilcy -vAqMwCRcxdZNp9+jEQL1qI2uG62SmgLVv2PN93Cgp0jtZvKJAjsEEwECACUCGy8G -CwkIBwMCBhUIAgkKCwQWAgMBAh4BAheABQJTv4+iAhkBAAoJEMQ2CQ9LtHxvV50P -/1ESG53sWnVtI74RSu3lUhL3L5emr+PjmIp0WjgiQQADuvLaemoLE7Mam+267s3p -iYIE+BAJFJjF1Mw99J2BWeYuPjjt8VfpedDCH8YW+106Q+x0iZ3cK8xYyhGzs4bX -GGrpomaWplEfRVYp69jWdPgagVZJ+59E8ZzUYvkJapGPsLT3LxBpYwb31mOOHI+7 -KkBM1mFjZxZWprtQxn2KFFQ4eIy4Mt2ZQFjO7PcjklkP12nwc2A4ddFUTpE2q/ul -dpRLNQA5tmFn2XcupNFKLh3aR7vbfcOKDERTGFkbcMD69AfXQL/lzhm05sl4uBcX -ripmzp0wlPSn4qiCNs3ezwvn8cT7cwInU/VVSXwGomWgeAVeA6Z2bIqWoIO8uf5v -A8gqU6Bpp52O0JHtDKsPdtGku7g4BmvCYNH6pp/j/VsUb+EYtnRQHC1ROeOTSaqq -foRLrhT12Xbzrjgw6Vn0jRx9qmHaZ20fTvJwnMMFqpjZiWwe7D6lKvxwz+nZwipN -bbXd3ed9L9Bcuw24JcYSUV6FNJI2T5Xop+Y3Qab7A9S3YqqktnuRDIUh4Mc82DLi -Q34a01p6aUTMSjWyyN9w0Fou+phFDQKkEvQzfIuzynm/w0GtofXaOnBJEtMcPWd9 -cHPUTjTHhN6rh8z1tIRDA1/DYZynF+999FoMgN2+6HnWtEhUYWlscyBhY2NvdW50 -aW5nIHRlYW0gKHNjaGxldWRlciBsaXN0KSA8dGFpbHMtYWNjb3VudGluZy1vd25l -ckBib3VtLm9yZz6JAhwEEAEKAAYFAlO/3dsACgkQEgKCHL4s2cFTZxAAmXDReKuU -1EalLqW8XVJrexHtRxjw41iEmbJVZSUu7MrVvit0j1GzB3onl9RbPfT4AOWK3XeO -+ag3jbJa1QSQUFCOvVvs6GUY4ctUn3aFaXR3607L0I6TIquDsMIJsz2+bIBCZ6Az -P7/KoV8IUuPvnAe5CrGstPWnp/HMMN4fMlZA5/VjIxkwGw438RK0gpccUd6m+s2S -dfQmtF6WvbwxPk9Ju7d7lvQApir7kJM3xk8Dp+6xKBM8K+bk2nMC6A68ithOxN3o -Z8cXdyZW8fZsIC9Pw7k4ILcueDFrY0SmlefEEGgL2u4shoaWZ3nv8tB90tiysN7L -qo6D6rmJpE9AovlUdpMJo/HvyCsJazipn1WprzQlVbbQgX8VTYU7Y6JL4cL1+73T -FOaR1tWh+xjJRy0S9Z31gsRLEs6t6j9qqZSydKx+NISQ/LZo31FoeMb1RgcEbB0A -J+BQG/O9yZDoCSf0Famphol0Kw+bM0XpUOwoCAVQw4D8YIyVlfYmi9oZB/CiPnkd -wCJU8kHtS9J/iXI/KXkyMoHGMkKE2QGRWxeEM8ea9a8SdtXLrdlg1JmRZwn7fnDJ -goeP2PzMrVX/HNjpGx93zI8C9AENPCv4x+96wplNkOwuPeVRy9PcuqygdG9p7dR0 -VIo7AzSEPcFzC5tG61/P1Vdu369KxST8bXOJAjgEEwECACIFAlO/j6ICGy8GCwkI +YWNjb3VudGluZ0Bib3VtLm9yZz6JAjsEEwECACUCGy8GCwkIBwMCBhUIAgkKCwQW +AgMBAh4BAheABQJTv4+iAhkBAAoJEMQ2CQ9LtHxvV50P/1ESG53sWnVtI74RSu3l +UhL3L5emr+PjmIp0WjgiQQADuvLaemoLE7Mam+267s3piYIE+BAJFJjF1Mw99J2B +WeYuPjjt8VfpedDCH8YW+106Q+x0iZ3cK8xYyhGzs4bXGGrpomaWplEfRVYp69jW +dPgagVZJ+59E8ZzUYvkJapGPsLT3LxBpYwb31mOOHI+7KkBM1mFjZxZWprtQxn2K +FFQ4eIy4Mt2ZQFjO7PcjklkP12nwc2A4ddFUTpE2q/uldpRLNQA5tmFn2XcupNFK +Lh3aR7vbfcOKDERTGFkbcMD69AfXQL/lzhm05sl4uBcXripmzp0wlPSn4qiCNs3e +zwvn8cT7cwInU/VVSXwGomWgeAVeA6Z2bIqWoIO8uf5vA8gqU6Bpp52O0JHtDKsP +dtGku7g4BmvCYNH6pp/j/VsUb+EYtnRQHC1ROeOTSaqqfoRLrhT12Xbzrjgw6Vn0 +jRx9qmHaZ20fTvJwnMMFqpjZiWwe7D6lKvxwz+nZwipNbbXd3ed9L9Bcuw24JcYS +UV6FNJI2T5Xop+Y3Qab7A9S3YqqktnuRDIUh4Mc82DLiQ34a01p6aUTMSjWyyN9w +0Fou+phFDQKkEvQzfIuzynm/w0GtofXaOnBJEtMcPWd9cHPUTjTHhN6rh8z1tIRD +A1/DYZynF+999FoMgN2+6HnWiQIcBBABCgAGBQJTv93bAAoJEBICghy+LNnBdJ4P +/ieezevlS9akrTF16UNYXmsC0YVra0nCpqb4J+oNm1wCYKnFiRt+29KGyMsAikPL +kvaZfIf8av0pxqv3zc0So82D57taa78R7MXJOXoy3nMgzRBVfAF2pwClmWfecAVQ +AFbQUeqo5oBNttAXbZrMzhmVbWRwdlPatYJj5iaRiy1AbhRqynitOTXD0r/ewYQI +Ajar/hvvoQuFp+QzSRSmzzKUrQNTs9bl6c4UIjOLXoYGzNlNv7QkX/7BOonYeWHd +i/k3AWXvmU+qmj0lLQcKgh/soOHSIzXPgX1w0kvlyQKY33q13mMQ1FvPAJ6hUVuZ +DATn4NK8M9STw1vX9Lb7sz74pL04itZHfMYeYG0kJsQdmDnQ7jHeHBDGBNIn+Qpx +YhhUB1UsKwccLliPJxVwDJeJod//Eq0SUaOxPZQlyVKlOIDtx99IixwCexaULLnM +4a6L7Ir4/izzO5J5hb1Aw4FmhvrgXs8lb0fh+FT2ki0MAmICqe0kkTBbsbPy2Sjk +G7Es+NnAzb4+3CxiLrQ7Zoudh6d4WdS+EDXGA+Cjm2O+FUgW9abM8FXCmVSXqyZI +bnfWUopwPwxnv9Eu+YkSqmeO/VapxxRuKsqJWXpPnwheG/r/SLrc6uPZ3IpXMrwK +jMAkXMXWTaffoxEC9aiNrhutkpoC1b9jzfdwoKdI7WbyiQI4BBMBAgAiBQJTv4+K +AhsvBgsJCAcDAgYVCAIJCgsEFgIDAQIeAQIXgAAKCRDENgkPS7R8b9KED/9l6ySn +J3zGaL3DwQqIC9WuwiYijB7FK6isgheV6UGDSo0xuAJTJRgqpquiFxTMygby/tnB +gAjyPSdSQL1hS3+Twt31SGY+3/1Bj0hBmB8Pro1ckIdZbXzPD1he0IClzhiQodwg +FiW/gJk8C1t4WJS50uIf4HjrYWAR/4fG7qLNAEHFrKteuioPtz9KyMadpTVs5LVQ +rSLRMBcNdqdqa15+oJtek5r9OVAfalEfZP6avmX5YgVVRLXlHviEL8tuLMpJNCIb +Y6sNNNawONY/ISgSszJFsDlThg29tp/C3wTIZBVGO5fWLpHw7e+lgYZLpaDrHpHm +3c9sAXrY/9EAz3uRSkix3etsKTcB1Sp2XXRjbxX6bCM2zXH/TRY93mSCvuib4s3u +PUoJFMYaXIhkf4icZCIt0S0ejBqzxKqPutqPEjJV7eedWq9Wwxkj45k4WMcunsRp +P2lV+YZjMpxPzoTG/P2REQsITbNgffEpoWFqd7n1MAAUsAoUHWGc/AbKI2+BhpWi +UHplaUD3v435jX0Rtqsorg8JxGK0sExJ2qqxJBVqcQy7LcTvhzZTIwtLallZy92+ +C9NVscCaIQo3UvBfhYmRBSBMrGy7T0robFf0ViY3mYJ/sRQL3uKqZIMWgyxCCbW7 +KdoCrrcpmgUB+fEa+XKYzgHDQ1JB1FJQnAXSYIkCHAQQAQoABgUCVL0cdQAKCRDb +uAKyWKzYTwZmD/40FQ3NRFRoaqWjoxV+5e7FVZUA4ndpwpkmg+rdwnNLbnf8QDbT +Kl134R+YsWMTBesK/WubWqOEyjKjKnI5j/lRc5cPPJqA2uQCSKMc0+4/MNdIR51K +TXpHtvKioomKMMVqtBDivG2oU30rVzqGC5ltrWheTpl0NJo8QrpzeKzYiPc3sQot +50ctx0hGVhxE982VjvZYgPd9tSA5IUrzOY/eZ1baU8r0nVxahEJvxZsl6x+MMbtu +Ibz82b+xQDEMuJBX9W9MTqxJtw+ElQiSFSMqQaHJTt2CR60s1S0cVIqREUL9MnwR +O7vEQZT9chSqds5/vW+5vTcRzma7kH93wioNUBhasksqn4X65Nzzy6a3VFfqORQi +hIcFVkVhsbZn6k9/ZDAdTqD/IXr9iIf26Y0fkl1kUhxDnRwbhwPBUe5B5JLehDJN +O6n+rKZEb7BlucFti6xDVjv9dD74CqaFZpY91fQn1h/gHFp+dcNwdRON2eYp3P4e +go6oQomKJqVR+ce9uJcCCDM9K11yQt4S0WvK1SJEoer7qDqAKdCdAKgwzRhCaSDe +Qr9wyWzhA1vNTBGdIlJbiaamFNaydxIMW70U/SkdVa87dHLcuP/gJ21uNpFMFl+J +y2PdVEushncY55tGVUPZtmuE7I4POQhyZpwQW9aQof2RHDIeMxM06efYXLRKVGFp +bHMgYWNjb3VudGluZyB0ZWFtIChzY2hsZXVkZXIgbGlzdCkgPHRhaWxzLWFjY291 +bnRpbmctcmVxdWVzdEBib3VtLm9yZz6JAjgEEwECACIFAlO/j6ICGy8GCwkIBwMC +BhUIAgkKCwQWAgMBAh4BAheAAAoJEMQ2CQ9LtHxv8nIP/2bGR9LhtScQZ148JnMH +POMm850LN2KMR6oEx36s2ACPGi6Gh5xwVj16KxVuZoh3/x6hKUzvikrbMVVp9qEO +MoV9wIgsErMdqdjmb3GTA/cFkmoO7bg85aMgxEZrTP5EF51i6c2VfUnsjQTYoS8a +DfEe1IlZ5MfreAIS6FVJBw2G/fRb6qlGFufSAoZd2mu5gp3DpUlK0LWULZN5wX4d +ofXQBIqKagVaXQkFk9HXCnoFIHLQ3LUHG5c4lKcEM99wLPnxOYt1+XxfgM5N7/se +lshokhEIzb/VI7l8aXOZt1PVi2tzWyV75QkEnnVvvLh4Ag3IJ0ruWETs0fM2O6Q3 +0F7dbwWZcVxj9hOhCah+fkHoaDuJIjpnoxu/9ifSEY3VY/enIuZoZI6bUrph5umM +KjJlave9D1Qv8iLRK55Gam0lLM+XVENL9ZYe0bW8pZSD3SNfB+Z7o6icPjy9oppB +uvWqO1UVhAuZQTwI1ZeaV142VBeqpTFQ2z/aSqmO/bN6p5u51TfAlcYzmog8+2dX +gCVWTM3tRdHEXwIqf2+KR1fsMAwkd5oUK3WQiZvNO11QhefLjF8O6tL+Y4n7Nnbr +9w7btBPoIKg2OtYvukUhnh0O9E1aPhegIymkGswkakEEfohh3v1VxIlEAnVi083W +6eGHOrAZ1ZqPk28Lnopfhh/liQIcBBABCgAGBQJTv93bAAoJEBICghy+LNnBb20P +/jzQ4qpHai3+hZQA1RhWrp8z1V/GUT8abWYsjLSzSpbmkINwXZTPtk71O+f/6NM5 +rTl0hZEeKqCeN2XzDQIr0IdDKgKXMNtCF2OOEHfuz7Tb+G94iqPEtUPyaCThy8Wc +ehzxiAmage9FkRTNwz/n9Gk5sSiG0F4sDbbt9uux/6FErY27z+BVil6fY7dhPLNO +XZOTCdiTiss8wIj3ymshNM5p9j2178Mt1eYCoVnYvoWA1sQZMUP+0dR4yIK2DOqT +HmZBwURoQ0o5KMwJVgf7hiCGmVwG8n4mff3UzPJgWkyTGu0sn8j4brqoxtAwFM+L ++wRf2ZyX9Ua4naWS+xj8ZrySTP2jOaof4TQOJi1Dz44uIm2+5DUSEe/A2/QuDjkd +/VSTz4n7TLksW7UWuAxu/MsoXn1mURJdIWeDcZCLI1GL7NuAZUWmwuPOUMJ14H0r +blYFFNCtaMsoeoxTr22xKMvwaRJgAzf2Z+pkR/qV6DNQL+dtUhzy8za9vKnFI49S +9gCES8xaE4Aw1y2iUcOyY68TqP6IaDAKO95RFeGhHwXizXLHuXku5+NWN07uviDk +R9jUe300+DRgCs0EUyGUOlphWuzzSHEBHIkUaRDUjEMr2WtuhgEl31ADveOzjj7t +jdtgOdMcLfkisN+5Abj9utQYymQ5lgMhUR09G/lp5jJaiQIcBBABCgAGBQJUvRx1 +AAoJENu4ArJYrNhPEWwP/Agze+9Y5xyfMLG0NmDf1K6+rQQkq20sXJ9jYCrhKBpy +1w7WCZshmUAKPk+wxkJxWzJA2Tp40cPJEcArmZfyzz7QdSBSOf+5dwdxCXnX41WA +zbl/gfdRK61wxDmHQnLIvtNwp9fzVrlV6H6PGRHP/rcE3GBcMswkdWluAEdiCAmb +uFpAxd+pOXF2AL/U3MU7cIbFyWJ5CR5RZ2ollaOkMhUQUZjBV7UcvclLsDSA973B +cDcpccQs8G1l7VAQSGs/+FAxcZyqWLqETXgm71zBYvrBSeiNS4XK3ay9IZf1gMz/ +sqp7Pm0N6AijYerZfDiHbgKDdWDS+codTUBl4QHzuw0jgPmK/n7+82rovshNc66U +HoNaIU3GW7lnWfKADiY1i2OvpGvjOuIMsUcMoxdWRaJ6PIfIuI70WtPfBw5pMZWb +Ws+fqsO+pCcaOcyYWqVdCs+IinrUlrc6H+qtvjBh7kLcREdfTioN7G3fR1PFWefU +WxbqfRrRSwPiGpCHRbl/k8eMm766ngcEWuyyq6mVMPGpsmKldztgsdgZYBKELWws +6LlA4c9Uc66kRGNABFnRFtJQbsisQBoqb1Vb8uFmnSuuqDy11ur1LUfNigCUKJds +Iu+9JDQheZl080Cc93EFzycpQXg+P268596YQXKOnkNfV3AXQSjsQAUsRdACjenK +tEhUYWlscyBhY2NvdW50aW5nIHRlYW0gKHNjaGxldWRlciBsaXN0KSA8dGFpbHMt +YWNjb3VudGluZy1vd25lckBib3VtLm9yZz6JAjgEEwECACIFAlO/j6ICGy8GCwkI BwMCBhUIAgkKCwQWAgMBAh4BAheAAAoJEMQ2CQ9LtHxvR2sQAMFllCgkS3wC0lh2 cA3ZDQn+f31mReFtD8IGN+33z0iNosU0/pqAZYXY11DshtPWuj+XEr88JozYvbL3 i5Pi8R00Ay55KyF9zsXyXKzmIu06iV8eKvXa8Sl+eIJIrL+urxQRszxYKrbrzAT7 @@ -61,64 +108,62 @@ DNBSp6gqySO3AiIRPwsKD4yf346A6eZ5YRioVBFSGB0V/p5r+XNZZqj0IO8N327D pE9J5iCZO4R50qsp9Upa8r0emopcMpMtJHE8mLuyd9k+hHLgD3CDDeQAAd3pd+Qw LZdP83geNCyPJiJkRysAYgIAvAmezzn7mHYViEBHR6CPvPnDkdjcVkK5VTUKcoWY 4+7T8x739LT3nnhiR1Hm3APSXfhLhmstBe5OPKeGgZkIHLQcfyjwaIcZ8AHRKWp3 -zbl+6cCN76RYz6hnKESwNJhH+j8/tEpUYWlscyBhY2NvdW50aW5nIHRlYW0gKHNj -aGxldWRlciBsaXN0KSA8dGFpbHMtYWNjb3VudGluZy1yZXF1ZXN0QGJvdW0ub3Jn -PokCHAQQAQoABgUCU7/d2wAKCRASAoIcvizZwW9tD/480OKqR2ot/oWUANUYVq6f -M9VfxlE/Gm1mLIy0s0qW5pCDcF2Uz7ZO9Tvn/+jTOa05dIWRHiqgnjdl8w0CK9CH -QyoClzDbQhdjjhB37s+02/hveIqjxLVD8mgk4cvFnHoc8YgJmoHvRZEUzcM/5/Rp -ObEohtBeLA227fbrsf+hRK2Nu8/gVYpen2O3YTyzTl2TkwnYk4rLPMCI98prITTO -afY9te/DLdXmAqFZ2L6FgNbEGTFD/tHUeMiCtgzqkx5mQcFEaENKOSjMCVYH+4Yg -hplcBvJ+Jn391MzyYFpMkxrtLJ/I+G66qMbQMBTPi/sEX9mcl/VGuJ2lkvsY/Ga8 -kkz9ozmqH+E0DiYtQ8+OLiJtvuQ1EhHvwNv0Lg45Hf1Uk8+J+0y5LFu1FrgMbvzL -KF59ZlESXSFng3GQiyNRi+zbgGVFpsLjzlDCdeB9K25WBRTQrWjLKHqMU69tsSjL -8GkSYAM39mfqZEf6legzUC/nbVIc8vM2vbypxSOPUvYAhEvMWhOAMNctolHDsmOv -E6j+iGgwCjveURXhoR8F4s1yx7l5LufjVjdO7r4g5EfY1Ht9NPg0YArNBFMhlDpa -YVrs80hxARyJFGkQ1IxDK9lrboYBJd9QA73js44+7Y3bYDnTHC35IrDfuQG4/brU -GMpkOZYDIVEdPRv5aeYyWokCOAQTAQIAIgUCU7+PogIbLwYLCQgHAwIGFQgCCQoL -BBYCAwECHgECF4AACgkQxDYJD0u0fG/ycg//ZsZH0uG1JxBnXjwmcwc84ybznQs3 -YoxHqgTHfqzYAI8aLoaHnHBWPXorFW5miHf/HqEpTO+KStsxVWn2oQ4yhX3AiCwS -sx2p2OZvcZMD9wWSag7tuDzloyDERmtM/kQXnWLpzZV9SeyNBNihLxoN8R7UiVnk -x+t4AhLoVUkHDYb99FvqqUYW59IChl3aa7mCncOlSUrQtZQtk3nBfh2h9dAEiopq -BVpdCQWT0dcKegUgctDctQcblziUpwQz33As+fE5i3X5fF+Azk3v+x6WyGiSEQjN -v9UjuXxpc5m3U9WLa3NbJXvlCQSedW+8uHgCDcgnSu5YROzR8zY7pDfQXt1vBZlx -XGP2E6EJqH5+QehoO4kiOmejG7/2J9IRjdVj96ci5mhkjptSumHm6YwqMmVq970P -VC/yItErnkZqbSUsz5dUQ0v1lh7RtbyllIPdI18H5nujqJw+PL2imkG69ao7VRWE -C5lBPAjVl5pXXjZUF6qlMVDbP9pKqY79s3qnm7nVN8CVxjOaiDz7Z1eAJVZMze1F -0cRfAip/b4pHV+wwDCR3mhQrdZCJm807XVCF58uMXw7q0v5jifs2duv3Dtu0E+gg -qDY61i+6RSGeHQ70TVo+F6AjKaQazCRqQQR+iGHe/VXEiUQCdWLTzdbp4Yc6sBnV -mo+Tbwueil+GH+W5Ag0EU7+PigEQALsT9oMa8FmeaUs33b+ufR0MNszLp4Tx0FLh -VE6WgSec4nYt/a0f+VcMp8aVEnG5OrMefP9TmxOnwpucJ8h4p/t2gqf7UX04Eyze -wx933haJlm5qp/ZTZ5HZ2BaAn8pHSL4ZijqoGBhslmnQI1GJp0ZIPXYVhMW3XWdB -KYsE8uC8/WbUtK6pza13IlOqsi8ORsVibThvD5fwRVu82R5fN6c77IxSNRihp6Yb -bfE5Cirl2GMtVEzcOKW5fBy+UiZ0fDxKj6gyCV1Okc0T7+0d7bkGc/ll+rsvC2oc -5bWX1WfCCb7cJKHR0IJ3FK4lFL+Dun8V+SnVP4f+HGyvn1t2Lc0dcbW9wN+3xtKi -CGLE80EeduusE9fWtAB+wckwL5DRebSVrrEus7dgjuUG8L3n9Ls/iUzkOoG9RPGP -lkD+H5VaMKe8e5TdAKNuiWhbFrpY+zQRESD+8V/8qgvMnDdTDYL4j7ryoSUzVYfN -8pggYUueCT7P4SQGOGcJWIEle96d0KfK1badfHuBojVVKUry5DMe3GX0KsCDKDE/ -KHvAfX8RSitbXzrdYqAbCIxSbqQe/ERkY6C7KV6CMO5WShDJhK359r5EcGibO0DX -VmaZJ7diByBXMjjzCZ2sF2VeFsW1YLSDBUw+WACm36hSHMuuXNty/MqGymmze8Gh -zehGgJy7ABEBAAGJBD4EGAECAAkFAlO/j4oCGy4CKQkQxDYJD0u0fG/BXSAEGQEC -AAYFAlO/j4oACgkQKJpbRanolHWzrRAAuj/zwTMiarb4cRnHIlQYGL4YIdHbQjlN -H5HxBOawRlib5M5mflcGG4suc2gujU+bEfK2gEGcOFrKiFZVR9DMiOgt3A1lEwQQ -uRdyu7mECr6ocqDmPxaE9XRvC1+IUweyCnJqrR8GBCCaIbT8azUsNNmeiFn4sqp/ -ZIuu2WPD2tP+R/3Uv8qMahB55OgP0Uf+O3EWkplJ9mg3orB28uxG2lJY+d4/o28o -ey8NC5ns1Lqs2tXJr4Qj4x59cSDzN/x7hjrepfPdceN3EWB0j0W7fNJL7v/7y/6R -rIXeu5ZZ2+mS64I0Re658XAWjyKi/MN1fLtHKA2oxon62UGH4OQvL2BjQKe2cgMI -tl5nwnBQNW8q0wPUQBjQvaVL++FyraKG00l02Q0Tj/EjBP6g3rXaVHiAmfyq06mq -2QDUlSxwuyGLAyKpf+iJMnFwGD1ISBXj43JWHKVBkIRmZfqnAmcnqNE9GDXIUR5o -VtHQoQuwaNhkGEwb1H/rxRXQTPA51SyeTpD+6yUnTF6lHICiTKaUmF4D2ScDJLCx -aC8PZXy2HITvRGiRrZy1uzdnwe8fgGkUr5M0UWrqBYokW7TZYStCkDa4X+OVku91 -nZek8YRFxdjyvT4q/NBWYYahFO5Z8U8BLZAeyUaLqLWhYW/VdFWOiX56pYOQ0C5z -jspP1kKnLrASew/+Mb/HbkmCt9TN4py0YD63z/yM88pdrqrv55eonPx/xc0YqgIW -6hUeDH+z1Zxi+rWHFJ/QN/mpNvvI4bU06InVnYVON8JPPZ8TIMsFdrPxEgiWEeTB -F5PPcA0O7q2/8N7JuRYU6IBDyfUitaqX9FJihnjmaxCkxOYxeckJvb+sPJCvOWCT -WwZz27Y2mIfnhAHleeB48ggWfTpvi1bix0BcB1HFHBDE3znCQ1ARcyt38LfSZlSU -254FspQjWMdxLL9Y8rCv+KHPN70QmY5eTDWfC0QLvF+y0BlIZWc83VAsGUQl9wq8 -+a3Urr56A6pfji0bsCAFZpeWTmYKgrSXchzUj0UJ3qyxFT5vOrP8CaUpPgh6aAcJ -c6YpEnAwt8vXr9PyTcw6c4eItjL8MhIsKZOLpzO8HwYg0fEES+Rl1so6nUL6+ZLk -UMB6kMNvM2hLNlxHRDPc+i+IuQ97BW1GxbR8Ah9uiEPiX69kFlSoV5bl6n36Qwvp -4yJ11//Vf/jwyA/D3+7bAC1NldF5gStj6Ar9SBfrEXiD0RvDKj2/yc5Z7AhMCPmT -zW2E4Psd4nsxBcXTVetMpVyNgplw09J5JRisg6SzdbZFswVqgIi4NlgbkKQCp/FC -b9lhxDT89sRMhRZftbfvhSYHp/MCMeS3zKojtsoZ/EZwr9irNQ3ZqPZ/xDI= -=Ymm+ +zbl+6cCN76RYz6hnKESwNJhH+j8/iQIcBBABCgAGBQJTv93bAAoJEBICghy+LNnB +U2cQAJlw0XirlNRGpS6lvF1Sa3sR7UcY8ONYhJmyVWUlLuzK1b4rdI9Rswd6J5fU +Wz30+ADlit13jvmoN42yWtUEkFBQjr1b7OhlGOHLVJ92hWl0d+tOy9COkyKrg7DC +CbM9vmyAQmegMz+/yqFfCFLj75wHuQqxrLT1p6fxzDDeHzJWQOf1YyMZMBsON/ES +tIKXHFHepvrNknX0JrRelr28MT5PSbu3e5b0AKYq+5CTN8ZPA6fusSgTPCvm5Npz +AugOvIrYTsTd6GfHF3cmVvH2bCAvT8O5OCC3Lngxa2NEppXnxBBoC9ruLIaGlmd5 +7/LQfdLYsrDey6qOg+q5iaRPQKL5VHaTCaPx78grCWs4qZ9Vqa80JVW20IF/FU2F +O2OiS+HC9fu90xTmkdbVofsYyUctEvWd9YLESxLOreo/aqmUsnSsfjSEkPy2aN9R +aHjG9UYHBGwdACfgUBvzvcmQ6Akn9BWpqYaJdCsPmzNF6VDsKAgFUMOA/GCMlZX2 +JovaGQfwoj55HcAiVPJB7UvSf4lyPyl5MjKBxjJChNkBkVsXhDPHmvWvEnbVy63Z +YNSZkWcJ+35wyYKHj9j8zK1V/xzY6Rsfd8yPAvQBDTwr+MfvesKZTZDsLj3lUcvT +3LqsoHRvae3UdFSKOwM0hD3BcwubRutfz9VXbt+vSsUk/G1ziQIcBBABCgAGBQJU +vRx1AAoJENu4ArJYrNhPYFcP/0npLVCaoca3nXOIXKXo5vi15tRkLTlrfLfvRnIV ++018t91vqLHFtlcLTdJu83tgZ/d6gisR8h20PpgyInXcSQD371K1lDP9DRmqNIF2 +Fil5U9VJtHXCIy3Dstix5Nj/FHWxtqD9klznjRKL88owWMsdiUjfvM7fe6yrmLn2 +rUVRT14lxYEWDlIzWKd0LKYx40MRSkpDHiwRZTx3XZfjd2JsHj20NwhShuI8nJyM +S9uUZ3mwzLVoek7ugxKRoFSE4gdLOWoTfS/Dwo805aSx1nubxb8jRqNyQg8plZ9M +4RwsUfGQn6Qbk3OfG1arexjNXTsofp9RPjfIcTS9G2w1xafbphcE9DdzhXMA2pX6 +jzpesZRkkydujH4zHjP1lrpydRCXrQkgDFBoGCJwc8QwPA8cr6QzO1rZp9Lg8m5K +NqJw4t+FN5RFqgGxMoN+CeqvWXuQ3x1HkhpP0xGoX1rPb5rGB9748f/AZp0ozUbW +yEhLq3/z2MFBCRbqfZfSu071C4+AUWqoZe+qDM5s0+vgm5AnmOP9UXX/u9cRXXPR +d08FsRZgQYzeTBSVYr4J0PrjSA2/0qL34U8Ys/1VxmTLjZahGHF41hKuSLtbcKMb +ixxqMCNPLtUyQs8Yzp19yOU3oSXlYAyIgsMgiHizBINZf8ABHEwldtQpQcmUQpLX +vFEeuQINBFO/j4oBEAC7E/aDGvBZnmlLN92/rn0dDDbMy6eE8dBS4VROloEnnOJ2 +Lf2tH/lXDKfGlRJxuTqzHnz/U5sTp8KbnCfIeKf7doKn+1F9OBMs3sMfd94WiZZu +aqf2U2eR2dgWgJ/KR0i+GYo6qBgYbJZp0CNRiadGSD12FYTFt11nQSmLBPLgvP1m +1LSuqc2tdyJTqrIvDkbFYm04bw+X8EVbvNkeXzenO+yMUjUYoaemG23xOQoq5dhj +LVRM3DiluXwcvlImdHw8So+oMgldTpHNE+/tHe25BnP5Zfq7LwtqHOW1l9Vnwgm+ +3CSh0dCCdxSuJRS/g7p/Ffkp1T+H/hxsr59bdi3NHXG1vcDft8bSoghixPNBHnbr +rBPX1rQAfsHJMC+Q0Xm0la6xLrO3YI7lBvC95/S7P4lM5DqBvUTxj5ZA/h+VWjCn +vHuU3QCjboloWxa6WPs0EREg/vFf/KoLzJw3Uw2C+I+68qElM1WHzfKYIGFLngk+ +z+EkBjhnCViBJXvendCnytW2nXx7gaI1VSlK8uQzHtxl9CrAgygxPyh7wH1/EUor +W1863WKgGwiMUm6kHvxEZGOguylegjDuVkoQyYSt+fa+RHBomztA11ZmmSe3Ygcg +VzI48wmdrBdlXhbFtWC0gwVMPlgApt+oUhzLrlzbcvzKhspps3vBoc3oRoCcuwAR +AQABiQQ+BBgBAgAJBQJTv4+KAhsuAikJEMQ2CQ9LtHxvwV0gBBkBAgAGBQJTv4+K +AAoJECiaW0Wp6JR1s60QALo/88EzImq2+HEZxyJUGBi+GCHR20I5TR+R8QTmsEZY +m+TOZn5XBhuLLnNoLo1PmxHytoBBnDhayohWVUfQzIjoLdwNZRMEELkXcru5hAq+ +qHKg5j8WhPV0bwtfiFMHsgpyaq0fBgQgmiG0/Gs1LDTZnohZ+LKqf2SLrtljw9rT +/kf91L/KjGoQeeToD9FH/jtxFpKZSfZoN6KwdvLsRtpSWPneP6NvKHsvDQuZ7NS6 +rNrVya+EI+MefXEg8zf8e4Y63qXz3XHjdxFgdI9Fu3zSS+7/+8v+kayF3ruWWdvp +kuuCNEXuufFwFo8iovzDdXy7RygNqMaJ+tlBh+DkLy9gY0CntnIDCLZeZ8JwUDVv +KtMD1EAY0L2lS/vhcq2ihtNJdNkNE4/xIwT+oN612lR4gJn8qtOpqtkA1JUscLsh +iwMiqX/oiTJxcBg9SEgV4+NyVhylQZCEZmX6pwJnJ6jRPRg1yFEeaFbR0KELsGjY +ZBhMG9R/68UV0EzwOdUsnk6Q/uslJ0xepRyAokymlJheA9knAySwsWgvD2V8thyE +70Roka2ctbs3Z8HvH4BpFK+TNFFq6gWKJFu02WErQpA2uF/jlZLvdZ2XpPGERcXY +8r0+KvzQVmGGoRTuWfFPAS2QHslGi6i1oWFv1XRVjol+eqWDkNAuc47KT9ZCpy6w +EnsP/jG/x25JgrfUzeKctGA+t8/8jPPKXa6q7+eXqJz8f8XNGKoCFuoVHgx/s9Wc +Yvq1hxSf0Df5qTb7yOG1NOiJ1Z2FTjfCTz2fEyDLBXaz8RIIlhHkwReTz3ANDu6t +v/DeybkWFOiAQ8n1IrWql/RSYoZ45msQpMTmMXnJCb2/rDyQrzlgk1sGc9u2NpiH +54QB5XngePIIFn06b4tW4sdAXAdRxRwQxN85wkNQEXMrd/C30mZUlNueBbKUI1jH +cSy/WPKwr/ihzze9EJmOXkw1nwtEC7xfstAZSGVnPN1QLBlEJfcKvPmt1K6+egOq +X44tG7AgBWaXlk5mCoK0l3Ic1I9FCd6ssRU+bzqz/AmlKT4IemgHCXOmKRJwMLfL +16/T8k3MOnOHiLYy/DISLCmTi6czvB8GINHxBEvkZdbKOp1C+vmS5FDAepDDbzNo +SzZcR0Qz3PoviLkPewVtRsW0fAIfbohD4l+vZBZUqFeW5ep9+kML6eMiddf/1X/4 +8MgPw9/u2wAtTZXReYErY+gK/UgX6xF4g9Ebwyo9v8nOWewITAj5k81thOD7HeJ7 +MQXF01XrTKVcjYKZcNPSeSUYrIOks3W2RbMFaoCIuDZYG5CkAqfxQm/ZYcQ0/PbE +TIUWX7W374UmB6fzAjHkt8yqI7bKGfxGcK/YqzUN2aj2f8Qy +=xJtL -----END PGP PUBLIC KEY BLOCK----- diff --git a/wiki/src/tails-bugs.key b/wiki/src/tails-bugs.key index ee9d74f37bb3199bb6af51e891e896bd0e324587..b4c3294fbd29bda444fde3631072197b1987d8c5 100644 --- a/wiki/src/tails-bugs.key +++ b/wiki/src/tails-bugs.key @@ -35,271 +35,369 @@ rMJvL67fKcY8GdZJiwLJsC9EDdRLiEoVz2hkrXpKdndTEvEAzfY5RBmNEXgLK5RP 2lfUmhdcnQ3s4DStAeVWpiLS/A1mc8JcEHeRSHiT6fkmA4xGxwYZHSfqe5pMB/P+ 3EdeubNqAbSSA3E/uUepaGddnBC/zlMya+jYaBP7etxqwiCH11Rp7uGd9XVgCXVa 0Jt69eSgA6O7F/MEMYC1zwZN6m/d+oQQHAgKuLwgBJR75cgg4KKwy1nRWDK5kbcM -0mFyZhGpOIkCHAQQAQoABgUCU5tiPwAKCRDMTOeLoaTCRDoqD/4lhBlG/67Ta+Ic -NMhHdLrUq7f5YJ9WfZfnU6wmHDJxWNlfGhyLu3MBpafCa7EATEFkt/YP+E0fZtir -lhsNFlJ5L9S+2K0kRFSX1gqZzb06L5bumlgp3Kd4XwdJny1lnnw1zRnfHYpQ0Xa+ -addW3W8GsZyNjtTkHdfQnf2WuB4ZT07HqkV/ReKNp0cdSqA9DfTXpQwUb/AO3dVm -hWFIrR+4NCGoNak6UWhvp/+azbEThdkdzqjaESrIpA0wkf+PrmmcCYbsWJqYm+4B -yXRLAJWhh14XfFTy7kWlnpp5uKd8mtpNMRDn6/CxYAbRVVkXl3LfHwKWFERHfB0e -jbxxqBpVUeJ1gL5DN3dHbTSjqmLeCUYhccCZvTObwQuomgVoffQoDatl9+qZhovC -+YpJdwJ6DiP7h6/qp90ZXMiD65i9/aHf/U0K3p+ikX4wvJZ7ZWjtWkC2Eue4lXQe -Vp+v62gkr/83G0Q4NCazwvneSt4GNSV0cKAQ9eJd27xPJEtnephiXglcNqIWeJvj -pmxMQhOFVkBTS+4zeESS/dY0G04CCR5aqn02fASrUjr8ygDpiq2hmKfwWRXYFn6z -F2xbnvwRml/+ADrI6t5lveL1q7aDTVy1k8129Chmquf5dEqUqBnEe4urJ9Fph/Ao -qKFQ51uGZeDm1SR0WtFsyausEJdHR4kBHAQQAQIABgUCU7kVhwAKCRDqxevweqnC -o+oiB/wK+aHKtV+PrFq5HzH6TZ8HjJq7n/DWC30dxcH8DD7oxgeKwzliClWrSyKn -WkuueMZJ6I15zGGIdFQViuVJpBJupIpHM0p+YPf/M84ZPhY/HrBuYSHGQPLrPzEz -Co1QxOnSujLOea5hxqrQpK7NBz4G03Ys62Q2VOt7EjWmdBfBTktXOGOUjY4o0bzC -uyRXui05IkwNduIeFhjLnX1TRNA6k4xwjSsulOvhZhbvHuAvVuwRKFCHXqpuPRVu -Rgj5tWKzumg3fdSvk+mVaMNTW8O660PYFZTm2qBrJRi+jYIEVmVKgN8vEghwV7ty -qpS0iYti/oVRXwZadPp/c0d1XHSqiQJBBBMBAgArAhsDBQkJZgGABgsJCAcDAgYV -CAIJCgsEFgIDAQIeAQIXgAUCUvExjgIZAQAKCRDsV7Vu8MQxMgCLD/9E3cjrAYH0 -3dBFAeeUAnEZ06elsn8iYSCKPwe9FPjfx4gCccbLL15C496Cq9fuKV+n/ofetl3B -QCGeMEWjxZpHwI7dE+FkUugBoU7PpgcEtSxpY2fTy+oXVImbjM9iNztpHbEX5iUh -8SJoXVqLNzlvZ8mMBvjfngWA2ogYrg9auy8MT6ReQETBuQjMWpY6iX/LtxRcC/uW -v6FsVAJL3oOc4FuctFyvbM69UOjBZFYuvAX1XBmNFNX2yIxVpA80ndyUhF1hKgj+ -aaBQiKxqsDtQ9MfOaK8goTc2AL4VLT+ZluM7F6NrtDSCxvay5aams18R5DnqtyxU -XanxRNLSCUNef/csXDezUDaJqBx5bIIQWTKOU27vHIwRnCoACgiPctJ4ww8wfPVJ -TTq6UPn5inbqdC37KgzzAkYT7JSh3juUnTNPMxNgoQ528Cg6iOG+6iyXTFlqG7k/ -jKA/EXeDVJQIBWwISIioW0Yw11M/jIrrwRO/czeaBipSQzDegzj4FyzxEeyybsmd -XHW0u3phRqtfu4EMlPvG/uH/ILtLXrrVe8FMzyy1A4WZGzEN2Pa8wp5QITEZskw5 -vrQ+AQ5I679wvjLjI1Oup5Ro2CPolUNZWd6ph1Jb5IbdpP9Wu/smt+FK0vUMtgpZ -Y5ltiOOKEirCdQmov7Bx+EbeHBnGu4SuVYkCHAQQAQIABgUCU7rGbQAKCRCiDL6y -AAxlFf0aD/92b83koGymP9FRyP2nXPr/+SSA4KveMRrl8ogd/kDnBSBVZESsCzfQ -npvH9Pp6D27gg6mob3FvyXpYq3BXBP9nNQgl4oD9GPKCHIl9otr4hhOih8AbUJXF -7Fm2O2jHVjMrO2pVi/cIC3Mtj3mH41V/KjXhQCeAig/Vz0CF7XftaGVgcLZ6YeL2 -epRAmgpU88SomY+27xD4Dug40SEJ+FYTio13rTHtzS5d3lDUskv97z4DFOpQpX+M -+5cvKEfItpwUOpe4H/jCCgY8ODsI1LqdQT/5xGa8uBPTX0PghbXSPHzI6ihcUN9x -d5G5eILsANBNy402qszlbmPTrCjy1aJqmL03ibIvX9TCwmB0vizKRbymFIsuoi62 -6RkqvRuS7bk+UuWybgZyZr5pkFec7iu42FSX8kgFAhSQDlxX9P5mpqMeGbdenZ0v -KXHEZzZPPYKw2OisNg64QdbN/0tuPt5F0zzElhYh+ctSYrH1FiP4HHgqkKU0O4Ne -P3w6YhdBuAOnJfU08nmL+UzOijG+tMH9iSzFOEXsHGW8Zhy420FIu3WZLNsvpzvm -pGgidTf7xs8a8ZxElPwf39DNqli/hFIBEQ1tG+WGF8XFxsGPdj7yBmQHI4D2KDao -Vzs7YeRMWoa9rg0QZ12S9+mfEBgi0yRPXi/IKiN2ZAeZsibyixJ/WIkCRAQSAQoA -LgUCU7vxVCcaZ2l0Oi8vZ2l0aHViLmNvbS9pbmZpbml0eTAvcHVia2V5cy5naXQA -CgkQExjvrF+7285fYQ//VRK2TLFWJiXMErKmm5XwtSM+4FjegpaX50jHWy/Trcdr -nANVYapnVFhEK4pwSHsJzgnf5Vyh/lT2rXkzEmjnU6UONEtyO3CVxyDSzNzhjeyn -eSHR1a9PqLjzXYennrOV7lD+Ap2wjceGT0ABrLekvnVgxvOXDFp/7OCq15fF5rpb -spAoaitBX2dV+sZ/zz/5r5OvPH2oz20AeK+AtwbtIsicCsc4AOh082XnUYUeUxdR -cn1s+6fzQeTEhE5E/e0tkQx6BkYQhBqheW2GKks40dLMJSSw5gl2QZ3oazpfwvNP -UhpKimWbr0FJmY+k1oqcXHcAnsTMjmHCd8j6RE7+U1fTBtTAOzJLltVX6qXykSMx -u6IyACJe91uSr2R7+g1FpGWn4K88yR51WKIR+h9AiJt/EbrMILgUJbRc2V1UVBnq -FdiqrkWbN1dB0DKFR+KD6ue3DfPZJPXpUntt5csc+OSGFi9oVCJWABK5omji8JD4 -SQJwz46NTvZoA7QFyQIj0KYD8XUKv6xcRRgf8kxVURb03IysuZPdItx0X+Zy7Edj -pNbLze98Zu+q8R4X66nwb/awNqacUDpxlZJJc/eUfpqkC7P+i5irji0DGb+hn+A0 -kJjcez8BW8LRG/bVRcKazxs4FXGGkvAlRdNRR+IfNzNmxXz1wi33/A0qn2SQ6I6J -ARwEEAECAAYFAlO33WsACgkQ3UDyWKrOAeknGQf/UMxWKdainB7O9AW17EbV0hYW -IH9t3T0rPaIhyZMRRpuNVUBZ4ez7j7eEXIRD9JfNme4u3cVrzTRACpp762khx18R -Fbzj7Wg/b0V4FSaP1cS+qSyjdr3u3zBBVscJNTUIhS9MgwsC0lsPGqYv82y7XhCo -SR0C/wEsI0unzd5WqRrqBS9xGusmIqNPdFSxmhh/1vYxJoHxYMacqDNcTCTdcIuB -29UySiByV6SpHlMMWs4FlqIzeRv74cgHyrlGAZgCj8GMhR5kq6GBMYImPYI9Xx2V -Yv/Z9NTYdMxgERRB/MTCFgDGygTXHng2WpHtCywFkhRP6oFHsYvCSVsGh7UpHokC -HAQQAQIABgUCU7lmCwAKCRAgZwAbG2eKY+xREACJjolqSp0FW7a2FFt6gunOrBDw -JvqbI1+xOiYsuvd4aUPVEuyA3e8Own7vo9CtHtjGogVZCj5LOrhzTjDyd43Fhk6I -Q80ErgHdszqdA8wCDxP2j5O/sdQAaRdsulLZuHY6Bld6vXcq1Oxc8eN+LZyam90+ -8QDcY0snMcmWZXSirQib8bYDPaJh/2QroVQXnkv+kedFKn6MXYzdhjNWxNxlsYFr -g87kFCCgSEYJdA78z7bVsF6EH8rwXVc6d7NPgqWEsPT/Z7C947SLJKu50tKkp7Q4 -URHmLw3aXdr0I03BfXF9eQa6BXYSUpdeTpdbEPunVe2pmghYCW1BFCUCIXp5iWNc -UO3H1mqUvAL5TkwgI26PH4mkYSYeYE6uSV3gy6Ae+XWf46M8M0ouyDYISkqSZHhZ -7sjHvkuxahlW0iRTfknf6/fNu04HjGNH+vZtj/3T48xk6bODkQXij5+8iytrCN+6 -QVyQhRWHiFrfsF81TZWKNeyI4YxK76R/qeZC+T0JrEvJNBkWHPogpIqRgClUO8sV -EpH5uhRwNnix31O3gIvtOpExOxhsoCD3PaezKJarAWuU9U6ZneLId2SzkozSUt8I -SS3wn1XBmffRQ6cNpzpgQMDZUu6i0VIj7+SWgrOcpIK50B1t9gJ/yJzyx85fq2Ec -SWD389On+sTPmAd7k4kCHAQQAQIABgUCU8KMlQAKCRCDgslcKQI9+RAoEADHuH3c -qvU6SRGOjUsbREnItuDAN0wEbF8p19LZ/8cl3o6jb/BLdKRCb98uzMh6MXJMhmy7 -7Ck4FE6u/a+bOLn2rNPBbcgUQQUAkZ17ocqdG7NoYm7C0aSs+xidZ4tjz5wHE2l8 -/mg3uL+4jitnLlUxbmWdLapy93gVL5bvMxH1Gsr07kgV5BjAs7+HhqG6Mmz2viiA -C3d/sx1K162H7V/4aPiOaXhrpL5auSbEYb8Lq7iiu0nAU7IvpElZu+7GLRSCiDYx -K8aM013QvajrGri+ZrHAMARX5pMeLkQnoErhltWTd6XxGR5KpO/tQXUjNpQpgBN2 -3Nw6aJJrG2Aq+MTz/gKTI1PirrBgymsP3zlQVXRYi3DofWRI9H5enux25Od6rZ+3 -UO732jtuOUxoa+8DmdXM/ASU0mLWhqXxyyD+3fvhMmxVGd9trnuNCSgXTizDEzm1 -cKltmCiP/XcLMyqZnMeDZRd0tG03KZI3QIHC1pVJpZXcSXWeQreLI07EDmvESf/h -UZa+LYUfNhMa8aQTTP9Sp0GW3XiHcMVAQIqNP7GQPzPAVARVKMzLkIrQQLW/q2JV -uxkXOkkaEs1UsJqThPkvnyDcQL8Ij+yf8ptoTJtBXkBOmLR5TpHe48zBDqaXcpiu -nPTWjJtvc9WpqUo4C/A3wvx1/zgqFOOZF5uEC4kCHAQQAQgABgUCU7kiJwAKCRCc -MVA8bYZjllqjD/0SKvr1xw9d8mOeXLYsRAmwvs9/a5OlakkaGlU5vBR11ttIQob9 -AjT34Wie/xb2I8/T2I7hKiyu1mT3R69iZKJxdZcGaU5rDQd1g2WJi8b5h7Gw52he -R5kPFKo/L19HIrMEwi7bnmORb+tAfkGDSgWlQKgyHxTTTvMXlDwQd3KdDPc4d00i -hMvBOIDdBEyzqqy36raJbRG6OIO/PlEHuOIjiKOhUcOg/voFlf+8JGO6p2Qbsc4C -7/XSjcCYnw/UqMNgNBR9B0/QBE+fnJpCR44ubcbwcvADrAzz/W2kf1QJf+Nkr7DY -UFOegfI1k+D69psX5qQ1e6AdV1OSVPYB/NqKMgJrXre2HliEtePTkPXDQJLtYYRP -PoTa3RIBcAj4K4rsVVRqoUzA/xI0C3rqXKeyQbhkvTyhEgLqTDJedNgkCbsZaa45 -k3OuIMUq/YI8NHiHNgunbJnb5VrroC5INMpkB7PVaTRSm80ISG7K+nrwud9O4lKQ -SJy4CwWolU5JQxpx+I+X3S3LvnoV/OCW9PjMgiUYwShyhki4W/FpZOsdR+ZlIxJb -WaCeNZQuMNtOn+Rio5AiqFr8vNmKyBx+AynIRB4wVdU0F7jZDG1Zl9cdHrRwWpSh -aYYghVKH5ltBVQW8o7n4/LYFCDuZ7T50jndFrLLal3rPC1d+8/AhcpJ0oIkEHAQQ -AQgABgUCU7ldTAAKCRCuzvVG7IsCYDFvIACvWdjbTitMndphwoC3iX/vVUlkg+NF -IPful4OhiNEimUwjtzmYwQ7TIErLe19Nh7FBaSqz4Pf6SUa3VLUFa5D/aKGq2Tax -q927lNXrSq+uKWLl51vR9yDa+O64JdnNLE6gfRjTTFW9z3Wd8vosoWJvuRnqEDNE -BFNVEIOciT1sY66aHrp2NX72x1g7lUIGNWWz23DG2itsmgfXBbkrUH6//9+HhUEg -3arbjuABA/DdGlsCP6Ztf4AhZhw9ddS/6UDhkXDTghPBVVABb9Bntqe6iYqb3Oan -DkfGvyce+ZaFG2CvzZRNPFb97dGwqhxOho8aIAyuTlaUOlemfIcqiuc4iO/yBmb0 -lTKr+hvv5XeUjwGhXDESfMnmqFIimBzR1tVlxC6WHHl5DszmvVsMmbeNCo0b3E31 -b00Cw8vcf98CZc0EEc8M9y1jUzgXE7whNQWFtFEnpIGCeZR8pOgWdr79UjlwESoa -Dy36QrCfsjP32IPsRJGE0bOudtli7fkJrR1wxpxf+YJFIN9A9ChAtiCOcYCSmXnM -uYSGrqc+lBBFnECldwe9eSz5mjUzcNulG9ZcxR9n857iKgQGef3VJanqfVZRaFSu -eYlSxOX0NrlWwMpvPmIP64BgFQsF6IIYk3dQrShVbQp4JdyEjuaI+1tLJOfEm9Bn -bcqwndjf18z+2QZWoH4wNI6wwJTdXUy3Cg2o0PJpfakQjkJHdHDJ4mAwOIZZDPsu -i6rmQgc4vK8h9IL7q8vwqx/Y2omTTVag++OBDLmr3DUS9ZjTIiawGOQVaM/s91Tv -FSFGmgbFOnXuZ7jiSRDvNJ2cusKUcZNQ+uPBpm34to2F8525+sfFYR9ljRwwzzih -3kquZF1Da7WvaoThxnXC5z6oq4zNVROovRLHO0NwXsKx94g9smzmHbwMMyaftnmm -U86N7iIq68bAFsocy3xnhVuWhecERjjEonz6PS6MxyFM758LpDb5qLBH4yONz4yW -fnkkrWa3CoZvsEx+lkR8UtMSjUEJrX3B2tagwZSRXI+mGQS4MqX98u5IX/st1Fv+ -ALzjPEdzKdOVhZTba46MdXguLbR9aTiZxwdfxcN8QgHWPWpUQdG0EC/rUg+PvYWY -cvKoTHhTzVnijVIRj1T882I3PDS3Ol3E/J5PiXym7k+D1kPPk5cV9X3gSynjzTB6 -BRlMnY2HrdwMV9B0gtDqelm4BwpTh6eaUeG9DsVNjj4OqdXhvzZ59oqLVIoesgjQ -MNbVRF2fUq3HRTMvt62dvcwsFUFbmUvjF3pP/QOYmwmZqkD9+Ua6U4HOlbw6aX8Q -jMddGfIHEhTAgWK+bOpVxeZEY1ob1wdvfZODmor4IIUcMn2mj1914WjeiQGBBBMB -CABrBQJTxIOJBYMHkUpNXhSAAAAAABUAQGJsb2NraGFzaEBiaXRjb2luLm9yZzAw -MDAwMDAwMDAwMDAwMDAwNDU2NmFiNDQ0YzU0OWM1YTFmMjI0NDFkNjI0Y2EzZjJm -NTU0ZDE4NjMxNjFkMmIACgkQf6sRQmfk+gSEAQgAlydKNtlsoNhHYkJd/OtPMS0K -sO0lVdJoXhVh1gijJ8Qpu9h//KYRc4RwrINs2DiAX1nfQFAnt91jcPxPNfoDMP9S -eqmgXDtf+uqze6FtEOJb4LNjmptIsBDUmfg6E6+UEd2pmXDpxZytOWDNRM43Wg0R -sndYtEuQebZvJugF5ZoRnQ/YLvsTAPS/Gd+mJeaWuan0M9iLBNexdZRjlSZlq8Qa -7+QVnK49USn5qObQX8SNKZfG4ncgV9DH+9C2Kr3lPWFlCI7CiijcCPa0GOATVLsO -X/97MZT1flxQG3XPAfzMK0BB/EfAFLX/Sci87iS5+MGgNE58K0iJ4WDT7pERSYkC -HAQQAQIABgUCU8TjOAAKCRAei/NJIykSZW4nD/0Qi+t5g3q0vEtyCv6GBKp+1h4f -7NPCXEH4XPNGZhLSuwHxnOkYg101zJZHHEIyt1keg/xMOaHIL6FOdF7tvbCaPAdR -YIxZsNwqRkkpvQbV7PwgeoTy/uRRWNfD3dnkT4nBjXm3a7b9FRBLeLCUFwl51bbu -Z10MxzinOjfpnr0q/myzYzHwKJmqlWIIT2afbQtWYWcW86apcvmtslUDAytZAFim -vY4JKLETtLCLH5iXLyqtPOq0Fn3r1O7UwJ4O38oPJGeIwZloJH7I2OZUStgv/+Xm -1Nwkh5mmo09X6YqR8GSwr/WU/hTUPc8oY+bzpZD50hu+xATGE77d+mu+c5YaJVaF -PcWP3ZbBVwQXCqS0sKW5XmlpBhY6I40ug9vRkpZTIpwgv1QtRBfbfDLrJfYa+2wm -7tQ32vwEWAhrDxz2maykq8Td1/c9E4D1434oG9tQgYOjP7ITmek0iEBki5luV284 -9Bh17w4o5/N4m7yEoVQDE+g7jQPlPrN5+ZP2Di6F6JrUO3DDI0/5WDtwE89TnyfS -qKHOCSyEjKWtpk2HgOraBw05eYxzMnE9QMohw1Mj/QajRMWzwFID03a9xdww2sc/ -5HeGMjfdn9VDqvxSODL/TZA+u+4TVDZAXSXRMqATSMZdh5qMIJ9mulrVm6NR+xMa -kiDKqrW9E89tdKSx6rQ8VGFpbHMgYnVnIHNxdWFkIChzY2hsZXVkZXIgbGlzdCkg -PHRhaWxzLWJ1Z3Mtb3duZXJAYm91bS5vcmc+iQI+BBMBAgAoBQJS8TGOAhsDBQkJ -ZgGABgsJCAcDAgYVCAIJCgsEFgIDAQIeAQIXgAAKCRDsV7Vu8MQxMohsD/9R6P3k -z0l3zv2kn2Zug84x+k5cbEN9niiz9CLZYvDyBz8YmZKvFIUhTB1CU+cdxwXHfIhW -hlQh7xiVGzMBr5ivkvKNFyHNkfxJn23owYfq37Bjpq621jKm/9VE+SLCTwOq41hj -Ekj8tkjBnMo/MKQJQdpoPwgKoIq3ApCt+He63mR8HwTnp2gyFmR9oMIe3OR1uLeP -VZeS6gM3zMJkhKJi+kraq+GKoJaIr7z/3SerEj60s8zJscxGYTUh+Gqk/UsXHIUP -wPNlU4cE3zfGfiNp6TZaefovWvSZQzeS1DTXEGjgBEWBdmEsyp9181MhMiGEd1wB -6gNUposdv/wFY99cIRiBnkFhhsGSlYz9JGiKIUhcuUt3Rml6D+GcHkD1SYtVcJDz -X05jZZf5awGH+g1FNawtMIrxXZt2cKP3DRsduRocnoO3TjFvJ2+uCSwZJBmU23Qk -k9oXbSM8X6u4lBAE6w1DMGOR65MxX0EQ1TlKpgWeIOAy46xjqOkx4HJcpb6ZzdmG -qgbQJqP3E08yYhV10Qviax3mG5PrcPzms2D87z0vc+gRNZ4PIVIOQrwKWG0NFSY6 -zhmnndcrVAV5FdadxZFg/8O2kpeRrpnWOGv7Cn68bGOAoFDQAZjdRVe3ALShpZER -NpeB8Qs6t9B9Kgma6s9/32ktPaCHs/r98R7UPIkBHAQQAQIABgUCU7qVSQAKCRDd -QPJYqs4B6RflCACnkXtDJs24u5t1pmdrqWrls7bwoWCJ89ouG5q8UX1pBBdP400J -ztYzeE3MTQfEXAyASV9vkGLoCcOKAjwuZXiz/RkY4sKkQ5MGkk15FgFgCzdHBGpI -Sfmz4ptQyKBakOIrxZzI7k1quItSb6qiXOIHxgmYKqiA8RH3VQukKrNm9SYg6z3m -maCqRmcR9Lv17KAtaY0zt+6i6BMuvrtqZuZguUpvFMCVYmNDGtFFNsyOjx8NQd5g -oola4p4HokMF09m1r6ShlR4r9UcpLS7MujkAm1errQC8VX603P2ao3dXm6HaRDle -yv0Pj3lWWhxXx1KPWF66iO/sTPuMd2g4Orq+iQJEBBIBCgAuBQJTu/FUJxpnaXQ6 -Ly9naXRodWIuY29tL2luZmluaXR5MC9wdWJrZXlzLmdpdAAKCRATGO+sX7vbztWz -D/0cPH5lJx9L47MPjDUBYuJXNq2Jgy7WZHNcf4Xc4KvtAXpZ7emfADX9f1uQmN4s -WsT2letijeaK4heaL+evmAN/gzflquPYajhyNLq+hbrs2nDRUJZ4+5dIYESyq7o7 -MrhTguczF+rUF+HuIM4WhBMfPmdUUE+W/XCQGjQTdFa9+R+CxivXueNTScu/kO8m -WsOaJVONEgS4mRF9ve021xCo2QM+zeUmlpTdErYoGDpcu6OKKM+viYdr2V34ny5s -q6cKs1YcogPN2WXXHlTRGHovFycDvAD6cHg8GpqaQm6vZLsT4q+yZVVmZAltLSjR -ibhXiBenhcXnmMa6GLsYieCJCHNUlMERicSGSBXc8d1Jh7X8cW60Pg+y3C3Y9umc -iLKzXI3Ri2e/UKxYbA0es/YIn9Ap6sEP1BEcjDkEnqaLEKtYdLXta48l9uw596Ip -PfTQQhbKj5rB44i9joB0AbQigADfIbWOyI0yFaTjfbZw4Iq7FaCOR+98nRNiWLrk -I0EryQb54Bqff2ale5ArwxDr5gseUyGONCUyFwnm49501OPUh/xPlpVYQk/9JMTk -1lEhi2r4Sy8lDzY7+wJo58lUw/Kq+AY/L1HmstpiY+vyZXOXJYxCqVvtXqjUSECn -0j2kNR46SVFRSoaP77Jb1bOjmsJf9NTo16Qu/LAiMY+3Z4kBgQQTAQgAawUCU8SD -iQWDB5FKTV4UgAAAAAAVAEBibG9ja2hhc2hAYml0Y29pbi5vcmcwMDAwMDAwMDAw -MDAwMDAwMDQ1NjZhYjQ0NGM1NDljNWExZjIyNDQxZDYyNGNhM2YyZjU1NGQxODYz -MTYxZDJiAAoJEH+rEUJn5PoE96cH/0impVLo67JW9wdOcDuxfGY5pHRDOQiCNJB5 -UJHAikxYBd6xlUbVrZSiY30HcUkKsxzRMDYx/IZ9MuqATBEJ4usYgtNIFYXYxN1O -+xMP/RK0ocaC+tRFgQlLyUvWB5RjO7aoDskMLv/hGQmvIFAAuJ0I835BxiM+Ig6k -W0CvoArx6WEDNtjyHneTHKxWYcaUkZhYoP89FS6AQ9KdOQ2sgdri9xj9Bs+QsUJo -c0huBnnal7AILd+B5DOtHBTiS5KBcZG4xqfSOCiIRVwPDHjSaSeFUab+1wD9j7re -ByRJR37qG8JQHkqIvm69QmGJq3gCWHipqebGxbhEwdHdY0PKK9aJAhwEEAECAAYF -AlPE4zgACgkQHovzSSMpEmVKlg/9Gry/dJmtN1uKLNEi1e0ld7ghBnJKzQa14JiV -TFhbnzXXNFbJHsqgaKCHGdEuYpggDbza7o/RWZSLtCHpYWUPhpsV1kYv9T7TtyoI -8/lInJ1vnlSgZTF8+Rt/8OWDaJXktsyCRc5zUrZA9Y33iuxIJnGViReA0ojTxbz/ -Sk3XGYutourUoBGvDKXAuwMMmlDg/weT33+LKULSf+TXAeSgHE1AcCvVrz2XMgAa -xETMlwgA8MyXVm8H0BvmKE3Apf59uQwuEhrbtL4eT9IugHciZvoNWSzRNn8ZzJqf -noec2D9A6AiMXrbfaxcoUyb69rNi18g90aowy6+5WapA8CvK2h2LCmfG3q3XGApr -V+7fAvII29giV0EJQNQ0YVveXi59b77uypnCasdik1G8d1/vInlXkAj+EUxUMOWw -1Alw91rnrGWq/vPOx5jBi4FpZ+scjYLslFKBKbc2uVcv88YnXKU7fUoLi1hCk1Mm -C+BsMvldRXAWYdj8+9vnzP15pxUaJNViP8EY47nmcjgzdYKZy2QhVeQOmar/F24l -5+fcpNbU3TRSp8DP/42+VKpC8/juOGuZwxw61OQsKG9SnSoMdhyRIfasw4TU29Pq -BoPuCgHzi+KQnX400PwUt52NTB5uIQMcF3ekMwT5Q47dsK1pGeyVR0VgHhyzK6i0 -OO7mchC0PlRhaWxzIGJ1ZyBzcXVhZCAoc2NobGV1ZGVyIGxpc3QpIDx0YWlscy1i -dWdzLXJlcXVlc3RAYm91bS5vcmc+iQI+BBMBAgAoBQJS8TGOAhsDBQkJZgGABgsJ -CAcDAgYVCAIJCgsEFgIDAQIeAQIXgAAKCRDsV7Vu8MQxMlomD/9/a0wyqjn5bUXs -DzZAiEORx9S1+1z6Ehz/dXfjquSgon2EOiS95p8G3uQPymwLePWylvsWmKFqp9b9 -zrGXouuBQFdVTQDjAsgkNq8W8547nHCWzfXQ/1U7TorGRQIuSl7GiKfwcQ/PRETa -EZarxUX0ydX7F0awmIGhKDYvLqpp3dn7/tMsl61+TFFEpWByCnXdcurokpJ/CQwS -7QulA+WOwy3/f0jyR+3QfFjP/beK3mAzCTQbJBODh8fJiROuscIgCMKg67Yl/xiW -TUMbYqICKqW3r/0hqCNtJgB3RKVwWl3UUrNe64Ble+w7PURQdtWLTnjAW4icVVLN -z8wUqyZqRREIFIciV7dGSa1egP54/PdtTV/43rkUNo9yGcvPEd6GtU8o6W8vSCbL -wPgk/TBIzUrHEoRVdr5UG4LMXtiy/j1hB+VMNJ38jlzwuuCsX45vKVpSH/U4B/Aw -XXMykVuY+0Tx0O5r5zMT8UBujtzrkyPJvJpetq9ivmz+B8Kys1Xr8HfZq4Q40Ymo -IhNrHGViCTXE1jk8Mbxsp2p74uCIUrrroXOob+Cz6NGP6uBifogF2sNkUX6YItoB -oZe/TTmuObLBIncOcznXYKQwb7L1ANOe2c8YUFh8Y71woXzRHki8GvoGSNhYwEc2 -XjYknFOTBudwbG0AvusxWEObPweWyIkCRAQSAQoALgUCU7vxVCcaZ2l0Oi8vZ2l0 -aHViLmNvbS9pbmZpbml0eTAvcHVia2V5cy5naXQACgkQExjvrF+7285VQQ/+PU3H -JXcqYMYY6xgZ6w46yASQX5cQiudj+X8bzxoRvLZebv4kBtj2wMhuB5OryxhvZCOs -o78DZWuOVTxWkXFM8Y9tjFgqGRk81ppMttT5hjyuWS88NXVuaMaPBiuqNFTqbirq -BmDtdtcCLSXcKbk6rAoMRepz5rYvcD4Olq1l+esQOVK+Z2SM/Gv1Nc81QWwyrbEl -xjlKND4A6x9gJ5tLjPTkc1Vhono2edahbm7yPusjNF5Js2amNNk8eeH8N/q2xrWc -jBldg/kAjzD4mUCppj/5qch4Unf9Q5jB5kowrtn61WOmMdnAcyOr+KApwoAQMkRk -Pt0Gh6q1YONiCz6QPb0I2PoDX+Q129g4LR2AroXGz7C9sn9qc0kHCnafb530OBfF -ozoJZa6dkvWEjiPm1F/r9l3swjZWfgrPIZm7lV2HkFrHEQRrPrGNMDvsNGvzv+ZA -r9OtWJKAErxlqRxTC/icSt7BG0urOGa1FPig2uqTqJTuo87YQliq7bPiTmP+JJyU -KjFg9UogV66sbhr5R1GrJrOgTU7SmMSYiMfapQGU2KDtk5tnuT/Zn5wWukxJvy1i -6d6CzO5u2omOfEvvLoT1mSVAX+cGaWbqB3l4OgsG6xxt8E2+8gMNuY8qkF8FVxxv -XJ/SIBcAyrk+rGUM2ugo7dJc7UBH6LerRej8MniJAYEEEwEIAGsFAlPEg4kFgweR -Sk1eFIAAAAAAFQBAYmxvY2toYXNoQGJpdGNvaW4ub3JnMDAwMDAwMDAwMDAwMDAw -MDA0NTY2YWI0NDRjNTQ5YzVhMWYyMjQ0MWQ2MjRjYTNmMmY1NTRkMTg2MzE2MWQy -YgAKCRB/qxFCZ+T6BKA/B/4u91yAs4GfBPT7sfZixLCFGcopzb3ab1UlO0OSsP4k -PVWH9qrXKEu+KEruxqOf6KPei2vfZ1taHNfmI7bRj+GasJzBoRKjEefG3TNAocA2 -pYYVdaX0Jp0Wht6cf4UEwDjQinXRoKaiHUfWy+JHxx4pAu5ybw9VdSl+tJbROsM+ -uRdQvcYbM99+xdI0EUuT/8U08uCoj7aJPFbWGx3vHrTyGVI9fW8AePESdftVQ/Do -MBuqu5vkkmGzAL36vIrkaMbvsxnVBVaoRy/TORHp8LcyAq988RH92FO/bjuo6cI6 -FtIpS+Gisi2oeHq9YMW9dc4utCn0/fJ00C3Vl8W1Gw3tiQIcBBABAgAGBQJTxOM4 -AAoJEB6L80kjKRJli50QAISoEp3a/M+BxZ1usKSLtva5DvN/nP5ves7pW4sRbKdT -xea8gnJ1vqXcviqXRACcElrUtrxUNZ075t/U3lVuA6FNI5q5tICtIbhY/mpOPl80 -BFCCJDFgvGtiyAj7MIAQtXReTqPvM7Xwl3ynGq63jy+BX6/nztbQZMoK+4aK4lWn -Hrb2+hrimQaYORE/YGSrCfKyn+elNsLgrEmZwuOdHoxnpPl46+rKszg3op2EZcJi -9wvd7DQwp1I2chU73CiCuLLDe25isI3J4L7a4psVjWb5MEqGu9MEOiGoKdu07I3q -bHJXL3fyl31ozI+F3rlPQe/pc89BoychfiHG9/AoopXGayjcIFCvvOmnH+H6vHMV -d2TS2nR3Nrq68cB69gUH25MVbyoqHrEtKgLEj4wDeF2F3u1S0I71QV6JgP3Ii8Cq -2Hi2tEbGIbF3lTN3YQAMkrbdp+5Ju2OTy2FdToZC0l54gsL0RMAko5TXpK/wNCId -CWJopbIZcYVvYK+TjfaE6MWj+KdmkSP+m4+B3h9tdVowLr9yyRpbrRfB9IVlvZDN -BB7Tv8S2ZWJyla9MjJSGa16Wb2UCqQN7R8zUuqPJVGmh4gPZNYFLRSQa61tq2Uqe -z0Uba3Jq1s7kq3T4RQKvUzOmPToPPbdgj9ApBtBNzcoI+RC2XG3hL/WgFMaKmKMn -tDtUYWlscyBwcml2YXRlIHVzZXIgc3VwcG9ydCA8dGFpbHMtc3VwcG9ydC1wcml2 -YXRlQGJvdW0ub3JnPokCPgQTAQIAKAUCU+pwhwIbAwUJCWYBgAYLCQgHAwIGFQgC -CQoLBBYCAwECHgECF4AACgkQ7Fe1bvDEMTKkaA//bHvJJ6683P2id8aa2oX9UFu3 -JYiAaf/06Xd85wl8xVWDMNLNkk+ZtLWe0kH2Ja1Vyub8mGakbNcNACVUqiOjzLbe -VS8ls4Oehr+eyZBaL/z+zC+EyD3qJhYJxjkzNCFwAjFgP+019NUUec4Ea8FUw550 -ktXbb/8+2YjroE5lsvPSO9rZivtmRZI3gdpaedQyHlhsmB9kQ2lYeyxal8L0Pa2t -oT19qTZ32UgLDEgGEU/wB9FyHdgKL69Lq8j9DD6+LWbeIe3CzvC1kI9c0C0iw3If -eMbSR4N6mWROL1NzJcf9CctMbQa+v0o6tBwDTZlcbzC3bRgD4jC1c89hR5SxnfU5 -ECWJKQJCJT1cZXPzyWqjwJa6QMVydQX4mdrPYYhlArEjYz5EJqazX8QtbXLz1HAX -xKUFyWHiXk2K/5GgrvdKFOVO9HY3wXm6cI+PLpoPXWsQHihWd24tdYpZd5HnNWoA -jXux+tCQMNYG3O6yBr7oyjOGV1Qr4ItH26Po4eHuTU0iuZGOML+yECuNCz/YyCHx -9XPEgfdgACvGzOQYNLQLaOkDPXjYESgvoCau8BLDXHz3GWrDPP/257Ny7yNXCrZm -NxTTEfNUxEcw2SMIDGOd+9BpTiSZQECqeGOy49MgGIW6qF/uG1HHa+fAQv0RP9GN -stx3KrSjXnCfwVpV+x65Ag0EUe/MVgEQAMiEGWoAn2kEC98ZN1s6SU1yp5Nf2icm -iEkE20svMaD2rSYXkVp+b4flHIZiYjg+0ktPLzWACQr3rXdIdM8mcmTne2Q9F+zH -ogTZHn7QwuLIE2E3O3Q9vxRsjtGQOaL4CfuTtsySgi0wjn/sHZRdiM1/75+8zYrV -gsl24KbSgdWMe2pqDoLRbsrYmi7qGhFEFpTbtZdRtrmXfSvPmrxaZJqy/I9vlMhU -A4jD4qvg2qWcCrvhd8mcUmp4TmuEu1PSg/HFYyK0Y2sU7BZEMnniFFLvi+XmBLUJ -ly6vLwkyVF6pGtwuNi5lDsN+fxekvbOVlRKt4N26pB4eObxu+RuwDabp4uRhte89 -J76QdwrpD6+epITl06hWyk/SPp5TSh/R7aNcDJK0E1NGHBRiOezOTg85E3ze5naN -LtmkbvdHX/fHk5+vY86Zn/HeZEzNO0iXkTYYyaKwh9Ob3+bcS83S7Brk8g8n6bEG -27glllFaqQ/8QpDqUh7SRBRonL0gPO/muTOyzmpDa730EOugJbUOx6ypS08imJ/K -3PGIrT9J8e7rUkRbwu1gDBGrMwUysefmy6uzR4b07aDE2TXvdWoBLN3YeptxlBzg -XIk1dLOnYJ4Swc2bjhxXfGCvAuEB3qyMM5Bu+wsVs2T8WrrsmPqzqH9E8NjV2WLp -qZpR3mM4YO7vABEBAAGJAiUEGAECAA8FAlHvzFYCGwwFCQlmAYAACgkQ7Fe1bvDE -MTKyPw/8Dyhfjza9JzM4LwYSN1cA/jyydTNpHHQOdUg5CU3r9vbcLmwSXUD2Dvdv -W4nRafKf1OQsIA013K0cLjGWvOGVlBaTKt3i6YgpAD87+pIZa0bT8c7MWvp2xV0Q -Qcjh2sjmMnUkxhw6GRjkUlyZTnkA+rR/TwKSnt2rzPBadRleaTDTQqy5iD4YrJ72 -rgm/HihNFxzKIAqMg4t7sDrTHiN3dnC7InACaHiqvuOtzVJO6VLDTiA4GBgTveCc -V3KU/T00ZHf/fJ40vsQEsJ4TzBDM487xfBQDAqggf+6WvN6ptJkx/qp8uBjqFQjw -k1nGmuFLpo5/4ABylcyccqRRtAegLbjqUcSybaRJM5kR/pj318gGHcx4osshbNvp -rctm/j5CfWbXPiDRnWIxEYCZKyosmu1qqzGrlWAZX3E66SVFf4+URjl0uAIzmq4u -sVNdZgBvMn/40bOtu5ggXY/9Re0lBxWI06vyGDZRUG2k29EQax8vr7QisqIg86uW -lb1g/NK5XbGhdQtWjabHyKPKkD+8c5cj7cCrTpGFk4Rp8p/gLqJTAwsRu59raJXP -m9zY90Nega7nwv9/GjsbJ9dC6m7DKfl9Bahmf7cAg7pq+GtT983SE5djDl8sbnj+ -CSR/MUhlJWImIzNGLgymsYKmPqve6p13ATHDei1rygYuIXyKEkQ= -=lHqe +0mFyZhGpOIkCQQQTAQIAKwIbAwUJCWYBgAYLCQgHAwIGFQgCCQoLBBYCAwECHgEC +F4AFAlLxMY4CGQEACgkQ7Fe1bvDEMTIAiw//RN3I6wGB9N3QRQHnlAJxGdOnpbJ/ +ImEgij8HvRT438eIAnHGyy9eQuPegqvX7ilfp/6H3rZdwUAhnjBFo8WaR8CO3RPh +ZFLoAaFOz6YHBLUsaWNn08vqF1SJm4zPYjc7aR2xF+YlIfEiaF1aizc5b2fJjAb4 +354FgNqIGK4PWrsvDE+kXkBEwbkIzFqWOol/y7cUXAv7lr+hbFQCS96DnOBbnLRc +r2zOvVDowWRWLrwF9VwZjRTV9siMVaQPNJ3clIRdYSoI/mmgUIisarA7UPTHzmiv +IKE3NgC+FS0/mZbjOxeja7Q0gsb2suWmprNfEeQ56rcsVF2p8UTS0glDXn/3LFw3 +s1A2iagceWyCEFkyjlNu7xyMEZwqAAoIj3LSeMMPMHz1SU06ulD5+Yp26nQt+yoM +8wJGE+yUod47lJ0zTzMTYKEOdvAoOojhvuosl0xZahu5P4ygPxF3g1SUCAVsCEiI +qFtGMNdTP4yK68ETv3M3mgYqUkMw3oM4+Bcs8RHssm7JnVx1tLt6YUarX7uBDJT7 +xv7h/yC7S1661XvBTM8stQOFmRsxDdj2vMKeUCExGbJMOb60PgEOSOu/cL4y4yNT +rqeUaNgj6JVDWVneqYdSW+SG3aT/Vrv7JrfhStL1DLYKWWOZbYjjihIqwnUJqL+w +cfhG3hwZxruErlWJAhwEEAEKAAYFAlObYj8ACgkQzEzni6GkwkQ6Kg/+JYQZRv+u +02viHDTIR3S61Ku3+WCfVn2X51OsJhwycVjZXxoci7tzAaWnwmuxAExBZLf2D/hN +H2bYq5YbDRZSeS/UvtitJERUl9YKmc29Oi+W7ppYKdyneF8HSZ8tZZ58Nc0Z3x2K +UNF2vmnXVt1vBrGcjY7U5B3X0J39lrgeGU9Ox6pFf0XijadHHUqgPQ3016UMFG/w +Dt3VZoVhSK0fuDQhqDWpOlFob6f/ms2xE4XZHc6o2hEqyKQNMJH/j65pnAmG7Fia +mJvuAcl0SwCVoYdeF3xU8u5FpZ6aebinfJraTTEQ5+vwsWAG0VVZF5dy3x8ClhRE +R3wdHo28cagaVVHidYC+Qzd3R200o6pi3glGIXHAmb0zm8ELqJoFaH30KA2rZffq +mYaLwvmKSXcCeg4j+4ev6qfdGVzIg+uYvf2h3/1NCt6fopF+MLyWe2Vo7VpAthLn +uJV0Hlafr+toJK//NxtEODQms8L53kreBjUldHCgEPXiXdu8TyRLZ3qYYl4JXDai +Fnib46ZsTEIThVZAU0vuM3hEkv3WNBtOAgkeWqp9NnwEq1I6/MoA6YqtoZin8FkV +2BZ+sxdsW578EZpf/gA6yOreZb3i9au2g01ctZPNdvQoZqrn+XRKlKgZxHuLqyfR +aYfwKKihUOdbhmXg5tUkdFrRbMmrrBCXR0eJARwEEAECAAYFAlO5FYcACgkQ6sXr +8HqpwqPqIgf8CvmhyrVfj6xauR8x+k2fB4yau5/w1gt9HcXB/Aw+6MYHisM5YgpV +q0sip1pLrnjGSeiNecxhiHRUFYrlSaQSbqSKRzNKfmD3/zPOGT4WPx6wbmEhxkDy +6z8xMwqNUMTp0royznmuYcaq0KSuzQc+BtN2LOtkNlTrexI1pnQXwU5LVzhjlI2O +KNG8wrskV7otOSJMDXbiHhYYy519U0TQOpOMcI0rLpTr4WYW7x7gL1bsEShQh16q +bj0VbkYI+bVis7poN33Ur5PplWjDU1vDuutD2BWU5tqgayUYvo2CBFZlSoDfLxII +cFe7cqqUtImLYv6FUV8GWnT6f3NHdVx0qokEHAQQAQgABgUCU7ldTAAKCRCuzvVG +7IsCYDFvIACvWdjbTitMndphwoC3iX/vVUlkg+NFIPful4OhiNEimUwjtzmYwQ7T +IErLe19Nh7FBaSqz4Pf6SUa3VLUFa5D/aKGq2Taxq927lNXrSq+uKWLl51vR9yDa ++O64JdnNLE6gfRjTTFW9z3Wd8vosoWJvuRnqEDNEBFNVEIOciT1sY66aHrp2NX72 +x1g7lUIGNWWz23DG2itsmgfXBbkrUH6//9+HhUEg3arbjuABA/DdGlsCP6Ztf4Ah +Zhw9ddS/6UDhkXDTghPBVVABb9Bntqe6iYqb3OanDkfGvyce+ZaFG2CvzZRNPFb9 +7dGwqhxOho8aIAyuTlaUOlemfIcqiuc4iO/yBmb0lTKr+hvv5XeUjwGhXDESfMnm +qFIimBzR1tVlxC6WHHl5DszmvVsMmbeNCo0b3E31b00Cw8vcf98CZc0EEc8M9y1j +UzgXE7whNQWFtFEnpIGCeZR8pOgWdr79UjlwESoaDy36QrCfsjP32IPsRJGE0bOu +dtli7fkJrR1wxpxf+YJFIN9A9ChAtiCOcYCSmXnMuYSGrqc+lBBFnECldwe9eSz5 +mjUzcNulG9ZcxR9n857iKgQGef3VJanqfVZRaFSueYlSxOX0NrlWwMpvPmIP64Bg +FQsF6IIYk3dQrShVbQp4JdyEjuaI+1tLJOfEm9Bnbcqwndjf18z+2QZWoH4wNI6w +wJTdXUy3Cg2o0PJpfakQjkJHdHDJ4mAwOIZZDPsui6rmQgc4vK8h9IL7q8vwqx/Y +2omTTVag++OBDLmr3DUS9ZjTIiawGOQVaM/s91TvFSFGmgbFOnXuZ7jiSRDvNJ2c +usKUcZNQ+uPBpm34to2F8525+sfFYR9ljRwwzzih3kquZF1Da7WvaoThxnXC5z6o +q4zNVROovRLHO0NwXsKx94g9smzmHbwMMyaftnmmU86N7iIq68bAFsocy3xnhVuW +hecERjjEonz6PS6MxyFM758LpDb5qLBH4yONz4yWfnkkrWa3CoZvsEx+lkR8UtMS +jUEJrX3B2tagwZSRXI+mGQS4MqX98u5IX/st1Fv+ALzjPEdzKdOVhZTba46MdXgu +LbR9aTiZxwdfxcN8QgHWPWpUQdG0EC/rUg+PvYWYcvKoTHhTzVnijVIRj1T882I3 +PDS3Ol3E/J5PiXym7k+D1kPPk5cV9X3gSynjzTB6BRlMnY2HrdwMV9B0gtDqelm4 +BwpTh6eaUeG9DsVNjj4OqdXhvzZ59oqLVIoesgjQMNbVRF2fUq3HRTMvt62dvcws +FUFbmUvjF3pP/QOYmwmZqkD9+Ua6U4HOlbw6aX8QjMddGfIHEhTAgWK+bOpVxeZE +Y1ob1wdvfZODmor4IIUcMn2mj1914WjeiQIcBBABCAAGBQJTuSInAAoJEJwxUDxt +hmOWWqMP/RIq+vXHD13yY55ctixECbC+z39rk6VqSRoaVTm8FHXW20hChv0CNPfh +aJ7/FvYjz9PYjuEqLK7WZPdHr2JkonF1lwZpTmsNB3WDZYmLxvmHsbDnaF5HmQ8U +qj8vX0ciswTCLtueY5Fv60B+QYNKBaVAqDIfFNNO8xeUPBB3cp0M9zh3TSKEy8E4 +gN0ETLOqrLfqtoltEbo4g78+UQe44iOIo6FRw6D++gWV/7wkY7qnZBuxzgLv9dKN +wJifD9Sow2A0FH0HT9AET5+cmkJHji5txvBy8AOsDPP9baR/VAl/42SvsNhQU56B +8jWT4Pr2mxfmpDV7oB1XU5JU9gH82ooyAmtet7YeWIS149OQ9cNAku1hhE8+hNrd +EgFwCPgriuxVVGqhTMD/EjQLeupcp7JBuGS9PKESAupMMl502CQJuxlprjmTc64g +xSr9gjw0eIc2C6dsmdvlWuugLkg0ymQHs9VpNFKbzQhIbsr6evC5307iUpBInLgL +BaiVTklDGnH4j5fdLcu+ehX84Jb0+MyCJRjBKHKGSLhb8Wlk6x1H5mUjEltZoJ41 +lC4w206f5GKjkCKoWvy82YrIHH4DKchEHjBV1TQXuNkMbVmX1x0etHBalKFphiCF +UofmW0FVBbyjufj8tgUIO5ntPnSOd0WsstqXes8LV37z8CFyknSgiQEcBBABAgAG +BQJTt91rAAoJEN1A8liqzgHpJxkH/1DMVinWopwezvQFtexG1dIWFiB/bd09Kz2i +IcmTEUabjVVAWeHs+4+3hFyEQ/SXzZnuLt3Fa800QAqae+tpIcdfERW84+1oP29F +eBUmj9XEvqkso3a97t8wQVbHCTU1CIUvTIMLAtJbDxqmL/Nsu14QqEkdAv8BLCNL +p83eVqka6gUvcRrrJiKjT3RUsZoYf9b2MSaB8WDGnKgzXEwk3XCLgdvVMkogclek +qR5TDFrOBZaiM3kb++HIB8q5RgGYAo/BjIUeZKuhgTGCJj2CPV8dlWL/2fTU2HTM +YBEUQfzEwhYAxsoE1x54NlqR7QssBZIUT+qBR7GLwklbBoe1KR6JAkQEEgEKAC4F +AlO78VQnGmdpdDovL2dpdGh1Yi5jb20vaW5maW5pdHkwL3B1YmtleXMuZ2l0AAoJ +EBMY76xfu9vOX2EP/1UStkyxViYlzBKyppuV8LUjPuBY3oKWl+dIx1sv063Ha5wD +VWGqZ1RYRCuKcEh7Cc4J3+Vcof5U9q15MxJo51OlDjRLcjtwlccg0szc4Y3sp3kh +0dWvT6i4812Hp56zle5Q/gKdsI3Hhk9AAay3pL51YMbzlwxaf+zgqteXxea6W7KQ +KGorQV9nVfrGf88/+a+Trzx9qM9tAHivgLcG7SLInArHOADodPNl51GFHlMXUXJ9 +bPun80HkxIRORP3tLZEMegZGEIQaoXlthipLONHSzCUksOYJdkGd6Gs6X8LzT1Ia +Soplm69BSZmPpNaKnFx3AJ7EzI5hwnfI+kRO/lNX0wbUwDsyS5bVV+ql8pEjMbui +MgAiXvdbkq9ke/oNRaRlp+CvPMkedViiEfofQIibfxG6zCC4FCW0XNldVFQZ6hXY +qq5FmzdXQdAyhUfig+rntw3z2ST16VJ7beXLHPjkhhYvaFQiVgASuaJo4vCQ+EkC +cM+OjU72aAO0BckCI9CmA/F1Cr+sXEUYH/JMVVEW9NyMrLmT3SLcdF/mcuxHY6TW +y83vfGbvqvEeF+up8G/2sDamnFA6cZWSSXP3lH6apAuz/ouYq44tAxm/oZ/gNJCY +3Hs/AVvC0Rv21UXCms8bOBVxhpLwJUXTUUfiHzczZsV89cIt9/wNKp9kkOiOiQIc +BBABAgAGBQJTwoyVAAoJEIOCyVwpAj35ECgQAMe4fdyq9TpJEY6NSxtESci24MA3 +TARsXynX0tn/xyXejqNv8Et0pEJv3y7MyHoxckyGbLvsKTgUTq79r5s4ufas08Ft +yBRBBQCRnXuhyp0bs2hibsLRpKz7GJ1ni2PPnAcTaXz+aDe4v7iOK2cuVTFuZZ0t +qnL3eBUvlu8zEfUayvTuSBXkGMCzv4eGoboybPa+KIALd3+zHUrXrYftX/ho+I5p +eGukvlq5JsRhvwuruKK7ScBTsi+kSVm77sYtFIKINjErxozTXdC9qOsauL5mscAw +BFfmkx4uRCegSuGW1ZN3pfEZHkqk7+1BdSM2lCmAE3bc3DpokmsbYCr4xPP+ApMj +U+KusGDKaw/fOVBVdFiLcOh9ZEj0fl6e7Hbk53qtn7dQ7vfaO245TGhr7wOZ1cz8 +BJTSYtaGpfHLIP7d++EybFUZ322ue40JKBdOLMMTObVwqW2YKI/9dwszKpmcx4Nl +F3S0bTcpkjdAgcLWlUmlldxJdZ5Ct4sjTsQOa8RJ/+FRlr4thR82ExrxpBNM/1Kn +QZbdeIdwxUBAio0/sZA/M8BUBFUozMuQitBAtb+rYlW7GRc6SRoSzVSwmpOE+S+f +INxAvwiP7J/ym2hMm0FeQE6YtHlOkd7jzMEOppdymK6c9NaMm29z1ampSjgL8DfC +/HX/OCoU45kXm4QLiQGBBBMBCABrBQJTxIOJBYMHkUpNXhSAAAAAABUAQGJsb2Nr +aGFzaEBiaXRjb2luLm9yZzAwMDAwMDAwMDAwMDAwMDAwNDU2NmFiNDQ0YzU0OWM1 +YTFmMjI0NDFkNjI0Y2EzZjJmNTU0ZDE4NjMxNjFkMmIACgkQf6sRQmfk+gSEAQgA +lydKNtlsoNhHYkJd/OtPMS0KsO0lVdJoXhVh1gijJ8Qpu9h//KYRc4RwrINs2DiA +X1nfQFAnt91jcPxPNfoDMP9SeqmgXDtf+uqze6FtEOJb4LNjmptIsBDUmfg6E6+U +Ed2pmXDpxZytOWDNRM43Wg0RsndYtEuQebZvJugF5ZoRnQ/YLvsTAPS/Gd+mJeaW +uan0M9iLBNexdZRjlSZlq8Qa7+QVnK49USn5qObQX8SNKZfG4ncgV9DH+9C2Kr3l +PWFlCI7CiijcCPa0GOATVLsOX/97MZT1flxQG3XPAfzMK0BB/EfAFLX/Sci87iS5 ++MGgNE58K0iJ4WDT7pERSYkCHAQQAQIABgUCU8TjOAAKCRAei/NJIykSZW4nD/0Q +i+t5g3q0vEtyCv6GBKp+1h4f7NPCXEH4XPNGZhLSuwHxnOkYg101zJZHHEIyt1ke +g/xMOaHIL6FOdF7tvbCaPAdRYIxZsNwqRkkpvQbV7PwgeoTy/uRRWNfD3dnkT4nB +jXm3a7b9FRBLeLCUFwl51bbuZ10MxzinOjfpnr0q/myzYzHwKJmqlWIIT2afbQtW +YWcW86apcvmtslUDAytZAFimvY4JKLETtLCLH5iXLyqtPOq0Fn3r1O7UwJ4O38oP +JGeIwZloJH7I2OZUStgv/+Xm1Nwkh5mmo09X6YqR8GSwr/WU/hTUPc8oY+bzpZD5 +0hu+xATGE77d+mu+c5YaJVaFPcWP3ZbBVwQXCqS0sKW5XmlpBhY6I40ug9vRkpZT +Ipwgv1QtRBfbfDLrJfYa+2wm7tQ32vwEWAhrDxz2maykq8Td1/c9E4D1434oG9tQ +gYOjP7ITmek0iEBki5luV2849Bh17w4o5/N4m7yEoVQDE+g7jQPlPrN5+ZP2Di6F +6JrUO3DDI0/5WDtwE89TnyfSqKHOCSyEjKWtpk2HgOraBw05eYxzMnE9QMohw1Mj +/QajRMWzwFID03a9xdww2sc/5HeGMjfdn9VDqvxSODL/TZA+u+4TVDZAXSXRMqAT +SMZdh5qMIJ9mulrVm6NR+xMakiDKqrW9E89tdKSx6okCHAQQAQIABgUCU7lmCwAK +CRAgZwAbG2eKY+xREACJjolqSp0FW7a2FFt6gunOrBDwJvqbI1+xOiYsuvd4aUPV +EuyA3e8Own7vo9CtHtjGogVZCj5LOrhzTjDyd43Fhk6IQ80ErgHdszqdA8wCDxP2 +j5O/sdQAaRdsulLZuHY6Bld6vXcq1Oxc8eN+LZyam90+8QDcY0snMcmWZXSirQib +8bYDPaJh/2QroVQXnkv+kedFKn6MXYzdhjNWxNxlsYFrg87kFCCgSEYJdA78z7bV +sF6EH8rwXVc6d7NPgqWEsPT/Z7C947SLJKu50tKkp7Q4URHmLw3aXdr0I03BfXF9 +eQa6BXYSUpdeTpdbEPunVe2pmghYCW1BFCUCIXp5iWNcUO3H1mqUvAL5TkwgI26P +H4mkYSYeYE6uSV3gy6Ae+XWf46M8M0ouyDYISkqSZHhZ7sjHvkuxahlW0iRTfknf +6/fNu04HjGNH+vZtj/3T48xk6bODkQXij5+8iytrCN+6QVyQhRWHiFrfsF81TZWK +NeyI4YxK76R/qeZC+T0JrEvJNBkWHPogpIqRgClUO8sVEpH5uhRwNnix31O3gIvt +OpExOxhsoCD3PaezKJarAWuU9U6ZneLId2SzkozSUt8ISS3wn1XBmffRQ6cNpzpg +QMDZUu6i0VIj7+SWgrOcpIK50B1t9gJ/yJzyx85fq2EcSWD389On+sTPmAd7k4kC +HAQQAQIABgUCU7rGbQAKCRCiDL6yAAxlFf0aD/92b83koGymP9FRyP2nXPr/+SSA +4KveMRrl8ogd/kDnBSBVZESsCzfQnpvH9Pp6D27gg6mob3FvyXpYq3BXBP9nNQgl +4oD9GPKCHIl9otr4hhOih8AbUJXF7Fm2O2jHVjMrO2pVi/cIC3Mtj3mH41V/KjXh +QCeAig/Vz0CF7XftaGVgcLZ6YeL2epRAmgpU88SomY+27xD4Dug40SEJ+FYTio13 +rTHtzS5d3lDUskv97z4DFOpQpX+M+5cvKEfItpwUOpe4H/jCCgY8ODsI1LqdQT/5 +xGa8uBPTX0PghbXSPHzI6ihcUN9xd5G5eILsANBNy402qszlbmPTrCjy1aJqmL03 +ibIvX9TCwmB0vizKRbymFIsuoi626RkqvRuS7bk+UuWybgZyZr5pkFec7iu42FSX +8kgFAhSQDlxX9P5mpqMeGbdenZ0vKXHEZzZPPYKw2OisNg64QdbN/0tuPt5F0zzE +lhYh+ctSYrH1FiP4HHgqkKU0O4NeP3w6YhdBuAOnJfU08nmL+UzOijG+tMH9iSzF +OEXsHGW8Zhy420FIu3WZLNsvpzvmpGgidTf7xs8a8ZxElPwf39DNqli/hFIBEQ1t +G+WGF8XFxsGPdj7yBmQHI4D2KDaoVzs7YeRMWoa9rg0QZ12S9+mfEBgi0yRPXi/I +KiN2ZAeZsibyixJ/WIkCHAQQAQoABgUCU+B1GwAKCRB7w1lN98Dho/fzD/9F9zf6 +Zz59QFiEVZqSTY97oIidkBBf4NorfhRZ3EBMnorddZtM8zB2MwZUz08F6A/BhDWa +WMDhYn6RnzHJF4owegHJnb8QXuRD3HXsDMkkMJNJZd6r4KrUtF6BgvtquGCkl9iq +RjNIop4UOEzt/LFGn01MTVa/gGk8it8UODoTw1J8srasPA/tw3RUm8Spc9ExyKFn +if2zKWm1UnVtgTJtk8ABJfk2UwwyzGg1rHsXY+QfTb00AnKXvOx2qlNqfqwqAQi3 +RaimF9mrwXUIERWGO3dR0qzD2KQHoxeRznHekprjguh1KBiWpz5Mp7gYNMRmYUHv +CsBlxUYg0QjFYexwhxIFWNBVZToVQN7Khbvl/0EWNvFJHYpd3Jtzc/GfIUC+uzGR +BdWoN9o71pPEvkPutKvfnKmWKop0V/gucs5PNvMtDzeTRlVtTk4hvzLhhP3BNreH +RmASvwERMsrQeDNyC0eu7ASZIZDplSPn2Yvgo82uUnJMLt/VfOh6exdr/RX+mH3D +KuSwCChhtNhYzBc9BlOT1wvatd01cMOjGfM53CW6yAg83Myj0BQuLTr8mmdYgaRN +yB8YEOxWLrWiLj6Bdhx0BUcBX3YVVbfmlUwlwNiUOgTu7dvRMGP6JAj9OYz463z7 +NebG6+83QwZAq3haID3f8VcoLFbD9PA1UU1mrokBHAQQAQIABgUCVFO7rQAKCRAc +eKMJRGHyMVVlB/wMrJ7EN4rSXyAp4RnKBX/vJVWyheOoKhZsFum4wBYYgG7zNmdO ++ze7+khyhQMRSzH/3Yg3gTcsXv+auG/Lm0/svZvnFFzQR5zEGxFaIcstNuYCmefM +vaaqYoeFYJesMruzYdF+oUzFfwtxHl33zCRoXIHYpbEU38nylvlCyH8j5gnVZDWn +rA8/haN13AzhVfwmB0fsGACJW0V7Eg8hICFXvb6WkQ0cCgDklVSGEr9j/mBnA23c +9ELVp9cO2k18nEJpeP/iH+OpvnKa4G/PB0/YpaHmul4CG2g2MeAnM/tmWluPRYua +9dPyLBelyofbF/LNkLzXDMW21ixYZA7f/QuwiQIcBBABAgAGBQJTtpd0AAoJEBbV +QsSdZ1HonCwQAIqORSJGVMDS013NIHchDgBF+dDl+mwiQrqdl80wgfesEZV1vKCB +ZQ/WYyKM+GM7IACyw3MXhd9YwGn3IYbPguydluYXxlwwUmk0tsCasYu9WHDpPZ/A +C22u87s447J61aoQt0IDwbYlr8YLtMxWZNI9Z7/8JMRsG94JCGYpLODn32BNjaXP +R7z+TxEyRS9kHYoTWjyCue8Ab5gkRLKEMMzQV5IF1TEBGEts9l7cwJosbmEmOrxl +k0r2pV/v0tcTzszYfAvliTlxHP0GHBSj56nVcDZR2x9pHmw0sjkhFX1C9qxUlY0p +qm0kPGJdi7bheaHBHfdS+dmHIIkXKGCHQ6jMleSRAZ+2etdPBDLnkBZT1+mlj8cH +zvEG1lusU7OkwenuO7PBlvgoTcvJMu4p5yjkyFMC15POiGwc7oGXtVdVXX7U9Jb1 +ZiOEGa4zdui6nNahV5XtP8cfi0nLnfE3F/a1RtxrJUKOozXPZXAFEugizOcrkw5A +bkUYdHwIzuYGkFyI1VQ1EfGrGGl0Ck0TZSyHIulwjQm4oiwPkd8FR++LVM8IizLh +9FOvxbuWO24h7sctcGR6mHEU46EPGg0jgT2YglTeffM1m3FbhfPxfNBJSfuyVKdE +Ofl0p9e80WLYooxtKOpA9Ng011DQjvj9pXxQDH96MB6nYWV5sql4m+AuiQEcBBAB +AgAGBQJTvar+AAoJEAPPSgqzx5pj7JUH/3q2W5lVWMHMo3bB1k7FlAwxQ03EpAR/ +lcNky8UPpPkxhmGUiEdvYt5JMMDRuCb0oDGTtcoZ/h25FEOkjq45kUw2p6xnE3ad +NN+LSIV+GBspuyNkE1W+Rx+u9MHtGQGEaaZf+KfdHYUpPXi83O+cTYLR3C5le/kB +Eg2rMJA3M5CvynkwAUgtRw9rYjxOzKKYKpi/Dum2CHKRUMvE3kSmc16o/4dVj2UN +KiDDGSUm70yYvDhPThzOkKGpxhTLt3HxN2IP1fQC4cTOAFJ6NlaMdYK4Ab0oqXDs +jxfVDhdMBXh6sFuSFCBb93+Vlpgdsw3ag1tVD3SQketWHOYFsJQQgh2JAhwEEAEK +AAYFAlS9HEMACgkQ27gCslis2E9SMA//bBcTCH1SJDNSmEQ/GQgj7OvkEnjKUFXh +TzRGTY/woGXnBjLkS1xgVhwVMkTcJAKdLLzlvR5c27nAM6d0VkSSiMEl95IDXq07 +NZ1vVqOjImR9lKtPHuDjNztJo1MgvbaveiJbwqhgB3gn6CDl7Y1W2OHWxV+7GiHt +mpdyJaK9vc1emyoIoYlsz/5BjitVOW6O5+Cd7ruUSFOS/7pAGk0/ffDD9o5hVu23 +exFbPEeb0+97aRZhwcTSoNXA7NTwOM2CWB4x4iXvDpLPcS9J2L+jyD/4htL4umtK +L9KT3U9H6HnYWLrc0hFJYwj4d3vzis49B1aACvx05lfRJHVaPL/QtymOiTFf6iM5 +cKiNQnVvx5+/1Jz2g7mca+xIiyKld7wxTtE8a4W6Cd5k3HZNjom1wKY15SaJD9bC +2jmJNN9mb97RRifv1icM1XTN0x0VuxinlW+RD5+ehHhlQe4EbEFMZ1n39lRvFt8l +bh2UP4erXYxbsAdV/b3+jSVxcH8KVfVRbQ/RCuZObtOC23F4WwupyvT0Il8bKpXL +xxhDfRW5TRJVb6CWpbx5oD9NVJqe8PgWt8cbI/JaP7oPn4hSTtwwp5fOhrhQ5Let +B1eAqtuT9gTWL8MrNyTfM8psHkM+ETD0JJqB7flNjxSdOiyNt96q5E2o3NrMTEOY +Ks8Z7A8HFY60PlRhaWxzIGJ1ZyBzcXVhZCAoc2NobGV1ZGVyIGxpc3QpIDx0YWls +cy1idWdzLXJlcXVlc3RAYm91bS5vcmc+iQI+BBMBAgAoBQJS8TGOAhsDBQkJZgGA +BgsJCAcDAgYVCAIJCgsEFgIDAQIeAQIXgAAKCRDsV7Vu8MQxMlomD/9/a0wyqjn5 +bUXsDzZAiEORx9S1+1z6Ehz/dXfjquSgon2EOiS95p8G3uQPymwLePWylvsWmKFq +p9b9zrGXouuBQFdVTQDjAsgkNq8W8547nHCWzfXQ/1U7TorGRQIuSl7GiKfwcQ/P +RETaEZarxUX0ydX7F0awmIGhKDYvLqpp3dn7/tMsl61+TFFEpWByCnXdcurokpJ/ +CQwS7QulA+WOwy3/f0jyR+3QfFjP/beK3mAzCTQbJBODh8fJiROuscIgCMKg67Yl +/xiWTUMbYqICKqW3r/0hqCNtJgB3RKVwWl3UUrNe64Ble+w7PURQdtWLTnjAW4ic +VVLNz8wUqyZqRREIFIciV7dGSa1egP54/PdtTV/43rkUNo9yGcvPEd6GtU8o6W8v +SCbLwPgk/TBIzUrHEoRVdr5UG4LMXtiy/j1hB+VMNJ38jlzwuuCsX45vKVpSH/U4 +B/AwXXMykVuY+0Tx0O5r5zMT8UBujtzrkyPJvJpetq9ivmz+B8Kys1Xr8HfZq4Q4 +0YmoIhNrHGViCTXE1jk8Mbxsp2p74uCIUrrroXOob+Cz6NGP6uBifogF2sNkUX6Y +ItoBoZe/TTmuObLBIncOcznXYKQwb7L1ANOe2c8YUFh8Y71woXzRHki8GvoGSNhY +wEc2XjYknFOTBudwbG0AvusxWEObPweWyIkCRAQSAQoALgUCU7vxVCcaZ2l0Oi8v +Z2l0aHViLmNvbS9pbmZpbml0eTAvcHVia2V5cy5naXQACgkQExjvrF+7285VQQ/+ +PU3HJXcqYMYY6xgZ6w46yASQX5cQiudj+X8bzxoRvLZebv4kBtj2wMhuB5Oryxhv +ZCOso78DZWuOVTxWkXFM8Y9tjFgqGRk81ppMttT5hjyuWS88NXVuaMaPBiuqNFTq +birqBmDtdtcCLSXcKbk6rAoMRepz5rYvcD4Olq1l+esQOVK+Z2SM/Gv1Nc81QWwy +rbElxjlKND4A6x9gJ5tLjPTkc1Vhono2edahbm7yPusjNF5Js2amNNk8eeH8N/q2 +xrWcjBldg/kAjzD4mUCppj/5qch4Unf9Q5jB5kowrtn61WOmMdnAcyOr+KApwoAQ +MkRkPt0Gh6q1YONiCz6QPb0I2PoDX+Q129g4LR2AroXGz7C9sn9qc0kHCnafb530 +OBfFozoJZa6dkvWEjiPm1F/r9l3swjZWfgrPIZm7lV2HkFrHEQRrPrGNMDvsNGvz +v+ZAr9OtWJKAErxlqRxTC/icSt7BG0urOGa1FPig2uqTqJTuo87YQliq7bPiTmP+ +JJyUKjFg9UogV66sbhr5R1GrJrOgTU7SmMSYiMfapQGU2KDtk5tnuT/Zn5wWukxJ +vy1i6d6CzO5u2omOfEvvLoT1mSVAX+cGaWbqB3l4OgsG6xxt8E2+8gMNuY8qkF8F +VxxvXJ/SIBcAyrk+rGUM2ugo7dJc7UBH6LerRej8MniJAYEEEwEIAGsFAlPEg4kF +gweRSk1eFIAAAAAAFQBAYmxvY2toYXNoQGJpdGNvaW4ub3JnMDAwMDAwMDAwMDAw +MDAwMDA0NTY2YWI0NDRjNTQ5YzVhMWYyMjQ0MWQ2MjRjYTNmMmY1NTRkMTg2MzE2 +MWQyYgAKCRB/qxFCZ+T6BKA/B/4u91yAs4GfBPT7sfZixLCFGcopzb3ab1UlO0OS +sP4kPVWH9qrXKEu+KEruxqOf6KPei2vfZ1taHNfmI7bRj+GasJzBoRKjEefG3TNA +ocA2pYYVdaX0Jp0Wht6cf4UEwDjQinXRoKaiHUfWy+JHxx4pAu5ybw9VdSl+tJbR +OsM+uRdQvcYbM99+xdI0EUuT/8U08uCoj7aJPFbWGx3vHrTyGVI9fW8AePESdftV +Q/DoMBuqu5vkkmGzAL36vIrkaMbvsxnVBVaoRy/TORHp8LcyAq988RH92FO/bjuo +6cI6FtIpS+Gisi2oeHq9YMW9dc4utCn0/fJ00C3Vl8W1Gw3tiQIcBBABAgAGBQJT +xOM4AAoJEB6L80kjKRJli50QAISoEp3a/M+BxZ1usKSLtva5DvN/nP5ves7pW4sR +bKdTxea8gnJ1vqXcviqXRACcElrUtrxUNZ075t/U3lVuA6FNI5q5tICtIbhY/mpO +Pl80BFCCJDFgvGtiyAj7MIAQtXReTqPvM7Xwl3ynGq63jy+BX6/nztbQZMoK+4aK +4lWnHrb2+hrimQaYORE/YGSrCfKyn+elNsLgrEmZwuOdHoxnpPl46+rKszg3op2E +ZcJi9wvd7DQwp1I2chU73CiCuLLDe25isI3J4L7a4psVjWb5MEqGu9MEOiGoKdu0 +7I3qbHJXL3fyl31ozI+F3rlPQe/pc89BoychfiHG9/AoopXGayjcIFCvvOmnH+H6 +vHMVd2TS2nR3Nrq68cB69gUH25MVbyoqHrEtKgLEj4wDeF2F3u1S0I71QV6JgP3I +i8Cq2Hi2tEbGIbF3lTN3YQAMkrbdp+5Ju2OTy2FdToZC0l54gsL0RMAko5TXpK/w +NCIdCWJopbIZcYVvYK+TjfaE6MWj+KdmkSP+m4+B3h9tdVowLr9yyRpbrRfB9IVl +vZDNBB7Tv8S2ZWJyla9MjJSGa16Wb2UCqQN7R8zUuqPJVGmh4gPZNYFLRSQa61tq +2Uqez0Uba3Jq1s7kq3T4RQKvUzOmPToPPbdgj9ApBtBNzcoI+RC2XG3hL/WgFMaK +mKMniQEcBBABAgAGBQJUU7utAAoJEBx4owlEYfIxSe0H/iudXxc5Gn5BtsQn0nt1 +wt//pSVGZwgRUAuTdZhcCH3Nj/UvNPjMx7Cml2/KDY311/tttOdyJzi1P2g6T9ZT +5ZBXEeVIwnmx+Cs5Y8uv/ngp+idt94xRzxlW7mYZwQwgwDk4kgmaXQgXoJjxlpqp +05YMOOkt1VN8Xq+YCxT2for17ZWiXhzu+zlZcYtumXTZLuQCfmbH7vXXIL0Rrw0Z +FrY6Vt0Vwk2Z1Z1yQrsUC4nCmVWd6rZLuYLLU/zdu7tCu7WeXjxWvrTWkeUFMzEn +NsucPnV+tvOjRlqFJnEYrDy1G81/DKj7zaxxSLAJO4mEkMYGPH+eb0iPw2pxd0Up +Vu+JAhwEEAEKAAYFAlS9HEMACgkQ27gCslis2E+NLhAAi2t2Z8ZnSArZfDraR5JP +l01Yy//NEr79e78mod8NSWFTl/36SXZ9WETdRZa8D8mgt4CeE8WXLZRsKJLvAhZg +3w+m39MutQXKr+gJ1UgD5WazB7xeoIuOV/Yiz93myfS+yf0laNKkTpEOkCIFMlWZ +opxnk38cOXkZA+09zUaAPpEHRNvzyQYsVYkp7pqENYQa2c7vnVA5oaSpHRvcEi71 +3TiZFTTMALRx4HpG1HO5OpRPayYXSyxQZDzhIYyFi5WSkXcRf9sHggZWNouDjUDG +t2Yjr4UGgN86QHULYVE9ZyaHzSY+vJmydlXJle60BEm5fTnH8WnMgVoVNUCAtJSr +rA3hWXcinlXYBSdjEBDQQX5HJ5Xud9ythTRPIusNFbJpkS3AsknVfUPv5829Z9cf +2qlEBrYnkjXBxaWe9qEQNn1j9S9Ou4aXtE3A6zaGtNb5lzqt32bXvCjM5Wbr0bJ1 +Murwadv0SHm8swKvX8kpHkux2SkNjSJdlBtNB20TxIOu0bDTVGhq2L14rcnmaFyN +xqC1aD5qNzR3zG4BBluBVvJIuttzKO+g3zPhODcjMLTZDkdIGEsvyf5bgpw4nvq7 +q1+nGSQgpHrNR7k5aW27RLgDza7KTKqTec6kchsAhVzngroV883Czeab7ZQ1caDV +6eqdEry06/34aOW0W8V/dw20PFRhaWxzIGJ1ZyBzcXVhZCAoc2NobGV1ZGVyIGxp +c3QpIDx0YWlscy1idWdzLW93bmVyQGJvdW0ub3JnPokCPgQTAQIAKAUCUvExjgIb +AwUJCWYBgAYLCQgHAwIGFQgCCQoLBBYCAwECHgECF4AACgkQ7Fe1bvDEMTKIbA// +Uej95M9Jd879pJ9mboPOMfpOXGxDfZ4os/Qi2WLw8gc/GJmSrxSFIUwdQlPnHccF +x3yIVoZUIe8YlRszAa+Yr5LyjRchzZH8SZ9t6MGH6t+wY6auttYypv/VRPkiwk8D +quNYYxJI/LZIwZzKPzCkCUHaaD8ICqCKtwKQrfh3ut5kfB8E56doMhZkfaDCHtzk +dbi3j1WXkuoDN8zCZISiYvpK2qvhiqCWiK+8/90nqxI+tLPMybHMRmE1IfhqpP1L +FxyFD8DzZVOHBN83xn4jaek2Wnn6L1r0mUM3ktQ01xBo4ARFgXZhLMqfdfNTITIh +hHdcAeoDVKaLHb/8BWPfXCEYgZ5BYYbBkpWM/SRoiiFIXLlLd0Zpeg/hnB5A9UmL +VXCQ819OY2WX+WsBh/oNRTWsLTCK8V2bdnCj9w0bHbkaHJ6Dt04xbydvrgksGSQZ +lNt0JJPaF20jPF+ruJQQBOsNQzBjkeuTMV9BENU5SqYFniDgMuOsY6jpMeByXKW+ +mc3ZhqoG0Caj9xNPMmIVddEL4msd5huT63D85rNg/O89L3PoETWeDyFSDkK8Clht +DRUmOs4Zp53XK1QFeRXWncWRYP/DtpKXka6Z1jhr+wp+vGxjgKBQ0AGY3UVXtwC0 +oaWRETaXgfELOrfQfSoJmurPf99pLT2gh7P6/fEe1DyJARwEEAECAAYFAlO6lUkA +CgkQ3UDyWKrOAekX5QgAp5F7QybNuLubdaZna6lq5bO28KFgifPaLhuavFF9aQQX +T+NNCc7WM3hNzE0HxFwMgElfb5Bi6AnDigI8LmV4s/0ZGOLCpEOTBpJNeRYBYAs3 +RwRqSEn5s+KbUMigWpDiK8WcyO5NariLUm+qolziB8YJmCqogPER91ULpCqzZvUm +IOs95pmgqkZnEfS79eygLWmNM7fuougTLr67ambmYLlKbxTAlWJjQxrRRTbMjo8f +DUHeYKKJWuKeB6JDBdPZta+koZUeK/VHKS0uzLo5AJtXq60AvFV+tNz9mqN3V5uh +2kQ5Xsr9D495VlocV8dSj1heuojv7Ez7jHdoODq6vokCRAQSAQoALgUCU7vxVCca +Z2l0Oi8vZ2l0aHViLmNvbS9pbmZpbml0eTAvcHVia2V5cy5naXQACgkQExjvrF+7 +287Vsw/9HDx+ZScfS+OzD4w1AWLiVzatiYMu1mRzXH+F3OCr7QF6We3pnwA1/X9b +kJjeLFrE9pXrYo3miuIXmi/nr5gDf4M35arj2Go4cjS6voW67Npw0VCWePuXSGBE +squ6OzK4U4LnMxfq1Bfh7iDOFoQTHz5nVFBPlv1wkBo0E3RWvfkfgsYr17njU0nL +v5DvJlrDmiVTjRIEuJkRfb3tNtcQqNkDPs3lJpaU3RK2KBg6XLujiijPr4mHa9ld ++J8ubKunCrNWHKIDzdll1x5U0Rh6LxcnA7wA+nB4PBqamkJur2S7E+KvsmVVZmQJ +bS0o0Ym4V4gXp4XF55jGuhi7GIngiQhzVJTBEYnEhkgV3PHdSYe1/HFutD4Pstwt +2PbpnIiys1yN0Ytnv1CsWGwNHrP2CJ/QKerBD9QRHIw5BJ6mixCrWHS17WuPJfbs +OfeiKT300EIWyo+aweOIvY6AdAG0IoAA3yG1jsiNMhWk4322cOCKuxWgjkfvfJ0T +Yli65CNBK8kG+eAan39mpXuQK8MQ6+YLHlMhjjQlMhcJ5uPedNTj1If8T5aVWEJP +/STE5NZRIYtq+EsvJQ82O/sCaOfJVMPyqvgGPy9R5rLaYmPr8mVzlyWMQqlb7V6o +1EhAp9I9pDUeOklRUUqGj++yW9Wzo5rCX/TU6NekLvywIjGPt2eJAYEEEwEIAGsF +AlPEg4kFgweRSk1eFIAAAAAAFQBAYmxvY2toYXNoQGJpdGNvaW4ub3JnMDAwMDAw +MDAwMDAwMDAwMDA0NTY2YWI0NDRjNTQ5YzVhMWYyMjQ0MWQ2MjRjYTNmMmY1NTRk +MTg2MzE2MWQyYgAKCRB/qxFCZ+T6BPenB/9IpqVS6OuyVvcHTnA7sXxmOaR0QzkI +gjSQeVCRwIpMWAXesZVG1a2UomN9B3FJCrMc0TA2MfyGfTLqgEwRCeLrGILTSBWF +2MTdTvsTD/0StKHGgvrURYEJS8lL1geUYzu2qA7JDC7/4RkJryBQALidCPN+QcYj +PiIOpFtAr6AK8elhAzbY8h53kxysVmHGlJGYWKD/PRUugEPSnTkNrIHa4vcY/QbP +kLFCaHNIbgZ52pewCC3fgeQzrRwU4kuSgXGRuMan0jgoiEVcDwx40mknhVGm/tcA +/Y+63gckSUd+6hvCUB5KiL5uvUJhiat4Alh4qanmxsW4RMHR3WNDyivWiQIcBBAB +AgAGBQJTxOM4AAoJEB6L80kjKRJlSpYP/Rq8v3SZrTdbiizRItXtJXe4IQZySs0G +teCYlUxYW5811zRWyR7KoGighxnRLmKYIA282u6P0VmUi7Qh6WFlD4abFdZGL/U+ +07cqCPP5SJydb55UoGUxfPkbf/Dlg2iV5LbMgkXOc1K2QPWN94rsSCZxlYkXgNKI +08W8/0pN1xmLraLq1KARrwylwLsDDJpQ4P8Hk99/iylC0n/k1wHkoBxNQHAr1a89 +lzIAGsREzJcIAPDMl1ZvB9Ab5ihNwKX+fbkMLhIa27S+Hk/SLoB3Imb6DVks0TZ/ +Gcyan56HnNg/QOgIjF6232sXKFMm+vazYtfIPdGqMMuvuVmqQPArytodiwpnxt6t +1xgKa1fu3wLyCNvYIldBCUDUNGFb3l4ufW++7sqZwmrHYpNRvHdf7yJ5V5AI/hFM +VDDlsNQJcPda56xlqv7zzseYwYuBaWfrHI2C7JRSgSm3NrlXL/PGJ1ylO31KC4tY +QpNTJgvgbDL5XUVwFmHY/Pvb58z9eacVGiTVYj/BGOO55nI4M3WCmctkIVXkDpmq +/xduJefn3KTW1N00UqfAz/+NvlSqQvP47jhrmcMcOtTkLChvUp0qDHYckSH2rMOE +1NvT6gaD7goB84vikJ1+NND8FLedjUwebiEDHBd3pDME+UOO3bCtaRnslUdFYB4c +syuotDju5nIQiQEcBBABAgAGBQJUU7utAAoJEBx4owlEYfIxjWAH+wTr2iwQLwHh +nNqM8s9dtFbvx8e75jtLRjr/6Hnzp3MV8NgI7C7a+s2/w0rHIbp+TBLQJygTWiwe +KmYSINvfCe6ocNhME9YMzG01UDgx+wm9SRxKZGUjPKn4yA/n+1t35GIdFSuWjf48 +lJr42L3QtQj97304om04fhZuqXN2AcX5KAj1N79IdyOMf17RNjXMmSt3L4LrI0RH +hOZAQZY7r/h0zzxi73idSZzqQyCFGy7Z0GDokkYyetxmCPREmzE3dBGiUAapBoxi +aK9M74lhyvLcYt022BOxExy9jNJFIhByr0yxIje5Q3fAZ+wfcM5nuCbfLlW1bT/g +aXbkRHyD0LOJAhwEEAEKAAYFAlS9HEMACgkQ27gCslis2E9sqA/9HwEgN4AYtbps +TrHmsRqaXrlmOM6mAzsu29rEaA3Dq6tQQQA8kGaUFt+ZQYFnnMOkYXS79r6/S9QQ +QOlhhb7jtaV9i1UXMpkv4T0OhJ+YMwCtxpMfDxwi0QTOnkqOa15CDp0tbnB0BgN0 +TaEqmfeZPEt7ZCyE4AiyKc2V7zhXRWOMvv2DZXKCM2+pJaR30siW9TtE8Wv2GMS9 +1mW0moM6MxF+LRx1BjzhcFjjAnNTtvQJBxCo3mQegZ03kztbN9cS7TXjb1c9p6Q3 +5oWziEVBb+vbvXehvDlBNifnz5a7eXIpvvOGUk3e1VZecAR4Gmak79swAhb5F5QV +CQLSg2URYf15I7mwKbzaBzX2VlZ/0QOzkhO3qHqCmO8OGsKjWllQxhd8AsQ617lx +WurE3vWit/T/DBOoH/pu8enyGQFSTbXfUXSHNrfA4MUNMQZv4hxC2EnYZtmfSvqY +tbeuJFGUnrzH0Gke8zkmVj2AEs9fSmdfkBHbBLQmgeaSO/uowMK/a+vL7IwKsYGx +TKfJKQmIGYu6zvImmxACD3XR3OWxgKl30Rp4dwPZ3Cl0sPY3LbMOQn+FIo2AT08+ +p7tCKfA7djsgD+4pqD/+1l1wW8YznwTXeGeYI1JoLtsxABlV03xid8S5kmxPNP8Q +hlT0Lkm4I/HxIrI0Tm/lY7mersBIVe60O1RhaWxzIHByaXZhdGUgdXNlciBzdXBw +b3J0IDx0YWlscy1zdXBwb3J0LXByaXZhdGVAYm91bS5vcmc+iQI+BBMBAgAoBQJT +6nCHAhsDBQkJZgGABgsJCAcDAgYVCAIJCgsEFgIDAQIeAQIXgAAKCRDsV7Vu8MQx +MqRoD/9se8knrrzc/aJ3xprahf1QW7cliIBp//Tpd3znCXzFVYMw0s2ST5m0tZ7S +QfYlrVXK5vyYZqRs1w0AJVSqI6PMtt5VLyWzg56Gv57JkFov/P7ML4TIPeomFgnG +OTM0IXACMWA/7TX01RR5zgRrwVTDnnSS1dtv/z7ZiOugTmWy89I72tmK+2ZFkjeB +2lp51DIeWGyYH2RDaVh7LFqXwvQ9ra2hPX2pNnfZSAsMSAYRT/AH0XId2Aovr0ur +yP0MPr4tZt4h7cLO8LWQj1zQLSLDch94xtJHg3qZZE4vU3Mlx/0Jy0xtBr6/Sjq0 +HANNmVxvMLdtGAPiMLVzz2FHlLGd9TkQJYkpAkIlPVxlc/PJaqPAlrpAxXJ1BfiZ +2s9hiGUCsSNjPkQmprNfxC1tcvPUcBfEpQXJYeJeTYr/kaCu90oU5U70djfBebpw +j48umg9daxAeKFZ3bi11ill3kec1agCNe7H60JAw1gbc7rIGvujKM4ZXVCvgi0fb +o+jh4e5NTSK5kY4wv7IQK40LP9jIIfH1c8SB92AAK8bM5Bg0tAto6QM9eNgRKC+g +Jq7wEsNcfPcZasM8//bns3LvI1cKtmY3FNMR81TERzDZIwgMY5370GlOJJlAQKp4 +Y7Lj0yAYhbqoX+4bUcdr58BC/RE/0Y2y3HcqtKNecJ/BWlX7HokBHAQQAQIABgUC +VFO7rQAKCRAceKMJRGHyMaEGB/9WtB90AHjrN3qVvcYMaGiksfxb0Rcn/u0Grms9 +FsU3MxED4Knn4CiIilah7lcP/d7/2tQ2vByiSNgVzmUXJE4PShSZ6Qcy9sT+9F1V +r+XsvqH6NNLvZYXrEVuVZG3opFhBpz1T5gJ1JGMCB4qWDFC3SsDRvcchbmIltB6P +ZuFdH10W5d7i4pRlnmyFn0uyCeZEgEGXRF53jrKMFK14QlZAXl6Q1EFHDfbUVMYh +0v1AR8gPDUxN12hINPofPF7SGJtl4olIQa+XYJEMjvzgrS4T7SqgAZg6og0RnRIm +JzSH8Zl5k4xxhwG35xWez1qbKIBrobccU4ltcxatHqkC+d0DiQIcBBABCgAGBQJU +vRxDAAoJENu4ArJYrNhPhlIP/1l7AzjEoRQcsUi9WoY0KtJUbq30XQmaYC40yySs +YmdUJNYGvnHgxCu9TqeUEH+O3d6jO2hkLrkh/HJSPnNYT/bJlThwTI4Zhgiv/R+u +s5gtaUCj/7k6wfOp9RtwY2e0SMOHboIc57O7jq8YzXvTPmNRsPr68sVmPLcKJ0kx +WBoVeLGh7U2lGCgU1Is/XmzJbDr3JFC+jPAb6nXB2EutbjhglvUjSccbtV8xODy/ +HY6Rt6G+9XMov5RdUEXM3RliFmTCzs2P/DwdyimOch11zpIweMQHIQ0Vr4fD2rBK +YDiGkr5qIll9efdgk3KA+F7AnMPrPqaeXPRPztDWHJwNfisSbabSw5wHfio5Vo2P +y2NqSqtUo1lHX5AHayRGG7TtlUjeLyc2PjlwLjV5KQl6MPd73vvfm2ME5luvFyJu +iWCqxpwlBsgza7067lBfFzEr7ghAK+OEkeER2GS+9mxDbtdUEHL0mczOAqu6Plsf +5n156Yq/WcV9JGsRi8GvtVV7PeWjCP7r2Wr4qPat2oXe0CRwDs+GIs88xs4QgIKP +TBv8/H0T73VEMYHtqEDrRe7TBf4/MGeqCRmVWhvngUr5izczUjKmRSM4snCYtZgf +7oxVjE+I1ErMhKpIQZfgyZWLFi4a12vSRF8CMn+J+FyRW0qcT/+qs8jDkVmSX0Qd +BCn8uQINBFHvzFYBEADIhBlqAJ9pBAvfGTdbOklNcqeTX9onJohJBNtLLzGg9q0m +F5Fafm+H5RyGYmI4PtJLTy81gAkK9613SHTPJnJk53tkPRfsx6IE2R5+0MLiyBNh +Nzt0Pb8UbI7RkDmi+An7k7bMkoItMI5/7B2UXYjNf++fvM2K1YLJduCm0oHVjHtq +ag6C0W7K2Jou6hoRRBaU27WXUba5l30rz5q8WmSasvyPb5TIVAOIw+Kr4NqlnAq7 +4XfJnFJqeE5rhLtT0oPxxWMitGNrFOwWRDJ54hRS74vl5gS1CZcury8JMlReqRrc +LjYuZQ7Dfn8XpL2zlZUSreDduqQeHjm8bvkbsA2m6eLkYbXvPSe+kHcK6Q+vnqSE +5dOoVspP0j6eU0of0e2jXAyStBNTRhwUYjnszk4PORN83uZ2jS7ZpG73R1/3x5Of +r2POmZ/x3mRMzTtIl5E2GMmisIfTm9/m3EvN0uwa5PIPJ+mxBtu4JZZRWqkP/EKQ +6lIe0kQUaJy9IDzv5rkzss5qQ2u99BDroCW1DsesqUtPIpifytzxiK0/SfHu61JE +W8LtYAwRqzMFMrHn5surs0eG9O2gxNk173VqASzd2HqbcZQc4FyJNXSzp2CeEsHN +m44cV3xgrwLhAd6sjDOQbvsLFbNk/Fq67Jj6s6h/RPDY1dli6amaUd5jOGDu7wAR +AQABiQIlBBgBAgAPBQJR78xWAhsMBQkJZgGAAAoJEOxXtW7wxDEysj8P/A8oX482 +vSczOC8GEjdXAP48snUzaRx0DnVIOQlN6/b23C5sEl1A9g73b1uJ0Wnyn9TkLCAN +NdytHC4xlrzhlZQWkyrd4umIKQA/O/qSGWtG0/HOzFr6dsVdEEHI4drI5jJ1JMYc +OhkY5FJcmU55APq0f08Ckp7dq8zwWnUZXmkw00KsuYg+GKye9q4Jvx4oTRccyiAK +jIOLe7A60x4jd3ZwuyJwAmh4qr7jrc1STulSw04gOBgYE73gnFdylP09NGR3/3ye +NL7EBLCeE8wQzOPO8XwUAwKoIH/ulrzeqbSZMf6qfLgY6hUI8JNZxprhS6aOf+AA +cpXMnHKkUbQHoC246lHEsm2kSTOZEf6Y99fIBh3MeKLLIWzb6a3LZv4+Qn1m1z4g +0Z1iMRGAmSsqLJrtaqsxq5VgGV9xOuklRX+PlEY5dLgCM5quLrFTXWYAbzJ/+NGz +rbuYIF2P/UXtJQcViNOr8hg2UVBtpNvREGsfL6+0IrKiIPOrlpW9YPzSuV2xoXUL +Vo2mx8ijypA/vHOXI+3Aq06RhZOEafKf4C6iUwMLEbufa2iVz5vc2PdDXoGu58L/ +fxo7GyfXQupuwyn5fQWoZn+3AIO6avhrU/fN0hOXYw5fLG54/gkkfzFIZSViJiMz +Ri4MprGCpj6r3uqddwExw3ota8oGLiF8ihJE +=oo2h -----END PGP PUBLIC KEY BLOCK----- diff --git a/wiki/src/tails-email.key b/wiki/src/tails-email.key index f73e2abb58ba8505e90c0e2453f448e9d94679b2..47b931ccaf916fc5a8d5595432fa57b0b243029e 100644 --- a/wiki/src/tails-email.key +++ b/wiki/src/tails-email.key @@ -11,975 +11,360 @@ to3m+fWi6QFaWp16lsk9MDcTLg1HPslEoaLRKmhWc60C+Dtc1zh9mx/vCuj3WB1x SYN+EgoWhjQpFljK3BiWbt4i7Rj+Rhj//e0MlYR1Skp5yz8zMqcMpTSbxJFvKkC6 CD4hBKtD8XUtb9yYihvc2ii+LVGEQAhUYQwiiRbMTMoYpntVQ0JufDoadrLdmaki /xwZvcqResXfVdPPvXkByf0e9Hx+Qk31MQ9lKGJSdAeCntaBcEh0gRe21wARAQAB -tBpBbW5lc2lhIDxhbW5lc2lhQGJvdW0ub3JnPokCHwQwAQoACQUCU94L4AIdAAAK -CRAdKXXt+T5zXzD1EADFoOaJmV9cOTziJGaglMyaz2ch/kVOtc4Xpi4VQMkntO8N -DtbuPnuaTZZijeNbyJ8TcI/9XiiZyU92+58CImTPWXxJDiH/EFBIBa/KTXehDrFS -/sGZBvLCntXPr8RDziqiO/fgJQTcp6GHvBF4ipxhYzsbpNYVj6U387iNyG+r1XI0 -PWlGCyHT6+XsDxIqRiziOECrU1Vzcn2RnCGSoqKzSKYwxDvc/DDC1D74FZDdrN1V -BUj9TjcLnn/Gl4NYjNvBTJ2Tsm+5ozfoL0QZPcls4ZG6f3xd4EMBIrNjE1e6vYPX -A2Qr5OgEyD+nRK+vwr2LhxbiNDhAgDDPPDCg9AHT/VjmrnBmBObhZdLBQHEpyy47 -ZwmGJVUPxP6dFACP6dXPZm4sCJSyFRUxW4sx1RwAkE/xFQBr5YlyKxeC+gzd1Fcj -JKoJhdEe54mYfAygQU06ryMaEJJWpheAawu/ldWGOKornyTPlfB3zoSlDVPPM8yd -FFAzSKOJXzXBXUGDX7+MkUnFgHrcLDu+s+7kGFg8fxZrKaD/bvL56cVKgldBHQau -qa2QT7QM9FHSjp44/9vdw+eJ9A9YrSb42MOuBLm5Vifaysi1rw0PEkDiEu8qf/v2 -K6SdB8kIYOUmK+My4YRHUYBLK3Fq6kiEQc7MqttUIi6KQF/fHCjda0bjQE7/IYkC -PQQTAQgAJwIbAwUJCWYBgAIeAQIXgAULCQgHAwUVCgkICwUWAgMBAAUCTanOvQAK -CRAdKXXt+T5zX9lEEAC5FQUckUgM7UYAXlvKnAjdk5flme/f+t3b6aXR3Oek3S6y -1kRKQVWXq4ZJJ/0/UY9Ag9C2m6vYEoml4O0GxpbilPSFJuOX9lPib7hFhpXwKR5R -sD677r9XlGUyQTFpki/yCakAJ4cNG43U3/8o4WMPJVYo4xRsyWolx+mV5RzHbGT9 -N94n+bUhFdq6ffClQGSLQHwrdzUojZ4YzWF2MOwnVWkT9ykqUmm1wNN0MUexyyCO -1bO6cTioYI043M4bAPE5clEUNTZ5F62PExNtl2Ix7FXxyFyynbj0A7xgRXJshz1k -1DEFdb220Jgly/ZqwN/Gr8kr+VrNc3P8k0TZVN8uQ/RJupdWdUjDC1ryvUm2rSU2 -OjvutjGWcAwrrzQunM7CMNapa1P0Wl4EA3WQtO9+xiURKo0NPEQ+9U63++hTA4g8 -+MbFrb2gg/VTA7lP72WrxvDKte2d2/cLNWdMgDFHeWlVgwWUhPnXhkFrnCfCKzcq -+or+Q3b4ym/6kAtHnu1YuYR0MMLxeII3GiDnnNAQ2w9v0P8n1tRKZt0hiDN+HXVz -eWUwGdUP3PR36FPn1V1eSejxHf3XJmrNgX4YJhZQ7ZGABclJdIELDp23Kjoau8fh -cByKzYyn+bHLQKwbIjAmKNN3Vy4Pt/+LIhl9xms9gXJrACn4axL7pGAm3icjjIkC -PQQTAQgAJwUCSoXW7QIbAwUJCWYBgAULCQgHAwUVCgkICwUWAgMBAAIeAQIXgAAK -CRAdKXXt+T5zX6w7D/9CeIeVdDc9OVCCytXuwN9CSggr5iYfmSxGD1cQTI//irDG -mFp7QMAsQ/KYoGKvUFuqlVLQHcXm1N/JTsj5H+uGjl4LYk4ZpXNYCkPzfFOBx1uJ -Ova8lB1CN0umweTP8awmbRboqqtqTE0p6J3+7UvrHP31lfXe4JZfVuDRRoQdExkc -QiATwvP2SOXUTq9akw5wrPN1KwSv9/3+50s/F9XciFZqmgX7KW2SCGk5j3DX5OiW -1+F7eMbgTgNcoVy/LRnW8wDMgsfQhhLVbDMIUxL4IoIGfYqr/MHEf3O1Vr63fYjL -HwrV+YTI5yZgSmGC4y9OKpeHfaoo2NoOLd/o+Zd61yat4pmF/XeWOQ3SyoJbeDnw -QB2OBD2hoQXpVTMuWuAtARKUitniYMCng4wrlc+mp7y03ChWQh7gXDLjfB0vS/73 -ydhPl0sEcdYpA+TjM4cFDk/mFXf+jvBP1m/uiQF8yrbBt0zI/3XWJs6IYl1rUHte -uzJk4YtSBoE7wCtTYm/UX3jPg9DDRoSSjzGlerDlP29S68oV9E//qAunAYFIMcdu -9AfmH/uiQW3z8qaL1dpoivAnnUlIGR/IsjheT+x4r5RRFUIFR4DfqL1xWNDRaDpy -3eQ0M7FAFYHEBaEtCxnsBKp+/NWfjzGPJr4Fh2KAv1rUVYgxXhrVMrU7WNkPhYhG -BBARCAAGBQJKhdkdAAoJEKdPbWn9WG5S2AQAoK7R2Pa7zEaZW5rarEhqPsvIBGJE -AJ4lHTr8jNoqdwbWduSHJs0pJZpsGYkCPQQTAQgAJwUCSoXXvwIbAwUJCWYBgAUL -CQgHAwUVCgkICwUWAgMBAAIeAQIXgAAKCRAdKXXt+T5zX/yiD/9aXHoQX8GKp/xL -S8QxZJd+D3J7fMpcY70FKdKIK+plStIciYqEhzCD5tw0+2Fp4IY4b9MnDcw6TXRY -bDkg82nxAfSucyfYG24QZ0vIPlcyYVOdcLMGMSzRUagQRqmpv2cCFy7Wfc4iX2bV -KyL8OhhSQTzGC0qzBdvJ5qTJzGPemzH0APLC3mTbGyG44tp69ZpzGpBbdJt1aRUt -VLUDR1qPdo4lM8e3Al73IbbXceuTQn8Ju3NYN/GDJz4G+ZeCFQ8IZ3mr8oF20ZhI -yq3O7gRQgnrG+lL5mPXUtghBQd5GaBsz8Bj5ow2gyCWR76UOHjL9pj7Jm661VhMt -Whax1hg3Zt1h50eghCxawQ9MuwGmKTV3imnzdfAK54WFmY4JA/btcwhVHa1zTin9 -3j06f/+9A6ZJ5weiehIA6bhvsw+bifFo11zLdCnZ5Rg1qxXVOe0+Ipr2LTDuX0HM -gN4FLW62uV85IpFnKAkP0ipRZp4fohrYzwV39Q0CeCVrlGDuhcWHgZit8A5mIZ1m -oOzkV+lb/+f/tEgVCcOrWM6duspatj8fmQZ6Ln4rwJwxpub5VNQl+RoVbY2u/yP6 -FmqKzOVBV6p7TOQfxCYL1AdsX27dst5fbSsMDvwu75ZXbY8Zt8HBAFUxZyME0HiH -ZZb9hKxPMScxwWGKz/K722ntBnarvokCHAQQAQgABgUCSw8E3gAKCRC6zhXSpXSY -/7fqEACBDRD+vHOtOwkhWiR60SbFnZJl5KrxWHwpnrIV3hCy5z6fPQaEeV+vHxqA -afSb0dSxe0O6zP2UAd8FC96qxw4gxJekSeMONXgAHpM6ZvvllA7b7c1/dqB598Rs -bDl8+v6+lawzbyUQ6WoiKkm98+EKkUtUl+54yyU7IlHERRNHS+rVhfZqed5jHDmT -AyfMMBtHbVctbGi869tjrJ9zDK21AEPXF7gWG2jdRihIzHdLz/YZPuTEGM5lhzqO -25Lx48RepsXX8dWZctrMSrEoN3jsbQgR+8GPlqSojYAtVoGzPGJzy21/wbUFWXxY -Xn7zA3IIxTkRh1t3BxWjBQzQrYLCYsl9vunO1L4XoT34VmYqmL+LtNSgDCVbPrAK -QhLX8N+82Xz4U1xJ4d3XGX1aHQuVnVqh69Ciy6qVaVyv3J9kLwbLwcFsjpgFueYi -Hs0crO5uTg3DzKsMOhCrxsmnW0gln4PPVaq/Q2CDoQD0LTnboDVpwhcIySmwk+83 -toWVpIU3MyTRbVBKt+/GINwqwWmIGQU/fPwoI4ecIGFHmPpfVElmbjDXPifc7Jxv -KtCBuQax3kk33/53ff+TiOCOih0X8MkWhgUgIiBYgsvutt8Ph3md5ewnZgz4uGfE -ME/ectlG2TMGT1pYSQq85oE/lC2QuYjTaXjr6Ee5K0ejBWRev4kCHAQQAQgABgUC -TK2wawAKCRASAoIcvizZwWDPD/95YZI6Ekk1Z3M1+PRQeKY9PaLGU61k/eZXDLot -oshqG8QWilD9jYte+sE3zV53XkG/iYrn517ROF7OyPcC5lQSFsipcTqsF7qlrgMi -oVnWg5GPvjVjfU24Qo5lPZCt4Hc9OWFJMu6f9BTUykaBa2Qqgk+lR97IO20wzxtM -ZX8gElzg+KMv6IwcB47DgFCcBp1uMGfxiAgYpPXUs8P6IWpa0sFK3w/o28+yyiRJ -UdQ7dDhyvWtKLlSVDIbd1g6cfJ4dDtUdaie11oxkVJzi/hdgchFP85H7kSok8aPF -T/myg+jKw+Z8C8d4Fvo/OhZoud+JN5H1XGFN8cBPpFNcld3IqaQgZ8xfO4/bib2P -NJaUkDeb4QD6Hb43/RZ3ItIDaUY/623t2FiqboZ2Y+zQpbQIprQ2ZnVQWAey0Va+ -fl9qKj4ErBV7bD4m1VGLrdlJHqixXbM8NyjYO5T6z4Qgs3dI3Efk5qjR5CeSVsgP -Y6Kq3sHTE1sFpRsP/giKN9ciG9QH+kKObr41wrdkblvES6pnCeUWvKvSG10pc0oh -+5Ywd7nvPPlArSkb9nql/TSu3EDWqEDEZHtrwKD43HP3IrkG3Nf6z08BviKYACR6 -ogPtcNkl/hxLcTxMLywAo8L1qMJtO8F13Ndl7Yb0dOo8UP0gYgUKhV9EcCJMtYl0 -6AlZz4kBHAQQAQoABgUCTMPYfwAKCRDC3ufzNgQnNCXFB/9sv5rBQ3E7WuydNMGP -Sn/jk1GCmygIW4Zd3sp8QpLO5PmIq2lo2rbsQ3c2uao4VR45kPf0mkS/tBeVxh3A -5Hv9LIY8GVicCBsNGlmC7ZUdUN2sqsgPpvyYRodj8VUEd1MubPok8kVBP/KQHFDR -rna1ebT8CT/4N4yO9sqnKJlC72ibS0COQY9ybkB5JN/m6hLx5v3EjQnmm8BSpXhZ -ZcF5e0luJi4EaHE2X2S0anTNS8Lug5t1HybMaLpr0m+PS0j0i0gXsX09M/gjOm0l -mIfQT86iexyxqJ4p8KhgNM28Pcs3Xdj9AcfrfB52DQsY5E7IDDWBS4qKwoXnLjIu -Pt9GiEYEEBECAAYFAk2Iz/YACgkQrA7DUoWCHEKhzgCfToXhLyKpmHu8ioTJFC1j -uORi194AnRT6qOhrJg4wQDgxAs9J+rhIrjmdiQJABBMBCAAqAhsDBQkJZgGAAh4B -AheABQsJCAcDBRUKCQgLBRYCAwEABQJKhdihAhkBAAoJEB0pde35PnNfso4QAKnc -acMJlkr9Pky8UJQP7BFHVofMxQ2luLXN7KnSaWBHNLssZtMgNWrv3r68idgMK6Pl -/lj0p9QcAv9vy4kOY+cyBAUwNB6aU6iz38aalFg7rB/kCaj2X0vlnHHDme3NzZkn -S7Zvd2AxqVA/oHCRe7n6XR5C4SFqtRPdgclWaEeGdwk4MipD+rDPvidNqPY2oNfP -jDIjzpx/2dUqlDN1IM/53IUh5BAp7Vn5zGgK6WpdH9mGflwxjaU9kRpyTMD9ZKEy -jlX6j3viZ/U/NJmgsFDOVuXSTBw822u6tkwsyuMPSV9j7YV6XkiYNpXjwlBd4HxZ -BOZ4UpWlNHhJ0TwLpozwW7d3zsf9LBWtH21jrOF+20bugh8zMFs27SPS5IJJIZVH -e3s9Ayey7bpxNUuJYHrIxPlLMIN4tjwR/XUNb97mtSb6CguWg/uWp/44qdBb95RH -Xfa/aNSKLPHwJ2KYmnj+rm7brfPLgmJ9ZY9/tt0nWj8OTQut7Zv02nXO9GehnDAK -EdBIs1ht68n8kEF94rIg18iLzxt82p7R7ZJrRig9gXOazyKwFqgat43d9QHhnQsZ -01HVDCtc7RyZL6iG4aEJrzWK5osLa4Tdkwmn83Iak82OafjgrEb49fjWODuTJCKD -4t6BYaerhfXRMh7svSzPK0702Uiksq4YqqrorzLriQIcBBABCAAGBQJOTw23AAoJ -EHbPUVXUla+L95IP/0Ydvteeh6B3b6EKBEXE6pFmBP2JBP/ZtNdyAkZz1a/4dwyd -Zud2mmSyQLNf8BJbycq41yKS4EpwpzKLlecWM5UqYjB51oSZwb+1taGL2ZqSh1sE -RO7mTSBt37x/dlTbovQ8CcugXdm93czd4oVz1K303mVYRDkKkXLhN1nJY24e5ZV6 -UA1xhItKvVM7riD91BftnTNqa81kXBG8mwPdgTAMNVDUUlM45jqvHIgpB1Vcil3g -xYuFYjsNesNkOGw5p9W64CilDDbOEgN9gsAxCyIklS+rJTDrqMqDJmTyK92r3d+n -/rAtLXyp3hyEOeCiH7hfHXk9ZyNDPbaelRoIe6Qyk1v1r0bI82K7rU2AtFY/oRgM -WiNwWWse7QKLl4avVJTQxcN24AgI7WzDaHLXKUj+nFuy8PBjE/oDRNCHHq5EnDze -Y+m115MqePHp2rCBw5oc42qnTk9ao0Es0Ul9sVWTk+rQFhgHXY5w15GDBeyC4AEL -KyhjivIu/OObK5C3H3b/OHgZllvKBT4B7IVU8/cqgy+hRxUsKu0UGNTFetgoY59D -a6NRn8Ipr2G2l1nOWXR0f2/zl2fqd70MCqtHkZAQcArnMn/ZJgI/RxWYt4nGzClL -0YBUF3Wo0MhzWfVHK/4F7d/7uVfDV14uxtMC4N1ktjjWIUFBG/kukWHWjdh1iQIc -BBABCAAGBQJPBPtBAAoJEDjLPUQiH20G3WoP/3oTIbXykutRNzoiSQIJhgyZi+JF -2BUWqsiUgofNDlcyfqDeyaZrQ9IMdUrQ9NTWDcX9lB8w6gSqnQtf5wvFX4cMyrdt -qC5s7sLhTxW7EAqx2X4rAyF9UKQsE4zX/+EvHY4wAk0ehJC/AeaQJysoKAyUIINV -vO9usivM6xT9yG5hp2MONOAcQrrNZRac8r9k6eQZ3THFfyOupkiw9Fm0qc21c8N9 -N/PM2funORLeURAKpJ1Wzc59jHyuteDUdk1rS2dSGPB/8Sd+NKIL5n7HhHCuoRDV -NECx3kPJBj+k0zv9kYOviXFmmGPaExzb0lLcWQSQStyzylUeQnn5lCNKcIrCIpv/ -20qTdq9bvJEL1/EE6dfm9dL1FgDx1F7pf7rkse2cZMiZ38emXNlUcngvh4ZpzYtD -giDk2GM7ZmYHxLHWm5U4t2cRzIrQUAm33Frv96Mw1cWZr1Ez7DQ9UNTyWDA7SHY1 -X/jq6lrADGb2SAl8HHXlXKsIPsBnKf9cM9Fw+HvtvUAjkr/Wk+K7sRj1BjC0bIGw -X0CqdwBYmwKd2msEDUzR9Mxi8LF1Xqm6h/ZxJf75VB0DzQr5ufR0ZXtDbdLRsRh/ -aJOukO1BAYoqR+MGKe2wPFQcxlB8HHTrAvtBUkwCDWfruAyJLLWQIzQ9x9fogcKP -EZaOMvm5dboBFfohiQIcBBABAgAGBQJPRDFRAAoJEHq3K0opBLYfmWMP/2lYAH1z -BZGkXNlEE8AZZdRC6nyZW3cw2ifzAiSB7pkSlXGF8tqx2gclBoJUxKcYVwwVk9Ia -bmsHM8O6f9i3iGjIA/v0m95t/tz0nsFPXb4ilHptHA7Vq3Vd2N9OBZ4KfXESJ/sw -z+VCW3aRNd6y4Ig5kmzbQrAZxoLdFmNQ+MrC9kisXZW7UWwrC2RMnsMP/oTEj5qA -MCMYU0QXxclUqWWjUKwTDeFyjMHLpNXtmalRo202VjP3NJWT67MP5i/GV+o0LGJB -o1PHMplhJHHpXb+3pKjswaS4YJu89EZA+oPXvDth+dt34Vxf2EVfjAaheM0Nt5f/ -PcnWxxJm7w8znMZ2wrpLixKCUamuzKYb7vzSesKzpko/N5YY7yG6gweHuJpREMyQ -MrTOxDU2TIOhvnoRzwgTZDQniqbeuz37QY11nDeWjBf11E72lz/QzoCvjWG2q9Db -pjDf6tcdfLEdtVJZMqq+4u0usJOQmGVxF9XkPhkN8QtEDBNQEjbN810+MXrs2y/4 -BLzA5ZHSrPTTulVl8Kg/WSyEgk2A7kSZHx0jNnJAJgt+Blzq5dA8Tx2tmP+nCpDx -TjOT0U28mL0tdkUwh7a2wVF8/eSQAxwVjXHvn5q1li3gCF02zvzrL8q1+jqmNqFz -l57xYIDihydS2ZJvZC3zDAgo/mZrNAsMXPCwiQEcBBABAgAGBQJPs/KrAAoJEISD -SGBuGZSdzlEIAI3yRq6lONOGRrtu0EKiPoaiDenOwQMbXUsHb1VqP+lqLRXhh+VU -1i/GmwgJX1JKcsRWlzqX6LStQwnXATSjTbEgJ/Hdhls50/Eq/H58AEvwizDcEhII -2H114X4Tzn6s8AigKwYJn2M6FYZ7kTuL/P/9G4xQ8wPV9NVy+C/H0La9pSjWDCcH -J7OJ9CqO9O5BBNHmDLLi9D9xvJUxtAev2wCQVAiUmCJO7D0EW4NVwAfWLcKiR7HG -xEzEmWB0xN+eCloSHNlxf0CwU3kT46R2zpRdhHiGiXbHyaPeHtLEsvCBwUhy8lL1 -zSGKxI+0SsROktnLF2QHJo4hxsJQcQN5Y1OJARwEEwECAAYFAlAg6ZAACgkQbrij -MKzOgK3g1gf/dfTRQoQ1a2VBbpWMF1J3m1qzceKH+7LUMyU/cMaSUoNmhsd1PvZx -OakOxEbtVSecYv4hq4dKmZ5fTAyjgs3LYrr+ZwbLjHOrPcHWtzPwnPK/Ccb7FISj -IiXlzQdhExigPesZSILRdBdukRJY1znjB1AwjrWzgeU2bEEOl1hfw7jtshkev5au -GGdKCCvV2tIsnlHz+sDQ6fH7pvA3R3/Mrtb1yG7XD8u4n05W9GrpjAjQ39QOTZMg -GzW+oteRLIf8Bn4VyU4OODS8h3mgMYPQwBwCHBfchKYz0IwjWaLWLDe+hl0lAGbM -2/Ze288/5bTBZNJ16TVTWXY48kI/R3h9NokCHAQQAQgABgUCUDOnAAAKCRAdhMzw -EMxbx9y9D/9I7mEsFwwePSaQYfnHsH/dos9it+YwpyuDNZy0d0F5SMUVUL/qrvVa -Uw6+q1jS/y+RLMPHX4OvzMvsHl752PUpF0FlO07sWvSroPk6sWOgQu0dCs5njqqU -28BnjzsI411+cj68XwowYALJxfpAwqO+Xb2tvs38U6IsMKrFunLTKj+UtnpE41ud -y3kUViiZK6exFXnQ29Xf4nmOZRUd8fTMRHvi5WR5CnvIGR0JaawKLME2dDqUi5kd -JPaDkZ2xdPEGyfA+qVU5pOtT+3AECnW5NkIYCWa2i2Flizz1t7l4N7m3eKcJjwSU -YhIEzw98THEZ0AbO1zmCdQgWudc+UXLpgH1uOj4Ib0Z4EHVbXmE1m8Mz2s5z86Yf -ScAtEYOZy6Lmlmmia8r75gLBB17cim5cqD21eTicXzPCxF+K0IQ3zGDfx0XMV4d3 -wkq44SnkDCCW+qAJpJ0RaHMW5jsNtdTbkx3Sr7nx+FTpZ0Uq2DNmM4AnFaWtuTQO -BrS7jyVKoWtGBd0QgJ8N1lRp3QrFlx+e+RrLO7+7Hl/HYr5PXOmt+KMcz1KRhA+e -CN5iMTsbnXHfOzo+w2tDVOsG58qSg4638hRWUKWpe+l9ie9G2H9pNF5jPSHufBQJ -dyCUxh5kEIO3DhanC4oBocw+7AOKPMcCgAFNwcEMEieB3mE6xRk6p4kCHAQQAQoA -BgUCUKpiEAAKCRA5iqSIcw4ccBgrD/90vK0GPmGD1E6wMZW/3ATALTCFvgy50SW6 -OZCCj4mMMvim6EkWGqrGXFfv0PRZ0eDb18hvRrCFiElyOqpl3wDASH+iAkxGOnCR -z0iMn/x7qdSgdLBx7wR+rUpMWmqSDK4GIlOAT4dYMDC9D+mu76vJxEAtphO0nYww -I4E2oA/pylHfcHQLemJm3Pgu+kz+y+XqOpn7URtY2qEMMyZ3IhSjhl6F+v7Sq4T6 -Qm/bFCH/pvs9MkN2CmqR2/lCSCABYe6M9xptbd1BhCVCu+OxvvPVt0L+V1omLfdw -GT4BtVaTCXddEvIZVg4dMrWL+0ipJgjRRxxF/xIkYO3IvROOZTSVhDAxLDDbnWUt -qUDF8Z1NM3TWbcjpLl2JeTgB5emmcJge0UOUaZQyd8klVfsx6lj77onIUUCYR4J8 -YUyXMacxB7c+ylJhuXG/Vytths7rc3q2QvdXAtMpS2TLaPQQT+s6b/q0jXeg+CXP -7vODRNwRjF/5QQimwyANCu3ElBRtQTCmuIQK1X45T9C9CWThuQk7ITrMsEc/G9PG -b68/yeL7FNnz0JychkQX9YxAqLeuSUsZ7cyPLdjucYYJn5epiTyDvVZR/F72J1T9 -4efgfh3Gb3Jb/bIGaG/xfOeptb24XXnlmgpzqDV/o/MAbGtRJrR4DD926P6G+yWv -/gCBa4G7vYkCIAQQAQIACgUCT9b0gwMFATwACgkQacHhvTvxU775bQ/9Evieoclo -lpduJ/8SH5lgSOlHEJIWXlRJYaTvIg/uxnvBnDLhH2n4N7JABqnGkuqaXzJzzeD9 -WzgeaONng9eoa+Zgw6EoVjUTefKJC5nMfOGrzeV4vUq4N4jqfbqIatzOLIyoI0yf -5CqtR06LvpiYaBXraxyR/4q9HJf4vb0GCcM1ESpyyhE3syU6Hwyoxz6CMWf6cLfZ -S0E9gf2IpY/mlQ9Iirmt53W0BaDni1eCxNOO3dZyxoDuqm//Kl7PpvQdhJl9XjeK -lRfuhaVrZyyCjhXvYR0Kp4hsonJJl9xJPYYRypgn07dBM8FdD8fLZrvjHQVrYe+h -FJjKwz1C7tNaF6BRlrp9qiDcPA/VM/6Au5nP3iACz07iiTQbILNrRfycIDz4OnPc -dAUo6WSmV/SFA3E2iDYLl3diUV5MiyQ/0tFn3I3uGEn9MbFSJtYBHURbnMQpwsXB -QTLbpGI0WW2MiO34dcOeyuBWziWAvf6cwZpigpaH0Z6wmstc9AAn0ojopJHskD71 -3tgGtRnxCMBB8EL06gO0PIQQjYF+pGHGaIB6tuX1KLs+v3/q6321LLM+tidx78Xa -7wKKi6AoJr8yz3UldKeEPDETBTH8s0RQvp6gLNXU+GeTYiFZzBQ2MS2Ir4OqnbrM -uxltTjts/YGWXCgl2Tj3XuhtklicOTcjFl2JAhwEEAECAAYFAlHkOUgACgkQl2j9 -PMSIFfImZBAAprnTrRabSSOKoqktDZJ1HocRN5Ydlb16H33//9CR1PzwCm7chAn/ -qtCaD+uFRSZy4M8Lmnpf6l7izSWO6hToJPKoE59ROEniYAma/1ze+S9lXUNH1KzW -xgu9WKcNZc7ObORhYalguENWvGIL6xlb8siycvitXYyG57EZ9lTSGXb+MIHzHhCU -judI2d3H6CwiAOT8wR67JRQdFNOCKS6kT8ikn52+MdtPXlCpnqvNiXlT5AokQrQl -hKSSgMzA2T4MZRJuml54xl+wQ9f8mdzREtD/zIRttT15u8dztoXgrYrq190nMAFQ -NcNIaO1k8LYttGmLuzj3Cast3QeJhAPrv8UHhoEljPgsDJpmVJ6fLVexQBK2Z7cQ -+oZGFnFiaMWBzeK3gli7cxyIqVcx8sXoSpzcQA+gpRNPEBvb1aCFF7SYkq570+Uj -V6kp2Jo+HQUa7xAYFfMbhxxAc+dEhDV2IuEQu2pV7ZGtFHrE68xvyJBkNagQ3OBE -d4q+kr7ik5tsp2I/fxJn2N1AlyNoFEtNAhaXbF/ikntcwKYI57f5+yyQMiByWD4C -NkmdS4jivF5v2zypTNgwvsDcknQu+LFJ26hf2NMyBbrLvfv/RhHDHus9CoHBcloL -am1A/tLNN/a6CA+3hbPc1Py1O4R9CZ6AQz9FizTCRGR255HUEsWNPqqJAhwEEAEK -AAYFAlHlfOEACgkQD5FTAMXZClgbTBAAkRopHP5cEWJVT6zIeLNZ0boRVj/6+B0P -GJsHEGfIqgoXrytce4SjYc+fasBi6EI07u4ZMLPFVCrTpJ+HOw5ZIwlovrZNHdXx -B7jjg4diaR77SN80Ktx6yYF8YYzT5WZHlZ8C58Li82LRJ5yml6wuQq/lQ4HoigTL -GQXQ9itf5sLg9CgIJ9xmHMom0zJ2ujWCN5ohDt61oGRqgEqCDkZdXcOoR56QKJjL -kMX78sKy3zN4GSHAI4A5UOZm7bxgligFTa4oMxv/XOhWcXI5eHaAP5seghCtqVj+ -9K2oyovzqFNQizYH1HpfSG7O6wyad52dJemdvuv7r8kYj1tWpVGHK07rP4lg20bz -RZBMhmbbMeZvfazSveTEIFIBTy5GfQudNAeNMATL/ZPR92FRk8B2+/gG1jqx89YP -two6qteb29dkm7PDtn/YHNB8zVITQzpLwsr2KdIcx+ADqE3C5qBRZYDw3vk8I2dl -guZJAXwCmjfUr/3nUxXYrw35Omf5o0R8Qly2XM6GOKhbWaEvSWBdEiszdEmXGlR+ -L4x9yUvk0GIUh8EMR8JXaVQRUQo1XUmUaSm1wv0XKskPuOqgZ+7Pb6fB3ro1hI48 -0lxJOnudNMxD16V72gXsymp+UK0OdbeunqzhgHQWPwGrGE2pmqmb5u4Fbs+LC/4R -6HXkSceKJxWJAj0EEwEIACcCGwMCHgECF4AFCwkIBwMFFQoJCAsFFgIDAQAFAlHg -hVQFCQoimEUACgkQHSl17fk+c187QBAA21pK2y/X80p3U+3qe0vZW+VlYrJQxLvX -ImaoloZz6Y6Uk4SULa2KAyfLngAEkJvenTAOLKyvNn7AXmVd0j+EHvzt2sG7TGCH -KIvcYOEU+5u6oH6zIADOruKyL2mUkLyD1k31wYCHSQl5QEGEjMPJicTA+t1QtZlQ -9gQTlAeoTvcqYznGkw4fD/I95EWNdok82Ly1WiPhykYibf8hNROMawR/yzbe942f -NZqNp9QOzcPey1ic3ebVgOB1OAcqwn7TzTa70XEqh5po5H97G36HgvW3Ouq47KwW -Vi+y/JkJsBdWIoeZY5ANA1iZtPktmtUTfk+DtR6duyJeiLm0C2Xswcf/BPaSZ1lK -dbUnWtGUrzeYrUrTu9e6d2am97orIj49KZLaR1k/IYcqL7V0oDxbMFftCMSHER1o -Q7bPnipVXPkIvtiCQC2dlcD1tgFtyVqAg1bQWHBWVMPEUjsXEAv/n/321HDAgDte -HcpgyndvmR8zesQBamrNBF2TJ+C8fhbJTyhgA13661BWVsLgAXn4Wn8EBduF2VVX -YI9tuEhP7mrXp6D/Xpp1qyE4fyOf1dTvw5+AJ9TRP80qeLnihCSN8i/jDKZs9jG6 -+lBkPXRGYW3PGZvqZf9TrTVAFtktyDNCq4x0SxrnPk5SqDucoRlGDR/YTRnuU3oV -XDRQE9yO7iiJARwEEAECAAYFAlJVLtYACgkQHoC+eudNYW7ZPAf+P0kC7rDFtDEf -Ubr7NuCnEzR7JHR2nJdu4USUSIbTN3tr1Aap2k3DbnXBuS3PdrxVdJ0a/h8qaPHw -utew68hDkQPVz2F1BlpdjTUZ/9LoeDP2O9k7T+UNWTGOtuFcEiaZmiX3YLvBJWmh -Yqj5l0cswTUn32bkOoCzii6TYFbH2bQN4focvsJfFjd8HZyT2e1QwUIpZJiKrg2x -wDPkLlXtDYK2j2tDPp/l/oDuHJnahIX/PkZzA85yEOcmVgLmf5scEg8kuoOU1VsM -oM+7Lw+1U5gsx/hs0n2yyGUswzJ6j89t8e8eZh/DZ6XoCKnTPySs+sKmfj2CqWzb -TX1eTYQLWokCHAQQAQIABgUCUs9UjQAKCRAmn+esj3j0r7NEEACCsIaTAwKKWKtj -2K9vngWzZqy+k51eRiOExWKj8nrDAz7+NZIM76BZBotyPXkQt0pYjV2Z5ewy7H95 -L2dhsvNTsQ2QOzZUFCMHmPpPnrrrNDOH2H2gt5fEGszixhOr6X3VNMlFXMzvw2dw -HOCcXGsU6gTqHIwqSaC4BgNhHKwHJUc4xiAEzJhjFQD4C7PPlGeogFWgv4Hhzspy -vjJerIsJtAFxPju63gb5dv4wBqx1b+s4dD1MU8N9PbKkZIQ4wh4Cn8SKaHGqj9o4 -EpjZR6JDSMq8I5SJPPL1UV0GZwAZXdmSswKU2umkPqClEOoLP/nBgM3Kif+o31ln -CIDuz1awB4gwRfGqW1rHiTx2pKGZqWsVPuTe6/Pf7gI8YkbaPtAuVIjb8webIOwO -p47x6M4Rpu+LM1Koc/beYNwdLmyFpl+Uz/mqfGy0E4OqXwnY6xmXIOgDqdzn7uUW -yd+udgj4eAKFPo9Z/IxvP+Uu7I4gCnFrODv4TZhRBounenO8vGsqhfBwuP1p5KuX -3liATsyr//YtS8TrNaVLNvJNa/J/t2qjXKQ3Ca57vYPW17xDnZYnPh5wL6zes9w5 -Xal92SlJ7RM6KV/tGAx4rQltPTyyfs+SxIUrzyikRluV8HBnzFBuiaitBil224+a -6TwiSFKwgUaSjkczl4yaunUIRWcnPYkCQAQTAQoAKgIbAwIeAQIXgAULCQgHAwUV -CgkICwUWAgMBAAIZAQUCU8u1MAUJCiIIlAAKCRAdKXXt+T5zX93aD/9G2WXk0g5i -IE+Xpf03b+xxDrBQ9ZkaEECb+B9cCDOrXPieyXq7xmoXyhz2FNECbD0uX0vodgAz -WOtvq2YLcABmJTD3ojpkyXfWjkHe6IJJv6dtodI3aWwSCcLFm5Sbz7Q6aRH2SM/W -rCCiNmSEElbo7asjMLeW+8F7zaZjsARVqFWhuCk1SzMXCTSouyNDiXjqsGJ2f0r+ -yvtIc6lUrkIs07lYL/yQR63NxVl/fPjoYJQIekEVaR6LVZtopvUzvB3BL8ag6J5V -SOz2MHX0jzyKe0rudhH8x4XLFkQhQNHEQBemRU1AqkNSduhWvvWsu4K4MzE19vGo -nEh1dXD5kolSfPkFJchO90ulJ+nOW7KcYcDSjMVfuaJHKY+S4z0Wk6AHyTsz7RX0 -8E+2g1FH4fSYMWkmwcltpZskcqT7J+MhoxbriDIXjCl+gy476WoSVL1HSezIO84s -5HAP+Mb926vVIolWtrrTdVrF2psRUgTBbmNq3QIDlXxGTsKGoqgeqxm0v2iRwBxU -EVBm3kHfsEy4m59gm5uBCukaqOm1rSRIWMg7bTVDLKE7vBzdf0QMGdvJ8oFjGGrt -8+UuXFfl1hLjjlBUQ/nSCeufSTwhKi0g2e3Kwue9BWy219VDPHLsXXHLhwi2B0Zs -ziZ8so8rcM4zPH8TfFzt6r7evoVgQqdz4ohGBBARAgAGBQJTgzORAAoJEB1YU0ET -ZWsghV0AnR+ILlgMt8jefndc9Iud2rc4nGfuAJ4zFTG5iymLnZE3OZkS5rfIOh7A -v4kBHAQQAQIABgUCUfWbRAAKCRBVa00fn8SY2ae5B/9Iznlj+Qzyg9O+9JI/8mkg -x/dN0Re+W9oGVamyXGBrPmJxbtxn+Wd8HGV3/SIfcIN63XjsRz0dbubeRuOrGzSv -ybjh6SEfoLAiJNyk1+1W2G3GPOoaL92Gd4AnZY0ObX/cNeR5zOne+RZVKqZ7Zix+ -3oex2iE4kgyMAcmgAXOkESxlWxfeYuqi0Se+1jKX/h3vasxHAEFgtuitsUXRACu+ -p5ZYzpq+QciWQri6GJCQpd16xk9wwM4mwjP+SRk3vrTv+RpciRjTlQVpvC5RnlJX -k8dmiJYYf26ucPabdBBjX69cWtJadEvdZb8FLx7W8cb51NkK4FkVA6N8U9swSEkH -iQIcBBABAgAGBQJR9aduAAoJEJjvC65Uf4dOBw4P/3IY7WSoZ4F72iU7tMky331g -XvB9wR3bb/DVGqwcCb2puacvCYdpoN1Ck2CWaoGWqzqfa+R3gOXE47yG9ufH4DyC -WpZ3AxfI3P9iw0vHgjgBurHjmOrfN4qJEUkKxlSnDLR3JwWr2XR/F0SU3GD060Gy -ggplGQuErzjbXJZiVm/aK1APp+wUdIca6VYGJvqGrrlDJKbnEuID/AVUSSTTXy3N -2BkqrnwOXX/03mPhp2wNke9nX0Ebn6IFKVVwToqXD9cQ1wsj/bPw1hmkXXO9/x/u -9ioW6MkX4cLOuifTXkVlB2hV+JNKtf2VKhC4OkFgqzgCiqlLUZAbhAIn93hXcViB -c+QqsyGxCqwXggrIaBoXtITxDGT0EzdNEgtVuojVpUMOnOiFcWZ87+tQ0JWjwGyj -3Gn2+bHy1CJJT+stQ9BKZ1wEwVzPp30ZWcpc3A4cdZ05HeKX+igyD1IM6ho79ETS -f3uDqT8v4Q5+P2+sj7ACiBxVb5p9TirnzxZh7z2pKrS+Vo3sRYD5Jo7B3six4sQA -Vik9b69LI2UC1kzdYgtF7HQOYrVmdUWspwklidbkbhaEAltENPXDlg/rfr9eF80H -YwEiH1fAVogB5TpcGWkd8npu1Id3+4pwwtO8CAduOrgqCYJ4WHp53sODnMJ/cplE -yUD6eeOQUv4sE0B64AUEiQIcBBMBCAAGBQJTb26iAAoJEOaAxTHjKzK79dsP/3Iy -48NagCPTyZ+tBWhwl6kyS327oRZGb0bupLfzDAkqT3G2UP6QRimhbpsFMJ6xilVZ -cJ12MZhz2cJ5joL0IaEXucCZo3spgA2FNrt6BZsTu+WxTe07U7ypqaLUMPlSl44d -pFmamOudTTqMk7oKXimz4XQHeEsCbtycSV5rzBFh0AzojGVl3+B2AFlyt+Kr2hcg -XsRumZZSnRZULqAAV4Bq+9gMMdswYgLYLfzBj9rqGF8m/YLUTSBmIB3sZE9uR3zG -hObf9/A26Wg+J2G7sawIE+aMa27yWoNLBX1hVQw005XRYujLIBcTVHrqaHbjHHH7 -zgnsut8VmIsClqXarwv2KE3XxigamWrAv3IBEp+diuf+8FT+rsY4t+uHW/6Lk3F1 -DhjtL0urfzK8Glpd3Ye5UiqATYQXJ+rfXeT6VHCcdpVnzIJ/46uHH79v8vakJmHT -Xgm/CQEb/t02Y68Wh5tytv9CtK6/EGrkHxHpLaENZa6Lxq7AVHUPjNVx1sODGiFw -2hs69ZESRNF01eMN1HfKfUTu0w3pYADHaZlhCcsKmX4caUHIdFCu3M3TRxEF2V4U -g7C/esFCohfSflIpkG8F9DdZ85fevrcIW2Me1UtnA/opNgFRUdKuyKQFHrItiM/p -cQw7rLMc6xP7XBdwAveCuRz4ro076OZlYL0adm6FiQIcBBABCgAGBQJToejcAAoJ -EE0FYen52+4TsgwQAJZDqERD9HuBAhOf8/Gy8k8f5Yk8PWIFx9SUp1rJqM7rWVhI -oHrPeoBLKfkQk+Dj6VE4P/q6nLfkSy1RRwA5cnItIsO+Zl9Ca0plNkxCrGI3NhCy -9CS+33M9fcNwgt08zmj1lbXLLqvduomJnT7X3Gs+dILxqr7aLQUsmFEJGXXjtNL2 -82+lYCGL08J4ZUuR8yHUwNsy/YxwrAR+xSe93UDQwpnkFw/9jjVIOBQrtfgaRu41 -cwobpum+sZCUkW/wHZpZ2s0U0MPUsYujiAlYnO6ocS1h58IHPQwn0HYmXr8N5hEp -xVb8e+KyZEYaUTmEoRanWnyOmzz0ebJS65TihXR4Gblxf4DUSpy7/jedxJZeLtte -9hf5JAah33XZZOsZUXcuE85x8r9BaQgDjszrtLFIzvYrOokp5khKzRgi5CmM6yGL -zkJWsH/EjBJ9thcyKQD3Y52+LV8u8fXiGhLp5Gm4vZvvQyDS1BZx9dYjWWTo3HIf -0qoAL+e9coSglHMBfDgIqmtuNpWYxdCThqt84O1MQCvs/4ejyYLj/2AluryXjS/J -qnl3kcZNe016ynOOFllI91kYkStbSwQxhjiWZK6ml7TRVqQNM0kwoIe9GktlrLdt -i4rzibevsdX4Qb7wO4TpswXgvXx4ffdV1vsO7rShlXiFArbhElJ0uD8U/m22iF4E -EBEIAAYFAlOkdH4ACgkQxTQysom/jOxN4wD/e0iqXKkFXepT0hp0EbTEVLQlPLik -THAJzvPKtcenCnsA+QHoZ21CnBcrpsACDHZIPWiwqev70IvLkXFlkBAlz6n/iQEc -BBABAgAGBQJTuRW5AAoJEOrF6/B6qcKjbvkH+wZ/iDQHP81hwrEM031oyoQUhnfW -c8MCy/TVUCzuybCf6DBPtCo3kWhjviTQv+FXY+Yh1qtr08hlE7xk+Yn8S+xOOgcF -pmQEYk3wYNCjNAKcksV3QKBBaJXV13El7mh5sn/OyT3rLsT+zSGcDyLNPMvCcFUx -BbAR2Sdbel7ici8qB/IFYmyCwmEVGEybyXt0cNLXKpQqblxb0OK2VGsmxy/lwvks -4SaMedF9Eg27qp690JMlghVWy1GsE18d2NPF0qgt+ScojlWLWC+vIB6J8yFVnEmB -OFnurHH35djYzEAs9nLvyy/LPJkTtDA0OpOVEK7kmlMIXwn4HgkilBmHhiWJAhwE -EAEIAAYFAlO5IlQACgkQnDFQPG2GY5beqg/+Lorh6reQPArqfHiL9YWH1gQmiSXr -MySonuTRTuHXkWRCYpniJGDNmkcDMM481jbEf0gtIX0mDEmM2qiFMXQHD4ww/04J -t26kB9Ap2xqU1rhZlervHkyydUzKNCSh8nBQnTVIk/Q5bAUnH6wVY3ooLncCLmCC -DOREwf79kozPFmCesU0z3nOQwjJ+4nfu6h5kUtNooI+jpsPC8lfFYGiAqN6RA3NY -TIOvqe23BzLjbo3k2Ch/t8cU9k/ilLaZdvm4PXGbbpIubSb56Oc3H2Rdhrt1NP88 -GU3AwjuDmSTucn99UIKzTP8rTjH1/N4hYPktFbbxu2jaT4xmY8PwRL9bNkcC8NJt -0lqnrtDM5yOoprXOHBpWNElz7q60sJ2oAIfljc7aR/Ey2jbk9EvLFC1xfuVWmU01 -NUelCZ+wHolg5d674JWmdGx3PTSvuP4Oga8ZnjSm/me2ntH/33W1uVPfy7D6QtWS -ssBGUDXtY8BabcNaQq+6RmQm7qMVzRx4PuEn/NX/foeLUrtqMxHHzvHf+MGH6u1c -4rp1U/JiRwYeQKGw+7s0Hh91CILFZGHPynsyzMcvsvrGvd9Xcyasdcut967uel4G -zKZje/DL6Td4xFe1EpwdD6qClMVaa1PB0WvLkVSatc7E3SAIgSE1WAeO1azrA49a -J0yD97LWBLZxS9yJBBwEEAEIAAYFAlO5YzsACgkQrs71RuyLAmDurR/9FYINivtr -OMDVovMP9K0RaJuoB8IPEWBILUf/CiybIqjSTqEE2Q6bo8jRCfdaSVaBTvjTsXbK -kuVZz/X8i6gffxfBLhAOuhEtoxLUh4ECLtQisKe9kCmIxqszdI+mHh2NLWqtYS1s -Ut5RyM20azfeC/BImusbSg9/JlqZj0+VgDkrxIgN8Sfxzk0YkM91W3K7TSjiASkn -WjMl1lJl+z5POlFJzEvAhPrEiv5mh+uG0/p7agRC2PNo0X8am37Ad5WWMpcbkyDt -nZeyfSLWDNGMTiFKSE3+9geiOaielAYCb/Ip2Yi5ddtkaIgwJoSzEhyY3BmYMSAH -VFbqR01AD37pvSby3g6/6hXtT5Md94bDkV0Rb36IPOUkKHYfWeyVQt5153aNtY/N -koapTKuyvEleWr7FkDScMy6rFutFkL2UqP6ctBLdRO2zaj/C7cF2DUc1HM51SpYE -E6EElWeothMkLuNJul4pLgClsz+6tYZD+bJ3ZwWg3YYgwQmwOUaIf9l+5P7HB+zR -6JR8SwW6UPSOh1in1dLeF8Byxn8iVnakFio3kjDapclWmVh/0R3OTYbxtbBHazfI -AXsqo/ml8bCP0iNtuNCDPfFYzx/R3z+gwVzVLbYjMM9SUvGI1B18I7l+xeY6ErQo -s5ktMbwllnFy6qqqVCD+uvcKXlbtQBm45F5IJB7HYbbENpKROnvlqVh3pAbMrtZM -G2Bp7PvWLJjNFkpAZDUEWoPfpSK0s+qsTlpmN+8JiE0MLK+HF/o3tSwktTRm9lqd -JwqIqsZDrHBsdgSeBoPS66e3EFlp6hdeu3MaxJT1/f35RElXuxsaFxRHoYd641ic -M4/bDNFR1DQXHZcHXZ1BnmymY3gh2nEACDGNQgEB84nArRIMkb8s8gs/GJSnoqFV -oLYyVHnbRdthkMdJK58bTSiuCpISF6GCU87VtO8GqOVDtJrDiv01VfpgtA/Eehhw -EYmtlcNaJKklfq3DKLySNSqR2DnL0H++uVCEml6qlH2t6UJMyf5hgdsJyS33Yn1k -IfhnMH+KVIZGWNz9ZM/HckKc9nC7VYbl8uTGPeoR+z763MAe4T8nIxFCGuowaJ+r -SPFZ5dqHTfHoKhmFu4u+z9rHHIaMCH3KCseNVeWG9Oro2r03bwbkddl3fZkaM7Ez -GWUUz1/vFikoAYypibcT7Cf2O7QUDEjPYNXGfoYhO1t4aE4ds6+N6hQdM7TL76zR -MaciW6h5SuJXo5Jm72nkrPbpKGM8MRWEE72pqNrt/+YlILAMy8EHbfndY3bFO+uh -zTugSVKCZnuzYpvJZ/iVOGvYBwwnC0FfedNaETekTxR4iHSW3WTaDD23J7cg50YR -HPQw9yegaESG54kCHAQQAQIABgUCU7rF9QAKCRCiDL6yAAxlFST9D/9Uh/A/lgv+ -GI0Ea0KoG0k1E9hF7GvNkSFFk3RLV9gVPI7qCo1PVCPjugnT0HEsDLW5DH7R5DgW -YHTNBkb7UJ0uP5W5sbjt+y1712cTBkDamUjWZBCfRmcuTQJjyXruqIkIK4jl+FT+ -ffpRddCjMKgMRdfUytuVglY5WU0AM9m2et/S6STNV5cn6UXuLJEexPeEnWJaXrFg -2MIPqCyqLtX9aqBR3tlfcN1IfS5FKLO0ByiqRS5EBCz1lb4v1qbXuvwBFimT2ro9 -tTMrwkrslTurBw/8nvU1wXVWPjUBWkm4gSBWXm1n5zrUXuCd4z0ABp5OMeG5Nbg7 -igdVKhN6yKiAR8eSZlGQ1IWI4drY/ZrH1z5QD6cTbn/NNp1DQ9NJQV1qlgJ6806C -JIbOasnz4rblcQZGOzuNjsFFxuXGR83RhWL/9AB0CK7ncKQ89WuEsFdcytmxNTYl -G10jRRXkh1WtLEx4eq56whbs5ASj5ywY+6sJU9zehZYW9dN+nnZJ5tJUOpcgCn9u -oYSWODZLGMDZerorvBD5ZuBJe5s4nmXJdHxz1L7lttjK2Wp7Sp2hgftxfiEFYwGp -W5F9FcC7JCWFJsu6n7jw7cr68AKLUfxBoVayx4qdfpM/lr3Lr+//x71sAQ084SIu -9K+/3LLs29125b2gkIQD136Auid8quCQj4kCRAQSAQoALgUCU7vxUCcaZ2l0Oi8v -Z2l0aHViLmNvbS9pbmZpbml0eTAvcHVia2V5cy5naXQACgkQExjvrF+7284eug// -TQYeW+1nh71Sd+1T74skO5PLrnjPY8bHU+YlI9QDj3iD5E9/kRhn6VHCABIn+GbO -TQQpPlNHJWAXBrFJK6RHmSav6j0/8SGAob1JxBO7D1GL+3zihHEuVVoAzdyD8N2v -6kVhT28EBNX+Pwu0hkCBA8pjqYqOvfoR9qhVnnu0zamzOKhxhPSvtsg0xly79uUt -SLx99j/9UkCUmzNw38zWvbKphqFsrk+GvuP2XfOQaKDLw93eL/HtfYeQYaiV7Ry9 -NaL0rK4u97dAmrS/1Amexh8ztN1WEV4CIMiYEPALbyNDlHQGy4+EvOvyeh6uB2Zj -MfcV+und1J8EsuwKvZODYO2qh9rGQEOCcjmcQKAZgJsI2cr2hteoXSSMIpaP9Axg -oICTFVm7rrNFS5lMXm8e8hjxydCEkteCIb+hEg/dggMz+VTPucRMhqlF30yzyEph -FGmQ7LM6P+9jGboMdtZOMpeQrqoiRJO7aAokRTu0h4T+3x+p3EyztJETcSilJ8Mc -NWBJagSbuMXsFv/bFdNVStqgs6Ih7+pRhnqsmz0X08tXI3Y9Ku64bM9XSU3paWx9 -YM3cejmeEHXPy4Dh44SKRdaYi2pXB5ZT1LSU5B3dDpY24dHtS+bqNb3T1FZfvC8s -ITns+QjkL/131PvW/3qwNFTHHHAaDFr3pzBdDNnbk2yJARwEEAECAAYFAlO33XwA -CgkQ3UDyWKrOAenCUggAsWJk+hRq39vdzZQOQs4kxwDv9VcP/t10dwSK9LKWb8UI -a09vbILbWeI2ASflSdF9xXmheGftQ4vzV7B5Z89SgILkf/bxAf0Sc+Rellzuvzyt -2C3wFH/m1BZ4gZoQqGehvXOabMAMkrPxaQxel8Mqj2Z366R1+I9wVDRWqP47LYmk -S4TN+m0ZHxPLk/DgDG58l27QVSf4h+PMaZ5nXYv8aeyYl1POiYCqHjwdeENUrO4V -FVyO10Pn+ORIhbVJxtc0fL6Fevptps1eHgQdDc0a8El16ZSo2FYtVdERQmweqhq4 -kEFM0j7iLjFKxYMNVlbTEQjWfbduKusnj79xnY18vIkCHAQQAQIABgUCU7llbwAK -CRAgZwAbG2eKY1pmD/9xFxuVIr2SnedsmSR/YGADiOm5bNr5ZTHeEoMU5nO4Bhba -MBtdZg+LRRCt2wjg2V/ARSxUKwQhK2CbETYy4iLAUtxQMRX9dZhRUpviLFK4Qzne -YDSPLHTRtCI//dHPZg52eCH90sq0gGAarPiDzekVC6Y6NIwP5CSD9dnwSFrleqvO -K4aF9T2og2DNquf5uxHouCIAsQYrswLAZY7bGchP77aJoJm+zYWOXTj+r0Fj+VoE -vB3+E/WLQBpEvSu+zzDTTl8LK53CT3Rc4ZqYD/ctMcz4+Ug5h1G5kmNREnHxH6/3 -ffkOoeJNxEKrjm33MBUGujm6YUqPtHq8UTPincGrgyGB+EshFihjC0ddKISy5lbD -Pm/ZP7Slo4LGNLAVHqVHQ8YSh3rFUt75I1q4SavuGyssqF03h/yDSdvMADfx/bCH -snef1oDsw15bv8vnXeBDggQmuL4r+DdYiEuSei8zj6D9ImI7KjLlWAS4NPy7ATsn -Hhqo4QVkhe8+Ocz036c3A3iWpsnrkAuukW4rIoDwuhXhveX1L832MW4dscR38eJN -GXXcV8djroKm7t4d91MTI8CucRn6W8zN7FwtA3NiFjQKYvqtpnuW8OAPAIfOKoIC -EzfLp+l+MAmra/Rnht30kSfQwdtFHrfQNOA3qV7hZNaOoeEtOXYyBv+n3rSDDokC -HAQQAQgABgUCU7VpHQAKCRABogUB6BpLuqEBEACZgR2ok34WbyEkGG6V5flL6ppb -WqkV3a1sDo8+HCBuq3vhUCpgOiHFbewit5o6xvj1Sc7mSzKs1/zDhKcBtYkkl8M0 -LaSSrDEEr2opFfgfpy0ZHdEmZCSjb0tULYbOCdp2ZtWIefHSyyYTscpqTHsz02Pt -TzV91Pq1v0+Ag/KR30eCD2i2K2/0rGjlHwBxTt8qpS+6qgjUCW8UXe4qamJiz6/R -kL4QGuN8x9vfcAzMDrxA0BXCZ46ujUjftBpwNZKs1tW5uSEN0rnjgA1kVEanRpi/ -9wsERveWO6bHuFMxcHj6lN4b/cuU+4C7u/sgN7+W+Hg2Ge3ogrRkoW213ApVQz9x -dhdqfYptLW0xejyb9tTbO0+6jIcWyRh8VXs45xgTHpoNo89w+OgCnkiLPCOIitKQ -N3g0hq1GTAin1Hste6Qlwd057c9S7CKZPvC3juptbIoaYtIoTx8WnQ8S+D983c0X -0ijFbD8AtBNYpGXyKr3CB1Vl4yDBgS6lDmK0/8AwaieBN2uWNu31/RmmCKMtAvdl -FCLZhtWHI/dW0K4Y4m4iqnfnXJRdn1Qbm/AXI327JXSP6f6Z7MOTHUnizYhidPTY -fy7XPoTeFifJ3GfzVuMipMdgPjvNb8F/E3CUKu2U6ozpu/OAZ8AWdoq2fW6GyUGs -zvwYTzBo1U1CdndwwIkCHAQTAQIABgUCU7aJIQAKCRBNrkImnrDrC0CgD/97ZWks -mwS+0qfpSzTuYai/w7KMRa/IRxAxaSU5BLMzxCJIyFFvGfOB/ywcFBnxf2tto0ox -ACK+vLE7yenTHcJS4LKJZXIEFVMlM9b5vg17evzjgUSE+Vd1ob7PLK9qlNDVFA0X -MqmETYjQgOsyaXKcHG86UbJt3S5oXonUG+qxVsRNIK2Hpj5D5Pu7/x4GVShD+Ehy -FJIrufC/p0axQn1FQBvUJkEJCDl3TAPCpqTLceQSkhO9HsFe2mDdQI0Oz8lsTi9K -1ObyUugo5tQpaTE3peKWNLJu2jhnMOuWt5VUulqSOtuwZIE+WQSv6TJIENOJsIN5 -BNAu4Be+A7bqD+sYe69/5QKNgumc9oa/H0NwgaN+kH7TQVYEnqvRG9UgTAYDOT8T -iQsrxhIcAAVM2y9ydENqDGwz3iPTbsZEQgWCFgh5p5DfHBsr0zCJBtBYAT2MMK4H -3/HP53p3XiTTyv3gPRvWdV9RR2v5fhHqTIqqhvMdIpMgzGdQg/RXhtC4I9KiJy22 -89/KZbSKBeWWF0UzF7x1X94/e5pez1adDQO1kEKrlRj5OQkC2OcLIatmMcu2dZIL -qOrqzvUX4IFlcIYSLQ98MC/VlUv5YcjgD47llZHQF11nVT+snjsjFIXh+NliYkNM -csaFdZj8v2AmzjdIBq/a+BrG+PDGPJrBadcZp4kCHAQQAQIABgUCU8No6QAKCRDH -MrHRwo9OL5f0D/9ucmrRTHCTUWrbFzx+vcnhj87bpFNqRcPr2TNPJyW26crYhZ4U -MLOfVFy8dgyuKsKOpFnpC+AFSaCArDwVUfp7QEmHO8qEuZoT1Zb+x6OcqUjf1CuJ -bNWvzUt/Ie+5rWMfFTjFY99skndudNqLCWHvEHC6SGY1YMX3Z/Sz+24mMXviEc/1 -txJGncg3nvE6QbGDCFQex45k8qfPkQt15PT7mLWycNk9gGIxjkbgIiqgroJs9CEp -1bklbotpOwx99N29V5JcfaurwqOIRQ+eD+ojA54Hvz5qIqY3elR7KFcelg/cWw2v -dvNw8szEnNthN+aZvkdlvUBeAn1OEpWvEXFt6MTqv1DBNwOH/67my9UAOATxrQlo -zohOjcomHSU3BqtWHhkfaeK4OWV1eJRWqnkCZ5KCpMCwXngHhWlaMg1zdGMC9yGF -H4Gqo9lUkeyqwy5d9eKY7JebrTIfYp8068sTv2Gm5V2K3k9vNEf8rKeR+6bMEqs8 -MpnD917y3EAgGeCsKWs8UNG85Idr7V+A/Y0lkEVL0oUOh+BAwaEAfcDOzbVRqCT7 -OTdpBTLm8D/LjKUd+2OQcL9lGai5qibwG5bictrUwLAdRB3VHBPUJK4BhFxn4lD9 -myQgA5JSZEtHYiLtvXC2BtGmND0lcnje7aLtQcmsmQkbV22NCGv8Y+F6BokBgQQT -AQgAawUCU8SDtAWDEswDAF4UgAAAAAAVAEBibG9ja2hhc2hAYml0Y29pbi5vcmcw -MDAwMDAwMDAwMDAwMDAwMDQ1NjZhYjQ0NGM1NDljNWExZjIyNDQxZDYyNGNhM2Yy -ZjU1NGQxODYzMTYxZDJiAAoJEH+rEUJn5PoE530H/00Th1Lb5PfrajdB+nix7thk -9P47CYfXnYnvooyvdFdJWyFP+3tLwhBVGOldJnHoPbnGQiBhUcJX5vzhzBWwi3lb -OAYCxsAYtsal30te+VnYhsav31pK2HdX9pyAIIwt5Yd4/aUNmwDnk5Adpy/Cosb2 -BMqGC0FamzxQ/KbzKeYp61FCyxc5o601myU0hIJ+lVQSIV7YXhNKx9AUmUOPRa2T -2ngPCjUaH9vpBXeWDIRCLT4MCV2Ff26bfUfOoG9rN8F2iqZxuZmb/edDmUK2RvuT -HdcCZ8jaATnPD2eAR1BZTD7QexRzEMWLuM435cBxWMMMVLRfwYGTPkX//Xz2zSuJ -AhwEEAECAAYFAlPE41IACgkQHovzSSMpEmUbvQ//ZMQtcO1JYLfNBVQ7EyaMJAaN -lBtO54dzADbYIn9jL3uYhiDG51SnoA7OgvG43i/ZSDWXAjzgVns9xVcepL/6qfLc -5J0JyknSTrMC+eYQGsDxYdEjsk6MK2Y0+4lcuzISCfU0Y6eQSR+mjxA4BYutiNVX -eS2I93nhFqnYgKLKyQVomrj7ExniWtZUneMYogDK9qt6XdUL3QDAMx9BKB9p6AAY -7EVSu6Ywt9zj52BjHRj4ceNgMVuT59i4MInDI+A8koQiZPU/6aTDn/+OQy4IlAla -hbG6K2F7yxTT7K9ivE1lmJ1e/pZR/GuTow+lGzhN3/C/nbQ08ccqVa1aVP+mkYpU -aOwpIK+ihMFtQf618vErDxWMbW86WnOJqtzQgq02mZwwebzBYKq2cN7OPHp5/zzH -27M6FB2LoumrbcjA+lZuqCNIBgPHZknmdqePEVAHiFjRrlW6btY5Bu1OfzmxmrzT -FJITA+dkxtHk4EAC8mT5O2nL2+Eu0x/EptUtE4DwRnTo88eyDytvHxgcDaDFSnvc -3XvD2fHde9woJK9NW2TanwhHxJS5J3AndqUCsojwWcVfzaoksRzpNXMyx2z76yut -Aq6lvEUXXloNfAJIEwwLXcVWTjDNSVAqMWtPyrjl7V4rnn1BJm+Mk3zKgLKeaIyP -wM85THLNKi7aeSjbb36JAh8EEAECAAkFAlPG03ICBwAACgkQs+HOePWqTcdMzQ/+ -KAv96U1iwcxbOsUDVOCPYt8NvqkARJUZrtdG/3f0muHba3EkiPa55+Q1GDRnvxJK -WbtEGe6J1zQGm5cakUxiXSItQuNnn2bdzykwIc6q8UNiLvVJqGdowCGCf6XBjH5N -LiwiJhHLzyBabBHOuRDv1iC7KnACxjMkp/jtcPJXVexz8kCPoC2aC+0N8GEk1oam -uo5m3q4gDHb0otVIx6Mi/8vzPZunJ+jqAXwGR+pj3jNOyuxJebDJ42CjEmKAn8wu -fq84DEKqg430gLsYPGpoRo8P6LW5YvuiSO0zNtARcaOBQraQU05xm0eHvOJjP/nK -tJsu9Qs0hpcIDXtaRuI6XP8GOH5qDOzV4uJov/ph9ALqa5l3dC2jtP3GNzimd7ng -dgHW/2Jkq3tFz+wX3pasW6TyyohgNHCqKS4WddOS1EWruNSK+0aPn21n2RA6y//O -2i3maISvHLR+xLzJEcEftf4e/WkKX160dhs54JzpLP5ji9QSR22ruOBJkm4Dm4m5 -eMKFQ0Ge8mOMNkMvBtE2p0poXht5QASw9hAn/dLhdnlIHMKQqFbkHCpKPovcwWnY -Nl7qql+82k8/KnQhI/tuctfOdO+pcGXP1clPipE+JkerlMwkDx/WAW4xRppjT1On -6QYr2ZLXBIAqDeMn/+G/YXVoKlgTrXlAdZo8PYGA+dqJAkAEEwEIACoCGwMFCQlm -AYACHgECF4AFCwkIBwMFFQoJCAsFFgIDAQAFAlLxMZkCGQEACgkQHSl17fk+c1/H -8A//aMIQ52r054Za6+FGy9c3v2PTjCUrFhyA1/IDBW8N6WULlSCd4ayB9EjUTnb/ -Fm5SaTwyQCZVvvtONgeWXw6rmOlhUDg2ryzQJMwjXotZEqAjjuojtZt+hRnbF2oJ -MCn/Mi5MpIUuMcdiq56v7tgIfiopCQW21rVQdaCT4MVElqhfUcLNpdO/+0fWUoy3 -RlPhsl+wc9iyfSKVVLcAi/D0RxzbG+TE/yxmGTziodDxinkW5hPlreTMgztFiD2K -vAvQd23dfRa8RQLnEtiEeXEadxoX9gPIuiqp3SdWR8C4lGFouQMpj+Q1uREmkTJs -wkRHRJj52OpK5vq+ix5W+A7aKkyBdh6NrukLXRhbjfh3+OLbQFK+vGE0g+biLuN6 -odT6tjpBx+zG9o7cwhNqIm7LklDiNWKexH9ItsJtgLP8DEjFKBRGtX7DrkevN1Bp -C94p71xiMWjIn7tQI+7pi02gXzloBE567bPsRrbdAi6sxGYLrWhRwJVUfmeWZKaI -3EltcUMb8+nEYWi0GcNLyDhWD5MteniS5IaZpIJUxnESoX95ixfFEqd71zAEg1bg -Nh/0kCgiUGn9ded4h3WYRvfPkkMyh8+C/clYNOxP6IGALhMftkv/KOnxlxuk6S+Z -qdps7KtC/q7NQ6rDjbVQIZl6/CGShb8al7ifiAuOffF50eeJAhwEEAECAAYFAlO2 -lw4ACgkQFtVCxJ1nUejo2w/7BrTw01Nksp13vK1OJSlMlaXZXGJuC0QclGBjojfP -WeG+Vl06HMI0SEYyOYTRHPlmsgCobCHv6RREnBwM1vi9pvDaW0PRa0hYpB0XQ8UO -YXcxXbDokKbQbei5sRs5eDsXgvfykPQo6laqCPB0Vf4guPp4W4uuULPTogmYCGkU -qQKpdv6vEMpJws9E0D6+75KGr6VIV5iKYqWR4TRcJsJ2ud44lzgz8Tjq9yokk5Zp -FREsVoYxPOTasU9js8/XF+zqq8ElKSUHvJ77luzEdGyWCvzLRBNPiADM/lxyMPX6 -z8FV+2/qTKIMigE/7zak3dsGDdAqKPKKYg1vsmH0t0hUKHbeqDsRddUoJe2+KFnq -SyGTZ33iVBrG6dL+pk0SNocotKvlotCUvoCwZo0sl0IPouzNT7SFvi/kMaudfjnK -SUp1M8Rdlz3n8KGEgEi0FkNzxXd/W5U0QOoNJs424GfDxbnYZ3jAtnzfEhB4bCag -VA/AeWRkYWtRyUAZqps4dco41mxBfnRhg4YAOwZy9Oyf+4WU8pJLHiozrGOq/3QJ -yFCkKL+lKVjghaEnI8MGVcmb9EFJKKw9vtAuMC1YoEsbo4CqN1zDK+ba+NB/loFA -vsTBMo58/w7WedXv6TOp/eFhvbr3cTX/ptZ8ifBCbZcP8OxFI60FAzoF5k1rX2A4 -H8yJAhwEEAEIAAYFAlPcPG8ACgkQxzKx0cKPTi/Sbg//f44xDBPz4Gr4ei+IrBjq -LEgbN/si0cgo+ugFxz/VFL9Zwx/DBx6lTNtGB4AmepzGGhQrpLumgBiCDDetcw4g -n2dUqyYCV0Lt01TpzrCWtFvHDL/Pqk2ihYKTG68rWVRYyWWoZr8khvbXTj1xHHcA -zD+eiL6Nq2gx0iomv2zRk5nHBs/uDjyY1Mmn51NTD2JyoCq06ttCoykMtifCZ3CD -l1yiweJzJ4KW3VbNNHeWS8wnlupi79JaF0wWMX8DNf+5b1NqZ9uMGusv16qTSc8w -a4OL9YjH2WRMXOfk7SGrIou2Mf9V7O0fzyBPjM549j/MoNTTZy0MEURehFf0Nhb5 -z9UwVD5HVQKRUmw6r52+gXt34F2LfV3+L4KWKKPbARv1T/6AaclGuiVweAiQ2h9e -xV0pLRhTIZ4S91jkUVmaZLAZISBlSEeHvojbXwvj6JIBVZEuziDzCLJykqS3LtTX -tQAgxHtZFj3lznH5O6ndCWhO9y1ojVKuxDdieB9oylzLJAqedcH+qIoQogRtC/H0 -GGB6DNR3IKEcHREz9DN8XcHZKk1tZOvE3lC4e9n0ObeRxEdwNCYYN+yfuHGBSLsB -6phrUmVsgAz0e/k8KzmCFQk6KIB5VO3vkcJnuQsoJNK4Ti2tt5H+wIC+sVwZmhP8 -melbUrSsiz+WvaqUcG37ewOJAhwEEAEKAAYFAlPgdQoACgkQe8NZTffA4aM41Q/9 -GqCKydmAWrJn6VYjyGPL36qZXE5JCArg1QPmPO0reYqJm6NFdjLt9UOcq9jUUHxM -8/JcCgTn2lB899h9KVaMcf9555ll2U+Atvb0glOGNo0AauwFlf3vOs3fH1D3gWan -xXpYwsc8W5Pc3UlrhccztMeFGWGWhnJXgM9OfyoNfZV8mxThrn0+48OF51E+S+EW -90d1wE/pCkvN6Il0+edtCqdm8bfiQ7KyDkmp+0flOmXQ5crGP20JhWgCWRockS7c -Jz1/ysc9nPw+SrNAsjPDgDl9QzLioohnv5jyguWfFshLBFE4X9qtNsppqCMdnUsv -VBmNRMd0V+9FGYj3M8HVjgcD0As0EPADxrT7WsdDA2pXAO7AErT0/Ix5hTn0kxqp -HOve868NcoPQ6xcTq0EUYr820rmurJ35zQV5W2lwXYrs6gw2Kloa5zV1MaVLismw -PHUo0heqAaEGgONrUb9y8QDKl3OYs1sSOv4KGu7B8j+rgltaTHQAJDBQ6zORFOWh -pBPXDM4teJWfogcSZxUhgEoHRQ+YNfzKq6GVIdYihvp7eJOX4McKIJ41P38z2E6f -10SBQ0rQTWQ9MJeJqfx2NVJ3Lx8wNvbjKSpwNpYk5foMD56u3eGK8bz9C2SXmc/V -YvR2yla8fATGtivneIHWLUZu9qfh3chFCTBCeJJRGiWJAkAEEwEKACoCGwMCHgEC -F4AFCwkIBwMFFQoJCAsFFgIDAQACGQEFAlSfyLkFCQ3cWMQACgkQHSl17fk+c19k -jhAA075y81LpHHGf9O5YUsGR7rPc8SsdTow+49ze86vloxTygoUbD0u7IpGAO5Nn -wdJpbJxMx4HIeAgqhK3MsKfuPXza8HV2/QfmalvwhxCaXw3bKbUAD+2NQcVmZWD0 -iLQbkTnTupDtegUqYGn8H+PwVWDbTw5M3B16GOHKKiqZFtKKbt1qSPNO87rt1lRL -J08R1Xx7NMWfFUMua0MlwNfRiYPHLcPXFdc8YChRBT2Iov1LOhVkkgrjhgwYOpYA -nEJoekrcFHnKZo4Mjdy/+jOyzxESJhWs5qvmeCJJFDbLyuKTu2Fhhe9LbDBei/IX -J3W+W+u5yvIA/16F6jFILPeq0pAG2BThzrr3fvzU8cKehcHIFwG6LxJYjxVkmavh -dJ7dbwp+5sRKVY/yXuTRJFVj/ODqsstJxRz9NQU1TiR/mEVHM9oKh4vsO05Sc/Ol -Z5QG2nhw1fJaFARIvWelYSDw34CTt/BTv7pUQ/Fqzom+787cSxb4KcA7hj84emqD -O5I0scFV7ha708GHx8nTm493iZrXUyx40qgJ2EeX7dfspRuxKc13giCZ4ra6Smt1 -F2LGRU50q2bXKa362gZKn6nC6YQSQ+bHVeIS6/nbu1k+kLqOsMNxTCgtsVa/n575 -dGtTiKAtvIJdx+fKPaD/hZJpb/JvwCddg6iTCc17nlDmXke0OlRhaWxzIGRldmVs -b3BlcnMgKFNjaGxldWRlciBtYWlsaW5nLWxpc3QpIDx0YWlsc0Bib3VtLm9yZz6J -AkAEEwEIACoCGwMFCQlmAYAFCwkIBwMFFQoJCAsFFgIDAQACHgECF4AFAk2pzr0C -GQEACgkQHSl17fk+c1/fCBAAuxMoTEd2F9rT6T+siYEO3eOfklF8wDpmv8YvtPAU -gH2aMAW2mtVQxJp7E4kHOSkfu5FNfS4GTotdtkqSjEsrj+8gYhco5hq/6qoplA4a -9JFossbFb746RC/ltE5QYUg4DoUq/xY10SRIhvL0/Pj+ZQpxmj9hmQL6SMKze98+ -u2noHAvMC3Z0DhOqIxlgdohfadOq1WjlqSiizLsyOnn0UnIUHho4OPMJpj08aCTQ -qC38uv+dNcLHUX2EZGu7P2CCbzHZoWDN+CruQClQ1l46F/W2kBb1+xFzafCdmMdl -nEjo40rDD24CxuF/DYY7Sb9Q86xWr4I4AZtKsLOH7gmnTfcmrIguG75uJqihw80x -a9H3kLIMmCOQmjUbLaHrrZR+c2QAOC0NC9CLtJNxY3eLx8F6oy6Ila1vKEH0zK5L -VeN+6vbBmdFoulvOvGNRLuLeME7hZTbRD7NXrEG8zNkz89xVEw7RVumQSMNri9lb -9LC8zMNQrAnhNz7IJLZ0UJhQ+Jfzxp/nIvTpwbxaIV4qZJQdlWKfQK8a5zvwXRfw -NhrVg3QYpaRg4gVHdlub1pePJVpKAfzF9wqTEEox2uQHy/ab4RBoPxoUDjVSAUz3 -/xNUla5DRM81t+JwyLO2oj0CpJo1i85hc4WF8wOwcfV6vnAe8qNEvOpJgh4+4fYt -GT6JAhwEEAEIAAYFAk2pzxsACgkQus4V0qV0mP/awRAAnUhO6Id+gEh+j4wXfLhO -rEjtVRH/1z8S7DoBGU9F/9RaDyfZikA0xq5sPcfXv7mvSKMiik6r/0qL8qiYNdUX -cXOBp2k0f1SU6Stmq672nMvgn7NEorhiBt0WV0irSLmTB+SNSGjR1cHaQiUU5b6h -fgynfo+Nsthq6WmMtm+6fLEvSF6uiVd5SAEzZBa1Usu9UzsPpKaC9ZudPOqQGNQG -D9IJOXCVHuUayYjRPfSnjmoeqRNqrLAJ8kngPOq7RFekCBmXvvuSJxuJlfwqBQB7 -FzFfif+umj8lwv63VGd6oEVW/9W77dwBFgcFMNsVpo3IGBxhQEmONrBP5v2DH3oz -gz8I79DdiMSKK3hDrv5ojCI7mHD/bUSwHEnmFVLTkeufrepx6TBdp40ZYIndEsIB -Bp97fTe2tbIrlxznP8NCXvLMSKqOfhuuSR39AqDmMWnVEMw0gRjRpIHGdtD+/YnX -aISvaUXsnxnBbqw38rmIt2KdTVuANl9Hqal8vBMkpq99NXAhC7hodNyCsT2o16E6 -7cC9bmeYJ5iHqrKGKZm6yd5PridAB8XE0ygF+qoWN129J7rbFS330T3gm4mHlPai -tH0/Ytv33dQSUED66ghygjGSnil05gl/5GcVTV0lARoThodkmwfbh1pXLYmsdwob -p/FAk+96L/vaAdISbjLlGU2JAhwEEAEIAAYFAk2pz1cACgkQEgKCHL4s2cGHhhAA -ni9G3HAJYgBaOT5SxqpkGbQSIS8ve/sgtp/sOITTF02fU0M2tJVofpVs2tLy7aYC -ASLcDNWvpqvFYTf0ecsY5y2MRmMgAGTJxy+BbQP7pn5Ul5Ofor5tLQect5K4UaEJ -ptX832E42SN7CkP96b8p+iqIKJG1u9Hkp0sU1j19MWfARhwX7jLvlmigtgcJ5Enu -Ic3GxiRkOl2ym9Hb5namsjQG4ogzh0PHsIcZCSAevPDrv3wc4rxLKa6qsXN1oNYC -B5sAaPmT84TVyGEn7YP0XEQqci7uyENEdpoj7csNfJqt6Sl9Ge2Yo5+Tdk0d85rl -TY9K0LSnH2KKnALomLwFQaW3T2+ac4Xq9lQbPUVlmAg9f3BygxGuEb6F8wyA+0Au -yq5KoD7oO95s4FFUE+NfGwYyXAHJRy/ebJ/22ExDJF+eNR0KxJuUc2UBYccYpOmQ -DEs0jVTdq4sWfcxfxHTdZPfQDW6NhuuEORWum97xRy5hvaZasWPK8ODWm9QOiuLE -rlDt6mTm95JoLFCw2k0XLeUJTa66z109gIpYrkmQtch1CYRaVZwW6Ej6IFHoRe6T -O+d1fla8MZlZUuD2G/3GGD7Crr7sXFofpyK7A1brMUqvflVYu0zzqKZhUKc9KPpf -DlY/JSrEtHkouEyhC+GzKLj4WYNsedtqVhS+ipNmQMWJAhwEEAEIAAYFAk8E+0EA -CgkQOMs9RCIfbQZBsw//ZkZMBKCTFL3QE2kCvJ7OHlhHJiA/HiKoRaRSbqAO3f3u -r8yjH6U4cpWo4Z03vEPrxY+BA7ymT+taHE6C1J0QsYDjC2ABzQkQ3N5tiQSH4M1A -PFVuhRiNw7tIyFsWIGLy50nM2PYXEt+2ReLcoqDC3e69Mt16k9Iqupvp/1pq2cLM -Jp0pviS9pBjST++NaOCoySdH0KTCSyrDjrQB3ONl+200A6nMHEsogjjJsEDSmGG0 -OGKKSe/ylg1qz0nZpM21EaaNBQHZDi9Nujb+SUvvHlEOHIFa+gHMILbckJCYJvmy -QclrQh2OSgcvnv6lQPHo+XmsKs2+iR5u2U7Y8S5JPKdNmbLqI4AXg32jCzogJnxz -3d+8x/e+vdn9rCfJQoxyKT8CKAKZUPXP4UuyFUJxOp+fmxO5zcUcQ1sRwZEomp+i -OsTk2sb8HHWej4cn52L3AizMrNalFV+lBZmSFrIPvnmM13jKnwbqxO5iEPGhAt5a -9dlfve0sn9DQl0iljc7188AO5aNBqk/6y604HrBQteAOTqpMdvZId5H+PVsQVaty -Xq8fkkbLJjKLAEGticyj93KkxwIQImhVJhoQWAKxO0Lpndxzoi/A/40pLwo7ljYQ -qvW347NQwUztUboy4MpnQDbEyVpDuoI841l+e4+hGm/gBE+CY3l4JymAPrNWyUWJ -AhwEEAECAAYFAk9EMVEACgkQercrSikEth8F7BAAzibvOcHIkQx0+Pd+yYWHJe3y -Wwt7glSf9xzAL0p9FU7BgTKxmKM7ByoSAbzfNYMo2gsNRlbPNv3wheGVlf6+4aox -jsAS+bP7yrMpK5Uq3a+pc9/wo6BSTTI+NGHvGLzpkc67P9+pI1xMJxWHqi/aP6Zq -ltn5WaHDpcGslXJAHliLIJVlX5VHGAPySK74GRRZr+DkmIJrZ/8efpjMFGsSUUNo -Oh0ItmWQoCq3G1hL+GFa01Y4EGchEACcfjcsoDz3fmcPZLwjJh7wPaZsk1ELbqEa -OwcTG362b56C3doDCNhaVrKyY3Yaf8d+vHKVDy5bKDTAebkKqiReSVPFwGtAWt1m -N5lZ5yuYBxusSZmk+hc0hhddlTwzdCGbidx5ihz4z6vIQycZmVZntm6xuYRFuG7r -1a92LLwgSlLd+weVHBwa3v1Hu3WX3N/bdWE9CrUWMMYebC8mk8h1nR1r1cVqqvgW -9XM9muVZvnXIBaOqgINLoF3+lSE8g9NZVIL+qXjjU4Sg4SkSAQ4xznY3v0knCAJ2 -PPin7Znf99A9H/SSwC2OQ4RZHtS8PIFi6CGwt+6dtyB69ZwR/+EqDHM2/87gefcr -ak/ShvnLcUjT2kSIy1yHjfCdbce6s2u/ugkMK4//d72XCFAJnA/QRA9Qypa6PDMq -nT71B7993jA7kPj6Pw6JAj0EEwEIACcFAk2pzqECGwMFCQlmAYAFCwkIBwMFFQoJ -CAsFFgIDAQACHgECF4AACgkQHSl17fk+c19HKA/8CxRQPLOb90BgserSFrqihMq7 -Ha/79sq9NUI4MZXp0aasxYHXk9G8rWH+6D5cMRd7PQjxffv3VLzIgDEM/XV9BJ8v -p7056NrX1wdeoCrT6p3NdEaPV0YNGVGaKAClGRgqWGWLdkeWwY3PL53ed80JsEC6 -0B6asOKD3EOg/IEJPeDlxzr8I/xiS9MmKpjF0Txd/KJSsx4Rq3z6fv9FcIKY0aeC -0OaT9btFc3C1uP/IGyNtrK98WrGkRCAN4APQybUV4hHuISwkw+EjNJAEKVKC1ipz -NwKY643QV2sA7NO2Zs4FTB0kQSJ8MQWFNmlFBwpkx+o1/9tSDDRGRvYyRQ4fxm04 -YXsv1zTevh1LxpequwXcL3zZ4u/Y/aZDtEz40D+7faFxBx7Q05Ed82Z+WcuxB0kG -5o/lYBDLLUsR5Xe90Lngtc4w9SOx46ZAQIgBQOHNDbWqIaiHyu/Djd67NE23P5j4 -B9E5Bpa8W1yp4uVQLQ9dgyi3e14ylwufkd54Ye+K0ynl3r/8gdN/yYQ4X5e039Kd -Q90K7aXhRAYaZwn7zEWUd3UBwIzOYGbAXt2Fzo05TJyW1X2XGlMsGGbVtB8qBFha -J/ODKmArADKmn7M3GH/JWCWROvIoZrhrFi4Fb/kHJgBhb0r4dRxSRoIBO+H728s8 -PA0V7jQv3JqOQHrw7ciJARwEEAECAAYFAk+z8qoACgkQhINIYG4ZlJ11Ggf/dkQk -0WFZRY9in4GeCBUCt0kc/Ul+U9BpR3dZFVcwqlwmZlViFIkeMFNRugpNL385vQft -Eta2yfC1bw/vj46I9e87UNlGAMy8TnnLaI0HA4TA3Li84SntJd3OyPPB23r8QHGd -QILUlXXD8yCbDWDnHfJH6CHZMY3h5eLuet0yZl0GFw4GEhL0/DOaFWDCgCMW/gKZ -2edUBASoKn9DwUsgMQ9WcZr2xrRIUSmZblucaml15x2b1FH1oEStRQ0XoNFP6tCm -jAnqAsuF/+JbTyyuUDa98HXXjdOgQzJYDNYwd45/AI111s6KB+Y463Zm4m18H/G8 -4/U0EUd63y/BBbCdbokBHAQTAQIABgUCUCDpjwAKCRBuuKMwrM6ArfXYB/0e6Faa -sTSTGy/zImNT6VvG72j/tmEKnw9ZQi5+nYqtiWyir9GemicI7auyHIwAG9oMA4Ni -MYo5RXc8JT45vTy1Lgj3B7z2sVhBMPdCFg0teskauL9KUKmlc961l275o9I/b8RH -C305yErQSbzWrANWhoeb5X5FVVZUb6Ini0BkwDmH4XYfjd81trVWk8b9Rw+BTbZv -jFe3ctOUBxRNpUVS0aqRmv2FJB6X9NJLUU7RCSiHH4b2E5+db6aMyolW+LZIbc8O -bTftoeCXZDKFPTko+u8peUtGB/eAHVH6+v+zVygy+z7DBpNKsFntooGqYpwbLZy9 -kARi0nW1WLX2fXSJiQIcBBABCAAGBQJQM6cAAAoJEB2EzPAQzFvHWEIP+wXp1smb -ueRckjI7Cp8LNBtaT4DqrwVA6HlKR8l1pT1hjOQzvXyP6SsqEcO+RTxk7WKY3cjl -QZ6Rtqu22eZ80KxmIZpdnpXQxc2kwkGIDKw5NNjVjs1NjemWh/HN4+s8ocf2Ai0m -Zmelbqp/iy11oG35Abw4q/FEUyyOIn0buTmVwQtAFdnNUpJM1zRqIUMYWyNLeotR -T+7Yp0LFuZGBz03GnM+P1x3cIdshFiBE5xfCTDvMoD2gQUenZcIYEg79HiFXBwRK -HWjUvUIg05L5x8aNAx0igDzdEtGui7ROKZuOQYDUYc59vlfCCf8dhFLssFsYS6a2 -Al1owYGbxPH+MTp9T297dUjLQl6ENrYrQSSmCeDQJI6T8lyTlfNAiXAvEtds4q9/ -xEWFR+qcsAOdTdr34t0htAkWi+cjhJBhXoPJcB5lxRp5JWL0Y2iB8ZpQTUMJDr2N -ipJaabQ8MHkH6HDFo/C83Pg5DenJK0T5xa/rH+CniYhGCV3f/wVjD8iEPGcyKs/o -SylPQUYwYdE8OWL6WEPxntOfYyzGXcN6LrTvv//B91GF4WZ+qDo7XXRmdhWPPMEV -u46MwiQKlH+S3Luz/UWkf7wgNl20Bd+GA7TjOLHdbNc4rdFd0V2fjympPmRRQRzu -d8hJqB0zr6nuQIYXpaMkM2IsfPTAXPB1GGljiQIcBBABCgAGBQJQqmIQAAoJEDmK -pIhzDhxwwGcP/1FiKP8NTVqigEITvd7HL0WqwUqbohEx3Mhdx+uxqrf8p6gTIVB6 -fvZCkA/wqF5uPDiUnq7SeP7WAC27dorwb9iFfj/5iJuQ/CMYzM0aTSVde2yzm6oN -nt+BhRQhO/3LKMf/6IeVkwDDytmiK93Faz5upGVfpxt0ucubcNtwcfmezIJ+bJla -vOpXgMkHMrTms0C0BwmAWIDJZDQ9VhgiIQ4uAwbhoXQRNqpo/odA0WrtamiQA9JS -kZyHl/CioGAuJM/kZaNpONbFs3XFQz3VCo2VnQf1rPLcgPclmzBnn/P2RLzDnLfP -+ouY1wLoGXXdL6DHxDI7iKHgKA0M3wYjW4/X4JT7hlTTlAht2khVn5P0E1NB2kMA -D+ceTCwZQlHaJU96evnmxWAYbARDZvkrcslvracib3oEncomzNIW+lvYoVjGYNxQ -c2Vn+NJKf05LbYMYboganCLovMQW+SUIWAId9wYfBkr8/iEYevEBERpfT6wLlEMN -eGZu3iDufTIPiFncCMKa3BO4rPa2CN/cLFO8wQ+62HsxrqiWmq76JU+wG9Tkbd6o -UX5fDv78JJlDlv/ujHVuO01kGkLjpstZWvT+MIbAQZiBD0I39FE9nYqs8tAlXyYh -sHy07Ch4imJ/f67Yj1HO5EeIvyETPPezBhqzdh1RpSigJDAIKXYIg8OFiQEiBBIB -AgAMBQJRXKCBBYMHhh+AAAoJEF+VGQSajQw2DTIIAMUQUDje5ZgqwlW7HyPyFiLT -v7cU+bjtmWPjGAdDEc0jTF0Tsckx4Er8qB5GbweKi61kHsXDfJWmq6maHlNjkLF6 -PI8CuhPArLADSgImOcULDxnuqC7K7rEPRe/SWYKOxZ7Y1B6BexXNUc3TPiCll0JM -jzEjwB1rcZU8rymGYOeANle4WoI7l51e1hNqd0L1CJqpgxbAY7+h907fG6ROTijg -MDJfxUYn1WSkzQP9CNELrC7RkVH5wWS4glnjdGQDp9nz9P7lj6mtoSOIDI3RcoAZ -jCq1C4MxxsEGqpws+EH1h9rHH9YZKH9et1f+rjIRlJFk/NNWkAO/I5HtXKGh41CJ -AiAEEAECAAoFAk/W9IMDBQE8AAoJEGnB4b078VO+CzgQAK9FB+GpaxmcRzxUhaHN -9r8EyP3DYgXhXUghatorAjctws/YzMbIZ6y1K7QbWQzzrkAQ2FK+0rfDWfp1ftQA -F8VD1w4wjfszdzHFjZE5aV5edCjiMPr8skUeGNM53Jzva8JmHW5yZzfrCSlhkZi8 -D84HUoYLC/N9abOVFJynkedtigK348iUWqGqfRU7scN9OZsK8w2OzMjXYq0D6tke -18kyJZqSG2E2rba9ZF+Ix8bieo+NFF5h1uTqST7S4H8ZdgKNGXL8Zhaxj0KFQqIJ -9HXYK1lFxcvPoLtpcABuWjK7li9VE9bOGwG1FPaS3rhxUtYz/M0001N7FyMvC/qN -hIBW6ymXUOPg6LE2NR7IYYBUHUoluQI0jrmAbFdyXYQSvxYUIBLZXot+N87A3Xyt -d1g2/wtRd0gxHsX0NZ4mvEzIzlfNJEbJxjTcO/MIFv4e759+8KXd/Oe/ccFEeUyt -o4+Ue627XgwtQhRJn7etyROX2sGAbPGg6KKMbGRwwmFf/fClAZ7xn4qXntMLetXB -qnTUFwbnaCclQyDi50rbEKE3VaOhU/N5gCJyI0vrmdKDcIvGCEQLs9qvYpJk1xT3 -taXQr0Loy+Tppquu/y5oc5bjHQ2wzW6wmn8jravXMdb5LF9ubJFAVt6Sje2TAtvc -hZo0gQyn+FcdghJVKQM2MGf/iQIcBBABAgAGBQJR5DlIAAoJEJdo/TzEiBXyBWgQ -ALihKCaWfmrepmQ9u0YR7UBinbWEOoBRRdYUwAhmpRRGqZJeeQ2IBJaFAVHB1kyp -T8MAnx/obZaUbuJm0BYvNhfDKTHhwtfuGdlLhQcwZYWErT42lC1l1RT2oeo8D157 -klziVB/ZP2MhASalhDQXohrQYpp/f+Kd8TaAFLfDDx4NHvCqLPKax9hqX2eh5U53 -6EFMMXuIIgOdRkwNRageR3JtAULdiHm7HtIuHFkhxl2ULq1vvXSPcSxhQxryQarn -4sEtqYxKtvd/8oNtgGx3J+gcpOeqlBWjsnZnvnZKvqrMp/CNFAUxSS3Vl7Tnr9v1 -+SXWItjvMlTOaeyIO/X7NVY94DvVGvMI76Lxj9SbmfDIOA3KS5nmT265vARp8Xii -DFZE8Z/81Avvbn/iZ1kiDaG7nuEqTX1BqM8Y2TaJTXazdbuZc9Yk/PXvUvncSGeo -RaUepO5VmUmH8X30C6KAd9i+WxM/wwYR58OKo23WDN7kfYklsfiVz9jyj1Q7My+R -spKWkPVnmKp8EmhYWRWQzWDSVeFS7VidkyZ6A5suH86stqCvBGOYEFhV2UzObHEE -Zh+YsVP2jeT01nvhKRM+yk+cgrrZzvMyR9glktGpxrkQiyHeiM3NKIb8QLzbejdD -+ZuOjgH4CSyVavqIrmAtn7WVMXuv5VoViVoNuaBGkNHmiQIcBBABCgAGBQJR5Xzh -AAoJEA+RUwDF2QpYErAP/1EQwSoAYnJgnZ+sfk0LHjkGQBKpoz+kZJpPc5IL9agR -ztyIOuRpb63B8NyoM2rDjF2bqpjgypiZrGnKDxlHb/ezX8Ff7784HIMOCBQp22kU -hWfUMimOWUU9NAZYa5hsqpB4fLzYKHJOn0e6JgbcatY8BoQxw5+T7Dv96SWAnEmp -0Nlhj0+SV7tPxPTjIxWtnoOslvwbgQBgZaKhSYUKAtv5PjjyzOqgvPpb+xKwQrGw -XOW6atjJXHU3mqczjmc5aBFlfozEUTf/3CtKTFHyl6OkWaOQZN7io7t92SCvvj1W -8HmsRvhqwrySyVQ33lGZhPUBX0oEWF0rPsm3CXP1cg05QV+BfeJb0IVPhcx3RYqG -nlY4MaQDQ5nNETJpXRHpfZu7tbxDGgpMB2PxFzTgONAnwTy7Dxdbr4TgIgqA9q4z -JA3+aJGCal77jkWYslhU/6ikYYJMoZbB+bbJzcEvoLZYoC7hN8qvIWWc2f5+9nXZ -9WlrECqLSUaEurqVOJXAOanPZ0sdDIC1BqsPlaZniiCJyHOTGYChYHTRox1ZYzU1 -7LT1z2Aa4Vw6/g2Aa3Yil88zYHC1uBchPW0G9fY675k1OLMprEwTsMLNfaDlpugQ -WrYoa2WMr3qgh0eRBfTHjtUhJ0tKhw0ImEn1y0wntWFvQ4K1xO9VcAAbPfQhANf6 -iQJABBMBCAAqAhsDBQsJCAcDBRUKCQgLBRYCAwEAAh4BAheAAhkBBQJR4IVUBQkK -IphFAAoJEB0pde35PnNfU2EQANXjXKglhMbgj+1o2l/e0MJcoyx/iJF9M94a6U6X -+5pbI1MTOHiZCbDNoL8XqXQltjJgwU/UgVT3Saw5u9i29vmMzaa26n7HGt/P5zHh -RE+oMvJ/lVdu1V1AP8ey+md9IXmiClVonjLcWAWth7chIe4DfVGlsFXPlxEK7srM -tEnlag6W6T2u/B4hJujfUpdqR6gMECzmJSyza8n0CfECqEcV5blSPNSl4vxfw8+b -ZYi0aXnSEhZXHU/x/UP+zvyEfM8ZvgWRl8xXkGyt5Q3Ag3l30W4Qlv8P/LCixXMZ -a+dAnEUhXV71cFYxZ1T2FtZE0g7OKFBSw6saD2S+lseGljUjtVGYVzufqWbm24on -1ZDXm0edmCfAvBwpyYRwxbJYHU1DC3J+QmJUEz7wT1YPHlSNBet6t8um1B9n32Z2 -6Go5uuOSPd6I7BiPwfaMuR4Ibggxy8vb1GpYYF+noWRlqDyMV+YHGNheOWGeZsE3 -cuhgMz7V8LZEo4+XxirxktXMoc1cbCKnalzIa8knBxT3LwKKlVmWkuCUPct1fnxy -8V4cytbIsy8BIqlXj7HX+/JN4UHlwStbIbRcrMa87RyjhTGmMlSJakvNoFpK11v7 -4Gz/JUTemlcQcD2PtnnznnBR5s0+qh/kwwDBb6bu19WxLTK7drORka15UedGVfJn -j748iQEcBBABAgAGBQJSVS63AAoJEB6AvnrnTWFubY8H/jswzwRLrKs+g9tFYC2W -LYrBbRRP1MwBW7nrbllr2OFVEUg9dWJg7zbovXyRkies5fB3nGESZjrgdn0WZIpk -uFLdR5aV4J/om0McH9P6V7dMDQAZM4w2SrGVCHX3UUB9m0cHBzD2+KeNQRzLC2u7 -j8mEYP2YvF8fDhnkPIdA4hSTzOPSAXMcZN0WNhvEkKCdB+6jbinF22tTNN/9EJP3 -PN0OK4V4ostdMxPCPEsR7x9xALIJ7trOeNrnsfztP1w5HIq/6ctdaB8yzl1AfGm8 -j5dPalHBr9GwLdrQuYEowNQYjqwblH3W+cdY0ZPyBvYrvG05MA/KpYaFZDnCo/cv -GQ2JAhwEEAECAAYFAlLPVIYACgkQJp/nrI949K+LKBAApFxy+02ktnY7yGfzoXCv -QHz3/DULbFu9EoJOclDYOsuxFySTM1aDDCdxVINhwh0PjedryJmtNIZZ1cAnz3Cb -HlpTkcnVPHOR5CUsiloxhXnFiopJ4gSAT06wlLetzFrLhM11nidCZlRAqNO2sfz4 -jUwcGkGecdObIZCZALPmJRaa4zdxNVSfDi83UFeKwb8z4R//RA7JstGabcgWJKck -gEGu1uevXwyTWx3NJ3r7k6c8YUIIGTTx9DIbU3dzdiGCjdeuNDLMNjcXjhXC1BBa -WvqC81vhF4l+ivUVG4k8a8b49nv8MI9Y4ZOyun/ERw3sFtbKd4Wb2bRdORH3u2SC -KjR7yo/CVBqOslM2WROpoQE7qHgr+5Ga1PFtGKIr1FT++WaH1I0QKXMicj9YXkWj -AQfwHnKEOXcAjRPICxOEK8X8/oaGYm2sxd1oEIh4CuZEtngw+qURUohyx8tNa4O9 -i07EgyM1SGopZaUVWp8/k0LcUQ5y/mHsyfQwEAA7w1SOYmzovB7iSdD0EyVN5avH -lOVIGaLaLz7SxeYXtw0T/hPKyfAQHSjVv2pk3m1CJGZx0C1cmTnQXioCxW23p+BL -u7+itr0uLYYIg93WW0JWaZvaD5iw6VoGe9v24M32FSeeWQ+mjQzIxuohiM9mDsKS -iajoQktqGHLi+RFHaI00yFeJAj0EEwEKACcCGwMFCwkIBwMFFQoJCAsFFgIDAQAC -HgECF4AFAlPLtTAFCQoiCJQACgkQHSl17fk+c18GHxAAlV6Y9JUd0KBds61BuyXm -Q/wplRt2vwV15QTTAP4CWSLe2FWTaVP1bGGKvTMbK8qwAdVTLI9Ar4X0RiuWx8Xf -IM8EKL6iTFTgBtZtZ71SSY4Gy5oPwyzU4WmkYqWRSQZN1fE4J/rej9w+ZDsBp0eX -cO8dDLj6Pr7D2+0S7WBm+70oIak3GpkV9YPYanTGWX6XhlQHQkTq2ccQfaK0Dh6j -49qgWODaAlehb+KvTehUJdLq6jYugbLZn8JNmB+vYPx8/V1pzdxBrn5b7Z3HZ6Zb -r6tNmSLK9oJJDRvsoF90FPUF3txZbtcIncrvNDd6FO8VYhNmqo0lrTDYXeaNkf4s -nXODCa1Th6WxINzCJG8kB44o8oZ2yNkAfZpItqWBS60bJtu5b2rUe4toWb0YbDRH -EHmbaQHbliqQvdm87tYlIQOb3cup4lNqIUgszNQA45TLcJDi1FAx15KDNX7QnesR -ycuXSCRzFy2+jKXAkZtMS1EEF9OzMp1guW5zHgHjovAehJKTka9VVIWfF3pSk5WP -lPnqHr/z4vUeeBCSYQts+tXuRMnUjY0NJM3yYPRRNO6m8b2j2BoGlu2PEIRARxp+ -o3lLqkhTKOU2139LkCQspxNcWXucl+xeisgMCxiw99vvjp28cra3HrRQhhTf6GTf -2ajE9Ryw7OuFlHW2lcoIjqyJARwEEAECAAYFAlH1mz8ACgkQVWtNH5/EmNkKGAgA -udBf4XfGuQ2NdfGv9afUzsC0tsPIChoLvqI/1Kj0YH4xShMQM7qFKlw2VF04/1IQ -5mQzhndJ8Xz7xHPTJ2M9UgCDBdI9AXWxFYnQlZm1FbWz7+MYYr03YsqcA9DIDseT -Dg9HGGa4W2C03REar3QTI20R8ilUSMAWpJnKswuAW21nOviE73eVr/eEzQGNJF/4 -mCUn+DYIPZOn9eCT6yXmKCuDbqEk6Yv74Y6cg2xBjGXiHHbzIQ88HRZD1QPEgukj -fItQByKWd6iSD2SR7rvWsKeZKMfO7mNf7+7yb6ACFX3mt7/XroSrk9W6Q3d5gesc -ns5zOE3aVho2bMwDhvEcI4kCHAQQAQIABgUCUfWnbgAKCRCY7wuuVH+HTi8pD/4u -mDZ59HaUo6RpYOpzx8dvfhDiWq+zY+VTTm1Ctk1WRKHwQBliV1mSTE89VPLNKy6J -uu9br3JTKmIsbW1p6n466l3+0f9BejLgq6FEynu9+nxQ8pD2ogHpFjrdlRwLXdDm -ki75jZr4OjeGLjdM3+sL8QJGbArqGv+5GlGbl3XnKUSVKTqEk3TqzNtWlHJAJkxO -A4+8slVz8KG6FkyH0Hd9iKq7OHvxrcT9FAPKzLONRE0O0N0BNZCkOzheMlvEOJl2 -yeq6NNl67J8/0ufZFcdF8OIr0fJ9225B4qKYca88MC9WhnyPKDI7msUuffIO2sJK -K6qVv6OSZdGEMaIT+D2vPN5ZdHz3U0lHZ0FUjRAphBg84ZuWQ/TZcRHoND+FJFvx -UNmqTIEvZzANad0wpgeOS9Vh57L9X0gfPPiE5yOAVdZcYVyuUcZTtddA4lcL7NaL -sJwfeS5jkbVWsBI/w0i87RjXSyynsXFbkfwtpbbv1cTgPhAdaGY+5VJWG8hKTeEl -rNddZIQ6TjItVXa1Jko3li2U05o4BcSdeRs0sLsE9a4PCRK9cxFlLBkKnaTTbwbe -2pqlv9Fl7uTA6NmFgd04Tt1AZGgLX8r9sFdI07wD8OTXn57yeAorsxdLcgDLqwHA -SS1l5Ecz8roVrArDQW2mc5tJn4oEyH+G3yQEK8i2I4kCHAQTAQgABgUCU29uogAK -CRDmgMUx4ysyuzp2EACOEDKz/6upz3UoKkR4cuYJnt2Znh+7LqV8j9jC6LzwB5j8 -nC3f214T99KILW/Mm9TfwkPm8H3Cm7MX0bZDTICO48tn8+ykBTzQxW1jhgHDkLJB -9/Vk7wX33YuGbxno6frm1KuEn4VmP79mtAC5qe0UZ1tHS7WGBn5JNlb5/aKgnoCo -qqlZPPg84acbL/YMXTPLQeInPwbHhIQQ8Jk3ge8B7hvjPihnosrW/sZbwloC+EyC -7Z2HKBgwhL2O+bR1Uf2TqWo7NSzIkLgTElZTaG8GTXzADg4+Wg7ziqb4fDbIAriz -XI7Pnz5v6XokVtJsOxd4Fnkhhyqiw5cm0jbQqJ3LwTiBimuV0FgxuaKZoQQlQ/8t -+kS5M7ZOWE6ahpuffVKOuXObmEtQx0mkXD0qAxPB5kmHQwlDmekw1neV+E41qxZi -deUFu5ZTu6q3cwEQq8PKyOWKm/+s7J3PXeW8mbXCGBSejmmamH8E3rujowD/biIP -CcMRiCM+mhnwZtWjK61dZFr2/uxWY2UEsIFmuYBtGTDZ4t6NyvQh2Js1JzYceRqJ -qCdhDcHHWF+rFDj3kqVs5UZ4+VFN7XV4AVpm84UVZt0+AIXXaFnsLATW6JaAuZFr -b/qrPzAdajU++uK1L/t7dnbznivTwETpg0lXKECeC5VwXkUn0E/xfAstNM/fP4kC -HAQQAQgABgUCU6C33AAKCRDUVSNnbtYQt/ufD/9RmTTJc0Lb/qtVa7qVkBAbp5o3 -Oxzrxc26YjPXmVIe6RHD2AWmlJBC2vyZiQ+fBm4oH+t5SXLZdcg0jZxApWZuu1HJ -tE7nFM5P0iVfdvH0qHyjT6Q3dI0yIsv9qqzuyUTRTOVoCoK+unXQShR8Xfc6FYHF -9optySqd9xL2924/UkRlz1wqBNpta0KX3SMoUhdO/JhywK+WM8/q1wtGcsBWEA2i -+mH+KLkzDnnemfBfi7+snkfHqU1svnVOWblV4Q4B75BmEnRO7QE0PN6exPMkZBG6 -LxlRoXjJrFtKewYPCCj84qEJqR+rtL1xvV9zYx2hzswDychH38PH0TBxuuq8L+yl -IKteQka6Mm3e2lWCBBaPLscx/6p+rwi+WBLzW3O72y/c95Kb7XtMmkyDVtd0iqIP -GHtWLQYrOOwsWWSJHBPwV8CtxtkyOHaDh9zAZEIah5Hj5MgoUNjqca0VeRKpNINa -icXYUoWapP78UVOVg9NZ0Il8KVDGg11gGVonAWxnnVr1rxW+QHZQSXhg0++/Uwze -M1DAW6Q1mmBfyjpWiZwYfHrOxLRovES1KsHl4J7Bt8t4eoZG81N3qKb1JoIjFZ+T -dRrsdeGuC8zo82SPTUqVkq8lipIVMYzsbwkHDCCspMj7eWEWTS+PAoafoUjEVxmA -tVEyb3dthTtDYw/U6YkCHAQQAQoABgUCU6Ho3AAKCRBNBWHp+dvuE2KeEACVVxjL -1zOe962zQtNXzmwBG0gzmjeB+gCUjqHMEaE+T8FsOdcpbbMx6rfzIeJlLMYUswFN -KX8W/F3DcsYKTT4hnZW7DiL1VPNUSiW+OfxtCuUe3LmgxxZXma/zJZyMVapig+fN -SBspgUQ3uOkZ4DesVj5QGmT39GmqnytBs5OQrQUaVrwwNc+i4wHGeVg4RpZWaK4W -HKJItoWzcZto5P4Z5bt52lMWB/lFebF3Nl4EGiKoO7z4SGhDP+5Gld9+RxQ+jhvL -XpagIXQJTdxVeTfjE7mI549Lng1iCPt0U6MpJ/AshzuegH4zlcTMUdHjvyxeBTxF -ayxzS/XeRsQg8bpeNMinvmOnXvE5lK5WGSJQ0/Xi1VJyuYV0BET5xLHOaS9Am2Lo -GMulGI7EtIXHSEBfH7rzKR0EnUyarOyfDvy/I3zKBsxLayqIiU+Bm3viqGBaVKjJ -YoaqcHvOD1EKAoKG5AH+o3Lm3ul3YOTGa7iDjyjc7CNRapkze18+GDTccRcJUWUe -R0RRW8baLV02vmt7SbLFMiNvf4uFUecxG9VpQDuT8kx1mxC11eBsCNjZ3AGlrzkM -btSM5qHKeHU+YnAW9dLOq9tOQ8ZuqA10DV5HZ0kAwiskHbHVgjqbnSgXZrnRQP5u -OEp1F7J+GJstBejSxcHLSy9Mk2Gp9hnItRazuIheBBARCAAGBQJTpHRuAAoJEMU0 -MrKJv4zsL3QA/1/BboP3jPnXlip4IOo82s9SQyE3xLgYA1xHPD83o8MjAP0aFR9n -UAoOT4IbkafFh56dnxvW8X0hpUwSH+gtChmRT4kCHAQQAQIABgUCU6PJnQAKCRCE -b/rGNK7qP3vLD/9+paCVD8iljpY/hjbu+IblVfjPZqJBq5XMbyBFJn8DsW43kc/K -e8RTvs3hTQRDfzui1YXstDK/NXqqRSKMy5NtsO+euPxpYSY895ToPN6uPCBqQkoV -p7HrCDffNvDmjrMcBchuQfoX3Yp0h2yLguSnw4xDoiBFffOfprFD7mX23X2yuxi9 -AkpkUPWExhuOZDbUJtjR2E0zeBE/aDNFVFiVWul3nF732h1/FndvmJoPr5WMQhsJ -i7R+FCZnBbmCPujzNJArLT+1nGYoW96npMuoIWWJ+pojMjx4KaRrTVVa1X5qVZGW -rNcweDprcIYfRRtyJZO9hFUZm36Vo/L3jRrY40o9KXqmbZodMyuACAk2TSmOoWeZ -sSdLUKRVhLge2y8Ddqf+xIz3O73aa2GqXZfy4KpuoIoUkOhMbwlRxjwu0zYjYeoj -nwMBmUWU1tU8X8/G5QmlT+0le13UGuDKvk9yA7lPksdEee7a4idFljY4Gs1CMX2g -IIEOKt2SArym+hn7cxhfB+lLiqvlhUYtTfvK07Gl6ErUz2Uf8/UejBrBaaqmtUJr -LoF7I2VI04f0+i4eV6eW8RoZMzt6/6oDmCqUBuBWCA23KgzBoDyWsCNCRHBFnRmi -Aw/5FDD8WMedVv+iX+MHlIruad63TKoUkYbKBSu5aEWmTGHTVB0gmZyOpIkCHAQQ -AQIABgUCU6h4rQAKCRCDgslcKQI9+TOpD/9BJwt8zL7f5yklAxI73PDk9FDD9xlw -z1tPtHmPm7BFQiLLM/WecpzlBc+xWX1iKv/EKbBZP/7x4wr2enMzG8IUYqT6t1J3 -ej8UBXU7UgclmV0LF2c19+RBmBxdtsjJT2coe4+gO2qZlHNbuDhoFRvsEXH1KeGj -8n3rM7VDnpaJCMWis4uzIayiNNC/QLXIdPE/tOpko/4Kf/Lp+Jy3f/msb5Di2G2R -cq5/3LGwva3S88AVD4kW9fItkVDrUJbzLpK5a2NlbRg8AA8W0X3TvJiZZkutBssH -xyW3rg7u8akB3lg6knDwnkNcpQAlTjgGlm8xTY2IjYUZJw1oFRblHvQ7uLpv4bEw -Zw/9NSRUyhyKHMwsrCNH+FPfYnzrPo49FldK9wLPHvJc77cEed36Si1uHLreAakd -d6wNiMktR2RSQMMbF98rLsTD0hBGaWs6zaGVCJYmuJj6AVUjEX4UVpi1NMCdnlBS -WgitxypC4Wa2YAhxGSIzFmMtDc3P1ryYT5niuHi/tIuGN0Uwa6Z9ZKTylvWYBraT -Ml9RYGHeHUi2yj+UzZ1YRDp0ug3n/DlgL89pxjCA0ohiHv7OZAyz9uxzviJ1lZvP -VA5xICojchQHz/6Mug+ZzavTR5T9ycPadiW7SMxoa988pu0JqNFLL+BuFhN5YIKn -QzsCxe2Qc6eIF4kBHAQQAQIABgUCU7kVuQAKCRDqxevweqnCo2FQB/90/nGTAveW -gBaYqeeQfG6hiiiLJ88hs6fN/ziPaLD1xA9iJpBsGdgl4OFvWK3Z+wT1iG3Mgicd -L+7H3FUIX/WwpMmeqFlJe/s2gXh8T9NlMNbjvTgvjJDkTnZ6NRJkTHCgcrPrAveK -1AORukDQjKFVwS5x18K8wVrfadCG8qPSnC/Y5W06vlsPOff9boF6jQixnpr17YqZ -rSZOhYpc7WdVmjmDcA7qQUA3CFcz2X6HtAVdC3+Z3kj+TMvzsot5qxxLIWJ4fg8B -zhB3O71k1p5jt8KdQGDVqrXdVCHLMsL2jRE81puHhFK5xl9+j2aG/TnpNOo/Yc2I -jNC1t6s+aProiQIcBBABCAAGBQJTuSJUAAoJEJwxUDxthmOW05AP/jPx0nczEJec -E8n22GAQmWMJcjWVy8KcDtG8A5KBD7QfdTKwTdjfuc5j0rmeWqRBsE24iK/pRjsL -4hSz6z4YcWxcXP+LB1kq2+IJa4mvy19M2uEGKiQVcrEKqxX69f+uU9s54dIFwlsV -ecLukrMnw6QIoil+5WGHbJuEr3vtViRnysDSNIMQCfxl8QeM34nx+gTUeg1/NNu9 -ONYc3Vs2PzuWJBK6vy8zsdHUwUYpnS2P7SwIueKQCdZvpXNBraGF3t2f2bwEXgTU -BhMaT69dnrhc2I/vzj3iBPvZ3wTckF4nIKr0CFtmAHxCZHMIPh8AmfhpYapFilaC -mAf9vVFEo9j9l1Wrk7FQTpRbSBrUOrnvA293mkupAQOOCphyC1kOQURYAM0Tc4B+ -6db5Qk4BkO8KilrclBEnd3yAofwJQvifDn++SwVyZHMlRwcMYu15O4h8tJ0wK3BQ -uGseO7w6auexNW8VqyGS5Pp4mXBWiGEIbrd0IDelbYV1rqMNsdqBk/emMgc7jsiw -yrNxSncodx1v6PG3jJJ5ev2Yt8Y84hyg8rgkWwf7U8sQPVM7w7D3LLmJytZhT/NX -ncp27Sie6QpDa7uxSFfyJ2wxC5tGyOl4PPPlv3l2xf1xy17sbwRzR8ReWYWiPFxq -SEDryO+ryBHHr/TRlc4cydnedD1RM9pjiQQcBBABCAAGBQJTuWM7AAoJEK7O9Ubs -iwJg/BYf/3jvd3I+PSYaIIZiYmSg7F6NeWLPqtaVKTvwlxd068rHe7tmgcgzR29o -NW2M1Lw2yAmzHf6BKqJbJjlXEMzM1nVa/GfI5UWCJrp4RrvNLYHoEIMcoPGvLwDu -2ZUWZMnlwX5TeFDJ3hdb42y8ZZfuY0RD9vvLnr+aXSJbG2Wg//7gtOD7OOnmL+Lv -cpcgY83QzdlSzYhQsRk+6Oslp3XuYjOddBsKptZ19/8QhOFt4nAQJaGexoUEnJGj -Ra6EkC5iMlexdBZvSuAa1WPEZPRxcxJc/yFwq+tAXGWDZfYu52OD/EF2CByADWIG -nJXCyZVyprHi6etwJ/YhjTz6scP+r1NFclihbi9mEqMZGRITcNYR8BZiL5NN/9Yr -OTE84L3aGYyK35+m37jpjymJlGA/Oc8EEkqBMtNnd+aLY/r/mMz/gmrNAtcr3cYM -X9/WX/C//uCu54F5i3qr60buNHl9WTyt8MaACcSkk8jMZZKYfbaqH8Ku1AhiKKS3 -uXaBQ3kxaaOor+3+ZhGAoR0Tc2kKsF5omgBObGvU/iPqJLlzKcp8N4m0T3o7jZrV -5cJpsFoIegazCDC+N4r9qcrh3qBjsrbZwQ5dCInGEU2iChjTSiDS1/2dmkuVZfZx -DkoJplMzPZVrRSUOZhZTIQtv0sO/e4NE8upE2RFQEc9AZyVgKOgLPzD6mR0QODTW -daGdAUtzMQ1HHCOyLQGB5MimFBepn2qh810auWPnZ/QV2+t654VTdTkeIYL8WwBp -U0jYFKnCigblBuT9ieADs2xC24ie71avW80EcCrW2jleVLUbqKzfTafplLZux2kD -A/nUEzrdCwmcSCaPmzhTOerOr0HnBoPXwBhxU4ZCffAxaLuEqW8x/IJEcpATW+BT -2iIwKg/eRmhRQdnJbVG0afDCs1Xm2AoU/fSbjgOiCbVHjkxlmq69khfPpgaX+XlW -F+HB+xZWXxvFxMaBw0hFsdaIKxnBpYI8fNqhIMQo9lwefk/0inQdPv7eLDiFsm+x -9yB+QeR120YbyFRckQPLl14x0FDMSVPADjaM9h0GWWYtTLCbTq+R+n0w/ELfFcNB -D6J47jT8/NRpIReJzrlN8JRzWRLMqiKU0b5wMBMBbineMij4qidHObx2WXRfLJ/h -wqKkRUFc8NuNOPaBlepNwdaZJYa47Bwfjyd01f4kpwFeVjKWNw/SmdaApfDOvHng -CTFU2Zznd8FVfOhLRXAVK2+Fg11+FHzivlvJ/henRgJGOULl4gVwv2X222ZyQ5rd -L67nAMipSvZzL4FXsWtL9cTLjrhrV52aQnrGIV1AhfMLjNSmubkdZ3nttOVzOTPt -fym4efx5FtzpuiXmSzG3pUgn/XQelFyJARwEEAECAAYFAlO33XwACgkQ3UDyWKrO -AenAmgf/YFGdqIN14RVrHaRzwvzGWN74WCDtpLF68JBeACbY2gWZ6jOpqcvEQArL -muE/U6uPiegqQG8qINxMA+3CQlX8W1e1vpwCaJN7a52xUHBLUmMXrSromRLOa2+k -ogDU1boqF6Ec6A74DNGzpv9P1o1bI+0b8ufb8Y3p8LwCaTyt5xFMomxVmMe9pnyy -jUBMdoY6JU+Qf1b7SeTU/pel5c8d0KVVjQC8WcK1hLEsbluoe+gnbHMYhPUee7py -D5kOX7ywv6NgKkW5YgHdbPQCPeJI/boX1a+/FQ31zG2JORGVuO4miyYUPtuJet+B -0ZuA8zSGHRyUJzdBvZY04XLtZdthhIkCRAQSAQoALgUCU7vxUCcaZ2l0Oi8vZ2l0 -aHViLmNvbS9pbmZpbml0eTAvcHVia2V5cy5naXQACgkQExjvrF+7284jnA/9FzV1 -vFET/u3RBBi76DhZNrMiPh9Enk7w5b5lF+GYGV7Gdb5hRkJHVSRcAcfkxFqqpRJ1 -u3qMHie96YM1Dbod/jBZV42Cg/fBndfXLlG1//TYjZIpz3q3r0KgzpYiY+J01e6T -1KAjCHP1UgBYzXutmSLnxnnks1zVszwm2X9Jm2yGaPOYg7GBqUD6jnHBGgMQyeBt -jmSavaM+YIX63WcgrgyTCx974KTJ1L/Pv6DPLdNjDVmzrYWKEFyFr0rF//oDq3at -9VLBmY8xSiCaviD3Zu73lGlB+vBcnbUB6CeflbrQBA+7/8ujGnvKeIjqZxw+mQTf -0iApwMUiqLsNnTG5hq8NHHyDHKJhi2uxzlcYkqRkVgKraLoKeLNbBj6jmGa+jUP2 -Ix4HWlYEYjhlzKYq0NHqIv9e4/xPh7ftikMIePSs5cxOaEzDbHTnAPyA22OzyItx -R8nv80kWVNEGFan5LNa6tM+uxnq8yYEABc4JUn5NflwpY0VNC2XqRkiH+pTMf2eu -5Qq2NfimgEKMbvquu14aUW+F2Z96MVSP3uKV4feJusztpRxCCm4bMT1Gpjfrh1MQ -baQs3LlEWeGRVPlwGYi5OpCkDYhOG+1oP2TjEh/sIkREEH7WZP5ilDkd/R/3kAH6 -kkob0N20ZZkbe97uObvsQFXJttdCoj56N/Ai3AyJAhwEEAECAAYFAlO5ZW8ACgkQ -IGcAGxtnimMRAg/+I5FFSD/VX39Mf4Y7GDdHtB+SY4t3NYfRRAjItyn6r771NuZB -0MVFxvzZ7/l8CLXqhM3jGYBCdWMiwiDU1wh059fl4bVXIJ/GgVn+qUWba23UgpxD -ADGXStr3nrIIaED+6smjYgXvG3UAcZAyE9owt/eTMf3QwWqCcOcM1KBjaQQ4Urx4 -n7tjuRpRyAiG7AgoMuF8YKrES9euwGV05SabPSiZ2R8UlONvmFCRVF4Vnb47W3n3 -Q5IW4bq629XBbFLFORKJG813LTQYTiC/lceuzQ1Gxmf2bC3LtOGPTLSwe5C/CUSL -5NQgUtj4FnYLl31ynOklAVmPxoT3Wp2h9nWvghqBAk/gvfY63Fumz59lfzWLNwx0 -kd3NhJD9EkYTwOevWhmA8MhNpyvh8Q+ukEyCnOmgi7XCw1uNFS0eR5iLlM1pyIH7 -2TleGo7e9PxEpjY1ftUk86iPaeVrHuctG/rqCWrZeU4jiFQw/c1igdqmCs3PJx97 -lU3gKYANm5fjhghN1axhvGXraDk4KlVIL41wTo2QbpHwG6mjH74BFgwxRWiqXVJl -4AJSanj8IzkIpBF1jbKxyhrJxfgf2zNo3NBAWcjR/F9OV01XLn5KCjmAefas4G/F -2L+RB4ctVhWxOx4Va/s3MYJbJjbI4y2kT27eujZXxzocXM/gR/MlNcOE2jqJAhwE -EAECAAYFAlO6xfUACgkQogy+sgAMZRWV5w//bRrYiuB2ZKbkgAsgg9+fX6NP4AKc -LAJiXXRxDps4Nu6bOHKN7YBAJb46O32mulElWbKxUiy1dRQiVE3JMzUZkCDcl9vi -ZczqM+7aXdaoMaWPHkLHqf0Er6bIlvszn2C5Gd8IpDitwimRdnLmzwQhF86rO2Py -DTTrszvc8tlgIxTFATEs9IhWEbCSbcRfTdDz3AAoWnpaiOltu6VZ7oQiHqWjcXpm -mL0FcteZFXfhhF9FOsSAX5EVDGhfAEwGQifURxmS5yMbwItQHncyTzJg1Kq1TNOC -7WneKFwIp6HHWmYhrZvSuZq1KhnzCWyVQA9qnnZDX9dSKNYh3z2vYwP1qyqH2gcT -vcLP9kdMzcm8tDNlw2anOh7TgebSFSG3TrukrJJxo4PU9TNvgTgc5MD2lfHW50mo -HiAukYEsrGtvbnVQudIUy9x4fL83qoRS+U+i7Pn139wJeA0erbV1c87IbFHDE80P -J8y+E1QUQK6KO5CHUJvkqikTl+fERMlmsvNQF07mbj8vNVgaFiPu9idvirHcwlnn -VfVPZA0TrNeKQ/yVvEiyYYywqgmfSJ/jy8ccyYypmQIx6xqeZCLEjLn1iQ6Ssc95 -jZIPevbOIX18igvEy7lJbqb7QYKxZvm/EL75WFh8k5Owayg97aL9O6CIha+7311t -kvmlpqBrRxnfQ3+JAhwEEAEIAAYFAlO1aW8ACgkQAaIFAegaS7qrhBAAgTOQB7Dn -v3dnqV/4h/AFMg//s/4VbxE3aKBKJep3SJSr2zMhvtQPLC10pFtpCmahDc831oI+ -xW7fWM6B8RVZxvXNqfcDMxLJnscdS+ti/h5miHPHBAiqRinvO6KyJ7JYf9GvKkQO -AsT9/KmBb507KUV/9Uq672ZN0cfld8vZjksPrViRbNIkdBP51FK0D3sLt7xltBtR -C3sguRXNLlNYTGQKAriZ9bOp3YYCVzBmxmtjd9kOsiDJEPZgVa9ye5p1qxXfKpUW -G0jLccY5lbztc+NA6Hd3Ennx5J2wgbPod6T2P1q161GYzfXAb2bOSjf4hidUI8d+ -7Itko4eZEmk29DaUKPAr18XkBM+vPxS1W0yX5TA/Djh9+86CpGqC7WmxXPf+rW7G -gv2l4qRpz9KT6hvh6tXE4uMwBwgq+a8Q5CtFW9XEELeWnkCKXnOHpr3J4+5WB9Zu -aGwBnasaggMEtQZPIMkRUlw42XXDkPU5ohXHzBOupTNXwtmJCGsLYvmJ0vmneHF5 -k24BzrJG13/Y8NEwLq6nD4YVkZ0VmnFX1iXzTbwPn5vhA5GpVfiySu9zXlqAjI8h -wVnVJCx8XoRIpM/tQDmqUZ4svINl9WTsvJ2wyDELI5QgfEvfwCyxiDOBoYez3gOG -Gsog1ZQbGUfUe+CvJp8wzVMESGpTtrEfUjeJAhwEEwECAAYFAlO2iSEACgkQTa5C -Jp6w6wvj7A/9FROiYpQKLMR63zKakuuQqZCSHiJtdH2kH5U2aWSuPtMNPvDj/Xd6 -c8GuLvW1YQm7toAVYnItfyBu+mkrUI89PjqZL1kPb/xS98cmHjxDn2wl2QxuP+mY -xnAXEhOrl9V01jckozcg2zgbX0Ys6yehsG7TQFh+ww0Eoi0O6C/EQUHvrMWpJrOI -jz9CUGlhiIWJX2wdTVWH3aHyyByaz1yutJyDKq+UdPedl/EGBFn7mZ5/f7GjR0be -hFmvzzmZjzK/ipQgrFbu8439L+FSY28akGPVV0XAGgcMSYc2ufSZNh5Wl0W1WJHh -2TkMlDlRT7YzOFHVmPsVC8EocNM3ESFXveXxgIBxTObqm5aFhkO+hk6y1vPZDbEg -xszR90+x0GhmGtT7+4vTpWTIks26mjZmJZW2GaT0bG+gYdJN+OysoxwFkIS/3bRO -dAsXENJYKi5MdjZFNeMo3PNB/vm+8iCTnuVQSsbHGrxMUfhppT5qxhBSUSwOK/jF -VwmZqLhlLW4DwQMfr3bERUfzU9dpWhS7HQlA2qjI10Vav1XV6w4FyOExTsLJ4O9U -5G0I3GFMDh4O47vqruUKeoujJxG6frlZB3rTEEUTpyKkBasHe8d6oJ2lhsMfvluF -EJaKbh93ozB493AGaxk9mLP/cOvad9fjhCT3J9jvS2AT3SAY2dClkCqJAhwEEAEK -AAYFAlPDC8UACgkQNQ6+iB51JB7vIA/8DVbpgFuSCucPgHFPeYCxa0Oc2dva6Vgh -J9Y3N3pYCZ9iRYxMG3QnG7op4P7cyb8mtunx1TwJxb+rdJxbJvuepRdbwYy6/zGW -/XuKeqFJ72io5g3lbQx0SjVRUzPgnc0OT/wSmIkP3F5lFGlWUM7eS7qshjBiAVOK -OSAS3mhOABPfq9682Vid5ZqiUY94Tq9kfyaDAIdhUQ0opO3FjDA2CcVE1qv/feqj -qJf3FpeNOQFzs5JzEysbnUhU49Oc5Goqox5lCuXJbF9K/XvbDLQ3sEi5nm1n+4cQ -vlxyOwWVwtbMc2DgdPR2kL8PNBR4tmbgCrByMIt1XS6vQJSG+5D8DtawkgX8Tsea -GdgYbFw/LaKhphaGLDj0QmphlxFacRSxr5Y4DpJ1OrIF8DggsGOHsfy1et9Cjm9H -WOHhoUiuG6eo8iIKIFVZZsPzKmnwA5ep8yzhPARBk/IL01fU9wad6yO1PZtdLGA3 -mft/9LFBpwBRttLF1HMrFkjmPRNaaxdbfGb7DZyp6LRE9QhMzjJEYNw/qWNYUvwX -TozeIfmqCwe5LjcqFozQUKMG7pXOwSpiXH4EE7L853cxR9WfpuvkdaTJe8pPB3FR -ORj5dfDLSpsBvL2JZj4dbEsfKVAqMFABhxDh0l7BSS98fKMEQBgRPVOIPC24zWtK -ZhLYNAirqPyJAhwEEAECAAYFAlPDaOkACgkQxzKx0cKPTi+9Hw/9FVDF+BD75lA3 -dE7E26bgHPAzks4wueKVC/mj8czopMQiwxjlo9epQpY4zSwT9ceQ5hVWU9uPSw49 -jfLcTKt9dk1CxCWtADUNhfY7gZrKlVoF5doh9sfoOkS1VipT1pE5FDAF00lU4ocy -X5UN2paOa764GXcFvrENAEPsYrJPnas6fiiVl3vCBuPVJf56Gcw3WH5KnU5NGrls -a+jsSq+55OzzCn3q2FlHdC5PfyWurvULAHjSR8WEWxf1Fr9/iL94a3bsAY+1v8+g -c0KtToI4YowDAx0nl6v97AnFtVw2afDW2VVx5NizKDJh8eWds1pTW/eKiMk9c8PB -MTimyuVNi+klRyCCyfQkyoWwmPReww7t6e3ZtQVEf9efgtgjWx3uHftVqqFPxFqR -xMq47l6vDf8AQPKlPVgg0Uyps1HVbZ5TvwcV2tNoBWoq8wCKUaYoxLRrd4+UyXiw -evBBJQA4xGnwGKgFV0lIGHqN3daLu9IWmx8DetMdoF61nsq2fCoe+sNLLGAnAzlg -TR6iDRiHAT3v6Pl6iaVh1ZF4v1QH9LSrTBmoof6ChrSxOfjVrTXm/uPpoOh0o2wx -Yygie3V66h7dot+wrClHmO+gGztu0qxZTp1SBILupJAeRH7oKQDAz+ChdfFZAIGf -GnoMbljT2bntiUg/ttCvjT1xWxYzZiiJAYEEEwEIAGsFAlPEg7QFgxLMAwBeFIAA -AAAAFQBAYmxvY2toYXNoQGJpdGNvaW4ub3JnMDAwMDAwMDAwMDAwMDAwMDA0NTY2 -YWI0NDRjNTQ5YzVhMWYyMjQ0MWQ2MjRjYTNmMmY1NTRkMTg2MzE2MWQyYgAKCRB/ -qxFCZ+T6BB/aB/9sxfTv5aiiFa45DuXxLdZ2L0uT4kij5UXbeohU73So4r5BKxaw -87HqAqIexjF17/e8vNAJAQgutuCtT56jscHLQit9AkUUVg08H4YTpf429b7koDW7 -q6FuJ3Nu4anD0MHowRMOLOd5tctxTkrj44KLOJcHHSeP9jmi82g4GwKIRcSU6s3m -CkJK2qNqVG6pEx9j9UHKbgu+vyiDtnOa2ryuHyYvjlCdNPp7YNJI7VHz4dRIcDxB -ElAbkj/jLp7Y7G7iVsF9T9HsHsaHk+qA+KxTIn4Tv2FozkWhpx1ORejuaxjPY2n+ -0pHdjQnncTq1ldgIhizRPWSIMCzkqWZxn26wiQIcBBABAgAGBQJTxONSAAoJEB6L -80kjKRJliDMQAIJjCd+hkQV2TkG8xuQY0uNxijPdpQF9VklvKNiUNbQm5l94x7yh -BPWrNFVTsg29NpW8UL2ADSEeqRUx75E+mR5jqNFewDVUjz/dIlMQh8zT2YrKaElr -s7BUhTjVOKc2XD7lZh+KFQ0HQgAlm/fpgTBK8Wj2Hy2v3BxQabHfqlpF64fmkCwf -zvi7WxqK6oj1XD2519QT/uBm63bmxEr1YztOdIKGray4LqW/x4Htz/LNKonNoAJX -Dtac1W3CBfc+EzAbiFOmt5PHWI05e13nKipTW8pphRDUlFc3rwomycfY91ExFBTR -RE8lo8HcpRQaT2itWMqNx1/nGs0qERL+VwSjgUBgbF6iuXUB0z0wKSHiYzWit4p4 -frbJhtxClR5evFS6v3ZvBrugRDquVAxA/5ZwlHzw4bKHzScxTqWNqic8fE7bi1TW -l7xxgaIYM5+qOz4v/48ucHnakYlg3da5dLn+FbKg11HgQi7LGDc8se7OwNZRYuIW -T73YAkW4LJMk5DpxckXgUMuqUJ+LZwaTbJ6XlUsRhx3Uh2YCwJlLajT+3uVFxD59 -6VfKVGnh5iuA08CXrPjFiIXfgvILybePoqpdbOBYLMOieH4aHCMaWnodWTXDQTH+ -UVjgJnJch6pepWqVvefYeNMu1ZtSAs9KU0zkRK33DN5d4FILfX2/3CWKiQIfBBAB -AgAJBQJTxtNyAgcAAAoJELPhznj1qk3HX0kP/jKEA5ni8LjXgjkUQCoN/IlOmqT6 -vLevAnn+WwlWXXGjcQK0kYI1+gOObJAc3zCV2fTao9OFa3sCOUAqf9hnJ46Oki7R -TXV8paMFJmCAJlmmxYCqQWpjIznhwyk9rqZZavbsTJOmUCf0coOFAyMqb4En6+h+ -FqHZ3xuGDNssXssyqDmcb4V95QEqkdK/8/g2uevjYcAhzYiTioRNksQ49CMPa0ef -oZ4xFMvQD1Q1jXWKkSsndV+3SoXB/7OKyXSbmZT0fIy7zv3RFL4TC9skRtPIg7se -7LueiS/YJZfhkd69TqCqfqtMMTSNmVh01PP/Vfy/GvDVqXJQ4l2k3R9FvX0UJuWe -XCBBb2CnX1Iy++mMyAPBdqAjIYrDkslgM8Fs8Y7NHAIoJDthlH3lvV1NI5DdptQm -TjugZSm5JyUIgH05kkBYKkTOyzAxBYZeD/ShCjHVxBUU0sbb78DlpyVOyyqon7Ci -K33w9+M4zG1RQPeFpe0h3EoeYTcHFgXLGubXeK0SsyhU+eYUltsMXNCql8FXQYPc -eU3UNNvEAwW4drvpaTWZiLhxt5zDKVcrDRejoCWa2TC0UFvyN363ityeuMHfpgQz -Z0Mq3Zw/iyR88qKZV5ULFrpBaWOnfFUR2aszw+7cAQKFEsqtuM/bknZ2ozrgFBRh -AJ8S16+wPfhh0LPJiQI9BBMBCAAnAhsDBQkJZgGABQsJCAcDBRUKCQgLBRYCAwEA -Ah4BAheABQJS8TGZAAoJEB0pde35PnNfjMwP/iB4luzjFYKNpnbBBGaeCvYyQcM5 -6v86hTEngq6G2rIsdxwCgXXPj67jNlFK+q0Hbuqv/FHnLoTa76yHbIkvRfFXL5UD -/VG6TWRBFXWAqIhBxOFLeBC4//ElW4d9/YqnM7R0GtO6TNvr/YqnsVRouWLrJl11 -1q4Nfk7sMZj2KI20hcUHJo+3zw9IxYqpzAatTqC288FgZCuauD7+t0nPz9i3VrAS -nkurKU+eqNseRYf9sUiIXNctHrL4foZOySUxayas12Qr4Lu3p8Vb19wxtlau8t1P -d6Twt4vNPIIiHDFIDh8zBPPtsivzG4GmSLOB3YdzTYx5MsShBw7tMkHCSBIAWwST -TCPcZjBw51M3xo7l1P5U6HRgcHOU9H69uGKMANwesejcnO6FYZ/gRK2Lx9B8y+uR -zI+HG1REJGHeCZOpBXKPB2QG2YuBq8pZBCgaVVhYlwu1ju4vg6FFqDQCpPxUAUjE -mqsDdlCa15kR9pKrrE45WhDGKWbcjkLqIVKA4ubtbrEoW7YmiD7EfC1PtuesYfSr -TfgAgbd+C5U4/HUUXihGeN2OozLXSw3CY53AJm3dgp4tyDsjXAK1Rci+M4cc2fsL -/073J/QM16sqAR0JZW/46u65Uvyp7Zf+Ui/3J2jk95f1f/33cGAoRgqLYaC2o/Z3 -DwxGNZkfSkYZ9MGniQIcBBIBCAAGBQJUAnEbAAoJEAiU2uBJZGKxoLUP/3xfj86L -IytwFOaa57CSgESljuPRt5oM88VcvBMivx4XJ9o7YSjGgfNR30HbUEgmcobnYSwg -oGVnJr/BsNV547N/WiDnCMIIZ+aCB9gYOUvtIU2CNQ8R/uj2N/fTqGjkuxVdprML -e/fsuzZZjXnx3MNxRPjrm7PQaaCfNuMvLFhkVIO7OlBBeHYUU+6EnzEYOcCbLQjY -ErrM9hYFUBrizliGsa37enZQ84X+06hNuA3i+iULtq0E3CcazVZTEDsEbp2x+pY3 -9jHHFYw6fzNVpdQ7Q09cEDV81v7kkOwwP/yDe7a24djEV7vkx1vApo4hYm/yfvqt -m0vleN7G68v8n/AbYYzm+/mLRDA52B4Owt8JRABNn8N6BSiz2YBddU2ROTCdMxAy -/F+vftEPR8lVfgB9P0+6hdSkyPj+zrqwuxQB3ZMzAHEx/A2yfgGpIHN57bZryB7/ -QqHdXque1MwWcBo4QsIq7iKkaCrwiufRsp3VP9L3PfEWcpdt3ocFs2Due1gIZL6D -2wClalhN1fEHeUGFqDWTfVyioiXBgjrJ2FVvIOyFq4SR6bPQRv34F8jZiIffFdnQ -kM5ru6OUmdLCm87rKrILoZEJe/6JSNWtBpJWcN8lSWl/paMURzCRWp8EX2XW7bpp -efiFcWgl+PwPsy8Rly2iQlrAtxJBOj2tGRP4iQIcBBABAgAGBQJTtpcOAAoJEBbV -QsSdZ1HoKR4P/R74L5Bcg+AcOyyU4k4Dq6oZ7LlPK03LzeIAjo8EBUzef/HxHFnu -cDcNlOW92VtQu+LY4UUtiQsIHPbz/Tc8zC3JLj3quOv1hGNps11uGQlNpLa8yiwS -5Ub1ooGNWgmVtzBa1kdb1tRKNiStvWg3k0TGwvgG52ikrHCu+qtJ8AbLvz1A5Cu4 -07JGESOrVcmtlEpm7uZ+lWfvNGsvpKXW9EjBSbD6d4ThvLjRxYBcUKcFPE2wBF55 -/+f7ICRjEg9B5soU5h61fTk6oHz3olBM9Tr6Bmo2wPRDiSerYiUCWufdZ0UnFj1p -BKYLfcm/Cri+Gb+Aj5rRSTJRpmavw4VDdRtyGOOQV3mzrorYMzJ7f/ENlUPZPCg5 -EMm+n4CeoY6rndTe/ND6AYz2YN4rePFGquHlTdwoq1iuqoXj+FZrLySGXcIU5hiT -7cRsmRvctQboOo6THxRogeuzK8gAo7+jWOftdHOJFI1U5KjODjQXc+PngKrDGH9d -EYYb3Pv/p6ipd09C6dWeMABRGhiPFjiNA5Gw+HASf2CMS5JxFC8yr/o0VMD/1i/l -jBbrU7xWtfhg+YIFTxQbKNSy8etOmVfCWauc6DX9iKd/7hpRxuspKZwZEB1AnWX0 -Jd5GlD7ogP2VMaFVN7fmKLc9u4qZOHWMzpVm3AS6524Ohb57AcmPIim7iQIcBBAB -AgAGBQJTusX1AAoJEKIMvrIADGUVlecP/20a2IrgdmSm5IALIIPfn1+jT+ACnCwC -Yl10cQ6bODbumzhyje2AQCW+Ojt9prpRJVmysVIstXUUIlRNyTM1GZAg3Jfb4mXM -6jPu2l3WqDGljx5Cx6n9BK+myJb7M59guRnfCKQ4rcIpkXZy5s8EIRfOqztj8g00 -67M73PLZYCMUxQExLPSIVhGwkm3EX03Q89wAKFp6WojpbbulWe6EIh6lo3F6Zpi9 -BXLXmRV34YRfRTrEgF+RFQxoXwBMBkIn1EcZkucjG8CLUB53Mk8yYNSqtUzTgu1p -3ihcCKehx1pmIa2b0rmatSoZ8wlslUAPap52Q1/XUijWId89r2MD9asqh9oHE73C -z/ZHTM3JvLQzZcNmpzoe04Hm0hUht067pKyScaOD1PUzb4E4HOTA9pXx1udJqB4g -LpGBLKxrb251ULnSFMvceHy/N6qEUvlPouz59d/cCXgNHq21dXPOyGxRwxPNDyfM -vhNUFECuijuQh1Cb5KopE5fnxETJZrLzUBdO5m4/LzVYGhYj7vYnb4qx3MJZ51X1 -T2QN//////////////////////////////////////////////////////////// -//////////////////////////////////////////////////////////////// -////////////iQIcBBABCAAGBQJT3DxvAAoJEMcysdHCj04v1ycP/jxGuc89S0Mb -ASf0AQYOcHnPDrPfGdQI841mkBJ7ti+DzuBUI0ageO2N/LFE0khSVb8w7RUoomAE -nETA+mXuxUGXzFER04lD2Latoa2CQ62oUexMOXnGZrYKNch0Ze/zR5+iMCxzmZrr -D8e/GaZmkyKrrPlRzlVEore7t2pdszHtm+cTzFloibbmf1DBfj2bNy6mtXqmXcBD -ZFsPuiih3Nsfhpr2FP1v2Px+5NoBokVr3gZm2JEMQh4N0jzBoE722zjs7zxAAz+S -WWFgyozEUKfQbIhj4JUpglE+GXu5UnDO7//RqsMqfTZYehO2oADOEHkpPAjEAcl1 -VrI2vzo3ptKQaLbvD2GUUqXfXbF81Kqv7g0TvW3/jOcIg6Sb3nvH81QWJLYJPrUy -51wGiGlEw3Uj/FnZ5LFKK/MSuLPbDLNuctX04dUB8rPZ42PSDC09ZMPhhuJV6CwM -H+eYbP1+bLQMI2kmP1lQ2DT731mysVEvk5+ZAcZzpxDypSJi/gFcY03UugRHxEf2 -wu6qLwqsjcAz+Rd84OVUEc0+TfROz3t11Dzl4IJaKXhZYpyQB2RMhepHSiXoaCWp -WLmER6JbWE8a2K3dV5xKcOJfx7JsVQpuZhcpGBt1w36xWRgrdkw4mLefvS/Lp3Ez -TOUSVRgU/qPbwsAuVh0FLZDqvU1X6uLEiQIcBBABCgAGBQJT4HUKAAoJEHvDWU33 -wOGj2FYP/Rj4dA4cPEfZWpoArfjr/f9UapVO+f5MNGve4JIUUcdGfE6BpAU/opPw -ygWTjMezfsQZ2kA6wcrzKyB9yqEuZnM+uTeQbZf8jrZVFJOx+bMHgmrIrHrkmRjC -jNnln9Z0aKtZFQhZhD8UVgskLCzddwnvgK6OI41NOOjp8wi20hkT1wp0TdYQRU6P -QzllAQ7Lb2flCJDtgeF3dvWYr+8dbADnUE4NthkULxrRXMYMgJ/JwjfrWFRT/CVu -laDna7zQDqGPUt/xRAJ8g3FACDVgFzHURVDYx50PWxhcoJCY4bXSmcIZuS82p6Ym -iYCi0YThaJniSs676OdE/O2axaldbfUOlFGbpIRAvUCmHMYUtTXY+2JJneUn7XG/ -g7YdOvRFp7ScHMO0nmvsORmk9PAt3+LUY28AHD3cQMZ9/92TqkFr92dvdaHf7KLd -vhrOsJdOiTdvA98rAeiWkuOiWxashiOawiRxqRyvJjA0+UFrMyCt+4x+PnCEmjOh -EAy6Da7n8nA8uBsz5KG6GJtoPsLvNV7s1E40AG3btSyN9KSoc4NGeKbkC/PG7LTN -ltRQl57HmpqtJBfGt6UqEM0lRkgvAbaUPTjfYXmKP09xhYz1yB5A/ezzWv1fc8i1 -Ad3VHY6LOyn+LqPhWuL9f0B7cM2sADy0L494zdgjEuvDYNiNr0OoiQIcBBMBAgAG +tDpUYWlscyBkZXZlbG9wZXJzIChTY2hsZXVkZXIgbWFpbGluZy1saXN0KSA8dGFp +bHNAYm91bS5vcmc+iQJABBMBCAAqAhsDBQkJZgGABQsJCAcDBRUKCQgLBRYCAwEA +Ah4BAheABQJNqc69AhkBAAoJEB0pde35PnNf3wgQALsTKExHdhfa0+k/rImBDt3j +n5JRfMA6Zr/GL7TwFIB9mjAFtprVUMSaexOJBzkpH7uRTX0uBk6LXbZKkoxLK4/v +IGIXKOYav+qqKZQOGvSRaLLGxW++OkQv5bROUGFIOA6FKv8WNdEkSIby9Pz4/mUK +cZo/YZkC+kjCs3vfPrtp6BwLzAt2dA4TqiMZYHaIX2nTqtVo5akoosy7Mjp59FJy +FB4aODjzCaY9PGgk0Kgt/Lr/nTXCx1F9hGRruz9ggm8x2aFgzfgq7kApUNZeOhf1 +tpAW9fsRc2nwnZjHZZxI6ONKww9uAsbhfw2GO0m/UPOsVq+COAGbSrCzh+4Jp033 +JqyILhu+biaoocPNMWvR95CyDJgjkJo1Gy2h662UfnNkADgtDQvQi7STcWN3i8fB +eqMuiJWtbyhB9MyuS1Xjfur2wZnRaLpbzrxjUS7i3jBO4WU20Q+zV6xBvMzZM/Pc +VRMO0VbpkEjDa4vZW/SwvMzDUKwJ4Tc+yCS2dFCYUPiX88af5yL06cG8WiFeKmSU +HZVin0CvGuc78F0X8DYa1YN0GKWkYOIFR3Zbm9aXjyVaSgH8xfcKkxBKMdrkB8v2 +m+EQaD8aFA41UgFM9/8TVJWuQ0TPNbficMiztqI9AqSaNYvOYXOFhfMDsHH1er5w +HvKjRLzqSYIePuH2LRk+iQIcBBABCAAGBQJNqc8bAAoJELrOFdKldJj/2sEQAJ1I +TuiHfoBIfo+MF3y4TqxI7VUR/9c/Euw6ARlPRf/UWg8n2YpANMaubD3H17+5r0ij +IopOq/9Ki/KomDXVF3FzgadpNH9UlOkrZquu9pzL4J+zRKK4YgbdFldIq0i5kwfk +jUho0dXB2kIlFOW+oX4Mp36PjbLYaulpjLZvunyxL0herolXeUgBM2QWtVLLvVM7 +D6SmgvWbnTzqkBjUBg/SCTlwlR7lGsmI0T30p45qHqkTaqywCfJJ4Dzqu0RXpAgZ +l777kicbiZX8KgUAexcxX4n/rpo/JcL+t1RneqBFVv/Vu+3cARYHBTDbFaaNyBgc +YUBJjjawT+b9gx96M4M/CO/Q3YjEiit4Q67+aIwiO5hw/21EsBxJ5hVS05Hrn63q +cekwXaeNGWCJ3RLCAQafe303trWyK5cc5z/DQl7yzEiqjn4brkkd/QKg5jFp1RDM +NIEY0aSBxnbQ/v2J12iEr2lF7J8ZwW6sN/K5iLdinU1bgDZfR6mpfLwTJKavfTVw +IQu4aHTcgrE9qNehOu3AvW5nmCeYh6qyhimZusneT64nQAfFxNMoBfqqFjddvSe6 +2xUt99E94JuJh5T2orR9P2Lb993UElBA+uoIcoIxkp4pdOYJf+RnFU1dJQEaE4aH +ZJsH24daVy2JrHcKG6fxQJPvei/72gHSEm4y5RlNiQIcBBABCAAGBQJNqc9XAAoJ +EBICghy+LNnBh4YQAJ4vRtxwCWIAWjk+UsaqZBm0EiEvL3v7ILaf7DiE0xdNn1ND +NrSVaH6VbNrS8u2mAgEi3AzVr6arxWE39HnLGOctjEZjIABkyccvgW0D+6Z+VJeT +n6K+bS0HnLeSuFGhCabV/N9hONkjewpD/em/KfoqiCiRtbvR5KdLFNY9fTFnwEYc +F+4y75ZooLYHCeRJ7iHNxsYkZDpdspvR2+Z2prI0BuKIM4dDx7CHGQkgHrzw6798 +HOK8SymuqrFzdaDWAgebAGj5k/OE1chhJ+2D9FxEKnIu7shDRHaaI+3LDXyarekp +fRntmKOfk3ZNHfOa5U2PStC0px9iipwC6Ji8BUGlt09vmnOF6vZUGz1FZZgIPX9w +coMRrhG+hfMMgPtALsquSqA+6DvebOBRVBPjXxsGMlwByUcv3myf9thMQyRfnjUd +CsSblHNlAWHHGKTpkAxLNI1U3auLFn3MX8R03WT30A1ujYbrhDkVrpve8UcuYb2m +WrFjyvDg1pvUDorixK5Q7epk5veSaCxQsNpNFy3lCU2uus9dPYCKWK5JkLXIdQmE +WlWcFuhI+iBR6EXukzvndX5WvDGZWVLg9hv9xhg+wq6+7FxaH6ciuwNW6zFKr35V +WLtM86imYVCnPSj6Xw5WPyUqxLR5KLhMoQvhsyi4+FmDbHnbalYUvoqTZkDFiQIc +BBABCAAGBQJPBPtBAAoJEDjLPUQiH20GQbMP/2ZGTASgkxS90BNpAryezh5YRyYg +Px4iqEWkUm6gDt397q/Mox+lOHKVqOGdN7xD68WPgQO8pk/rWhxOgtSdELGA4wtg +Ac0JENzebYkEh+DNQDxVboUYjcO7SMhbFiBi8udJzNj2FxLftkXi3KKgwt3uvTLd +epPSKrqb6f9aatnCzCadKb4kvaQY0k/vjWjgqMknR9Ckwksqw460AdzjZfttNAOp +zBxLKII4ybBA0phhtDhiiknv8pYNas9J2aTNtRGmjQUB2Q4vTbo2/klL7x5RDhyB +WvoBzCC23JCQmCb5skHJa0IdjkoHL57+pUDx6Pl5rCrNvokebtlO2PEuSTynTZmy +6iOAF4N9ows6ICZ8c93fvMf3vr3Z/awnyUKMcik/AigCmVD1z+FLshVCcTqfn5sT +uc3FHENbEcGRKJqfojrE5NrG/Bx1no+HJ+di9wIszKzWpRVfpQWZkhayD755jNd4 +yp8G6sTuYhDxoQLeWvXZX73tLJ/Q0JdIpY3O9fPADuWjQapP+sutOB6wULXgDk6q +THb2SHeR/j1bEFWrcl6vH5JGyyYyiwBBrYnMo/dypMcCECJoVSYaEFgCsTtC6Z3c +c6IvwP+NKS8KO5Y2EKr1t+OzUMFM7VG6MuDKZ0A2xMlaQ7qCPONZfnuPoRpv4ARP +gmN5eCcpgD6zVslFiQIcBBABAgAGBQJPRDFRAAoJEHq3K0opBLYfBewQAM4m7znB +yJEMdPj3fsmFhyXt8lsLe4JUn/ccwC9KfRVOwYEysZijOwcqEgG83zWDKNoLDUZW +zzb98IXhlZX+vuGqMY7AEvmz+8qzKSuVKt2vqXPf8KOgUk0yPjRh7xi86ZHOuz/f +qSNcTCcVh6ov2j+mapbZ+Vmhw6XBrJVyQB5YiyCVZV+VRxgD8kiu+BkUWa/g5JiC +a2f/Hn6YzBRrElFDaDodCLZlkKAqtxtYS/hhWtNWOBBnIRAAnH43LKA8935nD2S8 +IyYe8D2mbJNRC26hGjsHExt+tm+egt3aAwjYWlaysmN2Gn/HfrxylQ8uWyg0wHm5 +CqokXklTxcBrQFrdZjeZWecrmAcbrEmZpPoXNIYXXZU8M3Qhm4nceYoc+M+ryEMn +GZlWZ7ZusbmERbhu69Wvdiy8IEpS3fsHlRwcGt79R7t1l9zf23VhPQq1FjDGHmwv +JpPIdZ0da9XFaqr4FvVzPZrlWb51yAWjqoCDS6Bd/pUhPIPTWVSC/ql441OEoOEp +EgEOMc52N79JJwgCdjz4p+2Z3/fQPR/0ksAtjkOEWR7UvDyBYughsLfunbcgevWc +Ef/hKgxzNv/O4Hn3K2pP0ob5y3FI09pEiMtch43wnW3HurNrv7oJDCuP/3e9lwhQ +CZwP0EQPUMqWujwzKp0+9Qe/fd4wO5D4+j8OiQI9BBMBCAAnBQJNqc6hAhsDBQkJ +ZgGABQsJCAcDBRUKCQgLBRYCAwEAAh4BAheAAAoJEB0pde35PnNfRygP/AsUUDyz +m/dAYLHq0ha6ooTKux2v+/bKvTVCODGV6dGmrMWB15PRvK1h/ug+XDEXez0I8X37 +91S8yIAxDP11fQSfL6e9Oeja19cHXqAq0+qdzXRGj1dGDRlRmigApRkYKlhli3ZH +lsGNzy+d3nfNCbBAutAemrDig9xDoPyBCT3g5cc6/CP8YkvTJiqYxdE8XfyiUrMe +Eat8+n7/RXCCmNGngtDmk/W7RXNwtbj/yBsjbayvfFqxpEQgDeAD0Mm1FeIR7iEs +JMPhIzSQBClSgtYqczcCmOuN0FdrAOzTtmbOBUwdJEEifDEFhTZpRQcKZMfqNf/b +Ugw0Rkb2MkUOH8ZtOGF7L9c03r4dS8aXqrsF3C982eLv2P2mQ7RM+NA/u32hcQce +0NORHfNmflnLsQdJBuaP5WAQyy1LEeV3vdC54LXOMPUjseOmQECIAUDhzQ21qiGo +h8rvw43euzRNtz+Y+AfROQaWvFtcqeLlUC0PXYMot3teMpcLn5HeeGHvitMp5d6/ +/IHTf8mEOF+XtN/SnUPdCu2l4UQGGmcJ+8xFlHd1AcCMzmBmwF7dhc6NOUycltV9 +lxpTLBhm1bQfKgRYWifzgypgKwAypp+zNxh/yVglkTryKGa4axYuBW/5ByYAYW9K ++HUcUkaCATvh+9vLPDwNFe40L9yajkB68O3IiQEcBBABAgAGBQJPs/KqAAoJEISD +SGBuGZSddRoH/3ZEJNFhWUWPYp+BnggVArdJHP1JflPQaUd3WRVXMKpcJmZVYhSJ +HjBTUboKTS9/Ob0H7RLWtsnwtW8P74+OiPXvO1DZRgDMvE55y2iNBwOEwNy4vOEp +7SXdzsjzwdt6/EBxnUCC1JV1w/Mgmw1g5x3yR+gh2TGN4eXi7nrdMmZdBhcOBhIS +9PwzmhVgwoAjFv4CmdnnVAQEqCp/Q8FLIDEPVnGa9sa0SFEpmW5bnGppdecdm9RR +9aBErUUNF6DRT+rQpowJ6gLLhf/iW08srlA2vfB1143ToEMyWAzWMHeOfwCNddbO +igfmOOt2ZuJtfB/xvOP1NBFHet8vwQWwnW6JARwEEwECAAYFAlAg6Y8ACgkQbrij +MKzOgK312Af9HuhWmrE0kxsv8yJjU+lbxu9o/7ZhCp8PWUIufp2KrYlsoq/Rnpon +CO2rshyMABvaDAODYjGKOUV3PCU+Ob08tS4I9we89rFYQTD3QhYNLXrJGri/SlCp +pXPetZdu+aPSP2/ERwt9OchK0Em81qwDVoaHm+V+RVVWVG+iJ4tAZMA5h+F2H43f +Nba1VpPG/UcPgU22b4xXt3LTlAcUTaVFUtGqkZr9hSQel/TSS1FO0Qkohx+G9hOf +nW+mjMqJVvi2SG3PDm037aHgl2QyhT05KPrvKXlLRgf3gB1R+vr/s1coMvs+wwaT +SrBZ7aKBqmKcGy2cvZAEYtJ1tVi19n10iYkCHAQQAQgABgUCUDOnAAAKCRAdhMzw +EMxbx1hCD/sF6dbJm7nkXJIyOwqfCzQbWk+A6q8FQOh5SkfJdaU9YYzkM718j+kr +KhHDvkU8ZO1imN3I5UGekbarttnmfNCsZiGaXZ6V0MXNpMJBiAysOTTY1Y7NTY3p +lofxzePrPKHH9gItJmZnpW6qf4stdaBt+QG8OKvxRFMsjiJ9G7k5lcELQBXZzVKS +TNc0aiFDGFsjS3qLUU/u2KdCxbmRgc9NxpzPj9cd3CHbIRYgROcXwkw7zKA9oEFH +p2XCGBIO/R4hVwcESh1o1L1CINOS+cfGjQMdIoA83RLRrou0TimbjkGA1GHOfb5X +wgn/HYRS7LBbGEumtgJdaMGBm8Tx/jE6fU9ve3VIy0JehDa2K0Ekpgng0CSOk/Jc +k5XzQIlwLxLXbOKvf8RFhUfqnLADnU3a9+LdIbQJFovnI4SQYV6DyXAeZcUaeSVi +9GNogfGaUE1DCQ69jYqSWmm0PDB5B+hwxaPwvNz4OQ3pyStE+cWv6x/gp4mIRgld +3/8FYw/IhDxnMirP6EspT0FGMGHRPDli+lhD8Z7Tn2Msxl3Dei6077//wfdRheFm +fqg6O110ZnYVjzzBFbuOjMIkCpR/kty7s/1FpH+8IDZdtAXfhgO04zix3WzXOK3R +XdFdn48pqT5kUUEc7nfISagdM6+p7kCGF6WjJDNiLHz0wFzwdRhpY4kCHAQQAQoA +BgUCUKpiEAAKCRA5iqSIcw4ccMBnD/9RYij/DU1aooBCE73exy9FqsFKm6IRMdzI +Xcfrsaq3/KeoEyFQen72QpAP8Khebjw4lJ6u0nj+1gAtu3aK8G/YhX4/+YibkPwj +GMzNGk0lXXtss5uqDZ7fgYUUITv9yyjH/+iHlZMAw8rZoivdxWs+bqRlX6cbdLnL +m3DbcHH5nsyCfmyZWrzqV4DJBzK05rNAtAcJgFiAyWQ0PVYYIiEOLgMG4aF0ETaq +aP6HQNFq7WpokAPSUpGch5fwoqBgLiTP5GWjaTjWxbN1xUM91QqNlZ0H9azy3ID3 +JZswZ5/z9kS8w5y3z/qLmNcC6Bl13S+gx8QyO4ih4CgNDN8GI1uP1+CU+4ZU05QI +bdpIVZ+T9BNTQdpDAA/nHkwsGUJR2iVPenr55sVgGGwEQ2b5K3LJb62nIm96BJ3K +JszSFvpb2KFYxmDcUHNlZ/jSSn9OS22DGG6IGpwi6LzEFvklCFgCHfcGHwZK/P4h +GHrxAREaX0+sC5RDDXhmbt4g7n0yD4hZ3AjCmtwTuKz2tgjf3CxTvMEPuth7Ma6o +lpqu+iVPsBvU5G3eqFF+Xw7+/CSZQ5b/7ox1bjtNZBpC46bLWVr0/jCGwEGYgQ9C +N/RRPZ2KrPLQJV8mIbB8tOwoeIpif3+u2I9RzuRHiL8hEzz3swYas3YdUaUooCQw +CCl2CIPDhYkBIgQSAQIADAUCUVyggQWDB4YfgAAKCRBflRkEmo0MNg0yCADFEFA4 +3uWYKsJVux8j8hYi07+3FPm47Zlj4xgHQxHNI0xdE7HJMeBK/KgeRm8HioutZB7F +w3yVpqupmh5TY5CxejyPAroTwKywA0oCJjnFCw8Z7qguyu6xD0Xv0lmCjsWe2NQe +gXsVzVHN0z4gpZdCTI8xI8Ada3GVPK8phmDngDZXuFqCO5edXtYTandC9QiaqYMW +wGO/ofdO3xukTk4o4DAyX8VGJ9VkpM0D/QjRC6wu0ZFR+cFkuIJZ43RkA6fZ8/T+ +5Y+praEjiAyN0XKAGYwqtQuDMcbBBqqcLPhB9Yfaxx/WGSh/XrdX/q4yEZSRZPzT +VpADvyOR7VyhoeNQiQIgBBABAgAKBQJP1vSDAwUBPAAKCRBpweG9O/FTvgs4EACv +RQfhqWsZnEc8VIWhzfa/BMj9w2IF4V1IIWraKwI3LcLP2MzGyGestSu0G1kM865A +ENhSvtK3w1n6dX7UABfFQ9cOMI37M3cxxY2ROWleXnQo4jD6/LJFHhjTOdyc72vC +Zh1ucmc36wkpYZGYvA/OB1KGCwvzfWmzlRScp5HnbYoCt+PIlFqhqn0VO7HDfTmb +CvMNjszI12KtA+rZHtfJMiWakhthNq22vWRfiMfG4nqPjRReYdbk6kk+0uB/GXYC +jRly/GYWsY9ChUKiCfR12CtZRcXLz6C7aXAAbloyu5YvVRPWzhsBtRT2kt64cVLW +M/zNNNNTexcjLwv6jYSAVuspl1Dj4OixNjUeyGGAVB1KJbkCNI65gGxXcl2EEr8W +FCAS2V6LfjfOwN18rXdYNv8LUXdIMR7F9DWeJrxMyM5XzSRGycY03DvzCBb+Hu+f +fvCl3fznv3HBRHlMraOPlHutu14MLUIUSZ+3rckTl9rBgGzxoOiijGxkcMJhX/3w +pQGe8Z+Kl57TC3rVwap01BcG52gnJUMg4udK2xChN1WjoVPzeYAiciNL65nSg3CL +xghEC7Par2KSZNcU97Wl0K9C6Mvk6aarrv8uaHOW4x0NsM1usJp/I62r1zHW+Sxf +bmyRQFbeko3tkwLb3IWaNIEMp/hXHYISVSkDNjBn/4kCHAQQAQIABgUCUeQ5SAAK +CRCXaP08xIgV8gVoEAC4oSgmln5q3qZkPbtGEe1AYp21hDqAUUXWFMAIZqUURqmS +XnkNiASWhQFRwdZMqU/DAJ8f6G2WlG7iZtAWLzYXwykx4cLX7hnZS4UHMGWFhK0+ +NpQtZdUU9qHqPA9ee5Jc4lQf2T9jIQEmpYQ0F6Ia0GKaf3/infE2gBS3ww8eDR7w +qizymsfYal9noeVOd+hBTDF7iCIDnUZMDUWoHkdybQFC3Yh5ux7SLhxZIcZdlC6t +b710j3EsYUMa8kGq5+LBLamMSrb3f/KDbYBsdyfoHKTnqpQVo7J2Z752Sr6qzKfw +jRQFMUkt1Ze056/b9fkl1iLY7zJUzmnsiDv1+zVWPeA71RrzCO+i8Y/Um5nwyDgN +ykuZ5k9uubwEafF4ogxWRPGf/NQL725/4mdZIg2hu57hKk19QajPGNk2iU12s3W7 +mXPWJPz171L53EhnqEWlHqTuVZlJh/F99AuigHfYvlsTP8MGEefDiqNt1gze5H2J +JbH4lc/Y8o9UOzMvkbKSlpD1Z5iqfBJoWFkVkM1g0lXhUu1YnZMmegObLh/OrLag +rwRjmBBYVdlMzmxxBGYfmLFT9o3k9NZ74SkTPspPnIK62c7zMkfYJZLRqca5EIsh +3ojNzSiG/EC823o3Q/mbjo4B+AkslWr6iK5gLZ+1lTF7r+VaFYlaDbmgRpDR5okC +HAQQAQoABgUCUeV84QAKCRAPkVMAxdkKWBKwD/9REMEqAGJyYJ2frH5NCx45BkAS +qaM/pGSaT3OSC/WoEc7ciDrkaW+twfDcqDNqw4xdm6qY4MqYmaxpyg8ZR2/3s1/B +X++/OByDDggUKdtpFIVn1DIpjllFPTQGWGuYbKqQeHy82ChyTp9HuiYG3GrWPAaE +McOfk+w7/eklgJxJqdDZYY9Pkle7T8T04yMVrZ6DrJb8G4EAYGWioUmFCgLb+T44 +8szqoLz6W/sSsEKxsFzlumrYyVx1N5qnM45nOWgRZX6MxFE3/9wrSkxR8pejpFmj +kGTe4qO7fdkgr749VvB5rEb4asK8kslUN95RmYT1AV9KBFhdKz7Jtwlz9XINOUFf +gX3iW9CFT4XMd0WKhp5WODGkA0OZzREyaV0R6X2bu7W8QxoKTAdj8Rc04DjQJ8E8 +uw8XW6+E4CIKgPauMyQN/miRgmpe+45FmLJYVP+opGGCTKGWwfm2yc3BL6C2WKAu +4TfKryFlnNn+fvZ12fVpaxAqi0lGhLq6lTiVwDmpz2dLHQyAtQarD5WmZ4ogichz +kxmAoWB00aMdWWM1Ney09c9gGuFcOv4NgGt2IpfPM2BwtbgXIT1tBvX2Ou+ZNTiz +KaxME7DCzX2g5aboEFq2KGtljK96oIdHkQX0x47VISdLSocNCJhJ9ctMJ7Vhb0OC +tcTvVXAAGz30IQDX+okCQAQTAQgAKgIbAwULCQgHAwUVCgkICwUWAgMBAAIeAQIX +gAIZAQUCUeCFVAUJCiKYRQAKCRAdKXXt+T5zX1NhEADV41yoJYTG4I/taNpf3tDC +XKMsf4iRfTPeGulOl/uaWyNTEzh4mQmwzaC/F6l0JbYyYMFP1IFU90msObvYtvb5 +jM2mtup+xxrfz+cx4URPqDLyf5VXbtVdQD/HsvpnfSF5ogpVaJ4y3FgFrYe3ISHu +A31RpbBVz5cRCu7KzLRJ5WoOluk9rvweISbo31KXakeoDBAs5iUss2vJ9AnxAqhH +FeW5UjzUpeL8X8PPm2WItGl50hIWVx1P8f1D/s78hHzPGb4FkZfMV5BsreUNwIN5 +d9FuEJb/D/ywosVzGWvnQJxFIV1e9XBWMWdU9hbWRNIOzihQUsOrGg9kvpbHhpY1 +I7VRmFc7n6lm5tuKJ9WQ15tHnZgnwLwcKcmEcMWyWB1NQwtyfkJiVBM+8E9WDx5U +jQXrerfLptQfZ99mduhqObrjkj3eiOwYj8H2jLkeCG4IMcvL29RqWGBfp6FkZag8 +jFfmBxjYXjlhnmbBN3LoYDM+1fC2RKOPl8Yq8ZLVzKHNXGwip2pcyGvJJwcU9y8C +ipVZlpLglD3LdX58cvFeHMrWyLMvASKpV4+x1/vyTeFB5cErWyG0XKzGvO0co4Ux +pjJUiWpLzaBaStdb++Bs/yVE3ppXEHA9j7Z5855wUebNPqof5MMAwW+m7tfVsS0y +u3azkZGteVHnRlXyZ4++PIkBHAQQAQIABgUCUlUutwAKCRAegL56501hbm2PB/47 +MM8ES6yrPoPbRWAtli2KwW0UT9TMAVu5625Za9jhVRFIPXViYO826L18kZInrOXw +d5xhEmY64HZ9FmSKZLhS3UeWleCf6JtDHB/T+le3TA0AGTOMNkqxlQh191FAfZtH +Bwcw9vinjUEcywtru4/JhGD9mLxfHw4Z5DyHQOIUk8zj0gFzHGTdFjYbxJCgnQfu +o24pxdtrUzTf/RCT9zzdDiuFeKLLXTMTwjxLEe8fcQCyCe7aznja57H87T9cORyK +v+nLXWgfMs5dQHxpvI+XT2pRwa/RsC3a0LmBKMDUGI6sG5R91vnHWNGT8gb2K7xt +OTAPyqWGhWQ5wqP3LxkNiQIcBBABAgAGBQJSz1SGAAoJECaf56yPePSviygQAKRc +cvtNpLZ2O8hn86Fwr0B89/w1C2xbvRKCTnJQ2DrLsRckkzNWgwwncVSDYcIdD43n +a8iZrTSGWdXAJ89wmx5aU5HJ1TxzkeQlLIpaMYV5xYqKSeIEgE9OsJS3rcxay4TN +dZ4nQmZUQKjTtrH8+I1MHBpBnnHTmyGQmQCz5iUWmuM3cTVUnw4vN1BXisG/M+Ef +/0QOybLRmm3IFiSnJIBBrtbnr18Mk1sdzSd6+5OnPGFCCBk08fQyG1N3c3Yhgo3X +rjQyzDY3F44VwtQQWlr6gvNb4ReJfor1FRuJPGvG+PZ7/DCPWOGTsrp/xEcN7BbW +yneFm9m0XTkR97tkgio0e8qPwlQajrJTNlkTqaEBO6h4K/uRmtTxbRiiK9RU/vlm +h9SNEClzInI/WF5FowEH8B5yhDl3AI0TyAsThCvF/P6GhmJtrMXdaBCIeArmRLZ4 +MPqlEVKIcsfLTWuDvYtOxIMjNUhqKWWlFVqfP5NC3FEOcv5h7Mn0MBAAO8NUjmJs +6Lwe4knQ9BMlTeWrx5TlSBmi2i8+0sXmF7cNE/4TysnwEB0o1b9qZN5tQiRmcdAt +XJk50F4qAsVtt6fgS7u/ora9Li2GCIPd1ltCVmmb2g+YsOlaBnvb9uDN9hUnnlkP +po0MyMbqIYjPZg7Ckomo6EJLahhy4vkRR2iNNMhXiQI9BBMBCgAnAhsDBQsJCAcD +BRUKCQgLBRYCAwEAAh4BAheABQJTy7UwBQkKIgiUAAoJEB0pde35PnNfBh8QAJVe +mPSVHdCgXbOtQbsl5kP8KZUbdr8FdeUE0wD+Alki3thVk2lT9Wxhir0zGyvKsAHV +UyyPQK+F9EYrlsfF3yDPBCi+okxU4AbWbWe9UkmOBsuaD8Ms1OFppGKlkUkGTdXx +OCf63o/cPmQ7AadHl3DvHQy4+j6+w9vtEu1gZvu9KCGpNxqZFfWD2Gp0xll+l4ZU +B0JE6tnHEH2itA4eo+PaoFjg2gJXoW/ir03oVCXS6uo2LoGy2Z/CTZgfr2D8fP1d +ac3cQa5+W+2dx2emW6+rTZkiyvaCSQ0b7KBfdBT1Bd7cWW7XCJ3K7zQ3ehTvFWIT +ZqqNJa0w2F3mjZH+LJ1zgwmtU4elsSDcwiRvJAeOKPKGdsjZAH2aSLalgUutGybb +uW9q1HuLaFm9GGw0RxB5m2kB25YqkL3ZvO7WJSEDm93LqeJTaiFILMzUAOOUy3CQ +4tRQMdeSgzV+0J3rEcnLl0gkcxctvoylwJGbTEtRBBfTszKdYLlucx4B46LwHoSS +k5GvVVSFnxd6UpOVj5T56h6/8+L1HngQkmELbPrV7kTJ1I2NDSTN8mD0UTTupvG9 +o9gaBpbtjxCEQEcafqN5S6pIUyjlNtd/S5AkLKcTXFl7nJfsXorIDAsYsPfb746d +vHK2tx60UIYU3+hk39moxPUcsOzrhZR1tpXKCI6siQEcBBABAgAGBQJR9Zs/AAoJ +EFVrTR+fxJjZChgIALnQX+F3xrkNjXXxr/Wn1M7AtLbDyAoaC76iP9So9GB+MUoT +EDO6hSpcNlRdOP9SEOZkM4Z3SfF8+8Rz0ydjPVIAgwXSPQF1sRWJ0JWZtRW1s+/j +GGK9N2LKnAPQyA7Hkw4PRxhmuFtgtN0RGq90EyNtEfIpVEjAFqSZyrMLgFttZzr4 +hO93la/3hM0BjSRf+JglJ/g2CD2Tp/Xgk+sl5igrg26hJOmL++GOnINsQYxl4hx2 +8yEPPB0WQ9UDxILpI3yLUAcilneokg9kke671rCnmSjHzu5jX+/u8m+gAhV95re/ +166Eq5PVukN3eYHrHJ7OczhN2lYaNmzMA4bxHCOJAhwEEAECAAYFAlH1p24ACgkQ +mO8LrlR/h04vKQ/+Lpg2efR2lKOkaWDqc8fHb34Q4lqvs2PlU05tQrZNVkSh8EAZ +YldZkkxPPVTyzSsuibrvW69yUypiLG1taep+Oupd/tH/QXoy4KuhRMp7vfp8UPKQ +9qIB6RY63ZUcC13Q5pIu+Y2a+Do3hi43TN/rC/ECRmwK6hr/uRpRm5d15ylElSk6 +hJN06szbVpRyQCZMTgOPvLJVc/ChuhZMh9B3fYiquzh78a3E/RQDysyzjURNDtDd +ATWQpDs4XjJbxDiZdsnqujTZeuyfP9Ln2RXHRfDiK9HyfdtuQeKimHGvPDAvVoZ8 +jygyO5rFLn3yDtrCSiuqlb+jkmXRhDGiE/g9rzzeWXR891NJR2dBVI0QKYQYPOGb +lkP02XER6DQ/hSRb8VDZqkyBL2cwDWndMKYHjkvVYeey/V9IHzz4hOcjgFXWXGFc +rlHGU7XXQOJXC+zWi7CcH3kuY5G1VrASP8NIvO0Y10ssp7FxW5H8LaW279XE4D4Q +HWhmPuVSVhvISk3hJazXXWSEOk4yLVV2tSZKN5YtlNOaOAXEnXkbNLC7BPWuDwkS +vXMRZSwZCp2k028G3tqapb/RZe7kwOjZhYHdOE7dQGRoC1/K/bBXSNO8A/Dk15+e +8ngKK7MXS3IAy6sBwEktZeRHM/K6FawKw0FtpnObSZ+KBMh/ht8kBCvItiOJAhwE +EwEIAAYFAlNvbqIACgkQ5oDFMeMrMrs6dhAAjhAys/+rqc91KCpEeHLmCZ7dmZ4f +uy6lfI/Ywui88AeY/Jwt39teE/fSiC1vzJvU38JD5vB9wpuzF9G2Q0yAjuPLZ/Ps +pAU80MVtY4YBw5CyQff1ZO8F992Lhm8Z6On65tSrhJ+FZj+/ZrQAuantFGdbR0u1 +hgZ+STZW+f2ioJ6AqKqpWTz4POGnGy/2DF0zy0HiJz8Gx4SEEPCZN4HvAe4b4z4o +Z6LK1v7GW8JaAvhMgu2dhygYMIS9jvm0dVH9k6lqOzUsyJC4ExJWU2hvBk18wA4O +PloO84qm+Hw2yAK4s1yOz58+b+l6JFbSbDsXeBZ5IYcqosOXJtI20Kidy8E4gYpr +ldBYMbmimaEEJUP/LfpEuTO2TlhOmoabn31Sjrlzm5hLUMdJpFw9KgMTweZJh0MJ +Q5npMNZ3lfhONasWYnXlBbuWU7uqt3MBEKvDysjlipv/rOydz13lvJm1whgUno5p +mph/BN67o6MA/24iDwnDEYgjPpoZ8GbVoyutXWRa9v7sVmNlBLCBZrmAbRkw2eLe +jcr0IdibNSc2HHkaiagnYQ3Bx1hfqxQ495KlbOVGePlRTe11eAFaZvOFFWbdPgCF +12hZ7CwE1uiWgLmRa2/6qz8wHWo1PvritS/7e3Z2854r08BE6YNJVyhAnguVcF5F +J9BP8XwLLTTP3z+JAhwEEAEIAAYFAlOgt9wACgkQ1FUjZ27WELf7nw//UZk0yXNC +2/6rVWu6lZAQG6eaNzsc68XNumIz15lSHukRw9gFppSQQtr8mYkPnwZuKB/reUly +2XXINI2cQKVmbrtRybRO5xTOT9IlX3bx9Kh8o0+kN3SNMiLL/aqs7slE0UzlaAqC +vrp10EoUfF33OhWBxfaKbckqnfcS9vduP1JEZc9cKgTabWtCl90jKFIXTvyYcsCv +ljPP6tcLRnLAVhANovph/ii5Mw553pnwX4u/rJ5Hx6lNbL51Tlm5VeEOAe+QZhJ0 +Tu0BNDzensTzJGQRui8ZUaF4yaxbSnsGDwgo/OKhCakfq7S9cb1fc2Mdoc7MA8nI +R9/Dx9EwcbrqvC/spSCrXkJGujJt3tpVggQWjy7HMf+qfq8IvlgS81tzu9sv3PeS +m+17TJpMg1bXdIqiDxh7Vi0GKzjsLFlkiRwT8FfArcbZMjh2g4fcwGRCGoeR4+TI +KFDY6nGtFXkSqTSDWonF2FKFmqT+/FFTlYPTWdCJfClQxoNdYBlaJwFsZ51a9a8V +vkB2UEl4YNPvv1MM3jNQwFukNZpgX8o6VomcGHx6zsS0aLxEtSrB5eCewbfLeHqG +RvNTd6im9SaCIxWfk3Ua7HXhrgvM6PNkj01KlZKvJYqSFTGM7G8JBwwgrKTI+3lh +Fk0vjwKGn6FIxFcZgLVRMm93bYU7Q2MP1OmJAhwEEAEKAAYFAlOh6NwACgkQTQVh +6fnb7hNinhAAlVcYy9cznvets0LTV85sARtIM5o3gfoAlI6hzBGhPk/BbDnXKW2z +Meq38yHiZSzGFLMBTSl/Fvxdw3LGCk0+IZ2Vuw4i9VTzVEolvjn8bQrlHty5oMcW +V5mv8yWcjFWqYoPnzUgbKYFEN7jpGeA3rFY+UBpk9/Rpqp8rQbOTkK0FGla8MDXP +ouMBxnlYOEaWVmiuFhyiSLaFs3GbaOT+GeW7edpTFgf5RXmxdzZeBBoiqDu8+Eho +Qz/uRpXffkcUPo4by16WoCF0CU3cVXk34xO5iOePS54NYgj7dFOjKSfwLIc7noB+ +M5XEzFHR478sXgU8RWssc0v13kbEIPG6XjTIp75jp17xOZSuVhkiUNP14tVScrmF +dARE+cSxzmkvQJti6BjLpRiOxLSFx0hAXx+68ykdBJ1Mmqzsnw78vyN8ygbMS2sq +iIlPgZt74qhgWlSoyWKGqnB7zg9RCgKChuQB/qNy5t7pd2Dkxmu4g48o3OwjUWqZ +M3tfPhg03HEXCVFlHkdEUVvG2i1dNr5re0myxTIjb3+LhVHnMRvVaUA7k/JMdZsQ +tdXgbAjY2dwBpa85DG7UjOahynh1PmJwFvXSzqvbTkPGbqgNdA1eR2dJAMIrJB2x +1YI6m50oF2a50UD+bjhKdReyfhibLQXo0sXBy0svTJNhqfYZyLUWs7iIXgQQEQgA +BgUCU6R0bgAKCRDFNDKyib+M7C90AP9fwW6D94z515YqeCDqPNrPUkMhN8S4GANc +Rzw/N6PDIwD9GhUfZ1AKDk+CG5GnxYeenZ8b1vF9IaVMEh/oLQoZkU+JAhwEEAEC +AAYFAlOjyZ0ACgkQhG/6xjSu6j97yw//fqWglQ/IpY6WP4Y27viG5VX4z2aiQauV +zG8gRSZ/A7FuN5HPynvEU77N4U0EQ387otWF7LQyvzV6qkUijMuTbbDvnrj8aWEm +PPeU6DzerjwgakJKFaex6wg33zbw5o6zHAXIbkH6F92KdIdsi4Lkp8OMQ6IgRX3z +n6axQ+5l9t19srsYvQJKZFD1hMYbjmQ21CbY0dhNM3gRP2gzRVRYlVrpd5xe99od +fxZ3b5iaD6+VjEIbCYu0fhQmZwW5gj7o8zSQKy0/tZxmKFvep6TLqCFlifqaIzI8 +eCmka01VWtV+alWRlqzXMHg6a3CGH0UbciWTvYRVGZt+laPy940a2ONKPSl6pm2a +HTMrgAgJNk0pjqFnmbEnS1CkVYS4HtsvA3an/sSM9zu92mthql2X8uCqbqCKFJDo +TG8JUcY8LtM2I2HqI58DAZlFlNbVPF/PxuUJpU/tJXtd1Brgyr5PcgO5T5LHRHnu +2uInRZY2OBrNQjF9oCCBDirdkgK8pvoZ+3MYXwfpS4qr5YVGLU37ytOxpehK1M9l +H/P1HowawWmqprVCay6BeyNlSNOH9PouHlenlvEaGTM7ev+qA5gqlAbgVggNtyoM +waA8lrAjQkRwRZ0ZogMP+RQw/FjHnVb/ol/jB5SK7mnet0yqFJGGygUruWhFpkxh +01QdIJmcjqSJAhwEEAECAAYFAlOoeK0ACgkQg4LJXCkCPfkzqQ//QScLfMy+3+cp +JQMSO9zw5PRQw/cZcM9bT7R5j5uwRUIiyzP1nnKc5QXPsVl9Yir/xCmwWT/+8eMK +9npzMxvCFGKk+rdSd3o/FAV1O1IHJZldCxdnNffkQZgcXbbIyU9nKHuPoDtqmZRz +W7g4aBUb7BFx9Snho/J96zO1Q56WiQjForOLsyGsojTQv0C1yHTxP7TqZKP+Cn/y +6fict3/5rG+Q4thtkXKuf9yxsL2t0vPAFQ+JFvXyLZFQ61CW8y6SuWtjZW0YPAAP +FtF907yYmWZLrQbLB8clt64O7vGpAd5YOpJw8J5DXKUAJU44BpZvMU2NiI2FGScN +aBUW5R70O7i6b+GxMGcP/TUkVMocihzMLKwjR/hT32J86z6OPRZXSvcCzx7yXO+3 +BHnd+kotbhy63gGpHXesDYjJLUdkUkDDGxffKy7Ew9IQRmlrOs2hlQiWJriY+gFV +IxF+FFaYtTTAnZ5QUloIrccqQuFmtmAIcRkiMxZjLQ3Nz9a8mE+Z4rh4v7SLhjdF +MGumfWSk8pb1mAa2kzJfUWBh3h1Itso/lM2dWEQ6dLoN5/w5YC/PacYwgNKIYh7+ +zmQMs/bsc74idZWbz1QOcSAqI3IUB8/+jLoPmc2r00eU/cnD2nYlu0jMaGvfPKbt +CajRSy/gbhYTeWCCp0M7AsXtkHOniBeJARwEEAECAAYFAlO5FbkACgkQ6sXr8Hqp +wqNhUAf/dP5xkwL3loAWmKnnkHxuoYooiyfPIbOnzf84j2iw9cQPYiaQbBnYJeDh +b1it2fsE9YhtzIInHS/ux9xVCF/1sKTJnqhZSXv7NoF4fE/TZTDW4704L4yQ5E52 +ejUSZExwoHKz6wL3itQDkbpA0IyhVcEucdfCvMFa32nQhvKj0pwv2OVtOr5bDzn3 +/W6Beo0IsZ6a9e2Kma0mToWKXO1nVZo5g3AO6kFANwhXM9l+h7QFXQt/md5I/kzL +87KLeascSyFieH4PAc4Qdzu9ZNaeY7fCnUBg1aq13VQhyzLC9o0RPNabh4RSucZf +fo9mhv056TTqP2HNiIzQtberPmj66IkCHAQQAQgABgUCU7kiVAAKCRCcMVA8bYZj +ltOQD/4z8dJ3MxCXnBPJ9thgEJljCXI1lcvCnA7RvAOSgQ+0H3UysE3Y37nOY9K5 +nlqkQbBNuIiv6UY7C+IUs+s+GHFsXFz/iwdZKtviCWuJr8tfTNrhBiokFXKxCqsV ++vX/rlPbOeHSBcJbFXnC7pKzJ8OkCKIpfuVhh2ybhK977VYkZ8rA0jSDEAn8ZfEH +jN+J8foE1HoNfzTbvTjWHN1bNj87liQSur8vM7HR1MFGKZ0tj+0sCLnikAnWb6Vz +Qa2hhd7dn9m8BF4E1AYTGk+vXZ64XNiP78494gT72d8E3JBeJyCq9AhbZgB8QmRz +CD4fAJn4aWGqRYpWgpgH/b1RRKPY/ZdVq5OxUE6UW0ga1Dq57wNvd5pLqQEDjgqY +cgtZDkFEWADNE3OAfunW+UJOAZDvCopa3JQRJ3d8gKH8CUL4nw5/vksFcmRzJUcH +DGLteTuIfLSdMCtwULhrHju8OmrnsTVvFashkuT6eJlwVohhCG63dCA3pW2Fda6j +DbHagZP3pjIHO47IsMqzcUp3KHcdb+jxt4ySeXr9mLfGPOIcoPK4JFsH+1PLED1T +O8Ow9yy5icrWYU/zV53Kdu0onukKQ2u7sUhX8idsMQubRsjpeDzz5b95dsX9ccte +7G8Ec0fEXlmFojxcakhA68jvq8gRx6/00ZXOHMnZ3nQ9UTPaY4kEHAQQAQgABgUC +U7ljOwAKCRCuzvVG7IsCYPwWH/9473dyPj0mGiCGYmJkoOxejXliz6rWlSk78JcX +dOvKx3u7ZoHIM0dvaDVtjNS8NsgJsx3+gSqiWyY5VxDMzNZ1WvxnyOVFgia6eEa7 +zS2B6BCDHKDxry8A7tmVFmTJ5cF+U3hQyd4XW+NsvGWX7mNEQ/b7y56/ml0iWxtl +oP/+4LTg+zjp5i/i73KXIGPN0M3ZUs2IULEZPujrJad17mIznXQbCqbWdff/EITh +beJwECWhnsaFBJyRo0WuhJAuYjJXsXQWb0rgGtVjxGT0cXMSXP8hcKvrQFxlg2X2 +Ludjg/xBdggcgA1iBpyVwsmVcqax4unrcCf2IY08+rHD/q9TRXJYoW4vZhKjGRkS +E3DWEfAWYi+TTf/WKzkxPOC92hmMit+fpt+46Y8piZRgPznPBBJKgTLTZ3fmi2P6 +/5jM/4JqzQLXK93GDF/f1l/wv/7grueBeYt6q+tG7jR5fVk8rfDGgAnEpJPIzGWS +mH22qh/CrtQIYiikt7l2gUN5MWmjqK/t/mYRgKEdE3NpCrBeaJoATmxr1P4j6iS5 +cynKfDeJtE96O42a1eXCabBaCHoGswgwvjeK/anK4d6gY7K22cEOXQiJxhFNogoY +00og0tf9nZpLlWX2cQ5KCaZTMz2Va0UlDmYWUyELb9LDv3uDRPLqRNkRUBHPQGcl +YCjoCz8w+pkdEDg01nWhnQFLczENRxwjsi0BgeTIphQXqZ9qofNdGrlj52f0Fdvr +eueFU3U5HiGC/FsAaVNI2BSpwooG5Qbk/YngA7NsQtuInu9Wr1vNBHAq1to5XlS1 +G6is302n6ZS2bsdpAwP51BM63QsJnEgmj5s4Uznqzq9B5waD18AYcVOGQn3wMWi7 +hKlvMfyCRHKQE1vgU9oiMCoP3kZoUUHZyW1RtGnwwrNV5tgKFP30m44Dogm1R45M +ZZquvZIXz6YGl/l5VhfhwfsWVl8bxcTGgcNIRbHWiCsZwaWCPHzaoSDEKPZcHn5P +9Ip0HT7+3iw4hbJvsfcgfkHkddtGG8hUXJEDy5deMdBQzElTwA42jPYdBllmLUyw +m06vkfp9MPxC3xXDQQ+ieO40/PzUaSEXic65TfCUc1kSzKoilNG+cDATAW4p3jIo ++KonRzm8dll0Xyyf4cKipEVBXPDbjTj2gZXqTcHWmSWGuOwcH48ndNX+JKcBXlYy +ljcP0pnWgKXwzrx54AkxVNmc53fBVXzoS0VwFStvhYNdfhR84r5byf4Xp0YCRjlC +5eIFcL9l9ttmckOa3S+u5wDIqUr2cy+BV7FrS/XEy464a1edmkJ6xiFdQIXzC4zU +prm5HWd57bTlczkz7X8puHn8eRbc6bol5ksxt6VIJ/10HpRciQEcBBABAgAGBQJT +t918AAoJEN1A8liqzgHpwJoH/2BRnaiDdeEVax2kc8L8xlje+Fgg7aSxevCQXgAm +2NoFmeozqanLxEAKy5rhP1Orj4noKkBvKiDcTAPtwkJV/FtXtb6cAmiTe2udsVBw +S1JjF60q6JkSzmtvpKIA1NW6KhehHOgO+AzRs6b/T9aNWyPtG/Ln2/GN6fC8Amk8 +recRTKJsVZjHvaZ8so1ATHaGOiVPkH9W+0nk1P6XpeXPHdClVY0AvFnCtYSxLG5b +qHvoJ2xzGIT1Hnu6cg+ZDl+8sL+jYCpFuWIB3Wz0Aj3iSP26F9WvvxUN9cxtiTkR +lbjuJosmFD7biXrfgdGbgPM0hh0clCc3Qb2WNOFy7WXbYYSJAkQEEgEKAC4FAlO7 +8VAnGmdpdDovL2dpdGh1Yi5jb20vaW5maW5pdHkwL3B1YmtleXMuZ2l0AAoJEBMY +76xfu9vOI5wP/Rc1dbxRE/7t0QQYu+g4WTazIj4fRJ5O8OW+ZRfhmBlexnW+YUZC +R1UkXAHH5MRaqqUSdbt6jB4nvemDNQ26Hf4wWVeNgoP3wZ3X1y5Rtf/02I2SKc96 +t69CoM6WImPidNXuk9SgIwhz9VIAWM17rZki58Z55LNc1bM8Jtl/SZtshmjzmIOx +galA+o5xwRoDEMngbY5kmr2jPmCF+t1nIK4Mkwsfe+CkydS/z7+gzy3TYw1Zs62F +ihBcha9Kxf/6A6t2rfVSwZmPMUogmr4g92bu95RpQfrwXJ21Aegnn5W60AQPu//L +oxp7yniI6mccPpkE39IgKcDFIqi7DZ0xuYavDRx8gxyiYYtrsc5XGJKkZFYCq2i6 +CnizWwY+o5hmvo1D9iMeB1pWBGI4ZcymKtDR6iL/XuP8T4e37YpDCHj0rOXMTmhM +w2x05wD8gNtjs8iLcUfJ7/NJFlTRBhWp+SzWurTPrsZ6vMmBAAXOCVJ+TX5cKWNF +TQtl6kZIh/qUzH9nruUKtjX4poBCjG76rrteGlFvhdmfejFUj97ileH3ibrM7aUc +QgpuGzE9RqY364dTEG2kLNy5RFnhkVT5cBmIuTqQpA2IThvtaD9k4xIf7CJERBB+ +1mT+YpQ5Hf0f95AB+pJKG9DdtGWZG3ve7jm77EBVybbXQqI+ejfwItwMiQIcBBAB +AgAGBQJTuWVvAAoJECBnABsbZ4pjEQIP/iORRUg/1V9/TH+GOxg3R7QfkmOLdzWH +0UQIyLcp+q++9TbmQdDFRcb82e/5fAi16oTN4xmAQnVjIsIg1NcIdOfX5eG1VyCf +xoFZ/qlFm2tt1IKcQwAxl0ra956yCGhA/urJo2IF7xt1AHGQMhPaMLf3kzH90MFq +gnDnDNSgY2kEOFK8eJ+7Y7kaUcgIhuwIKDLhfGCqxEvXrsBldOUmmz0omdkfFJTj +b5hQkVReFZ2+O1t590OSFuG6utvVwWxSxTkSiRvNdy00GE4gv5XHrs0NRsZn9mwt +y7Thj0y0sHuQvwlEi+TUIFLY+BZ2C5d9cpzpJQFZj8aE91qdofZ1r4IagQJP4L32 +Otxbps+fZX81izcMdJHdzYSQ/RJGE8Dnr1oZgPDITacr4fEPrpBMgpzpoIu1wsNb +jRUtHkeYi5TNaciB+9k5XhqO3vT8RKY2NX7VJPOoj2nlax7nLRv66glq2XlOI4hU +MP3NYoHapgrNzycfe5VN4CmADZuX44YITdWsYbxl62g5OCpVSC+NcE6NkG6R8Bup +ox++ARYMMUVoql1SZeACUmp4/CM5CKQRdY2yscoaycX4H9szaNzQQFnI0fxfTldN +Vy5+Sgo5gHn2rOBvxdi/kQeHLVYVsTseFWv7NzGCWyY2yOMtpE9u3ro2V8c6HFzP +4EfzJTXDhNo6iQIcBBABAgAGBQJTusX1AAoJEKIMvrIADGUVlecP/20a2IrgdmSm +5IALIIPfn1+jT+ACnCwCYl10cQ6bODbumzhyje2AQCW+Ojt9prpRJVmysVIstXUU +IlRNyTM1GZAg3Jfb4mXM6jPu2l3WqDGljx5Cx6n9BK+myJb7M59guRnfCKQ4rcIp +kXZy5s8EIRfOqztj8g0067M73PLZYCMUxQExLPSIVhGwkm3EX03Q89wAKFp6Wojp +bbulWe6EIh6lo3F6Zpi9BXLXmRV34YRfRTrEgF+RFQxoXwBMBkIn1EcZkucjG8CL +UB53Mk8yYNSqtUzTgu1p3ihcCKehx1pmIa2b0rmatSoZ8wlslUAPap52Q1/XUijW +Id89r2MD9asqh9oHE73Cz/ZHTM3JvLQzZcNmpzoe04Hm0hUht067pKyScaOD1PUz +b4E4HOTA9pXx1udJqB4gLpGBLKxrb251ULnSFMvceHy/N6qEUvlPouz59d/cCXgN +Hq21dXPOyGxRwxPNDyfMvhNUFECuijuQh1Cb5KopE5fnxETJZrLzUBdO5m4/LzVY +GhYj7vYnb4qx3MJZ51X1T2QNE6zXikP8lbxIsmGMsKoJn0if48vHHMmMqZkCMesa +nmQixIy59YkOkrHPeY2SD3r2ziF9fIoLxMu5SW6m+0GCsWb5vxC++VhYfJOTsGso +Pe2i/TugiIWvu99dbZL5paaga0cZ30N/iQIcBBABCAAGBQJTtWlvAAoJEAGiBQHo +Gku6q4QQAIEzkAew5793Z6lf+IfwBTIP/7P+FW8RN2igSiXqd0iUq9szIb7UDywt +dKRbaQpmoQ3PN9aCPsVu31jOgfEVWcb1zan3AzMSyZ7HHUvrYv4eZohzxwQIqkYp +7zuisieyWH/RrypEDgLE/fypgW+dOylFf/VKuu9mTdHH5XfL2Y5LD61YkWzSJHQT ++dRStA97C7e8ZbQbUQt7ILkVzS5TWExkCgK4mfWzqd2GAlcwZsZrY3fZDrIgyRD2 +YFWvcnuadasV3yqVFhtIy3HGOZW87XPjQOh3dxJ58eSdsIGz6Hek9j9atetRmM31 +wG9mzko3+IYnVCPHfuyLZKOHmRJpNvQ2lCjwK9fF5ATPrz8UtVtMl+UwPw44ffvO +gqRqgu1psVz3/q1uxoL9peKkac/Sk+ob4erVxOLjMAcIKvmvEOQrRVvVxBC3lp5A +il5zh6a9yePuVgfWbmhsAZ2rGoIDBLUGTyDJEVJcONl1w5D1OaIVx8wTrqUzV8LZ +iQhrC2L5idL5p3hxeZNuAc6yRtd/2PDRMC6upw+GFZGdFZpxV9Yl8028D5+b4QOR +qVX4skrvc15agIyPIcFZ1SQsfF6ESKTP7UA5qlGeLLyDZfVk7LydsMgxCyOUIHxL +38AssYgzgaGHs94DhhrKINWUGxlH1HvgryafMM1TBEhqU7axH1I3iQIcBBMBAgAG BQJTtokhAAoJEE2uQiaesOsL4+wP/RUTomKUCizEet8ympLrkKmQkh4ibXR9pB+V Nmlkrj7TDT7w4/13enPBri71tWEJu7aAFWJyLX8gbvppK1CPPT46mS9ZD2/8UvfH Jh48Q59sJdkMbj/pmMZwFxITq5fVdNY3JKM3INs4G19GLOsnobBu00BYfsMNBKIt @@ -989,457 +374,171 @@ Nrn0mTYeVpdFtViR4dk5DJQ5UU+2MzhR1Zj7FQvBKHDTNxEhV73l8YCAcUzm6puW hYZDvoZOstbz2Q2xIMbM0fdPsdBoZhrU+/uL06VkyJLNupo2ZiWVthmk9GxvoGHS TfjsrKMcBZCEv920TnQLFxDSWCouTHY2RTXjKNzzQf75vvIgk57lUErGxxq8TFH4 aaU+asYQUlEsDiv4xVcJmai4ZS1uA8EDH692xEVH81PXaVoUux0JQNqoyNdFWr9V -1esOBcjhMU7CyeDvVORtCNxhTA4eDuO76q7lCnqLoycRun65WQd6//////////// +1esOBcjhMU7CyeDvVORtCNxhTA4eDuO76q7lCnqLoycRun65WQd60xBFE6cipAWr +B3vHeqCdpYbDH75bhRCWim4fd6MwePdwBmsZPZiz/3Dr2nfX44Qk9yfY70tgE90g +GNnQpZAqiQIcBBABCgAGBQJTwwvFAAoJEDUOvogedSQe7yAP/A1W6YBbkgrnD4Bx +T3mAsWtDnNnb2ulYISfWNzd6WAmfYkWMTBt0Jxu6KeD+3Mm/Jrbp8dU8CcW/q3Sc +Wyb7nqUXW8GMuv8xlv17inqhSe9oqOYN5W0MdEo1UVMz4J3NDk/8EpiJD9xeZRRp +VlDO3ku6rIYwYgFTijkgEt5oTgAT36vevNlYneWaolGPeE6vZH8mgwCHYVENKKTt +xYwwNgnFRNar/33qo6iX9xaXjTkBc7OScxMrG51IVOPTnORqKqMeZQrlyWxfSv17 +2wy0N7BIuZ5tZ/uHEL5ccjsFlcLWzHNg4HT0dpC/DzQUeLZm4AqwcjCLdV0ur0CU +hvuQ/A7WsJIF/E7HmhnYGGxcPy2ioaYWhiw49EJqYZcRWnEUsa+WOA6SdTqyBfA4 +ILBjh7H8tXrfQo5vR1jh4aFIrhunqPIiCiBVWWbD8ypp8AOXqfMs4TwEQZPyC9NX +1PcGnesjtT2bXSxgN5n7f/SxQacAUbbSxdRzKxZI5j0TWmsXW3xm+w2cqei0RPUI +TM4yRGDcP6ljWFL8F06M3iH5qgsHuS43KhaM0FCjBu6VzsEqYlx+BBOy/Od3MUfV +n6br5HWkyXvKTwdxUTkY+XXwy0qbAby9iWY+HWxLHylQKjBQAYcQ4dJewUkvfHyj +BEAYET1TiDwtuM1rSmYS2DQIq6j8iQIcBBABAgAGBQJTw2jpAAoJEMcysdHCj04v +vR8P/RVQxfgQ++ZQN3ROxNum4BzwM5LOMLnilQv5o/HM6KTEIsMY5aPXqUKWOM0s +E/XHkOYVVlPbj0sOPY3y3EyrfXZNQsQlrQA1DYX2O4GaypVaBeXaIfbH6DpEtVYq +U9aRORQwBdNJVOKHMl+VDdqWjmu+uBl3Bb6xDQBD7GKyT52rOn4olZd7wgbj1SX+ +ehnMN1h+Sp1OTRq5bGvo7EqvueTs8wp96thZR3QuT38lrq71CwB40kfFhFsX9Ra/ +f4i/eGt27AGPtb/PoHNCrU6COGKMAwMdJ5er/ewJxbVcNmnw1tlVceTYsygyYfHl +nbNaU1v3iojJPXPDwTE4psrlTYvpJUcggsn0JMqFsJj0XsMO7ent2bUFRH/Xn4LY +I1sd7h37VaqhT8RakcTKuO5erw3/AEDypT1YINFMqbNR1W2eU78HFdrTaAVqKvMA +ilGmKMS0a3ePlMl4sHrwQSUAOMRp8BioBVdJSBh6jd3Wi7vSFpsfA3rTHaBetZ7K +tnwqHvrDSyxgJwM5YE0eog0YhwE97+j5eomlYdWReL9UB/S0q0wZqKH+goa0sTn4 +1a015v7j6aDodKNsMWMoInt1euoe3aLfsKwpR5jvoBs7btKsWU6dUgSC7qSQHkR+ +6CkAwM/goXXxWQCBnxp6DG5Y09m57YlIP7bQr409cVsWM2YoiQGBBBMBCABrBQJT +xIO0BYMSzAMAXhSAAAAAABUAQGJsb2NraGFzaEBiaXRjb2luLm9yZzAwMDAwMDAw +MDAwMDAwMDAwNDU2NmFiNDQ0YzU0OWM1YTFmMjI0NDFkNjI0Y2EzZjJmNTU0ZDE4 +NjMxNjFkMmIACgkQf6sRQmfk+gQf2gf/bMX07+WoohWuOQ7l8S3Wdi9Lk+JIo+VF +23qIVO90qOK+QSsWsPOx6gKiHsYxde/3vLzQCQEILrbgrU+eo7HBy0IrfQJFFFYN +PB+GE6X+NvW+5KA1u6uhbidzbuGpw9DB6METDiznebXLcU5K4+OCiziXBx0nj/Y5 +ovNoOBsCiEXElOrN5gpCStqjalRuqRMfY/VBym4Lvr8og7Zzmtq8rh8mL45QnTT6 +e2DSSO1R8+HUSHA8QRJQG5I/4y6e2Oxu4lbBfU/R7B7Gh5PqgPisUyJ+E79haM5F +oacdTkXo7msYz2Np/tKR3Y0J53E6tZXYCIYs0T1kiDAs5KlmcZ9usIkCHAQQAQIA +BgUCU8TjUgAKCRAei/NJIykSZYgzEACCYwnfoZEFdk5BvMbkGNLjcYoz3aUBfVZJ +byjYlDW0JuZfeMe8oQT1qzRVU7INvTaVvFC9gA0hHqkVMe+RPpkeY6jRXsA1VI8/ +3SJTEIfM09mKymhJa7OwVIU41TinNlw+5WYfihUNB0IAJZv36YEwSvFo9h8tr9wc +UGmx36paReuH5pAsH874u1saiuqI9Vw9udfUE/7gZut25sRK9WM7TnSChq2suC6l +v8eB7c/yzSqJzaACVw7WnNVtwgX3PhMwG4hTpreTx1iNOXtd5yoqU1vKaYUQ1JRX +N68KJsnH2PdRMRQU0URPJaPB3KUUGk9orVjKjcdf5xrNKhES/lcEo4FAYGxeorl1 +AdM9MCkh4mM1oreKeH62yYbcQpUeXrxUur92bwa7oEQ6rlQMQP+WcJR88OGyh80n +MU6ljaonPHxO24tU1pe8cYGiGDOfqjs+L/+PLnB52pGJYN3WuXS5/hWyoNdR4EIu +yxg3PLHuzsDWUWLiFk+92AJFuCyTJOQ6cXJF4FDLqlCfi2cGk2yel5VLEYcd1Idm +AsCZS2o0/t7lRcQ+felXylRp4eYrgNPAl6z4xYiF34LyC8m3j6KqXWzgWCzDonh+ +GhwjGlp6HVk1w0Ex/lFY4CZyXIeqXqVqlb3n2HjTLtWbUgLPSlNM5ESt9wzeXeBS +C319v9wliokCHwQQAQIACQUCU8bTcgIHAAAKCRCz4c549apNx19JD/4yhAOZ4vC4 +14I5FEAqDfyJTpqk+ry3rwJ5/lsJVl1xo3ECtJGCNfoDjmyQHN8wldn02qPThWt7 +AjlAKn/YZyeOjpIu0U11fKWjBSZggCZZpsWAqkFqYyM54cMpPa6mWWr27EyTplAn +9HKDhQMjKm+BJ+vofhah2d8bhgzbLF7LMqg5nG+FfeUBKpHSv/P4Nrnr42HAIc2I +k4qETZLEOPQjD2tHn6GeMRTL0A9UNY11ipErJ3Vft0qFwf+zisl0m5mU9HyMu879 +0RS+EwvbJEbTyIO7Huy7nokv2CWX4ZHevU6gqn6rTDE0jZlYdNTz/1X8vxrw1aly +UOJdpN0fRb19FCblnlwgQW9gp19SMvvpjMgDwXagIyGKw5LJYDPBbPGOzRwCKCQ7 +YZR95b1dTSOQ3abUJk47oGUpuSclCIB9OZJAWCpEzsswMQWGXg/0oQox1cQVFNLG +2+/A5aclTssqqJ+woit98PfjOMxtUUD3haXtIdxKHmE3BxYFyxrm13itErMoVPnm +FJbbDFzQqpfBV0GD3HlN1DTbxAMFuHa76Wk1mYi4cbecwylXKw0Xo6AlmtkwtFBb +8jd+t4rcnrjB36YEM2dDKt2cP4skfPKimVeVCxa6QWljp3xVEdmrM8Pu3AEChRLK +rbjP25J2dqM64BQUYQCfEtevsD34YdCzyYkCPQQTAQgAJwIbAwUJCWYBgAULCQgH +AwUVCgkICwUWAgMBAAIeAQIXgAUCUvExmQAKCRAdKXXt+T5zX4zMD/4geJbs4xWC +jaZ2wQRmngr2MkHDOer/OoUxJ4KuhtqyLHccAoF1z4+u4zZRSvqtB27qr/xR5y6E +2u+sh2yJL0XxVy+VA/1Ruk1kQRV1gKiIQcThS3gQuP/xJVuHff2KpzO0dBrTukzb +6/2Kp7FUaLli6yZdddauDX5O7DGY9iiNtIXFByaPt88PSMWKqcwGrU6gtvPBYGQr +mrg+/rdJz8/Yt1awEp5LqylPnqjbHkWH/bFIiFzXLR6y+H6GTsklMWsmrNdkK+C7 +t6fFW9fcMbZWrvLdT3ek8LeLzTyCIhwxSA4fMwTz7bIr8xuBpkizgd2Hc02MeTLE +oQcO7TJBwkgSAFsEk0wj3GYwcOdTN8aO5dT+VOh0YHBzlPR+vbhijADcHrHo3Jzu +hWGf4ESti8fQfMvrkcyPhxtURCRh3gmTqQVyjwdkBtmLgavKWQQoGlVYWJcLtY7u +L4OhRag0AqT8VAFIxJqrA3ZQmteZEfaSq6xOOVoQxilm3I5C6iFSgOLm7W6xKFu2 +Jog+xHwtT7bnrGH0q034AIG3fguVOPx1FF4oRnjdjqMy10sNwmOdwCZt3YKeLcg7 +I1wCtUXIvjOHHNn7C/9O9yf0DNerKgEdCWVv+OruuVL8qe2X/lIv9ydo5PeX9X/9 +93BgKEYKi2GgtqP2dw8MRjWZH0pGGfTBp4kCHAQSAQgABgUCVAJxGwAKCRAIlNrg +SWRisaC1D/98X4/OiyMrcBTmmuewkoBEpY7j0beaDPPFXLwTIr8eFyfaO2EoxoHz +Ud9B21BIJnKG52EsIKBlZya/wbDVeeOzf1og5wjCCGfmggfYGDlL7SFNgjUPEf7o +9jf306ho5LsVXaazC3v37Ls2WY158dzDcUT465uz0GmgnzbjLyxYZFSDuzpQQXh2 +FFPuhJ8xGDnAmy0I2BK6zPYWBVAa4s5YhrGt+3p2UPOF/tOoTbgN4volC7atBNwn +Gs1WUxA7BG6dsfqWN/YxxxWMOn8zVaXUO0NPXBA1fNb+5JDsMD/8g3u2tuHYxFe7 +5MdbwKaOIWJv8n76rZtL5XjexuvL/J/wG2GM5vv5i0QwOdgeDsLfCUQATZ/DegUo +s9mAXXVNkTkwnTMQMvxfr37RD0fJVX4AfT9PuoXUpMj4/s66sLsUAd2TMwBxMfwN +sn4BqSBzee22a8ge/0Kh3V6rntTMFnAaOELCKu4ipGgq8Irn0bKd1T/S9z3xFnKX +bd6HBbNg7ntYCGS+g9sApWpYTdXxB3lBhag1k31coqIlwYI6ydhVbyDshauEkemz +0Eb9+BfI2YiH3xXZ0JDOa7ujlJnSwpvO6yqyC6GRCXv+iUjVrQaSVnDfJUlpf6Wj +FEcwkVqfBF9l1u26aXn4hXFoJfj8D7MvEZctokJawLcSQTo9rRkT+IkCHAQQAQIA +BgUCU7aXDgAKCRAW1ULEnWdR6CkeD/0e+C+QXIPgHDsslOJOA6uqGey5TytNy83i +AI6PBAVM3n/x8RxZ7nA3DZTlvdlbULvi2OFFLYkLCBz28/03PMwtyS496rjr9YRj +abNdbhkJTaS2vMosEuVG9aKBjVoJlbcwWtZHW9bUSjYkrb1oN5NExsL4BudopKxw +rvqrSfAGy789QOQruNOyRhEjq1XJrZRKZu7mfpVn7zRrL6Sl1vRIwUmw+neE4by4 +0cWAXFCnBTxNsAReef/n+yAkYxIPQebKFOYetX05OqB896JQTPU6+gZqNsD0Q4kn +q2IlAlrn3WdFJxY9aQSmC33Jvwq4vhm/gI+a0UkyUaZmr8OFQ3UbchjjkFd5s66K +2DMye3/xDZVD2TwoORDJvp+AnqGOq53U3vzQ+gGM9mDeK3jxRqrh5U3cKKtYrqqF +4/hWay8khl3CFOYYk+3EbJkb3LUG6DqOkx8UaIHrsyvIAKO/o1jn7XRziRSNVOSo +zg40F3Pj54Cqwxh/XRGGG9z7/6eoqXdPQunVnjAAURoYjxY4jQORsPhwEn9gjEuS +cRQvMq/6NFTA/9Yv5YwW61O8VrX4YPmCBU8UGyjUsvHrTplXwlmrnOg1/Yinf+4a +UcbrKSmcGRAdQJ1l9CXeRpQ+6ID9lTGhVTe35ii3PbuKmTh1jM6VZtwEuuduDoW+ +ewHJjyIpu4kCHAQQAQIABgUCU7rF9QAKCRCiDL6yAAxlFZXnD/9tGtiK4HZkpuSA +CyCD359fo0/gApwsAmJddHEOmzg27ps4co3tgEAlvjo7faa6USVZsrFSLLV1FCJU +TckzNRmQINyX2+JlzOoz7tpd1qgxpY8eQsep/QSvpsiW+zOfYLkZ3wikOK3CKZF2 +cubPBCEXzqs7Y/INNOuzO9zy2WAjFMUBMSz0iFYRsJJtxF9N0PPcAChaelqI6W27 +pVnuhCIepaNxemaYvQVy15kVd+GEX0U6xIBfkRUMaF8ATAZCJ9RHGZLnIxvAi1Ae +dzJPMmDUqrVM04Ltad4oXAinocdaZiGtm9K5mrUqGfMJbJVAD2qedkNf11Io1iHf +Pa9jA/WrKofaBxO9ws/2R0zNyby0M2XDZqc6HtOB5tIVIbdOu6SsknGjg9T1M2+B +OBzkwPaV8dbnSageIC6RgSysa29udVC50hTL3Hh8vzeqhFL5T6Ls+fXf3Al4DR6t +tXVzzshsUcMTzQ8nzL4TVBRAroo7kIdQm+SqKROX58REyWay81AXTuZuPy81WBoW +I+72J2+KsdzCWedV9U9kDf////////////////////////////////////////// //////////////////////////////////////////////////////////////// -////////iQI9BBMBCgAnAhsDBQsJCAcDBRUKCQgLBRYCAwEAAh4BAheABQJUn8i5 -BQkN3FjEAAoJEB0pde35PnNfKhsQAKtG64n/9JmOMBuRAIaT0tpd4G9xtatXw7En -R0wgl3JIRHIEr0NQM1ldwlFK+zgtYk9jqrEg9KL9cGzKInirG1EGVG0yMWWneDpJ -+DSd6wG1vgxttpnDzZtPokiLETID1M2J0c+hxL38Z/vVEi5foIvd4z8lf41NKjrV -yebsEBGbYPaYcxkgnQgm84Iqvh0QY1GaeWpLdlSyWDI9t1J0V9RIF0gsnYV1l+ca -U9Hrtus1T+YkBl1wDV0pB6p9sTTtdYYgSd0gkcA+gBMBfdZkArYDDMsPR0ngFx4A -jFGGarj7aXsPCtbfjYD+s/C6faq/Zt+Vb2Iildlgdm6dQpZICoPTylURoAGcDsL4 -TcnPI9WEVbVTlWOaXz5FUDCJ7+nOrOcvelA6X6N96bUkftYreQyVN+0u5fn6SDm5 -wNj1jNbIkFm5oct/WZ012DMEHHM7W8M6/AZchWcaLJupegpyMN3rayzqp8cgId/H -wKLYMiHgkmvysFtlLe1nuFBCcJOO/yWgit8WPA5kzSOKzepciOx8F8iVHBNgq5Ia -cnf448UxsAz9R7iamgP85rQ3dXC2WOQDPMclQOeaxSUj9xVyHXhnpREHoLrdxKO4 -7LcxjNzFG0Ator9pOvizdYizS/s7G8I310o9U6ORpWInsut8/ssnymVgmtgFY9Ee -tAsG1SNHtD5UKEEpSUxTIGRldmVsb3BlcnMgKFNjaGxldWRlciBtYWlsaW5nLWxp -c3QpIDxhbW5lc2lhQGJvdW0ub3JnPokCHwQwAQoACQUCU94LwwIdAAAKCRAdKXXt -+T5zX1vjEACT1Il/jKzZ/bDF2a4hSW+fYo3KyOG4NvPLk6/W/dnTbIqC9p++B0JF -JfBAKFzNeGER/NgsFi1qEP9zTtwEliTjLuLAVWNo10ZDEsOYIPFSKAVZmhdqTKim -jFCVWcdaawt7s///uSOOf+3xxwhyxT1ROrbo02pewTi4slHiMNgofNTo70O0h15k -Yqw3lB5Xp7/eEa/qbIT38X0Y+7f6LfnM52DvXq2ghCp2OQkqS3wPiVJAKhhw3Bww -cKzK00RzU+RcJYItMZVG3SrBcT9pKynO0tgt449YtxMVe/6Bgsbh1djOYPeNmUYi -0dz7NxchwJsmEM3fYF9WXl/sjaRKYxZhAf4dhff7N6TPXrxIQJQoyHAKjAKtr+sW -sVZIKy/HBy3w07ScwHm6iQ6sEtQ+0k0n1d84KgY4vKcHs8Gr1heSXM/KaPj75wCZ -wffDl7ZXNeU1BhB+kRj7d4xtEBvk+Lh4H4jFVRfZ8LB2FjmJN8C0T+IiFBisGPwN -bt3dXyUEy2H4MZAyVQCM5tGH2lVHEGMa8MxbfvXyLdbV5MZlolDTMEREkrnnfiB9 -NsIFQGFlv82N67sfxDu6JAWn+zo28g846cVNWybhx/m6z7vDFvX5JannsLvhmDMn -1rD4CvZ3ksz3fvcQF2Wk8SQjsKXp5rZReDtzdO6Ed1+4J0WUaTVISokCPQQTAQgA -JwUCTK2tEgIbAwUJCWYBgAULCQgHAwUVCgkICwUWAgMBAAIeAQIXgAAKCRAdKXXt -+T5zX8mTD/9RUNdtlIkPgNjbeOBnkBgtCkdmR+MMx4ZG4AXTrIcCHg3iOl5NibqK -MW1Oqatw5+FQxd+8D9opwMFLNtmY8uMPMBaTor+QpOQZHYsSsJZdCA/AIzCxeJQ9 -SrTwwsesKX9anCG9wpCYeiFDyfR0EUnpkCjFD5VeOlbWC86OuoWwKCw5QWYQXfZN -E6yq+i0P76J0DObMHC52CslByx5G5YBywuI1hOvw3UKWNnsAXO9SEdVx6sybAEtG -lClg6CFdkLzvGNMoot8FTV/Kkx82bpSTvrjQufy1IPKRB0ylM4fLvCrXhCCX2MXT -4l6w/nak0sGZunsX9tDaKgubBDvMcMeJz70oxxRYI6G4mnBm/otSHvU4wh/m4g93 -tTqhpWinMid2BLJoeBM2zZGsgsgGAyL5jkADm4cFMazPGPJUxI6qcKU8i+X3/eXt -WSc+u7ndk5K9lqoTNJw/P01HW8YpHInzd3juqtztYn702aPtMW5XF5MoKuQ3BXvE -QpmEBozxpwiNOJ3AauV/WhKDbkAKaVEeRSfMWssNk/NxDD+AFGiH6WCfP+8yw1tc -NE5vhOATaATUgGx2h26RLWaHfUvkeLmYT9M15NP1Nm4AZN60m0PijJhgGOIdELmq -IxxYrwNhkKG31tgUGHvdFIqE+OtINOq2FxVKv3NjVhmsvmXUkA1trYkCHAQQAQgA -BgUCTK2tRwAKCRC6zhXSpXSY/0t4EAChlxFHQrKYkfOhLWzkMmha7LFH7ibVC6Vg -VxDVVKCqNuR+8nI2yGQot8tmQeuQmq2J+OpqpWMvh+43QXADkbqlLlkEZ0AiXlbL -mymOgCtV03/jaMfHAQfHx9uYvwrKSBsy5tF5oYiCXuAaNQeHfi+00FucLRBe7dCV -IMScVAXTfl7rqQuD5aSGacYOCHe/OdysQSuwZcfbPrb03KgG8pMg90OPs3Szuv4M -NOMd7AJAHKWp1I4ZpCRlgVgONr3mXM06uGjrzxcE0N7F8EofbswPGuyxiq10vMNb -S4arsd6wdfHSvFFCpJbeMReUgSyrJxxIEwW2t39Mn4CH1tmZaA/5E486px/OclUz -1FNE4DQ1ouYbVgxD8i6OMTBDPnyVHlmSpqFXgRxxNy+9fMJ+a8t0nV7GXShJNpsV -F3h+IXevX65OlMs9lu7C6GngzO1xilZcZh0LBuH53tP1Ck0Q0UAbLaYOv90sAadv -x3lJlnMRjy2r8hlxL/dlXRrSuz5nWBMcf4Z4OwSE6PT/oj63dEnHCiTu/WOtvrFp -hZVjBAVsthGyumh/BCRz4nnWKkPu9M80JXp6gM7/7Hh5DenMnw11x8fC+AjANccm -eVUXN1qNsctMeONnbAVDL6vS+fG0QjeGjJPqT2f8rXEW4S2nxu2Ylj1sqnn/ENjz -+KqfG6hFEokCHAQQAQgABgUCTK2wawAKCRASAoIcvizZwXpnD/9ZqoOhY6MgBEli -0qXwDWDxvjoggJRGQBSIUVpjze3rfA6pG+yjryXF7J5o4atiqizTYaZwqOjjKhlc -eh+YQM/O20uON6jvrvTk19trICl62JYeR3+7wABL8yKm0lAieQch+HLzwBu/3nRo -Z0wfDhnoVt//TLE8MBpUmYBO7nQcGugB6kTr5T9+tIoUXEej4wY7OrUGB4yOpcsV -3HxYEcfcOQoIhdXEgOcQvzd5qDqVrIUSyQEdV1ySWnBoaCX3L9r8dN6H9Eugcvsk -+XEKhvtodIBVwZh4oA8PAHCYgJTHtpp+yGoCvVzsQw4aY3dpQjWPw7asAIwohXWd -9+m1GHZ9ScMfOoF5QRYod9YpMWFCrkq1+iHev9SZwM4jrEGs4pUj22Oi7ryZY4LM -qQeE/lE+IzRUV8ypjITWYVuJceKhTncSBZ+5IsllzPn53qHMhzgUEOI37KuOe6N1 -8miXH59ycg+Q6dl1d2VyFRCsPMb8qgi/fRGzJWnWM+vVLNctfWYD3Rg6Nbe/hO7e -Ovq1fgulCTkRdgk4iiueXGwtHeUtph45MOfuruhqgXm7RUBXPpaYx6HyobBfc/13 -zNe0MMxesNrxyfrg6Usr8movJ+JzXe5QcbfCC2Vz7ijXfnTPRBLXNfUbQe0zHMhM -TKC94dCK+8rJP0eG2NecRp9CJcQAN4kBHAQQAQoABgUCTMPYhAAKCRDC3ufzNgQn -NKUBB/0ctvzvuf7e7ISy3tpF6JYztQElatsjezEuwwiQCl4Baflt7vQZzm5wbPRl -VotS+x1Coig1wWi76KeciczO3JWHFaIibLoQ06FQBaARckc/82Ra7Ht/44v2CRGI -xsOAZuW93q3X9HDKtTbuZqKd14gMaPQFRe2JS2qLVbvbkAuzUx74M1QtDFVwDSTD -MOobQWzeCjoaAkrjTWDUosB4aT+J++97zGivM0m6Anz35IWfjsEv7RYD/twPoF/p -FIrPoVneCZrEBEA35cOppMrZar/uafHinJI8HECMSw/Vfe+vAVU4BWNbyUTC1KVH -iYaMHW2bZoRrODWxfvblnwj9UvFmiEYEEBECAAYFAk2Iz/YACgkQrA7DUoWCHEJA -lACg5Tbq9Vy+N22QKDvKrUNUaqbnMdkAmQFtyVutt/640oA8Ty0dFjaPDfgbiQIc -BBABCAAGBQJOTw23AAoJEHbPUVXUla+LhoEP/ioDcESnghzzAx/fKg+UiXWGe6Om -xyNArwp8+bNhKvkWOhM8bpojswn/GpgnEltUZEg3uwlzfNQaINSGMmAiA5teQy5t -UsvgAFT8zIwWQiszPjKDleFrs3wtvyXd5KsyLi1Jc4Xo5wpoeFBBY9NI7G9vHC9/ -5o0LeUv93Z4BH6oxml4vNf45nYEmeR2ut8gA9iJ3UqgEIUg47DaK0jIeCYTutboC -e5jZP5gbxFObgKxvQWbpNtVG8D5eHNAQ28GtFU9aNPdhXREqitDXGelWNs24MTFA -sheFjvX/gsHYYNJw+c8OXH31SIhIKoRuE3g5nZ9HClK5FpB+KzyEhxGFi2QIO76O -t0rYNlkQNJTevy5edf68xzLEWQC9fNqnCyLiVFfO6IU7chbyaAQWbCliO7bVzyCJ -K8Ve2dHbZsikroqp1hJTf0iW138zOet6Wu2dSgZrq/bf2uls3pQun0jcGqTr74bd -mJpBxqePQEbJvAelr9nevdz/C5XRKQsZvNgpJokgvakSfaR1ZFkUKDeQIrP66WfZ -27P9RXbGijORwC6wYkFYbElqGSwDKVjiN9iXFDbT31COp9wXViRk/Bt39sAsx5ID -Y7LvdL3nZjTEnsAxADAW/j5zOh33hVIfij5FlsBaLte/6DT8Mg/+/6rtMmw7QJi8 -8irKds1Mpj8RBT7XiQIcBBABCAAGBQJPBPtBAAoJEDjLPUQiH20GAXoP/0Bb9a7x -F6HYWdTeYC5TCeXJ9voUyTncCXQ7v6qqParZJ8343g3hDiorEq1l2O+3bB8U1NFn -h1WZM0kw+p8YiPhkqpo/tMhqiBAYxT5nZnr0nhApmjyIdOoBQw0oPErFzzCQzOnJ -D8Al/aJ3RZEncHk5Uu0Ulwg53pjnz5iwhz/OHJwdYv8As058nx3V1YgBJNGZLw/B -Zne1lLryNXunOk5Zu9W2moJ0KN3or/Hn4fksTu2XpA2kSiJbxObN2seJwgVFeFlL -VUUUSRkPB1nr8a8G1i4OSs4WCfFSWFAsYtEUfK2OqBbjtkvXFrhwcQbj3Ux26Ya/ -UcLlvcH7KLzPD4cTrscDov4WZXOtCSJ91dmH/cq7YlGalrXzdg7p/mEdQTNy7EZx -oWyHIyNNfOfFe8rkPg909n5q7q3q8Fi+136zL6hHGCNjotlfuodgcZ5OHHgnwV68 -LiHGa/LdM7mcQk/dPRU2BnTof2CHfRhlt6KgGP1p4NnqI8ftf6YCV7Er4f782hKg -KBd7RrTJYtfdkH4mxURTR4ckB0TDlZ5I/S8euh3c5N7meo4BeUVfWoPCl2T3y1Nu -wCMV2AqsGYFikwtmVJIRIQsGB3IVi1qHbtGdk3Qfm1YhMHANg7DK2popPJxabmG2 -aBhBBEv8FN8Ql8SM2rLoVycpIoY9OCN5fQv/iQIcBBABAgAGBQJPRDFRAAoJEHq3 -K0opBLYfSKsQAKKia3pf6xF7SWOf/Q8iyaYCc6C3SSdih3a1N/Do+JMnTJoAbUjO -fnKGJQjelnTzF4U0CIbFxqGFBUvQYeFtytFV4y1ISxArxTRZ2N1jdb1lCEOHVBr/ -wn02gJMHEHg1NmVgCdUwTzRutbbpZ/SYwPam2viwNv4WXMWSMG3ruZBl20/sIpKd -7b59IKqc0RwyWEuC0r8sX9RVUh+/eVgpC+9YI+auzzRiIkiWKhitEgHkWpSFqbDy -y/8Db1TrKEPrVkl+E4sU/LvFmN0RXdLteU7hhPk8e6l/4RWXSJ4UeuzJPACg6tgP -n6BtvcEwhY7XfokvcuRaqn3iCASpNprJzJFPiNZi/5jiLkFTq9KVsILdSb4PbpGZ -EbH6wbrrsOEmKNpNLZ9r6RDl+ZDGxBFr6pmxI0S5o60abS5eHU054OoQHagc8AkS -GhU5Qjem9XqfuoVvQA+46EAK74rjKzx6PFvuEbyzRLCCRbrodMEMJ8Z+bIEEi2IU -UmkUUHuH0k4VVVqbp/iIXN3wvuqkeWPOtAPHQhfZszdYWm6wm0CE+uRCHtIpFHpz -JZc+YXu899v1dsOuuHwnzZ9rN91WYShiejzioiQq0+fT4Qx4WpYaEaDRT/6n7mAj -qdlUSMoQFL62Bds/4uBxfao5yMD9bDrXGahjG9wm/zn8XvzkoKvPjWXviQEcBBAB -AgAGBQJPs/KrAAoJEISDSGBuGZSdj7oH/11UUiDzSnawLTiUVHS8YVBa/LCttwXw -bAMyd3tePE4OwUtspAFBKiDBfPurXJGQCm1LgFTgHKXiXSiJ1MyaRN1KfIDWnReb -7rkdoxfdMlDk+Lrt5A5KoW3Z0Lp6xeF1KGozS3wG/HWQZVsV4k4R7pkJz7V5y7Xh -e5qi+P/DvH1qFWRk4+xfB7T7wQgLbTQxupkZeOvhH4uful0iwqXKm74nfiOBleu2 -6FTNaJc/hXJBtAOs0iQTTohc9SdlRtXByq92JF2du2QIsrZtviHmd/IqHJkD+CCT -rt3ywepXGWDlO6YuR/XVDyIVzt2I273kD0t76HsjjNTnBu7ti3Tkfr6JARwEEwEC -AAYFAlAg6ZAACgkQbrijMKzOgK3XcAgAoucFi80vYSUqRnKZke/exbpJqCa1msYj -NM04p48U/mYQ7sr8cEPn28J8AlyXwvbei+2BcAXpivsWoqSVlAm5BjeTl2AXZ1su -OYMlm+4t4inpVrLKFXvwyJCh3gkBQbpIxeF6DKGhsCPiEbFev4+Wy8mx4vZhoJy5 -aMBSUXfhPnKRngi4fVrio5QfhZGQSQhsloteBCy18Cd0s91+VnM5KHhN4E5ZC96x -adfsT55HF3Knb6Unw0rc4ezYmbCDkjEHvxHaECM4kyAJLLf1XTC6k5pUFuTgdGJW -emRBRhoHqg6OfAxC7lZqnpKR4BuGx09/vcxacgZeOifVA4167LNf1okCHAQQAQgA -BgUCUDOnAAAKCRAdhMzwEMxbxzshD/wNHxQk0+jSNxV1LK63Gcw8uy5wL9vGt2iY -sDl/XyePxi4lIUH3IOx45Xf2Da2RgWvgfd2UwtvO/R/hxo4q+575zUeNDaeiFUyH -trtehFbS/jbZ8pi2rYZu5qKBjKuxwfT7kX+QrXAE5bdPvHvTgmr+QQmcV8Y7ra/K -fXt+jL/6PJAryUVA9frbX6BYh+ixBi60+ibHwJdiS13uuvCVUFB9+MPBQjYobh17 -bhRcSGBjGiTq8CDRHOsskanEAjjg/bVpOqDj//ub0VfEMXNMaYOlbvnujLG9scH/ -pV1PSbOniDPT4hqnARF6Trr5RQBzK9rGBI9rahQoUoGjbEMGVgqvOO90AduyiVnZ -fOHAlNp74nUMU9HWlj3yU4JSTREkC1WDVdhUI1oLuR6K3qHWPf/Bqiaw2sXnXr/7 -LXL731sug0rkkf122Puj1aIXW8PQfWpqDZqbsJKvBauy6OtHeyVktq9mul00ttsL -sgPCXTYACuRT4j8ANKtOLg3hAAGlMZzYCE+dKW8xMOO9POrewYhGwBADAwDskdxc -RxhLIYlgIndwYjAOBW6Peb36Wltw7YvAe1XKAvk9K6IKQshPkUCBG/qYmokz7qGY -5B4cb7IMFQa7ST1NFmRQR3W6PkpWyWNnL23ziEg7659szVQ1+9GKkP5NgAn/Yi5e -ZKKynffVI4kCHAQQAQoABgUCUKpiEAAKCRA5iqSIcw4ccF30D/9GSykFPk54gaJY -fbIgbcOdQqGVNIsZqgx1k+gxAbExvTWzlFT6PQq44lyQ7ddzSntRiRGC4ejsnoaE -6G8iMqULc4av7o18oawBPD6P1AGUUdMOnA1nwP9XALPCsWQ9gQ7P/B4pRwNLybB8 -GtTt2+ASddpdre4gnM8iaiMWoJ4yp/JDTj/7YvNJD3q6VZ8zImf2WZHsa9ZBgv+v -AHRd2tAsZTNTLE/sc01ww9jJ224DhNmLj1it35cFHSuy9RqV9KalxtEuVg8bLx8M -nXPgJO8heOpb0lsCwFVzGL/lCVFd8tn9+XP3TayObkzW/LWIWFToUflikougeraI -bguh2AKoa14eJIaUTV13VsjfkgU7A+S27MncvgY/KbqxodqkmWBS3C0HV7oY6uZV -CCfzWPhtG6mwEWPg1lC/2s0Xv+tX0eW/IO4YvT0QTU5WdaBIMDNWCHY6z98XHfJz -GmQ/+376tbWoLkl7kIGkFbrarJUw8RFGB0qLUkSRp/H+LiZLgeSNaJsCZEk30A+S -ZzONrxrzitTq1tUU098z1n2v8DL8QPEaBL9O3DgWTFsLYYpYhnIyjjDi0IzU0eTJ -GnumFqBQFjcHbfivn6sySOILp6tuTZgVteDNazeIjJ3+ZQZGXjGFAu3YNY75h31W -i2Euv3qjrXl43N6WZaxPHw6jAz6aVokCIAQQAQIACgUCT9b0gwMFATwACgkQacHh -vTvxU75g9A//QVb9Zs7/tCkHMavmlBshSmpnUfWQZ0qIv/L3CCdrrOpN9GXqqTwG -Bs9RPvLpccmKswWpYfW2k8AQPKbwqPehSRBxgz+imOG0z9In6dJug+QKtqVAhlOd -nrh5Qc9/BCq+sbhHf6NN5diZddXUuRnpjGa/dIm7g/44Z6dH8Yp+bLsRIihmILpI -IZII27MrU27KkjAHAeWRrFVlb30kguafeMx7wI5hTrQAXGbfQaVEi3RybV1vDjb2 -ZJdQ1k5oG1QanPePlkFWjvwNLZiKowKvp6z+OrDMABFqMCXmbsJFUyWkSRSnhbCE -bTwpBkbhQ1+qlUfrv6r3LH89z4gfsddNJ3EF07g3McmpKTEF/SA1mdzSJW2f5Tad -0OirJ4he0hMyqISEAyIprJDEmLnATCvMyEnULG05sZiWp0Qu7jzrjfZyIoAe6RNB -GJkM62mQG3irkIozzRaKFyzj2l6RVPdagOxdeYQhdIuGH7NMigydaAuumyZTFJmP -U4wwo1mUnBRZXDcrCxWkIStYZR2MQY7LbJvWkfOTYwJqN5uBzYsdtvleu3ZzVVea -EM2ICaaDn8GLgDC0mGIyCNyz5v/Ce28LVoRsruADePLViKqpwVTX4WRqvK18PMAj -T6idCLSos4YDjkGtsd78mvfiV5UuWExgqqlhLLGrhTp5+FWooN/xUfyJAhwEEAEC -AAYFAlHkOUgACgkQl2j9PMSIFfImZA//cg45K5241zDKsgfhpnU5Upc2x4xcYl2K -roo+4IhsASuF0c12fymPDEN29DgsFG7I2IzJE788IH7hpTwfGf32YkQETwbnxWvJ -jsqKMj32ajmtibtRSyDPl8PqEx/IsOh0yNTOWPuhaHsnYZDQsNEILN9uspvoHSoy -WMKSAcvAmS80L/rOo5cxueiUYPjvOLxYh/K8H/T1GbfsJzcqX1TS9Khn3137gLa6 -r3No88oxpw6hWEkZuY1zUyG3J5CUWPrKIorhGEK2euxPJiqz5riEFnPyJxs/0f8x -r8XfW1kIykXjV4VvV6wxEHAg1IEPiy31ldnsq9ShakoY9DgFpd7cgegJN6dfC3n9 -VAqxFGcH2rb89+lkRqa6QsVLICNuGNzOMRer+hM/gPOWiMr1cF5igy07YX9Hbdwy -kNjcNpXcwEhq0rJ1e+y9S/NH/uN44i9S0+qj8Ez2APWkqwF79by2JgXW8Fj8ME52 -mW0kUuYY1dJvtoKuoJU2IX8p3ywzVfqvnRGr1fycNHKuivwWRtWrvl3/tbMDFivv -3KNZAJBv0I177P2IASg29lv4NXJqBTKLds9LSyFwrH/D/+bK9r2bnzgXnUMr9MnV -ACl9gJ28I8AsKeFBW2sRy9xaSuq0Bm+nNmU99NscM3AjgffaBYP53/7RnkwU5dwM -p6Ki3DTaVimJAhwEEAEKAAYFAlHlfOEACgkQD5FTAMXZClh2MxAAhljeauvt/LZG -wZn4ZZP8loeArekgghJidDGtgguCfycUyC52llvXOFfVhc9LSjc65b1ugEMz00ex -nFqfKKRSXpjOVPjGMopaBTkuxmIApVS2UvDVYK62EYE3fDzd3IlC+HuzpDyaTzM4 -06V6488WPejHTOQyu7ODlXdrJu1Ai8AEir5sHGfUX+TpxpMx4PVqXyiYjYi4Bl3d -io3J25dvP1DMbQ0k4hyl3sW/s9Kc5LnkvgzOyLrW7AKzNmrVso/pnuqWmEF24p0A -GXwr09DG/bw4IohTj8CtXj6GI9RJG2OS04hG0RUT07uHcEqFUFKVbLIs+hX2ThYR -ln0x1tnq/QeYCplYxnn55UIWz2RScB/evjsxNjUAg+mYDy35B+DyWhDKfq3QD8aN -zQKD4x7mI6TR9/Z9yRD01VO73pOu1gGRMiVbp1d7Tv2bDe2c5/AiviyhpY4FqXbk -Y5hWNydCK9MD37tcP97V/2BmGXooEzYSmGJam04WGuWACvmIBOzaeuU5D87/4yTK -AM/Uxh665ZQXOdtub9kV2Z/FbqNW/7Vh0ueLmJ0yBu5UzAtVlOFQePRIsN0lglEl -yxSTjdDI/Cjhk33ByanKO7PvZmI4XwELVMFAeJGh6wu8BgHgGEaVkHL4aoazhPqB -poPAlmz6lDFQhAf4uDAuSJ37/gJ5+ZWJAj0EEwEKACcCGwMFCwkIBwMFFQoJCAsF -FgIDAQACHgECF4AFAlPLtTAFCQoiCJQACgkQHSl17fk+c19gaBAAlPXkaZu0u/Hm -x484IZezTHZaRl5SeoVNZ6sphb3nS0mwi1iamPbyq6RnHXkaKtiMosIQshocxH+m -nDpvIXomoXcDsm3kbD6l4w8Cd3c1pmsVwA4+rQkeE1nSSrX9HBXRm29+D6yfhtK7 -x2HHPwELtGLATOezG6WVSjAWNDcRCFiRwlkLn/c+1Ob1J2AwQvwjBJJDNyorqsQ1 -dn5P4ZVyCkigQMeGnpSzjOrb5VgdWctdV0cFaZf7d+lh6+iOaiv77yx9iijOogdE -UM0KVes5NGgmZC1ztyg5qZ/AzZcTnx0GER769hfBk6eskylinrP2Q6gSHeiWEn+j -2UoqRveX7bpJWhhRcJi6z/G2e1SS/4Xv9QI5+A9IAmZC1i2abN1ilJa7ZxGcZ9ay -p/9c1as1+HV7zNXzguQ7pIre4u+mCBEBzERNgWSa5DA9IN1c4GdQiFY8MasSVt34 -Kc58wFro80/Nv3p0vLkp0PuaUgM9VlnxzgnZsfLfGiPlYFh1JbVOfpF441B7bKrP -MmvVZco8yxaEqhjbP/ihMFPkRDS5owJQsH1swvu1/sbXgvP7Yb+mgULFarZfnVJP -nA/tQrIHX24NunWtDx3HhpJbXRGybYkQiwJHNbwUvTcHVVnzqx27s15YQ3C3GxUd -Hh2q2rovTVhtR7KihSMduK7ReoqynYOJARwEEAECAAYFAlJVLtYACgkQHoC+eudN -YW7Z9wgAkZmkkZ334zKUcBAcFgYdsXtqQro0/s82MwWjP9c27SALjfC7PS0txmG0 -tXWJCpGYCsSzKQc9pHgI/J27uwPW0cNQ5jP/3JvsCo5EZhCNxN9vGJxUu2YnRdiF -6uHEuHynd2sJSOSqxPqUBjhJPuIvAzNMGS5+9hGVGoaEiAgWjej73jYbmLI118D+ -clXZzDCXyTir7vwOpHevzQE4Z30q7Z0W9zhVjqQE+ky/7d2p+129jJqT2FD2BWoO -QEXtYdyYDmN0d1e/Zryh9ipe1FMa9KRXIwcmFVMAYIamlcD72BaLINHBkPRMis7D -JhlcL98PwhTENuQ5VxVemT2PqfgO54kCHAQQAQIABgUCUs9UjQAKCRAmn+esj3j0 -r9fND/9h+eKB640OXLZxikQuzXTIX6gFL7c2Ws1xPlITvT4HemmyFXdBb71k7CUu -/eZZx3WGsFQd9OskjVJwD7FpRqGmcqH0cqzNVi/xxMoJ6AdbjPTL40fAB364xhzY -UiMhvXlUPdFLhwTOx+UitttjzhVKH3nVBMSJOpTSS9NgvYcqJoHvf6VfhPhfVWH4 -KNBNj+MYVZrEPn+lazws3vsfwnS077pD57Eym6El9bt60TMISxFdW4DH+yg/Axy7 -SPr6z26FLBOVb1Qk0Ne5wENVTQlwDvzzb+nB/vWZyXu5NrNcRdqH/XKM+qPE+81q -YJO1n8sqwzJw/Er8GsThX0HRGoS4FtTF8vV5qIIo0s3bCzhpXe6m+7eeBQt5IhVr -1o9rvGeMG8Y+em5YTaCIKsx9KOXsg1cYYxisvPvYCy9gAkbAbLGKDZInVqOzRxLq -WEOMPgVT96+l+YOBs3vt/3mqpbct0E34pWaN1c2wzJr1qfEuJAJ0XgAr8UkDWBK2 -cwmwD1nbhXo+syeYNahLPzYc/iyX7mCPouTmbLYYWd1I/Q1VoyZCFAHQAVLc8u+l -1Su1GuBwYileRlHaldmVmFxLem7zAJvtK7WKWmFGfBIaD1AQ7ac8YFysaZAnuJNf -7fflsyYJhxHuhY7mMvnNGvcAb5TsVpsowl8mJOmi5Kd3ZwQLpYkBHAQQAQIABgUC -UfWbRAAKCRBVa00fn8SY2T79B/0QQDZHdKSkmsWh2g26X4wI6EmMw0yV52Gv4RPT -H7kAHJGBhFgJgJcK1hEVtwtDMFMgHTiD2laWQQ8jaewIL0cOPFUmPo+suefoK0OZ -hi1xlUa0GIUGQ2by6bgmPJNaKj7z3VPAtJ7o4XQwj3HTbV9BJU982TIS176N1sc8 -o7/YH5Zz8H0o7CTMTO8PxC0GGNNLj6HJoNEekI9G+vaNV0a2bn86MQuPdciwHRKm -wI9TmRY8PGD8gtpTSkh4zO32g3PAJMjp3pfPGOukoSSzXxnVdoot/wbzIVIN5fkJ -JeXT3n49cG4UKx1BRhji5xuWB1F37eBJ2j5KY6XfGCzJHzeliQIcBBABAgAGBQJR -9aduAAoJEJjvC65Uf4dOyTUQAJo+htBOCcTR2xLGomo0zFP1iI9ZnFoVc4J6Fyd2 -r6Hz7seQFfBxlLHHLuJ09+nTCP6+tBtz7pfLHNs6SMaieYp3eAeVYh6BMYfp5mqh -UYxJnFmOC8jMFWyDPkwbd6Mg039ZJ638PtTHiIoYy8D0dSCU9R//9N5oFGKHzmcR -w8uJ4WZAWY8WbpPc+wwAPkG/A8LT2QSbfOf6rRzKNg7T8YyJbJ7Db6FNwJbtKzar -gHQPQK2tSy5oyYmU1sjWn2ZZlIGIdJNi/lzqqiyOpTs6uZi3VnHVJzj9jarurMfx -LOF3S6V/JUh+rdYIhp7IhTXw1voutZX63JSiQOwEUml2fSd+zAEsNjMbF3sCWV/x -uBpw7SDQWMtZFaZkoY9Pt7YtnIF8EYMjeORJSKD1PaboEV27oH6M5BUA/gJFzKJ/ -HqnzIZbgdEaDcQ+18bvXCZbh+0QDLtDLw0qGA8MI6Uc4YJInhXNxF3tp4DCmOQDR -iqT7H3u6k0cD+E0RfVwxjSbQp3P2DqB6BaNXvsVKFymLMgtHTyPdWIpRJYk3B/b6 -OUJ/LiBm5cZA+/hb7mU+aY+gFcO42mlNEygQxoCjIznv19aKWpYAJAJPq5ZS9JJL -P/LoOlFLd3HVwWFMZ/ZywdJDOctna5L2TIGwcHQeCAj5wCMT6E2EPuNu7U3HZuhr -l0wEiQIcBBMBCAAGBQJTb26iAAoJEOaAxTHjKzK71vQP/2bVrFSiOIKHcNWSBmc2 -a4vbwFF2m81BTW4FK6nz/WxZyOlSNJ0hbr9NuVd2TZBhKA01qsWqq8h1GVdtmJCt -tvXxFJxJ31HFJ7K1+04QDgkgi2npXpsPN3otf0Ya9smXMNuRTEzBZtncLxPUKC5q -CvYpm9Ycx+r8TyEbwTPFGGTaUf9tlvKxOvIeJMtp3eE0Afn3cp+5mM6lSesFJxEj -wKRjLYQK2+OHeyxVjRq9Awz5Lm/PG6nW9BiBbDQxjUG/pN//2gKY9sio/skIb8c/ -Bo8sbyDNXnQEQ7cGbKjWRoZNQL8fhHB95O8mmOEMUFVlMJ+UctFKdY6m9iRc9+PP -jM5/RV9b7g5xujK1plfXIfg/nFxLzBY2wW5Y/ca5Z7Q1wBlqjLomvbEw33OlpdAO -P8EMVzqs1y2AKcL6nIFwLMA5+kwjvf+eh1DXS+oMKhKFZv+rWFYGJ02y0Fpl7DSt -UprRHHULa/pFfQJynNXeEVzBO8kiKrIVm8oLdVjx79n7QVKXWB+FoOB/AIr7Cv2V -GuWkGDEnctIPKB7hxyDCeRgVzBGtrLc3kxhn54PdC1DClIA2QlOHgdgisbkqCCs3 -2RRgdZ8mpAmlpWpAIBKxlhOQi6hS9yxG7w+AW8sUpK8zTtnyFCbRlbM2IdbcF2TD -JGyZmxnkbBGmwfGAyoyptqcliQIcBBABCAAGBQJToLfcAAoJENRVI2du1hC3pTEQ -ALI1+ProhxD6wus/JqjnLohPmYDNbm8MUB/ZrEXdpzKXugU+CTNSo9ZsUGBv4r6R -tk+JTlkIkj9WQdkAlgJrEu/mz4n1bRQbN7p+oOQpx6TbFQGOy8SLJmcqPSNYZAJS -j+n04TJgwt3Fn9SglQRCPUQDfti5LExyOK7CGuyN7Gqaz1NQxnwJM5++d1lw0Zjh -gUuhfguJVmy/9D29BK0IyEf3veNqNujruG0RVr9SsQ8oIin8fk3JuPotICVMzoTy -+neG45Gtq7PbbO5dwPBf47E29XmeiU/dX8v8abclQNcy5gnBEIEIFXQIL7NZZ3k6 -XgR0VGH1Waj/2tkbSkgR8ho2hT70+OsjZAseQrxtWh3YralEStJNktV0Np0hp5cj -+xL3nM1y3aAzrtO4W9J3pmGhEMsawM4Ua1PD4gEI7qr2SAyrs89BSDhFSTvEJuJv -8a8UUNxc3PfEdrNbDOq2IIz8PpM4ywqdEQOiLTvwwmLUQVdAZHXePW9uuOStnelH -KKvRRn2h90JAt1iLVT5D2ppqxgP7rq5snO+EGaaX2n/KIcSL617J9MZ6ok4G77Fx -GmpMcUewkmeJQwB2+oOdpart5oeMeofiB5ZS/zq+dNFUnJsdDLRMnPhR88kIbQj+ -hfsW7uvEa6NTzN0F3ZV/eGEpboziPqcdALsSFQ7tWlHliQIcBBABCgAGBQJToejc -AAoJEE0FYen52+4T3UAP/0gS70Y967YbKF8MoQujeyP1lFyjMeUy1zkdebTAC4RM -uvYZiZhpEHf1vblKjcO4/EGqBmccWepL1KXGfK9un0uFvJ6h+555JiDruOOQuUbu -WeHL2ekTmp5+USnK037Ja0+sOa5s0ghkrMPLH9toYTRqiHJl9efjWkBahZcVMvKw -gOGIbvp6I8ppwqT4xY0VBWTz893Pv3lIWleL7x2KTSXdMWCABOCrLpqyJh3RoQx8 -7Jr44dpbR2T/+V8VfE/QrbZ0Kwa0rhM6gataeYrje18ftWYwwJPenBS1xB+Iy6x8 -tcC76/ZnYVLFwPt8meWSfgzgvHVlyDAeHpjV0PF8lTM6DQYG5tF540I+QBJhdWLC -+SuAo86R926P5NUtTuPLgmxOfqUaTiKy76Z15Hv0f09dTn09kspTESle93sICSvI -P8YnwpaWOg/eSYXfjZ1FXUCM4NGZAnwNbS+LmESN9OdQWx3Xf4qNw3N1SLj9tb0h -nAnKN5oL0ckKp8djfvBsBmfmEfwNfMGY5IRdVkgYWzAlqDb9SES5TdkBNQ26aTmm -fdcrurnTZdNr53QJz7QTrdhfFhBAnv9HfS9POmtNTp8RfcL+Vc0OFQC2UlckBRvq -vuJsCmyQGgTWCUu+/g3vRYYCrG77Uk/5f3KG1DXGVB+AY1cYlhRfVD/dfaYe+NWK -iF4EEBEIAAYFAlOkdH4ACgkQxTQysom/jOzmWQD+K2Ok2/5Ef3erOXrqtWSRhYjY -5h/USrerIg7IpRt1mx0A/j0n9gyGuyh4RptRgkYHNE1T4ZgI0rjFCtP436sUHx3V -iQEcBBABAgAGBQJTuRW5AAoJEOrF6/B6qcKjuTUIAIGqGq/whwyizQRnuPe0F3/I -Emw9sKK9qFGQlS5XySDooRV4Wlvp2Fbmym6ceAufVjBZXObG/6aWKWWd1s9mxG7/ -ixKXhQt1ew+OzPrgkdtAqQou18GmzCM8bCWq2flip07EZyYn3TojxqPF/CeFmSBf -rKJUn2ZfLFA8YNptJEGPmjq0x1orsFmvS39kkDN8NJ5BBAHddRhypennBInrvKbC -qcWS96goGcAw8maERkt5fMfEb9WQrWafzj/DnKPATkBnXIvXhTjUI5UEt3UpVMb/ -EFzTnYWeznzzlS6GUo+tLXOheiDESr7TrVPH1itjR+4DmVqb9R1ps/pGQ/i0cYyJ -AhwEEAEIAAYFAlO5IlQACgkQnDFQPG2GY5YLRw//flDTANc/AaovI57AzPQBkiBp -fASopsLXhzuMZAiu/gbkh8kDprfFcF2TUrrDcJCsWnaGyWu/cCTxJI6u07FPNRz5 -TQjKm8t5LQC4mqxbirwOFjmkSyttN1vGa1HoMJY0jv2vtd5/Wk+UVUw51NiUfDLz -aZV90dM+VNzz94wzpzlalgNAihPHI7ZbjTjZKDThJoRvj1h7TFzEsuxLv6KL05gz -wXZh3yV5RlYcCnZzaRXQD10UtMKKO+y3lXU5SxQ5tT7EtPdK9TiNeyWVIVNasA91 -VnrZ64i4spZmU9G6e6qoM3MIyYTtoa0FmpW0+xN1jBvyEoCyqZdFO60+4U+1Pdh8 -tmTQBemTjtXewi5+IWilGmUVehx7ecYWCLsFA2MCPh4/1Fpb4G4+o9FXnXILGxpW -O0yi7hzmqcTGRDfTaAtoiCIp3Shz3YbrYZiH/HonWc5VRSqYPZA/Nx307yqfgQDQ -kIVVmiCCmXqMvOjbsxHLr+Z5ugqmtj0fn2gZuFr8ouxK+0ygpbrclu3FNJHG8b01 -+5Cxl0c1Cnq481Ab2akkyNUId5oM4NBAcOS1PCw/MSRs15BAW1Wazq3we9KCC7ZL -79VALrwWhmgiz5PnpzzLgIkNMd1VvJTxvd5NXKonupR4wsP3Cin/HjpjRqX0d6JI -dSvNTGK8x9u07Wjh3u+JBBwEEAEIAAYFAlO5YzsACgkQrs71RuyLAmA8mh//atVi -NyernbKthXxevBkfjFoChDrFocz2cREkQ7uZpIC59IBJnexPQk7xjuu+HIJ1aKeP -QEH0msLb4CLCEAs4xHxgi5OXpiytGzeLvlpouwPhFupTyFPqs0EekeFfpSAEsvta -dRA4qcFmBrqjXDhK2+pOLoNOts0AxaABLv4el8sw0OCwonYhRlf4au/7FtvVTbpP -ifA95hs8IxpSLYEBklSmugbKROrZ78frUDD3ZLeA5xBa005VZXLM7VhD56swJ1rV -ZpD88kcA1uuNMXVvGYHE+gPVoia4VUMPhxZJ3XsNqUpF7qnEUgXpM9FxhRXldNLV -s5j9ZGh4rWRAlu0JkX8QB5tZUn2MCehafUY3umK5Quw8f1QBeS3u1bOtHnnJKFH+ -ZAQY8nfrtalQLhDx3hF6/G7ctYH8hE91X7FbcLNs75+mCq+W/7TkaHbsfYL4AMn5 -hExxkscocVl8X9jpeyq4mdvc0ZeRyVuey9lUiI8sgSw31Ti+DJ87jvT1Z7zhg7vw -vbFKqf/3cNtq8gDnHvvGlVfwaUjyENClszmBhrjHxzHSfcp0IOsdqT56V/r4ebby -W9t1sJhhvSqBdoNaucDXl8Uqz5Um6V0WpjavIeEKWiqE2otruEeerqRn+ugsZXak -vrZdITftR7b9N0FAbCDb0gZ58zg+05YcrXWpkAYrn7oanrMaOW5joT5AkJhFFqXe -e+EsRbEKuo+QBwGc/IJdYlplmTaVWT/TgTJa/FMEz/vc1nDN7z2tQ4zaNZTHRQBw -LaoSZBAFEf+85YEhCAjKikwa8K7wvIxl8ffGTrGqH8hiM1CP8y/4poKuLNp3oR7P -4QoHGYwmLe5dPCaJ5X5Lqvb7GGibMqGiuPjx5FMi3EUmq5nwc4D+NytaaVCaMwez -Zqt9zs4T8ttjfqr1+OkSCQpetJk2uf1MBIdbs5azpEfC2x2lq4ZVV2qPHIlJGwcX -Tt/j0M45MMIRKSkujAGVU0bZzDVojWpsvNQT9YBNgIygcL1+hDGYXm23ZwN+dZ2y -qhiVlrk74gdcp1dwXuDAnpLEX+q329hsZFuY3HDZDCutRALfqL1SMOmhiN8UmfL5 -LYnmTBMmygktQmp5cWn98gqn6Ie/BYSa3nTgLBuBBxdFcgrOiUZoQdt1CTgQSujB -2LQRe89gue/k7x8AFrj2ugnu3iO7GF/dpiHelqHnFQCQKB0Eu81IeA/R9Qff9t8V -N1LiE/4+DI8o5TzTlaQglrvVNzAE83+lrloCA+KJMCocrE/ZOfVF0ATKprYJJIhJ -TcomReiJMSFKOQO0KeyAkXcNbmZrVB2p8ijCSNN4BXw3Zy1BKLUCV1j4xEGJvBJ1 -qP/Ozxdv0JpVtBJEAIkCHAQQAQIABgUCU7rF9QAKCRCiDL6yAAxlFTE2D/oDltka -Wx7zHr+syW4JyqCYPNKW7P3ocnPEPVhGzfe7yLtgqUPLBsHp1MUr3GV698MGpXC6 -jrOjaW2EBgtmXLD+Rr+tXSdG+CxzASPBzInKx4alMiED0j2ogHfR+oa5AawgWaYc -gyhfVg0YSL4JVKJhyJ4nCfFkabhY2+GR0fG6vN/3jNfsJSMGwg4QdLxq1wHnzsIN -aViPo2DXI+oUQ6ODmFKxpvd9mE1Gs8g/IK2rp4ILeDZS+n7Qoz01xgK0NhsLOfST -OET1nii5cN9U4iKhUSxLUH2txQ3YcAD8f0CYGeiCVqaM1wMCXGWj8KTzN7C+sXfu -+8phNzfXcv4C18PQGKM2bEmGOOdtAw8OZ7Hf4JW+FyVX4QqKRMI0HudIEx8qZ+wp -OyQcmOfrtZM+PMQ9Kphh/+76Bp50lsR8HvsWTkyNPXj3R6VgqeQEEsDSGMift+65 -IWD4ZVIX29FQ/ngbdv5VCInO/z22LeKHZkS73wCDiqoCT+QdJzwyBTUFgIgkEF3D -DRdaU+IlBFcGWgT4Ce2STmeqCESxpMNpyFuppyvV2Pzwcrde0FNyVb/X/ExNSL1V -xTRKfs4XzZmsppToxB/W/aFneJdcu+pVOKbB5wdXwgKnvA/ztP4wVDUskhbZSYWr -0dbVV/rcMYwickuzdtTDF9BO8UZ3VEVBmJX7/IkCRAQSAQoALgUCU7vxUCcaZ2l0 -Oi8vZ2l0aHViLmNvbS9pbmZpbml0eTAvcHVia2V5cy5naXQACgkQExjvrF+72853 -pg/+JIEHAAfSOY7dvFLiORLXg4MJ1gNTl4jnz2WqWJP7pYuHiJw/AlAeDyLUjNbv -nJasWnFBhF5EkpIkf98bQVY4krtc7gez77va+M7gmts85jIqkXM9tZf3E1bD2h4b -b9pk0vudM7KeOiqt7h1a+Jo9AdaKv/+bJi0tL+4dmNne/vMeAgGfwGfkBn5yyp0k -LGxjN0iPWJ1PtyMeXv3QFXbtg5w+Qp3YSI5r7tvluCGn176lmuHn/888ZVM93mto -AFNkr/So30LTjqh/Z6oZy+kTQ7+fZQ2Ug7YGR0yB3xthrxB+pyfcVstQTEMKQ1Pq -4Lbjav5xANB11phsOq2H0MNKRTy0zStvKzS82VATx4RFIEgFnxQonb12rF7N7yvb -hE6agykhieIMsFTTCI+ioYIOyKUkFvDp1CuUnBIxhdj25QgIzd8CUKjXXOSbzflc -/sfoGwO3pePfuAWycsuleyEa2AT4T7D1YemNzMhlhI4qfm2uxFEEQFm6oMPGSpEp -vpfB5gacM7AHzuhggbfUvXf5xOGmWzckiBzD3l3Hmeih/JpS9VlZMAmiBFbjAT1D -y3ROOdK6MzQipi5JDfVkyOWScTKe+QWTLV60/8zFRzYBRfWUSmKpZkjcj8FnFO5G -/kOyNGox8DH8yKVxtBB1h/XL+Efa8ScIS8XtW1WWWb3U1LqJAhwEEAECAAYFAlO5 -ZW8ACgkQIGcAGxtnimOgSw/+L2G1rn6Sim9SagnsNTvgos35HonMz+Zq2BxLF9gL -2FlGnOD1oZ6g/3NXQXpZTdtGAoN+spiFxeQRt8PxaVZkKtWruEbv8mCxr3ScehxM -uIS2hv+ZpxCrCO4ZFnB2CU9KB4eyfFJO8+DUvDGfq+8Jh6LoYl4gRbIXoPflr/P1 -RNx1/Q8Fh7IEeMcg8H8UTs+isem+wHnTGMw7/8oBH9ERlMgR/+eqt31aLMopV3fD -ywZfRi2JYQLDGGdHWKhaqIwlHKygXDuFaFq9VHSr3SuKuU7meweDOLzESNihTptJ -bvRyycmoaFR+qt7BCvZc7a6UG9xRaDU33A7vEFAsd89PIQF4JAdmTBWlMb9sF1ue -uZ15bH46GHnraiS9bdDcBE4Z+aMUyZlSyfFB5RPMmY1hk/YkZ8UhFy68l4vKTVDX -Lx2iNn6vSs1lAysLDErUos0JzmoaSI3KBIn3HVyZeCTL6ZOPAl7rQSK92D3VYLN5 -FKEJFQDB4GKsWSnYWJjzF021MAde3dvrj3jU1wBVyikpNVrr0cmdw2wvklW79WcM -G0UeNZd2KFmTiSDW3DkQ4T4XLvVmKIGUDTt2uKfIRxafLjWFLuJSsgqSy49VqZFp -bMk9fyqhZkkeAg84rK2QK7sbDs+9f8VVoA3qmVA4MTAQ6AT4xId4DF8bk6aOEPde -3GOJAhwEEAEIAAYFAlO1aW8ACgkQAaIFAegaS7pHJRAAg7VFkcG/w2AfKuWuGWgU -pCVCqUEAI8lSgb5BKMCxhyadeRCk5zutUOGtEWOPtg2QKnQYuymcHeHR/ibCEq57 -PxVy8wuyeIF/zJn3IUx4febp+D6HLwxBR5RL1OKwF3uwIi5YiZVYM1mDOND/uOsl -jQ5F7gWo1blLM4Q1XVIkxJhY4NV2F9sl/O4A0XicwyyQocyfL3PcM4qVP9CFRIdT -yIamYCj267RWJPGlRAjVQchLO56k7wYDDtAZuxfkjXA9VB+34qx8XC+esFqU7Yza -qERljchkNKYSBSfw0L4rub7v6wgZbzR3NGKwJNXoE7SEWxV0P3+xqJkUzxM+937L -+BeADDuoM3v2rhtPZYju+D2GvymFFcF72EJmQTxbztM6uwUVthBSO/q99dEXryav -Fe/CFiKzV9hn59Ny4YqwJgl3xwAJ4jZ42fTUoHJ7b9nuJCCeywwjCW58HdGV94aO -wbWc4ElzYP3k5Bjwevfrg8RjRL+W9fBUqLGkgUatIck51Yz5Ymp3B7N7Dr8mMe4T -DS5MeZyhAtod7P3LB+peTRQvjPPCODDQDgJjsdFNn17oCYyK6pHAv8VSEhyzRPWt -lZu3bwbEt/FApo0eOYc4Vyr3btO2ECPJrkHmlf5FO8Y/LN7nDjd326ys2ev+iw1f -c80uZ75hyT/cKqdxA/A6ITaJAhwEEwECAAYFAlO2iSEACgkQTa5CJp6w6wuD0xAA -v8J5T8UQQiMWeMuJS/l61+tu0AERauQEA9/zjB4Lp1nElGyJtFVrE6huVWxtZlCX -FkLsZ8SMVKP+9NwZRbirjuBF64KKurfc5IS3xQAvjSk26T8G/NRfyuw4vBt8TXGn -QWnFWbrdXzxGROStTXVfgGh35bzXSy262U7Dpcwrv2Yva9DsdzsiYrrD7GfjgPyq -SVyKK+97c7EKXfInv96cZPkgRCUINKOdAOblHGLRnZTOf0LzULrbOYYzd/9yEnLp -ebzY0tCX0HSTnwo+SILFV87HAil0FHFoqkaxCV02SrOgDWqVGdMiAGagkAxNoveG -M30a9UTY7Whjqo81LWKE+vLhWTtWeSk4wCVuWdke//vj8EAY5wJvPeXWVDtCWHRI -5hwwGeyEfJrC40cFEgEMdiMsfhAKl5hct5H6f6W/wFIbBG90yurc2X5yVYY1n+4n -tjRC6riybcVtjAL0hvPngyy96URstwFkm1++83btdeemABZPlG9g5hPQ165R9VA7 -WnVRLsfAK8VjXACk59DFtVOBoGQYRMGjLMjWgu9w+TW5pwpM/npq7eA9F4vgVKaE -ysekcjb3dXc7urkM4K+COBuv7PAf4R9MYvlR8884bZkROXi59fsGwZWo/hfx+G6r -i4FtwOIhd4vU8xnRGih2P3Q0dBO/IjWV9/e6vxGLTCmJAhwEEAECAAYFAlPDaOkA -CgkQxzKx0cKPTi/87hAAsgPJFqi3H2Flvu/Ub/CwNevLquwNKKMBQ7QGsIupBElz -Zyfo5zAlCZhCD3g4tqW879QvuMF+CY0TbJOHnPRIecNC48j+LM6WzmwftIiLJKl0 -K80hqvjxjG9fkKR5v31cTTzk355qakCuF6zRcuDuMvJpWgyq8nsMb8zxHKu2k2A2 -gqVNRcRrI14QiCa7vkUZn+hjw5TNl5JZGbzgZoMa2nUC+E77RrHl6ED9xBgBhn3a -ugBsxhj9AiB07fwXiYVb68m4mKXZmXAhlPAnd3KFFOe+PU4PqeldjU3X5aWWEChM -MEkF3484Dju3DTR8dXjRTRUownQWemetDlZGmRKFpoK+pFKGRN8Dx3uPx9+AWrzN -7vQiDn0MTWWPgaDCnkuqNXHWBJsvUVPPQOa4MfrlIf1zBCV7Pf5TVvB4iq8Vr+IT -dx/H+E5X1AWS7qHAUCc7LL4+wvvjdFf+/68y7dS/BPNnKIxrVz8J8AjILiKP4sc0 -tmQnNQpwrc94//VZ0o0zWiNi7yPXLGyy9yqMeI07wzdgpVsct++NJljZ0CLxsTXZ -8dqR5igUr7btXwQNBqdSAffsjoJUCmVGFHMXomXoJKk86e0JDdIAv7qn8hllBwjV -a+wJSYbfVOnc42SHB+eG5H7O49K4aI+S4lv453LwEzOy+Hd9Yn5/aobTsFnjPmaJ -AYEEEwEIAGsFAlPEg7QFgxLMAwBeFIAAAAAAFQBAYmxvY2toYXNoQGJpdGNvaW4u -b3JnMDAwMDAwMDAwMDAwMDAwMDA0NTY2YWI0NDRjNTQ5YzVhMWYyMjQ0MWQ2MjRj -YTNmMmY1NTRkMTg2MzE2MWQyYgAKCRB/qxFCZ+T6BLYsB/0QnhCFoKwpYM5tqxcd -cph95dmJTspBpUqXXq2vTYSAPgJTnoKM7hKFUVYN+FKhmJ3QEo1rwkq6SbRxRanx -1myHhDvKEp1hU51jWw01FV/s1CyQQgZkDrDJej57w6VfSsR4jN4oEbzl+AsYg1vh -r57nyyxMi7De5whrq8HIIMNPIy41s2ezih+BjgyttNE8j2LBKD377fMiRnEl891i -knfSs+oh9Nyn7u/uWduLrQQ0+O4RM6Etg3Sw9PApP1BoABV1tXBRzMgrnAsdFG6C -qaCLdo1jaLVDlLYiMRZNLu9z6cttaLM6V73z99/rK9rSacG2Ie3M/u1Prn6U/akQ -0DH5iQIcBBABAgAGBQJTxONSAAoJEB6L80kjKRJl2ckP/A4GpboKtvc3k2mmaLb3 -1hqDCD+aC2zaKUu2Z6uQ2JxB8ZI1bjO5XnfkKC1i5L3sQIn/DuELOhGktqUXwW/2 -Nu44PGxJ9fL86qgFVCkBCcNx9INdQTky+f1AdB6v4eEclvMM/NxBWUWtUtrHfh8y -qO/KhlgPKX3BeESu0ezNzqsZVh5OJk1lYAFuhqUPHVUn5I/nOJRPdQR6pzK2TCL6 -9SMlTdifzVPFmncyPbOBmD9wbEjQj8nctw5gppndJFFzVGe0yLIXUaFFx/RVCQ8N -nGofe7xTzXwh1BSOB4cSCFAx4G37JWXbZq3eU5E9bCwCLWAn+McAiTOhef/D5fXc -lRv0XhvudpJPgL1K/yvOk4p1w2tRK1+OfkykAFHCefHVQ34Pf8L5uLL6PwN8gGZ1 -Pf7dtKTl2iBpIDb0XgmTWbFOVRv6xwBXtpkjE8BbvMxKlD4G0nknvx+KBe/NjiBr -A3JQE142QVdhXMV9uJyTBLqAy4NrYfVoMSuqrQ1l2Q2xV6oO6FydrHtuuxoa1ElT -uVqUeBaqIK0n4tXqm8X5yXe1/VQFDMc2Uxs25Y8HFUj+xqX07B4ibItDrkmNRhkm -zTJEnpkSepXpSHWLxEP2s5CTlIhx4iO4spkiZEHCAM9akdAGdTgWRt9VGxmMi0BB -7Xjw4OXEM+tYm9HJHjHJqYl4iQIfBBABAgAJBQJTxtNyAgcAAAoJELPhznj1qk3H -HsEP+gPamK4d1rlTtk9AAZfZ8zZCZ4NwJZcHtzpPxOwZYbJLkFtpPCYwPEmg10bs -Ynwf0XbxZS6eRWFd0b6thTlY9zTcOtx/xv5rovVNzZc5YhB4mYjlB+9ySMsLwwM4 -TifOf1WxgQtU/awzDEv0EhMvluONsPYPmaWk4HaRri5DJkWq7hod7Y6yg5OxIsTJ -JRlVZ/slm3UPR7XFrIUz+G1WNmzNdbt7zXxz7+CzClHiYALLBLLS+bxpYopDDHLh -XT8gmid849SsrNZhEExN0o3nhDo34XTIPsTNpxC3z9Q9x4tOUaZhmPGadb/evlk7 -0pPgqxiJUaCCZpJ3rJ+PZJvt7T13f/bs/x0WLl71aEfzwFuCBl48uqgOYkB5RyKD -m9idyrtTNtegVVhStW0OwfE0DZABphA7wqfGFAfUwRZdxIfdeoMLOTMF2pQrq0YZ -v9+/GCnNu0QxEdhAniJS6SA8NjtkRDM/H5AYwdg4LL16WSFELt/60IEoMjyT3a1T -7axKgoc4cEdTPSTq0g60U4hAbnk1piiXQmYgK3wcnBqR64u2LeY6HN1BLqUidkPY -YYzqNO78f4lB/WQW4/ipQKDZeKmoPnUgyj1myRHusfrST8ROg90fP3ObeRFEnGsO -J6kGcKq55WXbk+C+OFO1nlLKQOwXEFQtADMS5zQmr2f4nIMciQI9BBMBCAAnAhsD -BQsJCAcDBRUKCQgLBRYCAwEAAh4BAheABQJR4IVUBQkKIphFAAoJEB0pde35PnNf -JqEP/3JVGlz0SXXf6uu9sqYpurXZDNoRrREa37HddbhbczVZpGYg8IU/XEjtIbTm -YHSO5XrH5Uaf5YTvpZf8G7PHZqsJgea/Ajfpp4eqlEpdtxEybcct9OJiYYvyhlIc -mQ4j1GHG7hQU9bpFmyOp5r/1z9/F6dQuhbPXyjbbfSjM/+y+/0el73ITtsYwrWks -h056ghNYDs+iLAkXXat+b3wmDdmzm6hHjsAttq0gc1S2IhapQ8wxNMFNHmiYf6dE -4VoihTEZa/RkutrS/6QAf8yDz8zFPfuKv/Leyvo7Sr5C7iDmbMJm2VkddP21tDEc -7ro+TE2ArXbTzUjtw++XZfk8QCyxY+vFO71gX38d129DFgs+M+nhAF/VbDWhqVjE -oiYCNOARGfjE3zC+rTOdSbVHsXpwGOedktFD81rpYBO9fB/7VtmpAOtjXAw7jach -T+HG9MHUc2PQXdPuX1ppTBv7ariefLwKHAcHlHre+ZDd7jJSQqmnZAyJ09yr0UZx -zSSH0xI6C1mDletjVR56pIQh7gz3eu9fzqKaUP33zXCjGcKz+8uaOO/9B+q3uQVz -+VNuruou2AAnap7RfIeCsEISFc3PLxlOKwF+RbszPrPOgnCUV2Rb5awD/T6qRG9C -0doAU3RD05sFHiCbkrOYRAqGPoORj//op2KM5p6oosikbQCRiQIcBBABAgAGBQJT -tpcOAAoJEBbVQsSdZ1HoYxMQAKl6Nk/yMxOeYOCaOWzRlJsdy9nRD9mGRXgDHese -TDkxRv714qq6ipTgSlthNWM9QwueviLoFALxX/y/Nq4c7uZXpEk9xksI/KMyKgWw -VQDYSGLv6UYaSnJy/lHtJzyKSvWIWHUyTmfPfjmAbaYA349y6wiidz1ayjkZTSX7 -wLE04DoKAm1uF3rF4g935ImrSjpcKfciXKtod4cd+YYbSJySVq6RUB4HIwUsPh5J -x9hARC0vscFqamBa/YuRc8gUyBTZfTKa+oMHmoHVGAAXKjZbopMbdh6ZOK3EJZvK -z5jFQjnCwYcSyCvdz2MI0SOFWIO9b6K39MoSFPgrtr+7piOH/hiYmAmKO1WRQkNS -Cunr09YT0InDVzyapjdwYH0h8vP9jr2GJ85Cf99MhCAVg10gm1B/PddM/ijLJTYE -nU24xKH4BbU2W83UkhPyKx3QxNQUaDHjmvs35NnWD1PSTlt3gkHp8lNxYupBa+jf -3j9PpGbXWVo93EIDBnY3BfZD6U/hQemkox5e35B5M3Kcrtfuh+PjdQ3Fmvz/XN4X -pOfTbvyctag+W0NNnsQS+mg7nF5WtrW6rnQ3/8EJ/bo/yb5l1kMkOLwqZb1Ay59S -HF63br7cmBXNSI3grHGSLDbswm8uhPVwoAqF6Qt4a4XDzKYC//vOkUk73rzGg1Mq -MG5AiQIcBBABCAAGBQJT3DxvAAoJEMcysdHCj04v2/cP/2BR6S8MlXC5+5OTOoft -EdIcpfqfyQIk6StVTYbZis07EWHiEpuonSAKajjmG/t5nrLZ7Tw0sFm0Eaifjyuo -1Uih96/QDmmGII+J3gMCIhit4t3Tdqb0Wf7Wd9KLOtFyZDzp2eaIhgvNaEISU0WK -2yMECeYul0DHoifPc8WeC7srFlhoRPY0Hlo9wUPCtxFcS8p0TZUhPf0aq91/MEO7 -eKYJScDe7Vs7xQ4k5dg+/1YM4dSnIKtN9PDljx7qooy6VAgU4hWntVpMDKhJmDsG -0+uMNhBnly1OOPL8TVOuWkmnsyzXoJN0QAjJD+4i56Qkg0yLwJudoYg5NJ3pqksZ -0b33qUASGtQnvUGxbf5kWywkwpK0MSyQsUi7zLlsdLmQZ1Hi9s0701NFcy47YimV -EIc1qHQo+XaADH3IqmSZndSqGWnyoaptxL/MZ/cs6yibc8nUFXMpcEFjy8ytr8q4 -jgW9qQxhHUJoPKxtYghqs2vB15W1Co09qAtDHxfNG5aRAYDKxjhq7bfsqZEyZCHJ -M/LA+4eAEilujcA4s76J+85B3YozG6Zo2X8PhVx8XypkujFJIEWcOGMsdqPYzcC1 -7JNFQ++/Cx0g66jQWlb1TOlGKBhSditA0mqWl/bewkQS/bCFrCuw56eYJJhXJQga -XT5YagZ5xS3tWiK5/+BTg8YNiQIcBBABCgAGBQJT4HUKAAoJEHvDWU33wOGj9zkP -/1ip8sb6+swrHj7V+4cChfCtGwdZsi+OZlTLaV3ggHIYrdvU7BDCOPGOVHfga86q -bmRJd6Aycas4zOhjl82xqrFvTx6N9XCsBXrBE6dhB+pKj92t0LQqlIBe9sqiVAyi -di07X2Ro1IYJChX6nGEDtP3jgnhABhpKgEuovFxj9ZIPUalbQQEOQSyntT3SkY+4 -MdM8fgFCJfwzmOLSUUlAnEskTGx+dp7EXXizdR4JJ7xwesqYmCh3+B+3bE3tJwj/ -3AoU3NzDZiI6g4jiruPesrHuOWKCRSRihpQJH3ZRNPrCmZZ9xO2b3zNQVrtMs+Uu -FLtBN3D+oDZF2ke9B5Fs4SYmn0JnrpthaLD9KaM/582LPeIyoGPeaU+yzivykmKw -6tfwnYtf0S53vdaCMhyrxN3//K4EhjFmxBVvBow86ejOK04fbt3PcALJlypd9ChO -F8LiWsTGP4zl5db77y47sivgVH3sfs50OfYZt5C5lgH+NoAZmVjDdR4AfUl7mgi3 -vPsSqn/C4FcIAUZi3wM6WYy2a2dvO0AElXcw1r2SnpOfnfmOtIHggMxkoJsBGUCu -/3+IGgLsWsU25lxas9mDZXYq0hhUAM/N1K9D1r1+w5MQK5ZpIyXLIjSjEsybcaKy -CxcIDJ3fPVgwEhRyEY+aUB79NsNCQ9ppWhJ3PC424tdLiQI9BBMBCgAnAhsDBQsJ -CAcDBRUKCQgLBRYCAwEAAh4BAheABQJUn8i5BQkN3FjEAAoJEB0pde35PnNfaf4P -/1XcP6R7wE/+TYaJGMWMV78WzxFNpxYhoG2SJaW+8U2RGW9pdCx1J26MN/ZRSlGO -zaNe6erN3FStN3hUZAvnjIEch975PRRzWhdGeRgSPSCGmFscV6i6YKABwABHpGfN -F7xTP8bI855tiYz1ohi3sUqWfxk7kqIUz4SUnUGAiB1fAOzaoffeWG/kPzi3WbC6 -j7iSBmyiIfdxnfQPde4fRE1gNtVTonZK9VRbS+Hk6WuRWU0YFkVqUgtEVtvH4Tv5 -qrz2QryHYFpI3GmKWrTYB6rZJFy5YdjnWiw7hg1KY601rnourhNc40pBqEwb9m20 -/Guke2znYMyA1DyldW+W1970EzSn5l9uj0p9q2jrfUe2ZvN0tW0NvnBmDPO2L26G -ylPs9FmD8BNIv4bNtzmlnWOn8do/2P64LimS1RYsa01gKdoYmd7XlK5vD7v6eJNT -Dj1yO+CbzmVCpVGtiwPR4mVVRfSvEorX6CWD/bx7NaV4Hz1wYsrnl4+8wVsJpyqs -OIuhVvrODB7yrwlFK0tqroGeh8BwZIr8ArAaicEE9bGFzVmUf2YRELlokLo+4QOe -AEKY7AlFQtqMSZ1qsm4qniSQY6fjsnJUgakKL+m5HPeoQ3PmvgKRVuQzIL/95jeO -6yXNZefz80hHTjc6IkqUuOzgNxjjUgIwFFIxb4Kg/HbrtDRUYWlscyBsaXN0IChz +/////////////////////////////4kCHAQQAQgABgUCU9w8bwAKCRDHMrHRwo9O +L9cnD/48RrnPPUtDGwEn9AEGDnB5zw6z3xnUCPONZpASe7Yvg87gVCNGoHjtjfyx +RNJIUlW/MO0VKKJgBJxEwPpl7sVBl8xREdOJQ9i2raGtgkOtqFHsTDl5xma2CjXI +dGXv80efojAsc5ma6w/HvxmmZpMiq6z5Uc5VRKK3u7dqXbMx7ZvnE8xZaIm25n9Q +wX49mzcuprV6pl3AQ2RbD7ooodzbH4aa9hT9b9j8fuTaAaJFa94GZtiRDEIeDdI8 +waBO9ts47O88QAM/kllhYMqMxFCn0GyIY+CVKYJRPhl7uVJwzu//0arDKn02WHoT +tqAAzhB5KTwIxAHJdVayNr86N6bSkGi27w9hlFKl312xfNSqr+4NE71t/4znCIOk +m957x/NUFiS2CT61MudcBohpRMN1I/xZ2eSxSivzEriz2wyzbnLV9OHVAfKz2eNj +0gwtPWTD4YbiVegsDB/nmGz9fmy0DCNpJj9ZUNg0+99ZsrFRL5OfmQHGc6cQ8qUi +Yv4BXGNN1LoER8RH9sLuqi8KrI3AM/kXfODlVBHNPk30Ts97ddQ85eCCWil4WWKc +kAdkTIXqR0ol6GglqVi5hEeiW1hPGtit3VecSnDiX8eybFUKbmYXKRgbdcN+sVkY +K3ZMOJi3n70vy6dxM0zlElUYFP6j28LALlYdBS2Q6r1NV+rixIkCHAQQAQoABgUC +U+B1CgAKCRB7w1lN98Dho9hWD/0Y+HQOHDxH2VqaAK346/3/VGqVTvn+TDRr3uCS +FFHHRnxOgaQFP6KT8MoFk4zHs37EGdpAOsHK8ysgfcqhLmZzPrk3kG2X/I62VRST +sfmzB4JqyKx65JkYwozZ5Z/WdGirWRUIWYQ/FFYLJCws3XcJ74CujiONTTjo6fMI +ttIZE9cKdE3WEEVOj0M5ZQEOy29n5QiQ7YHhd3b1mK/vHWwA51BODbYZFC8a0VzG +DICfycI361hUU/wlbpWg52u80A6hj1Lf8UQCfINxQAg1YBcx1EVQ2MedD1sYXKCQ +mOG10pnCGbkvNqemJomAotGE4WiZ4krOu+jnRPztmsWpXW31DpRRm6SEQL1AphzG +FLU12PtiSZ3lJ+1xv4O2HTr0Rae0nBzDtJ5r7DkZpPTwLd/i1GNvABw93EDGff/d +k6pBa/dnb3Wh3+yi3b4azrCXTok3bwPfKwHolpLjolsWrIYjmsIkcakcryYwNPlB +azMgrfuMfj5whJozoRAMug2u5/JwPLgbM+ShuhibaD7C7zVe7NRONABt27UsjfSk +qHODRnim5Avzxuy0zZbUUJeex5qarSQXxrelKhDNJUZILwG2lD0432F5ij9PcYWM +9cgeQP3s81r9X3PItQHd1R2Oizsp/i6j4Vri/X9Ae3DNrAA8tC+PeM3YIxLrw2DY +ja9DqIkCHAQTAQIABgUCU7aJIQAKCRBNrkImnrDrC+PsD/0VE6JilAosxHrfMpqS +65CpkJIeIm10faQflTZpZK4+0w0+8OP9d3pzwa4u9bVhCbu2gBVici1/IG76aStQ +jz0+OpkvWQ9v/FL3xyYePEOfbCXZDG4/6ZjGcBcSE6uX1XTWNySjNyDbOBtfRizr +J6GwbtNAWH7DDQSiLQ7oL8RBQe+sxakms4iPP0JQaWGIhYlfbB1NVYfdofLIHJrP +XK60nIMqr5R0952X8QYEWfuZnn9/saNHRt6EWa/POZmPMr+KlCCsVu7zjf0v4VJj +bxqQY9VXRcAaBwxJhza59Jk2HlaXRbVYkeHZOQyUOVFPtjM4UdWY+xULwShw0zcR +IVe95fGAgHFM5uqbloWGQ76GTrLW89kNsSDGzNH3T7HQaGYa1Pv7i9OlZMiSzbqa +NmYllbYZpPRsb6Bh0k347KyjHAWQhL/dtE50CxcQ0lgqLkx2NkU14yjc80H++b7y +IJOe5VBKxscavExR+GmlPmrGEFJRLA4r+MVXCZmouGUtbgPBAx+vdsRFR/NT12la +FLsdCUDaqMjXRVq/VdXrDgXI4TFOwsng71TkbQjcYUwOHg7ju+qu5Qp6i6MnEbp+ +uVkHev////////////////////////////////////////////////////////// +/////////////////////////4kCPQQTAQoAJwIbAwULCQgHAwUVCgkICwUWAgMB +AAIeAQIXgAUCVJ/IuQUJDdxYxAAKCRAdKXXt+T5zXyobEACrRuuJ//SZjjAbkQCG +k9LaXeBvcbWrV8OxJ0dMIJdySERyBK9DUDNZXcJRSvs4LWJPY6qxIPSi/XBsyiJ4 +qxtRBlRtMjFlp3g6Sfg0nesBtb4MbbaZw82bT6JIixEyA9TNidHPocS9/Gf71RIu +X6CL3eM/JX+NTSo61cnm7BARm2D2mHMZIJ0IJvOCKr4dEGNRmnlqS3ZUslgyPbdS +dFfUSBdILJ2FdZfnGlPR67brNU/mJAZdcA1dKQeqfbE07XWGIEndIJHAPoATAX3W +ZAK2AwzLD0dJ4BceAIxRhmq4+2l7DwrW342A/rPwun2qv2bflW9iIpXZYHZunUKW +SAqD08pVEaABnA7C+E3JzyPVhFW1U5Vjml8+RVAwie/pzqznL3pQOl+jfem1JH7W +K3kMlTftLuX5+kg5ucDY9YzWyJBZuaHLf1mdNdgzBBxzO1vDOvwGXIVnGiybqXoK +cjDd62ss6qfHICHfx8Ci2DIh4JJr8rBbZS3tZ7hQQnCTjv8loIrfFjwOZM0jis3q +XIjsfBfIlRwTYKuSGnJ3+OPFMbAM/Ue4mpoD/Oa0N3VwtljkAzzHJUDnmsUlI/cV +ch14Z6URB6C63cSjuOy3MYzcxRtALaK/aTr4s3WIs0v7OxvCN9dKPVOjkaViJ7Lr +fP7LJ8plYJrYBWPRHrQLBtUjR4kBHAQQAQIABgUCU72sFQAKCRADz0oKs8eaY3EJ +CACc30TMQP5swV5QHSKxIo4w9pOZxTtwHCgLxq+E+zyIsG50udUjKjCK5olBfhxu +PtP5Oab2ByZs2r1fsHD3l2U/mz3I1cNF3kyMbV5F4yqjpkoxubFKFYp+th605s2i +aU87IYXg1VkXdN8eDm4ums0KrMIKgxkPcT+Gn530JX8ydRoZg7baJhxdpKRreWQW +ChwzOE0Di45M7+kYzwZnFFEQQwNw5rljgYRM7NxTsvIhv0YxHg8NWMemdle4SmGQ +C6q8+l48rZOWb/e/XcZZuibifAvzFPRu5ZLmERwYJhuZz6/1iBaoDcEzd+h6+srV +A8P69tZAR1FaoHFUbB7FWGZOiQIcBBABCgAGBQJUvRu1AAoJENu4ArJYrNhPPrAP +/1nGaaBiBW9SXhZy2g82IU8LFlS0pJe2ip0B38NYW0x+0Db2ZpDrj/kXsaO2v+t+ +Y9BVyf8/3vZNN+lL35Krew4c2MkyvrSAP7BDf2i07/oZYRoYNwC7lu2zPAv3A6ZU +v82iJjliE+jin3YOOaL0+kd675umtH/UFmM7YUD7b+bY1ZQwbsGj1mTPW34et15j +XqC2KyCcx+wGdcSeSHA91du1XzuA+pLx9QCdU28IWDR6QjWwwRkGIN7klgTushYH +0eVoexnEOWS8Wq7PR40fOU52sUOiWu8J12FwF5lyrTLJoFl/QXOPK/O4gOKTmOFG +wT4gH3u5vfbjQrndVWAzH8SHFRTzeE0NoTqC+ObzYYijbjytafA3ZLUSwp1DK3D/ +NgULdHc7pGjh0zWiCHPdxOVfeYGUkO00XahNWOzKAqS/OZewoQgHkxS9ofWdQCFu +GhhpDK42TtVLUkFSsw/3+ACHau3PNKWZw3kNl5tfMKcgshYv5J+VJFPtCIgUzLzB +mjyIZW/egS3bO+oWVBmg1KFzXPRgqmf/CufsXe0AdBNMA94RfAHQK5McqlUtx79/ +kit6bqnGMfcGX7wWNHK0lyE+LxELd/g+axXlycWFxNWkTsxCzpfUSrTy2Jc0OXSq +W/FtxFSZCt9RpUvlsVEgiOhvInGerhUuz0n5Npy1cRZ4tDRUYWlscyBsaXN0IChz Y2hsZXVkZXIgbGlzdCkgPHRhaWxzLXJlcXVlc3RAYm91bS5vcmc+iQI+BBMBCgAo AhsDBgsJCAcDAgYVCAIJCgsEFgIDAQIeAQIXgAUCU8u1MAUJCiIIlAAKCRAdKXXt +T5zX197EACbE7r0GAlTP329jj2UI1sRUQmHS1w/Y8cjcATYavunYwPGEX+OJdSq @@ -1644,267 +743,1277 @@ z121aGsf2StIsKLtmrYVGDGHU47FCQ9Nd1h4PRsjjp4jog61Og7iziG9B2aFCVIL s6oglHIpL+S66WC3RYsdDY4yubjTVEqozXlYTL7Gp0glmL3l4GO4F5nEV5ivl+d9 M4iOv6zkrwtAIqPFDUIIUGp0U9UgeGsvhnoo40/AoS3mauF8Ms3LcFlarOL2qHko nRItqjdj6tmuQ3CAsuy5gY7UE9kkqmLkdGzcclcbVNrR52AxtCJTK6Gx4/HB4uTs -xp+3nODlzFFH7gC0MlRhaWxzIGxpc3QgKHNjaGxldWRlciBsaXN0KSA8dGFpbHMt -b3duZXJAYm91bS5vcmc+iQI+BBMBCgAoAhsDBgsJCAcDAgYVCAIJCgsEFgIDAQIe -AQIXgAUCU8u1MAUJCiIIlAAKCRAdKXXt+T5zX77oD/0Q7stnj9C0Kfpu5uKASuXA -I5ATmRKk6oP3luDjV6gL8hfOSYP8Nl9DxnSsfT3dFrcVeIcAG5O29U0y3M6tBews -8Dg5PFvP9A5HkwFE1Vw30rRALUw4+HjzKEEgWkprkZqfO+d+mxR/MEQWTrJfN8oT -MUXqfZ6AKLOTPS5oWaqk5Lr1GxHnCyaQDaXbu1iE8QFXN/YvDILNMaRYQgkyk6lw -/FN6NLbyaNihjuDRUxen+NXMXNiCAKoQv/zMx0Y3+2MEit7LKkbN16D23biBmVW2 -rHokg1QPY5HtZKcDdx6pjxRSopNTb+/QybnTRSu0MFLEBqVd4IU7XggZ3AVX53li -GcsH+8bLNz2yT+6yff1GOucDqqg98Y1OwZ5AsgB0a5PDjB1OMlCcXRGMxvfam6Nj -m9b4We2jREacAT3G2+f3kc9vf3nJBUhqBtVNf2NVA+PHVRIEfnIfCC2IrPfwmp3X -4kZqxTvS4ePQcuNYTrICU18hCRv6v0W3lrWHo8dC0d80SJWrp46RoL2JMYkBUnBv -xLwnmrlmYm8GS/rMS8iLyglzRby8e77OLFYaJPFhu+pHWioRVY66QEX/vDBjMM6i -9ExrlWrLGaVaUr6nLAblnWRAIPcJQbBuPCxSQaSL5/YHnyhTlmURIOuxUaMv1bRN -Jypihp0da27Yvkv2STGD44kCHAQQAQIABgUCU6h4rgAKCRCDgslcKQI9+ZDxD/9E -oRh76heCHO6arguLCQ3FdjfjRoBmoeK/zuoi0KFQXK/K3YG0y3X9XlaGkBg9rW+j -cXFQaggX1a5PFoHGuYOVksYbpx5CBvQY+u7mkdzVX1Kyhrq4wZeYO4Z0QzTcjVX1 -FhmLlHQ50btpR7rjcpdf2sPUHQA/nbNgnZ49l2PO+Q1amvFdI7pH5MiOG082v8hI -1DcaolGesXfAm+oOGZP2tUPMGe3XiKhEgSzq0ZSlOEsVJIKGvSIAjQt+sYz37J8b -TVnq8DXSJ1VHB/xq9s8dcFG2GRMGc1zrFc+Uy6XMkfPtq64KOk+OyRaNvjvBI+Ru -N2r2Ztqbn/7u6bKEvKSJqwHvxssI8lkvNBkrstmSjnU/Mg1D5Z1boQRI4qOTPMFs -ke0w5EFZ9FHnj8iZ035q+Nl7FkW/DcB2lacx6ah1b8Tjgudvfblogb0P9iowlbvk -k9ePCf4QrNqlZgWTKoN/Gt4/VFJeNN5tIqlmgIq50A14gcBanGPXWghDSjq59Wte -2VELbV0Bl2rtqvRC/x2hJeCmkoJArl4tMkewWfgLHFYcZCnERfk7JxDDjR+JlrlY -CYzbZTXbn/ZwSH8xsI5pBffGbj16coQc1/mYvH/LhsopI+CykyhwqMGGaZcmcKlU -5gwO6uZrUKz0GsFSuFKZAdx0MLOqvVdEdDT6GOYmtokBHAQQAQIABgUCU7kVuQAK -CRDqxevweqnCo8vfB/9e4Nxf0vIMYdrLE2isDGIyT7jEePqV/iIAEMm3z34exCa/ -g7vPsWHcRSghgKPZJHmeihijks5JJbnM71AcCt8UrQtkHEWNSfypEgN5TGog+fqU -/iqxeoujgue06WP5aVrpoNCo3fnie1LzWL1QAffKLuj7TSfnz7Mpj9Lx1I3lm6Tt -88b1LtutZ3S5sRV9Srl6p8w45FPnWE0tCv/dTNZlokM6JVnp2EuG4tW7B+Cti1Jv -gIrV0NAxTkEx66j5s8orZdabjpPnGAaCaOJA/I7v0bbyiL4DPnfBQOWb+L1hsnth -2zN6VJji7osfgQ+vlVRSxYz8womPEnXmIcPb7Hn1iQIcBBABCAAGBQJTuSJUAAoJ -EJwxUDxthmOWUgQP/1SXCrT5E3msAdUF9PyRE3U5hX4ss/JXKvi3zdIpfhdhp5HY -zngLGqBad6H60CpdQhvLqzpV2KvjE51mMq4wmAoM5H3Y+TJ174dDGqrS8dRKwBgC -TGTgZKDxWAQTtJizvLL5MXF+SbgFSfvEddasxFpiu/zJ2MV5Q4oG52lwkqgWngiv -nlbmyrlgKktqOGzAUwPj6FD05msWoqOYvt0FKgnDEJDOt0zQ9px8aJWEBJe+PoYe -lDDzZRtU8r80jOrQEXUFRpMTFjAxArTpWuSM57ilnjmB7PrkEd0XooCPH65fk/eO -7miEwdfNbGdX0Z0rl43eSFlFvgz5aN8gUQVmjAGFJHWUNn8wfaRhsxFKCM/pyXSF -qvy8tUZwWkSC1pHkTN8ypouuiTbHdIk0x3+Ls96z5QNi/8m7oEoL1vDzVfz3G+qG -sCb+lSXXM857bJWYiSm11XfJndgmtxC8UMIOvkVKeo/OuomH+IYBv8zLD5heWHHf -vwM0WxKWPbCA4fjccOEGuU359im1E8dNlXf+n5uC1copaL0eXXj8XgF6N2Q/Ve7X -zFaOVNwgJtMTBMDfxxa8bjDdGqg79Xaqrvx1dx6KabUIa4l2ByBv2cb+tYZmWaLW -N94GD9HvNdPhwmZZck/PT/4LrbsVqSkTtc3mPFZf0eOmCTfcfpO72a/Qys2PiQQc -BBABCAAGBQJTuWM7AAoJEK7O9UbsiwJgTwUf/3sqI0KoWGZltes0m/xPbMbyFbOU -qlAv004nmAQnT0D+ZAqjZOSJ2kZ/tY1YHnzZStH7gMiANnV9goU1+uydRJK8RR9X -e/157dUY52sB/tGpwQja1XK6wGAy1/F9CZUSAgw82gsv4Q3yvwkGVGwgMFp0EVgr -i+mO+pt1hhSG6B7T1mutuiREyvdKgEvEg+tTHWRdWunqG8Mw580wp/VaR8F25L91 -mhCqeUUURyIw7nd3zFGVpibS76P8JJ5elev4Jv1s+SwFMe3sEqScuHJs/nRPgE0f -SO9FUeAekCf/Cu01AF8TrWkf42y9nVzNaEwYaPgpuq83GR/6E+T7Dqv7lrBoiLwX -H7HWEzW4I8QwcEzlYnB9av8bqvd+Ith+Ak8Z5iIu2UJU/Z0qBe2REg9UofjZP2R1 -DTr9kCadfN5GOI9VcuBeooeeZ5JW0Cbs/SqLm0B8yMeioYB9lMcLkkmVJUYMnXAM -Blq4KB7JcfzDUccUe7ShBWhT3C0GnwzRV5ceImjpLT0xljPSXLRkiBNmucyNodQm -RNmtYMNhbSBfhChk/R7Yswe3k/0OPhrXSweAVE9/RCEewoM5XN7X/K5JKHr6F7Gx -ZQ4VXJ7pw76WxZHtg8w0o2/IsyKeEDZrdFK66JDbRSbb9qb+qN1oTVuJZia0ITcd -vJpGWafEC1kz06F3yUHoQFS0T0dhWdGCbh5S6tg1Koe9kS9c6eIT2W+UA7H2x3HC -HbdvaOWDwn9lFycjAyOYecbcFOhjpwYeGOGa+xeW0I55SArUKSTE8xlgMLCX29dl -QyEuNQ9iPR7H8uN+VsSBhqNZAmFQNjQwRweEIlEjKU4TXHCClYolxinAXQq7psoV -CMPqBSJo2LQiQqyT/XSe0IzeybKeZd905x7xyl7bOpKQm8uop6eWnzLHdfsucKra -3yP38fshzpPiz4T++tcnI/PB7nN2XQ9kC6dYsvZh9aBjEqyUMygtyLDfWbBqPRkh -tpKj0al+rgU2zuc+1o0xqT1DmVhJp9zabJjLSoNFcXqetSgecHo20TvOQrDe3a1l -Q0CscgrgdwwPcRdEiZNBIGPN0mtjK/wE00x73fPqgV3PXZhsSoeuo8HimTTJPD8i -J8bXfqFbXGuqWgnQ9MWMqiAIRmv2JNrumeRLrdSUCa3oRpUJNDVdQ9vlxGBgBB/W -E3BVVt/P7Cc2JRKVvzogBG+1TrS3A57O3dzPGgepfqHlFk07RRMOuLNCulHHpTkT -I4fKYa0Yjj+sLqWAp6nNFITj5zt5aLHqXe0fjLw3fmXnHEQNjGxi4HHS4TnrbX3v -hCtNkGWbMEqwnTsY8MttVO/1Xh6DLEmotayG2R4x9E4NFA8Zxl565Yy6NHaJAkQE -EgEKAC4FAlO78VAnGmdpdDovL2dpdGh1Yi5jb20vaW5maW5pdHkwL3B1YmtleXMu -Z2l0AAoJEBMY76xfu9vOZNkP/RtaTluvgrqQxQ+pHwJRbMoCQbJF93xuXC7K2NoA -DM0ul8PhLtTXfZ96QzhWgUOUdYewDJbZR/NlwP7QFVKfQ89hKH2sI6wulMaz0Kjc -b10Y0zhU3KpeqhR6hGFYU90UbT3UzGlZJMkHXS+mb0UNmmBHvCdcUhb2wTDKq4AS -tkssTZTNui+fK7bvGP/2oPWPRJ8WfVOHQkcgInWksx/I+3lblbhj2zDarsUNZz0i -uHme7McFDU9xqVOa6xcPWT8hFplQvlGbQYAEHo8wglutpWDSyORVvtXI7hvHC5xc -M7qeuLEGOMI/rMkWfeHIS3Q2NhA3AjdaMvCHVOvL4IQiVkGO0HFkTLJ+P/R3jVtB -24UDOlMNE0p9Z2c8HJ2c4SHTj4eziPSnInH4iuOuW9phHPGAoZldyHkEB+4+45tA -27zgRtfg9NuHgriEbJWus5lH3uTF6oqEGz3x1l6qHKB8sqnsUTdSlXd07EGFJQx/ -TMvnczhOAQLjqXudrw+g0ItE5bW4jwBh7qWk4fEjlFrlE9I/l9HiDkjFxfkl03MA -dnp6C8Z6YWoUoEVAB9KqSTgcuNMzVYJdnBqxU8sIY4NYyvBUks8W2eyclmHuABX7 -mMVKA0Uq+XnJYpKDqExEpS8HLyf1ijyCD8mdrxOwOXjjNuYGy0ZL6hQdaLapnuO3 -5ZEdiQEcBBABAgAGBQJTt918AAoJEN1A8liqzgHprhwH/jS2dIPNLalgo3bcQzBe -V2WApA9rVALgbQ5gYI7UOhvUbdPtP+w0c/wROKhC/+8yX2G1mN1DbcjqhwgQRa0k -PxVY/jVHRMmmw6upSRo4X376SzPsdu5Oj5Y2JoOEr9qK4VslJ+5+JUW+e0moF4B8 -zSqltDQbwYt+U/lRbsVFL16hDVJCug+vY1q36eO6wbi0a6lwtYo9Hu3nZFWFk7TP -xfcBoOdKCzGCpYzgAuLcE+Lm2MxSIztaH0dDI1/B00GmHzSutbJGAQkBEI22J2SY -Y21TLd5gjqWUGjYFjOeC2zciUW/yHd0N+EZl+jMisiBhj4fU9PP8JYHxdr9kfzlY -32+JAhwEEAECAAYFAlO6xfUACgkQogy+sgAMZRUOEg//T36zFpe2AYDvUzgkREkS -pAJvKTgRcpzbClrJZwrIMVmlJm/Mg+oal5yEnepIg69LEmNFE8/tkVT1fpKDaNvD -6CyR4px1SIt8JQ6hGM5AW0dojqBzBetTSIv+VfRqfjNERgPH2j/peB+J0TraBtEW -2kuIBvwHOog28hPKVG951L512CGGhgW3RtC0MUr/7LVVlbdC6a9FKM0+8694Esac -cxgsCvQ8jEMvCsL6MG9VsOnx2qpLvQRCW0k/dHSfa/Yp08yriCzj31L8lsk/i47f -FNeZZ28FMUn5X5UcsrenOL/3NfGRD5iymVGtVHLNivqkkXmuKHem6yPOvjDA7+vn -Q1ThJI7rcVegYKhgzNC09We15vBLnOXEQUGb4s83Kz/Xc6XIVBt/GPaNxse6LG8e -hpP/Ff2H9txK07CSmOiwkWxoyo80HpAx3RniOAvRkhDNAcpECpT0dBQKVaheWkot -8JO1mnIZL1SQZCVPPp8PS/5def1xe8g3p5CKwlFjK7A+nGS28KszgSO+MV43xYI3 -CW1IbEHgfvj+XMWqCGsqqMi9Lbcg4s4MCZ30w1dKGT/ELpmyp3TT/OBHtZkrmJRD -KLCoD3hgWh/3p3s5IKoouykN2qapd7mQGqZTqJy0IzR8W305anrXIUA5NUISLQ0r -hEQYCYcjCvd70t6ChiA/DTqJAhwEEwECAAYFAlO2iSEACgkQTa5CJp6w6wtVdw/8 -DhlcIJIlRn0yyK8NV+klpSC8y3ymGL2+3k2anhABG66cDPAD706W1FpZd9BzH4BQ -BUTbhqoVGOoP3A0Hr2HwgZbIIQQbfv/LXBucJabCD/FuI/oPHrJVArvg4nG7YBEn -M6bNXtqWxzh9pvfQG2re2mS9ngiyKWli90hg9aF4/nWcXkU8g3PJNDmHHEK6WPLY -gcyHMkvYPD7wnYt9+zptft3FdLGGHmbOZhl95oNoWAsFBapZclVbVfTue4mrnH0E -WdqgVr+g6DUpKYwsaN/tzUuIPOF11mHoig35lXPCLclBSVfSQPjlm5oE7SDNmesI -gaKSsioWNVyzH44qSzNdNaU8cmRcyDMmgHPcFC9WJYXrKmsOfTwucyoDUFUZPWca -LKLEkoT0o5ITgfVQi9GRGITSZa4+gWwo9+fa3Sxni9+SmWdzRvto8yIo8csm8T/U -ZsfFDaFJ0UVytKsoJst434ATgl8jk/5QWd9gq5RJJdJtooa4w/3hX6sn/v0H7qfY -/wPVbKNNUqzTYF+F7MlEbcpbS3hrAlH33MoWa3GRwmGvaVk4TWwmWkR19hjB6QeI -U3A1ZHbUIqfgn610J031y9hYerLLD/Tnu/Ek7ctiSy6xQ8YawfxDJNdlzl2x00dP -WEN2tsLmfNe7Sba3gnYQdpIcSkbj2sUpwNMzdisWxpaJAhwEEAECAAYFAlPDaOkA -CgkQxzKx0cKPTi+cFg//dyYCdEkl1yOvWE77WzTQuhDw/2uy44zhQBrsWgbSqoru -jssvCT62YLYD9agSICrdQ3PYyFYNOf9yl3naqQE7bLH0zXYlPfzXC/gruaL6Fpal -C9+cy7LAFJQJVqKVBVy5LJzkSqaHExF010XCRdLPEyJo6Frs/VS7/eL3YA4DwFIu -NN6LEEuNFIcuAO3wOr3cCrClkFtyAt2N2ocDsz++faVL2wEC9YwS2KbIRLMATMQj -HQexgOPTOzQJuAQ9gPh7tX2OJ5HIqdSn/b5qaJ6Y8+j8tqqo2gBt25Zp1y3gPJRh -vBFiDl7AKZxixatfoZtEzgi2au9wMjoNzDvDWqI/HOK59xr/uMtS2Zo8D6ZUuDee -JHf89yd/qHxYYM61MFQ5mFAGu5n9lTgmtrZx9gSi6msgqiWFBqx1JdM72URVfJFU -Zkpbwmp/CR5HA5KQz3lUnrSlflyGSsDat657Sv/e5iVEnMVecxQKxTqcOqs22sG5 -CnDDDvQc7EDUEiITP6ghe9zC5HIx9qnrvl7ftNrF+WC2DPDv9LYhm2WdKS24OvD4 -J9hbhl3i4mYQA4801GWT8AcwS2UBobrYJQxTXPEQ+A57WluPy1NmKT501x7z4Qxo -pj9lssxUQXXgATAlrhC71MCsMiwJXiNNCrq6jWTk0ecIgmecRTS8fuBHPY8xrb6J -AhwEEAECAAYFAlPE41IACgkQHovzSSMpEmW0BQ//UeP2sthojCuZe8TK9AgHt1AC -VcJAlVJsWKZT4EMi8oPs167QV3hBLbxgtNvPymexWpf43Sk9S0Cfq5cLBvV6hiF2 -MHK1r7ZnOphi7wkSNVfgQNoI1qjEGciFAzj5K+bMc4/q5o1MVNqahVcFpW91pSCY -1E5cOPeopZizToynHqfKKcPnhHdonXbvO+6kyRclB0yfo5y1nYuL4J3xsQOAEQZd -3xCzvn56Z5EBBN2xdX888XRsvCC+U0aashMKb32lO/9FSFhOzOXE3A9zlVJkVBBa -db/k/7len2bKbV8DdUeP6wnDBhykbcq2LSTILUfaVJmRSn78GLMxMeR2CEL/QECL -DPQg75LAKfh7Dbl27Qjbdk7H2WU1E6aXWyXIz3gpfCnk0jCgGHF2Mg+vtXfQbggG -G0c70ZZisiaLw0uQHdlMCp43wkILvXlHuY10uo23lxYzAzzs5yL3konrqFoGRQYy -UWhgRGzE+Gi3TtKYFctXifDQQ6FbGvE7sWL65d2zLhvKwvrImtPssjO6mDIlfwKh -wklTrXPewG3lCm1vM3GSQeU3rIVc2iwZUCegDCHT6cxYr7tNfjoTxcdgPiz5QGRr -WKE7TCbBubF5vtKHTMnnaqCPEHaGO7o7VkaJupJxLIKjp+a6YIc/kDQVCWtjh0uI -q5fme1qRxEhiaTCmFQKJAYEEEwEIAGsFAlPEg7QFgxLMAwBeFIAAAAAAFQBAYmxv -Y2toYXNoQGJpdGNvaW4ub3JnMDAwMDAwMDAwMDAwMDAwMDA0NTY2YWI0NDRjNTQ5 -YzVhMWYyMjQ0MWQ2MjRjYTNmMmY1NTRkMTg2MzE2MWQyYgAKCRB/qxFCZ+T6BIS3 -B/41k2vWgaH8Aw8sFKYGF9riUneyYP0Mj7hJsFdKLP8LiUuuU0y7UrpN/5mk+Ea6 -iKk0Sixuhi+iAaazrAdnSNrMhDdyAJLwiA/JKt7QJiTiuKCtgcKiPeW0xO2O28tg -arHNx3YDKN5YO37osnfNdoZ47Dr6yxlfAvaaidcB99Y66LObg6XqZEAfJCyU0ZZj -3WRCsY3nDFGPhGeTFftqT8EYvOShvELcchtZArv3m59uBXOTyHbGTslPeEhD23Zl -cuZzDzAJpDBSUp//9ubPMV9cl90Rlpls7UMw2RjP5pF98MjY811XAjI2o1vu63Sw -B33jXnLuJr03z6AXsBwlaCd/iQIfBBABAgAJBQJTxtNyAgcAAAoJELPhznj1qk3H -U2wQAJixdncdUxSJRoRdSbc4IisNWYXGyCDlJ85nP/xxGJ+a6G5ITghEl8NSzg10 -ZRofwR/IPG5tHTP3Byzg8hxGxjPvwsd3LkVQ49BWyW5QPOuWlBMNlD4mdtnhSPEx -Z2tsGhsMcwjQqKMLtAxTi6XVC80/I2ysPG1tm0KkCLwqn1MURLYiWKNkAYnMBM3m -tC7CvFC/NY2ViqHHzxe8ToyRsqN/bVX+K75b+O4gH/5kd8NgML2bnDmAFOPs6vE5 -ae6vq9P5GnC6i2MjzechZbObSd+hPPt9vBozhoTPW4G6nXFH0vBQctzX65MDUkcG -F7N0mrGB9eQqVwg4APda67mmuHsosAuUXUrBmEB6nxMQmSVapuqnUjs+hZzOBne9 -uHgSG8fzOvKhWiRmYO3TKkrfAuu+8pVtuEV57xgbLao2G7N9WPrW71xZT85IqVfh -f2YIGllC5v0kHaUl9C4Y1EK44Zg2B3Jym0RGHm7n2QgKfdJAr8/fFwCtvFn1Ifyi -1Lyfx9dJ+IO3bl7xrjsc6+4yMNDtQgl7nzyJb5qUDsvWGsKXOJSm29LjfHLm7fvz -Zc5Lzx4Sw0rH9R+wIkm+ONSiXx/rPKVI53QF2VX3iN5mYKq/Xt2oWw8pbVuT1X1L -mbnpzwg3bIzHvcUby4AxbtzAmrzlWDMI/OhxLZl6aeOElfNCiQI+BBMBAgAoBQJS -8TGYAhsDBQkJZgGABgsJCAcDAgYVCAIJCgsEFgIDAQIeAQIXgAAKCRAdKXXt+T5z -X0p1EADWQWDEznw6mmYNWwMzRqgk0cCRqHjVlzr5LRVTkRsatJ7kU925+qYL6y1R -JPJ0QoWDTsj5+SdKzR6Fw2GsXTyqPSw74dig+tmlskKQorEx9wKD16qpsNxCMh+l -UtcFxZ9+EFhpDvW9OUiT8cUZgMNyQ0POrtz/FtffIrQXAkOG+sxxopBWrxWK3wsH -WMYr8YujfpfJ3VRQkfrvHGjAwutDQ40djjZHa+kEzrnU7SYY0ntVkuR8DrxYF5DO -C2CdOuH4FRdWqAKiPI+yz6yPSIg0TLqGsvXokzng12iARfAfL/AZaAiSYRMrCbJ3 -ZxHZg21WQa9/r7H3ObhnVR+xjSg0LWm2GD4/eIOKgKlTRsnJQzYM/UT/7TekZ+zb -c2IidyQJTM9XQiti3he358VQUkYX97pQO9kdjNSYjjzvzxZcbuHvwK02u59REKpS -nFY0iPzeJC789+ywYWHwnGqt8203N/rJ7kSznqd0RQwsq+NNMHv39cfyOSZF3iEK -dcYddSvaKUWaSwQlu4k0EZ3WkEyTHeciEQLqBEmnim6q/WcZoxYOc+FK8TqODxt0 -Fc1J8+96C9UOwe5HpWwGJo8FW0hwccWJCgV+xY8fOgF6W3G1kUuBI+FwN/3niGFP -kj3xMGSLPv1PLJ7MsiZmN3/Wb9Wodb+wpRTh2QivDDKRN90hrIkCHAQSAQgABgUC -VAJxGwAKCRAIlNrgSWRisW/kD/4qb9HQB+ACS3CBJV47Bcsnp/su/hpf7xjB3xfb -J/9zjnlIcd7ExP0b8CiWsq1D7yGB8racVyxnuofZSrXYBdoS5L1GfPqOboEN9eBg -MuAyBTDxkgpusQyLXVzl7U1+Avdz0PQRLO5JnN+t4araw/VVz56FExW1ZoXcZgxm -BDodtpLqmxTy9F8uD6f58dA+Yw1iMP/WpFVyZz2rQImNJF80/APPBFuvMZFS+EJQ -EYfko2xZA340vF5Mj/NQ+WHTpA6ZnCsULVMYBiHpvcoJu84zrVLmbLCx8U50L1Ks -HWcHG0+tg3gbG4xe6zCDK+ISgP9Ip3j0TykGjZnNmkyJRe/wjXpECelvsIsW3FMN -05KNQfv5cpuBdwW2tuYGByq9ILG4oiwMauSELaTF9jqKFTgzqaxyaKlStcjUdyRg -XuUWJq7hXQ4Dw+VcSYDGdXP3uEI04PQ69UTvzreb+NuW9PSOQFlYU7k1HVJNL2cx -Xi1fGyDik1Jpt9AyzDoyiEQKNLqukpdhf+OnFs4Wnx/9+JYQBVDV+susRFLuPU3q -V5v79wglqK4o0fSRZboA6sEJSYkaIYLpR+jAouvGrnVf11DfNK7+8tB5lMt2FaGw -bW1GhYpTslW8cyhQlXmlq19nkgAMrfju8PMCiIEF8ab6eEzcUJ+nf/+KFN710XCs -zsavIYkCHAQQAQIABgUCU7aXDgAKCRAW1ULEnWdR6FwHD/46DWgHo9aGBzq0oaLg -x09RtlyAJ65WcCMRqCnhSpSZ0JuJTKEmx4ojs9DDbIsjdqdwZlnWqmNfnVfj3Xel -yCGTqOEOVLIizDlyoyOH0Gr8892kMPCmWE0I0OFJJM2nhEfkd3LLz4lIeIlCigUo -Co9Thi8jM91bbkr3nckqX/ltVFRsU2aUkMN5+m8eL/g/D2AiSokYkpaECV9rNd57 -MtiERk63LobWA6n29cB9hHj7oL9iVR8fYXMV11OW+p9T7WcuvQegTE6v5IsnGUcg -bveqkqkTaZfwEK9uKdVj0xj7Xc0dtzgZfw0nkfPre+7rqXtyxnm6Xw4LZzLSZSu2 -PYomuAxaj85YXQ+Jfljya209AlcAGNobLmWQH9do/G+ZibGyjG2HowE+VRjc3F5S -86U0UkJOHe7N0HCin8krZJA8IyhPQpWjb+VRYkBc+pfK2w4B36QzQS/HL4juXsps -/Lio1OfjLFR18yJABMQcJQbynVC8rfOfYuQRleenhBuGJ8jybqU6lB6inQ0eEdOa -8Xgdf16Nj4cFlrAK2aK8mnSAJK0f9uhW+fOuejGn4Y5MSvqB65ydHJ2zlVvPKzyw -kLd2ADCQT/3mk6NgA3aP9xnCBwAkT2FrbJjA20vH5d+T8HxaJfET/0uc29AVD6LX -7+ultLuNmLYNY2KY4nqLMgwICIkCHAQQAQgABgUCU9w8bwAKCRDHMrHRwo9OL7mw -D/9T1SaUMJJMtTxdniqpEnR1PZAGfp673Qh9G6LjljNuNb/SvrsrQ6+rnPYGTFrE -LgUsj5s+AXXKkUv0f58/pBD2GYnfIvZuAC7EqjxLcRM5B88E8amNFG2EOeni6sfr -CV1G0fCdwHWKD3lZgoKmyofjTRgZbbybp7eiJHZuOGMMFPXTQkagLqRd/j3zAW4c -CIwjF/R/48DcA1ZxY0afqpTAujtwzzKAeXgloNUZ1F1xGFcbdeQ6TveNrnU5IGa9 -ZzKgAk4p3JqZ6L7PDzlOTV6rHvTJ3Qv2AhxGORAz21pv3rZ8eVyIA+YCzTNKv0kJ -5D/e4j4uWRk6+WyJF/QQXvxJ78db58ZMYEqPIjQ3DpuqZEH3R4tY70KIm8GOo1hV -j5iC9eoqY23TemxdsA3TURRNVjognGL0/NxLJmpSYIMM5TLk4Z9fHw1JiJ9hvnsm -f8Vc51lAlP7hYgaqcvmoU3wGvH/gb3c0v27THpX4RixoWmtyfinJ5wPzrPh+BbmY -42RhTwt3Sg46pRj3K/ivyGd7HK6FEzpccEV9FSEhgcDW1C1feV6thU2e/Xgcz+dY -sqFLdwO23RUmpWQ6ZnT8eiUN/gf4upaYkYs82mVMzedsVi2idwgaABsQz3ABCaUM -pP7w+TytNbjjVhrnByueW93UkpVhFdxfW7Unj9okKc96bokCHAQQAQoABgUCU+B1 -CgAKCRB7w1lN98DhoyDmEACcXWaxLiqN6m8+uDkqVHaJl5VgwVsO5HIZ2VwxDcNw -pkY4Ap/gKKjZYnLp7xWeDI7nJ1VaH7IHg6uBY3oXxYqKxjxfVS/PceMGsQd+mDZe -UZjNpAISPbr7GnhCYtF8BDjAOugYOJvbGTecOF5wC3nY1KOq43/TCp7zuH5hz4bm -/C13REasMvvJHymnAFvzMTdDJt3iwhRSfC/mmspKJ106TRziDegC1rcp57XsBogZ -DjwVPI0ai+OiyYYuY1ak0Q1EMaHPckgf4bn7DsdO1y6SuwWbO8KZS0zX5jV1Iitv -4M0Ag6vfBfhnKvMXnTmAig0oPt7AniAy1hst9eV0PJaLmLd9N8dEH4kn66f+lbXz -wEvLkTt3AY9N0HsT7LyJSe5t11Zv2TOD9NHTUVZYMa5zDs8GreVr8nx+u3gK0L8A -DJzNamIr39PWtaVDGCVYw99wJpRy/+12JZKxx5b/f9Mg59W1DNyl6kYDLTjfRRLP -giRf3mRQwZK556JiFGxi2bWvbzEjDeqlm/IouAEFgp2tOrAMJb/2OsoNS1Zy4TCO -19odRRiNnavt4jzo7DhQLzaLeS7KSC9dh12GLh1tzr0s9kGVGBcEQQmA6vXS6kQT -u6ro0DVURA3SDr5pRWLOSeLloZpXVYaFLV8PSE8ZPOm3vL7n/1EweY0SSTr6byke -u4kCPgQTAQoAKAIbAwYLCQgHAwIGFQgCCQoLBBYCAwECHgECF4AFAlSfyLkFCQ3c -WMQACgkQHSl17fk+c1+npxAAhVQu5RWf72dA7PHPmPeglPnyzDWWZXNJ0I5Vw6hr -UlqtnnMDUOzbwBlqKCmrT7EcTfNZMpEAt9fYogJPMnHj2ibQSt1smERSsI/xyygu -gEAYaLVZlv22i+OPVm9eSfY0I42zP3fsMznuaytXpgnw104aSFBbaqIFDzQUCV9B -UX4v/Vwbbt6bnwwd3PZ0Df1zt5bRkjyOYWM94tNfU1zDsea1tMSVdI6iBcoRniET -evFAUYIIafvdIewZeLgWxbwUbnYZJTKRycm+QOvCDOf57NN5ZGAE+bAoXMzZP/Sh -kTaLDbsum4I5JaEQ7qI8YKX7kHzEfJfy6r6SpMs1cKdp86FrlgEdFOnZs08esBlG -ETUrmkFABaNMVSp+0yRmcElHnRVQ6XA2ucCS77gEB97GO/K7mr2XGhmuQNAP3v4L -NtkWJ3HVbbhrhsFaT7RTxNY5zKwohaTO11X/+fvRl4/QQGCFZWiIOgD/LQMt+Ziz -6ahOD6kYBskZqov/T/IugMfWKA0Bopj9aqBUMdhZcNpvR0cIIXHXZhgYTgcel7mf -vZWaX7ct7ZTQv8dMqMkGJX6QeNNviTIW+b60QTkOTNXaroDx5FgNIJw59DTwWppM -SIH2YR8MfvRChMMz92nuEcaX+mpwiFG1Zms64oHF2QbkzZPfKszlgcxE78xrbvJl -2Ha5Ag0ESoXYrAEQAKgvbxwab4qO905pcbVZ9ZZAFAO2wumFOBBbssk3Yg/Iq35A -o7UUHx6IZZrgbA9cTjOWs4e0Oo8H/b/UbrXcnhw1/4INrhV0cl+nwqdRZfc35Hm4 -RMCNqJddBfvzIYmgHFLAlfwpEzJZNlu3kzxl7CoSncc6BR86dUwvHBQ0ltZk28Y/ -dAbfmfiIfF9egyxj8Z9XiyWEwwhzryndoCSdut7sULdwzInMlI9xxxp4Jne3iYS/ -H5bn4yCHAX53f+iokQYgwEio9NF3giD/MWm8fgsiibMi9yjdE23egvxKIlOpb/kp -J8zgHRe9Du7YlZHB08inIy824hOV/0POynP8+N+qS5ZbpitTnADhjft5ME3MygYO -oyIW8+/erXyyit3FwJLC4DeGb9ki2mtMIVn5dSfsuHYghvqxJehLUrC81er8r6Q4 -yV1oJ1czO+d/Rf/7BMxfp5+jcpGzkTLJexn/0PkRKAe27HDiwJfGecu4uLnlYFrR -MYJo37B/eDum5x/PL9YkTdPEVPS+14Wc47QDpvmrjLkvaQqppIVWsipSO7wi4NOc -qyPvD8rnVRKbTEir6AJRbw6dpPEzAjQm553ke/hugyo0IcLeBdhyyIHFbvtRE64u -F9ZbL4Wk99aqjpv0/1gdDjhLmFqti4rxG2Oh3jsrXLik7QtdJoUilZ9X6NPHABEB -AAGJAiUEGAEIAA8FAkqF2KwCGwwFCQlmAYAACgkQHSl17fk+c1+7fxAA3KcL8wuX -leD4u3ECvLqxNhdjkW7VknMUkLJ5Fq3LoQ34a+CYcIcbw6XGXjeaYvppIWN4NrId -lAcrq2J4gyQO/2HqHN82iouzyrEk082oUT/Q1WFrdPPN3UF3uQTCVf+vR+t/XFph -J8D2FkDLRH36S3Z1pSxMc5axwglDDXXPKQdaxfharxICsQCtB+DFyFpLvFrDk00X -UEDOzl3bbhd/C4GAXDUIYKTbeqdxq2X/IaplGdoYbs+scFAn/WY85SpyyKhdLfFB -ESP5JGWLDLzk64nPCQ1lZ30dXVQUi1nVYKi19sDRU/xQtqvf0jqJ/cbtdy4iBuDw -YYAxo8fJdpSdhemrO9MSGQlBPLBj8ZXb3s7fnppRvOiWsOr30AGKKyT1IziwZPRI -EseRGgoD2sNHL/z7BjTNDbqh/WqphYSy3OYK7q3uCUY0P3nkCsoGaBoxgd7wJpCg -K7q97Ce3gq9B/L5q1+fMDJhWir0behMVmJPqKZdzW7woSq4tUpyF1IChgSvIwve5 -XXB3wIfy8FBErTe2/Ld5IO5QCVEfmw7mDESVuN9RAT2JgGhJ/7SUwy6PgxXtdkzE -RBym1vOu5rZ87D1vw7AHEPpSuUg/BxPQwrNb0MQ5FSAXmxtBZglndVQksW03cxhM -ar2saHfnHJIz646y7Fnpng2J9wA4QpViAs+JAiUEGAEIAA8CGwwFAlHghbsFCQoi -lwsACgkQHSl17fk+c18v4w/+KfcAw70GgJnI9FPlhVrVlb2Pz7V4kZoR2xcKVzr8 -TxiRKAdwkZRSwO0IgI8qmNUoGCxMQrpTdC/C8m2av0LS4F/ap1DCg7jq71qNa3IS -QJVn8JcXE2dSLjydDIZeqgbkibzWKUERhzylG6QUCLqODHwn7gv6aAmfE7syAIfn -yGCqubJ/OrfIRlsrq1zA7NKL/7fW/rAUaQpbMVFJrSSnKEg5DWMcpmPrh+e2EyVw -J9/exaxnsVcoIqzfaS2wFGPYcGxvstfU9MPaq26Y3lPvkNXFW5EBpYVyRcy3Iy+n -U/HmtFNdE/MwQa+98GYYiZtXUKnOp8cv2ov0XSm8Im2u/MVfNg/tNXeuCpNDGTUy -12Dn1TJ1w2Kf2QqD1VpxLHgIZKBPivad+jzioLgmAqx/h2YYqXA3hfEfldIywB3o -sFYInQ5bOtM2IbMmygnwbWd6g6xvUxZaJ8ch7Z4FpRpCcJxc5kOY58BrpyQHatnd -8nFxhSP0Z1I/Ph1t5QivA39EcAQQkE1bLbI2a0wUp7a8pSy1YLSz9NOaRsY/IVMY -Gnlh7uf3qTkMAcbZbfN6/7KV5FDjCE9hHhYgTvE7bRC/KK6iM6YyVrFW7NHBA4kj -0uEu58ktg/S7QdVmaZ5HX6QzDBlzeZsUSErE6dNLZlSlC4ycjzUVNK4tT9or+P4c -FHSJAiUEGAEIAA8CGwwFAlSfyMoFCQ3cVxoACgkQHSl17fk+c19ANA/+KrKAgbdD -E5sHWxeejJp3V++Q1HxXm4NhCUMIF4GMP0jK3M8x+bigM6l5fGQGkb2dt/m8AjFh -+JM2Y3UC4iKnhwOMP/akC6+Z0MQW4US/pQV4vhw40oIs2KdUpM2iTbH9iHCMe41+ -7ThLQnDMXNm+0ppkvtMHVPfHoiPY1NFu2HFnSsk2yWbh6rkdAY8P9LM5RYJciisT -E93kKyIIOXLpVx9Iga20uyNjB1C+r8bBc1E+DIPg1YprVrS4ICDEcobzzKiKMdP0 -EyJcLIGihDf+e4N7AZtA4oNNx6aOUcwbO52J0Y+YWmmobWaDaQsCzl3Ze1JIDdl8 -3hmACHmswY8gIiHNI7als+EfR3N03+wVtBlKe3KcSvYGUDGI8P/gGZf6QtLAqvRI -mjXf+84B4sdAK+zaJ83xQOgHUMO85UrIsKhat5EqbFsDS4tsTj5UT7Lp8yVXpSkS -/ubhsjod21k17Cv2z1sZ7tB1U6oN+NBJiwsZKOTN3jMBbJo1h3i5JfGMkoE9ikrr -AOlrp+h+XXbFbwqqjTd9Z6jZ740Yo5cccQ82/ogFi2voBboDP6zUs022zEe5SAqo -+uVsBFg1EhUTqrO9TqaK4QjxXIQ6NSMDjjsjc+gESwmv5ytwdlQM3i4WaNOyvzSd -tyhVYC7iW6ccGZ+h3D0pFT6TbABF0uYhU5U= -=pKIR +xp+3nODlzFFH7gCJARwEEAECAAYFAlO9rBUACgkQA89KCrPHmmOjywgAhEwVbp4a +PAOdyNzpfNLBOnsCoOFgpmBbQbSqtuVgCfuBcu4nQ+qvqo31tlFOeaFMHaR4PqiH +rEgYa446CnAhfIDAhfjUV173l+z2Ep1MigAEXBuEkAAdq5IhRZXfGO93LxMfs44g +EYS3mxGkAfVuSpYwJ808QJ4QtrUzbtuGYcXLi51danX8Vle5KFxMJpaebSZU0cGS +JTAywlh5rd8GqPQZqGfeR6kPazTtEaOFr48TjeKy/FhGaYAz5H+7zAjraRvl1xro +0Fxqsd6Vyw7/34mOU4y49mWtS+cNIWJtr+RYD/7x5WT8D8x7VhKFMsfNbLrgAjAj +WwLaDvlDwWkSp4kCHAQQAQoABgUCVL0btQAKCRDbuAKyWKzYT+EGEACPjySOwwyZ +nkmGAxbE7BSyCoYUS7ACav6a3/GvJnxzYY6gckNhJBhU6YOQ8wF5Gw4kjGMoQCO3 +338IVwHY7roAHEc/zhx+qpmHiXgr/aTxOYerMMCgBRsFkoiOSs8rmujg+ABQvyRS +fdO+5oH2KqUfs4w0xcIOb0ezqfY4oDTiuZXaCqlKYUUi7mlJWr9hOAhboAeAnEfN +tgpUj1r+k+JUp0NT3JprY6+hPdEEOm1hwga9T4CZtqcvVZt5bDxowjoRcHfvvNGo +SJV0dAJF/Hmx4ORY7HqD3cefkB6UsIYpy1qofo6+sYO8pXleRpnCz4IgOqFya1O4 +aGrSQsUEjl6Q/X/H3UpkLgPj7cxIoEE1QZqsnxF3AzAGvoKvCXRIfRJXRN8qpBeW +vbeKAnRb/IEDOnKlNQyX6t/BDWQJqRQJOVjssAmXRHu66jKtD7CmG38uT/b2UiA+ +gG7tTrExlk+q1W72TJcKHpTiIVRX62Jgv+COiNNah9KnTRtaZzUAZwu1f3MYMLX9 +Bm1dfMjxqeNtdMmcI8uO/RixCUN8ycLLwyKccsaIvuI7L+FUEsd65gc+q7p76ePG +wx0syRh6ql+/U52zgP30kCjiH0uEmcKwTCXJENzoQr2l3gdiYKoL7toEiVqflrxc +ZRpTWCzpruclvrTYyPP2JAwDKHwrfP7BjLQyVGFpbHMgbGlzdCAoc2NobGV1ZGVy +IGxpc3QpIDx0YWlscy1vd25lckBib3VtLm9yZz6JAj4EEwEKACgCGwMGCwkIBwMC +BhUIAgkKCwQWAgMBAh4BAheABQJTy7UwBQkKIgiUAAoJEB0pde35PnNfvugP/RDu +y2eP0LQp+m7m4oBK5cAjkBOZEqTqg/eW4ONXqAvyF85Jg/w2X0PGdKx9Pd0WtxV4 +hwAbk7b1TTLczq0F7CzwODk8W8/0DkeTAUTVXDfStEAtTDj4ePMoQSBaSmuRmp87 +536bFH8wRBZOsl83yhMxRep9noAos5M9LmhZqqTkuvUbEecLJpANpdu7WITxAVc3 +9i8Mgs0xpFhCCTKTqXD8U3o0tvJo2KGO4NFTF6f41cxc2IIAqhC//MzHRjf7YwSK +3ssqRs3XoPbduIGZVbaseiSDVA9jke1kpwN3HqmPFFKik1Nv79DJudNFK7QwUsQG +pV3ghTteCBncBVfneWIZywf7xss3PbJP7rJ9/UY65wOqqD3xjU7BnkCyAHRrk8OM +HU4yUJxdEYzG99qbo2Ob1vhZ7aNERpwBPcbb5/eRz29/eckFSGoG1U1/Y1UD48dV +EgR+ch8ILYis9/CandfiRmrFO9Lh49By41hOsgJTXyEJG/q/RbeWtYejx0LR3zRI +launjpGgvYkxiQFScG/EvCeauWZibwZL+sxLyIvKCXNFvLx7vs4sVhok8WG76kda +KhFVjrpARf+8MGMwzqL0TGuVassZpVpSvqcsBuWdZEAg9wlBsG48LFJBpIvn9gef +KFOWZREg67FRoy/VtE0nKmKGnR1rbti+S/ZJMYPjiQIcBBABAgAGBQJTqHiuAAoJ +EIOCyVwpAj35kPEP/0ShGHvqF4Ic7pquC4sJDcV2N+NGgGah4r/O6iLQoVBcr8rd +gbTLdf1eVoaQGD2tb6NxcVBqCBfVrk8Wgca5g5WSxhunHkIG9Bj67uaR3NVfUrKG +urjBl5g7hnRDNNyNVfUWGYuUdDnRu2lHuuNyl1/aw9QdAD+ds2Cdnj2XY875DVqa +8V0jukfkyI4bTza/yEjUNxqiUZ6xd8Cb6g4Zk/a1Q8wZ7deIqESBLOrRlKU4SxUk +goa9IgCNC36xjPfsnxtNWerwNdInVUcH/Gr2zx1wUbYZEwZzXOsVz5TLpcyR8+2r +rgo6T47JFo2+O8Ej5G43avZm2puf/u7psoS8pImrAe/GywjyWS80GSuy2ZKOdT8y +DUPlnVuhBEjio5M8wWyR7TDkQVn0UeePyJnTfmr42XsWRb8NwHaVpzHpqHVvxOOC +5299uWiBvQ/2KjCVu+ST148J/hCs2qVmBZMqg38a3j9UUl403m0iqWaAirnQDXiB +wFqcY9daCENKOrn1a17ZUQttXQGXau2q9EL/HaEl4KaSgkCuXi0yR7BZ+AscVhxk +KcRF+TsnEMONH4mWuVgJjNtlNduf9nBIfzGwjmkF98ZuPXpyhBzX+Zi8f8uGyikj +4LKTKHCowYZplyZwqVTmDA7q5mtQrPQawVK4UpkB3HQws6q9V0R0NPoY5ia2iQEc +BBABAgAGBQJTuRW5AAoJEOrF6/B6qcKjy98H/17g3F/S8gxh2ssTaKwMYjJPuMR4 ++pX+IgAQybfPfh7EJr+Du8+xYdxFKCGAo9kkeZ6KGKOSzkkluczvUBwK3xStC2Qc +RY1J/KkSA3lMaiD5+pT+KrF6i6OC57TpY/lpWumg0Kjd+eJ7UvNYvVAB98ou6PtN +J+fPsymP0vHUjeWbpO3zxvUu261ndLmxFX1KuXqnzDjkU+dYTS0K/91M1mWiQzol +WenYS4bi1bsH4K2LUm+AitXQ0DFOQTHrqPmzyitl1puOk+cYBoJo4kD8ju/RtvKI +vgM+d8FA5Zv4vWGye2HbM3pUmOLuix+BD6+VVFLFjPzCiY8SdeYhw9vsefWJAhwE +EAEIAAYFAlO5IlQACgkQnDFQPG2GY5ZSBA//VJcKtPkTeawB1QX0/JETdTmFfiyz +8lcq+LfN0il+F2GnkdjOeAsaoFp3ofrQKl1CG8urOlXYq+MTnWYyrjCYCgzkfdj5 +MnXvh0MaqtLx1ErAGAJMZOBkoPFYBBO0mLO8svkxcX5JuAVJ+8R11qzEWmK7/MnY +xXlDigbnaXCSqBaeCK+eVubKuWAqS2o4bMBTA+PoUPTmaxaio5i+3QUqCcMQkM63 +TND2nHxolYQEl74+hh6UMPNlG1TyvzSM6tARdQVGkxMWMDECtOla5IznuKWeOYHs ++uQR3ReigI8frl+T947uaITB181sZ1fRnSuXjd5IWUW+DPlo3yBRBWaMAYUkdZQ2 +fzB9pGGzEUoIz+nJdIWq/Ly1RnBaRILWkeRM3zKmi66JNsd0iTTHf4uz3rPlA2L/ +ybugSgvW8PNV/Pcb6oawJv6VJdczzntslZiJKbXVd8md2Ca3ELxQwg6+RUp6j866 +iYf4hgG/zMsPmF5Ycd+/AzRbEpY9sIDh+Nxw4Qa5Tfn2KbUTx02Vd/6fm4LVyilo +vR5dePxeAXo3ZD9V7tfMVo5U3CAm0xMEwN/HFrxuMN0aqDv1dqqu/HV3HopptQhr +iXYHIG/Zxv61hmZZotY33gYP0e810+HCZllyT89P/gutuxWpKRO1zeY8Vl/R46YJ +N9x+k7vZr9DKzY+JBBwEEAEIAAYFAlO5YzsACgkQrs71RuyLAmBPBR//eyojQqhY +ZmW16zSb/E9sxvIVs5SqUC/TTieYBCdPQP5kCqNk5InaRn+1jVgefNlK0fuAyIA2 +dX2ChTX67J1EkrxFH1d7/Xnt1RjnawH+0anBCNrVcrrAYDLX8X0JlRICDDzaCy/h +DfK/CQZUbCAwWnQRWCuL6Y76m3WGFIboHtPWa626JETK90qAS8SD61MdZF1a6eob +wzDnzTCn9VpHwXbkv3WaEKp5RRRHIjDud3fMUZWmJtLvo/wknl6V6/gm/Wz5LAUx +7ewSpJy4cmz+dE+ATR9I70VR4B6QJ/8K7TUAXxOtaR/jbL2dXM1oTBho+Cm6rzcZ +H/oT5PsOq/uWsGiIvBcfsdYTNbgjxDBwTOVicH1q/xuq934i2H4CTxnmIi7ZQlT9 +nSoF7ZESD1Sh+Nk/ZHUNOv2QJp183kY4j1Vy4F6ih55nklbQJuz9KoubQHzIx6Kh +gH2UxwuSSZUlRgydcAwGWrgoHslx/MNRxxR7tKEFaFPcLQafDNFXlx4iaOktPTGW +M9JctGSIE2a5zI2h1CZE2a1gw2FtIF+EKGT9HtizB7eT/Q4+GtdLB4BUT39EIR7C +gzlc3tf8rkkoevoXsbFlDhVcnunDvpbFke2DzDSjb8izIp4QNmt0UrrokNtFJtv2 +pv6o3WhNW4lmJrQhNx28mkZZp8QLWTPToXfJQehAVLRPR2FZ0YJuHlLq2DUqh72R +L1zp4hPZb5QDsfbHccIdt29o5YPCf2UXJyMDI5h5xtwU6GOnBh4Y4Zr7F5bQjnlI +CtQpJMTzGWAwsJfb12VDIS41D2I9Hsfy435WxIGGo1kCYVA2NDBHB4QiUSMpThNc +cIKViiXGKcBdCrumyhUIw+oFImjYtCJCrJP9dJ7QjN7Jsp5l33TnHvHKXts6kpCb +y6inp5afMsd1+y5wqtrfI/fx+yHOk+LPhP761ycj88Huc3ZdD2QLp1iy9mH1oGMS +rJQzKC3IsN9ZsGo9GSG2kqPRqX6uBTbO5z7WjTGpPUOZWEmn3NpsmMtKg0Vxep61 +KB5wejbRO85CsN7drWVDQKxyCuB3DA9xF0SJk0EgY83Sa2Mr/ATTTHvd8+qBXc9d +mGxKh66jweKZNMk8PyInxtd+oVtca6paCdD0xYyqIAhGa/Yk2u6Z5Eut1JQJrehG +lQk0NV1D2+XEYGAEH9YTcFVW38/sJzYlEpW/OiAEb7VOtLcDns7d3M8aB6l+oeUW +TTtFEw64s0K6UcelORMjh8phrRiOP6wupYCnqc0UhOPnO3losepd7R+MvDd+Zecc +RA2MbGLgcdLhOettfe+EK02QZZswSrCdOxjwy21U7/VeHoMsSai1rIbZHjH0Tg0U +DxnGXnrljLo0dokCRAQSAQoALgUCU7vxUCcaZ2l0Oi8vZ2l0aHViLmNvbS9pbmZp +bml0eTAvcHVia2V5cy5naXQACgkQExjvrF+7285k2Q/9G1pOW6+CupDFD6kfAlFs +ygJBskX3fG5cLsrY2gAMzS6Xw+Eu1Nd9n3pDOFaBQ5R1h7AMltlH82XA/tAVUp9D +z2EofawjrC6UxrPQqNxvXRjTOFTcql6qFHqEYVhT3RRtPdTMaVkkyQddL6ZvRQ2a +YEe8J1xSFvbBMMqrgBK2SyxNlM26L58rtu8Y//ag9Y9EnxZ9U4dCRyAidaSzH8j7 +eVuVuGPbMNquxQ1nPSK4eZ7sxwUNT3GpU5rrFw9ZPyEWmVC+UZtBgAQejzCCW62l +YNLI5FW+1cjuG8cLnFwzup64sQY4wj+syRZ94chLdDY2EDcCN1oy8IdU68vghCJW +QY7QcWRMsn4/9HeNW0HbhQM6Uw0TSn1nZzwcnZzhIdOPh7OI9KcicfiK465b2mEc +8YChmV3IeQQH7j7jm0DbvOBG1+D024eCuIRsla6zmUfe5MXqioQbPfHWXqocoHyy +qexRN1KVd3TsQYUlDH9My+dzOE4BAuOpe52vD6DQi0TltbiPAGHupaTh8SOUWuUT +0j+X0eIOSMXF+SXTcwB2enoLxnphahSgRUAH0qpJOBy40zNVgl2cGrFTywhjg1jK +8FSSzxbZ7JyWYe4AFfuYxUoDRSr5eclikoOoTESlLwcvJ/WKPIIPyZ2vE7A5eOM2 +5gbLRkvqFB1otqme47flkR2JARwEEAECAAYFAlO33XwACgkQ3UDyWKrOAemuHAf+ +NLZ0g80tqWCjdtxDMF5XZYCkD2tUAuBtDmBgjtQ6G9Rt0+0/7DRz/BE4qEL/7zJf +YbWY3UNtyOqHCBBFrSQ/FVj+NUdEyabDq6lJGjhffvpLM+x27k6PljYmg4Sv2orh +WyUn7n4lRb57SagXgHzNKqW0NBvBi35T+VFuxUUvXqENUkK6D69jWrfp47rBuLRr +qXC1ij0e7edkVYWTtM/F9wGg50oLMYKljOAC4twT4ubYzFIjO1ofR0MjX8HTQaYf +NK61skYBCQEQjbYnZJhjbVMt3mCOpZQaNgWM54LbNyJRb/Id3Q34RmX6MyKyIGGP +h9T08/wlgfF2v2R/OVjfb4kCHAQQAQIABgUCU7rF9QAKCRCiDL6yAAxlFQ4SD/9P +frMWl7YBgO9TOCRESRKkAm8pOBFynNsKWslnCsgxWaUmb8yD6hqXnISd6kiDr0sS +Y0UTz+2RVPV+koNo28PoLJHinHVIi3wlDqEYzkBbR2iOoHMF61NIi/5V9Gp+M0RG +A8faP+l4H4nROtoG0RbaS4gG/Ac6iDbyE8pUb3nUvnXYIYaGBbdG0LQxSv/stVWV +t0Lpr0UozT7zr3gSxpxzGCwK9DyMQy8Kwvowb1Ww6fHaqku9BEJbST90dJ9r9inT +zKuILOPfUvyWyT+Ljt8U15lnbwUxSflflRyyt6c4v/c18ZEPmLKZUa1Ucs2K+qSR +ea4od6brI86+MMDv6+dDVOEkjutxV6BgqGDM0LT1Z7Xm8Euc5cRBQZvizzcrP9dz +pchUG38Y9o3Gx7osbx6Gk/8V/Yf23ErTsJKY6LCRbGjKjzQekDHdGeI4C9GSEM0B +ykQKlPR0FApVqF5aSi3wk7WachkvVJBkJU8+nw9L/l15/XF7yDenkIrCUWMrsD6c +ZLbwqzOBI74xXjfFgjcJbUhsQeB++P5cxaoIayqoyL0ttyDizgwJnfTDV0oZP8Qu +mbKndNP84Ee1mSuYlEMosKgPeGBaH/enezkgqii7KQ3apql3uZAaplOonLQjNHxb +fTlqetchQDk1QhItDSuERBgJhyMK93vS3oKGID8NOokCHAQTAQIABgUCU7aJIQAK +CRBNrkImnrDrC1V3D/wOGVwgkiVGfTLIrw1X6SWlILzLfKYYvb7eTZqeEAEbrpwM +8APvTpbUWll30HMfgFAFRNuGqhUY6g/cDQevYfCBlsghBBt+/8tcG5wlpsIP8W4j ++g8eslUCu+DicbtgESczps1e2pbHOH2m99Abat7aZL2eCLIpaWL3SGD1oXj+dZxe +RTyDc8k0OYccQrpY8tiBzIcyS9g8PvCdi337Om1+3cV0sYYeZs5mGX3mg2hYCwUF +qllyVVtV9O57iaucfQRZ2qBWv6DoNSkpjCxo3+3NS4g84XXWYeiKDfmVc8ItyUFJ +V9JA+OWbmgTtIM2Z6wiBopKyKhY1XLMfjipLM101pTxyZFzIMyaAc9wUL1Ylhesq +aw59PC5zKgNQVRk9ZxososSShPSjkhOB9VCL0ZEYhNJlrj6BbCj359rdLGeL35KZ +Z3NG+2jzIijxyybxP9Rmx8UNoUnRRXK0qygmy3jfgBOCXyOT/lBZ32CrlEkl0m2i +hrjD/eFfqyf+/Qfup9j/A9Vso01SrNNgX4XsyURtyltLeGsCUffcyhZrcZHCYa9p +WThNbCZaRHX2GMHpB4hTcDVkdtQip+CfrXQnTfXL2Fh6sssP9Oe78STty2JLLrFD +xhrB/EMk12XOXbHTR09YQ3a2wuZ817tJtreCdhB2khxKRuPaxSnA0zN2KxbGlokC +HAQQAQIABgUCU8No6QAKCRDHMrHRwo9OL5wWD/93JgJ0SSXXI69YTvtbNNC6EPD/ +a7LjjOFAGuxaBtKqiu6Oyy8JPrZgtgP1qBIgKt1Dc9jIVg05/3KXedqpATtssfTN +diU9/NcL+Cu5ovoWlqUL35zLssAUlAlWopUFXLksnORKpocTEXTXRcJF0s8TImjo +Wuz9VLv94vdgDgPAUi403osQS40Uhy4A7fA6vdwKsKWQW3IC3Y3ahwOzP759pUvb +AQL1jBLYpshEswBMxCMdB7GA49M7NAm4BD2A+Hu1fY4nkcip1Kf9vmponpjz6Py2 +qqjaAG3blmnXLeA8lGG8EWIOXsApnGLFq1+hm0TOCLZq73AyOg3MO8Naoj8c4rn3 +Gv+4y1LZmjwPplS4N54kd/z3J3+ofFhgzrUwVDmYUAa7mf2VOCa2tnH2BKLqayCq +JYUGrHUl0zvZRFV8kVRmSlvCan8JHkcDkpDPeVSetKV+XIZKwNq3rntK/97mJUSc +xV5zFArFOpw6qzbawbkKcMMO9BzsQNQSIhM/qCF73MLkcjH2qeu+Xt+02sX5YLYM +8O/0tiGbZZ0pLbg68Pgn2FuGXeLiZhADjzTUZZPwBzBLZQGhutglDFNc8RD4Dnta +W4/LU2YpPnTXHvPhDGimP2WyzFRBdeABMCWuELvUwKwyLAleI00KurqNZOTR5wiC +Z5xFNLx+4Ec9jzGtvokCHAQQAQIABgUCU8TjUgAKCRAei/NJIykSZbQFD/9R4/ay +2GiMK5l7xMr0CAe3UAJVwkCVUmxYplPgQyLyg+zXrtBXeEEtvGC028/KZ7Fal/jd +KT1LQJ+rlwsG9XqGIXYwcrWvtmc6mGLvCRI1V+BA2gjWqMQZyIUDOPkr5sxzj+rm +jUxU2pqFVwWlb3WlIJjUTlw496ilmLNOjKcep8opw+eEd2iddu877qTJFyUHTJ+j +nLWdi4vgnfGxA4ARBl3fELO+fnpnkQEE3bF1fzzxdGy8IL5TRpqyEwpvfaU7/0VI +WE7M5cTcD3OVUmRUEFp1v+T/uV6fZsptXwN1R4/rCcMGHKRtyrYtJMgtR9pUmZFK +fvwYszEx5HYIQv9AQIsM9CDvksAp+HsNuXbtCNt2TsfZZTUTppdbJcjPeCl8KeTS +MKAYcXYyD6+1d9BuCAYbRzvRlmKyJovDS5Ad2UwKnjfCQgu9eUe5jXS6jbeXFjMD +POznIveSieuoWgZFBjJRaGBEbMT4aLdO0pgVy1eJ8NBDoVsa8TuxYvrl3bMuG8rC ++sia0+yyM7qYMiV/AqHCSVOtc97AbeUKbW8zcZJB5TeshVzaLBlQJ6AMIdPpzFiv +u01+OhPFx2A+LPlAZGtYoTtMJsG5sXm+0odMyedqoI8QdoY7ujtWRom6knEsgqOn +5rpghz+QNBUJa2OHS4irl+Z7WpHESGJpMKYVAokBgQQTAQgAawUCU8SDtAWDEswD +AF4UgAAAAAAVAEBibG9ja2hhc2hAYml0Y29pbi5vcmcwMDAwMDAwMDAwMDAwMDAw +MDQ1NjZhYjQ0NGM1NDljNWExZjIyNDQxZDYyNGNhM2YyZjU1NGQxODYzMTYxZDJi +AAoJEH+rEUJn5PoEhLcH/jWTa9aBofwDDywUpgYX2uJSd7Jg/QyPuEmwV0os/wuJ +S65TTLtSuk3/maT4RrqIqTRKLG6GL6IBprOsB2dI2syEN3IAkvCID8kq3tAmJOK4 +oK2BwqI95bTE7Y7by2Bqsc3HdgMo3lg7fuiyd812hnjsOvrLGV8C9pqJ1wH31jro +s5uDpepkQB8kLJTRlmPdZEKxjecMUY+EZ5MV+2pPwRi85KG8QtxyG1kCu/ebn24F +c5PIdsZOyU94SEPbdmVy5nMPMAmkMFJSn//25s8xX1yX3RGWmWztQzDZGM/mkX3w +yNjzXVcCMjajW+7rdLAHfeNecu4mvTfPoBewHCVoJ3+JAh8EEAECAAkFAlPG03IC +BwAACgkQs+HOePWqTcdTbBAAmLF2dx1TFIlGhF1JtzgiKw1ZhcbIIOUnzmc//HEY +n5robkhOCESXw1LODXRlGh/BH8g8bm0dM/cHLODyHEbGM+/Cx3cuRVDj0FbJblA8 +65aUEw2UPiZ22eFI8TFna2waGwxzCNCoowu0DFOLpdULzT8jbKw8bW2bQqQIvCqf +UxREtiJYo2QBicwEzea0LsK8UL81jZWKocfPF7xOjJGyo39tVf4rvlv47iAf/mR3 +w2AwvZucOYAU4+zq8Tlp7q+r0/kacLqLYyPN5yFls5tJ36E8+328GjOGhM9bgbqd +cUfS8FBy3NfrkwNSRwYXs3SasYH15CpXCDgA91rruaa4eyiwC5RdSsGYQHqfExCZ +JVqm6qdSOz6FnM4Gd724eBIbx/M68qFaJGZg7dMqSt8C677ylW24RXnvGBstqjYb +s31Y+tbvXFlPzkipV+F/ZggaWULm/SQdpSX0LhjUQrjhmDYHcnKbREYebufZCAp9 +0kCvz98XAK28WfUh/KLUvJ/H10n4g7duXvGuOxzr7jIw0O1CCXufPIlvmpQOy9Ya +wpc4lKbb0uN8cubt+/NlzkvPHhLDSsf1H7AiSb441KJfH+s8pUjndAXZVfeI3mZg +qr9e3ahbDyltW5PVfUuZuenPCDdsjMe9xRvLgDFu3MCavOVYMwj86HEtmXpp44SV +80KJAj4EEwECACgFAlLxMZgCGwMFCQlmAYAGCwkIBwMCBhUIAgkKCwQWAgMBAh4B +AheAAAoJEB0pde35PnNfSnUQANZBYMTOfDqaZg1bAzNGqCTRwJGoeNWXOvktFVOR +Gxq0nuRT3bn6pgvrLVEk8nRChYNOyPn5J0rNHoXDYaxdPKo9LDvh2KD62aWyQpCi +sTH3AoPXqqmw3EIyH6VS1wXFn34QWGkO9b05SJPxxRmAw3JDQ86u3P8W198itBcC +Q4b6zHGikFavFYrfCwdYxivxi6N+l8ndVFCR+u8caMDC60NDjR2ONkdr6QTOudTt +JhjSe1WS5HwOvFgXkM4LYJ064fgVF1aoAqI8j7LPrI9IiDRMuoay9eiTOeDXaIBF +8B8v8BloCJJhEysJsndnEdmDbVZBr3+vsfc5uGdVH7GNKDQtabYYPj94g4qAqVNG +yclDNgz9RP/tN6Rn7NtzYiJ3JAlMz1dCK2LeF7fnxVBSRhf3ulA72R2M1JiOPO/P +Flxu4e/ArTa7n1EQqlKcVjSI/N4kLvz37LBhYfCcaq3zbTc3+snuRLOep3RFDCyr +400we/f1x/I5JkXeIQp1xh11K9opRZpLBCW7iTQRndaQTJMd5yIRAuoESaeKbqr9 +ZxmjFg5z4UrxOo4PG3QVzUnz73oL1Q7B7kelbAYmjwVbSHBxxYkKBX7Fjx86AXpb +cbWRS4Ej4XA3/eeIYU+SPfEwZIs+/U8snsyyJmY3f9Zv1ah1v7ClFOHZCK8MMpE3 +3SGsiQIcBBIBCAAGBQJUAnEbAAoJEAiU2uBJZGKxb+QP/ipv0dAH4AJLcIElXjsF +yyen+y7+Gl/vGMHfF9sn/3OOeUhx3sTE/RvwKJayrUPvIYHytpxXLGe6h9lKtdgF +2hLkvUZ8+o5ugQ314GAy4DIFMPGSCm6xDItdXOXtTX4C93PQ9BEs7kmc363hqtrD +9VXPnoUTFbVmhdxmDGYEOh22kuqbFPL0Xy4Pp/nx0D5jDWIw/9akVXJnPatAiY0k +XzT8A88EW68xkVL4QlARh+SjbFkDfjS8XkyP81D5YdOkDpmcKxQtUxgGIem9ygm7 +zjOtUuZssLHxTnQvUqwdZwcbT62DeBsbjF7rMIMr4hKA/0inePRPKQaNmc2aTIlF +7/CNekQJ6W+wixbcUw3Tko1B+/lym4F3Bba25gYHKr0gsbiiLAxq5IQtpMX2OooV +ODOprHJoqVK1yNR3JGBe5RYmruFdDgPD5VxJgMZ1c/e4QjTg9Dr1RO/Ot5v425b0 +9I5AWVhTuTUdUk0vZzFeLV8bIOKTUmm30DLMOjKIRAo0uq6Sl2F/46cWzhafH/34 +lhAFUNX6y6xEUu49TepXm/v3CCWorijR9JFlugDqwQlJiRohgulH6MCi68audV/X +UN80rv7y0HmUy3YVobBtbUaFilOyVbxzKFCVeaWrX2eSAAyt+O7w8wKIgQXxpvp4 +TNxQn6d//4oU3vXRcKzOxq8hiQIcBBABAgAGBQJTtpcOAAoJEBbVQsSdZ1HoXAcP +/joNaAej1oYHOrShouDHT1G2XIAnrlZwIxGoKeFKlJnQm4lMoSbHiiOz0MNsiyN2 +p3BmWdaqY1+dV+Pdd6XIIZOo4Q5UsiLMOXKjI4fQavzz3aQw8KZYTQjQ4UkkzaeE +R+R3csvPiUh4iUKKBSgKj1OGLyMz3VtuSvedySpf+W1UVGxTZpSQw3n6bx4v+D8P +YCJKiRiSloQJX2s13nsy2IRGTrcuhtYDqfb1wH2EePugv2JVHx9hcxXXU5b6n1Pt +Zy69B6BMTq/kiycZRyBu96qSqRNpl/AQr24p1WPTGPtdzR23OBl/DSeR8+t77uup +e3LGebpfDgtnMtJlK7Y9iia4DFqPzlhdD4l+WPJrbT0CVwAY2hsuZZAf12j8b5mJ +sbKMbYejAT5VGNzcXlLzpTRSQk4d7s3QcKKfyStkkDwjKE9ClaNv5VFiQFz6l8rb +DgHfpDNBL8cviO5eymz8uKjU5+MsVHXzIkAExBwlBvKdULyt859i5BGV56eEG4Yn +yPJupTqUHqKdDR4R05rxeB1/Xo2PhwWWsArZoryadIAkrR/26Fb58656MafhjkxK ++oHrnJ0cnbOVW88rPLCQt3YAMJBP/eaTo2ADdo/3GcIHACRPYWtsmMDbS8fl35Pw +fFol8RP/S5zb0BUPotfv66W0u42Ytg1jYpjieosyDAgIiQIcBBABCAAGBQJT3Dxv +AAoJEMcysdHCj04vubAP/1PVJpQwkky1PF2eKqkSdHU9kAZ+nrvdCH0bouOWM241 +v9K+uytDr6uc9gZMWsQuBSyPmz4BdcqRS/R/nz+kEPYZid8i9m4ALsSqPEtxEzkH +zwTxqY0UbYQ56eLqx+sJXUbR8J3AdYoPeVmCgqbKh+NNGBltvJunt6Ikdm44YwwU +9dNCRqAupF3+PfMBbhwIjCMX9H/jwNwDVnFjRp+qlMC6O3DPMoB5eCWg1RnUXXEY +Vxt15DpO942udTkgZr1nMqACTincmpnovs8POU5NXqse9MndC/YCHEY5EDPbWm/e +tnx5XIgD5gLNM0q/SQnkP97iPi5ZGTr5bIkX9BBe/Envx1vnxkxgSo8iNDcOm6pk +QfdHi1jvQoibwY6jWFWPmIL16ipjbdN6bF2wDdNRFE1WOiCcYvT83EsmalJggwzl +MuThn18fDUmIn2G+eyZ/xVznWUCU/uFiBqpy+ahTfAa8f+BvdzS/btMelfhGLGha +a3J+KcnnA/Os+H4FuZjjZGFPC3dKDjqlGPcr+K/IZ3scroUTOlxwRX0VISGBwNbU +LV95Xq2FTZ79eBzP51iyoUt3A7bdFSalZDpmdPx6JQ3+B/i6lpiRizzaZUzN52xW +LaJ3CBoAGxDPcAEJpQyk/vD5PK01uONWGucHK55b3dSSlWEV3F9btSeP2iQpz3pu +iQIcBBABCgAGBQJT4HUKAAoJEHvDWU33wOGjIOYQAJxdZrEuKo3qbz64OSpUdomX +lWDBWw7kchnZXDENw3CmRjgCn+AoqNlicunvFZ4MjucnVVofsgeDq4FjehfFiorG +PF9VL89x4waxB36YNl5RmM2kAhI9uvsaeEJi0XwEOMA66Bg4m9sZN5w4XnALedjU +o6rjf9MKnvO4fmHPhub8LXdERqwy+8kfKacAW/MxN0Mm3eLCFFJ8L+aaykonXTpN +HOIN6ALWtynntewGiBkOPBU8jRqL46LJhi5jVqTRDUQxoc9ySB/hufsOx07XLpK7 +BZs7wplLTNfmNXUiK2/gzQCDq98F+Gcq8xedOYCKDSg+3sCeIDLWGy315XQ8louY +t303x0QfiSfrp/6VtfPAS8uRO3cBj03QexPsvIlJ7m3XVm/ZM4P00dNRVlgxrnMO +zwat5WvyfH67eArQvwAMnM1qYivf09a1pUMYJVjD33AmlHL/7XYlkrHHlv9/0yDn +1bUM3KXqRgMtON9FEs+CJF/eZFDBkrnnomIUbGLZta9vMSMN6qWb8ii4AQWCna06 +sAwlv/Y6yg1LVnLhMI7X2h1FGI2dq+3iPOjsOFAvNot5LspIL12HXYYuHW3OvSz2 +QZUYFwRBCYDq9dLqRBO7qujQNVREDdIOvmlFYs5J4uWhmldVhoUtXw9ITxk86be8 +vuf/UTB5jRJJOvpvKR67iQI+BBMBCgAoAhsDBgsJCAcDAgYVCAIJCgsEFgIDAQIe +AQIXgAUCVJ/IuQUJDdxYxAAKCRAdKXXt+T5zX6enEACFVC7lFZ/vZ0Ds8c+Y96CU ++fLMNZZlc0nQjlXDqGtSWq2ecwNQ7NvAGWooKatPsRxN81kykQC319iiAk8ycePa +JtBK3WyYRFKwj/HLKC6AQBhotVmW/baL449Wb15J9jQjjbM/d+wzOe5rK1emCfDX +ThpIUFtqogUPNBQJX0FRfi/9XBtu3pufDB3c9nQN/XO3ltGSPI5hYz3i019TXMOx +5rW0xJV0jqIFyhGeIRN68UBRgghp+90h7Bl4uBbFvBRudhklMpHJyb5A68IM5/ns +03lkYAT5sChczNk/9KGRNosNuy6bgjkloRDuojxgpfuQfMR8l/LqvpKkyzVwp2nz +oWuWAR0U6dmzTx6wGUYRNSuaQUAFo0xVKn7TJGZwSUedFVDpcDa5wJLvuAQH3sY7 +8ruavZcaGa5A0A/e/gs22RYncdVtuGuGwVpPtFPE1jnMrCiFpM7XVf/5+9GXj9BA +YIVlaIg6AP8tAy35mLPpqE4PqRgGyRmqi/9P8i6Ax9YoDQGimP1qoFQx2Flw2m9H +RwghcddmGBhOBx6XuZ+9lZpfty3tlNC/x0yoyQYlfpB402+JMhb5vrRBOQ5M1dqu +gPHkWA0gnDn0NPBamkxIgfZhHwx+9EKEwzP3ae4Rxpf6anCIUbVmazrigcXZBuTN +k98qzOWBzETvzGtu8mXYdokBHAQQAQIABgUCU72sFQAKCRADz0oKs8eaYyWrB/9w +1TLmDXC5abdXqqYiRjrkU4056oaT4HenG/wD6yBD2Ag3C8rXTWKqPtPZ/y/05Wxe +Lse2fp4DJrkO/DcTlNaZQKiaKyOzOczN/Prybtc2rNiREdMi1YNJpU+oWNDnB/U6 +/J6tgANpYkxW6YKvS52J+bqWB8ydq4XEYYxtJf1pRGd7cJBYuhUaIMK64GJ7YHaK +mU5i88yXkwQG3ha0Ns7TlAS7kpCmT/B+K9Sy2ZPN3A+rkUvRsZ9vNrwxNlBSZUXt +/KhnU0jDl+vmubXlvNXIhmnLFC4y6QqIZDh+56Sddhd/epY77bRvPVN88haGHInh +1yTt0GOuN54y78TtvjcBiQIcBBABCgAGBQJUvRu1AAoJENu4ArJYrNhPclIP/Rdd +6htJpDRhVcv/Z0LYowwKxoYLtzAiSQwi1xQ3x2d9HYEfz93I3l0FBtF8JWi+YA49 +TZZMTQ/xuV2WK+zhv6Yz7woG83XmJdfe3UK5X5tL1SHLvxMNTzKH/TfXA1pVDkgW +I7M+aXetKYoaJne/8ugkjlexk0UNg4kns410/61lLUduhQt+URwpbPfaCUE6ZhQv +7TVvx3EpVk84YOW8BzAaiwMXyW895eSv4kB1Hud/CxIuWajsHRZL9UHvwfNTcQAe +kSdxbw+ObcXFPnuUTRBGL6VSk9Sw8kp/YvZ1jL96rGJC+INDIYi7EiRHhQXf1KT7 +i2a4/KMTOYxk/5FnLPV0Kl7ufxm/ux7CcaqY80IL3urNrK/PMkqSE1BiQNtiDCAe +idObMiUfHHXPxIJ2lGoUegvx3D9hFbXRK14F0DV5Wr5tb4PB1LAosW29mNTDssAJ +DJTMQCaQwK9Fnap0DBK65IT99cOveG1zrxJ2qELa/xBFi78ZPfoR3fYKIO+U40GF +igLuSnAH/Dk3mYANzHHSW/BnLQ6uy0C4u1CXojkC8sThbUf7ytNu8t9ddIjMAQH/ +eoj2i23fGQli1PLrGHl1j9KabtKhWIyH7sDvLQ/T87vVXgpH73un60f6t0nD64Qi +KJ82tF0bCL4LVbmbumriQ5WnTWPQwh0VSQ2IppORtBpBbW5lc2lhIDxhbW5lc2lh +QGJvdW0ub3JnPohGBBARAgAGBQJNiM/2AAoJEKwOw1KFghxCoc4An06F4S8iqZh7 +vIqEyRQtY7jkYtfeAJ0U+qjoayYOMEA4MQLPSfq4SK45nYhGBBARAgAGBQJTgzOR +AAoJEB1YU0ETZWsghV0AnR+ILlgMt8jefndc9Iud2rc4nGfuAJ4zFTG5iymLnZE3 +OZkS5rfIOh7Av4hGBBARCAAGBQJKhdkdAAoJEKdPbWn9WG5S2AQAoK7R2Pa7zEaZ +W5rarEhqPsvIBGJEAJ4lHTr8jNoqdwbWduSHJs0pJZpsGYheBBARCAAGBQJTpHR+ +AAoJEMU0MrKJv4zsTeMA/3tIqlypBV3qU9IadBG0xFS0JTy4pExwCc7zyrXHpwp7 +APkB6GdtQpwXK6bAAgx2SD1osKnr+9CLy5FxZZAQJc+p/4kBHAQQAQIABgUCT7Py +qwAKCRCEg0hgbhmUnc5RCACN8kaupTjThka7btBCoj6Gog3pzsEDG11LB29Vaj/p +ai0V4YflVNYvxpsICV9SSnLEVpc6l+i0rUMJ1wE0o02xICfx3YZbOdPxKvx+fABL +8Isw3BISCNh9deF+E85+rPAIoCsGCZ9jOhWGe5E7i/z//RuMUPMD1fTVcvgvx9C2 +vaUo1gwnByezifQqjvTuQQTR5gyy4vQ/cbyVMbQHr9sAkFQIlJgiTuw9BFuDVcAH +1i3CokexxsRMxJlgdMTfngpaEhzZcX9AsFN5E+Okds6UXYR4hol2x8mj3h7SxLLw +gcFIcvJS9c0hisSPtErETpLZyxdkByaOIcbCUHEDeWNTiQEcBBABAgAGBQJR9ZtE +AAoJEFVrTR+fxJjZp7kH/0jOeWP5DPKD0770kj/yaSDH903RF75b2gZVqbJcYGs+ +YnFu3Gf5Z3wcZXf9Ih9wg3rdeOxHPR1u5t5G46sbNK/JuOHpIR+gsCIk3KTX7VbY +bcY86hov3YZ3gCdljQ5tf9w15HnM6d75FlUqpntmLH7eh7HaITiSDIwByaABc6QR +LGVbF95i6qLRJ77WMpf+He9qzEcAQWC26K2xRdEAK76nlljOmr5ByJZCuLoYkJCl +3XrGT3DAzibCM/5JGTe+tO/5GlyJGNOVBWm8LlGeUleTx2aIlhh/bq5w9pt0EGNf +r1xa0lp0S91lvwUvHtbxxvnU2QrgWRUDo3xT2zBISQeJARwEEAECAAYFAlJVLtYA +CgkQHoC+eudNYW7ZPAf+P0kC7rDFtDEfUbr7NuCnEzR7JHR2nJdu4USUSIbTN3tr +1Aap2k3DbnXBuS3PdrxVdJ0a/h8qaPHwutew68hDkQPVz2F1BlpdjTUZ/9LoeDP2 +O9k7T+UNWTGOtuFcEiaZmiX3YLvBJWmhYqj5l0cswTUn32bkOoCzii6TYFbH2bQN +4focvsJfFjd8HZyT2e1QwUIpZJiKrg2xwDPkLlXtDYK2j2tDPp/l/oDuHJnahIX/ +PkZzA85yEOcmVgLmf5scEg8kuoOU1VsMoM+7Lw+1U5gsx/hs0n2yyGUswzJ6j89t +8e8eZh/DZ6XoCKnTPySs+sKmfj2CqWzbTX1eTYQLWokBHAQQAQIABgUCU7fdfAAK +CRDdQPJYqs4B6cJSCACxYmT6FGrf293NlA5CziTHAO/1Vw/+3XR3BIr0spZvxQhr +T29sgttZ4jYBJ+VJ0X3FeaF4Z+1Di/NXsHlnz1KAguR/9vEB/RJz5F6WXO6/PK3Y +LfAUf+bUFniBmhCoZ6G9c5pswAySs/FpDF6XwyqPZnfrpHX4j3BUNFao/jstiaRL +hM36bRkfE8uT8OAMbnyXbtBVJ/iH48xpnmddi/xp7JiXU86JgKoePB14Q1Ss7hUV +XI7XQ+f45EiFtUnG1zR8voV6+m2mzV4eBB0NzRrwSXXplKjYVi1V0RFCbB6qGriQ +QUzSPuIuMUrFgw1WVtMRCNZ9t24q6yePv3GdjXy8iQEcBBABAgAGBQJTuRW5AAoJ +EOrF6/B6qcKjbvkH+wZ/iDQHP81hwrEM031oyoQUhnfWc8MCy/TVUCzuybCf6DBP +tCo3kWhjviTQv+FXY+Yh1qtr08hlE7xk+Yn8S+xOOgcFpmQEYk3wYNCjNAKcksV3 +QKBBaJXV13El7mh5sn/OyT3rLsT+zSGcDyLNPMvCcFUxBbAR2Sdbel7ici8qB/IF +YmyCwmEVGEybyXt0cNLXKpQqblxb0OK2VGsmxy/lwvks4SaMedF9Eg27qp690JMl +ghVWy1GsE18d2NPF0qgt+ScojlWLWC+vIB6J8yFVnEmBOFnurHH35djYzEAs9nLv +yy/LPJkTtDA0OpOVEK7kmlMIXwn4HgkilBmHhiWJARwEEAECAAYFAlO9rBUACgkQ +A89KCrPHmmP/nQf/d3vYiRMdA5lArwL7RMwmQhO05dQZeEM+NUcEzlx3w9V9pOcO +VDCk3QvtI0IvS4SWTiS+ntCiMS3qei07Inm9Pu6G8qIvkCizz6nNBZbGmUXRYZuM +t331Q0WotbrqfKNBvLHA1ax4ban2Bsne5kmgkLCM8Ntx29NeljmfaX0gwEivr8n8 +Y6waxkkQyH77KWVKBdM9xi0dPNlz+I7ZHZ12y+XY7McP89k6PDb2SwioG19esKuP +m7L1vEk6APfkiAYnoju5LPlf1n3ravC7h6gWgOc/ntUpVzcccS852ElmrjIZqZGs +HI4OB4+6bI18i+M0wFB5sJpqerlGULhzvW4sj4kBHAQQAQoABgUCTMPYfwAKCRDC +3ufzNgQnNCXFB/9sv5rBQ3E7WuydNMGPSn/jk1GCmygIW4Zd3sp8QpLO5PmIq2lo +2rbsQ3c2uao4VR45kPf0mkS/tBeVxh3A5Hv9LIY8GVicCBsNGlmC7ZUdUN2sqsgP +pvyYRodj8VUEd1MubPok8kVBP/KQHFDRrna1ebT8CT/4N4yO9sqnKJlC72ibS0CO +QY9ybkB5JN/m6hLx5v3EjQnmm8BSpXhZZcF5e0luJi4EaHE2X2S0anTNS8Lug5t1 +HybMaLpr0m+PS0j0i0gXsX09M/gjOm0lmIfQT86iexyxqJ4p8KhgNM28Pcs3Xdj9 +AcfrfB52DQsY5E7IDDWBS4qKwoXnLjIuPt9GiQEcBBMBAgAGBQJQIOmQAAoJEG64 +ozCszoCt4NYH/3X00UKENWtlQW6VjBdSd5tas3Hih/uy1DMlP3DGklKDZobHdT72 +cTmpDsRG7VUnnGL+IauHSpmeX0wMo4LNy2K6/mcGy4xzqz3B1rcz8JzyvwnG+xSE +oyIl5c0HYRMYoD3rGUiC0XQXbpESWNc54wdQMI61s4HlNmxBDpdYX8O47bIZHr+W +rhhnSggr1drSLJ5R8/rA0Onx+6bwN0d/zK7W9chu1w/LuJ9OVvRq6YwI0N/UDk2T +IBs1vqLXkSyH/AZ+FclODjg0vId5oDGD0MAcAhwX3ISmM9CMI1mi1iw3voZdJQBm +zNv2XtvPP+W0wWTSdek1U1l2OPJCP0d4fTaJAYEEEwEIAGsFAlPEg7QFgxLMAwBe +FIAAAAAAFQBAYmxvY2toYXNoQGJpdGNvaW4ub3JnMDAwMDAwMDAwMDAwMDAwMDA0 +NTY2YWI0NDRjNTQ5YzVhMWYyMjQ0MWQ2MjRjYTNmMmY1NTRkMTg2MzE2MWQyYgAK +CRB/qxFCZ+T6BOd9B/9NE4dS2+T362o3Qfp4se7YZPT+OwmH152J76KMr3RXSVsh +T/t7S8IQVRjpXSZx6D25xkIgYVHCV+b84cwVsIt5WzgGAsbAGLbGpd9LXvlZ2IbG +r99aSth3V/acgCCMLeWHeP2lDZsA55OQHacvwqLG9gTKhgtBWps8UPym8ynmKetR +QssXOaOtNZslNISCfpVUEiFe2F4TSsfQFJlDj0Wtk9p4Dwo1Gh/b6QV3lgyEQi0+ +DAldhX9um31HzqBvazfBdoqmcbmZm/3nQ5lCtkb7kx3XAmfI2gE5zw9ngEdQWUw+ +0HsUcxDFi7jON+XAcVjDDFS0X8GBkz5F//189s0riQIcBBABAgAGBQJPRDFRAAoJ +EHq3K0opBLYfmWMP/2lYAH1zBZGkXNlEE8AZZdRC6nyZW3cw2ifzAiSB7pkSlXGF +8tqx2gclBoJUxKcYVwwVk9IabmsHM8O6f9i3iGjIA/v0m95t/tz0nsFPXb4ilHpt +HA7Vq3Vd2N9OBZ4KfXESJ/swz+VCW3aRNd6y4Ig5kmzbQrAZxoLdFmNQ+MrC9kis +XZW7UWwrC2RMnsMP/oTEj5qAMCMYU0QXxclUqWWjUKwTDeFyjMHLpNXtmalRo202 +VjP3NJWT67MP5i/GV+o0LGJBo1PHMplhJHHpXb+3pKjswaS4YJu89EZA+oPXvDth ++dt34Vxf2EVfjAaheM0Nt5f/PcnWxxJm7w8znMZ2wrpLixKCUamuzKYb7vzSesKz +pko/N5YY7yG6gweHuJpREMyQMrTOxDU2TIOhvnoRzwgTZDQniqbeuz37QY11nDeW +jBf11E72lz/QzoCvjWG2q9DbpjDf6tcdfLEdtVJZMqq+4u0usJOQmGVxF9XkPhkN +8QtEDBNQEjbN810+MXrs2y/4BLzA5ZHSrPTTulVl8Kg/WSyEgk2A7kSZHx0jNnJA +Jgt+Blzq5dA8Tx2tmP+nCpDxTjOT0U28mL0tdkUwh7a2wVF8/eSQAxwVjXHvn5q1 +li3gCF02zvzrL8q1+jqmNqFzl57xYIDihydS2ZJvZC3zDAgo/mZrNAsMXPCwiQIc +BBABAgAGBQJR5DlIAAoJEJdo/TzEiBXyJmQQAKa5060Wm0kjiqKpLQ2SdR6HETeW +HZW9eh99///QkdT88Apu3IQJ/6rQmg/rhUUmcuDPC5p6X+pe4s0ljuoU6CTyqBOf +UThJ4mAJmv9c3vkvZV1DR9Ss1sYLvVinDWXOzmzkYWGpYLhDVrxiC+sZW/LIsnL4 +rV2MhuexGfZU0hl2/jCB8x4QlI7nSNndx+gsIgDk/MEeuyUUHRTTgikupE/IpJ+d +vjHbT15QqZ6rzYl5U+QKJEK0JYSkkoDMwNk+DGUSbppeeMZfsEPX/Jnc0RLQ/8yE +bbU9ebvHc7aF4K2K6tfdJzABUDXDSGjtZPC2LbRpi7s49wmrLd0HiYQD67/FB4aB +JYz4LAyaZlSeny1XsUAStme3EPqGRhZxYmjFgc3it4JYu3MciKlXMfLF6Eqc3EAP +oKUTTxAb29WghRe0mJKue9PlI1epKdiaPh0FGu8QGBXzG4ccQHPnRIQ1diLhELtq +Ve2RrRR6xOvMb8iQZDWoENzgRHeKvpK+4pObbKdiP38SZ9jdQJcjaBRLTQIWl2xf +4pJ7XMCmCOe3+fsskDIgclg+AjZJnUuI4rxeb9s8qUzYML7A3JJ0LvixSduoX9jT +MgW6y737/0YRwx7rPQqBwXJaC2ptQP7SzTf2uggPt4Wz3NT8tTuEfQmegEM/RYs0 +wkRkdueR1BLFjT6qiQIcBBABAgAGBQJR9aduAAoJEJjvC65Uf4dOBw4P/3IY7WSo +Z4F72iU7tMky331gXvB9wR3bb/DVGqwcCb2puacvCYdpoN1Ck2CWaoGWqzqfa+R3 +gOXE47yG9ufH4DyCWpZ3AxfI3P9iw0vHgjgBurHjmOrfN4qJEUkKxlSnDLR3JwWr +2XR/F0SU3GD060GyggplGQuErzjbXJZiVm/aK1APp+wUdIca6VYGJvqGrrlDJKbn +EuID/AVUSSTTXy3N2BkqrnwOXX/03mPhp2wNke9nX0Ebn6IFKVVwToqXD9cQ1wsj +/bPw1hmkXXO9/x/u9ioW6MkX4cLOuifTXkVlB2hV+JNKtf2VKhC4OkFgqzgCiqlL +UZAbhAIn93hXcViBc+QqsyGxCqwXggrIaBoXtITxDGT0EzdNEgtVuojVpUMOnOiF +cWZ87+tQ0JWjwGyj3Gn2+bHy1CJJT+stQ9BKZ1wEwVzPp30ZWcpc3A4cdZ05HeKX ++igyD1IM6ho79ETSf3uDqT8v4Q5+P2+sj7ACiBxVb5p9TirnzxZh7z2pKrS+Vo3s +RYD5Jo7B3six4sQAVik9b69LI2UC1kzdYgtF7HQOYrVmdUWspwklidbkbhaEAltE +NPXDlg/rfr9eF80HYwEiH1fAVogB5TpcGWkd8npu1Id3+4pwwtO8CAduOrgqCYJ4 +WHp53sODnMJ/cplEyUD6eeOQUv4sE0B64AUEiQIcBBABAgAGBQJSz1SNAAoJECaf +56yPePSvs0QQAIKwhpMDAopYq2PYr2+eBbNmrL6TnV5GI4TFYqPyesMDPv41kgzv +oFkGi3I9eRC3SliNXZnl7DLsf3kvZ2Gy81OxDZA7NlQUIweY+k+euus0M4fYfaC3 +l8QazOLGE6vpfdU0yUVczO/DZ3Ac4JxcaxTqBOocjCpJoLgGA2EcrAclRzjGIATM +mGMVAPgLs8+UZ6iAVaC/geHOynK+Ml6siwm0AXE+O7reBvl2/jAGrHVv6zh0PUxT +w309sqRkhDjCHgKfxIpocaqP2jgSmNlHokNIyrwjlIk88vVRXQZnABld2ZKzApTa +6aQ+oKUQ6gs/+cGAzcqJ/6jfWWcIgO7PVrAHiDBF8apbWseJPHakoZmpaxU+5N7r +89/uAjxiRto+0C5UiNvzB5sg7A6njvHozhGm74szUqhz9t5g3B0ubIWmX5TP+ap8 +bLQTg6pfCdjrGZcg6AOp3Ofu5RbJ3652CPh4AoU+j1n8jG8/5S7sjiAKcWs4O/hN +mFEGi6d6c7y8ayqF8HC4/Wnkq5feWIBOzKv/9i1LxOs1pUs28k1r8n+3aqNcpDcJ +rnu9g9bXvEOdlic+HnAvrN6z3DldqX3ZKUntEzopX+0YDHitCW09PLJ+z5LEhSvP +KKRGW5XwcGfMUG6JqK0GKXbbj5rpPCJIUrCBRpKORzOXjJq6dQhFZyc9iQIcBBAB +AgAGBQJTtpcOAAoJEBbVQsSdZ1Ho6NsP+wa08NNTZLKdd7ytTiUpTJWl2VxibgtE +HJRgY6I3z1nhvlZdOhzCNEhGMjmE0Rz5ZrIAqGwh7+kURJwcDNb4vabw2ltD0WtI +WKQdF0PFDmF3MV2w6JCm0G3oubEbOXg7F4L38pD0KOpWqgjwdFX+ILj6eFuLrlCz +06IJmAhpFKkCqXb+rxDKScLPRNA+vu+Shq+lSFeYimKlkeE0XCbCdrneOJc4M/E4 +6vcqJJOWaRURLFaGMTzk2rFPY7PP1xfs6qvBJSklB7ye+5bsxHRslgr8y0QTT4gA +zP5ccjD1+s/BVftv6kyiDIoBP+82pN3bBg3QKijyimINb7Jh9LdIVCh23qg7EXXV +KCXtvihZ6kshk2d94lQaxunS/qZNEjaHKLSr5aLQlL6AsGaNLJdCD6LszU+0hb4v +5DGrnX45yklKdTPEXZc95/ChhIBItBZDc8V3f1uVNEDqDSbONuBnw8W52Gd4wLZ8 +3xIQeGwmoFQPwHlkZGFrUclAGaqbOHXKONZsQX50YYOGADsGcvTsn/uFlPKSSx4q +M6xjqv90CchQpCi/pSlY4IWhJyPDBlXJm/RBSSisPb7QLjAtWKBLG6OAqjdcwyvm +2vjQf5aBQL7EwTKOfP8O1nnV7+kzqf3hYb2693E1/6bWfInwQm2XD/DsRSOtBQM6 +BeZNa19gOB/MiQIcBBABAgAGBQJTuWVvAAoJECBnABsbZ4pjWmYP/3EXG5UivZKd +52yZJH9gYAOI6bls2vllMd4SgxTmc7gGFtowG11mD4tFEK3bCODZX8BFLFQrBCEr +YJsRNjLiIsBS3FAxFf11mFFSm+IsUrhDOd5gNI8sdNG0Ij/90c9mDnZ4If3SyrSA +YBqs+IPN6RULpjo0jA/kJIP12fBIWuV6q84rhoX1PaiDYM2q5/m7Eei4IgCxBiuz +AsBljtsZyE/vtomgmb7NhY5dOP6vQWP5WgS8Hf4T9YtAGkS9K77PMNNOXwsrncJP +dFzhmpgP9y0xzPj5SDmHUbmSY1EScfEfr/d9+Q6h4k3EQquObfcwFQa6ObphSo+0 +erxRM+KdwauDIYH4SyEWKGMLR10ohLLmVsM+b9k/tKWjgsY0sBUepUdDxhKHesVS +3vkjWrhJq+4bKyyoXTeH/INJ28wAN/H9sIeyd5/WgOzDXlu/y+dd4EOCBCa4viv4 +N1iIS5J6LzOPoP0iYjsqMuVYBLg0/LsBOyceGqjhBWSF7z45zPTfpzcDeJamyeuQ +C66RbisigPC6FeG95fUvzfYxbh2xxHfx4k0ZddxXx2Ougqbu3h33UxMjwK5xGfpb +zM3sXC0Dc2IWNApi+q2me5bw4A8Ah84qggITN8un6X4wCatr9GeG3fSRJ9DB20Ue +t9A04DepXuFk1o6h4S05djIG/6fetIMOiQIcBBABAgAGBQJTusX1AAoJEKIMvrIA +DGUVJP0P/1SH8D+WC/4YjQRrQqgbSTUT2EXsa82RIUWTdEtX2BU8juoKjU9UI+O6 +CdPQcSwMtbkMftHkOBZgdM0GRvtQnS4/lbmxuO37LXvXZxMGQNqZSNZkEJ9GZy5N +AmPJeu6oiQgriOX4VP59+lF10KMwqAxF19TK25WCVjlZTQAz2bZ639LpJM1Xlyfp +Re4skR7E94SdYlpesWDYwg+oLKou1f1qoFHe2V9w3Uh9LkUos7QHKKpFLkQELPWV +vi/Wpte6/AEWKZPauj21MyvCSuyVO6sHD/ye9TXBdVY+NQFaSbiBIFZebWfnOtRe +4J3jPQAGnk4x4bk1uDuKB1UqE3rIqIBHx5JmUZDUhYjh2tj9msfXPlAPpxNuf802 +nUND00lBXWqWAnrzToIkhs5qyfPituVxBkY7O42OwUXG5cZHzdGFYv/0AHQIrudw +pDz1a4SwV1zK2bE1NiUbXSNFFeSHVa0sTHh6rnrCFuzkBKPnLBj7qwlT3N6Flhb1 +036edknm0lQ6lyAKf26hhJY4NksYwNl6uiu8EPlm4El7mzieZcl0fHPUvuW22MrZ +antKnaGB+3F+IQVjAalbkX0VwLskJYUmy7qfuPDtyvrwAotR/EGhVrLHip1+kz+W +vcuv7//HvWwBDTzhIi70r7/csuzb3XblvaCQhAPXfoC6J3yq4JCPiQIcBBABAgAG +BQJTw2jpAAoJEMcysdHCj04vl/QP/25yatFMcJNRatsXPH69yeGPztukU2pFw+vZ +M08nJbbpytiFnhQws59UXLx2DK4qwo6kWekL4AVJoICsPBVR+ntASYc7yoS5mhPV +lv7Ho5ypSN/UK4ls1a/NS38h77mtYx8VOMVj32ySd2502osJYe8QcLpIZjVgxfdn +9LP7biYxe+IRz/W3EkadyDee8TpBsYMIVB7HjmTyp8+RC3Xk9PuYtbJw2T2AYjGO +RuAiKqCugmz0ISnVuSVui2k7DH303b1Xklx9q6vCo4hFD54P6iMDnge/Pmoipjd6 +VHsoVx6WD9xbDa9283DyzMSc22E35pm+R2W9QF4CfU4Sla8RcW3oxOq/UME3A4f/ +rubL1QA4BPGtCWjOiE6NyiYdJTcGq1YeGR9p4rg5ZXV4lFaqeQJnkoKkwLBeeAeF +aVoyDXN0YwL3IYUfgaqj2VSR7KrDLl314pjsl5utMh9inzTryxO/YablXYreT280 +R/ysp5H7pswSqzwymcP3XvLcQCAZ4KwpazxQ0bzkh2vtX4D9jSWQRUvShQ6H4EDB +oQB9wM7NtVGoJPs5N2kFMubwP8uMpR37Y5Bwv2UZqLmqJvAbluJy2tTAsB1EHdUc +E9QkrgGEXGfiUP2bJCADklJkS0diIu29cLYG0aY0PSVyeN7tou1ByayZCRtXbY0I +a/xj4XoGiQIcBBABAgAGBQJTxONSAAoJEB6L80kjKRJlG70P/2TELXDtSWC3zQVU +OxMmjCQGjZQbTueHcwA22CJ/Yy97mIYgxudUp6AOzoLxuN4v2Ug1lwI84FZ7PcVX +HqS/+qny3OSdCcpJ0k6zAvnmEBrA8WHRI7JOjCtmNPuJXLsyEgn1NGOnkEkfpo8Q +OAWLrYjVV3ktiPd54Rap2ICiyskFaJq4+xMZ4lrWVJ3jGKIAyvarel3VC90AwDMf +QSgfaegAGOxFUrumMLfc4+dgYx0Y+HHjYDFbk+fYuDCJwyPgPJKEImT1P+mkw5// +jkMuCJQJWoWxuithe8sU0+yvYrxNZZidXv6WUfxrk6MPpRs4Td/wv520NPHHKlWt +WlT/ppGKVGjsKSCvooTBbUH+tfLxKw8VjG1vOlpziarc0IKtNpmcMHm8wWCqtnDe +zjx6ef88x9uzOhQdi6Lpq23IwPpWbqgjSAYDx2ZJ5nanjxFQB4hY0a5Vum7WOQbt +Tn85sZq80xSSEwPnZMbR5OBAAvJk+Ttpy9vhLtMfxKbVLROA8EZ06PPHsg8rbx8Y +HA2gxUp73N17w9nx3XvcKCSvTVtk2p8IR8SUuSdwJ3alArKI8FnFX82qJLEc6TVz +Msds++srrQKupbxFF15aDXwCSBMMC13FVk4wzUlQKjFrT8q45e1eK559QSZvjJN8 +yoCynmiMj8DPOUxyzSou2nko229+iQIcBBABCAAGBQJLDwTeAAoJELrOFdKldJj/ +t+oQAIENEP68c607CSFaJHrRJsWdkmXkqvFYfCmeshXeELLnPp89BoR5X68fGoBp +9JvR1LF7Q7rM/ZQB3wUL3qrHDiDEl6RJ4w41eAAekzpm++WUDtvtzX92oHn3xGxs +OXz6/r6VrDNvJRDpaiIqSb3z4QqRS1SX7njLJTsiUcRFE0dL6tWF9mp53mMcOZMD +J8wwG0dtVy1saLzr22Osn3MMrbUAQ9cXuBYbaN1GKEjMd0vP9hk+5MQYzmWHOo7b +kvHjxF6mxdfx1Zly2sxKsSg3eOxtCBH7wY+WpKiNgC1WgbM8YnPLbX/BtQVZfFhe +fvMDcgjFORGHW3cHFaMFDNCtgsJiyX2+6c7UvhehPfhWZiqYv4u01KAMJVs+sApC +Etfw37zZfPhTXEnh3dcZfVodC5WdWqHr0KLLqpVpXK/cn2QvBsvBwWyOmAW55iIe +zRys7m5ODcPMqww6EKvGyadbSCWfg89Vqr9DYIOhAPQtOdugNWnCFwjJKbCT7ze2 +hZWkhTczJNFtUEq378Yg3CrBaYgZBT98/Cgjh5wgYUeY+l9USWZuMNc+J9zsnG8q +0IG5BrHeSTff/nd9/5OI4I6KHRfwyRaGBSAiIFiCy+623w+HeZ3l7CdmDPi4Z8Qw +T95y2UbZMwZPWlhJCrzmgT+ULZC5iNNpeOvoR7krR6MFZF6/iQIcBBABCAAGBQJM +rbBrAAoJEBICghy+LNnBYM8P/3lhkjoSSTVnczX49FB4pj09osZTrWT95lcMui2i +yGobxBaKUP2Ni176wTfNXndeQb+JiufnXtE4Xs7I9wLmVBIWyKlxOqwXuqWuAyKh +WdaDkY++NWN9TbhCjmU9kK3gdz05YUky7p/0FNTKRoFrZCqCT6VH3sg7bTDPG0xl +fyASXOD4oy/ojBwHjsOAUJwGnW4wZ/GICBik9dSzw/ohalrSwUrfD+jbz7LKJElR +1Dt0OHK9a0ouVJUMht3WDpx8nh0O1R1qJ7XWjGRUnOL+F2ByEU/zkfuRKiTxo8VP ++bKD6MrD5nwLx3gW+j86Fmi534k3kfVcYU3xwE+kU1yV3cippCBnzF87j9uJvY80 +lpSQN5vhAPodvjf9Fnci0gNpRj/rbe3YWKpuhnZj7NCltAimtDZmdVBYB7LRVr5+ +X2oqPgSsFXtsPibVUYut2UkeqLFdszw3KNg7lPrPhCCzd0jcR+TmqNHkJ5JWyA9j +oqrewdMTWwWlGw/+CIo31yIb1Af6Qo5uvjXCt2RuW8RLqmcJ5Ra8q9IbXSlzSiH7 +ljB3ue88+UCtKRv2eqX9NK7cQNaoQMRke2vAoPjcc/ciuQbc1/rPTwG+IpgAJHqi +A+1w2SX+HEtxPEwvLACjwvWowm07wXXc12XthvR06jxQ/SBiBQqFX0RwIky1iXTo +CVnPiQIcBBABCAAGBQJOTw23AAoJEHbPUVXUla+L95IP/0Ydvteeh6B3b6EKBEXE +6pFmBP2JBP/ZtNdyAkZz1a/4dwydZud2mmSyQLNf8BJbycq41yKS4EpwpzKLlecW +M5UqYjB51oSZwb+1taGL2ZqSh1sERO7mTSBt37x/dlTbovQ8CcugXdm93czd4oVz +1K303mVYRDkKkXLhN1nJY24e5ZV6UA1xhItKvVM7riD91BftnTNqa81kXBG8mwPd +gTAMNVDUUlM45jqvHIgpB1Vcil3gxYuFYjsNesNkOGw5p9W64CilDDbOEgN9gsAx +CyIklS+rJTDrqMqDJmTyK92r3d+n/rAtLXyp3hyEOeCiH7hfHXk9ZyNDPbaelRoI +e6Qyk1v1r0bI82K7rU2AtFY/oRgMWiNwWWse7QKLl4avVJTQxcN24AgI7WzDaHLX +KUj+nFuy8PBjE/oDRNCHHq5EnDzeY+m115MqePHp2rCBw5oc42qnTk9ao0Es0Ul9 +sVWTk+rQFhgHXY5w15GDBeyC4AELKyhjivIu/OObK5C3H3b/OHgZllvKBT4B7IVU +8/cqgy+hRxUsKu0UGNTFetgoY59Da6NRn8Ipr2G2l1nOWXR0f2/zl2fqd70MCqtH +kZAQcArnMn/ZJgI/RxWYt4nGzClL0YBUF3Wo0MhzWfVHK/4F7d/7uVfDV14uxtMC +4N1ktjjWIUFBG/kukWHWjdh1iQIcBBABCAAGBQJPBPtBAAoJEDjLPUQiH20G3WoP +/3oTIbXykutRNzoiSQIJhgyZi+JF2BUWqsiUgofNDlcyfqDeyaZrQ9IMdUrQ9NTW +DcX9lB8w6gSqnQtf5wvFX4cMyrdtqC5s7sLhTxW7EAqx2X4rAyF9UKQsE4zX/+Ev +HY4wAk0ehJC/AeaQJysoKAyUIINVvO9usivM6xT9yG5hp2MONOAcQrrNZRac8r9k +6eQZ3THFfyOupkiw9Fm0qc21c8N9N/PM2funORLeURAKpJ1Wzc59jHyuteDUdk1r +S2dSGPB/8Sd+NKIL5n7HhHCuoRDVNECx3kPJBj+k0zv9kYOviXFmmGPaExzb0lLc +WQSQStyzylUeQnn5lCNKcIrCIpv/20qTdq9bvJEL1/EE6dfm9dL1FgDx1F7pf7rk +se2cZMiZ38emXNlUcngvh4ZpzYtDgiDk2GM7ZmYHxLHWm5U4t2cRzIrQUAm33Frv +96Mw1cWZr1Ez7DQ9UNTyWDA7SHY1X/jq6lrADGb2SAl8HHXlXKsIPsBnKf9cM9Fw ++HvtvUAjkr/Wk+K7sRj1BjC0bIGwX0CqdwBYmwKd2msEDUzR9Mxi8LF1Xqm6h/Zx +Jf75VB0DzQr5ufR0ZXtDbdLRsRh/aJOukO1BAYoqR+MGKe2wPFQcxlB8HHTrAvtB +UkwCDWfruAyJLLWQIzQ9x9fogcKPEZaOMvm5dboBFfohiQIcBBABCAAGBQJQM6cA +AAoJEB2EzPAQzFvH3L0P/0juYSwXDB49JpBh+cewf92iz2K35jCnK4M1nLR3QXlI +xRVQv+qu9VpTDr6rWNL/L5Esw8dfg6/My+weXvnY9SkXQWU7Tuxa9Kug+TqxY6BC +7R0KzmeOqpTbwGePOwjjXX5yPrxfCjBgAsnF+kDCo75dva2+zfxToiwwqsW6ctMq +P5S2ekTjW53LeRRWKJkrp7EVedDb1d/ieY5lFR3x9MxEe+LlZHkKe8gZHQlprAos +wTZ0OpSLmR0k9oORnbF08QbJ8D6pVTmk61P7cAQKdbk2QhgJZraLYWWLPPW3uXg3 +ubd4pwmPBJRiEgTPD3xMcRnQBs7XOYJ1CBa51z5RcumAfW46PghvRngQdVteYTWb +wzPaznPzph9JwC0Rg5nLouaWaaJryvvmAsEHXtyKblyoPbV5OJxfM8LEX4rQhDfM +YN/HRcxXh3fCSrjhKeQMIJb6oAmknRFocxbmOw211NuTHdKvufH4VOlnRSrYM2Yz +gCcVpa25NA4GtLuPJUqha0YF3RCAnw3WVGndCsWXH575Gss7v7seX8divk9c6a34 +oxzPUpGED54I3mIxOxudcd87Oj7Da0NU6wbnypKDjrfyFFZQpal76X2J70bYf2k0 +XmM9Ie58FAl3IJTGHmQQg7cOFqcLigGhzD7sA4o8xwKAAU3BwQwSJ4HeYTrFGTqn +iQIcBBABCAAGBQJTtWkdAAoJEAGiBQHoGku6oQEQAJmBHaiTfhZvISQYbpXl+Uvq +mltaqRXdrWwOjz4cIG6re+FQKmA6IcVt7CK3mjrG+PVJzuZLMqzX/MOEpwG1iSSX +wzQtpJKsMQSvaikV+B+nLRkd0SZkJKNvS1Qths4J2nZm1Yh58dLLJhOxympMezPT +Y+1PNX3U+rW/T4CD8pHfR4IPaLYrb/SsaOUfAHFO3yqlL7qqCNQJbxRd7ipqYmLP +r9GQvhAa43zH299wDMwOvEDQFcJnjq6NSN+0GnA1kqzW1bm5IQ3SueOADWRURqdG +mL/3CwRG95Y7pse4UzFwePqU3hv9y5T7gLu7+yA3v5b4eDYZ7eiCtGShbbXcClVD +P3F2F2p9im0tbTF6PJv21Ns7T7qMhxbJGHxVezjnGBMemg2jz3D46AKeSIs8I4iK +0pA3eDSGrUZMCKfUey17pCXB3Tntz1LsIpk+8LeO6m1sihpi0ihPHxadDxL4P3zd +zRfSKMVsPwC0E1ikZfIqvcIHVWXjIMGBLqUOYrT/wDBqJ4E3a5Y27fX9GaYIoy0C +92UUItmG1Ycj91bQrhjibiKqd+dclF2fVBub8BcjfbsldI/p/pnsw5MdSeLNiGJ0 +9Nh/Ltc+hN4WJ8ncZ/NW4yKkx2A+O81vwX8TcJQq7ZTqjOm784BnwBZ2irZ9bobJ +QazO/BhPMGjVTUJ2d3DAiQIcBBABCAAGBQJTuSJUAAoJEJwxUDxthmOW3qoP/i6K +4eq3kDwK6nx4i/WFh9YEJokl6zMkqJ7k0U7h15FkQmKZ4iRgzZpHAzDOPNY2xH9I +LSF9JgxJjNqohTF0Bw+MMP9OCbdupAfQKdsalNa4WZXq7x5MsnVMyjQkofJwUJ01 +SJP0OWwFJx+sFWN6KC53Ai5gggzkRMH+/ZKMzxZgnrFNM95zkMIyfuJ37uoeZFLT +aKCPo6bDwvJXxWBogKjekQNzWEyDr6nttwcy426N5Ngof7fHFPZP4pS2mXb5uD1x +m26SLm0m+ejnNx9kXYa7dTT/PBlNwMI7g5kk7nJ/fVCCs0z/K04x9fzeIWD5LRW2 +8bto2k+MZmPD8ES/WzZHAvDSbdJap67QzOcjqKa1zhwaVjRJc+6utLCdqACH5Y3O +2kfxMto25PRLyxQtcX7lVplNNTVHpQmfsB6JYOXeu+CVpnRsdz00r7j+DoGvGZ40 +pv5ntp7R/991tblT38uw+kLVkrLARlA17WPAWm3DWkKvukZkJu6jFc0ceD7hJ/zV +/36Hi1K7ajMRx87x3/jBh+rtXOK6dVPyYkcGHkChsPu7NB4fdQiCxWRhz8p7MszH +L7L6xr3fV3MmrHXLrfeu7npeBsymY3vwy+k3eMRXtRKcHQ+qgpTFWmtTwdFry5FU +mrXOxN0gCIEhNVgHjtWs6wOPWidMg/ey1gS2cUvciQIcBBABCAAGBQJT3DxvAAoJ +EMcysdHCj04v0m4P/3+OMQwT8+Bq+HoviKwY6ixIGzf7ItHIKProBcc/1RS/WcMf +wwcepUzbRgeAJnqcxhoUK6S7poAYggw3rXMOIJ9nVKsmAldC7dNU6c6wlrRbxwy/ +z6pNooWCkxuvK1lUWMllqGa/JIb21049cRx3AMw/noi+jatoMdIqJr9s0ZOZxwbP +7g48mNTJp+dTUw9icqAqtOrbQqMpDLYnwmdwg5dcosHicyeClt1WzTR3lkvMJ5bq +Yu/SWhdMFjF/AzX/uW9TamfbjBrrL9eqk0nPMGuDi/WIx9lkTFzn5O0hqyKLtjH/ +VeztH88gT4zOePY/zKDU02ctDBFEXoRX9DYW+c/VMFQ+R1UCkVJsOq+dvoF7d+Bd +i31d/i+Cliij2wEb9U/+gGnJRrolcHgIkNofXsVdKS0YUyGeEvdY5FFZmmSwGSEg +ZUhHh76I218L4+iSAVWRLs4g8wiycpKkty7U17UAIMR7WRY95c5x+Tup3QloTvct +aI1SrsQ3YngfaMpcyyQKnnXB/qiKEKIEbQvx9BhgegzUdyChHB0RM/QzfF3B2SpN +bWTrxN5QuHvZ9Dm3kcRHcDQmGDfsn7hxgUi7AeqYa1JlbIAM9Hv5PCs5ghUJOiiA +eVTt75HCZ7kLKCTSuE4trbeR/sCAvrFcGZoT/JnpW1K0rIs/lr2qlHBt+3sDiQIc +BBABCgAGBQJQqmIQAAoJEDmKpIhzDhxwGCsP/3S8rQY+YYPUTrAxlb/cBMAtMIW+ +DLnRJbo5kIKPiYwy+KboSRYaqsZcV+/Q9FnR4NvXyG9GsIWISXI6qmXfAMBIf6IC +TEY6cJHPSIyf/Hup1KB0sHHvBH6tSkxaapIMrgYiU4BPh1gwML0P6a7vq8nEQC2m +E7SdjDAjgTagD+nKUd9wdAt6Ymbc+C76TP7L5eo6mftRG1jaoQwzJnciFKOGXoX6 +/tKrhPpCb9sUIf+m+z0yQ3YKapHb+UJIIAFh7oz3Gm1t3UGEJUK747G+89W3Qv5X +WiYt93AZPgG1VpMJd10S8hlWDh0ytYv7SKkmCNFHHEX/EiRg7ci9E45lNJWEMDEs +MNudZS2pQMXxnU0zdNZtyOkuXYl5OAHl6aZwmB7RQ5RplDJ3ySVV+zHqWPvuichR +QJhHgnxhTJcxpzEHtz7KUmG5cb9XK22GzutzerZC91cC0ylLZMto9BBP6zpv+rSN +d6D4Jc/u84NE3BGMX/lBCKbDIA0K7cSUFG1BMKa4hArVfjlP0L0JZOG5CTshOsyw +Rz8b08Zvrz/J4vsU2fPQnJyGRBf1jECot65JSxntzI8t2O5xhgmfl6mJPIO9VlH8 +XvYnVP3h5+B+HcZvclv9sgZob/F856m1vbhdeeWaCnOoNX+j8wBsa1EmtHgMP3bo +/ob7Ja/+AIFrgbu9iQIcBBABCgAGBQJR5XzhAAoJEA+RUwDF2QpYG0wQAJEaKRz+ +XBFiVU+syHizWdG6EVY/+vgdDxibBxBnyKoKF68rXHuEo2HPn2rAYuhCNO7uGTCz +xVQq06SfhzsOWSMJaL62TR3V8Qe444OHYmke+0jfNCrcesmBfGGM0+VmR5WfAufC +4vNi0SecppesLkKv5UOB6IoEyxkF0PYrX+bC4PQoCCfcZhzKJtMydro1gjeaIQ7e +taBkaoBKgg5GXV3DqEeekCiYy5DF+/LCst8zeBkhwCOAOVDmZu28YJYoBU2uKDMb +/1zoVnFyOXh2gD+bHoIQralY/vStqMqL86hTUIs2B9R6X0huzusMmnednSXpnb7r ++6/JGI9bVqVRhytO6z+JYNtG80WQTIZm2zHmb32s0r3kxCBSAU8uRn0LnTQHjTAE +y/2T0fdhUZPAdvv4BtY6sfPWD7cKOqrXm9vXZJuzw7Z/2BzQfM1SE0M6S8LK9inS +HMfgA6hNwuagUWWA8N75PCNnZYLmSQF8Apo31K/951MV2K8N+Tpn+aNEfEJctlzO +hjioW1mhL0lgXRIrM3RJlxpUfi+MfclL5NBiFIfBDEfCV2lUEVEKNV1JlGkptcL9 +FyrJD7jqoGfuz2+nwd66NYSOPNJcSTp7nTTMQ9ele9oF7MpqflCtDnW3rp6s4YB0 +Fj8BqxhNqZqpm+buBW7Piwv+Eeh15EnHiicViQIcBBABCgAGBQJToejcAAoJEE0F +Yen52+4TsgwQAJZDqERD9HuBAhOf8/Gy8k8f5Yk8PWIFx9SUp1rJqM7rWVhIoHrP +eoBLKfkQk+Dj6VE4P/q6nLfkSy1RRwA5cnItIsO+Zl9Ca0plNkxCrGI3NhCy9CS+ +33M9fcNwgt08zmj1lbXLLqvduomJnT7X3Gs+dILxqr7aLQUsmFEJGXXjtNL282+l +YCGL08J4ZUuR8yHUwNsy/YxwrAR+xSe93UDQwpnkFw/9jjVIOBQrtfgaRu41cwob +pum+sZCUkW/wHZpZ2s0U0MPUsYujiAlYnO6ocS1h58IHPQwn0HYmXr8N5hEpxVb8 +e+KyZEYaUTmEoRanWnyOmzz0ebJS65TihXR4Gblxf4DUSpy7/jedxJZeLtte9hf5 +JAah33XZZOsZUXcuE85x8r9BaQgDjszrtLFIzvYrOokp5khKzRgi5CmM6yGLzkJW +sH/EjBJ9thcyKQD3Y52+LV8u8fXiGhLp5Gm4vZvvQyDS1BZx9dYjWWTo3HIf0qoA +L+e9coSglHMBfDgIqmtuNpWYxdCThqt84O1MQCvs/4ejyYLj/2AluryXjS/Jqnl3 +kcZNe016ynOOFllI91kYkStbSwQxhjiWZK6ml7TRVqQNM0kwoIe9GktlrLdti4rz +ibevsdX4Qb7wO4TpswXgvXx4ffdV1vsO7rShlXiFArbhElJ0uD8U/m22iQIcBBAB +CgAGBQJT4HUKAAoJEHvDWU33wOGjONUP/RqgisnZgFqyZ+lWI8hjy9+qmVxOSQgK +4NUD5jztK3mKiZujRXYy7fVDnKvY1FB8TPPyXAoE59pQfPfYfSlWjHH/eeeZZdlP +gLb29IJThjaNAGrsBZX97zrN3x9Q94Fmp8V6WMLHPFuT3N1Ja4XHM7THhRlhloZy +V4DPTn8qDX2VfJsU4a59PuPDhedRPkvhFvdHdcBP6QpLzeiJdPnnbQqnZvG34kOy +sg5JqftH5Tpl0OXKxj9tCYVoAlkaHJEu3Cc9f8rHPZz8PkqzQLIzw4A5fUMy4qKI +Z7+Y8oLlnxbISwRROF/arTbKaagjHZ1LL1QZjUTHdFfvRRmI9zPB1Y4HA9ALNBDw +A8a0+1rHQwNqVwDuwBK09PyMeYU59JMaqRzr3vOvDXKD0OsXE6tBFGK/NtK5rqyd ++c0FeVtpcF2K7OoMNipaGuc1dTGlS4rJsDx1KNIXqgGhBoDja1G/cvEAypdzmLNb +Ejr+ChruwfI/q4JbWkx0ACQwUOszkRTloaQT1wzOLXiVn6IHEmcVIYBKB0UPmDX8 +yquhlSHWIob6e3iTl+DHCiCeNT9/M9hOn9dEgUNK0E1kPTCXian8djVSdy8fMDb2 +4ykqcDaWJOX6DA+ert3hivG8/Qtkl5nP1WL0dspWvHwExrYr53iB1i1Gbvan4d3I +RQkwQniSURoliQIcBBMBAgAGBQJTtokhAAoJEE2uQiaesOsLQKAP/3tlaSybBL7S +p+lLNO5hqL/DsoxFr8hHEDFpJTkEszPEIkjIUW8Z84H/LBwUGfF/a22jSjEAIr68 +sTvJ6dMdwlLgsollcgQVUyUz1vm+DXt6/OOBRIT5V3Whvs8sr2qU0NUUDRcyqYRN +iNCA6zJpcpwcbzpRsm3dLmheidQb6rFWxE0grYemPkPk+7v/HgZVKEP4SHIUkiu5 +8L+nRrFCfUVAG9QmQQkIOXdMA8KmpMtx5BKSE70ewV7aYN1AjQ7PyWxOL0rU5vJS +6Cjm1ClpMTel4pY0sm7aOGcw65a3lVS6WpI627BkgT5ZBK/pMkgQ04mwg3kE0C7g +F74DtuoP6xh7r3/lAo2C6Zz2hr8fQ3CBo36QftNBVgSeq9Eb1SBMBgM5PxOJCyvG +EhwABUzbL3J0Q2oMbDPeI9NuxkRCBYIWCHmnkN8cGyvTMIkG0FgBPYwwrgff8c/n +endeJNPK/eA9G9Z1X1FHa/l+EepMiqqG8x0ikyDMZ1CD9FeG0Lgj0qInLbbz38pl +tIoF5ZYXRTMXvHVf3j97ml7PVp0NA7WQQquVGPk5CQLY5wshq2Yxy7Z1kguo6urO +9RfggWVwhhItD3wwL9WVS/lhyOAPjuWVkdAXXWdVP6yeOyMUheH42WJiQ0xyxoV1 +mPy/YCbON0gGr9r4Gsb48MY8msFp1xmniQIcBBMBCAAGBQJTb26iAAoJEOaAxTHj +KzK79dsP/3Iy48NagCPTyZ+tBWhwl6kyS327oRZGb0bupLfzDAkqT3G2UP6QRimh +bpsFMJ6xilVZcJ12MZhz2cJ5joL0IaEXucCZo3spgA2FNrt6BZsTu+WxTe07U7yp +qaLUMPlSl44dpFmamOudTTqMk7oKXimz4XQHeEsCbtycSV5rzBFh0AzojGVl3+B2 +AFlyt+Kr2hcgXsRumZZSnRZULqAAV4Bq+9gMMdswYgLYLfzBj9rqGF8m/YLUTSBm +IB3sZE9uR3zGhObf9/A26Wg+J2G7sawIE+aMa27yWoNLBX1hVQw005XRYujLIBcT +VHrqaHbjHHH7zgnsut8VmIsClqXarwv2KE3XxigamWrAv3IBEp+diuf+8FT+rsY4 +t+uHW/6Lk3F1DhjtL0urfzK8Glpd3Ye5UiqATYQXJ+rfXeT6VHCcdpVnzIJ/46uH +H79v8vakJmHTXgm/CQEb/t02Y68Wh5tytv9CtK6/EGrkHxHpLaENZa6Lxq7AVHUP +jNVx1sODGiFw2hs69ZESRNF01eMN1HfKfUTu0w3pYADHaZlhCcsKmX4caUHIdFCu +3M3TRxEF2V4Ug7C/esFCohfSflIpkG8F9DdZ85fevrcIW2Me1UtnA/opNgFRUdKu +yKQFHrItiM/pcQw7rLMc6xP7XBdwAveCuRz4ro076OZlYL0adm6FiQIfBBABAgAJ +BQJTxtNyAgcAAAoJELPhznj1qk3HTM0P/igL/elNYsHMWzrFA1Tgj2LfDb6pAESV +Ga7XRv939Jrh22txJIj2uefkNRg0Z78SSlm7RBnuidc0BpuXGpFMYl0iLULjZ59m +3c8pMCHOqvFDYi71SahnaMAhgn+lwYx+TS4sIiYRy88gWmwRzrkQ79YguypwAsYz +JKf47XDyV1Xsc/JAj6AtmgvtDfBhJNaGprqOZt6uIAx29KLVSMejIv/L8z2bpyfo +6gF8BkfqY94zTsrsSXmwyeNgoxJigJ/MLn6vOAxCqoON9IC7GDxqaEaPD+i1uWL7 +okjtMzbQEXGjgUK2kFNOcZtHh7ziYz/5yrSbLvULNIaXCA17WkbiOlz/Bjh+agzs +1eLiaL/6YfQC6muZd3Qto7T9xjc4pne54HYB1v9iZKt7Rc/sF96WrFuk8sqIYDRw +qikuFnXTktRFq7jUivtGj59tZ9kQOsv/ztot5miErxy0fsS8yRHBH7X+Hv1pCl9e +tHYbOeCc6Sz+Y4vUEkdtq7jgSZJuA5uJuXjChUNBnvJjjDZDLwbRNqdKaF4beUAE +sPYQJ/3S4XZ5SBzCkKhW5BwqSj6L3MFp2DZe6qpfvNpPPyp0ISP7bnLXznTvqXBl +z9XJT4qRPiZHq5TMJA8f1gFuMUaaY09Tp+kGK9mS1wSAKg3jJ//hv2F1aCpYE615 +QHWaPD2BgPnaiQIfBDABAgAJBQJUu/8EAh0gAAoJEB0pde35PnNfA6UP+gLQ/zrY +8wbvRL9o5+Sy9nmoGy1aj5931dxSrS0AsFcTMvq9GlRm+Bg004Tpt1Dz+LNc8qd8 +LPFgFgmf1GDsvG00EjHYNde25dAwTN6PkpfpxTfFiX0BJAoRmK0ue/vqtdsH+Ih6 +jcdXC98bBKUJCkUML+n2lOjxn6G4sli9EOgMIsQe0w6gDJYlLci6a/keb86CK0Fi +rvNkNQM5brVTY8VnjThKMrJ8dDwxGMkjE+OUSNGShVXyoS7wUVjmgPWN74yaIjuT +H+4Xpdz++sxxYsycbeeCeKEN6se1yKytmvx9aBnx0C18ziM7qs4dCjYf05+mNZh8 +qZmfbiyciWTElyNDtdD2hhhjZacHQ/j5q9+TejYNpJvQLHSlp0m30WdzieqXZAIx +G+SU/+5v32ugarzwixARRZQP7B10kTSyfbUrLr3z6P00JZmZAqkNC/7+Kp7rQGCi +LOpGzlU/cac9xQYuVvXXy4FzOjDcsyUesJKH0xPqHFUq2YccLqzfaGNhDW3tWbE8 +56XrnGW0Wx5kku7ugfFzX/swJbahl3CZDdh5mVIjLMm6JCZfVL8bo6DdllrPHCKw +JFoXqGiGlQXrEFAWC69AJwZlZGyFQQ5gma4igs7ltFIYt+KZa5ugArcuIHOnNXL0 +y6WN/SPxd2TqRDtqxv3MrRZw1DVdUErKRzDCiQIfBDABCgAJBQJT3gvgAh0AAAoJ +EB0pde35PnNfMPUQAMWg5omZX1w5POIkZqCUzJrPZyH+RU61zhemLhVAySe07w0O +1u4+e5pNlmKN41vInxNwj/1eKJnJT3b7nwIiZM9ZfEkOIf8QUEgFr8pNd6EOsVL+ +wZkG8sKe1c+vxEPOKqI79+AlBNynoYe8EXiKnGFjOxuk1hWPpTfzuI3Ib6vVcjQ9 +aUYLIdPr5ewPEipGLOI4QKtTVXNyfZGcIZKiorNIpjDEO9z8MMLUPvgVkN2s3VUF +SP1ONwuef8aXg1iM28FMnZOyb7mjN+gvRBk9yWzhkbp/fF3gQwEis2MTV7q9g9cD +ZCvk6ATIP6dEr6/CvYuHFuI0OECAMM88MKD0AdP9WOaucGYE5uFl0sFAcSnLLjtn +CYYlVQ/E/p0UAI/p1c9mbiwIlLIVFTFbizHVHACQT/EVAGvliXIrF4L6DN3UVyMk +qgmF0R7niZh8DKBBTTqvIxoQklamF4BrC7+V1YY4qiufJM+V8HfOhKUNU88zzJ0U +UDNIo4lfNcFdQYNfv4yRScWAetwsO76z7uQYWDx/FmspoP9u8vnpxUqCV0EdBq6p +rZBPtAz0UdKOnjj/293D54n0D1itJvjYw64EublWJ9rKyLWvDQ8SQOIS7yp/+/Yr +pJ0HyQhg5SYr4zLhhEdRgEsrcWrqSIRBzsyq21QiLopAX98cKN1rRuNATv8hiQIf +BDABCgAJBQJUu/09Ah0AAAoJEB0pde35PnNfQ+kQAI5VoGWgzhmI2mXVBgvv337x +T87NVqdM/oBezdbQre3XkOBqvHiZUgccdnEcuco1JWn6m02nQs5e8tA3ekbZh7Sc +cxAotisqTLn2aud4Xlw02hgfBVXCmMpfnMzn6lvxaP6WYEETxtaBIQoC1P+uN4zC +fUKk33DoHWh2tVMkGEWL8I7DTZIsDxkpwv+JsdZfZYTWMMZpf8mwMYpXmXAzLRi1 +ul06SN4V7sp2C0905QsrEOUF2t8fbewXhOB2oC8E6qbMoEhR0qggoYlXu0MZvZgS +Bp0QonIX9pedveTTA7t9ev6HqetVUG8DPcOyu7sdRt5SdLCtCHzura1hOab79VCf +X5ygCpzsxVHNiniwMv08e+O2uNi8aZWTUSLhM3pGr+Hrbya12f8UvcX+Gpea0QFp +Wy58QwpskmcOEGPtZnykR0AO8OHQXAmOj1cTqU3hbDszQnJMwE66h+u1d6Iw9xOc +HMsoq3PgD1xlGjRG1O7C6rn//xs9IFYMjpRq1ktSpf5cQw5Ux1u44jxwXfy9Flv1 +1UCjGuvqlkP2YSBmrQjU5+0c6Cfzz5D97SSLueVO34Lc+VWZ0JZ1y7/+Vh69fEuD +K5I4N90LTTA3PgjPZkLpNzMRHgQP2opaRr9ORzIYmFHZmjiiNV8UPMu7hF0dcSPs +wlJ9q9b/f00K88VtmIZliQIgBBABAgAKBQJP1vSDAwUBPAAKCRBpweG9O/FTvvlt +D/0S+J6hyWiWl24n/xIfmWBI6UcQkhZeVElhpO8iD+7Ge8GcMuEfafg3skAGqcaS +6ppfMnPN4P1bOB5o42eD16hr5mDDoShWNRN58okLmcx84avN5Xi9Srg3iOp9uohq +3M4sjKgjTJ/kKq1HTou+mJhoFetrHJH/ir0cl/i9vQYJwzURKnLKETezJTofDKjH +PoIxZ/pwt9lLQT2B/Yilj+aVD0iKua3ndbQFoOeLV4LE047d1nLGgO6qb/8qXs+m +9B2EmX1eN4qVF+6FpWtnLIKOFe9hHQqniGyickmX3Ek9hhHKmCfTt0EzwV0Px8tm +u+MdBWth76EUmMrDPULu01oXoFGWun2qINw8D9Uz/oC7mc/eIALPTuKJNBsgs2tF +/JwgPPg6c9x0BSjpZKZX9IUDcTaINguXd2JRXkyLJD/S0Wfcje4YSf0xsVIm1gEd +RFucxCnCxcFBMtukYjRZbYyI7fh1w57K4FbOJYC9/pzBmmKClofRnrCay1z0ACfS +iOikkeyQPvXe2Aa1GfEIwEHwQvTqA7Q8hBCNgX6kYcZogHq25fUouz6/f+rrfbUs +sz62J3HvxdrvAoqLoCgmvzLPdSV0p4Q8MRMFMfyzRFC+nqAs1dT4Z5NiIVnMFDYx +LYivg6qdusy7GW1OO2z9gZZcKCXZOPde6G2SWJw5NyMWXYkCPQQTAQgAJwIbAwIe +AQIXgAULCQgHAwUVCgkICwUWAgMBAAUCUeCFVAUJCiKYRQAKCRAdKXXt+T5zXztA +EADbWkrbL9fzSndT7ep7S9lb5WVislDEu9ciZqiWhnPpjpSThJQtrYoDJ8ueAASQ +m96dMA4srK82fsBeZV3SP4Qe/O3awbtMYIcoi9xg4RT7m7qgfrMgAM6u4rIvaZSQ +vIPWTfXBgIdJCXlAQYSMw8mJxMD63VC1mVD2BBOUB6hO9ypjOcaTDh8P8j3kRY12 +iTzYvLVaI+HKRiJt/yE1E4xrBH/LNt73jZ81mo2n1A7Nw97LWJzd5tWA4HU4ByrC +ftPNNrvRcSqHmmjkf3sbfoeC9bc66rjsrBZWL7L8mQmwF1Yih5ljkA0DWJm0+S2a +1RN+T4O1Hp27Il6IubQLZezBx/8E9pJnWUp1tSda0ZSvN5itStO717p3Zqb3uisi +Pj0pktpHWT8hhyovtXSgPFswV+0IxIcRHWhDts+eKlVc+Qi+2IJALZ2VwPW2AW3J +WoCDVtBYcFZUw8RSOxcQC/+f/fbUcMCAO14dymDKd2+ZHzN6xAFqas0EXZMn4Lx+ +FslPKGADXfrrUFZWwuABefhafwQF24XZVVdgj224SE/uatenoP9emnWrITh/I5/V +1O/Dn4An1NE/zSp4ueKEJI3yL+MMpmz2Mbr6UGQ9dEZhbc8Zm+pl/1OtNUAW2S3I +M0KrjHRLGuc+TlKoO5yhGUYNH9hNGe5TehVcNFAT3I7uKIkCPQQTAQgAJwIbAwUJ +CWYBgAIeAQIXgAULCQgHAwUVCgkICwUWAgMBAAUCTanOvQAKCRAdKXXt+T5zX9lE +EAC5FQUckUgM7UYAXlvKnAjdk5flme/f+t3b6aXR3Oek3S6y1kRKQVWXq4ZJJ/0/ +UY9Ag9C2m6vYEoml4O0GxpbilPSFJuOX9lPib7hFhpXwKR5RsD677r9XlGUyQTFp +ki/yCakAJ4cNG43U3/8o4WMPJVYo4xRsyWolx+mV5RzHbGT9N94n+bUhFdq6ffCl +QGSLQHwrdzUojZ4YzWF2MOwnVWkT9ykqUmm1wNN0MUexyyCO1bO6cTioYI043M4b +APE5clEUNTZ5F62PExNtl2Ix7FXxyFyynbj0A7xgRXJshz1k1DEFdb220Jgly/Zq +wN/Gr8kr+VrNc3P8k0TZVN8uQ/RJupdWdUjDC1ryvUm2rSU2OjvutjGWcAwrrzQu +nM7CMNapa1P0Wl4EA3WQtO9+xiURKo0NPEQ+9U63++hTA4g8+MbFrb2gg/VTA7lP +72WrxvDKte2d2/cLNWdMgDFHeWlVgwWUhPnXhkFrnCfCKzcq+or+Q3b4ym/6kAtH +nu1YuYR0MMLxeII3GiDnnNAQ2w9v0P8n1tRKZt0hiDN+HXVzeWUwGdUP3PR36FPn +1V1eSejxHf3XJmrNgX4YJhZQ7ZGABclJdIELDp23Kjoau8fhcByKzYyn+bHLQKwb +IjAmKNN3Vy4Pt/+LIhl9xms9gXJrACn4axL7pGAm3icjjIkCPQQTAQgAJwUCSoXW +7QIbAwUJCWYBgAULCQgHAwUVCgkICwUWAgMBAAIeAQIXgAAKCRAdKXXt+T5zX6w7 +D/9CeIeVdDc9OVCCytXuwN9CSggr5iYfmSxGD1cQTI//irDGmFp7QMAsQ/KYoGKv +UFuqlVLQHcXm1N/JTsj5H+uGjl4LYk4ZpXNYCkPzfFOBx1uJOva8lB1CN0umweTP +8awmbRboqqtqTE0p6J3+7UvrHP31lfXe4JZfVuDRRoQdExkcQiATwvP2SOXUTq9a +kw5wrPN1KwSv9/3+50s/F9XciFZqmgX7KW2SCGk5j3DX5OiW1+F7eMbgTgNcoVy/ +LRnW8wDMgsfQhhLVbDMIUxL4IoIGfYqr/MHEf3O1Vr63fYjLHwrV+YTI5yZgSmGC +4y9OKpeHfaoo2NoOLd/o+Zd61yat4pmF/XeWOQ3SyoJbeDnwQB2OBD2hoQXpVTMu +WuAtARKUitniYMCng4wrlc+mp7y03ChWQh7gXDLjfB0vS/73ydhPl0sEcdYpA+Tj +M4cFDk/mFXf+jvBP1m/uiQF8yrbBt0zI/3XWJs6IYl1rUHteuzJk4YtSBoE7wCtT +Ym/UX3jPg9DDRoSSjzGlerDlP29S68oV9E//qAunAYFIMcdu9AfmH/uiQW3z8qaL +1dpoivAnnUlIGR/IsjheT+x4r5RRFUIFR4DfqL1xWNDRaDpy3eQ0M7FAFYHEBaEt +CxnsBKp+/NWfjzGPJr4Fh2KAv1rUVYgxXhrVMrU7WNkPhYkCPQQTAQgAJwUCSoXX +vwIbAwUJCWYBgAULCQgHAwUVCgkICwUWAgMBAAIeAQIXgAAKCRAdKXXt+T5zX/yi +D/9aXHoQX8GKp/xLS8QxZJd+D3J7fMpcY70FKdKIK+plStIciYqEhzCD5tw0+2Fp +4IY4b9MnDcw6TXRYbDkg82nxAfSucyfYG24QZ0vIPlcyYVOdcLMGMSzRUagQRqmp +v2cCFy7Wfc4iX2bVKyL8OhhSQTzGC0qzBdvJ5qTJzGPemzH0APLC3mTbGyG44tp6 +9ZpzGpBbdJt1aRUtVLUDR1qPdo4lM8e3Al73IbbXceuTQn8Ju3NYN/GDJz4G+ZeC +FQ8IZ3mr8oF20ZhIyq3O7gRQgnrG+lL5mPXUtghBQd5GaBsz8Bj5ow2gyCWR76UO +HjL9pj7Jm661VhMtWhax1hg3Zt1h50eghCxawQ9MuwGmKTV3imnzdfAK54WFmY4J +A/btcwhVHa1zTin93j06f/+9A6ZJ5weiehIA6bhvsw+bifFo11zLdCnZ5Rg1qxXV +Oe0+Ipr2LTDuX0HMgN4FLW62uV85IpFnKAkP0ipRZp4fohrYzwV39Q0CeCVrlGDu +hcWHgZit8A5mIZ1moOzkV+lb/+f/tEgVCcOrWM6duspatj8fmQZ6Ln4rwJwxpub5 +VNQl+RoVbY2u/yP6FmqKzOVBV6p7TOQfxCYL1AdsX27dst5fbSsMDvwu75ZXbY8Z +t8HBAFUxZyME0HiHZZb9hKxPMScxwWGKz/K722ntBnarvokCQAQTAQgAKgIbAwUJ +CWYBgAIeAQIXgAULCQgHAwUVCgkICwUWAgMBAAUCSoXYoQIZAQAKCRAdKXXt+T5z +X7KOEACp3GnDCZZK/T5MvFCUD+wRR1aHzMUNpbi1zeyp0mlgRzS7LGbTIDVq796+ +vInYDCuj5f5Y9KfUHAL/b8uJDmPnMgQFMDQemlOos9/GmpRYO6wf5Amo9l9L5Zxx +w5ntzc2ZJ0u2b3dgMalQP6BwkXu5+l0eQuEharUT3YHJVmhHhncJODIqQ/qwz74n +Taj2NqDXz4wyI86cf9nVKpQzdSDP+dyFIeQQKe1Z+cxoCulqXR/Zhn5cMY2lPZEa +ckzA/WShMo5V+o974mf1PzSZoLBQzlbl0kwcPNtrurZMLMrjD0lfY+2Fel5ImDaV +48JQXeB8WQTmeFKVpTR4SdE8C6aM8Fu3d87H/SwVrR9tY6zhfttG7oIfMzBbNu0j +0uSCSSGVR3t7PQMnsu26cTVLiWB6yMT5SzCDeLY8Ef11DW/e5rUm+goLloP7lqf+ +OKnQW/eUR132v2jUiizx8CdimJp4/q5u263zy4JifWWPf7bdJ1o/Dk0Lre2b9Np1 +zvRnoZwwChHQSLNYbevJ/JBBfeKyINfIi88bfNqe0e2Sa0YoPYFzms8isBaoGreN +3fUB4Z0LGdNR1QwrXO0cmS+ohuGhCa81iuaLC2uE3ZMJp/NyGpPNjmn44KxG+PX4 +1jg7kyQig+LegWGnq4X10TIe7L0szytO9NlIpLKuGKqq6K8y64kCQAQTAQgAKgIb +AwUJCWYBgAIeAQIXgAULCQgHAwUVCgkICwUWAgMBAAUCUvExmQIZAQAKCRAdKXXt ++T5zX8fwD/9owhDnavTnhlrr4UbL1ze/Y9OMJSsWHIDX8gMFbw3pZQuVIJ3hrIH0 +SNROdv8WblJpPDJAJlW++042B5ZfDquY6WFQODavLNAkzCNei1kSoCOO6iO1m36F +GdsXagkwKf8yLkykhS4xx2Krnq/u2Ah+KikJBbbWtVB1oJPgxUSWqF9Rws2l07/7 +R9ZSjLdGU+GyX7Bz2LJ9IpVUtwCL8PRHHNsb5MT/LGYZPOKh0PGKeRbmE+Wt5MyD +O0WIPYq8C9B3bd19FrxFAucS2IR5cRp3Ghf2A8i6KqndJ1ZHwLiUYWi5AymP5DW5 +ESaRMmzCREdEmPnY6krm+r6LHlb4DtoqTIF2Ho2u6QtdGFuN+Hf44ttAUr68YTSD +5uIu43qh1Pq2OkHH7Mb2jtzCE2oibsuSUOI1Yp7Ef0i2wm2As/wMSMUoFEa1fsOu +R683UGkL3invXGIxaMifu1Aj7umLTaBfOWgETnrts+xGtt0CLqzEZgutaFHAlVR+ +Z5ZkpojcSW1xQxvz6cRhaLQZw0vIOFYPky16eJLkhpmkglTGcRKhf3mLF8USp3vX +MASDVuA2H/SQKCJQaf1153iHdZhG98+SQzKHz4L9yVg07E/ogYAuEx+2S/8o6fGX +G6TpL5mp2mzsq0L+rs1DqsONtVAhmXr8IZKFvxqXuJ+IC4598XnR54kCQAQTAQoA +KgIbAwIeAQIXgAULCQgHAwUVCgkICwUWAgMBAAIZAQUCU8u1MAUJCiIIlAAKCRAd +KXXt+T5zX93aD/9G2WXk0g5iIE+Xpf03b+xxDrBQ9ZkaEECb+B9cCDOrXPieyXq7 +xmoXyhz2FNECbD0uX0vodgAzWOtvq2YLcABmJTD3ojpkyXfWjkHe6IJJv6dtodI3 +aWwSCcLFm5Sbz7Q6aRH2SM/WrCCiNmSEElbo7asjMLeW+8F7zaZjsARVqFWhuCk1 +SzMXCTSouyNDiXjqsGJ2f0r+yvtIc6lUrkIs07lYL/yQR63NxVl/fPjoYJQIekEV +aR6LVZtopvUzvB3BL8ag6J5VSOz2MHX0jzyKe0rudhH8x4XLFkQhQNHEQBemRU1A +qkNSduhWvvWsu4K4MzE19vGonEh1dXD5kolSfPkFJchO90ulJ+nOW7KcYcDSjMVf +uaJHKY+S4z0Wk6AHyTsz7RX08E+2g1FH4fSYMWkmwcltpZskcqT7J+MhoxbriDIX +jCl+gy476WoSVL1HSezIO84s5HAP+Mb926vVIolWtrrTdVrF2psRUgTBbmNq3QID +lXxGTsKGoqgeqxm0v2iRwBxUEVBm3kHfsEy4m59gm5uBCukaqOm1rSRIWMg7bTVD +LKE7vBzdf0QMGdvJ8oFjGGrt8+UuXFfl1hLjjlBUQ/nSCeufSTwhKi0g2e3Kwue9 +BWy219VDPHLsXXHLhwi2B0ZsziZ8so8rcM4zPH8TfFzt6r7evoVgQqdz4okCQAQT +AQoAKgIbAwIeAQIXgAULCQgHAwUVCgkICwUWAgMBAAIZAQUCVJ/IuQUJDdxYxAAK +CRAdKXXt+T5zX2SOEADTvnLzUukccZ/07lhSwZHus9zxKx1OjD7j3N7zq+WjFPKC +hRsPS7sikYA7k2fB0mlsnEzHgch4CCqErcywp+49fNrwdXb9B+ZqW/CHEJpfDdsp +tQAP7Y1BxWZlYPSItBuROdO6kO16BSpgafwf4/BVYNtPDkzcHXoY4coqKpkW0opu +3WpI807zuu3WVEsnTxHVfHs0xZ8VQy5rQyXA19GJg8ctw9cV1zxgKFEFPYii/Us6 +FWSSCuOGDBg6lgCcQmh6StwUecpmjgyN3L/6M7LPERImFazmq+Z4IkkUNsvK4pO7 +YWGF70tsMF6L8hcndb5b67nK8gD/XoXqMUgs96rSkAbYFOHOuvd+/NTxwp6FwcgX +AbovEliPFWSZq+F0nt1vCn7mxEpVj/Je5NEkVWP84Oqyy0nFHP01BTVOJH+YRUcz +2gqHi+w7TlJz86VnlAbaeHDV8loUBEi9Z6VhIPDfgJO38FO/ulRD8WrOib7vztxL +FvgpwDuGPzh6aoM7kjSxwVXuFrvTwYfHydObj3eJmtdTLHjSqAnYR5ft1+ylG7Ep +zXeCIJnitrpKa3UXYsZFTnSrZtcprfraBkqfqcLphBJD5sdV4hLr+du7WT6Quo6w +w3FMKC2xVr+fnvl0a1OIoC28gl3H58o9oP+Fkmlv8m/AJ12DqJMJzXueUOZeR4kC +RAQSAQoALgUCU7vxUCcaZ2l0Oi8vZ2l0aHViLmNvbS9pbmZpbml0eTAvcHVia2V5 +cy5naXQACgkQExjvrF+7284eug//TQYeW+1nh71Sd+1T74skO5PLrnjPY8bHU+Yl +I9QDj3iD5E9/kRhn6VHCABIn+GbOTQQpPlNHJWAXBrFJK6RHmSav6j0/8SGAob1J +xBO7D1GL+3zihHEuVVoAzdyD8N2v6kVhT28EBNX+Pwu0hkCBA8pjqYqOvfoR9qhV +nnu0zamzOKhxhPSvtsg0xly79uUtSLx99j/9UkCUmzNw38zWvbKphqFsrk+GvuP2 +XfOQaKDLw93eL/HtfYeQYaiV7Ry9NaL0rK4u97dAmrS/1Amexh8ztN1WEV4CIMiY +EPALbyNDlHQGy4+EvOvyeh6uB2ZjMfcV+und1J8EsuwKvZODYO2qh9rGQEOCcjmc +QKAZgJsI2cr2hteoXSSMIpaP9AxgoICTFVm7rrNFS5lMXm8e8hjxydCEkteCIb+h +Eg/dggMz+VTPucRMhqlF30yzyEphFGmQ7LM6P+9jGboMdtZOMpeQrqoiRJO7aAok +RTu0h4T+3x+p3EyztJETcSilJ8McNWBJagSbuMXsFv/bFdNVStqgs6Ih7+pRhnqs +mz0X08tXI3Y9Ku64bM9XSU3paWx9YM3cejmeEHXPy4Dh44SKRdaYi2pXB5ZT1LSU +5B3dDpY24dHtS+bqNb3T1FZfvC8sITns+QjkL/131PvW/3qwNFTHHHAaDFr3pzBd +DNnbk2yJBBwEEAEIAAYFAlO5YzsACgkQrs71RuyLAmDurR/9FYINivtrOMDVovMP +9K0RaJuoB8IPEWBILUf/CiybIqjSTqEE2Q6bo8jRCfdaSVaBTvjTsXbKkuVZz/X8 +i6gffxfBLhAOuhEtoxLUh4ECLtQisKe9kCmIxqszdI+mHh2NLWqtYS1sUt5RyM20 +azfeC/BImusbSg9/JlqZj0+VgDkrxIgN8Sfxzk0YkM91W3K7TSjiASknWjMl1lJl ++z5POlFJzEvAhPrEiv5mh+uG0/p7agRC2PNo0X8am37Ad5WWMpcbkyDtnZeyfSLW +DNGMTiFKSE3+9geiOaielAYCb/Ip2Yi5ddtkaIgwJoSzEhyY3BmYMSAHVFbqR01A +D37pvSby3g6/6hXtT5Md94bDkV0Rb36IPOUkKHYfWeyVQt5153aNtY/NkoapTKuy +vEleWr7FkDScMy6rFutFkL2UqP6ctBLdRO2zaj/C7cF2DUc1HM51SpYEE6EElWeo +thMkLuNJul4pLgClsz+6tYZD+bJ3ZwWg3YYgwQmwOUaIf9l+5P7HB+zR6JR8SwW6 +UPSOh1in1dLeF8Byxn8iVnakFio3kjDapclWmVh/0R3OTYbxtbBHazfIAXsqo/ml +8bCP0iNtuNCDPfFYzx/R3z+gwVzVLbYjMM9SUvGI1B18I7l+xeY6ErQos5ktMbwl +lnFy6qqqVCD+uvcKXlbtQBm45F5IJB7HYbbENpKROnvlqVh3pAbMrtZMG2Bp7PvW +LJjNFkpAZDUEWoPfpSK0s+qsTlpmN+8JiE0MLK+HF/o3tSwktTRm9lqdJwqIqsZD +rHBsdgSeBoPS66e3EFlp6hdeu3MaxJT1/f35RElXuxsaFxRHoYd641icM4/bDNFR +1DQXHZcHXZ1BnmymY3gh2nEACDGNQgEB84nArRIMkb8s8gs/GJSnoqFVoLYyVHnb +RdthkMdJK58bTSiuCpISF6GCU87VtO8GqOVDtJrDiv01VfpgtA/EehhwEYmtlcNa +JKklfq3DKLySNSqR2DnL0H++uVCEml6qlH2t6UJMyf5hgdsJyS33Yn1kIfhnMH+K +VIZGWNz9ZM/HckKc9nC7VYbl8uTGPeoR+z763MAe4T8nIxFCGuowaJ+rSPFZ5dqH +TfHoKhmFu4u+z9rHHIaMCH3KCseNVeWG9Oro2r03bwbkddl3fZkaM7EzGWUUz1/v +FikoAYypibcT7Cf2O7QUDEjPYNXGfoYhO1t4aE4ds6+N6hQdM7TL76zRMaciW6h5 +SuJXo5Jm72nkrPbpKGM8MRWEE72pqNrt/+YlILAMy8EHbfndY3bFO+uhzTugSVKC +ZnuzYpvJZ/iVOGvYBwwnC0FfedNaETekTxR4iHSW3WTaDD23J7cg50YRHPQw9yeg +aESG57Q+VChBKUlMUyBkZXZlbG9wZXJzIChTY2hsZXVkZXIgbWFpbGluZy1saXN0 +KSA8YW1uZXNpYUBib3VtLm9yZz6IRgQQEQIABgUCTYjP9gAKCRCsDsNShYIcQkCU +AKDlNur1XL43bZAoO8qtQ1Rqpucx2QCZAW3JW623/rjSgDxPLR0WNo8N+BuIXgQQ +EQgABgUCU6R0fgAKCRDFNDKyib+M7OZZAP4rY6Tb/kR/d6s5euq1ZJGFiNjmH9RK +t6siDsilG3WbHQD+PSf2DIa7KHhGm1GCRgc0TVPhmAjSuMUK0/jfqxQfHdWJARwE +EAECAAYFAk+z8qsACgkQhINIYG4ZlJ2Pugf/XVRSIPNKdrAtOJRUdLxhUFr8sK23 +BfBsAzJ3e148Tg7BS2ykAUEqIMF8+6tckZAKbUuAVOAcpeJdKInUzJpE3Up8gNad +F5vuuR2jF90yUOT4uu3kDkqhbdnQunrF4XUoajNLfAb8dZBlWxXiThHumQnPtXnL +teF7mqL4/8O8fWoVZGTj7F8HtPvBCAttNDG6mRl46+Efi5+6XSLCpcqbvid+I4GV +67boVM1olz+FckG0A6zSJBNOiFz1J2VG1cHKr3YkXZ27ZAiytm2+IeZ38iocmQP4 +IJOu3fLB6lcZYOU7pi5H9dUPIhXO3YjbveQPS3voeyOM1OcG7u2LdOR+vokBHAQQ +AQIABgUCUfWbRAAKCRBVa00fn8SY2T79B/0QQDZHdKSkmsWh2g26X4wI6EmMw0yV +52Gv4RPTH7kAHJGBhFgJgJcK1hEVtwtDMFMgHTiD2laWQQ8jaewIL0cOPFUmPo+s +uefoK0OZhi1xlUa0GIUGQ2by6bgmPJNaKj7z3VPAtJ7o4XQwj3HTbV9BJU982TIS +176N1sc8o7/YH5Zz8H0o7CTMTO8PxC0GGNNLj6HJoNEekI9G+vaNV0a2bn86MQuP +dciwHRKmwI9TmRY8PGD8gtpTSkh4zO32g3PAJMjp3pfPGOukoSSzXxnVdoot/wbz +IVIN5fkJJeXT3n49cG4UKx1BRhji5xuWB1F37eBJ2j5KY6XfGCzJHzeliQEcBBAB +AgAGBQJSVS7WAAoJEB6AvnrnTWFu2fcIAJGZpJGd9+MylHAQHBYGHbF7akK6NP7P +NjMFoz/XNu0gC43wuz0tLcZhtLV1iQqRmArEsykHPaR4CPydu7sD1tHDUOYz/9yb +7AqORGYQjcTfbxicVLtmJ0XYherhxLh8p3drCUjkqsT6lAY4ST7iLwMzTBkufvYR +lRqGhIgIFo3o+942G5iyNdfA/nJV2cwwl8k4q+78DqR3r80BOGd9Ku2dFvc4VY6k +BPpMv+3dqftdvYyak9hQ9gVqDkBF7WHcmA5jdHdXv2a8ofYqXtRTGvSkVyMHJhVT +AGCGppXA+9gWiyDRwZD0TIrOwyYZXC/fD8IUxDbkOVcVXpk9j6n4DueJARwEEAEC +AAYFAlO5FbkACgkQ6sXr8HqpwqO5NQgAgaoar/CHDKLNBGe497QXf8gSbD2wor2o +UZCVLlfJIOihFXhaW+nYVubKbpx4C59WMFlc5sb/ppYpZZ3Wz2bEbv+LEpeFC3V7 +D47M+uCR20CpCi7XwabMIzxsJarZ+WKnTsRnJifdOiPGo8X8J4WZIF+solSfZl8s +UDxg2m0kQY+aOrTHWiuwWa9Lf2SQM3w0nkEEAd11GHKl6ecEieu8psKpxZL3qCgZ +wDDyZoRGS3l8x8Rv1ZCtZp/OP8Oco8BOQGdci9eFONQjlQS3dSlUxv8QXNOdhZ7O +fPOVLoZSj60tc6F6IMRKvtOtU8fWK2NH7gOZWpv1HWmz+kZD+LRxjIkBHAQQAQIA +BgUCU72sFQAKCRADz0oKs8eaY3YsB/wOhcFkf40lCvGvY+lpEvV6kfIqwLmK3OXb +zzqXdWP57mBRL+B9u8mzYbSuFQvi4Yx73pxbqeV9orBw4ZxL/4/i3IELYdOS5YuD +NP7ogS+vmcWwUmTe4Nyp7abQnyNJZ61ySy+P1XVl/XuDf2T0Z4SCQnlvn6KIaIE7 +FmKrbWLQZCcSSzuHPMSsUdb0NVky3rs7L6+IlAtJTNKnPAIniFjosAfJzleMJLy0 +B7COKgKeTaypPrkIJmA3HA5SsfCNpGkGBYUnEcFgH574WYUOqLj4Zd4Q6BxMs4pZ +Ey5Y1BLW1b5Lc1FsOBwOkCvoWKSYBOLOnF8KTiE/T2uoDTnTTopKiQEcBBABCgAG +BQJMw9iEAAoJEMLe5/M2BCc0pQEH/Ry2/O+5/t7shLLe2kXoljO1ASVq2yN7MS7D +CJAKXgFp+W3u9BnObnBs9GVWi1L7HUKiKDXBaLvop5yJzM7clYcVoiJsuhDToVAF +oBFyRz/zZFrse3/ji/YJEYjGw4Bm5b3erdf0cMq1Nu5mop3XiAxo9AVF7YlLaotV +u9uQC7NTHvgzVC0MVXANJMMw6htBbN4KOhoCSuNNYNSiwHhpP4n773vMaK8zSboC +fPfkhZ+OwS/tFgP+3A+gX+kUis+hWd4JmsQEQDflw6mkytlqv+5p8eKckjwcQIxL +D9V9768BVTgFY1vJRMLUpUeJhowdbZtmhGs4NbF+9uWfCP1S8WaJARwEEwECAAYF +AlAg6ZAACgkQbrijMKzOgK3XcAgAoucFi80vYSUqRnKZke/exbpJqCa1msYjNM04 +p48U/mYQ7sr8cEPn28J8AlyXwvbei+2BcAXpivsWoqSVlAm5BjeTl2AXZ1suOYMl +m+4t4inpVrLKFXvwyJCh3gkBQbpIxeF6DKGhsCPiEbFev4+Wy8mx4vZhoJy5aMBS +UXfhPnKRngi4fVrio5QfhZGQSQhsloteBCy18Cd0s91+VnM5KHhN4E5ZC96xadfs +T55HF3Knb6Unw0rc4ezYmbCDkjEHvxHaECM4kyAJLLf1XTC6k5pUFuTgdGJWemRB +RhoHqg6OfAxC7lZqnpKR4BuGx09/vcxacgZeOifVA4167LNf1okBgQQTAQgAawUC +U8SDtAWDEswDAF4UgAAAAAAVAEBibG9ja2hhc2hAYml0Y29pbi5vcmcwMDAwMDAw +MDAwMDAwMDAwMDQ1NjZhYjQ0NGM1NDljNWExZjIyNDQxZDYyNGNhM2YyZjU1NGQx +ODYzMTYxZDJiAAoJEH+rEUJn5PoEtiwH/RCeEIWgrClgzm2rFx1ymH3l2YlOykGl +Spdera9NhIA+AlOegozuEoVRVg34UqGYndASjWvCSrpJtHFFqfHWbIeEO8oSnWFT +nWNbDTUVX+zULJBCBmQOsMl6PnvDpV9KxHiM3igRvOX4CxiDW+GvnufLLEyLsN7n +CGurwcggw08jLjWzZ7OKH4GODK200TyPYsEoPfvt8yJGcSXz3WKSd9Kz6iH03Kfu +7+5Z24utBDT47hEzoS2DdLD08Ck/UGgAFXW1cFHMyCucCx0UboKpoIt2jWNotUOU +tiIxFk0u73Ppy21oszpXvfP33+sr2tJpwbYh7cz+7U+ufpT9qRDQMfmJAhwEEAEC +AAYFAk9EMVEACgkQercrSikEth9IqxAAoqJrel/rEXtJY5/9DyLJpgJzoLdJJ2KH +drU38Oj4kydMmgBtSM5+coYlCN6WdPMXhTQIhsXGoYUFS9Bh4W3K0VXjLUhLECvF +NFnY3WN1vWUIQ4dUGv/CfTaAkwcQeDU2ZWAJ1TBPNG61tuln9JjA9qba+LA2/hZc +xZIwbeu5kGXbT+wikp3tvn0gqpzRHDJYS4LSvyxf1FVSH795WCkL71gj5q7PNGIi +SJYqGK0SAeRalIWpsPLL/wNvVOsoQ+tWSX4TixT8u8WY3RFd0u15TuGE+Tx7qX/h +FZdInhR67Mk8AKDq2A+foG29wTCFjtd+iS9y5FqqfeIIBKk2msnMkU+I1mL/mOIu +QVOr0pWwgt1Jvg9ukZkRsfrBuuuw4SYo2k0tn2vpEOX5kMbEEWvqmbEjRLmjrRpt +Ll4dTTng6hAdqBzwCRIaFTlCN6b1ep+6hW9AD7joQArviuMrPHo8W+4RvLNEsIJF +uuh0wQwnxn5sgQSLYhRSaRRQe4fSThVVWpun+Ihc3fC+6qR5Y860A8dCF9mzN1ha +brCbQIT65EIe0ikUenMllz5he7z32/V2w664fCfNn2s33VZhKGJ6POKiJCrT59Ph +DHhalhoRoNFP/qfuYCOp2VRIyhAUvrYF2z/i4HF9qjnIwP1sOtcZqGMb3Cb/Ofxe +/OSgq8+NZe+JAhwEEAECAAYFAlHkOUgACgkQl2j9PMSIFfImZA//cg45K5241zDK +sgfhpnU5Upc2x4xcYl2Kroo+4IhsASuF0c12fymPDEN29DgsFG7I2IzJE788IH7h +pTwfGf32YkQETwbnxWvJjsqKMj32ajmtibtRSyDPl8PqEx/IsOh0yNTOWPuhaHsn +YZDQsNEILN9uspvoHSoyWMKSAcvAmS80L/rOo5cxueiUYPjvOLxYh/K8H/T1Gbfs +JzcqX1TS9Khn3137gLa6r3No88oxpw6hWEkZuY1zUyG3J5CUWPrKIorhGEK2euxP +Jiqz5riEFnPyJxs/0f8xr8XfW1kIykXjV4VvV6wxEHAg1IEPiy31ldnsq9ShakoY +9DgFpd7cgegJN6dfC3n9VAqxFGcH2rb89+lkRqa6QsVLICNuGNzOMRer+hM/gPOW +iMr1cF5igy07YX9HbdwykNjcNpXcwEhq0rJ1e+y9S/NH/uN44i9S0+qj8Ez2APWk +qwF79by2JgXW8Fj8ME52mW0kUuYY1dJvtoKuoJU2IX8p3ywzVfqvnRGr1fycNHKu +ivwWRtWrvl3/tbMDFivv3KNZAJBv0I177P2IASg29lv4NXJqBTKLds9LSyFwrH/D +/+bK9r2bnzgXnUMr9MnVACl9gJ28I8AsKeFBW2sRy9xaSuq0Bm+nNmU99NscM3Aj +gffaBYP53/7RnkwU5dwMp6Ki3DTaVimJAhwEEAECAAYFAlH1p24ACgkQmO8LrlR/ +h07JNRAAmj6G0E4JxNHbEsaiajTMU/WIj1mcWhVzgnoXJ3avofPux5AV8HGUsccu +4nT36dMI/r60G3Pul8sc2zpIxqJ5ind4B5ViHoExh+nmaqFRjEmcWY4LyMwVbIM+ +TBt3oyDTf1knrfw+1MeIihjLwPR1IJT1H//03mgUYofOZxHDy4nhZkBZjxZuk9z7 +DAA+Qb8DwtPZBJt85/qtHMo2DtPxjIlsnsNvoU3Alu0rNquAdA9Ara1LLmjJiZTW +yNafZlmUgYh0k2L+XOqqLI6lOzq5mLdWcdUnOP2Nqu6sx/Es4XdLpX8lSH6t1giG +nsiFNfDW+i61lfrclKJA7ARSaXZ9J37MASw2MxsXewJZX/G4GnDtINBYy1kVpmSh +j0+3ti2cgXwRgyN45ElIoPU9pugRXbugfozkFQD+AkXMon8eqfMhluB0RoNxD7Xx +u9cJluH7RAMu0MvDSoYDwwjpRzhgkieFc3EXe2ngMKY5ANGKpPsfe7qTRwP4TRF9 +XDGNJtCnc/YOoHoFo1e+xUoXKYsyC0dPI91YilEliTcH9vo5Qn8uIGblxkD7+Fvu +ZT5pj6AVw7jaaU0TKBDGgKMjOe/X1opalgAkAk+rllL0kks/8ug6UUt3cdXBYUxn +9nLB0kM5y2drkvZMgbBwdB4ICPnAIxPoTYQ+427tTcdm6GuXTASJAhwEEAECAAYF +AlLPVI0ACgkQJp/nrI949K/XzQ//YfnigeuNDly2cYpELs10yF+oBS+3NlrNcT5S +E70+B3ppshV3QW+9ZOwlLv3mWcd1hrBUHfTrJI1ScA+xaUahpnKh9HKszVYv8cTK +CegHW4z0y+NHwAd+uMYc2FIjIb15VD3RS4cEzsflIrbbY84VSh951QTEiTqU0kvT +YL2HKiaB73+lX4T4X1Vh+CjQTY/jGFWaxD5/pWs8LN77H8J0tO+6Q+exMpuhJfW7 +etEzCEsRXVuAx/soPwMcu0j6+s9uhSwTlW9UJNDXucBDVU0JcA7882/pwf71mcl7 +uTazXEXah/1yjPqjxPvNamCTtZ/LKsMycPxK/BrE4V9B0RqEuBbUxfL1eaiCKNLN +2ws4aV3upvu3ngULeSIVa9aPa7xnjBvGPnpuWE2giCrMfSjl7INXGGMYrLz72Asv +YAJGwGyxig2SJ1ajs0cS6lhDjD4FU/evpfmDgbN77f95qqW3LdBN+KVmjdXNsMya +9anxLiQCdF4AK/FJA1gStnMJsA9Z24V6PrMnmDWoSz82HP4sl+5gj6Lk5my2GFnd +SP0NVaMmQhQB0AFS3PLvpdUrtRrgcGIpXkZR2pXZlZhcS3pu8wCb7Su1ilphRnwS +Gg9QEO2nPGBcrGmQJ7iTX+335bMmCYcR7oWO5jL5zRr3AG+U7FabKMJfJiTpouSn +d2cEC6WJAhwEEAECAAYFAlO2lw4ACgkQFtVCxJ1nUehjExAAqXo2T/IzE55g4Jo5 +bNGUmx3L2dEP2YZFeAMd6x5MOTFG/vXiqrqKlOBKW2E1Yz1DC56+IugUAvFf/L82 +rhzu5lekST3GSwj8ozIqBbBVANhIYu/pRhpKcnL+Ue0nPIpK9YhYdTJOZ89+OYBt +pgDfj3LrCKJ3PVrKORlNJfvAsTTgOgoCbW4XesXiD3fkiatKOlwp9yJcq2h3hx35 +hhtInJJWrpFQHgcjBSw+HknH2EBELS+xwWpqYFr9i5FzyBTIFNl9Mpr6gweagdUY +ABcqNluikxt2Hpk4rcQlm8rPmMVCOcLBhxLIK93PYwjRI4VYg71vorf0yhIU+Cu2 +v7umI4f+GJiYCYo7VZFCQ1IK6evT1hPQicNXPJqmN3BgfSHy8/2OvYYnzkJ/30yE +IBWDXSCbUH8910z+KMslNgSdTbjEofgFtTZbzdSSE/IrHdDE1BRoMeOa+zfk2dYP +U9JOW3eCQenyU3Fi6kFr6N/eP0+kZtdZWj3cQgMGdjcF9kPpT+FB6aSjHl7fkHkz +cpyu1+6H4+N1DcWa/P9c3hek59Nu/Jy1qD5bQ02exBL6aDucXla2tbqudDf/wQn9 +uj/JvmXWQyQ4vCplvUDLn1IcXrduvtyYFc1IjeCscZIsNuzCby6E9XCgCoXpC3hr +hcPMpgL/+86RSTvevMaDUyowbkCJAhwEEAECAAYFAlO5ZW8ACgkQIGcAGxtnimOg +Sw/+L2G1rn6Sim9SagnsNTvgos35HonMz+Zq2BxLF9gL2FlGnOD1oZ6g/3NXQXpZ +TdtGAoN+spiFxeQRt8PxaVZkKtWruEbv8mCxr3ScehxMuIS2hv+ZpxCrCO4ZFnB2 +CU9KB4eyfFJO8+DUvDGfq+8Jh6LoYl4gRbIXoPflr/P1RNx1/Q8Fh7IEeMcg8H8U +Ts+isem+wHnTGMw7/8oBH9ERlMgR/+eqt31aLMopV3fDywZfRi2JYQLDGGdHWKha +qIwlHKygXDuFaFq9VHSr3SuKuU7meweDOLzESNihTptJbvRyycmoaFR+qt7BCvZc +7a6UG9xRaDU33A7vEFAsd89PIQF4JAdmTBWlMb9sF1ueuZ15bH46GHnraiS9bdDc +BE4Z+aMUyZlSyfFB5RPMmY1hk/YkZ8UhFy68l4vKTVDXLx2iNn6vSs1lAysLDErU +os0JzmoaSI3KBIn3HVyZeCTL6ZOPAl7rQSK92D3VYLN5FKEJFQDB4GKsWSnYWJjz +F021MAde3dvrj3jU1wBVyikpNVrr0cmdw2wvklW79WcMG0UeNZd2KFmTiSDW3DkQ +4T4XLvVmKIGUDTt2uKfIRxafLjWFLuJSsgqSy49VqZFpbMk9fyqhZkkeAg84rK2Q +K7sbDs+9f8VVoA3qmVA4MTAQ6AT4xId4DF8bk6aOEPde3GOJAhwEEAECAAYFAlO6 +xfUACgkQogy+sgAMZRUxNg/6A5bZGlse8x6/rMluCcqgmDzSluz96HJzxD1YRs33 +u8i7YKlDywbB6dTFK9xlevfDBqVwuo6zo2lthAYLZlyw/ka/rV0nRvgscwEjwcyJ +yseGpTIhA9I9qIB30fqGuQGsIFmmHIMoX1YNGEi+CVSiYcieJwnxZGm4WNvhkdHx +urzf94zX7CUjBsIOEHS8atcB587CDWlYj6Ng1yPqFEOjg5hSsab3fZhNRrPIPyCt +q6eCC3g2Uvp+0KM9NcYCtDYbCzn0kzhE9Z4ouXDfVOIioVEsS1B9rcUN2HAA/H9A +mBnoglamjNcDAlxlo/Ck8zewvrF37vvKYTc313L+AtfD0BijNmxJhjjnbQMPDmex +3+CVvhclV+EKikTCNB7nSBMfKmfsKTskHJjn67WTPjzEPSqYYf/u+gaedJbEfB77 +Fk5MjT1490elYKnkBBLA0hjIn7fuuSFg+GVSF9vRUP54G3b+VQiJzv89ti3ih2ZE +u98Ag4qqAk/kHSc8MgU1BYCIJBBdww0XWlPiJQRXBloE+Antkk5nqghEsaTDachb +qacr1dj88HK3XtBTclW/1/xMTUi9VcU0Sn7OF82ZrKaU6MQf1v2hZ3iXXLvqVTim +wecHV8ICp7wP87T+MFQ1LJIW2UmFq9HW1Vf63DGMInJLs3bUwxfQTvFGd1RFQZiV ++/yJAhwEEAECAAYFAlPDaOkACgkQxzKx0cKPTi/87hAAsgPJFqi3H2Flvu/Ub/Cw +NevLquwNKKMBQ7QGsIupBElzZyfo5zAlCZhCD3g4tqW879QvuMF+CY0TbJOHnPRI +ecNC48j+LM6WzmwftIiLJKl0K80hqvjxjG9fkKR5v31cTTzk355qakCuF6zRcuDu +MvJpWgyq8nsMb8zxHKu2k2A2gqVNRcRrI14QiCa7vkUZn+hjw5TNl5JZGbzgZoMa +2nUC+E77RrHl6ED9xBgBhn3augBsxhj9AiB07fwXiYVb68m4mKXZmXAhlPAnd3KF +FOe+PU4PqeldjU3X5aWWEChMMEkF3484Dju3DTR8dXjRTRUownQWemetDlZGmRKF +poK+pFKGRN8Dx3uPx9+AWrzN7vQiDn0MTWWPgaDCnkuqNXHWBJsvUVPPQOa4Mfrl +If1zBCV7Pf5TVvB4iq8Vr+ITdx/H+E5X1AWS7qHAUCc7LL4+wvvjdFf+/68y7dS/ +BPNnKIxrVz8J8AjILiKP4sc0tmQnNQpwrc94//VZ0o0zWiNi7yPXLGyy9yqMeI07 +wzdgpVsct++NJljZ0CLxsTXZ8dqR5igUr7btXwQNBqdSAffsjoJUCmVGFHMXomXo +JKk86e0JDdIAv7qn8hllBwjVa+wJSYbfVOnc42SHB+eG5H7O49K4aI+S4lv453Lw +EzOy+Hd9Yn5/aobTsFnjPmaJAhwEEAECAAYFAlPE41IACgkQHovzSSMpEmXZyQ/8 +Dgalugq29zeTaaZotvfWGoMIP5oLbNopS7Znq5DYnEHxkjVuM7led+QoLWLkvexA +if8O4Qs6EaS2pRfBb/Y27jg8bEn18vzqqAVUKQEJw3H0g11BOTL5/UB0Hq/h4RyW +8wz83EFZRa1S2sd+HzKo78qGWA8pfcF4RK7R7M3OqxlWHk4mTWVgAW6GpQ8dVSfk +j+c4lE91BHqnMrZMIvr1IyVN2J/NU8WadzI9s4GYP3BsSNCPydy3DmCmmd0kUXNU +Z7TIshdRoUXH9FUJDw2cah97vFPNfCHUFI4HhxIIUDHgbfslZdtmrd5TkT1sLAIt +YCf4xwCJM6F5/8Pl9dyVG/ReG+52kk+AvUr/K86TinXDa1ErX45+TKQAUcJ58dVD +fg9/wvm4svo/A3yAZnU9/t20pOXaIGkgNvReCZNZsU5VG/rHAFe2mSMTwFu8zEqU +PgbSeSe/H4oF782OIGsDclATXjZBV2FcxX24nJMEuoDLg2th9WgxK6qtDWXZDbFX +qg7oXJ2se267GhrUSVO5WpR4FqogrSfi1eqbxfnJd7X9VAUMxzZTGzbljwcVSP7G +pfTsHiJsi0OuSY1GGSbNMkSemRJ6lelIdYvEQ/azkJOUiHHiI7iymSJkQcIAz1qR +0AZ1OBZG31UbGYyLQEHtePDg5cQz61ib0ckeMcmpiXiJAhwEEAEIAAYFAkytrUcA +CgkQus4V0qV0mP9LeBAAoZcRR0KymJHzoS1s5DJoWuyxR+4m1QulYFcQ1VSgqjbk +fvJyNshkKLfLZkHrkJqtifjqaqVjL4fuN0FwA5G6pS5ZBGdAIl5Wy5spjoArVdN/ +42jHxwEHx8fbmL8KykgbMubReaGIgl7gGjUHh34vtNBbnC0QXu3QlSDEnFQF035e +66kLg+WkhmnGDgh3vzncrEErsGXH2z629NyoBvKTIPdDj7N0s7r+DDTjHewCQByl +qdSOGaQkZYFYDja95lzNOrho688XBNDexfBKH27MDxrssYqtdLzDW0uGq7HesHXx +0rxRQqSW3jEXlIEsqyccSBMFtrd/TJ+Ah9bZmWgP+ROPOqcfznJVM9RTROA0NaLm +G1YMQ/IujjEwQz58lR5ZkqahV4EccTcvvXzCfmvLdJ1exl0oSTabFRd4fiF3r1+u +TpTLPZbuwuhp4MztcYpWXGYdCwbh+d7T9QpNENFAGy2mDr/dLAGnb8d5SZZzEY8t +q/IZcS/3ZV0a0rs+Z1gTHH+GeDsEhOj0/6I+t3RJxwok7v1jrb6xaYWVYwQFbLYR +srpofwQkc+J51ipD7vTPNCV6eoDO/+x4eQ3pzJ8NdcfHwvgIwDXHJnlVFzdajbHL +THjjZ2wFQy+r0vnxtEI3hoyT6k9n/K1xFuEtp8btmJY9bKp5/xDY8/iqnxuoRRKJ +AhwEEAEIAAYFAkytsGsACgkQEgKCHL4s2cF6Zw//WaqDoWOjIARJYtKl8A1g8b46 +IICURkAUiFFaY83t63wOqRvso68lxeyeaOGrYqos02GmcKjo4yoZXHofmEDPzttL +jjeo76705NfbayApetiWHkd/u8AAS/MiptJQInkHIfhy88Abv950aGdMHw4Z6Fbf +/0yxPDAaVJmATu50HBroAepE6+U/frSKFFxHo+MGOzq1BgeMjqXLFdx8WBHH3DkK +CIXVxIDnEL83eag6layFEskBHVdcklpwaGgl9y/a/HTeh/RLoHL7JPlxCob7aHSA +VcGYeKAPDwBwmICUx7aafshqAr1c7EMOGmN3aUI1j8O2rACMKIV1nffptRh2fUnD +HzqBeUEWKHfWKTFhQq5Ktfoh3r/UmcDOI6xBrOKVI9tjou68mWOCzKkHhP5RPiM0 +VFfMqYyE1mFbiXHioU53EgWfuSLJZcz5+d6hzIc4FBDiN+yrjnujdfJolx+fcnIP +kOnZdXdlchUQrDzG/KoIv30RsyVp1jPr1SzXLX1mA90YOjW3v4Tu3jr6tX4LpQk5 +EXYJOIornlxsLR3lLaYeOTDn7q7oaoF5u0VAVz6WmMeh8qGwX3P9d8zXtDDMXrDa +8cn64OlLK/JqLyfic13uUHG3wgtlc+4o1350z0QS1zX1G0HtMxzITEygveHQivvK +yT9HhtjXnEafQiXEADeJAhwEEAEIAAYFAk5PDbcACgkQds9RVdSVr4uGgQ/+KgNw +RKeCHPMDH98qD5SJdYZ7o6bHI0CvCnz5s2Eq+RY6EzxumiOzCf8amCcSW1RkSDe7 +CXN81Bog1IYyYCIDm15DLm1Sy+AAVPzMjBZCKzM+MoOV4WuzfC2/Jd3kqzIuLUlz +hejnCmh4UEFj00jsb28cL3/mjQt5S/3dngEfqjGaXi81/jmdgSZ5Ha63yAD2IndS +qAQhSDjsNorSMh4JhO61ugJ7mNk/mBvEU5uArG9BZuk21UbwPl4c0BDbwa0VT1o0 +92FdESqK0NcZ6VY2zbgxMUCyF4WO9f+Cwdhg0nD5zw5cffVIiEgqhG4TeDmdn0cK +UrkWkH4rPISHEYWLZAg7vo63Stg2WRA0lN6/Ll51/rzHMsRZAL182qcLIuJUV87o +hTtyFvJoBBZsKWI7ttXPIIkrxV7Z0dtmyKSuiqnWElN/SJbXfzM563pa7Z1KBmur +9t/a6WzelC6fSNwapOvvht2YmkHGp49ARsm8B6Wv2d693P8LldEpCxm82CkmiSC9 +qRJ9pHVkWRQoN5Ais/rpZ9nbs/1FdsaKM5HALrBiQVhsSWoZLAMpWOI32JcUNtPf +UI6n3BdWJGT8G3f2wCzHkgNjsu90vedmNMSewDEAMBb+PnM6HfeFUh+KPkWWwFou +17/oNPwyD/7/qu0ybDtAmLzyKsp2zUymPxEFPteJAhwEEAEIAAYFAk8E+0EACgkQ +OMs9RCIfbQYBeg//QFv1rvEXodhZ1N5gLlMJ5cn2+hTJOdwJdDu/qqo9qtknzfje +DeEOKisSrWXY77dsHxTU0WeHVZkzSTD6nxiI+GSqmj+0yGqIEBjFPmdmevSeECma +PIh06gFDDSg8SsXPMJDM6ckPwCX9ondFkSdweTlS7RSXCDnemOfPmLCHP84cnB1i +/wCzTnyfHdXViAEk0ZkvD8Fmd7WUuvI1e6c6Tlm71baagnQo3eiv8efh+SxO7Zek +DaRKIlvE5s3ax4nCBUV4WUtVRRRJGQ8HWevxrwbWLg5KzhYJ8VJYUCxi0RR8rY6o +FuO2S9cWuHBxBuPdTHbphr9RwuW9wfsovM8PhxOuxwOi/hZlc60JIn3V2Yf9yrti +UZqWtfN2Dun+YR1BM3LsRnGhbIcjI01858V7yuQ+D3T2fmrurerwWL7XfrMvqEcY +I2Oi2V+6h2Bxnk4ceCfBXrwuIcZr8t0zuZxCT909FTYGdOh/YId9GGW3oqAY/Wng +2eojx+1/pgJXsSvh/vzaEqAoF3tGtMli192QfibFRFNHhyQHRMOVnkj9Lx66Hdzk +3uZ6jgF5RV9ag8KXZPfLU27AIxXYCqwZgWKTC2ZUkhEhCwYHchWLWodu0Z2TdB+b +ViEwcA2DsMramik8nFpuYbZoGEEES/wU3xCXxIzasuhXJykihj04I3l9C/+JAhwE +EAEIAAYFAlAzpwAACgkQHYTM8BDMW8c7IQ/8DR8UJNPo0jcVdSyutxnMPLsucC/b +xrdomLA5f18nj8YuJSFB9yDseOV39g2tkYFr4H3dlMLbzv0f4caOKvue+c1HjQ2n +ohVMh7a7XoRW0v422fKYtq2GbuaigYyrscH0+5F/kK1wBOW3T7x704Jq/kEJnFfG +O62vyn17foy/+jyQK8lFQPX621+gWIfosQYutPomx8CXYktd7rrwlVBQffjDwUI2 +KG4de24UXEhgYxok6vAg0RzrLJGpxAI44P21aTqg4//7m9FXxDFzTGmDpW757oyx +vbHB/6VdT0mzp4gz0+IapwERek66+UUAcyvaxgSPa2oUKFKBo2xDBlYKrzjvdAHb +solZ2XzhwJTae+J1DFPR1pY98lOCUk0RJAtVg1XYVCNaC7keit6h1j3/waomsNrF +516/+y1y+99bLoNK5JH9dtj7o9WiF1vD0H1qag2am7CSrwWrsujrR3slZLavZrpd +NLbbC7IDwl02AArkU+I/ADSrTi4N4QABpTGc2AhPnSlvMTDjvTzq3sGIRsAQAwMA +7JHcXEcYSyGJYCJ3cGIwDgVuj3m9+lpbcO2LwHtVygL5PSuiCkLIT5FAgRv6mJqJ +M+6hmOQeHG+yDBUGu0k9TRZkUEd1uj5KVsljZy9t84hIO+ufbM1UNfvRipD+TYAJ +/2IuXmSisp331SOJAhwEEAEIAAYFAlOgt9wACgkQ1FUjZ27WELelMRAAsjX4+uiH +EPrC6z8mqOcuiE+ZgM1ubwxQH9msRd2nMpe6BT4JM1Kj1mxQYG/ivpG2T4lOWQiS +P1ZB2QCWAmsS7+bPifVtFBs3un6g5CnHpNsVAY7LxIsmZyo9I1hkAlKP6fThMmDC +3cWf1KCVBEI9RAN+2LksTHI4rsIa7I3saprPU1DGfAkzn753WXDRmOGBS6F+C4lW +bL/0Pb0ErQjIR/e942o26Ou4bRFWv1KxDygiKfx+Tcm4+i0gJUzOhPL6d4bjka2r +s9ts7l3A8F/jsTb1eZ6JT91fy/xptyVA1zLmCcEQgQgVdAgvs1lneTpeBHRUYfVZ +qP/a2RtKSBHyGjaFPvT46yNkCx5CvG1aHditqURK0k2S1XQ2nSGnlyP7EveczXLd +oDOu07hb0nemYaEQyxrAzhRrU8PiAQjuqvZIDKuzz0FIOEVJO8Qm4m/xrxRQ3Fzc +98R2s1sM6rYgjPw+kzjLCp0RA6ItO/DCYtRBV0Bkdd49b2645K2d6Ucoq9FGfaH3 +QkC3WItVPkPammrGA/uurmyc74QZppfaf8ohxIvrXsn0xnqiTgbvsXEaakxxR7CS +Z4lDAHb6g52lqu3mh4x6h+IHllL/Or500VScmx0MtEyc+FHzyQhtCP6F+xbu68Rr +o1PM3QXdlX94YSlujOI+px0AuxIVDu1aUeWJAhwEEAEIAAYFAlO1aW8ACgkQAaIF +AegaS7pHJRAAg7VFkcG/w2AfKuWuGWgUpCVCqUEAI8lSgb5BKMCxhyadeRCk5zut +UOGtEWOPtg2QKnQYuymcHeHR/ibCEq57PxVy8wuyeIF/zJn3IUx4febp+D6HLwxB +R5RL1OKwF3uwIi5YiZVYM1mDOND/uOsljQ5F7gWo1blLM4Q1XVIkxJhY4NV2F9sl +/O4A0XicwyyQocyfL3PcM4qVP9CFRIdTyIamYCj267RWJPGlRAjVQchLO56k7wYD +DtAZuxfkjXA9VB+34qx8XC+esFqU7YzaqERljchkNKYSBSfw0L4rub7v6wgZbzR3 +NGKwJNXoE7SEWxV0P3+xqJkUzxM+937L+BeADDuoM3v2rhtPZYju+D2GvymFFcF7 +2EJmQTxbztM6uwUVthBSO/q99dEXryavFe/CFiKzV9hn59Ny4YqwJgl3xwAJ4jZ4 +2fTUoHJ7b9nuJCCeywwjCW58HdGV94aOwbWc4ElzYP3k5Bjwevfrg8RjRL+W9fBU +qLGkgUatIck51Yz5Ymp3B7N7Dr8mMe4TDS5MeZyhAtod7P3LB+peTRQvjPPCODDQ +DgJjsdFNn17oCYyK6pHAv8VSEhyzRPWtlZu3bwbEt/FApo0eOYc4Vyr3btO2ECPJ +rkHmlf5FO8Y/LN7nDjd326ys2ev+iw1fc80uZ75hyT/cKqdxA/A6ITaJAhwEEAEI +AAYFAlO5IlQACgkQnDFQPG2GY5YLRw//flDTANc/AaovI57AzPQBkiBpfASopsLX +hzuMZAiu/gbkh8kDprfFcF2TUrrDcJCsWnaGyWu/cCTxJI6u07FPNRz5TQjKm8t5 +LQC4mqxbirwOFjmkSyttN1vGa1HoMJY0jv2vtd5/Wk+UVUw51NiUfDLzaZV90dM+ +VNzz94wzpzlalgNAihPHI7ZbjTjZKDThJoRvj1h7TFzEsuxLv6KL05gzwXZh3yV5 +RlYcCnZzaRXQD10UtMKKO+y3lXU5SxQ5tT7EtPdK9TiNeyWVIVNasA91VnrZ64i4 +spZmU9G6e6qoM3MIyYTtoa0FmpW0+xN1jBvyEoCyqZdFO60+4U+1Pdh8tmTQBemT +jtXewi5+IWilGmUVehx7ecYWCLsFA2MCPh4/1Fpb4G4+o9FXnXILGxpWO0yi7hzm +qcTGRDfTaAtoiCIp3Shz3YbrYZiH/HonWc5VRSqYPZA/Nx307yqfgQDQkIVVmiCC +mXqMvOjbsxHLr+Z5ugqmtj0fn2gZuFr8ouxK+0ygpbrclu3FNJHG8b01+5Cxl0c1 +Cnq481Ab2akkyNUId5oM4NBAcOS1PCw/MSRs15BAW1Wazq3we9KCC7ZL79VALrwW +hmgiz5PnpzzLgIkNMd1VvJTxvd5NXKonupR4wsP3Cin/HjpjRqX0d6JIdSvNTGK8 +x9u07Wjh3u+JAhwEEAEIAAYFAlPcPG8ACgkQxzKx0cKPTi/b9w//YFHpLwyVcLn7 +k5M6h+0R0hyl+p/JAiTpK1VNhtmKzTsRYeISm6idIApqOOYb+3mestntPDSwWbQR +qJ+PK6jVSKH3r9AOaYYgj4neAwIiGK3i3dN2pvRZ/tZ30os60XJkPOnZ5oiGC81o +QhJTRYrbIwQJ5i6XQMeiJ89zxZ4LuysWWGhE9jQeWj3BQ8K3EVxLynRNlSE9/Rqr +3X8wQ7t4pglJwN7tWzvFDiTl2D7/Vgzh1Kcgq0308OWPHuqijLpUCBTiFae1WkwM +qEmYOwbT64w2EGeXLU448vxNU65aSaezLNegk3RACMkP7iLnpCSDTIvAm52hiDk0 +nemqSxnRvfepQBIa1Ce9QbFt/mRbLCTCkrQxLJCxSLvMuWx0uZBnUeL2zTvTU0Vz +LjtiKZUQhzWodCj5doAMfciqZJmd1KoZafKhqm3Ev8xn9yzrKJtzydQVcylwQWPL +zK2vyriOBb2pDGEdQmg8rG1iCGqza8HXlbUKjT2oC0MfF80blpEBgMrGOGrtt+yp +kTJkIckz8sD7h4ASKW6NwDizvon7zkHdijMbpmjZfw+FXHxfKmS6MUkgRZw4Yyx2 +o9jNwLXsk0VD778LHSDrqNBaVvVM6UYoGFJ2K0DSapaX9t7CRBL9sIWsK7Dnp5gk +mFclCBpdPlhqBnnFLe1aIrn/4FODxg2JAhwEEAEKAAYFAlCqYhAACgkQOYqkiHMO +HHBd9A//RkspBT5OeIGiWH2yIG3DnUKhlTSLGaoMdZPoMQGxMb01s5RU+j0KuOJc +kO3Xc0p7UYkRguHo7J6GhOhvIjKlC3OGr+6NfKGsATw+j9QBlFHTDpwNZ8D/VwCz +wrFkPYEOz/weKUcDS8mwfBrU7dvgEnXaXa3uIJzPImojFqCeMqfyQ04/+2LzSQ96 +ulWfMyJn9lmR7GvWQYL/rwB0XdrQLGUzUyxP7HNNcMPYydtuA4TZi49Yrd+XBR0r +svUalfSmpcbRLlYPGy8fDJ1z4CTvIXjqW9JbAsBVcxi/5QlRXfLZ/flz902sjm5M +1vy1iFhU6FH5YpKLoHq2iG4LodgCqGteHiSGlE1dd1bI35IFOwPktuzJ3L4GPym6 +saHapJlgUtwtB1e6GOrmVQgn81j4bRupsBFj4NZQv9rNF7/rV9HlvyDuGL09EE1O +VnWgSDAzVgh2Os/fFx3ycxpkP/t++rW1qC5Je5CBpBW62qyVMPERRgdKi1JEkafx +/i4mS4HkjWibAmRJN9APkmczja8a84rU6tbVFNPfM9Z9r/Ay/EDxGgS/Ttw4Fkxb +C2GKWIZyMo4w4tCM1NHkyRp7phagUBY3B234r5+rMkjiC6erbk2YFbXgzWs3iIyd +/mUGRl4xhQLt2DWO+Yd9VothLr96o615eNzelmWsTx8OowM+mlaJAhwEEAEKAAYF +AlHlfOEACgkQD5FTAMXZClh2MxAAhljeauvt/LZGwZn4ZZP8loeArekgghJidDGt +gguCfycUyC52llvXOFfVhc9LSjc65b1ugEMz00exnFqfKKRSXpjOVPjGMopaBTku +xmIApVS2UvDVYK62EYE3fDzd3IlC+HuzpDyaTzM406V6488WPejHTOQyu7ODlXdr +Ju1Ai8AEir5sHGfUX+TpxpMx4PVqXyiYjYi4Bl3dio3J25dvP1DMbQ0k4hyl3sW/ +s9Kc5LnkvgzOyLrW7AKzNmrVso/pnuqWmEF24p0AGXwr09DG/bw4IohTj8CtXj6G +I9RJG2OS04hG0RUT07uHcEqFUFKVbLIs+hX2ThYRln0x1tnq/QeYCplYxnn55UIW +z2RScB/evjsxNjUAg+mYDy35B+DyWhDKfq3QD8aNzQKD4x7mI6TR9/Z9yRD01VO7 +3pOu1gGRMiVbp1d7Tv2bDe2c5/AiviyhpY4FqXbkY5hWNydCK9MD37tcP97V/2Bm +GXooEzYSmGJam04WGuWACvmIBOzaeuU5D87/4yTKAM/Uxh665ZQXOdtub9kV2Z/F +bqNW/7Vh0ueLmJ0yBu5UzAtVlOFQePRIsN0lglElyxSTjdDI/Cjhk33ByanKO7Pv +ZmI4XwELVMFAeJGh6wu8BgHgGEaVkHL4aoazhPqBpoPAlmz6lDFQhAf4uDAuSJ37 +/gJ5+ZWJAhwEEAEKAAYFAlOh6NwACgkQTQVh6fnb7hPdQA//SBLvRj3rthsoXwyh +C6N7I/WUXKMx5TLXOR15tMALhEy69hmJmGkQd/W9uUqNw7j8QaoGZxxZ6kvUpcZ8 +r26fS4W8nqH7nnkmIOu445C5Ru5Z4cvZ6ROann5RKcrTfslrT6w5rmzSCGSsw8sf +22hhNGqIcmX15+NaQFqFlxUy8rCA4Yhu+nojymnCpPjFjRUFZPPz3c+/eUhaV4vv +HYpNJd0xYIAE4KsumrImHdGhDHzsmvjh2ltHZP/5XxV8T9CttnQrBrSuEzqBq1p5 +iuN7Xx+1ZjDAk96cFLXEH4jLrHy1wLvr9mdhUsXA+3yZ5ZJ+DOC8dWXIMB4emNXQ +8XyVMzoNBgbm0XnjQj5AEmF1YsL5K4CjzpH3bo/k1S1O48uCbE5+pRpOIrLvpnXk +e/R/T11OfT2SylMRKV73ewgJK8g/xifClpY6D95Jhd+NnUVdQIzg0ZkCfA1tL4uY +RI3051BbHdd/io3Dc3VIuP21vSGcCco3mgvRyQqnx2N+8GwGZ+YR/A18wZjkhF1W +SBhbMCWoNv1IRLlN2QE1DbppOaZ91yu6udNl02vndAnPtBOt2F8WEECe/0d9L086 +a01OnxF9wv5VzQ4VALZSVyQFG+q+4mwKbJAaBNYJS77+De9FhgKsbvtST/l/cobU +NcZUH4BjVxiWFF9UP919ph741YqJAhwEEAEKAAYFAlPgdQoACgkQe8NZTffA4aP3 +OQ//WKnyxvr6zCsePtX7hwKF8K0bB1myL45mVMtpXeCAchit29TsEMI48Y5Ud+Br +zqpuZEl3oDJxqzjM6GOXzbGqsW9PHo31cKwFesETp2EH6kqP3a3QtCqUgF72yqJU +DKJ2LTtfZGjUhgkKFfqcYQO0/eOCeEAGGkqAS6i8XGP1kg9RqVtBAQ5BLKe1PdKR +j7gx0zx+AUIl/DOY4tJRSUCcSyRMbH52nsRdeLN1HgknvHB6ypiYKHf4H7dsTe0n +CP/cChTc3MNmIjqDiOKu496yse45YoJFJGKGlAkfdlE0+sKZln3E7ZvfM1BWu0yz +5S4Uu0E3cP6gNkXaR70HkWzhJiafQmeum2FosP0poz/nzYs94jKgY95pT7LOK/KS +YrDq1/Cdi1/RLne91oIyHKvE3f/8rgSGMWbEFW8GjDzp6M4rTh9u3c9wAsmXKl30 +KE4XwuJaxMY/jOXl1vvvLjuyK+BUfex+znQ59hm3kLmWAf42gBmZWMN1HgB9SXua +CLe8+xKqf8LgVwgBRmLfAzpZjLZrZ287QASVdzDWvZKek5+d+Y60geCAzGSgmwEZ +QK7/f4gaAuxaxTbmXFqz2YNldirSGFQAz83Ur0PWvX7DkxArlmkjJcsiNKMSzJtx +orILFwgMnd89WDASFHIRj5pQHv02w0JD2mlaEnc8Ljbi10uJAhwEEwECAAYFAlO2 +iSEACgkQTa5CJp6w6wuD0xAAv8J5T8UQQiMWeMuJS/l61+tu0AERauQEA9/zjB4L +p1nElGyJtFVrE6huVWxtZlCXFkLsZ8SMVKP+9NwZRbirjuBF64KKurfc5IS3xQAv +jSk26T8G/NRfyuw4vBt8TXGnQWnFWbrdXzxGROStTXVfgGh35bzXSy262U7Dpcwr +v2Yva9DsdzsiYrrD7GfjgPyqSVyKK+97c7EKXfInv96cZPkgRCUINKOdAOblHGLR +nZTOf0LzULrbOYYzd/9yEnLpebzY0tCX0HSTnwo+SILFV87HAil0FHFoqkaxCV02 +SrOgDWqVGdMiAGagkAxNoveGM30a9UTY7Whjqo81LWKE+vLhWTtWeSk4wCVuWdke +//vj8EAY5wJvPeXWVDtCWHRI5hwwGeyEfJrC40cFEgEMdiMsfhAKl5hct5H6f6W/ +wFIbBG90yurc2X5yVYY1n+4ntjRC6riybcVtjAL0hvPngyy96URstwFkm1++83bt +deemABZPlG9g5hPQ165R9VA7WnVRLsfAK8VjXACk59DFtVOBoGQYRMGjLMjWgu9w ++TW5pwpM/npq7eA9F4vgVKaEysekcjb3dXc7urkM4K+COBuv7PAf4R9MYvlR8884 +bZkROXi59fsGwZWo/hfx+G6ri4FtwOIhd4vU8xnRGih2P3Q0dBO/IjWV9/e6vxGL +TCmJAhwEEwEIAAYFAlNvbqIACgkQ5oDFMeMrMrvW9A//ZtWsVKI4godw1ZIGZzZr +i9vAUXabzUFNbgUrqfP9bFnI6VI0nSFuv025V3ZNkGEoDTWqxaqryHUZV22YkK22 +9fEUnEnfUcUnsrX7ThAOCSCLaelemw83ei1/Rhr2yZcw25FMTMFm2dwvE9QoLmoK +9imb1hzH6vxPIRvBM8UYZNpR/22W8rE68h4ky2nd4TQB+fdyn7mYzqVJ6wUnESPA +pGMthArb44d7LFWNGr0DDPkub88bqdb0GIFsNDGNQb+k3//aApj2yKj+yQhvxz8G +jyxvIM1edARDtwZsqNZGhk1Avx+EcH3k7yaY4QxQVWUwn5Ry0Up1jqb2JFz348+M +zn9FX1vuDnG6MrWmV9ch+D+cXEvMFjbBblj9xrlntDXAGWqMuia9sTDfc6Wl0A4/ +wQxXOqzXLYApwvqcgXAswDn6TCO9/56HUNdL6gwqEoVm/6tYVgYnTbLQWmXsNK1S +mtEcdQtr+kV9AnKc1d4RXME7ySIqshWbygt1WPHv2ftBUpdYH4Wg4H8AivsK/ZUa +5aQYMSdy0g8oHuHHIMJ5GBXMEa2stzeTGGfng90LUMKUgDZCU4eB2CKxuSoIKzfZ +FGB1nyakCaWlakAgErGWE5CLqFL3LEbvD4BbyxSkrzNO2fIUJtGVszYh1twXZMMk +bJmbGeRsEabB8YDKjKm2pyWJAh8EEAECAAkFAlPG03ICBwAACgkQs+HOePWqTcce +wQ/6A9qYrh3WuVO2T0ABl9nzNkJng3Allwe3Ok/E7BlhskuQW2k8JjA8SaDXRuxi +fB/RdvFlLp5FYV3Rvq2FOVj3NNw63H/G/mui9U3NlzliEHiZiOUH73JIywvDAzhO +J85/VbGBC1T9rDMMS/QSEy+W442w9g+ZpaTgdpGuLkMmRaruGh3tjrKDk7EixMkl +GVVn+yWbdQ9HtcWshTP4bVY2bM11u3vNfHPv4LMKUeJgAssEstL5vGliikMMcuFd +PyCaJ3zj1Kys1mEQTE3SjeeEOjfhdMg+xM2nELfP1D3Hi05RpmGY8Zp1v96+WTvS +k+CrGIlRoIJmknesn49km+3tPXd/9uz/HRYuXvVoR/PAW4IGXjy6qA5iQHlHIoOb +2J3Ku1M216BVWFK1bQ7B8TQNkAGmEDvCp8YUB9TBFl3Eh916gws5MwXalCurRhm/ +378YKc27RDER2ECeIlLpIDw2O2REMz8fkBjB2DgsvXpZIUQu3/rQgSgyPJPdrVPt +rEqChzhwR1M9JOrSDrRTiEBueTWmKJdCZiArfBycGpHri7Yt5joc3UEupSJ2Q9hh +jOo07vx/iUH9ZBbj+KlAoNl4qag+dSDKPWbJEe6x+tJPxE6D3R8/c5t5EUScaw4n +qQZwqrnlZduT4L44U7WeUspA7BcQVC0AMxLnNCavZ/icgxyJAh8EMAECAAkFAlS7 +/vQCHSAACgkQHSl17fk+c18huxAA2maonojeXEYPw6bMZBaFHH+LIYgy/VQ31Z3s +96+gOx6h+Per6ubecaryezX13+kx5j3i3z/B3o5gYB4nQLc0TrGXlqmf5ZiwmVA4 +CpEVUelGhnIxVIWSDFWIgn0NMdkhE2w4seJWIxYGk9E3gW29tsFXyiG59HWaB8vZ +aV2VN+FQq4THGOhWPjE+lxotpZwJsR9Xq6FaeqHznzg/N3CuNDAXGY4aWl9JFMiM +M7xtPTlx2vn9ITo7+miCgA3RmEL/ho1axlhEhu6MKSKYeq9wKXTYyGMcPdnxH+Oy +Nw3A82EFAdSF8Ro6xXKVU6vQODXBYho+xEPT17aBvaoIoYyOQNT0jrGFSi6u0IaU +FBYDq2NCHD/adGaz6PsQYQY2c+wCcVREZlddbImxQVLf/zFp4z2EtAXkjBwUEpJH +Ci5J3agCzP5R9aNFe9UJl6gBULwrI7NyyP1h5knONYFfXbWg0fBfzSWlW8xUdWLs +maLjl+HbCFe5l95Sck3/p9s74bypa9xK1G5u2uLTA3YsYp/LnUjgpttKezEm6TFn +s+NV9OUstbi+7naHqBdA0V/xJZH0+HiA9yybT4ETjBNlO5KBzwbTkTqo8inEM1e/ +bwsAXmrWhHShmQOR76dXPa6aho65KDLiUgnLxOrY9gHEb210wIZjuEETJXHqqBwC +Id9SCgaJAh8EMAEKAAkFAlPeC8MCHQAACgkQHSl17fk+c19b4xAAk9SJf4ys2f2w +xdmuIUlvn2KNysjhuDbzy5Ov1v3Z02yKgvafvgdCRSXwQChczXhhEfzYLBYtahD/ +c07cBJYk4y7iwFVjaNdGQxLDmCDxUigFWZoXakyopoxQlVnHWmsLe7P//7kjjn/t +8ccIcsU9UTq26NNqXsE4uLJR4jDYKHzU6O9DtIdeZGKsN5QeV6e/3hGv6myE9/F9 +GPu3+i35zOdg716toIQqdjkJKkt8D4lSQCoYcNwcMHCsytNEc1PkXCWCLTGVRt0q +wXE/aSspztLYLeOPWLcTFXv+gYLG4dXYzmD3jZlGItHc+zcXIcCbJhDN32BfVl5f +7I2kSmMWYQH+HYX3+zekz168SECUKMhwCowCra/rFrFWSCsvxwct8NO0nMB5uokO +rBLUPtJNJ9XfOCoGOLynB7PBq9YXklzPymj4++cAmcH3w5e2VzXlNQYQfpEY+3eM +bRAb5Pi4eB+IxVUX2fCwdhY5iTfAtE/iIhQYrBj8DW7d3V8lBMth+DGQMlUAjObR +h9pVRxBjGvDMW3718i3W1eTGZaJQ0zBERJK5534gfTbCBUBhZb/Njeu7H8Q7uiQF +p/s6NvIPOOnFTVsm4cf5us+7wxb1+SWp57C74ZgzJ9aw+Ar2d5LM9373EBdlpPEk +I7Cl6ea2UXg7c3TuhHdfuCdFlGk1SEqJAh8EMAEKAAkFAlS7/UoCHSAACgkQHSl1 +7fk+c1+N6Q/9HZt9vKDGuoIKTLAdRDV3WMAoMxcM/tqrXVVUBlUsQ9fDYEv+gwp5 +z9swXlDrdICCbSjAPGQLZxgrKUSQjjB10qzJAJN30+XDs96Y9oWp0GQrkOUBQgOn +0BCv66uzhojCE0tp5I2LNkV9EeNAFJ4IMqqKDBsFh0x0DVBgHjv+U0Kn758YziU0 +vv6a95jQXCoGcRxKGsIzeJME0yKFkw/NzjMfQLK9axFzKJ9ICDNK3SX0dodAQ6rj +0ow52N+egrUHLtWNKr7b8iovAmM4VYK4p1xQJ9+lavpcxAA+RvcWgvdBu4CV18Ek +6YBQ9KDRSrNrFv1H2qeJons85BjyZI5O2em7N5W9wwfxqDF2oPHZgLoA0XutWTRg +zWwVfgYjEsUt1Pn4FvDPjOMYB4jEgLhpU3xiizZv0/JtOTPA/rvWHD494r8aL83L +gQ9vlyOAVjeS9b+CSjoUAo/DhgcwcbjAikRlkdsP0XZ36p5d6mbKGx1icgJNhHxV +vDhvTxeD5q2uUMyv1vHalPSVSGXi9COtJ8EKBjQu5VEVoqi8RnZsd0K1czIA9fVg +7eDlTg1sz1f6YHJZjcXTAnF5mFkfWVZmOuuPt0J4Qk64zh9DxtjajRgeKIOZGlcR +hAHip5fOFmF+B+0VRCIeKvVNJQ7XHSwLYaS4BssEa82FmG/M44dfAqOJAiAEEAEC +AAoFAk/W9IMDBQE8AAoJEGnB4b078VO+YPQP/0FW/WbO/7QpBzGr5pQbIUpqZ1H1 +kGdKiL/y9wgna6zqTfRl6qk8BgbPUT7y6XHJirMFqWH1tpPAEDym8Kj3oUkQcYM/ +opjhtM/SJ+nSboPkCralQIZTnZ64eUHPfwQqvrG4R3+jTeXYmXXV1LkZ6Yxmv3SJ +u4P+OGenR/GKfmy7ESIoZiC6SCGSCNuzK1NuypIwBwHlkaxVZW99JILmn3jMe8CO +YU60AFxm30GlRIt0cm1dbw429mSXUNZOaBtUGpz3j5ZBVo78DS2YiqMCr6es/jqw +zAARajAl5m7CRVMlpEkUp4WwhG08KQZG4UNfqpVH67+q9yx/Pc+IH7HXTSdxBdO4 +NzHJqSkxBf0gNZnc0iVtn+U2ndDoqyeIXtITMqiEhAMiKayQxJi5wEwrzMhJ1Cxt +ObGYlqdELu486432ciKAHukTQRiZDOtpkBt4q5CKM80Wihcs49pekVT3WoDsXXmE +IXSLhh+zTIoMnWgLrpsmUxSZj1OMMKNZlJwUWVw3KwsVpCErWGUdjEGOy2yb1pHz +k2MCajebgc2LHbb5Xrt2c1VXmhDNiAmmg5/Bi4AwtJhiMgjcs+b/wntvC1aEbK7g +A3jy1YiqqcFU1+FkarytfDzAI0+onQi0qLOGA45BrbHe/Jr34leVLlhMYKqpYSyx +q4U6efhVqKDf8VH8iQI9BBMBCAAnAhsDBQsJCAcDBRUKCQgLBRYCAwEAAh4BAheA +BQJR4IVUBQkKIphFAAoJEB0pde35PnNfJqEP/3JVGlz0SXXf6uu9sqYpurXZDNoR +rREa37HddbhbczVZpGYg8IU/XEjtIbTmYHSO5XrH5Uaf5YTvpZf8G7PHZqsJgea/ +Ajfpp4eqlEpdtxEybcct9OJiYYvyhlIcmQ4j1GHG7hQU9bpFmyOp5r/1z9/F6dQu +hbPXyjbbfSjM/+y+/0el73ITtsYwrWksh056ghNYDs+iLAkXXat+b3wmDdmzm6hH +jsAttq0gc1S2IhapQ8wxNMFNHmiYf6dE4VoihTEZa/RkutrS/6QAf8yDz8zFPfuK +v/Leyvo7Sr5C7iDmbMJm2VkddP21tDEc7ro+TE2ArXbTzUjtw++XZfk8QCyxY+vF +O71gX38d129DFgs+M+nhAF/VbDWhqVjEoiYCNOARGfjE3zC+rTOdSbVHsXpwGOed +ktFD81rpYBO9fB/7VtmpAOtjXAw7jachT+HG9MHUc2PQXdPuX1ppTBv7ariefLwK +HAcHlHre+ZDd7jJSQqmnZAyJ09yr0UZxzSSH0xI6C1mDletjVR56pIQh7gz3eu9f +zqKaUP33zXCjGcKz+8uaOO/9B+q3uQVz+VNuruou2AAnap7RfIeCsEISFc3PLxlO +KwF+RbszPrPOgnCUV2Rb5awD/T6qRG9C0doAU3RD05sFHiCbkrOYRAqGPoORj//o +p2KM5p6oosikbQCRiQI9BBMBCAAnBQJMra0SAhsDBQkJZgGABQsJCAcDBRUKCQgL +BRYCAwEAAh4BAheAAAoJEB0pde35PnNfyZMP/1FQ122UiQ+A2Nt44GeQGC0KR2ZH +4wzHhkbgBdOshwIeDeI6Xk2JuooxbU6pq3Dn4VDF37wP2inAwUs22Zjy4w8wFpOi +v5Ck5BkdixKwll0ID8AjMLF4lD1KtPDCx6wpf1qcIb3CkJh6IUPJ9HQRSemQKMUP +lV46VtYLzo66hbAoLDlBZhBd9k0TrKr6LQ/vonQM5swcLnYKyUHLHkblgHLC4jWE +6/DdQpY2ewBc71IR1XHqzJsAS0aUKWDoIV2QvO8Y0yii3wVNX8qTHzZulJO+uNC5 +/LUg8pEHTKUzh8u8KteEIJfYxdPiXrD+dqTSwZm6exf20NoqC5sEO8xwx4nPvSjH +FFgjobiacGb+i1Ie9TjCH+biD3e1OqGlaKcyJ3YEsmh4EzbNkayCyAYDIvmOQAOb +hwUxrM8Y8lTEjqpwpTyL5ff95e1ZJz67ud2Tkr2WqhM0nD8/TUdbxikcifN3eO6q +3O1ifvTZo+0xblcXkygq5DcFe8RCmYQGjPGnCI04ncBq5X9aEoNuQAppUR5FJ8xa +yw2T83EMP4AUaIfpYJ8/7zLDW1w0Tm+E4BNoBNSAbHaHbpEtZod9S+R4uZhP0zXk +0/U2bgBk3rSbQ+KMmGAY4h0QuaojHFivA2GQobfW2BQYe90UioT460g06rYXFUq/ +c2NWGay+ZdSQDW2tiQI9BBMBCgAnAhsDBQsJCAcDBRUKCQgLBRYCAwEAAh4BAheA +BQJTy7UwBQkKIgiUAAoJEB0pde35PnNfYGgQAJT15GmbtLvx5sePOCGXs0x2WkZe +UnqFTWerKYW950tJsItYmpj28qukZx15GirYjKLCELIaHMR/ppw6byF6JqF3A7Jt +5Gw+peMPAnd3NaZrFcAOPq0JHhNZ0kq1/RwV0Ztvfg+sn4bSu8dhxz8BC7RiwEzn +sxullUowFjQ3EQhYkcJZC5/3PtTm9SdgMEL8IwSSQzcqK6rENXZ+T+GVcgpIoEDH +hp6Us4zq2+VYHVnLXVdHBWmX+3fpYevojmor++8sfYoozqIHRFDNClXrOTRoJmQt +c7coOamfwM2XE58dBhEe+vYXwZOnrJMpYp6z9kOoEh3olhJ/o9lKKkb3l+26SVoY +UXCYus/xtntUkv+F7/UCOfgPSAJmQtYtmmzdYpSWu2cRnGfWsqf/XNWrNfh1e8zV +84LkO6SK3uLvpggRAcxETYFkmuQwPSDdXOBnUIhWPDGrElbd+CnOfMBa6PNPzb96 +dLy5KdD7mlIDPVZZ8c4J2bHy3xoj5WBYdSW1Tn6ReONQe2yqzzJr1WXKPMsWhKoY +2z/4oTBT5EQ0uaMCULB9bML7tf7G14Lz+2G/poFCxWq2X51ST5wP7UKyB19uDbp1 +rQ8dx4aSW10Rsm2JEIsCRzW8FL03B1VZ86sdu7NeWENwtxsVHR4dqtq6L01YbUey +ooUjHbiu0XqKsp2DiQI9BBMBCgAnAhsDBQsJCAcDBRUKCQgLBRYCAwEAAh4BAheA +BQJUn8i5BQkN3FjEAAoJEB0pde35PnNfaf4P/1XcP6R7wE/+TYaJGMWMV78WzxFN +pxYhoG2SJaW+8U2RGW9pdCx1J26MN/ZRSlGOzaNe6erN3FStN3hUZAvnjIEch975 +PRRzWhdGeRgSPSCGmFscV6i6YKABwABHpGfNF7xTP8bI855tiYz1ohi3sUqWfxk7 +kqIUz4SUnUGAiB1fAOzaoffeWG/kPzi3WbC6j7iSBmyiIfdxnfQPde4fRE1gNtVT +onZK9VRbS+Hk6WuRWU0YFkVqUgtEVtvH4Tv5qrz2QryHYFpI3GmKWrTYB6rZJFy5 +YdjnWiw7hg1KY601rnourhNc40pBqEwb9m20/Guke2znYMyA1DyldW+W1970EzSn +5l9uj0p9q2jrfUe2ZvN0tW0NvnBmDPO2L26GylPs9FmD8BNIv4bNtzmlnWOn8do/ +2P64LimS1RYsa01gKdoYmd7XlK5vD7v6eJNTDj1yO+CbzmVCpVGtiwPR4mVVRfSv +EorX6CWD/bx7NaV4Hz1wYsrnl4+8wVsJpyqsOIuhVvrODB7yrwlFK0tqroGeh8Bw +ZIr8ArAaicEE9bGFzVmUf2YRELlokLo+4QOeAEKY7AlFQtqMSZ1qsm4qniSQY6fj +snJUgakKL+m5HPeoQ3PmvgKRVuQzIL/95jeO6yXNZefz80hHTjc6IkqUuOzgNxjj +UgIwFFIxb4Kg/HbriQJEBBIBCgAuBQJTu/FQJxpnaXQ6Ly9naXRodWIuY29tL2lu +ZmluaXR5MC9wdWJrZXlzLmdpdAAKCRATGO+sX7vbznemD/4kgQcAB9I5jt28UuI5 +EteDgwnWA1OXiOfPZapYk/uli4eInD8CUB4PItSM1u+clqxacUGEXkSSkiR/3xtB +VjiSu1zuB7Pvu9r4zuCa2zzmMiqRcz21l/cTVsPaHhtv2mTS+50zsp46Kq3uHVr4 +mj0B1oq//5smLS0v7h2Y2d7+8x4CAZ/AZ+QGfnLKnSQsbGM3SI9YnU+3Ix5e/dAV +du2DnD5CndhIjmvu2+W4IafXvqWa4ef/zzxlUz3ea2gAU2Sv9KjfQtOOqH9nqhnL +6RNDv59lDZSDtgZHTIHfG2GvEH6nJ9xWy1BMQwpDU+rgtuNq/nEA0HXWmGw6rYfQ +w0pFPLTNK28rNLzZUBPHhEUgSAWfFCidvXasXs3vK9uETpqDKSGJ4gywVNMIj6Kh +gg7IpSQW8OnUK5ScEjGF2PblCAjN3wJQqNdc5JvN+Vz+x+gbA7el49+4BbJyy6V7 +IRrYBPhPsPVh6Y3MyGWEjip+ba7EUQRAWbqgw8ZKkSm+l8HmBpwzsAfO6GCBt9S9 +d/nE4aZbNySIHMPeXceZ6KH8mlL1WVkwCaIEVuMBPUPLdE450rozNCKmLkkN9WTI +5ZJxMp75BZMtXrT/zMVHNgFF9ZRKYqlmSNyPwWcU7kb+Q7I0ajHwMfzIpXG0EHWH +9cv4R9rxJwhLxe1bVZZZvdTUuokEHAQQAQgABgUCU7ljOwAKCRCuzvVG7IsCYDya +H/9q1WI3J6udsq2FfF68GR+MWgKEOsWhzPZxESRDu5mkgLn0gEmd7E9CTvGO674c +gnVop49AQfSawtvgIsIQCzjEfGCLk5emLK0bN4u+Wmi7A+EW6lPIU+qzQR6R4V+l +IASy+1p1EDipwWYGuqNcOErb6k4ug062zQDFoAEu/h6XyzDQ4LCidiFGV/hq7/sW +29VNuk+J8D3mGzwjGlItgQGSVKa6BspE6tnvx+tQMPdkt4DnEFrTTlVlcsztWEPn +qzAnWtVmkPzyRwDW640xdW8ZgcT6A9WiJrhVQw+HFkndew2pSkXuqcRSBekz0XGF +FeV00tWzmP1kaHitZECW7QmRfxAHm1lSfYwJ6Fp9Rje6YrlC7Dx/VAF5Le7Vs60e +eckoUf5kBBjyd+u1qVAuEPHeEXr8bty1gfyET3VfsVtws2zvn6YKr5b/tORodux9 +gvgAyfmETHGSxyhxWXxf2Ol7KriZ29zRl5HJW57L2VSIjyyBLDfVOL4MnzuO9PVn +vOGDu/C9sUqp//dw22ryAOce+8aVV/BpSPIQ0KWzOYGGuMfHMdJ9ynQg6x2pPnpX ++vh5tvJb23WwmGG9KoF2g1q5wNeXxSrPlSbpXRamNq8h4QpaKoTai2u4R56upGf6 +6CxldqS+tl0hN+1Htv03QUBsINvSBnnzOD7TlhytdamQBiufuhqesxo5bmOhPkCQ +mEUWpd574SxFsQq6j5AHAZz8gl1iWmWZNpVZP9OBMlr8UwTP+9zWcM3vPa1DjNo1 +lMdFAHAtqhJkEAUR/7zlgSEICMqKTBrwrvC8jGXx98ZOsaofyGIzUI/zL/imgq4s +2nehHs/hCgcZjCYt7l08Jonlfkuq9vsYaJsyoaK4+PHkUyLcRSarmfBzgP43K1pp +UJozB7Nmq33OzhPy22N+qvX46RIJCl60mTa5/UwEh1uzlrOkR8LbHaWrhlVXao8c +iUkbBxdO3+PQzjkwwhEpKS6MAZVTRtnMNWiNamy81BP1gE2AjKBwvX6EMZhebbdn +A351nbKqGJWWuTviB1ynV3Be4MCeksRf6rfb2GxkW5jccNkMK61EAt+ovVIw6aGI +3xSZ8vktieZMEybKCS1Canlxaf3yCqfoh78FhJredOAsG4EHF0VyCs6JRmhB23UJ +OBBK6MHYtBF7z2C57+TvHwAWuPa6Ce7eI7sYX92mId6WoecVAJAoHQS7zUh4D9H1 +B9/23xU3UuIT/j4MjyjlPNOVpCCWu9U3MATzf6WuWgID4okwKhysT9k59UXQBMqm +tgkkiElNyiZF6IkxIUo5A7Qp7ICRdw1uZmtUHanyKMJI03gFfDdnLUEotQJXWPjE +QYm8EnWo/87PF2/QmlW0EkQAuQINBEqF2KwBEACoL28cGm+KjvdOaXG1WfWWQBQD +tsLphTgQW7LJN2IPyKt+QKO1FB8eiGWa4GwPXE4zlrOHtDqPB/2/1G613J4cNf+C +Da4VdHJfp8KnUWX3N+R5uETAjaiXXQX78yGJoBxSwJX8KRMyWTZbt5M8ZewqEp3H +OgUfOnVMLxwUNJbWZNvGP3QG35n4iHxfXoMsY/GfV4slhMMIc68p3aAknbre7FC3 +cMyJzJSPcccaeCZ3t4mEvx+W5+MghwF+d3/oqJEGIMBIqPTRd4Ig/zFpvH4LIomz +Ivco3RNt3oL8SiJTqW/5KSfM4B0XvQ7u2JWRwdPIpyMvNuITlf9Dzspz/PjfqkuW +W6YrU5wA4Y37eTBNzMoGDqMiFvPv3q18sordxcCSwuA3hm/ZItprTCFZ+XUn7Lh2 +IIb6sSXoS1KwvNXq/K+kOMldaCdXMzvnf0X/+wTMX6efo3KRs5EyyXsZ/9D5ESgH +tuxw4sCXxnnLuLi55WBa0TGCaN+wf3g7pucfzy/WJE3TxFT0vteFnOO0A6b5q4y5 +L2kKqaSFVrIqUju8IuDTnKsj7w/K51USm0xIq+gCUW8OnaTxMwI0Jued5Hv4boMq +NCHC3gXYcsiBxW77UROuLhfWWy+FpPfWqo6b9P9YHQ44S5harYuK8Rtjod47K1y4 +pO0LXSaFIpWfV+jTxwARAQABiQIlBBgBCAAPBQJKhdisAhsMBQkJZgGAAAoJEB0p +de35PnNfu38QANynC/MLl5Xg+LtxAry6sTYXY5Fu1ZJzFJCyeRaty6EN+GvgmHCH +G8Olxl43mmL6aSFjeDayHZQHK6tieIMkDv9h6hzfNoqLs8qxJNPNqFE/0NVha3Tz +zd1Bd7kEwlX/r0frf1xaYSfA9hZAy0R9+kt2daUsTHOWscIJQw11zykHWsX4Wq8S +ArEArQfgxchaS7xaw5NNF1BAzs5d224XfwuBgFw1CGCk23qncatl/yGqZRnaGG7P +rHBQJ/1mPOUqcsioXS3xQREj+SRliwy85OuJzwkNZWd9HV1UFItZ1WCotfbA0VP8 +ULar39I6if3G7XcuIgbg8GGAMaPHyXaUnYXpqzvTEhkJQTywY/GV297O356aUbzo +lrDq99ABiisk9SM4sGT0SBLHkRoKA9rDRy/8+wY0zQ26of1qqYWEstzmCu6t7glG +ND955ArKBmgaMYHe8CaQoCu6vewnt4KvQfy+atfnzAyYVoq9G3oTFZiT6imXc1u8 +KEquLVKchdSAoYEryML3uV1wd8CH8vBQRK03tvy3eSDuUAlRH5sO5gxElbjfUQE9 +iYBoSf+0lMMuj4MV7XZMxEQcptbzrua2fOw9b8OwBxD6UrlIPwcT0MKzW9DEORUg +F5sbQWYJZ3VUJLFtN3MYTGq9rGh35xySM+uOsuxZ6Z4NifcAOEKVYgLPiQIlBBgB +CAAPAhsMBQJR4IW7BQkKIpcLAAoJEB0pde35PnNfL+MP/in3AMO9BoCZyPRT5YVa +1ZW9j8+1eJGaEdsXClc6/E8YkSgHcJGUUsDtCICPKpjVKBgsTEK6U3QvwvJtmr9C +0uBf2qdQwoO46u9ajWtyEkCVZ/CXFxNnUi48nQyGXqoG5Im81ilBEYc8pRukFAi6 +jgx8J+4L+mgJnxO7MgCH58hgqrmyfzq3yEZbK6tcwOzSi/+31v6wFGkKWzFRSa0k +pyhIOQ1jHKZj64fnthMlcCff3sWsZ7FXKCKs32ktsBRj2HBsb7LX1PTD2qtumN5T +75DVxVuRAaWFckXMtyMvp1Px5rRTXRPzMEGvvfBmGImbV1CpzqfHL9qL9F0pvCJt +rvzFXzYP7TV3rgqTQxk1Mtdg59UydcNin9kKg9VacSx4CGSgT4r2nfo84qC4JgKs +f4dmGKlwN4XxH5XSMsAd6LBWCJ0OWzrTNiGzJsoJ8G1neoOsb1MWWifHIe2eBaUa +QnCcXOZDmOfAa6ckB2rZ3fJxcYUj9GdSPz4dbeUIrwN/RHAEEJBNWy2yNmtMFKe2 +vKUstWC0s/TTmkbGPyFTGBp5Ye7n96k5DAHG2W3zev+yleRQ4whPYR4WIE7xO20Q +vyiuojOmMlaxVuzRwQOJI9LhLufJLYP0u0HVZmmeR1+kMwwZc3mbFEhKxOnTS2ZU +pQuMnI81FTSuLU/aK/j+HBR0iQIlBBgBCAAPAhsMBQJUn8jKBQkN3FcaAAoJEB0p +de35PnNfQDQP/iqygIG3QxObB1sXnoyad1fvkNR8V5uDYQlDCBeBjD9IytzPMfm4 +oDOpeXxkBpG9nbf5vAIxYfiTNmN1AuIip4cDjD/2pAuvmdDEFuFEv6UFeL4cONKC +LNinVKTNok2x/YhwjHuNfu04S0JwzFzZvtKaZL7TB1T3x6Ij2NTRbthxZ0rJNslm +4eq5HQGPD/SzOUWCXIorExPd5CsiCDly6VcfSIGttLsjYwdQvq/GwXNRPgyD4NWK +a1a0uCAgxHKG88yoijHT9BMiXCyBooQ3/nuDewGbQOKDTcemjlHMGzudidGPmFpp +qG1mg2kLAs5d2XtSSA3ZfN4ZgAh5rMGPICIhzSO2pbPhH0dzdN/sFbQZSntynEr2 +BlAxiPD/4BmX+kLSwKr0SJo13/vOAeLHQCvs2ifN8UDoB1DDvOVKyLCoWreRKmxb +A0uLbE4+VE+y6fMlV6UpEv7m4bI6HdtZNewr9s9bGe7QdVOqDfjQSYsLGSjkzd4z +AWyaNYd4uSXxjJKBPYpK6wDpa6fofl12xW8Kqo03fWeo2e+NGKOXHHEPNv6IBYtr +6AW6Az+s1LNNtsxHuUgKqPrlbARYNRIVE6qzvU6miuEI8VyEOjUjA447I3PoBEsJ +r+crcHZUDN4uFmjTsr80nbcoVWAu4lunHBmfodw9KRU+k2wARdLmIVOV +=5Dqz -----END PGP PUBLIC KEY BLOCK----- diff --git a/wiki/src/tails-press.key b/wiki/src/tails-press.key index 381889b6f7e37c7292f23858d9901e7f18db29a2..9d6842a844b4a20257f2220f59a93a82d291eb8d 100644 --- a/wiki/src/tails-press.key +++ b/wiki/src/tails-press.key @@ -12,43 +12,43 @@ xamrrrdFwhpju6jSA6bPF5Pwv0OwRoDbDK/8IEveu48YH1JMCXY9N3kdPLdkNXMH CxhH+t1Ma3PcjejEiUx1GFM96owyeVnNtCq6vbpBE1QFwkbeFQa3lVk4v5AOMd6o GtE2H8qfk49MDI6uDyEIePjLyMI+xhzLJsOr1hPvIPvyKIcbyYis7yOVMQARAQAB tDhUYWlscyBwcmVzcyB0ZWFtIChzY2hsZXVkZXIgbGlzdCkgPHRhaWxzLXByZXNz -QGJvdW0ub3JnPokCHAQQAQoABgUCU7/eCQAKCRASAoIcvizZwfmKD/0XVLyA8aWF -doFUE+rqrb6NK/l/4WcBkwr0IjFbeYGoL2I6HG4tGViQ+nICxeXmL0K53bBlyI+U -HXbLud6xlOJQiE04gD34A8acnkRTsLUOi4fZV9LemlrQTCubLKg5M4hEUtuUBgCJ -yhaXbgm3dt3uS1J031FA1cP7gs+ygldWKrCBPl8acpmvv3tvl1Jl2EZMimrcHmO5 -kdTaambWgS8acgmZxfhRJYDJNUBG43eS6oIEPww76/265owsQ7vVQn29ywDTzM/G -jjZp6ocRhOuedB8FGpqBb2I03yB7DBt7SDMwnf6WfcIaavrr+BtcIbZrGUX4NuVV -C/CZORLtq3gghgzfYKOqT4Erm3APMfdimgJLjWIda3+BRM//v7EP4h/0F3qkQA54 -tJvOJmMWrQ5Lb8YAd0gZkp4eTIhEIPsc48sdi/SH3BrTQiGkO3q5tRSM/croaynG -8cCkOILDx++E+3axWlENqmbZj4a21p2dNbKvboaMH/GGHqyo3wLrBp5Eg9DQPQTs -dwJGW9HT9sf/CPaOdXu5O59AtZfGEmuRuvaxFzzHQA5OxTqbInR7UTr+IGDmZD2Q -RsQ2j7cvTSBK/O0kcaIjtNUUVoB5EVzrx/D4M72n/v0fj4uw4ExplksK33cecChU -koVOGRODXchw8yy8YpGHB6i/2t6bk5G/34kCOwQTAQIAJQIbLwYLCQgHAwIGFQgC -CQoLBBYCAwECHgECF4AFAlO/jdYCGQEACgkQRXCAtaByy+PpaQ//ZVtk+71+dqrU -u9MPiqOYhDq8nh3ilBcx2cpGircbft50kSxgFlW/etDLhnOGqhmXH1ewmvrQCYYm -0FoyIkoCLGFUbKNkNsP7BTlEaaQ31s2YCHMVg5i0FOampE6SyfjwOQJEneOG6uUs -aNpMtJ+zzt9yHx00QEZqIsNLm3erAx+LObHVGK+RYcb4pM3j5dzu+kPtB/UrzKfu -lq1P9RxNd8wlj1KqXFOptDKXtZMp4Psr85DZMGBd4oCZq08OF+IfUkoAvArt+b8P -4IQ1XfRQBDWlnRyKXASJyTevZ7nH+PfrbQn1d1v5DrJNj6uZ4LFra6oR5QS939UX -xxDw5pdKi6qOGL1hfpD2eLxCDHql9Q75oJ9OOlEyiBII+iVtT7K4eru9vrpLEbrE -xt0KzqL1F98LHCUjs7eQpp8RNfDWLusu1s9i8YW+/Y2tJLyXBuIxVZmYY3DcTu5u -2gPeTF+C/Ns2OqFL5SAemvhJYSDgYEWpwRobuMlvOwvnsFTo0rvwq5P8gNsh6Is/ -cAVUwyilS/Uq1WBlZzQj0s//ZYD+up5ePY12ZytNEw39hF0r9W4QDXSgK7bPjgAN -4F4/BxaaQe5PGG9AePHYiX6Zr5Y2jba8tRZXN6i1rm2vFJKDp73Pecg+mTe4BDhV -h3uSwl9301FY4XeOWliYWCS3PdEgf8e0PlRhaWxzIHByZXNzIHRlYW0gKHNjaGxl -dWRlciBsaXN0KSA8dGFpbHMtcHJlc3Mtb3duZXJAYm91bS5vcmc+iQIcBBABCgAG -BQJTv94JAAoJEBICghy+LNnB3MkQAIovE9ygr4ubSdG73fRq5Lk/9ddXxsNbm10Y -od5uoo96MZi98J7m9ZT72BeSlUWCaTFm/yABhcvangNCQlVAMHuev69/nOnvr8QC -I2RwbkbMvY6hpAAzmMFWg1SQ7AZlKDpGmb0p2w3nuy21rbzS2Wz5sCa7JQsun9cP -IRdzEApevT4j67AGCzF5CxFOL8YcWTwumfBP/nMlvYDYQjbWE6fGLdoLo9CyodGU -//AiHukP7f4dEayTW4dz2XqKWQpAn416JA5WwZvkMqmAtmpFA6oJYDxnjAoHjBB6 -/8e+CNUCdM6FYN9Be3f2lcaY79rqvrtuNerdRbYFwmGAA0QUMgmeqdMjwvrltSiS -FW2YfbGEvNzRxCSl12veVW7A/jy5m16ajrP7Gr9feP2KhCFDa9MaxiZqHcA0y90D -FraVvIMXTmubJv2vjC5Hi4PRY6pucINu/XrYyzmIaLOMYddo7tJIwxH9RazIUNT0 -4hBtTEWREw33wUOWnwz8p6zGQ2i4UnMBCMnr5qvX0gueL+J3/ixhCA1tfj0FqCOw -gCDOJXKn4Y7eMFCydOpFLZ8ywGxvIVFWJ9HYyZXTH+4ywkB4Q3Msr4TJjXTCnq8h -v96sApAA2vFZCN+2q1cRfvdzrYStF3XVXtfAGBKMM4M1Vwsytf3h11r7ptreetfQ -KSDKSj7EiQI4BBMBAgAiBQJTv43WAhsvBgsJCAcDAgYVCAIJCgsEFgIDAQIeAQIX +QGJvdW0ub3JnPokCOwQTAQIAJQIbLwYLCQgHAwIGFQgCCQoLBBYCAwECHgECF4AF +AlO/jdYCGQEACgkQRXCAtaByy+PpaQ//ZVtk+71+dqrUu9MPiqOYhDq8nh3ilBcx +2cpGircbft50kSxgFlW/etDLhnOGqhmXH1ewmvrQCYYm0FoyIkoCLGFUbKNkNsP7 +BTlEaaQ31s2YCHMVg5i0FOampE6SyfjwOQJEneOG6uUsaNpMtJ+zzt9yHx00QEZq +IsNLm3erAx+LObHVGK+RYcb4pM3j5dzu+kPtB/UrzKfulq1P9RxNd8wlj1KqXFOp +tDKXtZMp4Psr85DZMGBd4oCZq08OF+IfUkoAvArt+b8P4IQ1XfRQBDWlnRyKXASJ +yTevZ7nH+PfrbQn1d1v5DrJNj6uZ4LFra6oR5QS939UXxxDw5pdKi6qOGL1hfpD2 +eLxCDHql9Q75oJ9OOlEyiBII+iVtT7K4eru9vrpLEbrExt0KzqL1F98LHCUjs7eQ +pp8RNfDWLusu1s9i8YW+/Y2tJLyXBuIxVZmYY3DcTu5u2gPeTF+C/Ns2OqFL5SAe +mvhJYSDgYEWpwRobuMlvOwvnsFTo0rvwq5P8gNsh6Is/cAVUwyilS/Uq1WBlZzQj +0s//ZYD+up5ePY12ZytNEw39hF0r9W4QDXSgK7bPjgAN4F4/BxaaQe5PGG9AePHY +iX6Zr5Y2jba8tRZXN6i1rm2vFJKDp73Pecg+mTe4BDhVh3uSwl9301FY4XeOWliY +WCS3PdEgf8eJAhwEEAEKAAYFAlO/3gkACgkQEgKCHL4s2cH5ig/9F1S8gPGlhXaB +VBPq6q2+jSv5f+FnAZMK9CIxW3mBqC9iOhxuLRlYkPpyAsXl5i9Cud2wZciPlB12 +y7nesZTiUIhNOIA9+APGnJ5EU7C1DouH2VfS3ppa0EwrmyyoOTOIRFLblAYAicoW +l24Jt3bd7ktSdN9RQNXD+4LPsoJXViqwgT5fGnKZr797b5dSZdhGTIpq3B5juZHU +2mpm1oEvGnIJmcX4USWAyTVARuN3kuqCBD8MO+v9uuaMLEO71UJ9vcsA08zPxo42 +aeqHEYTrnnQfBRqagW9iNN8gewwbe0gzMJ3+ln3CGmr66/gbXCG2axlF+DblVQvw +mTkS7at4IIYM32Cjqk+BK5twDzH3YpoCS41iHWt/gUTP/7+xD+If9Bd6pEAOeLSb +ziZjFq0OS2/GAHdIGZKeHkyIRCD7HOPLHYv0h9wa00IhpDt6ubUUjP3K6GspxvHA +pDiCw8fvhPt2sVpRDapm2Y+GttadnTWyr26GjB/xhh6sqN8C6waeRIPQ0D0E7HcC +RlvR0/bH/wj2jnV7uTufQLWXxhJrkbr2sRc8x0AOTsU6myJ0e1E6/iBg5mQ9kEbE +No+3L00gSvztJHGiI7TVFFaAeRFc68fw+DO9p/79H4+LsOBMaZZLCt93HnAoVJKF +ThkTg13IcPMsvGKRhweov9rem5ORv9+JAhwEEAEKAAYFAlS9GwIACgkQ27gCslis +2E8lgA/+I9BjOqS+u+jKDOp2/fKMAsVkH/XJ17kzFm9ywHbC+FkWwklUC3VUOKZU +wzZLnlLFWWDkyvC1mrdKxsDglTOBEizn+nj4wSmsfCUEsQLVXsV7/glO4750UvcM +SPiZUjl13VHFGHp66+jh+WWlbPDxhGHMsrdlxIKBOb0Lb+J7xmuM+Y6LfIxB4phf +Sftqb0c5c45M+8jHkzIqMctJtpX8M9JEbuVdZCs6miTr1rAEjpKRo5TFIg43vF4A +Aj+2k6/zdQX7LCIkoUSA7hA/laTnFtlPfMSA1oQos65LwAhEgWKKw6NmSyBzQW0Z +d2OZ+Pziiu8+WVtREDVeQn2XQPBV16/MmzVrKY94inZ/8x6rgdPSde5VTELMLWXj +ch9w2BY5eM7FW+oWPQS3BTeOesumKXg06KCPLEJCmAiQJ5UgH+lDLWJdh9gnlIJy +S21x+qtcTwXAsBTpybldKMwOZhuXMZdGTMOGld0WyolGA12NXiEt9gM3v+7UOADD +wMozAJBo2czQxvgE9DythtpgdjIyHvHfrJMQWhJpf5uFDgSutLgdCMpxPHpyvru/ +ennzVjJMAWgCwc/sKZhDaDyyX18XqO5JYrgYRGXSfLTB/ZQFqfPjCKwwWx8zTqIj +fEMMfFh+xFnKDKKRmFIQg85nYLERbGTiSYcvb1JJNdOqSPOWPce0PlRhaWxzIHBy +ZXNzIHRlYW0gKHNjaGxldWRlciBsaXN0KSA8dGFpbHMtcHJlc3Mtb3duZXJAYm91 +bS5vcmc+iQI4BBMBAgAiBQJTv43WAhsvBgsJCAcDAgYVCAIJCgsEFgIDAQIeAQIX gAAKCRBFcIC1oHLL46KFEACz0ms5yyLq/q/hqwKoVo8nbHVXO4J3p41Uymaea+OU gtMvKPUSx9oWjaQL8APUEz15bRRzw4ryT4CmqvAAI8DTtV8qN1pX/t9zt84wBpmO YX4aCacSU73tCmJroSGES6x9uWg8pgPHvb3el+wbWXvM/EYUgeCAiRl6KUZzxZCG @@ -60,64 +60,98 @@ ZQN3eCg71QJAV4YPRbHuH8R9p5sGFukrkmtm3bvuzjZp/21HiroqhBty9/cVRSQm qU3abOHEgdJKkxswtYDCqsvPzV2nxlCw7QTODvCCDlpSMQCHM5smgNa+HXXCC3pE zFeYMxCCOOyR6UDeqmnMJup40naKFJ87oy392F4n1J7MkLmkVNFWZEXhScktKbhh A5xZjZ1sA2NPGViCgaKS7ilTDOLeZ7q3F4X8vYyWH+7bqRBMofZHzoE54TXoqWFx -dLRAVGFpbHMgcHJlc3MgdGVhbSAoc2NobGV1ZGVyIGxpc3QpIDx0YWlscy1wcmVz -cy1yZXF1ZXN0QGJvdW0ub3JnPokCHAQQAQoABgUCU7/eCQAKCRASAoIcvizZwZ4f -D/sGRLAg6IMrYByKAeJK1i1BU8D0lA/Irzdf5bA9JfzuIY116jLqRjfNqLFEDvNC -xCyANoJsFDtkkdlDL1wxnfdl88nShZIa4HcvcsChqEMZ5cF2fwsnCpnTmasS1b2Q -7Fl+i0nGaezZMtGkXJ+m2ybrD//FMdjCZa0CvX4QUXnYwIQYwrXk0NEtGLsZZ3LW -dqXv+XGr+41Fe4mcPltp35FwkNiwNLAXHxEAtyNZFGkLcbM1SDX4tMZvbZymB19h -EagVSi6HHL3Fc1HxSUYNBSkgXOeRkMOkCJZd8qLoFGkcjhkt6a6XAYh45Qc4ULz6 -NnJQ64Okwa5ZhZwI+IlCI7fRP8M6Vze8vIDb3igIjY8iDSdu2/opHBYbXXGFaaVZ -rcy9/JH6ds8yR8mMq5IpblNy2PRmNHYfFhNTJNcxqAfKBoYqaRBIJ3eTYOpfQRnP -TLwCLYrXek/m2jXi++PfPUjb2FbgOiPaNQ2tkXf1Zis+SiNwIPrCLMh2EjqyuViq -EHC4PXm3TZAp6ouOmNs+4SosMu/wSLGKzf+sA+CaHbryq0EcTJ8MHzgZEv+tCDRk -dn0jMJzPzCUCR/p4Av5nHMzro97aD24SAJasoE5d9kNNFzVsAntoMrow2SVurOka -GJzJD8PfiFVK4bmT9r6Bkt4x8ALx1b9spdYESg3rBEctqokCOAQTAQIAIgUCU7+N -1QIbLwYLCQgHAwIGFQgCCQoLBBYCAwECHgECF4AACgkQRXCAtaByy+NWYQ//VCda -6R5pX9BajnklsN429m4992+DXQIuB/Q0ruBoudaqLYuyA3c1BjXEZhuHNFYYd/wX -cQecDDLRC4DFMHaYjOTL9ZRE5eNswELFkKXk/2Dm8UnkH1u7PytCuQSXHtpdS+Tq -1TtHu/aBtuKYwCvxuzY/6wLQBHGOo18LG2Q+qsHnZeer3Skl1FkdV28HmF6cCpL7 -iwneVLctCcoDqath4DeWCd/gPqaaeI658caWnqaG9bVOWOh71g1cXbS7FXWPXQJK -tgYf6dON2FH2GcpfD46vrdqUldtq5MHXZfA2hY+392LYMt4bmVII94e3pydR1sae -nlGM1102fKl/ejsgq6SwdpmhzDJA3PoINAIWezdVgqHiHU3FemZKdkyD6toAT2Kb -fwshKoNak8wfUFJXqUBEcrSds9Yly9XcFGQW3uIuUjFDjpfL2Qf+X32fCjPgV6Jq -wkSj9Ic3nMcdT2kDkGjm1icnA6zDXw9yCKi4z2ln6PI8plwtVKdSB4d6p00s0T/M -GRBa+1o0ifPb+/3cU3r3ky4DZO+0HJ5ho1Htq1T3QGHM/KM0ZFlAP8s6xquIPc/c -SLmBo5RXOiuN5Se4f4xtwgGsAIJUchDv6Tm48Z5gkTpGz4t91DgTv2biuFiUq6ho -TZ8hUbRm1brVJV6nV6UgVWIc5g1T6PnWOe2ki7W5Ag0EU7+NzgEQAOzBZjw/jvIo -ysvY8CeEd/3aGM76D6nDzCEUi2SvJ+yh2zgj9UIn7V6fuac7x3FGLouAKZMy2m8h -BujpOa1XjxjGJSa2/B6tyunzmHg12mBqVc17Yj60YjNvkQLIDyBNRxzbXVcK1imy -qUgXPEzdsXG6Am8aBmcy2n5AIcZrKwwQS48+03GOFoCB7U9EpV5WFlYJHnTwlMgq -JpmmKn3LYcU1ZSJhVuG1T2Bki2B3xcSJaUWUyl7g3twSXmDTVWf8wClUxWFwgfyU -0uj5+jy/8MwdX65G0EgkrYC1l0w2VdJ5dFPwg8fam3V7NJOsx3EkD7yCLL9zDvBj -3vZFFoBQGV7/xI+C8sq5i6I4/55Uh19y6pCr63OU1WxO0/uI6E4Sm7k/Wsuqtipg -IcTyONgWVGrUuiuF5d+9drgw8II4+br5ErkKYXL4mCKaKD/oitmXqUiV13y1fOZM -K2Fgf5WL25/NdUj9h5kPGmRNRCzTmPO52GD72tvCjSDt74xBOojVfYQJMvcQO1d9 -eG/6Jdk7HgoSZsw0+4dVMrMp1vwgnz8ifv3cZTzX8KwIIk/zOcI1rg6QE77jNVq7 -X9K7ksgBTh/zgT5R6pTM1W9WioxkqNQg1D2L3D70zQVKiU1MZnZmds5IWT7n6SJ1 -eNot4UaBP4+P4lD0UfHRJHi9cCd14PgJABEBAAGJBD4EGAECAAkFAlO/jc4CGy4C -KQkQRXCAtaByy+PBXSAEGQECAAYFAlO/jc4ACgkQV0jeO8M4v/zSqRAAtklknv3X -1qgLCZ+/agptc5Ii0JZ8v3A7pyjcLqblBPq5iKrQYJ4va/dYlVZpa4ThTZoRGfeQ -BCIRYfPAUWAPSLCbunRWluHraWgKK/97PHg9bf3jlsQvEcLUXfvRtjdglsRlYH/T -e7sOQC/A9x8mO2Z5ZrWsTQsCqhGRgq6Pel39KhCLXh2Ftt2K9Ofplgwt2MVQbzQN -uj2RwxMV26LJfKykd7N4BXIzx+8OJAelhnKzoyxqyjp0z6RaVIvrVm2wFFBsQS7G -Zr3/JhgZtdllzSx45OtQxDHFfYgCvnUAIw01b2hQkdnjr/UCwuB+2clty4wiISYW -CxJJ9xnw/pJpRrMRzLaImMq5eEgdoq8VQKdrvRe0OzEW4mRf5nLCD60b8Y/c/0Gb -m8VEKbVOQFBFBNAmja4p58A7cbDz/cdKHVqNI7E9Jy/lFK1D3TDrw7b1pquxbjjl -4LRN8tXeN80Kw50rzGM24Cz6yGio4AeVxwJFooG6hPWst2wf0cdfgVxYz/8xvqgm -yRK3eAAUnVFko+8OtTu5iYavy00LPFbuy45+ZX9gjvUCHwWhKVQ2HcPayCkt+PLk -EDVpskr9DhaVAGO2rUp59GP2FjFOqnNVbKHfAhMyoNxi5PNEXgxkZwjMO8lrj8lx -CO4H/8pj11bpTpbUguTjEj4z9QYvtUt8MReowA/+Iif6sykmGo6Zr7656wlXMmS4 -uUN7/eZBtbprLzIBIuC2epJo8qwdAVSHVrc6Js6dG2HdMpMNAPGcy4dHSxB+oRtg -4ClSKYlzm7wQiht1skq5HZ7stgRn754Vpv0Y+CGPTx+nT+vZ2/SX4LNMLh7xAoiR -1nuN2s34AiSlr4RlC7yyoTaVPNJ1mRDJn4/WVvWBaP/CPCbCJivVUa+LSet4dTtC -XXjOGB27/vAuWOdnHdZFme7aI1HvRwuFoOv3dpNgQt9o1lfeanZhYJnAlmxVPNbN -vYMXdjTRhiNnYMY7mENz0gkJfLR3ysbRlRrTgm4IvRZoUneYnB60Je1R8q1fdvoV -by9nWr6SmjCfm/6DgoSJfWjWwlg4gYtG6OBVfaMg5Og1zA3CuxWLXo0aQGNKavjR -VQTkfjPzJVztHKIvKNwpeQPmH5tLX8CjllcWc2HHta32F1wtWklmJAoYXnkf2I0K -XKtrdvTIDjb5CJtuiqXFf3klrwdVwt1EAyuIOvPkTUqtHgglhE2qqMj8JNK1PXQu -9wxRjPttXaJiy9+WPQkjtQHZb0KAjz7v591SWAoLgwZq+zrs6cLd8rROI5f+yQye -eXzCNE0WOC2u0hBdzyiXcE3NihNXqsnf3oytXmPu1zGryniB6BR+nPfo2PUJDg91 -IVw8OiAwm3UtZV/VYEM= -=hKgq +dIkCHAQQAQoABgUCU7/eCQAKCRASAoIcvizZwdzJEACKLxPcoK+Lm0nRu930auS5 +P/XXV8bDW5tdGKHebqKPejGYvfCe5vWU+9gXkpVFgmkxZv8gAYXL2p4DQkJVQDB7 +nr+vf5zp76/EAiNkcG5GzL2OoaQAM5jBVoNUkOwGZSg6Rpm9KdsN57stta280tls ++bAmuyULLp/XDyEXcxAKXr0+I+uwBgsxeQsRTi/GHFk8LpnwT/5zJb2A2EI21hOn +xi3aC6PQsqHRlP/wIh7pD+3+HRGsk1uHc9l6ilkKQJ+NeiQOVsGb5DKpgLZqRQOq +CWA8Z4wKB4wQev/HvgjVAnTOhWDfQXt39pXGmO/a6r67bjXq3UW2BcJhgANEFDIJ +nqnTI8L65bUokhVtmH2xhLzc0cQkpddr3lVuwP48uZtemo6z+xq/X3j9ioQhQ2vT +GsYmah3ANMvdAxa2lbyDF05rmyb9r4wuR4uD0WOqbnCDbv162Ms5iGizjGHXaO7S +SMMR/UWsyFDU9OIQbUxFkRMN98FDlp8M/KesxkNouFJzAQjJ6+ar19ILni/id/4s +YQgNbX49BagjsIAgziVyp+GO3jBQsnTqRS2fMsBsbyFRVifR2MmV0x/uMsJAeENz +LK+EyY10wp6vIb/erAKQANrxWQjftqtXEX73c62ErRd11V7XwBgSjDODNVcLMrX9 +4dda+6ba3nrX0Ckgyko+xIkCHAQQAQoABgUCVL0bAgAKCRDbuAKyWKzYT7Z9D/9e +XjbZQJIFTU1CZ/KuXXvJnuRr7/nP+OvXohP6SOsTtrp1tGStdN52NwN8swAnd2uH +WVkFdDFYX8P4yHRU/0ovQP55xaG2XnWIQjVSwgvVmq+cMrUolAikw5E5ZCMPrTk0 +60w4SGiuhP7efaYCRyWbFtCe8EGsX5bKTyhPAvwXhvcqyberL6xARZgV4zWnKcXX +q/XAUpmMOGSetxEsIACHn+JE72BzRhqowz5jUpxX1GRgiVJxeR0Shx8oC/Q+dNat ++azB2YEQ1y4txpq9v4vU9ssI0C/WXCan++2OIoecR5ab0x34VUUXJI9ACNvX9Rpg +8bRC4pvEJJIsMIyfN9xbs0D5enpcjz/bQIxv9t9kjoBJeQabQPl2fFUpSRMSVvYO +2lC042yPRU99Q7i0Flm5t06OtQCzLedcJ/BOSjJ0n0zEbQSDot54crbbEonxpFxW +vupIGjSJiqzMCx94Wi8giV9jUKWRjMUzHDZ+JBdMQu834BCsENV4GjTpAgDVaVVD +reM/7i5mEdXlG9Z01jbHpk9lDsfT9yab/kFDl4YoGKWa8FJ44D7/l3FKLO2Qqvk6 +H0+qUWm4JGEHesvC1ZR+w1zF1Nq/cem5X8YMZlf6lyw4D9eYEFIqWDkXJnn/J35u +CpaCU4qaMziUehsv7SCIF7/5u5E+CZYlx7YyBBjhQ7RAVGFpbHMgcHJlc3MgdGVh +bSAoc2NobGV1ZGVyIGxpc3QpIDx0YWlscy1wcmVzcy1yZXF1ZXN0QGJvdW0ub3Jn +PokCOAQTAQIAIgUCU7+N1QIbLwYLCQgHAwIGFQgCCQoLBBYCAwECHgECF4AACgkQ +RXCAtaByy+NWYQ//VCda6R5pX9BajnklsN429m4992+DXQIuB/Q0ruBoudaqLYuy +A3c1BjXEZhuHNFYYd/wXcQecDDLRC4DFMHaYjOTL9ZRE5eNswELFkKXk/2Dm8Unk +H1u7PytCuQSXHtpdS+Tq1TtHu/aBtuKYwCvxuzY/6wLQBHGOo18LG2Q+qsHnZeer +3Skl1FkdV28HmF6cCpL7iwneVLctCcoDqath4DeWCd/gPqaaeI658caWnqaG9bVO +WOh71g1cXbS7FXWPXQJKtgYf6dON2FH2GcpfD46vrdqUldtq5MHXZfA2hY+392LY +Mt4bmVII94e3pydR1saenlGM1102fKl/ejsgq6SwdpmhzDJA3PoINAIWezdVgqHi +HU3FemZKdkyD6toAT2KbfwshKoNak8wfUFJXqUBEcrSds9Yly9XcFGQW3uIuUjFD +jpfL2Qf+X32fCjPgV6JqwkSj9Ic3nMcdT2kDkGjm1icnA6zDXw9yCKi4z2ln6PI8 +plwtVKdSB4d6p00s0T/MGRBa+1o0ifPb+/3cU3r3ky4DZO+0HJ5ho1Htq1T3QGHM +/KM0ZFlAP8s6xquIPc/cSLmBo5RXOiuN5Se4f4xtwgGsAIJUchDv6Tm48Z5gkTpG +z4t91DgTv2biuFiUq6hoTZ8hUbRm1brVJV6nV6UgVWIc5g1T6PnWOe2ki7WJAhwE +EAEKAAYFAlO/3gkACgkQEgKCHL4s2cGeHw/7BkSwIOiDK2AcigHiStYtQVPA9JQP +yK83X+WwPSX87iGNdeoy6kY3zaixRA7zQsQsgDaCbBQ7ZJHZQy9cMZ33ZfPJ0oWS +GuB3L3LAoahDGeXBdn8LJwqZ05mrEtW9kOxZfotJxmns2TLRpFyfptsm6w//xTHY +wmWtAr1+EFF52MCEGMK15NDRLRi7GWdy1nal7/lxq/uNRXuJnD5bad+RcJDYsDSw +Fx8RALcjWRRpC3GzNUg1+LTGb22cpgdfYRGoFUouhxy9xXNR8UlGDQUpIFznkZDD +pAiWXfKi6BRpHI4ZLemulwGIeOUHOFC8+jZyUOuDpMGuWYWcCPiJQiO30T/DOlc3 +vLyA294oCI2PIg0nbtv6KRwWG11xhWmlWa3MvfyR+nbPMkfJjKuSKW5Tctj0ZjR2 +HxYTUyTXMagHygaGKmkQSCd3k2DqX0EZz0y8Ai2K13pP5to14vvj3z1I29hW4Doj +2jUNrZF39WYrPkojcCD6wizIdhI6srlYqhBwuD15t02QKeqLjpjbPuEqLDLv8Eix +is3/rAPgmh268qtBHEyfDB84GRL/rQg0ZHZ9IzCcz8wlAkf6eAL+ZxzM66Pe2g9u +EgCWrKBOXfZDTRc1bAJ7aDK6MNklbqzpGhicyQ/D34hVSuG5k/a+gZLeMfAC8dW/ +bKXWBEoN6wRHLaqJAhwEEAEKAAYFAlS9GwIACgkQ27gCslis2E//4A//T6ZAyWA0 +ksz8QlQBi4pbZkOaCPjdmNFK5Y/3w9Q39vlrntWr9QLrSXWjpOx7sAW0PccNiD36 +Cpf/ipTBROznex2MqKmc6UiaA6bESIkfrG1SOtCyWHSPJNONNi/hlDCX1aNnpgdf +AzRDqOxsStrLWiIsAs4q9pg8Udc8+Lv304LDUKo7UXiV9QXdVmy3pp2EBjDMwxte +VzSduryJUmF4AWxey5zL4JNZk+nBdE7fYhG/yFhG4qLANJUJhVq9uPewkBPqsFlN +45FZLhg6mJLvJF32OL3CNOw0irPSCD43lOppqNOkIRsdAK3A4ZS7Zn3FO+ButWgM +gWmYRyJ830FWPKHwcgyC1dw4eXUxNgSm7s+MlN83juiJgraBRsbegL2A744CSp1C +Sx1bEMOA2QYQT7b7mdcNWjQyvVK+NX/W/ImrZHASNFPRa3EwS1J1mhRvtKXPpU+G +rL/tUvu8s+6m2fWG0gFmHr606IDG1ojMVpbuKeNIzwcSlaI4Mx7ChZ3I/7fRV2mJ +v+O435hGdFOBLXq5MoQBHmBuqjf0/Fc9D09cNCO4IGQubEV/siVyjt41wQ7aS9Tq +QLK4BfOI3ws9O2IGeDK4y4xAvNSlrT8vcxrcXIRh8G8mnrFAbFVdscyRq+MThCSk +DKgJGJUamlwUl9b4esdyGG79QPo+f7XPqay5Ag0EU7+NzgEQAOzBZjw/jvIoysvY +8CeEd/3aGM76D6nDzCEUi2SvJ+yh2zgj9UIn7V6fuac7x3FGLouAKZMy2m8hBujp +Oa1XjxjGJSa2/B6tyunzmHg12mBqVc17Yj60YjNvkQLIDyBNRxzbXVcK1imyqUgX +PEzdsXG6Am8aBmcy2n5AIcZrKwwQS48+03GOFoCB7U9EpV5WFlYJHnTwlMgqJpmm +Kn3LYcU1ZSJhVuG1T2Bki2B3xcSJaUWUyl7g3twSXmDTVWf8wClUxWFwgfyU0uj5 ++jy/8MwdX65G0EgkrYC1l0w2VdJ5dFPwg8fam3V7NJOsx3EkD7yCLL9zDvBj3vZF +FoBQGV7/xI+C8sq5i6I4/55Uh19y6pCr63OU1WxO0/uI6E4Sm7k/WsuqtipgIcTy +ONgWVGrUuiuF5d+9drgw8II4+br5ErkKYXL4mCKaKD/oitmXqUiV13y1fOZMK2Fg +f5WL25/NdUj9h5kPGmRNRCzTmPO52GD72tvCjSDt74xBOojVfYQJMvcQO1d9eG/6 +Jdk7HgoSZsw0+4dVMrMp1vwgnz8ifv3cZTzX8KwIIk/zOcI1rg6QE77jNVq7X9K7 +ksgBTh/zgT5R6pTM1W9WioxkqNQg1D2L3D70zQVKiU1MZnZmds5IWT7n6SJ1eNot +4UaBP4+P4lD0UfHRJHi9cCd14PgJABEBAAGJBD4EGAECAAkFAlO/jc4CGy4CKQkQ +RXCAtaByy+PBXSAEGQECAAYFAlO/jc4ACgkQV0jeO8M4v/zSqRAAtklknv3X1qgL +CZ+/agptc5Ii0JZ8v3A7pyjcLqblBPq5iKrQYJ4va/dYlVZpa4ThTZoRGfeQBCIR +YfPAUWAPSLCbunRWluHraWgKK/97PHg9bf3jlsQvEcLUXfvRtjdglsRlYH/Te7sO +QC/A9x8mO2Z5ZrWsTQsCqhGRgq6Pel39KhCLXh2Ftt2K9Ofplgwt2MVQbzQNuj2R +wxMV26LJfKykd7N4BXIzx+8OJAelhnKzoyxqyjp0z6RaVIvrVm2wFFBsQS7GZr3/ +JhgZtdllzSx45OtQxDHFfYgCvnUAIw01b2hQkdnjr/UCwuB+2clty4wiISYWCxJJ +9xnw/pJpRrMRzLaImMq5eEgdoq8VQKdrvRe0OzEW4mRf5nLCD60b8Y/c/0Gbm8VE +KbVOQFBFBNAmja4p58A7cbDz/cdKHVqNI7E9Jy/lFK1D3TDrw7b1pquxbjjl4LRN +8tXeN80Kw50rzGM24Cz6yGio4AeVxwJFooG6hPWst2wf0cdfgVxYz/8xvqgmyRK3 +eAAUnVFko+8OtTu5iYavy00LPFbuy45+ZX9gjvUCHwWhKVQ2HcPayCkt+PLkEDVp +skr9DhaVAGO2rUp59GP2FjFOqnNVbKHfAhMyoNxi5PNEXgxkZwjMO8lrj8lxCO4H +/8pj11bpTpbUguTjEj4z9QYvtUt8MReowA/+Iif6sykmGo6Zr7656wlXMmS4uUN7 +/eZBtbprLzIBIuC2epJo8qwdAVSHVrc6Js6dG2HdMpMNAPGcy4dHSxB+oRtg4ClS +KYlzm7wQiht1skq5HZ7stgRn754Vpv0Y+CGPTx+nT+vZ2/SX4LNMLh7xAoiR1nuN +2s34AiSlr4RlC7yyoTaVPNJ1mRDJn4/WVvWBaP/CPCbCJivVUa+LSet4dTtCXXjO +GB27/vAuWOdnHdZFme7aI1HvRwuFoOv3dpNgQt9o1lfeanZhYJnAlmxVPNbNvYMX +djTRhiNnYMY7mENz0gkJfLR3ysbRlRrTgm4IvRZoUneYnB60Je1R8q1fdvoVby9n +Wr6SmjCfm/6DgoSJfWjWwlg4gYtG6OBVfaMg5Og1zA3CuxWLXo0aQGNKavjRVQTk +fjPzJVztHKIvKNwpeQPmH5tLX8CjllcWc2HHta32F1wtWklmJAoYXnkf2I0KXKtr +dvTIDjb5CJtuiqXFf3klrwdVwt1EAyuIOvPkTUqtHgglhE2qqMj8JNK1PXQu9wxR +jPttXaJiy9+WPQkjtQHZb0KAjz7v591SWAoLgwZq+zrs6cLd8rROI5f+yQyeeXzC +NE0WOC2u0hBdzyiXcE3NihNXqsnf3oytXmPu1zGryniB6BR+nPfo2PUJDg91IVw8 +OiAwm3UtZV/VYEM= +=NU1p -----END PGP PUBLIC KEY BLOCK----- diff --git a/wiki/src/tails-signing.key b/wiki/src/tails-signing.key index 2d28eea7b2804c100d6dd2535f47f3abd2b6dbe1..e4edd643a63c0cf503e54f4b6dc452632d1e4009 100644 --- a/wiki/src/tails-signing.key +++ b/wiki/src/tails-signing.key @@ -1,2973 +1,153 @@ -----BEGIN PGP PUBLIC KEY BLOCK----- -mQINBEytkvQBEAC3G9iFTjfGpkZmD7NtcPlrKArTqoIzdwBaRgY9xoUYWmj4Mj3S -7DLJzumQMWQYjvlmShg+Le5fcv4pmx/LgTz0qIe8ytKQ5nCEWZ30A1Au51w5hL4M -w0f7bqWkw5UYQd2PTrtWqQIvAw8eUqy9g3eIuf/3F0bGxNw0YqtuRJ/ME0PjSmkz -mSn3d2wHzMa4l5zr5a3P87XzlcULbIvgYlbGBw615rXgZvZmaKmLR/HpTbuCFAFE -RO5ziKj+fA7PzPei6nQFo4jBB48sN04S1slc/GqhizNq70UA/MsqyY+fnCuIBbJP -Zd7bgNQMuBSIxJted5z85Teg1GJieTFjRrifJxpdsnp/Xl414QGXhI7Clh3jaTqv -9lP0Lx4G7aLtSLkOpSKboeOHjySCPv17wNR66tN3i84O8aQ3THpxF5WRWP6j7qIa -fihTRuy0LVQRiSaP70ND6ZUwDSbfQJIUbYlgHS9vtvLh5TTZu6YweIqO07iGEdcx -jNzPOjv131duHu2Nj7fuXrl1g+9Rl0iQOxHTYiLgMMOKiEau5e4iKxsE+MMbQs6L -9YCuyhrwOS8PMOvn5WV+J6p9w9DK8M/ptCIHOz1POBIDeKDuRCeSXvaYAqYisxJz -bid/a1b3Y99aadpTugEPw7ato0mrqp4A7RKV3FR1ncSQQZbx5qzrwfRaMQARAQAB -tC9UYWlscyBkZXZlbG9wZXJzIChzaWduaW5nIGtleSkgPHRhaWxzQGJvdW0ub3Jn -PokCQAQTAQgAKgIbAwUJA8JnAAULCQgHAwUVCgkICwUWAgMBAAIeAQIXgAUCTanP -2gIZAQAKCRASAoIcvizZwZYkD/4jmXJgl1P0Ry0ywHJEBXiftNhv8lfC3puvPo3I -VOb6/j1RrfF/cqi/BvYNRT9CAYzKRjKGPriQPQKCt2A6l0gztskswo44Avy3lvDL -Hx4umHj20fjaaC6pohfYQfyHymC42RawHYK2waIsA7z3E0Xsfo9dd20KopucqaTZ -ruPkgNXUw4DTdc/QyXtoG5LUlAoinvgg4VX95ih0it7DSxb1vYieityP9K72PFV5 -mmzFUz9ylxhi1gKPeO2l50ACYWH8JEr/HFKxm6tjuvc6iiQg6xhPSMflgSA3GFFe -I6CFrclwEcoZFs7yY75yRXsjXWlnEr+DWmkdq5i1BV7DeVwj/biYRs/6wVfHx9GX -WV+p0vn9RBWwFVY7MZuFqbjVwaVgRIyeB72sZkACB+f7RYp/tUe1Vo0tVttLU77C -Ln5TVpymwxGg+uWki0lP6LE8kz5yn5qpZ4Dbbb0uLiINSatilc0zNrWoPKUicHxW -RQ6idZ+TgekHsveXoe8jVOazdWNR/FOQMh3wUR7uxublWN6Bns31rCOL/CL6srxN -+udMfutj6nNLSGqkcV71K4th2NIyUBjWSF8uW7TaAw5MgXDHmRFjWMp9uYq3ZAuu -I5eWEyd3VQHGk9B6Nwdyq+XZIbE4uNcA1Qq4cbaD6yEZLWXtnjeEFM80D9+EK9zm -HEgklokCHAQQAQgABgUCTanQBAAKCRC6zhXSpXSY/0GZD/0VL3yxuriS9r8rExtf -WtTtvGPnodYSBXYshwjdk62zBLjEpcF8S19PU/FlRQGSPXVwa1szTLdWr1GGG8uD -s2BIPjlyaklfD+qFYqjLn6IkKgjAUGaIqhlkSQM8nV2usRopI7X5w/OqseesAd8T -DmHhg4mKt8LjnDiicKQyNZ6d1eOBkvjChnofOLnQ8Y1GkUqSa2hDcQNfGIpM6/IW -ZcLV7tDMt+aIQd95qONrsOMCBgTx3zK6bc3ndCfv4C+fFR1IHPTaG4qUG51LMHdf -baGNbBiX02TN1eV0kNNXxqzfEKsM2w3uSyY1RgJ5UosNG5seWAuGQIcBYjKKzhl3 -gGT/WVDaWg2gQWkdHgOuiVVn87r+Eswqr1pIfQVYXboJxOYZd+h9CQsY0cbTNt0a -HSU6UaZMDgMXnyaoKxup3NaMc06BvaeERmu1bcIu8cxgXnVUgGtPYcknaKFNFvCw -v54RTcKibwcyDX1Wa5MYV/E8DCE3Ir9fB3A8FKDATV97TPPRjPDr+GE3Xq7eNDMM -9mnstDF+NGoyrgLgStFoTQxyvoGQfuYD9Szrjj1djy4RL259QcafLdvhYxfxb41b -rXKL+Gzmx2dNfAtSx3Q8y6QqcgW++aVctDriMe9PUr5r27UlJLKrYPH7lVb0uaUV -gvgDEOXQeV01eF59O0SzTGeaQIkCIgQQAQoADAUCTfTTKQWDAnsmywAKCRDM0u2U -0hc56aO9D/9CG19P1/xVqphXe8W4KOXXJrNPLDl05XOncL/81Xzo2IRqeINAkqXs -X+r78hk6nxb5P81a3hsvc2WqOJInRpjmFM4cF5Zu2s7X9aS9edZBXHkK9Sr+3Z13 -b9UxFRneRLkZqCpjl7a3IRRF5I/5fesFRICdQT7CWH6OZz9q0jJG00tihyGq05YY -PufRbKcthBc8TzNlGnm2bMPoQ5dN08WvIKI+28ahUyfs4ye2Y5HIfVp1vJohzMcD -9G0ptUQdNO8fh2rt/eyCjzFyp1NgeRz8tw+iyF5Gt73AuABtE08wRBUDoMuUOBLt -CLsDWmSY98uc1D7/c0RwwSKaxlP0jBKBBnl5JcXH1oQZ9bZOzp9S5al9fZYNY8Ud -HqiHOseJknyXtknxiMotDlrlO5OXfvOE3yvmR5wHCRFeqXPx/w0BbUuEeoyYISt4 -WwFlcCgRaUHC4NFNuDrbb7F6Xx65xuNdvWp9y2UBmBkakey2K2zfXZWbnB0HKEQy -5hDsKWb8EfjTdE+eo8zGYD+ivfsHY4szPIwoJD5JyW/Oco71XcxKcT7JYYq+2XK7 -C6IESv/GoxYntKSLSMP0QTOCkLP62lYUVm4HYUVLx2N/h2sOMQODweSofhwzxRmA -53yakkFORQ86qUTS4g2x1VFK3uYA8k2IUs47OLjbJKj9b9DVVHBXT4kCHAQQAQoA -BgUCTfY/KAAKCRCMv5oyKGGnkEswEACM00uoVWktWcatXlB4GLy0pHW9dKH2Gtuj -7oIwaL5VmlGct867YHrF27z+s3FDXZc7pC7H5S2mL/UtYi+lpRrZhzZlzEEIt+4A -1Lre4BYVz35OfsFv7lZvUyDEC1tOS8wn4laKVok9tFmZ8JmXAD9JqT3J6UqIc8H9 -2V/wDyZO2Ybg/STS1aQqqc5LXw0ZA7IEJ+7cjIPSdJLjgFmFIPAGHOgTLhSM32WB -KRn4L9TfE52JMsGR86vfnM3kERF/rOkOVKlvAR0jDoDpdcpcmZlg6NoxKuktNHuk -d4Xqew5TVRz6x1QkYG2hJgWAOl4nMqBbnfrAYeELQh4xvF/1XGAiJZqu17sPJ+qJ -zVF7QfggiH8gjVOq6sNJE+PEbQpHLtBl+o2i1CDQWg9samJZ9xrk3YLJoZxISRJq -OvlzAptuyUXgP6k27IzhxVpUpJ4sBxxIZ7FTAsgGygydF0ZmyfeLASAeBeAb9kTF -LxxU60f+ZMFVYQt2ClTdiAbdkwnBEUZZPNBS76vQPuupu+gC7/nnI9KqQGHm1BJ8 -BujZu2qWl0KcqqqW2pIi34E/jE6VvUFt7tE+k/6Y41MMVD4TyTX4E5jq1na4Mn9t -/XiuG/R7iRMiU6c8ReAd4tJF4XTpgATSLHP5C7zvp1UkmkPBzXMukLsY9NdXYzbS -0tBtnco7dYkBHAQQAQoABgUCTf9mxwAKCRB+8n12shd+HwlZB/9fNFeGdVTPkArF -tsSU+rH2fLrS7ZUs6vp6Z0GJWNgb9lolEqsjyT4Zr5lL4o6qxdyJAbx/dGgQqsEb -QfTHUeqSLE5B1Hul0V/z/5wou3p1fdU9Q4eQ4buzQrDIsh8CIlluH5CiJOWNXeGI -r94Ywj26DGGt5FFhgGpuWA91ZaMiY8yfoyMR62ctNpr8h1ZviFbSjsZAhg1YSNbY -w/fpDO4XnJ5NKaC/BTEoeMATWUQAqpFzU93Vx1H+BbNjmXJOiDbDm0zqPwN5yan9 -9kxfg8gEayj/a53FZXU340zJ9EptcxtNj68GQfMi5t6gN7cT1H6zWHZY1J4ZOXPX -v9wvT75EiQEcBBABAgAGBQJOdd8NAAoJEGRY09R9ALWBUi4IALVAd0/1/hCHn+Df -O+b9QkEoDjfVur6AgBOyaNyYRU1rWYLoF1VjBMUoQNHX5Hn+wZ/7NQTeqYJHXnCV -6gY90rQQ4N4tZGUQV9+zMmIq9EAfYpbovlRcg2Tw+ZZZ/TQ59GoKJk8AcL/XMSyb -cPuHLnpv9vpM7x93vwLPqj5scfT9UFsSRsLze/dGjIoVfka512tNqDUc17Qe+K4b -i3Z3g4wfCQy7LYUXU6K7IM0RwbzhfaCid6rge21JoIEG7aPX6oS/zJyd+HSqH1Yp -LjGkZSVYNpD3RDK4oJWGyIpVZcTIGWu0l2o2ojIIHy8GwGfQ3ScYPZTjeaAjbpgZ -E2p61pSJARwEEAECAAYFAk6bgxQACgkQ1otj2fNi/1XhdggAyfLNqGe6i4YPQf/h -f0xX3r/BMwj5ED30NfJTgqh5u8bpVLCyvTS2BdcJPeGZv+jbar2UNUVAFqqqcPG5 -PVsIW+zb7kZLH1if8ILSER3b9IGWNkFJ8s2hQ5eBLRTbe1sgohaNKYyYyPdSveOx -em7vmK+ADWmvY7oMq2V+pmOVxcScivjW+zjW1Z7sdDKSt24Cgv2UZzKwszl6D0so -r+1BEE8Qnb9bFXlXGYRRF5pYYhUQItSv29DvNBlLAhX/bAIuKckRSwjXzMzwhC0n -fAIAmXwtMYQ1i6u6qM1rTYdjEb6dBrXl5EhO/ci857KzeRNbLxyVqkEDuMJ/IfgY -O0bkMYkCHwQQAQgACQUCTwT7awIHAAAKCRA4yz1EIh9tBoP0D/4jdFntUQOuiQC4 -eQA7U7YFM9bZAAAg6kOI087V+PLGqHe9g5Sy82pKBRUzetLJLWT84B3oOXaF22pM -IGntHiU0hy98qZzdvqbxy1KcS8ls3pAVzBUIIQUfCcosHJNGvnPWeicfCk/626VL -NkAeOziM4WufhbM8WtlCLodggpWSLPfyKys0aqxyxelzUF58l1DBK5qRdIQu6/Ok -phkV/V8nFpG9sJQ1RTfsOV4MGdhzZEK8COZGuIl8p7t3s50OemzqgGLKdO4RDqko -8J6S6gJsDedd76zilKNBPN8/feJRXfzMtWEgwjnVQhX/8NUzTtfXSrYQISWGIDoe -ifINnFJ6qJ/wOCFjEHZv6q9W2nNRwchrTKZDxTJ7ge8xLC54YPTVgTqRCdJhwSm0 -SZTNcHvq1BxsGIo+2NPc/oWR4j1yrhX2PNODy0Wj9V1VIuZiuIANSUtd2j0M/7Gh -8uGa2dQu3FTHbK/F//El8XF9BpcIrtETUUlH8PeW0k/6hk4aR/sE9tCMP6Xeuwv2 -dZRewZHx937S4xEfe8GOKM6lZxh3OewXke10jL9BeOyv2MvI18T51/naOuzSqY0d -EaB/IhVfbRcQusMyyYlT42St7/rTRbqU3mXLRUfW1mazKA22l0bNGAd3I7E62Ob6 -zg1E/mnYpZ42JfRgG095PKGzUk0m/YkCHAQQAQIABgUCT/HfwQAKCRCEb/rGNK7q -P1mpEAC4EihzrUdaPdsnvDZ56giKFBQXbNHAUV+IE6ssyVn1TV+CrY0vq0O132qA -tq4fKkXRKt2hays8//RDYRyOqCFekqbXwwxVlfCdt4ZggL88Aoi4Xtd5zuND9Dv5 -hzGItMZC/ugoWEkM23DbNcSAxkLO14mllTskRNp5ho+2O3pTdBaVVWEMOKfWjeXt -HFE9cXTEsnzP0cjDoJA3IyKqZjZksb2dm2vcLJzlcjwgJTGqZOTp5S77iwFmUPg9 -NCbeLAS/rbxZ2dtQ51gVH5A3Sl4fnbTJ1FJSnsSyBaqtuIaE2Pr2SRFHpsyhcL/4 -7jYfZksfAccm8HF7HU/5T/GJFpBPfq2Xu1JjIDfnrsOKGjjjuucOzDkHyjZznpK7 -O77mqSETdc2iQfO3z1sTB35w6p0lXoT0d2bUKaa3u5F4oZXQavZtuDb4GBPfRKJV -MXtUJ9SZca7Uc1CN1zTBAukRUl+IsuieJyGR+O8zMBVLrD80xjsvB4XE0Xt8YV6x -tzeL/f2Hc2j8XCW5RwB8ZIbZHgSjZyHk+bFv5KjNqHzS6cpxB+gRrV5nSFmHt6gf -i3yhKSCN+UMriuqxxPbPLoQlvbF7P3Sv2nAvPf6cmxATh45XZvEnpRBMh1sJy2Bp -E9spjzgSTxv2qK4iLuAvpNYowT+qQZRtLCMWL2lemxbb1Oo6e4heBBARCAAGBQJP -OZAlAAoJECHbFHvBxzwrrbkA/3s9OdLmyUdGEuvbOrYYdDWbgiDUpxUK62MkHWi/ -RTZMAP4rwK38hFNCaK7pKyCRAs8Qjnz/0o2p3PbqVJ5Sw2PkE4kBGwQQAQIABgUC -T378KwAKCRDoQHPla0Z9qj1rB/icIbgOCwPw0HZmT902OCStV+Zgyt+32voBDMV4 -19dT7HDbj9gfo6AFHT8/Apj9Ouvnh3DXW4SSC0x0yQPlS6XfvXNc1qQQi3mQ75fY -77+e0k2kZd1jQEomnCtt5STGe1MyNpWpULTYMn6T3JdgJ+21AevTCB0r5iwg4jgw -HbspYbySllRHSyVqE4uXzXKdTlWFSUCRbGaUaQASAvQL2rPV4Sn7d4XizTmNaWn5 -EBUBikOKb00245Ms0pzqnCKKlAHNJiiXopDHlGQaQhh4CxNDHNARscASaOZtyO4m -xwkXMFK9SlhTY6EyFuyBWwATjQpcWNCcANWYMcIS8XFRxcWJARwEEAECAAYFAk8k -CWMACgkQSJXfRAq0oDclZwgAhs1gZORzzAyQcXZrhBSOrHHmEV4ij+tdo0oEoVKi -P5wB60j7PSc9lEcJinVIfw0LCW1MebyYgsBzmxbtlyVFXXRS219t1WId50JI0Nc/ -FRRHhJoNQ/Lr7FXwtaSG2pYGeeyQZFRxqT0F4SUr3b0VU6c2F/Icy4nZ3M2yA+3A -xq4G30g6am696Nc0KLcjBVjKGB9i1p+L+7GgKJ+7D4n0BMyjeixtvvYrwu8Bhw+8 -AMJPPpxDfS6Gzvv8oYr//vRi08zwhPYIOQQaVt7Lg9QCiIDuoyOXMBqBhqvRt2QL -8v9CAMTOgCcCuJl0QjQM7i4SS4vS9wZsZB+0BoiPvG2UUIkBHAQQAQIABgUCTzmN -EQAKCRCKGO4CJ0JqKDatB/9By9mTx29YwuAslQHJTcCblAAOGO1RWQiK+9NtP6Jm -ekzz9xq4Vs0assv9RPRkiBNAbk+LWwWp7E+rtfJ0CktGF9Uf4vhVBX2aVn3eW1GX -YKGXxq3jilsGT1DX5CukJrnFvjAqMt2Sw+pYhzfY5PWJ4/4J5/dOqX4yclyGAbRJ -vQsT0/NYpKTI5oow45AQr2x5mWkzPJ2jrtiuoegCLWiy2cKoYy295Q0QGLqYpV5j -mmDbg3o1JUW4FgMeBUNJ/LQmvkBsYHnuK+YIuubsQCKDlpOUzR2OeXSCYSvXFMQT -lnGaU3GPwBTR/Ouxyp4z9sJjaUG8Ln4XIavrse8ryz1HiQEcBBABAgAGBQJPUke1 -AAoJEN9exHh3XApcgckH/iQHJ71h778w9Aqpl61fmtb2DVriuov1queAbullW9a3 -LfweCPQcW1xWNMZ+FqK/SoNrD2o4SOMFjtYAnV4b+W+ywNwNOWbUO5ni5VBQ+GlB -9LP9gX+sNgPPXAHBYNn6H0QFszEGGvdOCd1vy0wZxEh5VrN431ksUp//3bc64gRL -4YmlJxnBwF0EP/vPHkY+ZA6eew/Am6/EISikoc2TxqpoDhigJ/lLXZBFdMBLDz82 -fkHgJeLWp4KDfDasm/1SmS8J/rK04xHBNcRQygMhZOwdQpzNrboRHYuJ1Vi/RZh1 -FQSuXT278fsreMDGsskeK7w992gaB8I3fV35cquzVNqJARwEEAECAAYFAk9uW0kA -CgkQFzNx1m5Ivhwi/Af/WUVw9DewCCQtRDeTdT0KGozvJ3HkotIWaNCTFSS2qZ2n -VMO8Hi+okVSEnATIYI+s0j1psZlTAl8kzcyN6mw2Va0tynkaqnMqHXWSvLRIjNCr -h19kq+lm3PSnGo3D8C59n9DzRGsYzaEez48HBj9WFHF0vsbdpWUHkqYHDgejV/Yo -z5G0FwJsB1Z8SyS+mAqmYJsIVl//3RsDNEXLJFrQGs1NmSH3VOQCFguoAAbwEauC -dNRXVq1cb1TEIBg2nYq7PF2PLss62gPNKcgE5gZSOanMXCuMZbmqA19VvvgnMB9p -AOZHLNJQ0VniGmj185hwd9PHrfb6eZi8stFj5owJookBHAQSAQIABgUCTxDSswAK -CRBx4o2Tq4Me5XjYB/933xBY5VGbGI3CDQnpcijksMeFRWvXe52iZt6SjX2RfnOW -70/d+3751yRUV0iN1C3JdVAShkK9/GDBpbfEvL4XYpIi7lEGHE8lNqy0Z2sR9waO -eFlD4cL28jp9V17PNqK4ZTtwmsMk/XQ0Psdhsw83AWUB6WjDv2JuTgogYglKNB/9 -G/8jOkx/Mrs+9vpSCOMUee8F96PvdMqOTrs6RRAq6A5IiVaiJttJd6vAuzPDGdSq -HBFjJDN0RMMMbCxwSbBHjWJ0IA1ZERWys1xOaqcMzDmZXJpGBOjTKLZT0VlVz6nC -erpjUVhjwEM3SGgk+WTHBs/0Wps3H1VGxF5Yxrf6iQIcBBABAgAGBQJPM9r/AAoJ -EKpfDYQAUTlH53wP/2yfqoPai/7vOuNrRCnF8qga7XszfyreYBcvQEvLWO0LGsTd -T4jskoKcY6pmLo/maXfrnVghN7yBgIi7TkUYvebhi9Bis5ykrD2/1MJ0m245LS1m -qh3TVwm6mZLh53nxVWQorMVhJgPZG4tnVbXZ1K5DM4FElHhE9PyqpLNTbcLXW2xv -/gjtIXuroiVNjWBF/POozRGNEagw6Ckf2uf5MqsGvd4tvFldp/qnmUHNbI1WaV6L -IBVE3crbisM22m2ydLtH9jIgGbwZacIW8W/9GjlED58ZCaFz1LJ3Rq+98Mg9AAds -ss2or29MBLeyN2irsWz+X63AUU30l51gvk2evknv8ePqy1oqhybbohtnuMJbZloX -OIOXF5QhJlR1hWcuH68b+gkbG72XQ2TwtZrU1Ht72sLnReEzrGpyoWY4DbkH9lty -yqz+r3GStOwrsucgBMmJXEyTRRho78huLMtFPITrzywq34p0jsEZajaD/ziW4gu0 -GZbfao/Tbh5wzQIF4YOIGZLZWYUoiIyJkOjPLa0v4BlRm7q8oBw8Efk4UMVj8Xmv -aCXRk5tVF8eKtwdbBRohvKJ9MO7YoQB4qhTjJxHYE23pjNRTxYaizdFuyayA74Yf -sE2IU4WTT4W6ZURMQG2G2v7qIUE3BJXUAhRr2X8GUCbgiY8I0w+KI1nbpebPiQIc -BBABAgAGBQJPR+bEAAoJEHq3K0opBLYfIZMQALB8OHGFjBg+/wNuawhfXcHEJEKY -yJU7mzfCdClPTapjxTyXxfAG4CmWW6BaWKFKxgPL6Hur3wL7IpxU0uhAw+MoN+ni -/O02tKPs/fMAf9RtuZseiMHPWF/lxiTBO10SiJJ195O14UQGbhmaI75jmnqJaQpj -hT83Gam1tsdd/aJB1juUldLsYKw/eJGlkmrni/WhJmD899GV+dIynKtSh46dMeBm -IvtR4Ky9ZALxAv6/QSug/rLT7lUPGKPUzICyvofjQgQpp7R37G6YzgJTa1ykt7Uy -zrDIUgFbGUTepnstw7/ysNo+KPV+kjasU4j+uUwfkEoiD6J6qxmoM1QtlmSJu5rO -lF1h8iOZVwWPr+/8SW38HsXWDe3/8Mo/dH5X0J16ZwyzV6d0wEYytAZFqNiTIf8F -gqWsj1Xk/Z+yPxzU2QrX77A3ImRsqMGL5lmDiK908p99vtXy+zzjnVHuYKRSEftW -go0rFEmF8ERxNkmT4hJFqzjeW0YfXEjEKEQb7hSr0Zdki0yrUrGXaQwHEsFaXFki -A9jQFCQfpBkXN88fbg2SgbdPb6cb5+zvyqvv+R7YTBnsmzuQZ6hU0HXGQL0pwUWZ -8p/jpoKB3Ve6KWExXQLbaLRm0RthGOvlSTtx0oQNNk3ZxeP8kYzq0PhQmkVcy9bx -7l2TCMrwzc5jVG5EiQIcBBABCgAGBQJP11t5AAoJEE0FYen52+4TW6gQAKWxdxBY -uoSD6ANYSBnL7M1ZtjKEb1+jrjRLRUfrHOWePMUF8kZKOXqiGUFttW/sMZYpaakG -uk8VDsqqRYnr/xUoPvlCRmzQgiY99K7APMUp9bw0jVEgl9kKXSosBv0eGj9R+Zii -708WSv0qxmKDtOGqyZNGXMjVWc9tUwEZ880me3nDMsumnvpvTIegUOZZIZ+EyZkm -1M0Tcd5yr4mwZ7p+27dNmJUCBnAhD3j/cMDKAPVfyk2YapsqFsWOlRCeNHCNkpvs -EW4aed4cYHPFkS3+9vz682d/QvjzBPxk7TrByMLmSN/G5UeC9ZDC15CREAfgd+l2 -F7nxo7P6GL9RWg5Wd+cee0yNxM5vfeqwywlH1Xpkwp/R0MrB7iaP2IyYWD74oq27 -ePs2wfVbHa1DGKPRql0qJ8Y4yGxAg2qZtGH1XrSB/PzDRf4rEduG4F1C1NuepHMQ -UTGSDv37xSMd5VlW1J9yP6NOSkyfYUB+TqLCf3f3Qlpd1sg2wmatFjYm8gVCGXTt -BVym7qxN3jdhut1T6ZxotZVaA+u/CfA7hPaozAfj6lkAstoJn+SC0USNP9XjlILu -uac8Rw58wCXn5eTNUr96huuOaTx3WDTDjYws+fWl8QkrmFuJsgkcKFX1mydwL+xA -Nt9SrvgwT7KoO/L8ACzIF3lUHJVedNAISBDWiQEcBBABAgAGBQJQGa3bAAoJEA9+ -9Yywv3lN1NIH/A2u6tKCn4VvqQWIJWeyxWRvGfOaQMQdWVvWM/v9QgATexv+Da7F -u5lNOo7Bvk2Yi6cpwN5UnJVTrZMeUdIBlYHJJdktn+cM8wDPEtqex3fOyC5NpKwT -eWtcuGSztaPhcvPWgVVBXggHGhIoV+n7qies/OuW/tS72tFr7is1wF8Nb2RCkR+b -alvO2NalMSrv2UNf5ow9KvQuSJvTmoawWei4zBIFRdjuKL2KmHTNzfWWKOmQNysc -ZTdtxH8KE1NOfyyr3sI5W5qe095th9vWNR96MeTIXRWeJpny11s5JsbjrjHrLt2l -KA4WyV/zN89U43uMfohFWzk0L+lIB1z64e+JARwEEAECAAYFAlAdTLYACgkQeFuJ -7kgjfABc3gf/USEhTmA17KkGWJUJQu5lSwAjQnz8nrU9jSqIG6SfEqV2tBwAYp/9 -yCkOnsOIvLDCaZI3EtJp8eC1CAWeEvCFWWvNxdAy5QVt18TbS8AYaD30GSu6VCtS -w8/dLyviOkY1VA5p/RYFBOjkGRyMuncylWkqY2UF0l4g8zLoiC6X3ur37MD6+Q50 -tHRDhr6UsmYgynn/G+banzvtp6EL11qYyYE2Qvn1+OJWfBcu/VJZvvQRcAa46mq9 -Uve9q84vl/Iang1ukV9ReiRaG8Ynn+8YNwm+sPcV/kqh2dL3fc/X9paeIpeZHaWx -dP9VHvdNUH5nUzKXs1b0U+KxqCxQ9rb4x4kBHAQQAQIABgUCUDpKZAAKCRAppd4Z -I54nx+X/CACbq4Cigvkja32Iwu3g94UspXN94XmB+UXb0vHYYgDiobfJ6vtjeGLj -XoIpv7EIUeW3Jvpfwcg5MAQzLuWVZdJ82AN/93Z6wNWU4oJmcb2Gkrx5Pep54e6v -s2rohgYXn3BPv/SE7WlP1IqSrDO40XgIherxvGCJNz10JN1FS3HZyAHJAGNZto0j -xFXJ+Kk3Igkvd9UbcvbAEqjClGfOR0C/yvEYJouh/Yk20NGCTrXUazH46CC1cIVV -Tc6+nY8My1DT0dfwa2svKLUhMIM0MeEOq9oI63PPH1Ct0oq62wTo2tStehaOA1by -Ca95z9y9tTGSqZYCi/iHpE8q113jryv7iQEcBBMBAgAGBQJQIOmKAAoJEG64ozCs -zoCtN0wH/jEJHYiWLM2NWSWL13PplzHiH8ags6OjY4QcAGSOgEbVJOcj5NbiVXR/ -rBvaboitmMXUIedTip19zEay+HZEHf3xoXBEwsDms0vBoH+0Lz2WEn7cOBGJp5Aj -VndkL4LihH3fwZB+qiccrvRADo8ZwIKjE7PKx6mvSao8+LPzewr8JwPl7qpEhJn3 -dz1HYK5zIOKBAcegOvojZ7v58IrKtlN/YWBnKc87ZgiJf+Ast/quIOMzmC04+bVM -AV17EPBLhUpharxkwlMAXbhTJ8yaPxS/9RHRb64pt5qWLfcmVvdeHDIJecBGcqmU -QlBsqHz/w8oo/yzKrilggnm3kKdEIxWJASIEEAECAAwFAlBFzC8FgweGH4AACgkQ -ymYpD2/517uxyAf/dIPfMWl79ueviCEz80naW9XVHYOlFZQ3tHPLBSEETN7RX5BN -cYpCYIv+fS6bpN31HpWvWy3DoOKHhd1LTJCc+yYgSsCp185PZcEUWQl73Mmfgl6T -yQQhwSvvhL8V7tucawBqCAOw5W7veCzGgeINoR+oBMcPHr66tQ7kc6xHmnK6BQOn -CLpwCdE8XZQyk1WlS9kdAn6Zj6rzgYSHHfwUZm0zx6OWT0mwdkoZbRNYujY2sqqZ -OsTni34+Il5gPlz3JGerUXcqX2vT1eozmpjxO9jm2GrC99K5S9bXKwYUYM12R0wE -9f6/FcB2ofqPn8f2MIURJUjdaFqkh9IcUwpU2okCHAQQAQIABgUCTxFD+AAKCRDN -YycEbFdT/capEACYFi2+DvLdqJnaNIxOC5216xL2QvLaFUoNfo0OjiKrWAxmhWaL -n2QuysmD34yIfOk5xo5ob3rvOs4LLk5mNldWTLTd19mRTOw8BlvXrGXw9hNxpTcn -k7VHEhC/76Pt1wmXQ5Kd5oM2qD7+5Mba1mLeqTX1/DO8wbtCo0mt+sEnShFteme4 -HTN1jTvsgGoaYjJwsFpP/IrKDSw1Au8pOg11VO+MStBHl7Vz9tN3jSIBELBRJdJr -Y22xBE6Fjk1niESsHFjS79a4e4WmLOb3ICL4FB1rJa4OKN+sZ+F5PfCzujcv9UkO -qrr8UTPg7rBgUNDZ151oMymqi2bi5u1tWv9ARTLnAaR0LtBMGbwPW6jH4cFLhtAC -3X505e5caThR2IqhOcCJR+w5RJYrVcU7WWSOkzX7cj5x8MSDhktK+CxGCpHbKlei -+6fU/Bib1/cVumXhG/pmwD73zgXoHwk/xeo9/EsEbzfwAjEgZIvMJ85M+M+mWsdV -4/WnK8fUc1cHsy9GK/s9TOEmbikELSO/dkBugtpdNGFORBhdXIFgzL0PxWhVNfa4 -Pr5roJztEk44XF6CCZIUSAUSfQJ9PQRzIUCXbqWRssjcfTnO5y16hpmKWIj8iyxy -2NDDgt5o8DhGp36OOZCw5fVs4zo9uBvW3vjQWjyUItThhRVNX0Bizc9s9YkCHAQQ -AQgABgUCT+p/hgAKCRB4eWO8KH7RZtPgD/9KxWA+s5h8/R7JN9uXIQtmHyFLEiWH -o9EFwu/pXp6CPQ67Yvh9ydXkr7ZDjgQYYMNA5ksooGTO+Fr5oqzB+ZokTBkNVTH+ -U5FBlQRrb+LfRIgz4Jjz8WHay/m/k4c8ugSxzCbWyo56TN//zWlFNxH75gTSBRcP -1Ro50sT4NbUkQ4newAWS28joVoMEFEUA6cM4texrlcYdDiSY+CGcIAaWYQJmSGoE -RsEN03NiVAJubwkPd1ee/h8rHBi+NXMzrck848/rg6h78KmBBQGVJDPWibDRL7I+ -fqAiqWNrqfhKeG9/F/xv8ryB9n274Lkame7EH8a4RQDGftQfe4zEhUx/ziTonXqx -sJHF4nrSYZIbwx8qsV7lCypFS6GwAjpC0GMfWxygPzO5enmta26STsOBl2e5QAge -ABalR2rUyqg+ZDxYbd4Vw08D4fLBp5OiUAm3H7mdnDxb7QKohAFuiqwGu+GeOLtq -2oXLkDuQxD04BlIY72q9Qzu7R3+QHaN8nRxjBunyd5G/BIWlPOj03zdeDuwJvtRE -VwyV3Fa/wR/WEGuMZZ+cHztT/00Jt3/z9HXGlrjZlQu54kZh/eICooA+PUcjRArt -ngdhwylczerXhn3kyir5QhvrqgmLI7CqhTz/Ya1j6LZPSbxNXXFpx2U+ye1ESYeH -PXsbDgWhc2g5YIkCHAQQAQgABgUCUDOmQgAKCRAdhMzwEMxbx3weD/9VLOg2ZiAm -P4J6aWcVIYVN5GkVPSOIjgYvQkRS6LiS5MPZl4iB0FWO5kcQKekd7Hj0tcVUiwFd -VIOWOt8Xv/qk6+6NR1tGuMNoIwAOmNLOKyLH4B/Fe9GbdgFS9HUlzIm40zNJoyp1 -fpw/nDJJSyeu83HGQkp8zqLOOsCXPE8RiYc7oqBambBbItoWQVqXjopeC25eBroV -X1tGPHs1VN0RP5rm5awbM+4Gi9UlWqt0dXkR6Ms5EpTKdEhMajS8ts9VI0IDMt/+ -ChqpDZAPvWjkDpHr1HpX5z6F/qXpji4NcGwg+wQFZ64dIAG2Xk0FGfHhCQMOe57d -5zFRcRiKiVH1HXB9+5QtfwWSewHp0N3ztYjioXR9sNyQ/MOzeNrlEzJ9S2OD8zX6 -5Gu2JVctHfB1/OyjfFTMVzKgbHUL9Z2IdeGPyYwarkper5M0dPr1LOyUaPC4Ntc/ -HF17KQr5fPNCtfVaOh5c0KXJfEuvbu6cXQGVg1c/B2Xaootlg3RZm4zx5sLi+Y7/ -zWM5mYPRoxgce32dTkbL0wrdue/E5wiuUt9M4HDOI/j/934G5ss8EpQOICduj6K4 -cOdeK5hBQZolDSgO8WscceGp94PDPFNkCvRqbX2V/h1Fjj60aGbobEj3f1GcniA/ -p8Wj12CPPY4iRWBm3DiOI8/vEKR3/BPmt4kCQAQTAQoAKgIbAwULCQgHAwUVCgkI -CwUWAgMBAAIeAQIXgAIZAQUCU8u3JAUJCJSN/gAKCRASAoIcvizZwetTD/43z7Pt -yVYVz6+8XpKbV+sMIlJy6y+qhN4pXg/+NL9BBZ8oyNmlzwl1BH0U+ioQ9XL13Pl2 -Aw8pmUSuwYxKgqMT/oEgTr5Y6UYdn9Lr8fZhQv/l/DQd6g3doxPCrboQ+2ixh0a0 -J581+fok3Ph02x8IRB2ESxAoa9nWBoxxf1Id0r0sAxvpeoaaB495GMshs2Aw+aap -u6/Kubb9C2lJNxLbdeGn8UIYW9gT3TafknoaL6mAMAHkCKJFN/JoTCAc+xZoQsSH -NV0oGrCteIUAOK/qOT1m89YsPMECIt4uUut9DCaODyMoHE/5bArJNcCdf7VnCOO5 -YmetO+3gFVEXmVTgSOiElI6Lc83C5dQ+UhTJOkHO4lH//vSyk16zzJSMK/ky+BJf -25/PmdzvUsk4JVJaqmQ9BohGF87MmrJd53HSYsDFLrZd5tbDxeWKxYQW1vQsHZRQ -DINAO4rg6KrSy0yTAiUlI/bYxfKSjq2bKFqBYAq8zmVIsMfjLsRgsqC2WR1m67se -FtYKLTjC7RE7iAqS1xvbAkChCraZDsKJRd241NABJEza/oRACezcL0MR7qVfKWRZ -kXoJaUPy1rD7spODuNZo7HlxT2zLZreZ9MeORrydMuh7SCEn5IeQjurqc5vg71oI -fwVMW1B69FD//nYFysOIVBKFsJrl1k+EDK47QokBIgQQAQIADAUCUGIbHwWDB4Yf -gAAKCRAou7kP8crhYKfkCACK63J8XXZ2jcIuOlDghG2uHJUR3R/7r12pB/2BlA1D -y5oEIgixJKS4L2l6AkZ/rba22kETyyX1lbixgDqr6XdQn4zUWcClWxFjTvCdFev2 -Ly3Z1oyMu4JlRg2z43Chj/0GyD8F7TTMqwWFxQq4xzvZBmdAtSr9Qghkpom3krpb -Np+UZ2IzWAHapx/DnasP9+qLmrGxMsyZkEvFEY9Zh4nnJsSdGnrEm12ffcn42EQx -uVnosP4fDRn4XPLQZOh+aGXoQrpPJHnD0n5WaLxTVemjxCJWpphdrOdysw2i3TDM -eCV9urgyxPBIXto4EvXvOPje4byY4R039LXyHZUyqOM2iQEiBBIBAgAMBQJQaadF -BYMHhh+AAAoJELwustmJl52L9xYH/RFin3II7oNKOLHR6HTUNQ9oU7SleArbcEB9 -Q15zub2/KWwqC9JeqWFuRpSukXKkDaE/sm09kCoDdBOPDX5oC/d7sLzWY6diNYja -c2/qoTiFIriUulwAaqofh549iGcHsI6F5FfG5a72DpQr8B4MKfz4ZKeFddbkSwXU -sDeIlBiXIi8SMQKwo0h+DUKNIpCjw0ajq3SRi/hHpxV4n+HmCltKiP6q+6X6xuB7 -TgsK0k/SF3x0GgDCyfYNjHtcFYCig23Yemhhmnx5cmxJc4YyTeB/wG1SWXHToPwk -/UcjiCmkU6j9i8lRsZhdmk7gmNLOwc7xfpEW2CT01uPFBfblvnOJAZwEEAECAAYF -AlCTo98ACgkQqG3rsPdOgGBcMAwAvPcxhyn9MyLrm3uFSHMGRhW44qdmGkJ4iS9D -9yQ2LoZVXr+ccbWMVWvQIvFv4xKOW6Yo8G1VZsYWixMA9Lu0kVulnTEECI7ibQ99 -PKweVLm1kPn1BY3llQ3T5KWntX/Cs0oCPcKTYctRCi77XBbf3xGC2jhdDhU+7MrF -177AZZ3pGc/JSZVSCAdHLePn5mLkiyUdWRgYpf2sIgdkfw4SJ1qHWKYyK9rKkQ2c -q5enSF6wosHiLcmAspQKkjLN1+5T7mqXbj0zpRpJmqa9P0KDOhvfTRb58StsMhe+ -u6APTVNWaugJvkSPdl/uv5gA+rQ1K8kp87sSQ5QwMfh23muHYPjcqkzarjb6cz+H -rrwephG2u4L6MjwTDA13UN+E0xV9h8DMxAJ36u6VEXnX9xxQTXf3GBfloGKJx/vp -N3b9Y/Yg91OROYN9qOQGbZn9JTflpqxszLuUKPABU0jojn/nPI7Y+W1BUYJ5hObf -kN82vTX2uzYyjFkGqkIpjgrUOwKbiQEcBBABAgAGBQJQ8s/0AAoJEJdh2IZUIEJm -MOIIANeJ3axu9HJvDfh1hSUOCM9zNqmuvZ2tVJy70e/b7vTRygyqjkjR545IdFj/ -pPaJn9gGmVSH9ede/6dwo8jzB7UWTL28xR4nTI0Sb7BqAHyr+ey/6fq17t1WIH3/ -5c2K6qA1Ruk0aj9b5dxdVjnVUY6CNlE8MIj7w+ZrQ8WcT4FVYcZRpBcwa/Nslkdb -76YQj0fZ2fTFodV/uluV7qkXdlxViDFLMsZlh7MLeEF87/074+LiHiwIMqvSRlzp -CyQ9OhMz3WMpkcJ7ERgc3DT9j1Kauft/J7KyVrDdDhbUmrDUMnPAbnlkhBm1k6Cx -4mvtQeey1d7y3Cz2GG18VAMbCWuJASIEEAECAAwFAlDgNZQFgweGH4AACgkQzhnE -jlo6LaSzqggAnh7UczpR9iNfQhds1bE0S3FIrfD+kIXwdjJu1tt/BoOaB3sgbMYv -1jgDtVowz12Zm4TkP9bgtgrILCQzdcMJGwNSddkWcGvyBSrkFHIr3yxkkYW6eXMu -e/l4StrViJFzxj+p60f5THgVPwG9IYVLVx0m5XMAsEoDESIZ9Z6GWz9x+Yq7NzZu -d25WMts0N1TsBmnxEEAC2/ZbwSf0PlfqIw3LuMGvIDM1Ji7nMuaGlIj11sFzt1IW -SK77QeCLcwxg/G2sx9yRZz0cnZMfBYZ0hFMURN6DnoRF3u1UMvSGuxMxighwN15Q -bY7U4HrAQ2GlhnGM8FwCpEsXvjP/YaoPaokBnAQQAQIABgUCUOMtPgAKCRCP3fCP -o1I7bboMDACHktTVFVyakPGXTGINnbjMLN5xkw1K1LRDngbY+qeDkyEn27wbt+3I -g+Egdo3FBf5DBCxcGg9MsXCxkte/ham8Gou8jOicxNTCUC2D5dzPOIy4yob8O4yI -hr1w3YkMQ9rO3wO5aq5px+qRCgLJeRHrnbGP/bz90gSmi0PHoEB0E1dOO0M9trBi -Os5r+DfpMJDAkgLJRX42mghFKBagguk6tc2xGGeZZKvUJz8eCyBVf53PiSbhLAPE -goUhVX9d/ONAbUxYk7MidCtdQiAk2tCkF3nRn7QDZZN1CADBh8cllduqF5AbvTf3 -5+j6e5+FzxzriK2KdEZ2iM7n34S+hdTIYeBJv9r2s7rzntbBu+vBnpN7xiINkKnA -pLnQqX3FHKpy9HPCZtBW0HPfV6WgW19QQXC5yviGDe1qtvvFiJuy1UangiESy4k4 -A7kh68/28/imEOasP9H1i0uTW7Ixxh5NiaCVIrMCMnA11SdM2rYjHc2vP0SI0wWI -se4HBwzMjZaJAhwEEAEIAAYFAlD259UACgkQW7yjptl4BsHZaxAAiTrsdpEeVEb8 -eDXwR8vvsTQdtSNHTV+j1t8hZzolj2S8OouexAu3IU9j7gY76RMDzA/WBkPAP9lG -i1map2Y2sBSdlFEYAFJ/Ir2xqhm9A5+U8R7t++2tWBqoRFSo3psO4AM94R4PBuam -xPMdoKLP0+RAneNovwWyP0AA6iXLYrkdYSsTByrEFz4AQREox04zrZD7Gqt4pX24 -Kmh/marY8neR6Y+0W6Cl58y8NTW4dk6ymoYkUgobGjjNl1xqJ0up1pMGlsgdhm+7 -puj1Zft3S9CLwFQyUbnvEkdrJdVe2LShpvTGyZ/DibhiHdml0CHRWoVC1phcVbC8 -d6KrC0sI8vZNfelsa+KF+n9nHR1aa5+UYpfoUCMcgeqeriWrYVd2ABK0Yz0yJJqW -eKKS+Xu948206oh6X/5A3Nhdz7q3QBNdonYQfBm9ZSrb3Vnntxx5iVTz6xtZIfyg -CRFspQ67LWtJLF6eAQKO3GmUqVpYXObyTynX4kAENHKCnS/UKGy1GL33i0f7GBSG -a9ULuMWesZd07ciryDxjmsvALInQhega/E8w9eQB71erOca9Dti9NNMZBgJ4Pe1+ -SxXTL4CSVhtFn84VFmNlOe4QQXaRmhWkJnOTvjro0HIVvfnjNUB9iv7llztQB9NR -TUhhzGReGCauREN5ohYd0xzfNZFt36eJAhwEEAEKAAYFAlCqYjYACgkQOYqkiHMO -HHCUyRAAiLH+u0k845aTSZ4QlQe3fXu8CiFQRMByWRTSNp7lWYJtWSIbIRyXscJS -MsFfMBxh2OfeAsW6hwU66a0KcaxGtAleUuR1zvNA34NmsfuG6LlzIvyq7ud/brz8 -Bt8dXT4eSrUol392nIa+TNmP6V6sg+lZzXeaF5xAtlXG5wbRXQAO7NGk5Zq56SO+ -EaFvbighjMJ65F+fBhdaiKj3etc0r8gXzfG24k/qappHWdaqQHpvez0xCoqqD/oa -5P9SvNvrz3C/0T/EP0VozKj1P29I0qqxTin8B+XEAyxXdT4vVgNqVvZgGXLMBdj/ -xQkmg/8Kf7U1s8aL3MXV/IG2Lvv8cD8PaR/YjW8y0jzunI8BF5vnpqSS1PigfuZE -v3XCY58PDZlovEXaP9S+bbEph1itbp041sgWw8nl3tcy8xshXlzOtiBl4Pk66h4z -IBXQK6+XWrZYVyg/M7ffOHsjZQVryqs66gpwD+mahzWd3oKVPmPZQqUBh0BpNc8a -7FDP0LaM+vr11/NN8/tlMRwouEMfB06tGR0rjnlLK2QbufEBrtcxrXILyZZ5Ietx -ADKBVhXfkgnzTPKJ3MkMvoV2wlT0eLCZg0LIga6BGzuX2if6oq+gCmaBBe6rDAmf -dz2DrrJjWNMapnbGk3PDIPChlHgEvHHaziD2z/zhFAMKLbFjr+CJAhwEEAEKAAYF -AlDMmZAACgkQC+jNIAO1yaZTiQ//aD+MDWRnzxrWlr3M2CldrNJBq0IPSOffjWDW -v2xhukEsD2SphanQzay3NnKh+HSFUmyx6iIj0ZZAAmfmcRVLZ4a1CYU+/dGp+bHD -zIt8rF7t+LVNaS+oQU40YupUMAeAnaEqgJl4wxedDfMLkfpiYHSZfm8mcL2+LrIn -frCmYN3ACXxVBogwlR7X3wiTMqK/fkwlJG+bU0sKRca1CPkefp62nhwaCOdzA63p -Lk05nibLeqUTfWPeButa563a4YkcDzGoafMmuQ/Mzk0PLzqIrjhGcUPr4iNLSin9 -9IR5QeKs4ZkoeIOds8Sf54xj5Xjl9DL7G9c7b/LxSoblWKCam0GcT8353Qxbx97v -AwFoqrY7qaqgQZKyViKbldhA/zlRXH6+1ezv9xTQLpeyJZ8jSQBqPnCMoOtQ77UO -RxksNdcakmZCb/c+hoXyk/ymz0M2FhDbECc+USwBIhAkkpIRNO7hTnQ4nn03IdA+ -AJapcQWQ5UjYSdpUl9J0iKRyh7TrtMAjXBUJZ0o1F6v2YT7qzpO7fvLrotog0F65 -8kQT6kcAdu+D8prxT9FSf/ug5CEriQPk0qdPBXk5JEgdU2TlWb6LNFxo6JBusJsS -HtrzS/cFBMdoTocxRU2LDMOhZhIYRr5bd7EQd4MlDCjN4iYOBzEGLAzn0sKs+AK0 -li3qrYKJAhwEEAECAAYFAlE6BqYACgkQFRqIBvJE6yy1rhAAvcbLqZAr7p5d+N5l -v5mEfpHbp51TAhl+RW09NaPpR9uF2XwBjGqpOv9r2nFT+g1YMX92SR4vqQ6NxZrC -ESQPyTnh8Pn42eqZRPjvlZSoRDXka+NaTVi8FxLYThb6BARSxrgiuzX9Mbp74ToC -oytgyCltH9AHW2ORaTgAxYFrR9zLUYxh/vqUVu2Q5dueHjlC5NOVzq47zWu+QRCT -HObJRaaGWRso5q3gjEx7yzw5ltSi/ABNm21ZOMM6hSNBhWPMbFDpulsOMnNDaKUH -AbUp/l1GrnBjSCdKnFlR8Z1hSdyoTPfHob4Svfsb5JRQnU2l2+Wd05lJJ2eQ9MVd -MTyHW+E0l2ezoYfmlLXVil58jic6FYmXiWpIgo7LIGYjQ2efVDQolmtsLSMuZ8p5 -9UiY5l68ofKIIHo4go5yqwFMsJmRPGjPxNfPZjzlMtC7Ic6kMD+bVb7dkekiZKhK -Vf2ykKUK2/HaRWFw/rwkmKB6dVL7E/Q76LyvFjaeTiu7AFLdnMcr+QleP1/m+9ku -Y56spUVYC3BWSM8BkORAGhIh6+1xssThLCgDOC9KiX5NoGx1eLAWOkfXuNQb5tYQ -umvIquOW8ieXZLl9fpu353I/4KLaCEn+Sgt+57Kj7ugnelfZSKOrQiYXuPBUqwvK -42xiZ6Tp46OCrjh3TzxnQFKH2WWJARwEEAECAAYFAlGL+WwACgkQPYs1fBzvU/8d -rAgAubX8+UanXzHL+9g7WY9BFacxm7rryQT4OK9qa8PQqbD/cwmHpbAaS5MKqKaG -YZ6xdbeN/TuRlUEtcG7Ww0f/lMoqZW3HokX/LllMX9S8fQ8c6mSVHDY6PHtuw/ib -4VZ2j9Pj/JBeXTkZCNIJRIlE5/h+SuGlevcoXfWkL42qVhKrgXt1AgF4v0Z6KNK8 -oiBUkpWhOHxwiQbOSBYoL7qQOgJ4rb71lLKLFfDt7yuGKBjp3455sKr61AHbvEkT -VEqOHfCkBS3ulBH1XMpbDy0ABmqed8n/Uxj41Pif/l9STPEbb7L5UuLxcSDwo6+3 -2q6SJGmvNnGlELyJWSGg/KyuGIkBHAQQAQoABgUCUXRnlgAKCRB3C2+aLwLOSf1B -CACfXs6pxNsm2zP+ryFQ/U7giAF9eQ58Ssxg4cVOJ1tmvzMJrVJllZ3rCp1IIWoD -763Ual/DcIpzE92V1W80lRhI/JFv0+bYIBKGuleTy1alxj++9simc7z8fK/DgFju -+HlaKgJhfKkqLbvaNFTrknTY1lnHIFMwa8gi97j/7MycVlqkCI/LkF7Ea/0e0jwO -1lVQ5iZ6/spPaBzZi9soQNx26rD/BJJW16SjC4+YrDuk09ImhuRyrmPOChQSJXLp -yS09Tx+POErPT+I2AfMcOd2qrCPGBJZplvoyjWFqoARl5J+ZeqeA+53U7NpIYG/M -YK7OremFDh9/lJAUf7su+Kz1iQEiBBABCgAMBQJRfbeSBYMHhh+AAAoJEO5Q8atV -29VF32IH+wdu683OUWM4MOndsh07LfzVA2n36LufbQJmATvQhCcR1k9qnvt8NrAW -wT1q5z+mJzDJNMgolegLPzG8jQk1rB2Qm1ccP/LZjJtbg5d1kFvBR7nJHTZY4c8X -8wgeJSG7auBhZR+HFsOBDba1fwo/MC4clpSnofMPHAYGsAxKZyPG1qG4CvkWdL14 -qf52C3pFq4x9V9Cf4n0mlhK8HJTigzTJtza+X/5exWJmBOScsyup07MORs8wDUCK -o7+V3Fya4pNJpTFZb7eTW/VC5aHULPGaLrgJy0BdiM7cFuEGPgodoQb+D2pOEfIc -PfYIQsD1NEySA9dlLU0GElsB/2Us/XaJASIEEgECAAwFAlFcojcFgweGH4AACgkQ -X5UZBJqNDDZB2gf/dnEcIZB0boOKvYM4pRa3cxdv0mZuV77b/tymKjY6nkltQbig -2l3p6ym3kB9+lbAwbZKKEJoLdnX7/EWKJZKK2hivhn6D9wbuRyV3chj6EjeDIvU6 -mpm5N4rZo6sYnkhrzRVMCMPWoXzaJenrPquMUy53eSZzyQwYwdntLVKh0LgT18pV -IuNibM2k2QS5tCdix9AbajnLBiFtZNQdK6UwINHIp1EZeuoUEEGrpNV+AKdptckD -kV8O9BvOJWonyO9h9dPuVVQhD6eykTIa0kDEkoHP4nag0H7OO9ppRI+8jMPNkf1N -jH3sY7D0xmyGzzdWPgWyRofp+mjQqtmV6rRTRYkBnAQQAQIABgUCUXafKwAKCRDF -+fCKB50om32NDACXnPSpUbpyoXnz5IxQTezMutgSQI5DYek2AB6sJc7eJhCs0Gvq -VP4qNi2F3g+o6WckyQx5Rzq16HLpzqpsWZLGdB5xWTTO0YdR82ODqYWHP3TmiDrB -MnuIX2cERQ36Amc4x0nT/Wsde1LXuhPhIIBv2wuZCrkldtPEHBFWwxbPZqJc+vHW -7BFUMtyx1KzktrIE9x3lUBoCNrM6I/qiktFMkP6IfF2g7tpMfEc6pcupB4sX61pi -KYT+jNBy1YbzSEhfunAq8ZD1MNcH3o3Q5EEzpMZKRURCcVCykZIdsNp/ctWuE35r -vi4NtQM4u91e/vZ55g9s/XnVWxzCI95Kcm597aSCGuE/JZlsfnAk+G+ILzJyCTvj -AJc+N0kP1RZCWb2FPByBKb8M8y6dLser6iteR3deeutpz6ukPJixlLBDqPlaKEZ7 -ty5VFuZklpOcn65B4Pajnf3Z4OPoBJCeE3tyrXpmHUViTRKDk5Q+e+g8LhSH1wa5 -4XsqMCIBW9r+U16JAhwEEAECAAYFAk/W9PcACgkQacHhvTvxU75jLxAAghDEB0x5 -tOp2K+aIipG42Zzp+UGu9GhrOYPc0LLb5v4/9jIpZJTY94bo0E0RZ6OX3+ExQWpp -NykSEegIvzUe5rN2KP8CiXL76tMO4r0Djr7QnkEVGIIv6TZGEMsngKGGnXlrrPkW -0J6SZvIg8KrzNpiPt6z8eaquwJI+S39E1pNanGY41xSLeX90BHZyFKI5v73NuQT/ -x8sTjZAfacmDUdZ5HORG8lK4GBqhv2yGrERIgHxz0j/8Pop80Wtih1RgA/wxVZYf -C7KKrZZ5KzQYwOjjFDd7qCAZr014CFZ9Tq4Lk7Z0JiSO0aKguJfjq3uli2Tva/C7 -VnhMJYNLTANuZaMV/HprTxYSVw8zJdTyLdHs4VtaE/yslHYjQ2la4CeqqqAupKna -Lxb+M3HsEfVb/Acpik3EYvW3sbakrXbLc6eKcTla0YmZzJgJ0ZuSlD0kmxj+/Yga -4PFTyLeSgoQZMgPIFMnOYpgsPMjfrWu3h3sJMqbOmfDMf/V26LAju9DU865qel// -ja1lo/RP5fKtQngIQuGF+2xemgGrWgjcKLDy9mkQ6bTb3CWtA22Xo9P74qztj2zM -e8mAES2ecYRjl9w4MF7kb7mCQwgO5hAXGVdPmA+/Dh1PSRXWkgRG9lCq4mHe7Tuk -b4VqnyrJt0JUrRBw3kP2qi7Rg+9KUP7qC9KJAiIEEAEKAAwFAlGGcDgFgwPCZwAA -CgkQzNLtlNIXOele5Q/+NFpd9f2iVpKWivOlV1MNjT9W7AK3aMn1Va2yUirV8Ng7 -cC7Z2MaQbfSoNITCW3/5oEgamMu7iG4pCXLGvCnb42m4tvvS1DdYV7wHjwLwkOwM -lW2yli8OizLJ1qKr/r7ScUMaYTCGKg2Q9E22GqRnoRJQqkkG6YxfjrJpUlQ91PaX -HE5tlsl4I8CxsgFlU/IFcx9oL40vuKYsPQ1i0x+I4Mu4C2ztls458RJsfpf1bkT7 -R/Mj7CMErxPqFiimRn5yHROPD2WZxMB/uWdxqRA5B3d++HRgdKXDZKxQcQpHUasW -5sKO5QqjB869Zju363Wq7ioZTvWRbm1eNzxOyg/zZUid9hXwHOm0eFMgPbJVvu/A -AbAWwJtlMd1mnDfjB6/sRntmupFrsIu8CIpRjO2iI5hASwBNkVDhlT39UyjWTwTj -NNgzX377gwTx1XsfnQZhsTBhIILCt8PWPkvkc2NMO928iBXtgKwEElbK8mQITPKs -2tK56sRfSSvOn9sEfksjszq/LKnpvRIP9XPlYMt9O0Sl26KwfPDzES13E/DLOYSP -mfNRtqErgfmzjg1A/zun3cXiz16ctDG1YgoqZw3spiEtgyyijK3HCo5xGqUhyugP -bpZNI0mIn+//pIOKPmpms8j3JVbApYiw58RfdaHM9Iqg5uf0yfoj8tNDCWvlPdyI -RgQQEQIABgUCUc6nUQAKCRA8AJ5rEge/uhDEAJ9oEmE/La0zJuSw3o4X/8O9Cuhs -UgCfQs/wLOu5JmeYEd8EHVhWtTZzrXmJARwEEAECAAYFAlHMx5AACgkQlwdwGeyI -o306SQf7BljcYTkQQuBZvsyudNw4FO9hskM5sGl/iaVxZZIBJejXh3cb8WlMfemW -ajePB+WoZrhc8RugisFmawjzinM68Kep/VP63K1+km1CJihczDFviEpJM75I3WRf -+KSr1OCm6EVw6SOYXFUO2XcLeJrf/IYfgtjWgWUJa1+5PC1DzCoX0U33gSMu0mbG -UFE11dUGS1Ln+G+fH/E3Zrux1oIRFR+aRJ07dnvd7ZoGXA8LP6fZM1mU1gLeKZcc -CzijhMBpnoRnHzVRFp1kuk9fN1yWaB95/tsr3mbaMRs/uR+WwgF9eiCLVyx4o0F0 -KXdy1gABLH8Qjmrk2y2HTaPhhvypn4kBHAQQAQIABgUCUdFG5AAKCRC0zYPqgi1a -kRHSB/wOPpCFmKrZZc6BC8mh0VxLkOpFB+4E/WeHTbk42b7NWt7jkvYXBFf4JX3z -8aezGMK/w23sh6yHYbABRL2OG5e8UYfuzm4JcUTUBeYBbJrG2O9g/ywqaHHZuhrp -1iUjlqu+TB3Bb9kHLS3lskIM03iqmBKBhywAad4bwyLp2sg12aisMhvxCoknmGvP -5XoYGznCQ6WYsV5my3Cv238CONPEU0O/TH+VVbsRVVWwKnDERlynMyV+MYbbwlaN -wo1CfGqWaBzS4L+L5C0o13cJV96HnPyXGTLjq+yyN0BCGIENTa+mJIvYVfkBsesc -a8bwWhJ9w0h5s4NZ3XkphL695hYriQEcBBABAgAGBQJR3zOMAAoJEKzEm8JT+JI/ -/DAIAJ/rUiORNMA0Noxz6+L52dtieHZMAOk/AbzNh2TGexpNf+lQHbrBGBwKhgWh -XXCDCKkfhIzWDB678yVp82qpsQEkDElRMNdgTD0IanUUcEdYyhwlLoY3QS9Qi0sw -4NwlQe5P/tDlR5md6Jvxx4oCmymM/Zh3EvtTBl9kUFbjzRahc8qEDdXGjUWPNOi6 -/Lv7oR6YlAsumtZH9yURPHtCOSf9KTAjFYw2jpPhXseRj1prqTrY+tb/vgBrcDkw -F9mwOa3WJfhMH4w00CZ7dwTGqfJEeHz8lNFzDwqwG2klzAjLkbfKk1/XljJAdm1p -YWNTuO+XWXFIwBqB1Ty6vVWE7yqJASIEEgECAAwFAlHf9twFgweGH4AACgkQ1l4K -X+nyXb8CRgf+JY9ZcuwRXmfurnb6x1yTdr8JbV0G5Ecdc1ioZgIwMLVTKjdLacH/ -yaCy6IPL3gBlcL0/ALJAOOZPfVMmeXbkeSci/T4QO1yKxCjIywQ70E5Wh7COh9lA -IvgliqEFDX4HZHQ7GYmWoV69rxW467wDz0+dmxOprGLR12pve0Hvdqo1W0vr8hnu -ef9U14qTNamrKPnj/XK4QmZtmF+hfJ5KmTcfjlffp5Wu9uE/cYYboi3T0xWIO4gh -A7wfhaa0K0LNwA4HxPGeNnOwS0n/+19HI0r5iUU4kVvenBK5XwTtfGJluKex4vY5 -jWQGXib+jW4zrDza6S0oaOv/uoM8I3uYhYkCHAQQAQoABgUCUeV9NQAKCRAPkVMA -xdkKWGueD/9a3VI6qDppmrEwxF/rZYfWXUznAzpXrdYeKsvED6DBuGlDWb6gBcsM -bkEmNB1p6Ah6wxUDkKGiGTrHCJ0hYzp9swPJlcn8wOkFpYSedWmzEDYSUSh8VYh6 -sI2dX4d6ueQifBUZm0Qd+jKL6+uLGY5bQHM2/6S6t+FGiIKoHXJvszxzImVO9FLu -mC+sHO8KC/RgAgBtAOFdgdk7Cq48MKgP9WZUiWj3JSdb87XqPIXih8PLjviyCeLD -pdfa0KJftSsjzxNspw62tg+KLGoyZPj0dzNiShJ2SwrIoztyasVBWV0gNcrYyUPy -uz3NNVaIxPDkCk7pRO/Cgotb/6tLZxwDfvoZzQHK7Bey9Diiv12aUoXt8fyoBgIb -gniGikQQ5xMSiAP5v1QY70OtYV0o+rwR2Xp26EvTN4j0iX5iEs8kfOl5CIob71WP -WzerRuVpGDT1qC4sVMNc3KKvAjaPLEzdz0a+5sZX6+hS/0jNNWJIzic1QCwtu6WF -0W+29SfZOfS5v2XKSS3wsNqrN64KPIWCMre/wBv0sJsUrWglmXOhDmmvJmo2c9jZ -g0gyR6jEFBJZTXFOmPdlB4WcQL8wUbmpyn4qxivKqkHk1F7SQGhFPLc73ov1p+Qd -r8Js0HgeA9LMDQ8J3nt6GAMdUhpupVrl6OCPPKXGRV9ePPad6QWLZokBHAQQAQIA -BgUCUgLz+wAKCRCxsbTdJ9d5OCeWB/9TPZMIspisWZWqop/SBzc2obXkJ9rX+wlo -cl8BqdYBBF26det0Pu7iGSJDsKOvlpUfwrPouIZdR4+kQAQYgZXTMvccAhJX1d// -pZoP8Eh+94UBIiVAb/fKnJM+UWykf8Lo4NkVqSYgDlSSj+23rjLCbJI0hkuelB6m -Ja9EU9ViQm7cHBD23Tc4CSUYNyTDheb/Wg0fL5Qrg8KTUVzsgaS4lGUzrjixf4Ke -FmRsSzbMmwgQH0cySrDQy2q5x7IZfprEyMYJ0sQWsuRNoxdW+X8WLH73Rbw4n/7O -QnZH+a7DYQ3dF3wmcDdv/nchPPeaPAr/iRASHpRq7vbxOObR5rpsiQEcBBABAgAG -BQJSCEyWAAoJEEyIrHrCpAJ8sCoH+QEzqhzoiU6euLmeJY+cOqHAGbYuD7vENBuX -luboEAElZ6+UDz2TFgUTqAvqG95F0/KXCT2TI1IjxzA5i3u11Gb7dbK3YcYts4Zp -FdqX6SVvbbKUjj8MBlfJO0OSDyN0rXcE4vKoR2I1slvpqCoJ33aOUShaEZjEqMiY -eWOX8YblwZBwTDWmSXEiathvmoX52c9gWXOpMmiqexxcl1T/iEHQcqkK9L8DsaUP -Znf+5cfvvJgehEVjaynM0JI8Axq97gTilNvXBR/IUcit4waItRN9/9yuRGQuBj6b -XZ42soN62mgc/Wn/cRt9J9bfEjdqR1gIlmPR3dwJ991kKCsO5tqJARwEEAECAAYF -AlIRuc4ACgkQGQ2cbhlQqNbifgf/dcxLFlGHlLtlsfQkR38hx72ATM2CFB8IqGkK -cJi+ckGfHKVhvyS0BEeHMNSteak25A3tnV4ep4ItOTFcGUs4N/dIkUHnsUtE0ipL -jm2pCCOWJ1Xu6zGO/xgbirvA3+E0ysdHhiud0pdmL1SRXNrKfXxidz3Su26S4C6C -YB1ZMr+mwqnuhPf2BCRCl4ghqIWy45R4SAYTLEpdh4AxOZkVr7dPs/SoEgVlSylz -iC1PwqrZr+mRL8ntPoBGBsDoYKEnF0ymQKzmlz83sr8PdhPDa5ZvmUdalUrCfFwq -YcsYd5HEUhemhY+pHtaxbxtB7gqVfKHI/CMdMraZhUo7RMA4EIkBogQSAQIADAUC -Ug/EBwWDB4YfgAAKCRBSFqaK2aPJaRSYC/9zNAw7Ckbq1AqcAUQ3QXzhzUgz/spw -DO/R/N/XOjaynVoanoYIcSWVJoqg29gbdVqWXk7KWiz1AEAUr2A/fujqOBOSCHAX -7ac2f56GHxcg/+QlqzQUrq4ZpEkmQyh7I7hhXzIAdEZKrbm0c26Setp1K/G/smIT -mCgLFrqM42mGK9ULWEahcvfn7h1Vyio/y+QaUtFhjqOQZGesHqFRxw3eDCvRqfC1 -5Vk0Js4AnD8kDPQ1/543Hk4rq4NJhnwRKjBhkr/WlO2IJY1Hdvj0xNwDVJuP734T -m+uzVYMx0TJAZW9ezO3aQEFfVvpk4nFaGaosUNvZ/BXgDsNM/pgYhVRqQQoKWvN3 -cUjxzMrktZbeJaAkVaXQniFZb4yeIxBTaDmJTEm2RbK8vUL/NNajflKiy//LrL41 -irV0uMtVyM5NeBWH7OHFjVg/kA/Mr9tAICxkZJmlQZZZgVkHpOl2jZ6GbTxLiQOw -ICfKeN5ceZOE+JYVIR4lakO25vd9UGQefU+JAhsEEAECAAYFAlIJZ3UACgkQtQi5 -Raq8WVuVew/3cKf3kEP9uzLebuvXVin+tCL3xgVrRFw7FWumUC/7788K2YgJSAog -vSkkHTkBrJ02Hhup9RcPG96uyBW5KAuC8gD6yhurh3zFGHrtnNCQ0sGUDKfKpiy2 -nKNXuAb8awFy+ogkXqbk0FHtB5SDXlC+PM1jFozYI5G3NQmhgKH2hKGtzKGOZpep -+ATJTti5TrWxI2hW8LIuMu3VSteIyh3a5gQaHXI2rcp+1ifwZRgrEsoUwzQIlfiP -b+rptBjbtCVaRFFgvCfyzDJTkw0hqimpuDExl8SpzGcW6ypwlPgOZSl0oBU1rkoQ -0tzbGxhaCUw2D5wtt9lEjLOFDcMH1chJrLa4aX9DUi15YHmNbCxRKE+ROkEGLOwd -XFY6kiynFiQRxK3n4QruDk0Z1SEcBBud/rSv70jRVyKhHGNZl6rVJHJ9hXWleTd8 -fb84wKV39dfD+tdkhe8k9JalNfyQ2fyWFvfDpiuQs78/1D9FtoLs7th8ZL2/Z4rK -YMNaOwxRGynHeWgIOROH2emiN5kQctcMyU22lRyn6w6Rx7rq5S8VTeQp9H1JWrGc -vTY0xO/1ynM5RGDLzmoK1kSEoMIzihgPtsr7aFoDn+I7iAW3Z7jqhr7Wmu2vQw4u -MC0lUxn34cjPmvO8UFZi25zqAxjSoT7FxthxkTr4ZXKalpvTMSz6AIkCHAQQAQIA -BgUCUiV0AQAKCRClCWGeAD8z0XSrEACbOnpVl6vhjqLuzWVg4G/Dq1fjUT65UmsV -4TBhXR4RFswf+F1KshFKrGOxzhg2DE5/xoqFHeyvy/h6bFrLl988eZPDTBuxJZEu -deQzDVN+y5e2fKm8U79CKPIH8fTU0NkLHJAEdTD0Gf3D8n7Yb9DVihSdggS6QfPY -tsMwVkt47zaIQC2ULxSPI+A0tNIE8q7uVlnIdHjzqjfYWEEzYWGkPmdJt1bWr/fb -3WAiEZQUO5sMy2U1Ex0KzttG0ypDOyFd35RYRtsP7yDXgbwgHd/EIEfaMI+PgCT9 -4zmdpeveblBbjiruPxt2/0XoCh/pclbemiIZQttT2Yx7X4WOwfQ8KggLwjBOzggr -sfdJBwSDPA+R90atUU66KuZKtAfX6kA8IlDOHOSYOyNpO7WJsFuReEZSJcJvB5kX -bdCafHt+UfMT7sb95NbfrGREYR20wMfgWtxMxQESXSqL/coeZqe7s7AJdGkn8iCj -moMy8O17dw5nKXrBSjcn0ihGlTY/9b/Y6G2rU2GoAdcZL18q/ExKTGDSLcYU+HC7 -vVAHx392Gnj2vBW7ZoJam/C9QQSqX4n0h2gf3j4q8xZIXB29SBzCh6l7Bg8IXd71 -kURJrJbGaQ6rAZsuZ+Np0zrA4+/JvSTWM9glz35EjKe+QTl3at+75vK2iMH2lqP4 -+4L2xF/c4ohGBBARAgAGBQJSK8EeAAoJEIcZZt1EoxLUYZgAoId3jqXshpl/SKLc -j+6aiRI1L/5qAJ9ProAiyPD5JOrso4KXn6muJBEQpYkBGwQQAQIABgUCUi0FVgAK -CRCSVtVtGdEcaIolB/iEfP7YozBMXvSNRSU+sRruzPcOEUiAXs6NXVfaRbfkn2wp -hh1hudog/qAQVvcgYlK8GXgB9zM99JorFQ2lW42T6L1/Tu3tbkOTT+uf7l6pItlN -9egHpoefhv5cyG+FhrcyqIYw8NYX9+lNsMe41jxzZkP9teuRmcouiXgcON3StDjH -AksXL7Kc8khLZnH4wq4itu6R4dY1Rf8aSQMEWGWoYib7EZtNQscYOeyhSWkq1XIs -26ulgFg001LxbSFWgZ+IsOuahy9Yp1HBCDCVMgCLy1TEtrI3jt5cfsyiFPguNCL7 -DyKnJ5V8ZvBTErvIEFdaoxli1jjLlOMMw7pwQe6JARwEEAECAAYFAlItAW0ACgkQ -N+S7qOIcDSkfnAf/ShNsOnOXeh44FNEiBZiJTDJn4V+KzGq2SwA+ShyyHrz2z7vM -DBMU3cIfSH+ol+7UxnKpLkY9KrDS0Nmra5LHZfB4cidueL/UBZ7Q8uooATZ1Yiyv -UJcmmnK/TDItnVKA8IRA2FAxFY+ueiG+6JRUP+//nHxyVNzaJM8WGX45fsZg2U/H -4CKV9U+DHz7N1GkerE1BDSxQg7w4QAcIfSKM8FQpLgdsJIVdfnB7NdW8x4ifmZuk -MWqE5Y1TQ3dDk3AooJFBGzf7+AE5r0r5wkhDNaf+kG+y5B/3hdZIr4qjAktV1LI4 -jcFFfSsxDNm1+RpBtd7gkT5Wxq2c5NclxHzLnYkBHAQQAQIABgUCUmk22gAKCRCb -7hPXS+7Hj+rcB/9bL2ZEBIHo+/eD6h4+ggQakkorkvzFUuV3832GcuKK/lLvXENX -/3J1J/tqT8+RJ2UNkrSDTtEyg95KTwFFFYlqcLILP6QvH/JBP4CCnwt5bGvTZP8y -diANAwmsUsvd8G6Yk3y7tRYLR5eI7v2znozi9H7pjYVTI5YQkaD7Gj9NhEkWWhnR -VcgmNz1ff5HAo5a/AN9IY0KIT5c4gJcYGiOcEZgo2drIE0ef4w+2Kd0looq3DSFo -7DhyUbCmYr7dxVjTxx4BT8cZa0B2NtBRuaZ+8uiHf7DTYUejwaX7FzPSxPmZ4dWX -a44PK7djnGCmwJxIRQSuj3e56UAVCboTButZiQEcBBABAgAGBQJSatb3AAoJEECM -zW4xoUizz+0H/AqySxsnkKmNHIgXI92d1mAHtRQs0m0pic3/tY8nYYuqBcUO+twu -UoF9rqpXCuoyWr2D/IqMri14dUQAD9gadt9ps9FhuWzm3FC/9SropAiB2XwrQ6eZ -ZfhZ3Z5od9XWGa2k9zxvxqsQSari4nph+apLCfdQ1eyTzBX/qzKq0L5//3xmJKFE -hJgGlSChax9rzMSejp+QzbVmroWnPHCG7r2olxSAGhsXv1l/xfGQej1NB0wQftyn -CcYQZqZFNMpS32uPFimaF3H6AHCV0kIyDTzMR2IlnveKP1XsRKg8EU8n+opwzzAI -XE5IVM3XNxrBk6xj/sF8S7hV0xrpQn3FC3qJAcAEEAECAAYFAlJGVUcACgkQTdj/ -VFhXDI/Ltg0eM72WyDG51yuWWCm16F/F43KvjWPR2pg85nxtZtEQdSWEuKZBbSvB -taSoF51V6rFSyQDhNNyHHuAaif3bgCpRx3BFHSFozSr+UWrrKDwjFWg3ElZdp5E1 -+SnbKddpIlhqxzJvXwe8tBQir9eHBCKW8UKgmiS7PXPne+356KrFWBfnqxP0jMCR -JyXRIkbf9GgIXRuzlQLDiAg/eHF7HMDA9TkmutHlmaShUhDtQXYo/DfJKt1XUEhK -8Gws0+qpjPP28XYgky07OSUW+8IzKkK4WcWKYTfYZDUzxwQ3uZPlv/PIBs066yOk -Gexw+RIz1uTxx1upg/IWhlEXGJd3PaetuT3eA2/pf0psa4kHMPxGe0ubkCHnlvUo -nIwUOdMB8JduCKhD6I4JtQlZ1DOrAFmI/vTga6HrRJ9KIQe1rL1yrN6yNq2tt+BR -UyQxAHbs6V2rzIUiGp4r0ACqM34rAgTQGVwlp6HGPKAh5WWEgV4z15YuTxtr0t3C -GYf8kSN3oht/YmuI7hxEnc2sAH28NTH8c4jpwvuYugE6upt3e4nY5uKclEVMiQIc -BBABAgAGBQJSPq0UAAoJEBPEZsPGQ2mRylwP/1IxEbHakwy0BoeDp6bJnAByFl/x -7pbUmhahJpkkiWov5LqHliSuHnik7bMnFTZfPv2U9WVRG6RdCxmyMp+JFxLj0bKa -6/zigumfZ5ddzD+6DdV8BhQhbMJkwzuM3X/Q8UNFHV/DlGVSrEZugGsMXb/n91bE -w4lhR9s160cQi6AbbMv5zBLINZBgm8NbOMAxx8HdnHRiuHGgJDKIxzLVomP7SoQF -xxkC9FiT8YwbzKCbVo6w7nbECm+ZsOIEJPSpF3eYqyu/7X/+21kRqNqDWMBYc6C4 -Hee9Pa2VLO9DPTVhibXmXwp/sdseZVmn6zNmtCxTAbuOJ/c8U6Ht3ExsJFVW+gmc -Di+ihg6K0TdwK7nRkeGnFHE1l4Zu3mL+SLvt269aRgQmrKmz1vZuNLyaW1jBrtIq -rhJt7uUj7nPH9w/x6r3dqRVLpQSOIemvUs+vB6r0wDWQtHsjobMOPAXHCKtlnmhN -BdeF/KyaN5XJE2Rm157skRYw6/ZhqQx66jjaAX6RapeIYaa5D0xVXp1QkhRLqkfR -mH+nrPpIXtUVz4X+a8CPh0MgACLZDGl4q6htr1lEGgixTIbN47lhM5mARrCVretK -kP3wi/jWdhMzvXHdGzo3wVOg32ExHAQSr/jp/TaF6UA46asUEe+p7eIxHHJ4O70U -cHItnzb0i8a3q8KdiQIiBBABAgAMBQJSKlXWBYMB4TOAAAoJEHk+zTJ/Bv0Ni0EQ -AKzHX8QNjMH+4dDdbLHBhuBMhsGm4/tgJFLWTt9wP1SgnWMR/Ygtao2Po/Nl918D -prHdYIA9YAosD4PPDWTzTQ/Du37QS68xrUvOMRiE/bQOfxmStlr198GLci5PwzV6 -F6ekFluf8LEmikVnePTD1ML9HBT7Mj8OMoC+yIe4VCOPpHpdFGZ0LGmwIEJPr4S7 -liW1TQ19fJe2LMShceHjlpzfL2wVus6HKwWnKnfAkQQ6sMznVsQu7nrAu7rCTwXp -2P/YmVLWfJJGtC2G8wB7sq+0flm2+RpbWESBH3/o15/7MN1+h1WavEuqG1pXRcaB -ESkAjZ/EslS3sJNY7fDfASinawGh8KgXA1ELf70ww0UXt4Ujnp8n04KOSgpqy2/N -uKXq+0eb3OhwR5wqnEizUoill/cfMQHftPH01GfeyPFvcX45rf3R/tfpP+0iPP6L -v0Nns64zyl/igqgtcXipfN1HNBA9+lOIE8uh/JSgRacentUz9JMq/e+CwvNMY0j7 -/5qCR9HhlojeffcDAYzB5QF+UZmj8nlkNOtyai9o6o7G8BHPQHtiXb13YMG7I5t4 -z20AFTAogLbdONcb7uXltam4ZG3ESnhRdB62USShI8/WZ/klDKaUNfBBXo0i+qBu -XxKYWXnIOHLBEROtqux+kOb58OUx3cNI4jkMAKeWGEfKiQIiBBIBCgAMBQJSO1V2 -BYMHhh+AAAoJEJ/cy9AfcKpGYyQQAKQJQzM57ETp2bzuD9WsK/iv+zi2Inu+R2/R -n1yZIFGKzjMzhqrlyJTehJDx5XLwogJ5sFhtdOm1r/1RC5rTek5+CmS/0OAjQV8e -ZxEM0DyL7mpLKfxAwSFw6W75eXlwkTsJM3D5wBIdG+oYFaBK+ODbazh1a+Y4uenH -5GIGNXawbD0v4UO4hCj5Yq1SAccwkZjaxZg10YTq2J350PKYYsUwNgLWkSNcrLUR -JrB0mmkmB6fqtkFVjhDzFPCmAIKANiFe8ictHbE44NpMJJU73GHbHh6ylSYaY+Mv -QhG52DJvxN+dzqoRp9ziWHU1ZrkrMvtgkaEQ1GHTYfM9NQ3ER7eYs8cClD0uUEQO -s047/5Q+lM9DmDJ9ICWpmjJ4INGvlJOz9tRU2xN+NsHowN5HSqL2g4je01RhrQUD -vJzOnWcmrvbjf2gPTcnulzGDgXitd+7KLnOkl9rMsOXomO/a5+fSJuEkUB19/low -aWCwxOxF3nhshwLzrnQegIkm1sgpnsEKh1iFlcz/XPlfGMX4jO5KmFMmhDeOSZy7 -RO9mZ3cqTfjib7KdN4ocIZCre6tsAsXN9xySsM/JMoCZdUyFfXuxk8WxLiWDJxBI -QbvhoQCaRjO0kKJz4H31OxIMnSx3klr+FKZtOg/4jNiFajQBSp4HaTUQvif8YHUv -k6gTzseEiQHwBBABAgAGBQJSPtPyAAoJEIzdd58UsBxNqDAOn3MJEEOcYJo6hEZ1 -NrTVFv0An27cgP7OKH0TEZOrS/ZCTcfNXoW4jhK/6MazSvCdAkUVp3bgkG1Vj4ww -9rh8F/nMh7AJ0yZXmFIUZvKT/27UqaIBuJGE130ix0WAWrIdFSvdK9FvpuH5kjJF -/4tZPzDLZ9wb8Mg6gjI0i4F6/DjoVSgKWYoUgMHXEWvvnMoy0+fB0MPN1W5qSeQV -IWDTIdCwMTrmy5Ek8QnqFXgLIaMg67tkS3jfWh/YbIpUQRAPqEASgt5tuN9bvDTR -2prVUGqiZkVNjwjsJn5fk2wXqeUzLvYLEP06/cxNGxy9X1/wxEbDD3JOCern+czb -uxfILRWCKk1ZzETxKxeqdpytvKoVlPuhV4hJQT44Qo3DY15Qcti9f0QhOl8aNy7i -JOB8NDRlmwAB7zqE+4FREmADgk7oFGMPpKuGs2MJbaaLPmzz2sHb4DeG0QjnBzlz -/JniLtE5sw8RKs149GxQCUxsrhl2cmxjeWGc2MZidzJZ35RF1gmfzL4XCmuGJtGf -ZYF0HAuULLh8iKZN4GFA0Kb93HbFGGoeSMhDNJLCeF3nbeZDzVkbJjnLVBLWiaDl -Itrk/KEnDB622Pl1qCE5CkaReRNZ4Vcc5ohGBBMRAgAGBQJSfaMfAAoJEHSkQfYX -kHJq1oQAnA/eAuV/haluaoqfhHbAp7Z38hfeAKCIEz7iwKeUXL8YdGvKQQ6MDnst -PYkBHAQQAQIABgUCUnWB/AAKCRAo7iISR3j6h7bBB/wOVm29UTohwDrpuFkBFMWI -PC252iTstffZxasoT2ijf6R/CglJtcGu8mo+kk7E7N4OsE4lInvJ0UUKpB8ZlfgQ -M7Dv4kbCNhUSFUh5k524va2wuhPEaHWDnYqTLkOcueBLGBf6Z3bVIqfnCMJ2iDnc -0gFOeBClZF+vDOz56a7/hTHH3wKrs51dntNF0Omux3F9Tn70WgXMPKSqNYxzqMpw -9XWGIeUgVPNZA4IGYTMt7genG2D7E0UmIcVJ267P2PzFSub3ayZph2acWBnMTASd -K5DDcBQ9LO+KIPSl3mcRnmrw+C6X+bS976XqMTiT/AkinqqpG6KGr2Az9ZQGRlDo -iQEcBBABAgAGBQJSk/+6AAoJEBWXzDxwfP5JXfoIAOoAPdMPhqk4DIqJA8GI4Ef2 -2yZuvrEIllJEMmTwPJebEOtrcEqVwTkunU6ElyNxZyfWEuqfcqCPfUb9/YSAr0s1 -7L3g9TkrmgOO8niEkUfCw26+nJwPaPGv6g78j91alnzq8wVhEnvvBv7l9+fiMPsM -2NLkEElsACk2viAkUVvjZE2eQgzdaPXJJbQ7YYiYPA+/FaM0YGv+FSUyPd+KHHfx -UvYtJ4D0HDZ85YzgTS3zZETxP2oNavAIt7UwrDEHFICJe964QoOux/QD/v9sSqet -OlVIlnKdXC2aJ9mL2jCvIoWl0tOzrCZRb/Wi7VQcDO4L5/P7PabbwvUCYVBa/qWJ -ARwEEAECAAYFAlKWCIcACgkQYTYtEP0a6PZxSggAzkve7AsYY6gPTQT/itfIHb/S -81o8Lq79FYsOA4MAmdd28fvcrm7zosXyTBNkYeKxf6OZBur+cv8rEIq5tmLrWbV0 -BSCu+dV2o2Q/4dO5nV9HtBc2y9txYGPSCvpcJ1bxQ8FGqRy//RrzZ8Cs0fnzDNkw -nToKnAEOhQbd27DvZZCWPrr4Apsn1XgqUoY7Af22HNtKuG+dbaT+slL+7LPT5RUq -lZDp3MoqQUUewx06er/3RPwrmjcFhL6Zd5QPud9PdgYPg8kpDoAJx6MFAfDqCpat -IMzNI+ObheQFhPOAkzQVDFTTAVbDVXYwueXJq5zAqOJysbZxIABEkmj6Wp5IX4kC -HAQSAQIABgUCUqU0UgAKCRCQe35tuBCo6qJoD/0buuR/VW6DNCCTxgLQf6mDc8Ti -TDi3f6d0VZK/ygU3WScLc+ItLVrdDH0S6CEvc+GGf3hGMdGUzD2s1nggT12qETKi -ClwQu4iIgbfp/fCj/gOU+AUaRoc4ABr8fUhisk7HfshEGf9mgcCKcJ89HV9qDIua -M3EW8ZM6ET4L/3SBW50euOBjsLS/e5iTJzYcophrynr3hHj4Vi79G+XJo/OX4Dzz -VoSIaB2QNyq1mSh9PQLOzF942oUktXrtt3SbKfnRsaJHXnoLLaKnpSqTNdTkDEaF -N+pQMycEiSKJdsQjf7P3PTUvvhADD2GzfCa55uQuq2tSEoAlqDhemEDk+JfeEWEG -uqyusvTtT3XsSpKplqtLa7sO97h4OtBLz72ar10stKtIoLgDSh6Qbs+E1MOZUhvo -qR3FNF3Mid+P02iHc7g64kREguKh7KSHPQ2VHppQBg+TqvyWFydk6ykgCqiAgVzc -wt7QbMPd8Z9dPbUbGBxgr8VAFxQam+qdMIph14DZeFSVojSKXvfN7MYmgtQog4rK -GnGbvNKOh8Xv/T3mbx9vFvF4mz6kwKMOjhJQNnTWRsBXt8Hkq6nFp21qcWEPQ5id -DvXmFoNwxE/bn08hUOPAbBoBQk5SGPtNsC99KgigC+mKe4FkNzy7Whtfidh5eV0W -jhuFz4KV+/psPKUWd4kCHAQTAQoABgUCUsQqJgAKCRA26MrOisQB/RPpD/0TUzmf -SlUBEXAbK57bNiQ2KHCouhZfV0arfX5mV5uuDuJX5TICt9DI9OwhrlBXOc4RC9KM -UnyQQwnS4/KAIiMYcDpx9VJu/r4/zJ+tXTCpypl2N+hB3pasc1OhAbxg4Qny7PVb -kr1hO9zmeeyilnQMno7FwhT8k+7dUw/XDJplpKT4lbqAz9VlVAeQY51q5agXK3bk -DC869iEp3L2inMJpP2wkVqpQw6oLjXrAQgOpKSRBtjRWhqp3NBeGV6mB0TnaHVkB -ZUTc09hp9yukCEUCEeVvKXAcdqgXk4CkIx05svraBlClPJfyDcXc6MD1xDP3rH46 -Edcdih5BruZzI6SBtKdUny6EWD2Rt2ZeAyGcfY5T3TQvt1o8MLWCX9emjdGHzG2H -EWTeKEa5PbVE53JmCdE81kLixtuQeZtkwW0rjT4JC2J2RygEziNFTsiHT6YcyAtk -Mme9c1cuQ9K72tReWssolPfnDJHAG0Dj+o0OPwHnLmjIy3KrcE0R0fANGqzMCaR8 -TkpXU7e/uuh36tMXg0gNXaj0VD9HKr3AQbyljH7I1jQjjZ81CgUStasZJR9CoxP5 -jeanenXT8Jrc2L1Fs3tSbPoByA6rAmxhuBm4EMAW00CRX2YNa7PXD704KjhBaNH8 -VpHK3K0HQeM+vxEhkxDM7RFiUAdO9x724X++3IkCHAQQAQIABgUCUsBZPQAKCRCs -Jg2fyibLtOIDD/0dyIadlEB9yUvYQ+/242cL9H1Fk3l2LV9WrCbwSFfF+QisjR76 -/xShlmBBhkVBp5fOnvSPXyU6dBEM0kGz2ylmE97TCKrVWHM5RWIPD4ltC68mgGbZ -h30mNx+dq5hA9WfCIzWJtfVLisMXp2U11RJsbxCG+n3A1K2f4Aky+Tlp3zODzRZE -qR3PpZ34TIFA8fNOJHZoeiP3camhvvspyplLWeUEzWpEedoo6bMoWSmvdej5N2rA -UeLdumpbd4SlHT19p9oR8BoAYRx99He3qLygj7Fr6rk672X78ASH2DYIwKCoF39e -hwvTaOOE8DCnAIztpvWP2uS0dage7ntjqbnIRUnzn9rzDeiRz1sNMYXJN8C62KNs -wlvd/+286o51HAJwwGipizzlPF5tdMeAsRVU4vl4DsDjfcVy8lOB4cQ0ibTXEFJZ -e3ZnrHKbIJeeAHpL/7XauURjnhmdGRjrv5okTPw+GtPyVFn1CC7n17dyt8TfElf6 -5YboKgQsDW3rxQs1oALEPOy/0g89eKx+W2LxXNz5zP6rNuAznnhCinzAqbzovIcY -/MXhbnXUVYaiVkUgfjLo0ajiejpOjIlb8Y0ytZetRYz2EWGgnB7rkDJsYGDze2Y1 -8f+nyK4tcesIP0V9x/KfIlEuRPy8ekgwjDCdOqkqF6dEpc/mhWMl9cCIvIkCHAQQ -AQIABgUCUs53zgAKCRCIWpafv8cGwNj3EACKIwSbBgjAOBzU99gUtkltn3iJrpWo -y1Rufi0LzEkFJm+fw3NlMUxex8xvOvsU7f1IvXnO53Za1CDJk3r16zS7sFIoV9/V -w4bvWU/PZus5lzmy5Yf8t2YtYBt1/mNba5ggwNA1eB+bVfYfLVguQn4j4yAyz+/+ -mV8UomXqC3jfUN1jxqWVWWGMDCLjMstac/OYXSeKGg/h3DvVq3mZdyEoLbzKcqq7 -RS2ioHaaSXDKHvC1hc1NELSh/dycEh6SxOL2zY/3ibN4TJJdvYEPXZScgT1oK4Ty -4z7c1W4dCs2TlN8mqsaTdESKuL3wyHIRqNaHeCLkzsWnHNpX0eweszO/Zd0LqrX1 -HraiRFM9YjQtwA+nJYLJnvGBLRfdgrdQ4+kQEglRVbEEN27JphwUVh2QgLc9J/ln -Qq5QAFkBiVX/UNQIZs6PhPxqGbH49QzK1WXq770WLK56tjUyaaM8l0OXzqVQhxCT -RQAYlnFqoTr2GohF9c7u6DannII0cGkUnHGQBnCMJlwuiDaYyIQXAZlglFLKJT+C -XNIRHP2eR/N6ev/OKdYA5dsXFtMUUd9FXpQDZ4SQYTheq8Ezt7rnnIPmTXgma7EK -0OWr0gBFHRwVpiV1G/klOiv1jIX5ILyBGE98DQ37d4dtksN3oX5xaQ6PW/Sja4nJ -zzR3A8dyiE99EYhGBBARAgAGBQJS2XFLAAoJEN+Fsc298y7w3iwAoMhcJeDx0Bkm -dK1QmbgjkmYVbiDSAJ4iI4n6OnFm2Z2hWL4dhqM2A6FQKIkBHAQQAQIABgUCUtmK -MgAKCRBI64stZr6846eTCAC27+q/gg3u6fVGyFtNDZy3mY1P++VpiYzM3DExbIPH -PgE1QX5W++9CfvYDaCuleOSZ9vIor4XX/5LqcnEm4qH/abz1+nLkFwGu+c4f628h -+CCc2rJd8PPIOq8gTpr59Q8ZT3fFS1BlVO5EBG1uJ7ctJUpH1uonUK2pdmXeh3vB -Y4ROnuMPe3y50sWi0se808TOauF2kAS3Del/DJ2ZYpnP07YE58r3eCDoGsv2gJKX -wXIYjUKpordIae6oJAaZIgeQD0AAZRf/NdHRTefyKBUMOntfbPJYOj2TQ3UhYOh7 -+gruyJmPgXitjw6bMwJ1g/eI8Yvvm4N/0WsG3Y4VLZi8iQEiBBABAgAMBQJS2XcA -BQMAEnUAAAoJEJcQuJvKV618qzwIAL7EfHxgD+/rq9TUxFMZu4k6lwJTgSKSBqqS -J7rKLu4G6HG0W+PpBkmuzvkg5EEHmWOjVE4OJIVwtIS/WF6GhUw5cviqRAZg4A4F -TkUcu8czP+2CsMqBJ8eRXjgeqOL1fCY0Bw6Tg6J+pZLkzWmYNZagIXbo1NHNhWYu -IbJ233bzbds6XV1MuTyw21eJcMww2SqbGUcGTqeEjxaIMv4ofwFI2DkqohTcTXul -zylRp6BCjt12+oLl7oirQkK8KCL9+E6M0pZihQ90HVYyRwLRO5XurOpBOoX0VoCN -Fq9n4wpPNlPRAIYvv7sqKH0QCNenrzza1IFkTs0LIBYKL5lB5ieJAhwEEAECAAYF -AlLZuV8ACgkQCNX8x6g6IAynpg//RHIk0Ep/cQw7szrjPNOLVOc+MuQtCtm0WYqS -IYVJKp3ygHFlGIPNFnXGKZZ/mJZek8h2aN2PxaJaDHuTGCumi1m/PUQFki2m9Mos -21W+nIH4vrQDbOs7eIlNrx0qy/idWAxRPC0f7nmkyYZgwNNmyeoAjW/XzTQ1ScoJ -jL23sSnyEQ3doBto+KFko61mkQHlI1fqu2/ZvdoLh/9YXjZuX2rVPcp+2b7Zu7KV -s1lobe2sf47QZM6kKewMXKFpjMK/o2K6Y4hZDJFxZDp3oLxUy/LPK2bdXwOwt8Z9 -f16ez9X3r81zlMkutJP045tQXqiSlLRR8pw62+oCyY69AJX/wQkilj5Qzw0u/r4o -dleNVjyhL7Q8fa2wTem+VzA2SNY/gvFTFoqCOHR0fSnRXFwweLVtPWb7evJwRq4i -DrxCKh8CWFML2JinTq+IRsJH9jhD8+k4Hypnh5eZ3hnoPvjVVDJEGjJPDgawIgzd -lT4/JaSoJ8cywv3YTWlihSkLF0dCQhn8YJtweVMbHTSEIjBkuccAnAAUaxaBQ/Ni -o5FJNBpMXdngT4Cxkc40QhHe3KdF4TSYnRx+u6wUduWKSI1upBeKYrU5Z4n+M7wx -QmNNAKXwfFMZ7TnISYHhL0zF+Ns5//BXc7R3UxknBoNJa8iPsmfrQ4ijPaaAUs7A -STFao0qJAhwEEAECAAYFAlLcGD8ACgkQIjfaVteWwaMeoBAAkzlXE393juYfwE9t -vif0+8p7A8oO2Tw/nupxzdxusEy/iIcSwz98WLWuPL7yA9qW558F5d0kQnKuG2mu -YAtNq4nI2xbCK8pxfluDziNcXdtA12/MgySpA9UI7Zbbb31m4FvyBIxMvPNZGsx0 -WxK0Od/HoPw7h4ApNGIBONsitW1jbrM1km+9KeiYIQW3tDue1DiKumWilOby9Wca -euPGNG3fZ6QQBjIGCmCW5zNNH+jG5bN/QpZ60s+uRxRRQJCvKN7EetOZdWnTmtfw -JzntwwemNezxl3Uhc8cfMldGmHQALDygHA/KIHggABRer5d1iaZyH2nWSGN1lKAH -6P8PQw3InW8N98bN9t5s6oacHn7HpGAn/nF2JjprqYIBAYV42vfEE7HiGb14Ddt6 -wxGqK7luzRAT1c/eDEvougKfORpCkNBQTPDd1z9DVEbJxnBC/G6CSN4u2GQnzdyq -/c4myvIEbmAeBHeEXNjrHNISZj+RgyMJVDyfRIlxAIxyeNlGKk575qVjwZj4a7p9 -i0X+Qw4QhpO01w8Gx41N2DD/Dc/F1/uw2temK0lTsTgspjrWbVUx2zRHUBBBr3q3 -vGn3MteRtnF6UDZcxPO7FtcsYY8fTOWATnuVaBJvD6cAEto9GfWytO67SBsPxJXU -IwNSWf/EOIzrjz2psu1ovWfBgEOIRgQQEQIABgUCUwPyjgAKCRA8kwjJdq6csKw8 -AJ9ZTdYLQK4D1gTWH3MMqNl3j1SNfQCgivyvfARhLbDyLZqjPAFgblTh2hGIXgQQ -EQgABgUCUv6lvAAKCRDFNDKyib+M7NtTAP4pnjrDSslicA49OcE58FaPcIkoL8OE -x5e8Y0HR2Mok8wEApZ3U9feMAEZ/yBIY1y9osf5zo93CBLoSRxVs6/mkb0WJARwE -EAECAAYFAlIH8YMACgkQqWn9Xx1Ku4P7hQf+Jq06L/7PDhpe8o7NX6oUmPOhZDJ3 -dQHlmjZc9sBATRCha3EGv8RQJ8v7sS8UAWIfsPeg73O8GiWuKGqTEkW53pPhyDuJ -TXFHQJ0AMdHLiIG4yXfqEHKHQQfap0IHi/QeG9PptLNKPudIpGmjWMQEINGswpN2 -Ewa5fR3BoLwU5d2/oWzxNQ4v2F16pJ0jssXB8wfFNCWnB3kEQ+oiqnX2Eg25O2hj -X/CKhl3PfUwlrAQviyOTeMCxk2UsGoOEUpWhBbrrl42wGLQNNt6y7IVcY3HNDW2h -jdSnxvD72URdiY22OlT+kZGoIuVIC3hS2aJhi8q1wVJffuEfelWmdfHMvIkBHAQQ -AQIABgUCUhtb9AAKCRBctCI0s9l1H4SwB/47uod5C4mZ15W8gGYxfJT4pmNRd13I -92tV9EIV3ckfxxiBqzHXP3ji0BsjK3jsWhApR5ZpAXOzMMlP76zRjBNVGT87eqkY -67ohNkwFhDz1OsTj1SWDbNNGowIsuxmfbb3THOQ3FjnJbE7TOpxFoTCTcopgYmhP -Q2N/p+eZh72HUdVQuf+VvPreMOEKUMLkk+icYNaPljlrFM69wUihYrZHlTccw/tm -lz77r1PsyVgh4EnG0WJajBqli1tttkpz6o5Pl60lkUG5mrD1+ix+duZj5IALnKiT -3jpl5yJfjIYo8XW58k9FXM0IdRQem5YSK3aly5XyuUwFw1+h74vvBdJjiQEcBBAB -AgAGBQJS4vwIAAoJEBC/Vu+9bOytT4IIAKGas0zfih9Jdy4q8P0iguNTN9kt+Ocg -OvUgd8kAI6jSqdHenUHoV5sSIPBMilA01boz5g7WK9pU4ntFhRy4KHe0uvY2+h7f -XNFnhaNxBMlG74dVdixbYwjmLw7uc3pPw45H2OLzce4OBdJyyueT+8b1p4HkrAlv -B01gM+pfVOQ5D9oS6Yv+0cJF40388urIA4tz9yphrCOVjxxrmH6htymAsahhzSY4 -GeGxbLP4QL8EBxHu3NnLI85sO3Lv6f3lvSjAudHKaCvMx3XfA7M+b1ntzx92jSf7 -Bpbz2/8kskl6JtWeBnF52x4RAcVHAmGLnblj0SFxZv6woHpjiph8sOGJARwEEAEC -AAYFAlLsJekACgkQFIo2m+k3zGDq5Qf/fk8S/TeYPAOXmmsvf12OISEpwAl+A7mb -RHo5fMQgU3SORPtEmD+AfWe0DMvv88AgfN7pT1jgXTp6k5k677OJ/8uQ2GaWBvSf -rhgNxNR/Miz+t8+KrjHEVXbrD6zSFxj2GnYVCjOL4A5fp+vt52mIYuZXwNegROws -Blz1XDN9qWpbF3Q4RIWvfSE6e+/015xIM18VckTxiD2SPJ63817LlBiuU+gXvZT8 -FEznudMg0DlKkZNhrzpf0L+SFQLhsIT6qQyl7/cO8DLxIjJIS11Vejv1YnnGarOn -KLXUReb+FKOFFArVMHz4grgwWyo3yQ37sJn3cYghj3JU007NMAULaIkBHAQQAQIA -BgUCUvGzQAAKCRBQZW8y3MSLf4fLB/9yPHpboyOgc78QIa8jb75Z8i23pJUZ/ZR/ -oWlR8v5I6jpCYMfiyHf5rpQsmCR5yEBpfo7U/x87uGMQYCSJsQuJzzaqN/YYOliV -OHXSYWhVtDiHQY5OWMPWuA2GAV3d6JHWn1DiZ2r8TL0C01Ozm99JLChlSkJEBg/Y -yuCLWO6JfxK9/I57kHj6fTsj8mrplT3bOFFcVSCuXZSkEQlb0jXy9y6jk6NfFYug -E894xb4w19WCM05hAGF5AxUdE3o2xouiv0giZ/F12vwYbkLODDqZw40bVyI4DN/x -4bdwNjXJgLi14vgLpH1vKXVpKjHdbNWszXHygisTsEG4T52fp3T4iQEcBBABAgAG -BQJTA2zqAAoJEId0a2H58SCfJzEIALdw42Zok8DmvdvHVnRlSYdzMc3NWqPuexJ/ -98lEttm1uQxX2lc8HFJsncD71ypYR+73pRwmgWkxG1YNm205KLRIeqZuiOO8Jj7b -U9q93Zi7IjF8IVKEMShKAi9qJx/cl0NCAaNfvVlt/lfkmmQY0S2lzkNDyp0sd1uL -tmFnalf91xwMyWrIisX15Ip7KM6BX3gWuXzJQVNUToLPhWJ0F85l+feKob4XiUTf -dMZE+wm/+kl4Rm2DfEQn21Yqa9Pi7D+JO4PqAm25ZCuxEu99aDyLyZC62eD60N0y -gwTP/aq/9bdq7isoaWmS0LbThozSqQ78X8GeSA+Q1Awk+kbcgnuJARwEEAECAAYF -AlMGdpMACgkQ2C/gPMVbz+OQvgf+MqNy6vBiVZkk8IqD1QpTstl6mvlS6hMjUFhP -sFfR4fDJiUEXuR6onljQDBTVM3pdE0Vj/EO0Sl4KpJPysWGNZAUCpnVv4jg/BYBw -/yfEau051qvXjX9bTVCFCwDTdK/j4ewhrt6hXnscJeWcNdPWPRVKoeSQPC95te87 -zLBrOC0mb5ALF2A7mqfR4kaoLBa6uMHraS1/i0pdrFSLaWhdFWwq2wvJAns/aAMf -E14Edm0XE+8k5HX+z+ikc7KYx2MiSFfgj119m9Jup4fYEBZyDGAEG52723JEzsHt -4XzqVtQ6JwO2EBKlVRJCTzA5AG5yvhS7rRU2nyeSXYnY5lvY8YkBHAQQAQoABgUC -Uv8/XAAKCRB0EHDmmpdUwN8LCADZPifEjdsyLrYMC5/8GH8sA0xSIq7ai7W3OsT+ -6AaFqKR5w9uUe2ANhzkEqp6hGj4J55xq2oL3BUvA144KJfnZLufVO8FZA0skLC4F -TyKWPXrEjXfi+ZgxOq+UqJNbSpENsrPiMCCgTew+tFQ/3YEnb9isGHQo/cxKQvPE -r02R55HXrHcCu3yDlficnPLpoxhJUydoM3VVGOFroaI+1dSOZLUNgsLqtP6pQ5Nu -EpWpB0ZgSuio0KQWAt5NBhXcjIKX9dNihhfnmUxO31S1cQkItSKfryhlsa6K8CES -0mybZZZIcwE4bCZM1oy4qeyt6hHnOIpQ8x6fsK0jjdmhPF/2iQEiBBABAgAMBQJS -6rFkBQMAEnUAAAoJEJcQuJvKV618VagH/jaUOQM+BLZO/sm2pcKYyPrUTHGwMmSY -nU9aOdKMvnASles31JZ7CxHIcyWOYBsuLgMzvfIiVaK6TdAQjRFMix9jInai43En -I3Kb9Tvp66sNBpRvY+xvm4CTxtrR3vCQpDlQ3+lslAvUZm+eAc8xd11PI+5iIj3D -RHqCskYP+Tn3oyiBmYc+4rtiXTaEh64dgHMDmrXSCROX+oOAB06PJF6J6z9M8azz -YnF5AHxzPyuvh1ZXOXAK4LWP06asDQiMR8tpzzsbLqTfL1cbqbBVEtBg2U0PMEKx -9gth2u6UeTtJ/3j6ys3kmk11rKG4V9FslzLGJ18sDbg4UYSpEbP/zJGJASIEEAEC -AAwFAlL71QQFAwASdQAACgkQlxC4m8pXrXy7Ygf/et5XjkLCDCzepezu7akWl/+O -tYVsJqePhYOFl7847mzrM/k2DPhtJqBZ4VBrrlPlLZgiWZf7gTyPeHFzfovQ9qI2 -KVgdFcoJGcJRBO+cQrdi3rqTDbCanLv1Wc8lO2+DIXtgSkYRBjeksBWnF1FMleYj -3hQA77GT+KQpGIeLcQGXrmytGlv11NL67hqtoOvcM3zqtsZKcjJquVjH2j82ykhb -fK+KopnZrlarSihvJHRSZjNdIv8PKtCwlKwbwd30/rvfAKQehMH6uO6XvSS3m4/E -SPtJvP6uN0mw1CsWzQ56b8qeeDBFaXYDt8eeY7kCB0TJLp0h1vOEoZ+lrlWpiIkB -IgQQAQoADAUCUt1KIAWDB4YfgAAKCRA9FJm1Pnf0cH1nB/45xpsafGyBY7vBiZ0t -tR1wG4EPwCjuW+RdvTgg6+0m6QmPZbAHaFsCE+SMZ5Dk2RKekuu8u32d8ITw4c1M -o0H4vJviQRK4ZZSTHlO66rb2kCpXcFsBC3ks6oAjGiCs2vyM0JjXK7FPjMRZvyEc -qHQID0t3E+ECFdF3CuW77LUSYQFUaTmFZhXH36TPOy2lbDkHev74dMdEqu2xVNUT -gEV0tjdSKp3+l0lVeGCn+5vWVR4CasVBc286Xaa0Aa7jASoQ9RTkFAZ2zoxL/CG7 -VYHKkiJjlOqBAkB7V0wgIn3p2aMEDJZ64F1u1cOoEJpn3rA/8Yta3iIppOAlv3Db -Kw+0iQEiBBABCgAMBQJS4GdiBYMHhh+AAAoJEEAz3bE6qev6hhsH/RosIx6yq0Ff -2P0iBW/KSiuSRAHNxAkg16o5VESsuAcEInKjbJJNRrKXPOfMdJLZVsQWi/lfgEoY -x9XeZnOehbeSagoCB0c2UQWLLtxFEpwCVbOmqn/RranNZorEZnw2884+4oyW66bX -/Z7f5k7SqFbSyD9E5jTgsrHuK/X0I0dnCWZxRNc6eg0pg26/lm4XcCop+oAMe/OO -/F12pXxox0d72aBubnwOJgPmczRrODgNi77dUGsTqc48CshZbDxjclKvNcCRVSZ1 -ZHrwUe1sAGH34T5mrDPpRqB9W8nyte5FT2ntl2VhHqIzwU7G+9xx3VYcq5oCkdS/ -9xeIpPz/UKOJASIEEAEKAAwFAlL1yhQFgweGH4AACgkQ0YtteLWjI33MKQgAkXQQ -TE50dqsEs6CN+nhlnzYUNIiwkmenHb9sFnuPwRmHEDiWm5mdFdfezKUUglE5lvcw -7cnHTLUvR1WJ98Uv2uy/G6h7y9q9ISs+ong6B6DY2r4Tq8QUzn4ITrcWkxrF9ObW -tKba1d4WMgjRyN4eRVUOr47qIhE1mGr3zmNyVX385QDgzib3/+S17jMARJl8Drcf -vXXhvyy2YLgmtelnzDhM8lNqr3d7KhCu53E3hxZJTzvKxZH9nFwtc0CZiHPRJteJ -n/TdRaX4lJHdr3P1/HTTCNAz1/fsIrW0P4yCM+jo7sNoT37ILralDWoCCplyp4yL -NVsnqXdlSAKGUowEKIkBnAQQAQIABgUCUu0I8AAKCRDJNvU92PPkxd3jC/0S2X24 -7Q8FbREH+eQSixqe0oFnqOdQ6mn2Bym9R8iNSojKiLPKiYFEEjy3iN/zqK4KXyuj -Txy2UAdnPNFxDqvrnerUxcuTDhm56B8Zcsu8sVY64SgFhCSygiagrKCwdLGZ4VPQ -v5Rulg32QHqSyL5n3RcVgc7EopKp7r7lI/THDkZo7WK192WCHMsncJAHhIyORN3i -w//X49tU3T4GUgXkRYjPLFsOWxhaIrEsjTdi6Xdmf8n6ckyCzZU7PGoQC4TggbOE -jVy1YbJLxEOLXKIf5OHT3dUQiN4Anu+ZYv0lOzOT3lSYbuBIamoIauYBNpQiBe+0 -pxoi9n1uq15K4qjFcmj9DzaYZz2jwNn6awWXQY2ZTsO+rPbk8L+mWdYIb3F5SKDj -e2Movi2PsX13CmGSZdtQ3ykf8iPUtIAstEU6fY5HULEkWwXbemckBOiohXfzOHZS -sdVvbyIiplzcrALASNxjoNkrj6DWYFfP4w+nlkcVKWasS50JpdQ/WadCRVuJAZwE -EAECAAYFAlL2/JoACgkQMFFdzvXJ/MFS9AwAhIS8OBBcdBYIA2G5Vg6wXRRRBmTS -wCiXDIfeAGt8xQHhFO4mvaWe6HFq80ZUxk8/HytmRsDl+3iDxcvsfOMmHth3LW0f -l/k0/P/yAXi2R+Rdlj/EFrcqmGVm+l/alF2uWLwaEjqpPzJ7Az8QynkQw84YrNDV -1bu850dN0+rRFLvAFr7Vu34tDu3dOtaebe0WaGvn/9hiK6sxSHk98rxrJvu1XyxU -dti3W3+qi1Nn1Qz2oxPjNf2AxfcSjc28TIGxy9N5yO7iPPGMrmi9P2Crp9UVLUjv -fuca1BkqkeaQLbLckxdRTVTlVJr4ujp0AQ+auD+GjzrMutEpTFG06WEDOKXd7z+u -FCFkncH9z3McqpCa9hx8Np0PqkO55gyDJNfivPpNsAIvqxUI8x2daT6XCGwyi3Mz -LSGsQEnlUm6ctKfeciwEO2pOfzTBEaMht+AHVz7L1bjWY9UngZfdQt4yA/dc2SLS -O8M4URvIHafCFg9pVtaA+x9oF7dlTKpZYdANiQEcBBABAgAGBQJTEGj0AAoJEAWo -WhxbNmB9el4IALfHyvSufdzpTvvIF4Km+krlPBlNi4AgMSaKeh0aLV2rTWsR87/8 -Kxg3NSxNCwpTaO63dGL2I6NxA3ER0l0Gc6ibLbaCS8mkNUudvJrNmXfMBnNNVdFe -Pe6IFzoKzP49dJh20Deu+j+6NhUcd8AqD5qzs/IIzhsXiXkBgtc9PLgzglkPP42N -xObjul4l8HTbXPMTF82WMz/o1mfGLPlO83DlJx+p4V8pkHArQYwpqe99Rgr4GXY/ -vajlH1mOBbS6gDIjaDagaJq8RPmoV6qb90UzNoJIq/AMlJVPzLLR0M6MNITU5wCi -Q8n6g38PSKZ89jorHFxwByzvIIvc3hbCjgaJARwEEAECAAYFAlMYhkIACgkQc2GU -jqtWI5247wf/d6How/sj8urO7KxiBl3vzSKKvNoWfJ2xxEFD2/2OkIPN3eAdr6pT -Ju01HMaHiEvMva8y8yS4ZPQrGM4/+kQ9ERKFtdY17RqIThvt9mQ5a40ARIgKRarR -BUlBgBw3A72YZjw5omT8j732chvLW6yO3uojscCDYwc5gprqSeNGkZyBW54taN59 -U/AzOUHBETcaxol6jucMlYSKp9jP36wL693T6SxNPkY7OnRhMItjd1czpeqwudQI -geKnrB38JqWcpkPk2zVSTrj5WIf+8I5kvKCwK3+Y6A4jIT5xBFVoCpFvdOkdUyju -YZyScl9cnxlaaypPBuHgFZ9lKmkKJcVbMIkBHAQQAQIABgUCUynzAQAKCRDIFBE2 -7BEYA7sWB/0R1JNYtY4+2OCiLc+WPgxmNptzl1v9Nzwyga2wgvOEoqN+CwBM2SWa -/kLFHBQM+LhrF5Nju//8zfu/Hd1cECI2X1GXKXqdxl/SE2EVwtPyptfflzVrCN98 -0x4QCuJ3LVZtcwia2fz6JOZ5ZPr2nwsX1D+nYOOTIyKEAC+Kmqzv1Po0tmQ6sIa0 -lazkkxEzwis9jQKVAOeJWNxCHNBObQ9PywQTnRDvkVwJ5w6BNePxf39NxrNkXByR -CTSPavrKD/0IK9dQiPr8hhiy7myz7sQX6nuka//gk6xGYZMcYv6S72itMUB8v+kl -A9I5P02vrkXKLxEOsVCheHDXimGsOPW5iQEfBDABAgAJBQJTFEsFAh0AAAoJEHHi -jZOrgx7lBNAH/2NHwGW0mqFywjQI6if3WK1gaG2I/BbtKFPzMeCmLfdgaoBFUvMg -bUfEWzuHhbN2oFQzKBqNExN7vBpuYLKhzhWHW56CrUogQsIIus+ZGoJ/7e4gJde2 -EVtnDtWpflEJjCSZotoTZd9s+Ub0hnt7KvO8fB2AKUE3ySoZkn8ibfc7UZgFlUzc -UdqpYbUDHH/pEfD4ivH4DIFgclzTyXsWLXzYQTLxHUpaym24Hs4z8o7N9dKpt9tE -/lB41uc1MVp/SxZC8KI8DPYzBRbxJggGvviAgMNAVqRfETLqjOBEG/z0rVQ0PVoH -ZPPhvF5vn83o7uTkNC6WP7D+TTOZgl8lgMGJASIEEAECAAwFAlMM+cUFAwASdQAA -CgkQlxC4m8pXrXySqggAsKzLvmibxLyCzbWkE9/611r3/uwhwXJhk3Ypj2qgXnZo -2o4/koL6LOqQOHQVS4mLg1CPYQGeHfd/FREmiX2WXNHq5soGWEiXCI6b5uyn6yB+ -BUW3SF6pz7BaCEz3p1wPTJMSSUiBop7Pp90+jfMcyPFKGzAAq/YRoGL/typAQ8vP -S8fBbkACNE6RNaZcBCQskuIKBS1NRkxk/UIxbkwSDI29L4dz5Gq1fY2ynv0UxwDe -Z4xmXZyXArSvXtPhG0GeTr9QN+opYAWtf5SJSMVhjWch1S31tnIWySJLelbzZDdU -6pSQfkrkxYqv/IusNykKKcR4CLAeQNJNSenhYA9JPYkBIgQQAQIADAUCUx65HgUD -ABJ1AAAKCRCXELibyletfG9rCACvGRAGMDR5A2r298ZPBMVYy3OP6kQbUrSjWsA1 -dmfk6t/i1ASaPOPVw8EyBMZrOzhzyMp7VwEMibPU4zIyiWnnOE5y7/4ZvO7mL/Qu -EzmQ9s8lyo8nTcFhXh35Huj/UJ5PGxHo2ngL9nIe5txJjz4ug1rkTXlA4OmsWJQo -+pzSMllmo+BIKPqlBVmkxdHJmuXa2iUFUlmn7fgobNM0GhjfwtM5D0pG9yBmQC/d -9Nir5KUWTb8jqV8QZtXRBNHwV9IpLM9xeBbl/zo3BOnLK7NnXA/PfD+tm0HrMLF1 -64aH3G+RniGHNmbGLudqIQpQg0wYYPWjxLIuF4DZZQ59UvjgiQHwBBABAgAGBQJT -JlhWAAoJEG0cuwwXp9H5Pk0OnRh2Zowc9FpmyQiwGc8viqa7DAUuZ5aPVodbh9SF -TlPDEYcKo7Wxo1dfRmdREFNW/iS8hOerTO25r4Ofi0D/62LPQySeTF4wTZL4haI6 -nhWLxr9qNZJC5wSvVmig2gc9/GQToAFQehcCJ7rS2DyI+4drnM/Fe9lvNNg4SOft -W8ZdgXz0+F7eZVBOuS67GcFAJdwlYLrhXzE/PHgtDEWhW2JjZd6rR+H26f04p8Dw -MsRAXyAnXXzPBYo1QTqiDyW3/3TXfOeMZPhx+XT+cotU0B1B2afk7qGERNIeWQsr -p74enXpD5aIchiXpf7WrAosoGE2rhw3rQuZ7wpOdr4D++VSyjYJItr4G4CRzPNjM -DMnYPvMMu1+eYALzPwegD3naly4UJRv0Ay8bPFOyIvrol90PFwu9/qA/KdEgdofN -Sz748h/UXLVBkDgqJtPunViU1bAJj7vnvk5+zKhI0E9lugM+7txwyKj10ytuGLEl -CV9UjUKABAiIgBrzs6sfOdx/Y5Ib0KsV3zyFmIyY3Y1Mz/liOJEJNVeUKUP/GYPv -hnWTCd2l+ZTrbomi7RN4u6qn1XAKFUnhn9u/4FCP00pvfZ7/+eRYYoJaP1juJHR8 -7S3mEMNLVIhGBBARAgAGBQJTTDveAAoJEJptkmKP/clCuPoAnRp8+BkGn/dsBUDm -g8IbXj6EEOItAJ4nYL+xWgA2pJt9Ks323XC0wvtzcIkBHAQQAQIABgUCUznFsAAK -CRBbzjxx795ULrU6B/4umCv2hinAcqx7OLedLJLy6GVaKRacIrRSk2cscJCaDh2C -HxvvU4QVeBSpV5sS3LCCHoO5Elhj2EnQHQUp5n+0zYS7dBXGbaoYRM61Kk/9GUUq -4REG3bxk761Nkr60Q8mGch65pfdkUTOPzPWMBQxR+FEbj8cKqOXlsa4ykNQV6j4z -QbTIrf8hgbNS5jq1SmjZoe993/7IYrC2Di2v6EWudmLd/l5hLxTYRqBhoAnYqWr4 -4fF3eyHYB9C8HJOZuJo/FKohKyiEqebEoLxlfm26Z4NGhL4TyA8kluHn2EfTeGgW -xD6jQcvX84hd6jbwyGqaqIkwsA2J6GBkBmOm1vNUiQEcBBABAgAGBQJTUnNZAAoJ -EG3+OjsiCNh+C0gIAJucBNYNpxlJjCVPhpVMgrbWSLflA4A8bGiLnDVdgGZbjws0 -F7y1auMzh3S5LEsvKNJYcaRdUqsq44pKbY6XyuNxV/hoTxMj/4i98n6QWQ+UAi/o -H27391QyeVyIH10qjCTLZM6IvYvnE4Or+9yJkjpcUmGzmnRH1H7MP2vKKWSHY5c4 -SH61dD4rYo5Nc4fib0B+6lR8NgWsvOxXM34+wC7mbxPzn0Osg8yxcnsZXY3QT9wA -1qEVwy5t00VWPkQQyVEDoGHdbwBdRK9H2SEPgPM8uTIUL2XKpSP8exE3MT95anJY -sVBfoqB9WngqEcGuYABOfmhyxvMjTb93FILlE++JARwEEAECAAYFAlNSsvsACgkQ -DoGmWKtA2R8zqAf/XuqC0fc/njsHZwZAOrg3+TLoEIV8PDgrtlSCv+wM58WQazVo -EaQo10dYKaHzl9LKpjw5iZ05XdyVrD29THIq8YoSoPCP7/f8th6zIESK+TriAhtc -Me/QEIxa79lBlCHHzS3ftyWLT0Fznph0LxHIR0wZKXJfMMytve/ssijXUzFXnjSd -QtgFVITgk3iQp6+xlmMh3O++MvRAGjttNtQOee6/5Sm5ldR7KtOxxyiM8b2KC+A4 -L+YkverIKwBvKtxKOvfIS9g9PKz8mFuQfxSQ1YAUohkeSyTjFijjORLkfQye8hBy -E9MMPUcqaAQxo7KcuBm/F/f4xUIjZ5n8IHzoz4kBHAQQAQIABgUCU1v5egAKCRAJ -F3wFrEvth7xJB/4u+TYsAoH+al2E/gGYwmSQPmPwgw/wkdioE2uqlnZvDdUcSSr4 -bVF6SGiCwZKErQpJdU0xoQOPfmT6lE4xlMkqryptdoaXNtz86YT0TweMDT92ccQr -Gv3uCIIg72CVPYMR8WF+Qhr1FkgYvAEANC82FyNfHu70M+8yOPmYsW0YqHBS2ZAo -pBGXCWcAcJAEKPjHQFv61zVU/mC7HuNiLYsUUKx0k5yyMmdyAdhKVJT7j4Ek34k+ -YUCpq5m4UAQDFfEt1Gfc/tQ5GvOi19cz/ElbeKsO9xvtIwJhEVG06UVlH+tISbvR -EI8WW0w3XZUruPX/DN5bU8ynJMXkFs+FI+BFiQEcBBABAgAGBQJTXXQRAAoJEH62 -mbLidqgwNIcH/i5IPQP5PTQ+Lv2HY8DQiaA2Zcq38KZXmRFbG7QV15RB2+mchq11 -cP3wbYQr/sS3P+Eio8+xKrFsrT6b0xIXx8nUGKhWxPQWe+U5tx/giyP3gLQ++eKi -VPmgfP2H9RiFwTWpF9Q4JdjE9MOmZawinMxikPsEeGj2HQMF5vOheuveQJdR/0Xd -S7U0T2sE3Ytjm081Fgysr1XOGfqyzFZ2wFI0dI0fHvcybbZRcyEkBp7qOpFD1O3p -aJr4dTlRbIzrXyAkvXbYnYs0v9tCrTsd7BYlIzOdxV30Q0sjbIUiS5U46xiS34/0 -JZpG+Obw68GghW21qYeD+epTaqSOTSavi4eJARwEEAECAAYFAlNiqPEACgkQG0hx -2mgLDSrwrwf9EUjCerW/s/0N+WDouYcXwWZ8LTMsvvMIc7QIh70VgIE2p4FBhpRa -jv4lxbKdIwz6arB1fS5uA5W1znLoCrN6s6tBEy6k0GBV8bv4dIuZQ9fJLv6AzVuX -+yGdU0mAr/sqsZ36kVhvmseetrUOT4qo/QAma1jsAAubephMZStw8f/22pB6bWT+ -UJ9RxjUB7087eE8fC34kcZpZ6tFytFVIKLtOxB+g1GS7fp62Rai7M5zy96EIoSIr -J23XyznEQL9hpwTBNCugvCtswrV1UpeDvDLPONtJIFP4sP1utjJ7W18VCjOamljO -VJkR0/hm0I0O0PR2gQkeRir+ucETdIP9NYkBHAQQAQIABgUCU2jKIAAKCRBlFNx1 -dWcGRJuUB/94XIjPGIp/+vZC8fCltlWmTy3i6CnuAdMW4uCtxYJfVwXmDhleTWnj -pAxR/JsLImwcq8EyB5dSfKsxs49/AYjwgbcQBl5sNsXxlsmNuMzUEq0nNxIx07ej -BN+Z7ePZD+7+CthGwqRGL34VuzMJLA0UWnNS7MpHLv4fjqF7iX4tmxbNqOxRv9Xe -1phIzYDDW8OUCdyPUaQ0AmmhASNhcPbpQy30n+l/SVL+529jvF3UNLKAgvn/Nqn6 -nhAh16Ku4yQCN2zjADVLEqBJ1yb+QmcXLJsgp9l3gf6/QcUZazXvCcFLJhJU38hK -6XNZi8S0jDk/i+dwM95NJaM9n8sj8Y2biQEcBBABAgAGBQJTbLnEAAoJEAaSBtt1 -VyUrWpoH/iAkouHhohgJJaOcd8hpbG+vDIMiqXpb5yQG26GCBXrh5zZLGy6hjATU -08oQ5d9Dq/bS7ZRk4KAtajCUJadSRRsw4Z9ac4RixqNBkNICUqz7XQK4UvdOJUfo -KGVy2g5e/tahAydrCAecunFCJxKRHEUokFUAu1jECZ9WAAAKp8BAR38uFJI3xdcP -PAF/CjGt3m5B+lP6qHHe8B6G6ph0gTrjwbPg1mdREMiwrxGIg+nlQHtJTLyatFJ+ -ejEzriOsCvkbYVtCZv9PdMIfi/wHu7jY91mm24RXQYYSujDLvBRKspc9YNP7Mz3v -aNFNNRDdyXYdOFy3spogS5St9Te0wNuJARwEEAECAAYFAlNxrywACgkQGmYUIHdG -/nB+RAf/UkDD28OrL3G6OwU5yytNHTuJ8BK+P+luCzclwouoGI15GcnpRhVRy+cX -ifO1OV930UxHjkF42XFU1Xhv2i/g+S5nIssEyA4OR0BSLzt0FXrRwlhQWjL+bAIg -ZfpwYJnA6pRnrueMDLvKQZzBQVO+kONzQ3X8EEgylANy/dx4mn6jO3W7nwEB1gwP -2GqEqf78Z6YFENMcLykEDXxgHI2yJYBL+OriTBrorE85hGF6RlLgCYktklWIs7Wv -CnbglF60XyMijnpD46KonNgXOouVKQwB7GaJfEaE0nSpvfnIQa2adFVgkw2u+voD -yR2fCEd9rCA6wMzihTeRGoeDmDr/fokBHAQQAQIABgUCU3VriAAKCRAU7rakFJTx -16gpB/4nEKK+5NqOA1KKbLxwXai+FrZptVNThqUy5Pd1bb/bPguQzx98NbiThVfG -DZwVgx+/VE/BbAY6EbNpv8ga7/gjTNjRSoltjtMJ9+8j13GSpGqiMnfwi+0N4wUe -hXh1hKNeCGuUV+9UBUubtwRBHibNqNi1dBSHuAcZKwn/Wu1veRB3vwztEInhGBwU -EQzPZDmnV1/2mjEFTNnY2Mlo5QAOYeadIlS1SbLNUNExPIDPsHerc8v0svfDTOMB -CvLjGGeydtYHIrk2X0jIR2BvJhduRHHJp6l4dq9LcUf5JJAy0nfQfQhk3vguX5qi -TRepPGT3YuMXFFF7aOIVNVDkEThdiQEcBBABAgAGBQJTez5SAAoJEBuZsfpy4XzG -/3gH/j1dWEnhm18uZmk4NvsSb5IiL/ZOIy3v/FCi9zCc3oFnxoJm/KM0LgwB1+IM -S60c2t5whRdnIbZ8TBxiuY43cFFMMgr40q6rGHamJQTdyE62zAbfO71+QDVp1hfR -vOZ0GqUzE3EC8pRu53P+8o+e8Gl1/eIqcS5As3OPTEtqC1ecCUaJbb5i0JXCVyGv -2wj7KFo39l2uv0FZxpDQ3Mkh0V9zUp6m5I2MXmh7DrWcSxj3PuayhwdRKkRsEa+C -DcSFNcNpI8Zuc/6JaAIUIZ8MsDvwgMF6D4pcp5DmVfrbiVASZoA/Yx1sQCnSkH0M -IO+s7+1mk2r62RNcyn/ajbao8KiJARwEEAECAAYFAlN+YcUACgkQr1ueCSFGrx+x -iwf+POYFtVbnEYUgAm6TKv+nH0HkREkXCTXhyHigFTAv0Wc65IJYNBTzrYsTTvRr -7g2Rkj4svVAjhU9lW4DK4szdYZinl1ef5VrunNITP/GfEOueHstozzf13+aXkbGz -l9sO9TvzKMw4JSnoBX3oWXKbFMjlqBqaObRWzJO2ikXKivI/1FAF+75PdMhDyMia -8OfuyI2eYFgQMUK9cB/QyHi6aNS/LQI5RSgm2MEWpi+Z1WUiR75tjogDzYySIehW -bBtg8JZ1axvIku8GB8BdNN4ylBCK8bPj+e0F5m2B1odYEx5LHWnCwolnf8i/AQM1 -TtraGDtCoCmwxvvWAfA9iU/l04kBIQQQAQIADAUCU3HYpAUDABJ1AAAKCRCXELib -yletfAC/B/ik/hRQKN7Tpupg9c8OG3vMbDsI2K2FvTIu3/Kpvz0+Kpp6W8+4QX5A -ytExI7yGwNO3DSJBM+zci+zrTnOlsc+aWkhmUDFJtGGjwXbHZi5b0iBcwKhBGyrY -k1MD2T/Pxi7fmTv4Ce8YUyAl+A3lmU3qKNboeTbfCnyLZ0RR4BM8YZ0sO+ZC6+25 -yM0RGi9Oruys99mfSp6mEnRW4efPytfLQamwbIUCM+38DiiazABm/QLJNfHIMkDV -Zq9Ts/7BYFtTpOUU3sPVauidv/USmIlJTXYMfE71xqRsECRt9teMMY6VpEkbfXBL -qOTtqY9ntcpKTueo+yUE/Jt+1BvzpXGJASIEEAECAAwFAlMwg/MFAwASdQAACgkQ -lxC4m8pXrXzuFAf/eg14s0aFZ/r+s2Gq5g+AT2p94Nj3pTBCj61MwOamZXomfnIm -f7rWevviofq3sEuxcjksRk/y2yTksYbK6txAB5e2XeKWqFKhITg18GcPTNfQMlaB -e8CPxWU/5lMC9WBOVKsSKjSNKNzAauk79SiemvWXc0vszihL2Cft/lECdXuwYFwy -BtAS0KcEnIZE79vgxborJm2AFGSm2hy2sT35UTAERBZhF/pPk+EpOGMkl4T435as -Ao6hg9YQVpp+IfPzCVh3yWfGenyqLJUb54LefdPlrRcOivMFYzbNMqAQfl6KbwhS -30wDXPmq+EDwbHkd7JDVe5dyN/DilaHHnsHJZIkBIgQQAQIADAUCU0JSGAUDABJ1 -AAAKCRCXELibyletfIIFCAChi6NV+F2lnfAeIyA7j4koofkug7/zfindypApwRm4 -hHTvFQgFVRw31eTnfu1inuSRkopSGAQsRkDGTwOTkoTa1OaKWfuO/+Qfh4LY+2XU -Ec8lOrbfxN2boKwxK96yq9PUHe/Ms8aGZu2G0DtNrZeJqMgbxxzDKsk1kX25fGx4 -f6/bCUh4JkVX/lIGLfltVXw8RrZyQQnqtc08Lr0Mk1TDsY1uxxC4dkci/6dQPEmi -F2vpzL/3Vb87fhzqBWqGhwSbZZ4YZ5a7GdqT0/RwPfN9sFiPWx1DUkdL42soKP8m -sSerMeaXKhyErR4gEoYPGbFkb6dPylpMoVs1eY0pLCrJiQEiBBABAgAMBQJTVBx1 -BQMAEnUAAAoJEJcQuJvKV618SCoH/1fn1LfVGg1Z56O12pA1xeVMAeTcnpx0I1in -/H3EyF7L/XFrUqcktOYZ7j9tvnZbh4uC8c4mnwLYXaCqgLEuKEJ/H0SHjWWCo3pS -KdOfzRPQdSCNrOJjGZ0O9h79jyC+PufKIJcp9lpSGUGL0isen3YhyTfdjQ5Sdy2A -ScCvzRr41xgnFfzwlmn57zH2Y+n81P76kzQ3kB0VP+oLV7jgoeX4aFiEwnyQaFQG -kL/EeeqxlmHphLejRhYJGhOtevhg9kDDo4WTyDDH5rCS0B+iLr4cGH/wSNI09JKH -jUcm8MfyYWqxZlhZvMJ4TSup7jNo3OPKyBjWl4SW3uBVZyIr296JASIEEAECAAwF -AlNXjD8FgweGH4AACgkQbyzYvL/59t6OWwf+O+vLRn6HT0Mrx8Z+dazdBzZpsjKT -RavuXLMqtv7qSKIeTf0CDMLQM3Zud6tRnCHtb8mZQTQNKsrfl/qVSbkFQ6cYofOJ -VmE83KyG+1Gh16eHM8xRCNgP9Q103c6t2lj9xXKTiU4sbdbsVdsyDogS5AG7We6d -IfNcYkiMFzobIVNIcFKQK+KzUoPtbkwVoAMAo2QUGEIyitm8Nyz17iLDV3HxdNAZ -VTFTXEayV/keslW51TgACb5EHd93nW6F0noC+FLWEWy0DRLBXsuT6lgCsH2R4od/ -XqkHqvNZyPblwwotsqzie2F1DNOMC5UoyyHe6hspzRhjpQTMcVncNJg1tIkBIgQQ -AQIADAUCU2XoiwUDABJ1AAAKCRCXELibyletfBtyCACG0tM5iTyl9oG1SphFrQQ9 -nk3IsnB4tJFU2iVMMGnAtZs+CWbz34SzPd1AG8VudAO/dJizcOWk5W3Km3CVMN/4 -fFVXlhm1MZqn5xVj5kA0hicxO8itllgjc4Nc+GSAVNmStF33z6j5yp1kolrjc53i -K0DgD6ORFzzX9YtEFsheWXd+pVWmBGtmKsWtgbcsHyiNSJAuPF100fOaqg+bf9zX -UIAsRTAq+Ali+FkyVV4k6TklBKEFjnhW01qj5uAlS1grXG3Nr5IrIIhUmnrjoXSl -DjPtJwFPX5hIDq6Q6UNN86A227j8kievuobkJGD43ZVuQwDUH2e7rw7X+IVroHjG -iQEiBBMBCgAMBQJTTWy5BYMHhh+AAAoJEG+Hv0uViH6Psu0H/3sJzse7SjLQZa9D -dzwsSoqHdpwgPbDiVYxzR9WvtYXpjd9Lr0b53NqAPBFCnFGettmS5bJsf1b4z9IZ -dibmh9LsEml/8HtgHW01P4xt9WoPUWciASxz3DFyxeOBsmOB9oaRtCYHcnsVpwb2 -Q2NfGpF8u5zyCVhH/UWJgq7BR/qYCfNxceooAZkt6s7vrX5jBPWjigEAvVIzwNMN -22MPuJ2BxKmTSHQFHdTUIYQR7EO6uQv0qDWrR6dI5ynF9UzIH1xSTixBjCKKvIqU -Txx7bPb8y89ID/V+PLEKhpLW59eiHot7j2cXAriyGxywUW7VPoV9E7aNKheiru7P -XOxCYD2JASIEEwEKAAwFAlNWtkwFgweGH4AACgkQFxqHPO/t9vrRogf+Ntn42mhy -0QSPppqK7My20SKkkKeDbAB6f5TX/m5V8X+il8H0g7ULR2sfS1SCB/Qn8WYkyhRY -kI+MrUjXb9rEwCqIC826HD4cmAPzdn7+iwY3t1njvdw6d+a/QuspNiU0RKi0290j -rxWDgBkog9PY+SMjwnkBBMA9m3iPJMfAuuk6Ya2o0Uyr6sEfksBCA47QDvRkqaZ/ -UEvtyZSrMm0bOGTDe4OEFK9YuBcVj4iRj3hGOoYih/sFSjqe4WM1n1MedPj4xWiu -UC2xtI62wwfw9G5gDNs4Rum4XXm6GzK1o1ltLxAtg6ClJz3PgNkBAJ1S0hZTBETu -IgTvZ71Xpfb9E4kBnAQQAQIABgUCU3+0eAAKCRBPo46CLk+kjzJ5C/94UNv0kB3e -9/J18GQeXyc4AonyOjulL3cUS5/mcbNDTaf3dedpFFRyCduixIDT89t+UAegoLkT -MPjTCcWyzZ7w/MKasKb5gbGF0UvJlwpJh0ezm088jE1EJD5emhABrXDX2qw2lF9u -Be+1Ersr6zdWsuQuAfVeZgf4311a/IP4Yf/DVv3bAAFDmHI7ZIdv0veN1Pr65WTR -ythWctP3trkw+3vCu5cBPtcVwrAk7ZsvtJj4Gk5WnJEofmdHTExQdcGTK9oqI+wl -4Aw3MsU+lZK9ZDI4u45jd8voeJt+4MeyZnbd8X4fHA41pym+FNriBrwh2cmjbcV5 -gLzo9eGYjYi0ZD0rUpz5OULKv8ZfWHtMLTVHKVksaFepazBN9SOo87iBsqO2O24a -ZCmN6bS06OmxYvHKKatDzoLCYPDYjg9W4FBonKAzcIZsvTq0kwADeYUYnUBCmZqq -rqd4wHIfHy6WLY3Y1nHXXXnpX1Q0SlOJmWdTlNoiMh7Qm8TplUkVsneJAZwEEAEC -AAYFAlOFxCIACgkQ7qx1YVK3Dguc+wv+KbwX2matIT+CvzyBef1BprCDWTGy0+d+ -F+qvfPjY+5J+VrAaCPTH70E7omJBLw3Rrd+m1MJ0IdY78YNzRD5SRnS6XRMdJbTk -DhRkwhchW3BGU5xcodum6Rivz1tZNv14OLSbhOFvHmUrRRi5bDgwiXb2Jj90y2pd -OXubUVWlo9KtS6RmpcWDJ2wYo3YM6Ryhl3tI0+ISTed5YmguWapY8C5JNFY6Gb/P -auxVpmWxiNh41Fm1ifNu5k8JIpammMqs6GjROHdh6R8uD/B2BAsibiB0+8gacWpD -Ii+x7q1/ncTNz7W4vv26J0t+KY+xVX8sAWoKMISUDSYhjzl5KD7OzP7EDdpHa2P4 -Tjj0JJEStbJM+EppdZzwTBWoPK3GExSmqI0h3LK0w7QT/KYy66SPRJgp6eHYgrNx -H58Go/R6rchdXBNfKbZG1BEB5+HkD0A+Tgo+UFefIj0yGZD91ojq0EPpE3AGy8vu -QHr9jl04ZxtwsTARl20Mwp4QFVfIVATSiQGcBBABCgAGBQJTeAGxAAoJEEQpB7WI -38RX/DkMAI+zKhH5EAqeaOJdst44FHf3lGdLF8VNW4th3x4+ara2c3XvT00GsXHR -9WS4BLm5LVB9zrNg4m38itavhXiNUrq6L1faJjsgl+bKLYEPJjlRz1x1UiAp6b8u -mYsa1hugw8ufjaeR6iw7uvhChc8cg5iXd8sy9QUBxol+bMlvks6kZ6oIKoFyu5lh -v3v6oQNHUXgqu6eZAxbBHqcZ+be6UpofIKeSpvEBvStdDQArOLK9bfTLW4qJg2Lx -OscFTb1LgJxtTwMAsL9GOOJ/cqNUeU2DTmuK/N7ic/MH3tZP4kKBATTSXJA9+Uyh -6NrvVAhkrmLBwTtiY7YmBJIIggMmes4WkXrKdJorvPeZg46fQC3+ROM3xR0696uz -LNoIvJBZleBpy8/GTIJLTnIxYvmcq+tw+52CZ/Fq6AC7735kUGdW/f47qQA7iJp9 -nwgsGSSlrTo0wFPQjfzS0ZXR6DhCYVF7eKY4hAH/IQMXgq6j5Zugu/QPAm/qV6b6 -+zbVjxr6iYkBnAQQAQoABgUCU3jbGwAKCRDy7y9HBp6Lj4YaC/4hQlr6ADhdDWz1 -pkvgg6oYldzrQm1mekqqI3bhjVDX/EjI5RaYuQWi3gXReQLJyECOqzEDWOznmKgs -xCQuujvhY4TXyOTKUHf7BjTtLca/jatsVEGpgs9oAyKXS14istZEoQ6bixl2dhzd -4+rUbg6Z4KKnIJDVtrKyzSkwAi5pZVoCXSlX/GI6J5oIIXc4oMHM4+5rRdX/sgpV -KLDUztDvhJwCQw76NIiaabrlXbe7U6bO33/vgaoa0ple6gLu6u3Sdq1iVmrHFvwi -21hHAf22NEP1YeTKpqjB4l21SKoJtLO+SOSDLAa7KqC9ncSeuHCY7w79OpGse7Lj -2jXvlHHQI+44IN4t/DKq7OSGL+JynFxlPV8mzm5dBQDIrJstJWl4TR056GolllkY -W8X6WLXUBFoUzrpzjqYZAyUPRPsl4nGc0i+Tixgu1SwM6RIsCdBjl8Lklgwe11B5 -lnGB2Bbx5D2Rkhrd9t0yqPBqK3S5/QIBCBXMBWkO3xrCMrMqm7eJAZwEEAEKAAYF -AlOAwPEACgkQKtPtQ+fbFY+MpwwA2dqqdTe9BvHbhoEna5kiQBkK62EW1BhJzSLQ -OvP7nYu4VZVugRp0pcJKJWFwqJh9/Mr3NyxhtTSFBRtjz1tseVOxbgTfcglmkx4I -WfUi9UJViKrosQOZgcS2tUBU45kCAHvcEdJ+V5AaJceickL+zbjVt+7zIZ9TzKjt -OYk+23NCvHCpH2j+QdQgPKbwPs8zx9INfPZIOUofGIsXB596ybHpFz7A9NhDlgC0 -wkU3WNn4EFYcq7PDmxTxTQksL+7Mxmm4hDCp184tw3FubmB1oUmufW0oraCe6PBD -nk4oxVvBSWNotsn+DOEWMR8ORQBTQt2NWvGUXYjxtxljDeH7sKW7o4g3fF1CmqY6 -ijeJeCK1DObZ7CxHLjNgXP5gioL7ddu0jWRQbVXCX6xgxeZLVNVbGLVoZ6ZpyyrJ -fHCZF9cK0qjY9WW+clRlqqXgXoJKHZZiIt0Jdidd5hByVFdBLle+JG1NGmNIANle -GGrbXH4DP+B1THA1HxSpLhlqvFoLiQHwBBABAgAGBQJSn5bIAAoJEP21uMBn8lOH -CaUOn0wjYO2tRLX0hUQjZ2dbiMYGqpTPIPczN8QgG2txPYIwkVXVJgIDny3AH/C0 -vT12AUHrIhUhYBYCEYhDbRLlKMSWC4E8aQWUNKbQZvfw/kd4azGWfd88wbmnIGW6 -gh4X+Gh6bclG8RPiQijqI3edxBxeAd/LRkfqL0so/NK2xeE5jvZ1UKk4J1W49IxR -T2cXhPRx5m5beGLJN6/ih8fJ6NnC6zJiTZeK7vfma2jk0olC+iREHXV9g0uUqNdY -Y9V0i1ylJErdJ3zM29PneSB5O1NNBv8Ph7WGbgD2/RxuHefKRpmE8HrWHdQ3LYDw -ANdUb6jU7PkUYe9qY0M9Q2cMPAJyT7YnA8mJyv9e24CYglBBKaFKFvHRKT1jD1QJ -MthqLqDW8g3bP5VjX0dfckGNWeu/kZ1M5BjzGK8mKvTt60l5ABiwAFynM1Gj1mOh -BIXn9XPDeKNDA4hMH2npFR9lbpygZQ9/gW34byv0Rwk/OccfR3o66JXvj0EE5M2w -9iQP0Fku2KFvSeHY+j3sRI+VOhBLLMVCtGg73OmLgXEBGHwQ/3HoCZSrR277NzQC -C6mRfDkDaA9G/bO6BYS/ZXcjW59nXLDAHk4D5H2xEU4YPSEZQAWURIkCHAQQAQIA -BgUCU0UDSAAKCRCRpbMqYTqwq9U4D/9ktkixr2gVNbvA1Rev+CUfZHkxTx6RjTVO -rPTIt/AMa/VIrvKA8pJpD+x5BzWpSAUZSzIHGHnS2DGhBuvXzBd0Bg4LXb5KZTDP -TFpwIXjj0+eRo3MP9VZxPW/CSHN2uq9MjQ7Wzb9fXyVo+tnQXfdzvg5dpuYwvNHH -FpRhh+qIPoyLQUZKsVDGqt9RzbTdg0sUBFIC4Z2u4hdqg9CG5NMDci56fuUePkkL -pHmojapO6C4HsrALIHvX4+9okQEA3+x0z0GDbVkj65NUNEzvq5XpsmKoQ/N8VFQ5 -Q8SGxfIhUIzofMhFVlx9kk5HzuBhrAl6ZgpZDpecc2lxXL6r9gQhV1sClsVrPXqO -agt48i87QMFjug/udjnLcmk4BTo5fkRFyRu6rUPgMZtibozfGpqvdGS7ptzYNW1d -BIhvMtGl1NGia5EXtcoTBNvHfS3Eb42d3WqgxMld2tSQcUqxzvrPKdl9YY+kH0vw -W1lCZaVHsrcrcHBS1MFHEuTbrMMZL7osNQMH8oNIbh5J+ymTDpQOMjJA7zg+0u+D -0i9TPpz2OD0DX1mNcCI1HLqrtjD/2Cgo8QDlQrS+y5fJOY9hSD5hLsFr2/2opVAG -v06pa3a6jyHWBLeRdQFO068+aHtywRLSdTphftBNVCWf1aFtjGVqu0JZpquohWAZ -IaRgG28z+4kCHAQQAQIABgUCU12Z9wAKCRC3FuPzzRTNFY2CD/4lkOpnRWjDcU2V -5ILzPw97WreS0/3bQP/XyQhaTyZI/iyFo3PLmGjGhoek3KT8caXTQL8dkpbi+e9x -4B68+ZBfCb2K1n7optIPNvb2DoBooVVQNrtLNmt+jd6NdxAzyW938MVKrK6ND2ah -fG/jvkSon9wynXSY9BytXmG8OTB9uIRPgLZde8qCs68TgVvW+hOHZUUXP5GyjjX7 -NaxBjkKU+un/lZglPDRbOkhH6P4p/NZ2IZ7ei2X2tWAaytmsFn+b0qqv9amnF0rm -WeK+6OfjfzXfDBDhDzXC8WMxR09QcQkvbUXvEhiPdqtJBcnwSphLIxGES7+jI29X -59dcRvBOYrYVVePQ3n8ckQAA13xTU1AiGTz+S5FU8fLq40gbKQSzMInhlVS5jJ8u -KW712eLy7jUhXiCkSWQ6Kkv6M/piomyyKRCBuW0ftgnbfm6jmGKUJ5+nmlzxY24I -4+NnX9yHdcCGcCJcCM4//u7ujKmitShY++jp1ydWrT4E5UJZ0LzkyFV45zdCtiwu -rT/qlll71hcnefgYnbDYyNxQLyXuQICirgIPVAKbdAymfrEL90xw3yrCcwVDZLwA -wdOvcw6QD/aMhMIW32wUfQ0wXMDwcQv7GHVzHl5zAohWk+R4SpdDwe71PO41iRgn -cn+qNPdEmiEgP7AuNz6OToNiABYxmYkCHAQQAQIABgUCU2JweAAKCRB3MepTnaVy -opqHD/9QpslEeUKbVW7sbexcsLseDq6OVdkLZE9GHLtAvns+Id7xRTDxM6x19tqy -xEH7fxqEG0eHPuK1MrGGcCZlvCV6zukhH35uFb/xG2T9kta03N8Qbw3Dzut+PENa -8gGVs2k1rIV+/uazpuYm/pIl59HdenLIS/Oxb80S6oqs+9EIGGXmzLO4/clF/X8g -oPWHE8ISjDqEOWHKUGHteAbuz9qOm5g744HE2aUg9plcGOeD4DjBjqyDBp5lKc++ -9oxdNcI5yVobI4aT4kxG1ABv7Lrm+pXxVjB/RHz9EfLjFZJZoh65W2CTcJoNpUbh -X2bKO+uw6C7BkH3R6Q57dpZl5GA+nb8mh1ccRdZNp8XKRupx1Q6x21RnBCR/ZuTp -ZgnSkRsyCuVk49b6bZj6L2ipkM2JtOCIIiWEwClzlS6fxOIwuTeiVyQWvHpbdbZh -7rYEd4zN9+2sYTB0eVG4t7BMTPcKM2KZGncPSVNYmt/eb385PBjSU0sF3SLZk+8r -v6zL0ZPzadx5zMn7c8hSWW5luvH+FOdFfPU11AqDTvjMYxLK/mRTcvJVBWzZUFR8 -+mBrTgJxToszgP8u51ENDRDAsPoXS0bCjZ6ULFZVaJXtkAtD0/wLLxsxe98Ix4co -DrOGT+dlp6xVPFnojSRgVd7H+V9mXjs1AOVQQvnDqFwsx6raR4kCHAQQAQIABgUC -U2/hKgAKCRAUBNEXW9IX0zH/D/41P4xTLiNeZHtFHNP4fVESwliHMPMBzNI2HEUs -KLndCeo4dne2F4CSZoKcSGhNBEznal0+z9FEhbWH9TpimJPQKM1wyquaK9LPDHR7 -nrmYpWWeRQf61WnKqF1iJ4PO8ruHewjRIuKnsZI/TROsrG5KsHc/jNmYlLJfBGDy -pZUTU316CydfLpf/DGCalYxrVlRpPYUTCTy6R3FA40rnbEYtrbk9pemlzdcBGtMz -k4utigjhLFLRwl2SuTcIrJAAOWdd4dFx2wVWzR1LGzAsXKGKftux4K+5KB/6pNiO -2zqB8dmaQjyEd4HfSDfYpQZHoDkTugjx5jQ/NbdPQh7fVISfS25j8Qaza1woS17E -xIMYCFNfiZLwV0Isy3PgIZdQTLE9D2FQNtAX+HfS5HSbZ+CnzCPYlsZXaJ9K61+o -mEOmbKygq61EmjB7F1W4+LzpIudtTDmtXkfOjug0xcZJI1BOE4WWIfTgq8317VMo -gaVRedwmlWuwbqQngz/Q2fhHa3438pf1jHBJddCkoSA/JHRs5a2ZwS/SkZeFYQXk -vXjrXxj8bCLBrUtg5/ZXcOfS5uVroxEUqJ3rZn7i4k0fMM9Lp247L+5nmJt+6N9/ -a4MKH+auPMAiIWWNiyylmn8UUiH3ZJFjm9b8Y0DrcFdlquC2Ak6revjLj6tmQs8e -20gf8YkCHAQQAQIABgUCU4BKNgAKCRDxLZhXQ+4mIJsdEACJIeNFjmOeTmKZg5Jm -8/GEduNUahJqgxKtEhOHY1bUfI6nLN+3dg0cPkPc4viH9Tb3Y/5rq9y1Yb5DGIbW -l4wtGAP508nDikF8QOIbSGehLRzFngwOC+F9wo90AqmdcN1NQL+SIxgXxW68qQH4 -lrEOFwdIcxRtR8waHGUfKjorU2xWhC82fgaJXyFi5k2R0ZLKFDZYjDpT1Q7iV5oG -DLBR7ZCAZgja7E77uGrVapis1WQaW5e6h9uhvoPV8xAbCwMDw5Bdwo/1sfZdnZgL -bJ8dv6WYGKXr2i5J+rGHHMGoyUdgk//0TyfDea6NNTccnjyGFO0nIpnuAI2eZbsu -T73xmsz5etpHhyHoYh8CCiRFVRwx0S8Ek0mDnY2sclgHEyd/58/M+iDAMBUvsI2X -OwufaXmxTVej5GF84cYGKAlpWyjAXJD53CGDvZKZlp9MX30rL/qtA0UO4HU2AEDW -AmCHl/uvOrceKjZICigwSNB1J7HLyKz60dLi4loTAJ4N7SLQzGkA7wLRwffoE/Wr -OYwemJacVbJzV79MhPXQ8VnTBQfCIhujKQcPd1apT9IvwZ2nShgWP/IjGgibzCtg -Nim34rQ+fgjxnBybQQXI6+M4R2Fbf+91BO2I/KZn83OYG9COYEDilSoT1GsveN3F -l0BVG1Ji8pqkdBMCPKOVtej1zYkCHAQQAQgABgUCU0w0ygAKCRAlJJYo7TvNxnAJ -D/wKRjNBw5YHVXkgQVSnHWxEe1DqroxTZy27xhf5WRcVdmQQg/ymzEUVnz0fIHGQ -MH4tAPt3vutujTE/J2jv2HfDEj3cqFK36uceyRIn2p0D+k0eaMumvmKvv9WeCAiD -AjsA3LWTCktC9pUGvwzpwDeCNhNuSxcnDDXnaOgqibrphmexhGmr5quUOp9RJIIX -PYejo6pZwLuQkkt3aEymgtCA0qql9aU/7QreB+3Lk0t3RM6LuujzsqUOZog9hK/F -pMZs/rAB9f08p7Z+zYtb44WWiiOtoEyOrKXTaVyZUy/rz+6sgUYqQ1+VvdWRbP5D -m9XopVXPgt9XPuieL00Tk4AyvNGDr6s2zIEJ/7LTVGccIu6lfsgXXBKXPkwIJqIZ -aNivW8zavREEvZJTfwR+mEmp1Q3hos8lM2oCkD6mFwiiG+PMX99bkAxHp75U6YSI -wQSfSyqemSLD1011VukFs4riFeG+DkVlEqO/gaIE1+szzyZookyX3J41EW6ODJT0 -dwDteQCL4DHWFdJEv0eKHml/gHu3ASFoWjCnP307BYU4aeC2E/RZmBY8lwi8qDP9 -ub6th1jb547eE7a6bk7Qw1P+K+7ZayWUEFIw0oYl/V1ZU1dDDM/g5rDkQbZPD11g -3r8WVfH7YWfYX8neMT4T8vS03VmKlJlpBcaCi7wIzysqlokCHAQQAQgABgUCU23P -SAAKCRAS4khzkGZT3adVD/94TOeoMexXls+MJacf1voPWwYyx3jT6xT7TGDRPK0f -T+QnEi+wKhgyJLFEHA/7AzsRJXL3v9aLTIc436Z/dGo4/mrBZ4kw98m0FaEFjNmx -fg6WKQAivfnHMft1K5mfrXd2NCmYV4+pJsfgff1nk2nmYsqGaoON/ooGiUn8r8Qh -Gi3AEHOpyzF3SHINtqaEbMvYgLo4hKN9KzYti4L+cwi4QWDulRoxeuKJ2NAdYng0 -1r5Sfmi8TppNlIH6x8QlGyyC2B1tAKZjRVdZizkdvMCvT+uoixbAxnD7ApW+5MAg -+LHU2fw5qHv4oGbr/6P7xrD5SOXinx2PRXLZCwgx81Jvv3prmrVC+2EdfA1k7VAR -Q4f3a/QEuusSkqJ1Abi0ti9eMW5O+LFNIJ+Pge9A+9M02hv7jBRTvfnA2BQ0PUzr -Mz7E+f1hUFgEi0RyDgksHgtE1K3Xyd9k6QqYUA76CLZ4yPb0IghLlpCQTRPxQWpe -nD0MiADSa6aCKRyPooXSz5xjPmNQNY+/ydpk5oOMfY9vFxmPF8VenQ6F1GKAvO47 -T/ULUWWVAroQd/ArxN5OUSIJ3tbB8eI9xkYXHpIbVpwxGQ9t/TIDkD3ekZMpQOxp -QUZbppwhgX4TFp04oHzg+39KNWSyCWebbDs3/QAkWCHk9hq0pHmS2lIE+YY5VMm/ -44kCHAQQAQoABgUCU4C3xAAKCRC3YYg7RCi9wFmiEACr6cCJRmD4Dix8U8JI7iyb -OJDe3Gb44TaxM3ZuyEvBfJ+PwDnLZpzrPR9PAZZv8/oDNiW3fk8LpCNSnyf1WNkF -5+9zsZwyQFm2b/oJtmUi02/AYC+LeWuXIJKkWAoskuAmtRVUeM9VecjfvBkGHymA -XdjtANikuphc5v4RIbpZvZeyWe5dE9PcbSHzWhbJ6KP6Fy/vb7PjbN/a14YQUO3p -OQ9mVH8c+5wj2ogFXouK9K3PVrWoaDI4WXT32w/ptricIpgIQc3swHffnVflhtb6 -U6kO5VySLUtW2OkR0z9r8k8KTqn94JACX+9fKO9bIvA5rVStPjvpyQNoxA98afyo -923yOGFylL0CcQ1xS/JhJupW1cjc3NM0ltiuwOtZU8EKtDMMNbiKj37tEg4ajiOW -dUuIeE/Jgu9ig4MH4gYRB60Aoyk7HrbhXRS0EfH+EF1zFLxhBo5AaTIxsPDduszC -VskRcYwDB+U6Z7uDssxZb6y6Y9/EarnnH41Z70N9wI99eBjXm+rPgY62du2HfHmn -HoLv0H/ZgaTwY60qSJRwV9ciOuRqjzdYDP5Ab9lCRMhb3Q4lRcwu8Okhct+U/5/k -de27I5Y60pFlFheHJIUloBfdw7wtafW9Fz+Z7umO0qxxpFIhsm/KyPWtCMqkne8k -4PzOCBO9KhoXlT2OombCjIkCHAQQAQoABgUCU4EgoAAKCRBdcNLrytLJ5rfvD/9e -Jf3eBIL4YDlAV7ePUAlVhhayLCMoz0VdrZj7WlDJgxMQZqASRgLdK7My/L9ug9if -iLUbdx4oWGWa/iz9jiaLPrYrrjBElmUCasXwJ9742WvBtkPcWQBPGD7yA8DhxelX -79OcmHrqSQ+UfU5Bv4oJNXjiuMD4P66CsTze8dBq4A2dtHioXhXTPk4Bw1+ude4w -qC04edsBJuss/Iss3PPWxKEciOfuB0G12lg6r0j5PNxEv0DKKiXf3ldULXTIDY60 -WD5Iik6Z/yhxEE0Dq/um3wP6LXw4DiGyyApyFY4wI7seILhs74PgMT1bVEcgW/jn -UGpRojtKCiFGtL6xWlRcOecRzuQVaonCagIf3hFZYYn98HxdTFdLSAgCrdCnxv8M -/niTN2oJzvcSZ/S9Vq6/FnJ5ZOcM1GhlFsLb5Mgqm09mJXQHyoB4Ac2YgiIDZJJa -0uBuVXBE0NfzhQeAvjyAikMAEookCEW2t1CdkzbwXdW99R5yWL66FPxvnCC4a4j4 -m/zUBmPBYRxvd/73fFiX8W7Xtuco+hchhQNeH5xLGrWF4GSgb9E7ZrNyxv07mzTq -LtcrdtWwXK1emVo46way2evSERc84wGrBh7764CNU7n/UbdQRuim1t2cVO60k9VQ -fTcF5iSeJudWa7H/wg+VD8+2U8LnGUII7Qv7QtjZiYkCHAQSAQoABgUCU1L1XQAK -CRDyXjAcRgwwVT5sD/9Hge5+ghBjFB9OM/boo0Z1HoNf4S+bv9POyd43q38G6wP1 -amsV9r/A5SvVNGy+K3tp1xy5f+3kGQVZvWCwS7jXRcaOm7Pt6ZI8idtzUun9bBvO -yio1lbgWK0WZ5h9m4lz9CziMdwdpR0lt6j4Kr4IzUgnsSEAEnMF817qIMdah8/jd -HCkmJ+IQ1gs1RleIrKB7DjHukucJnhFc384zDHH+96LRnRx0pf0tf1REq/X3lIzr -12qh5i+xYLgyfC1npl09ig9bOc1q0iVsMq8W47tK5/RCEkXxc4yaSm9a2BI8XIx5 -sSni+8gb0vAglqJ4ohCOVXE6PtSAgddUUydx7igGDHzDgPMXjlV21qbk3ngU7/ot -+UrjNSQGTIAiBw28PDx38L5m+3xEM/jsdjDjGf8QeenTbdfWJGVkF5P0zG21kKTa -zZNf5fD39AW3cfvFPcadsAKR37OyFvK5GXoCGry2oDnnzFnQlW+/Dx56+DBu+URf -mzAqV3TXghRXzPvR8XspYnQNMjrr378NhBx5KtaKQMh05GNxwd9DrA/8n59nKloG -S2oiueLhs0GRAxDimOPi00w/6i8kIBIkfeBvICLv1cfSP1e/DofrocRcSfxPxBe0 -h6D386qn2OQvN+Eo4JtYhxMciXX7+OW483KCkXNzFp/fMyK7hUQvXecXBNHfpokC -IgQQAQgADAUCU3G+vAWDB4YfgAAKCRA5to8nzGty5kKnEACGGvwx2osKNVu6foro -Ec2V/hyADOSY2HPmFx8mvrQxXRlEWIS1MJi+0AYsL22UfAyD9istwhnQ6mrTpc1j -GoDzWskwxV6GNINyhxwWU/hzLaRg1vfg6h2OxSiMkIhhUFid0kUj10AiF/utguX+ -LGtIAbQLI4IPyIrGrLsUtaMDYNsg4ZiSEoel8eXgCTVP1+OVw28rMJgvPufBgyWZ -VriqlT6r4GZ2sjsPYTOkD8eyGUrH5cSWPVDA5FoZ4HemI3d/gpcIGyDDIJTpNwX/ -1Nxr8TL4Jm9ezNWMn7T9CaPbjFX9hicxmWxqlfwOydEc1kc8UIwIc5zy/oH16fHp -M0hQXriPxdTPgnSWzIu2wLAYLNtx7Pwj2Ck1QsGAW1ihcnvnnzNb5Y+Ea9AXIbz9 -Slkvo0QqrkT66OkdgoTUz3ZsAHm90sfuk5HVgXi5avYWXEkZkAq/eTIlGS5+JozS -Pty0trOdswrfmXy+/ljia7JuecAAjiAGmsGxxMnEC/dyy7q9WpnG5epgB09Aa+dY -UInLw8E3sRanfY/TL+PjT1rUbQXh8bb5mPOtY2utDN8O1xheU3NXTESvtSBJXSMW -oTN2E4+cph9RYiXxFBBZUf9809Wn7z6NSjMPUOEedPflp/EmetWqAIYqaPzk6Xvz -CnpEbCqmrOselzsC4u5GyjVR0IkBHAQQAQIABgUCU4kmswAKCRB6wLP7dOszuZgk -B/9vPv0dGWyYMxDqoO5b0jZlKIpQzbXDKTc4JrCrGkuCns+RJMyt1hteCD8IZX6D -7eh0X+9m463vsy94wl1CR3BsreO+meOKJfq/CbCCchL7umH7z9CBcvT0TblRz21l -Nv32oiLm3rmR+3bGjNsn/3AtXwp0ZiODaW1v4Vsuk7urd8AdVIBBuRULk3XcqfKn -UZjjzKUiz02uMYHz5FCkrAHuVFmtt5LlGIokj7wz+fLkHs7ykKUF/RfYWMNDsQkf -1sbPMnAn2CJqcplgD2AHigmD16zxdRv59FR7jePbSm16+4CkV8lYg3ZIP9ggMhBA -Un36mEpzdx7wVz1nQ+U81XdgiQEcBBABAgAGBQJTjWaCAAoJEACaxGb1J+/wc9kI -ALN/sRH8fxkVMJn+8oJDO5DdmCW13iH1WpYKK5CKmGkAR7NeHAbsk8PM/f9UnZjL -OVFs53Zj7FC4N3DuDm4XmuQ3L6U5+NMSyk8iwe2Pharq4ntHExEqaV+zFT6mIqve -lhZnIV6sukzqRdS9DMppMm0Nfav7GIo7SSuvFXLyh4IcVXSdFx2vc9ly5e1L0tqG -hOk5d7U8iJMzhG0jBNeZTbRXnxVJlHh8+3FNKhiiYQKlt1AKivWg+3gKnWMbF4nf -gil/evZrMKZYkLGRKg+MKWFNcOSmpn1yYcVtucGrKrDwLr1XOhsGxTBYenFnyvmg -sgTnUVjgy5h3SHNpGRXAyjqJARwEEAECAAYFAlOOxngACgkQAJrEZvUn7/BPgwgA -phj/NJiXBF8iQBEyANuPT2fKs+NesCgNVJD7vmliI/ZXvC+qT/BErmeeqUMG67xn -OPKjkFkU13VjuAlD3VyoI+JwplQ/fLcV2TWhB57LjsGxiveMF4HxEADdyOPoZR5+ -K7r1eDU6HNOHDZu3jyLDwzK6VsCTcu/hAvw9iS4ZE6mX/C5zyzoQnHEju3netTF1 -flbrqupxOIdMpDayRhbFj7ilsB9mFKy5rzglpC1t2r4KAwyHo5NkC7QbYbIfB7x2 -znkzA94OV1HPmXbkGgwWO0x5iHdF90n5lMfb5Rx1L6LpJf4I5jgf2d7cGDJRcAvB -om8ZL9DcOJr6jfy35kgbCokBHAQQAQIABgUCU47LVAAKCRAAmsRm9Sfv8BecCACL -puNg2SshythIi1zQqJPKXZgt+arHubP1+XrCj0PmipBivydoMBHrpzH5U7AHMNAn -qyE2qhwIjcTnUtUNj2YC/bxqKVu3pCjBytkH8HIhKhoZl45qUZ4jnyQecek2u/dp -qHztpat2RAjdVJlgNjq+vnDqfk5xsjmPFPNYuYtk8c1BLODaKHQlY8BQwB9ah4ud -X1PiyUO0CdKxY/mTCEKLsRVZiIPit1rAwodcgbFJccMVSbfHZ8f2dAQggGEHqH0p -Bw1uOlcfD65h/MQLQOUByuBOImRdrT3XRG9dBU6fklDu+B1KpJWTjcytJN3MZhwB -0fmMWbuvcwW0vVeTjknaiQIcBBABAgAGBQJTieT7AAoJEDXrbIRs1U8LaJwQAJd4 -fnP+ayI6kgN8L2Ag40gmQre1j/lYyAfUaC7X5vG2bjxDT3UW60pacng2bFUaAcJZ -lwhGBEA3fGNoA1AgUPEtKbG/JwauzZJNxqufgZH+fDxQ5Dpp1H0NxM1tgeAlplIb -eTZtNRmg4tZq6xNQi0C6Po7tAEPQUCrIpuG754qPuA+NFQHlNJImJu4YAh6WgXkx -5M8v0YJGjrinjVh2UCMAPzWppCRLwfwkhqZ2Jw48G9Ehi9Msqd+fHTEa7gWt+nvn -rkP+AHNZh8GKDfFxyutg8VlEAftcs/KNJqjWIn6GVXKMfLcdMGi5n399s1lP5uHx -uAIIYAbyHoy38/PbKgZJpIq460jJY+Lt9KEAy5RRMKpijM/F70frT59Dxv6XARGw -8frxf/ZX4dImBbw/sqzorFgRTG0xowUVzhlubs2fi8ZxqLNN9vtU7MGNZg2+KCBv -di7a2l637W5hI7L7vGetZPpVSW616cZJF2GgJTUU6Oab0QhAtti2xG1wVh3klA2X -8O45HZjtC8q54aqaB8sOTMDyhmDfx+3vrKvgvAGyPp2mbU83CrkVVyaAWhSAv/LK -3SbfpUbEa3RlMdDaPVXZpLwMaE7HK3GuQQLCMLzEDfxNoPWoNYAkH02nkHtllB9v -f+0uY6jkQScpas1TWhGDFFMYPimLBXE7nHoYd72PiQIcBBABAgAGBQJTi3H9AAoJ -EG0+IARBWvSjo48QAJb3kpsFsc/SO1ccBD/qUt6FGkpIOXirOgqNCza2nUr2g8pP -2t6rfM/DMUO0lllFNpThWbtpF5n+2pdrU0Iac2gnxS1aWAwiB3Iu7SXIo5tJwSZK -I7kJYignGTi1dEESdBg6HjvHab8WsewRl9XxYymVSTzoMowCHWLCQZMbnEu0whPZ -vyBCta340bXvFRv5+pEe51zPTnNT0glohQ31zQlsqRqo1ZA8OiqHNNwi1jYaoJ7H -RDZ2anfxn0I9l8AQL2qp+4FQWB8/umbiUCVlfP6Y31mAGNu8FZFA4inxkDDQSBv1 -g4cvCHjVb88UZVo70OEt1SgWi8BKLpVnIfPcq8MoAjrBsGjikX+ULTJTiYHYln8v -SR/6C5f6EuXaYq+VmfuNzMRyQ8520MVdCf7rnC/6CmwDO8zlE2gVj0M0uAvXnF2u -gcBv1+8WSP868P4yJmNooHvpkIfabJi76rj6NbUIiHJslABcnwgsOhdnFVqX+Xr5 -xRy6+MDO8TPsdTc0RGtGKSQsQieHkiJCVBzLrC0JSudJcgzkOxL+8m+R3RVldxOj -wfGujaT3BncWhO6cJJ24YTBD+IH/aNTFdJlWZDppS1ORoAat7CJ7na12Kw9bPHDP -NDUpPcO+OIiVyEUzCnXLe9Eq7WmuBQj+KPpULuJKwiY2SoZj/n3wPOwEsMBliQIc -BBABAgAGBQJTjVvoAAoJEO/ptwaAJvYalxkP/3ZKVzaKi5MyUw7VoIqur7h9XwjJ -ZpCeMb1Sdt1JbXne3O+1TR4Qo5LXdHFVn7r5rv1d2o+NDyErB+gDe6F9blUbv5iV -kU5ER7tLH+026kuYZddyN5Q4wrwxjmIK/I5mIHkPc6sSAdFVjyJm+8Bn2upKKths -Tq11NAYEp7RGUFZqZ2M33va/mM+9+CPz0lHTA9m2u6p11Izux5JE7N7jc1BySvuv -nP+cbxTujcqQR+02Q+sepl7srNH5kXAMgxSReIqNZnkKYDrzrvouyb4PFI5RvZkL -iW7qOCghazvmLdGUT60+l3+cvyRCBC8lRizpwBM8VLymmTpJzBMkPlbmZco45Z37 -QgL/XQuI+4YZlemi9jnCoNx9sFD7IP6aBmWoiKOuzKBoTkLN+oJn0y/xT5wKvo3W -YzZkeS9PUTaOuuq2n4lr6EN+kRM9+H4XUjxvk509Wjqe+rTToOaTM0YYyMOb3jIu -/IZbIY4Gj51dQcwQJSYkGEVVIa/GDglFjonpAam1dmeQxkj3qCIyjGFgvionJ4qa -veOo7nln9+dUGbxc0TaH7YEGh9h3pTgCPHWDetNQhpLBTS8RuhhXkA936P1Tum+2 -OQqWPHzqz9tdIWK01k0msmfTCzSzCKgjpA9GvWyCRWfkHDl3g6y2wQyhwnSxhhO/ -lZ5T9K892Ux23L/biQIcBBABCgAGBQJTgEuRAAoJEBYg3FrGoH2c7rQP/06K7xyE -TxjYtBs7p929+rlQ7EMNGAykvnQ0aUwCh9WxqbSWAlfD3+Tv/l+iK0kHfSuGQByi -aBEBCqGPxYQiS7RvN59N9zYqd7J+ynV8hHmxpLmoPNIGGeSjij0hDgWLXo+2+pmu -GO8Cj/Xg3VMqx63mxHo1RDMQRsEvKx7RjSBCkIE9bU+FXczbiB5kMhLQOQnkXyaH -zzKtrNe1l1vUObhIKAu1ZhYnvI7HhcseFtwSCOQs3LzXPay3k15JpKe5Fkjp+lfx -YA72A/FYOEhcjiCkx0dgxvryk8ba/S6eIXgl+IW/it6pJxk+iIR0OLONVobIWt+H -rmL8e0dMiSjcNcSaJRghBmsBW/tyD3nS0XKyrQeBmgihbF/xn7BiDG7e5RSoZvmE -j2G9+6qsw2hgE6c0AgWoPhb7HhvMalO5T1jeVNoOfylC+ebO2hzzQb2eWL229FIH -CQcJchJjlOv6GE35X7AlT7oGtyUfRRvz7cHEtf4YtwyAUPmiuuuLp4iHGGLO7j52 -/zf7Ek6kZ/o7omiR1U4GCHIpG1TB7mnpGUy24EbGeR0LeN2PgAyH8U1P5c8GkCky -wCMYG7czWDE3jYZildymKOf+FBmTFEZzFfQi4Jy+y5fIWXEpCWWGURAc0YdhpeWq -c0ul9kpDrRZoakCzrcxzxo9oc7D5fDh7erEoiF4EEBEIAAYFAlOWdE4ACgkQIE+A -zZY9/kv1ywEAm3la0zGtZ+QTxBpctydl0JozOPY5Ow0uASPb+yJnUf8A/1BIur8k -qCUurGrI60yxo6bIImFwrvTGTpnFQ8qqRycGiQEcBBABAgAGBQJTkYs4AAoJEPdr -7RFuujCUJV4H/RW5p+wJSPirZptyQi91d7vDfzQmnbatFT8y73N3A3n+mR9mHRXx -6aC0wFRfTxJJcRKSfeDL/pRv3LJehzhyxtKxnfSnt1zdMPT5fealxuXMLc9LGWNn -boGFCvZRl2Cfs77zA+lrCKPwAQAwbq186NzhCuOTi3UZL+HWEo+V+uu+ZwRCNZoq -mtDf0odfJWMr8MDHwq0OK/PvOJAD0Xy7dWWJnn3VLLBvxxyYO1qZqK89b/3HCmK+ -YabxbWyF9yv4mSdv4sCK5CnxCGSh4qoATux4Af+OBu7bJef1/P6jQSQirqu0pnKt -qKQvhoHs60l9RV5chJGzuhy6FFsK0RjyPh6JASIEEAECAAwFAlOUtbkFAwASdQAA -CgkQlxC4m8pXrXyIqAgAngbFv2m7x8m5A7gHURKkzksul63jCuf8r9NKVvcRoKCb -DO9RHPv3tS4M3QrNNWutfyvDjowx53Sdtw/o9K3x9jbD2YZe0N/wjrdeZviihUER -Ss5T+4e8djnBd/+wkE1ShEdb+JKH3tImkC7DT9f/ctG88KT9Idp2mihxxtKjlncI -bnUl0+rmj6SoTLeuC/anWV81KpDmLA84ck6E0YXTxHxxyU0M1SC+3lGxmiO+pCkJ -Mtd5etl+Mcf8Zzf7MD3txu4mUNzOGb7IDEsCYTujSEA463JngzAZoThjcANunuuL -ODLnSbFKuvgyx4FwFaLgqUktaMk+hDQBXZP5itzDMIkBIgQSAQoADAUCU5QfHQWD -B4YfgAAKCRDpXjcPhI+tXO6OB/9Uy3Tl1DVLHvdTWrWToh8ZFXcaS8/l9L7LUiIl -1hVy3eQwu5TH25EAfvyPWRiaFZk+MGogG9CJLxJqT/9QhG1iOW2VWPVXTbiVJWH7 -ZvztnSzbGXlLxoqHIhTyX0QwVFjeHR3D07uSXu6BVdnBqaoAS9nRPyFC7Kvoy52h -7VYwKmaRtCm+SyT7vod/ULeyTtURWopqAnWZ+/deljUZqc2gzIPgnobxSpc5ncpd -wE9cbipc/bfQpaON1+0kznkmv1QGylKl1s89f4y9Rl94dBo6i76b9A4TYlJmg0Ns -rrz5EP9xb06Uc/y8j+7oLj9baWmV/w2STUi5jbOiYTqchx76iQIcBBABAgAGBQJT -mz7xAAoJEMCmSJMATsHi5MEP/2+N7OvBMagd6VUw8bzAY61AxzwOr8m7SyDjJmgH -j1omQrUxulimB6mirzI8HCxYy0qtMPHyNccLk1MgQfKVKmEYdk6h4O+XE+Le9WCZ -FqU/JHuNT201iR/7GLaVQ2+aNbbj+8Pzx84XphuiLVOSMPaiKHDdfjwqFTH9BYpS -kIjvqMaqLL3a2DqIdBPYYKODJ8p9pkWCmQB5s4LXokWSrX34alSBx2q+L9wVFfH3 -iC8wV8XWbHvY711VsOTwZdW5pJC+9Lsnl2xN76cR4YN/FXjEiYVwgFXlpHFUifIA -e1aywExQkbk5FDGTaW4pdTmvF+fZoy7lr7P4lQe3/sfzV9CcJfEfnShDzJC7HW7I -WZ0NOEhC/mvyw2sIj3HIwskR1ciV0rwRV/OztIlig5Q/VzMpBCx+hAiP6FL+MN/y -HAQQctWCpqwjxHxsX7TxzjnCX76EN+xQX8/kZSr5r08R04cgQAFeSEgYBmDwCJ50 -i3IS0Ng91+UJAH4gFW64/h57FkVUIo7tlGOPIpVCLY3qIyKwfy6SNBdLh7HBhgyf -wirJRGMeV8pse46DvCjFxNUGIk6drm5VAGI2UOMffBw9/txiJ2ZWyEiY1BWlXOYG -snhpPCwtSvu65IryO9yQx2PbtLKBMWkFo1Qdqucwv8mpB2boAr4rtkQ8ODG7f9Mz -xhIriQIcBBIBAgAGBQJTD5TwAAoJEHOOe/MgNRv2PHMQAL3WcMue4ETMV3P4UlVf -vmYpy1h7ISiPuXy+coLplPOa+HJVKRpfrjmmXFhr7C/nPMheUkXEaHlrOoUwUOuA -4UdMMe5PimxFOISLR8mABxW36+aYJg4cBZFrxCzTaBSfTyZKg3gdhNCF1AiDaEQL -G7Z6kpAaCcf8xrP2NuFFmo/LzZLD3HFEO+L/gOcqv0YoRNwyfSaTUQlN7+SIdnCg -ETyrwI25s9wVvIEKFOyfThgBKR9YVEzyNKX2gpJ/bMq9rUo1oa7icSRWgwtpRw2S -onGiyc7q8Ie+lPQYUswPmy93nXe7gB6uLPmtAyor4eQ7utzklB04WB6HYQFwikJA -fnR25d3SG2hfTWoVCtiDa9Ovn43Tw2USqRVZv0brfmnFEJScIkRB1y3y5HsDGKXg -3Y3zagv5aN6PmC7xcDZ+TeTiVB4kDmt9Kk+hbLe/11YtYAFI+GIFQcZTzGGZ2Ieo -0KA0ioNc5AzzJ1kXWd9LSfXjQBd2dHTTFI0NGkv+m1jpOfAz/FaucveaTBdKprYf -6iV1QTcVhC1GAxVlTeaQUjouMot/4L1IoaxPAhV5JN4/WCG/JmUFVIvTECMZsA8X -an3HiKGBtB1+u0W0UnYiu6rbsRSZmWoEJzhtGCXLnStCp4B+LeRyPrKXPa7ugSvv -fq2ROu6YC6vSWMhyuYiDoqkxiQIcBBABCAAGBQJToLdyAAoJENRVI2du1hC3oAMQ -AMLGO0AdvYpoLaNuI6eZaAxUxlGKjY+JrgCcQJ+QhHsiollgKG1U+Jjee/dReT55 -md4GKRHMSlFQGMUCTrLnm7DubpP9LYs1N4OJUp1z1eR7X2YWkvjIIboeaY6BqNRB -h9PY94o0ge+0aZm34xlAyHlElsBDIZvuVDt9GAjB/VYdSPppK+u0SaJV44i016gV -pBvrw079PTg4ckVo7yBnQB+qlLTXUdpqMSsp48fJMbFuQfKCEkVWJCHOFeTN2xxm -bCtG46n4GATX8CoBy35SQ6tQGUtHpihmKEFVBeA2bYXZ794kZcEpPPaj2q9K0zum -ZDTszbZvl2Vy5S1yj67vihCJDSoeh4PdaIWedAO8+o/hHHGqmX5xreGWkhBrDGzL -JCYA7Hc2NERySqFzMKMLSJBvEOk3WlWoCqAyxDNu7sYOU2hJO+8p1b82EcZB+qIR -bXNCgyBzdnYku0ZfkPg20CtWJfMPh5rDpH8Vg/QnMPgnvnU3qDGOz3fZNnNOHUHm -dpAEOaywHB0+9MTXp4IeARv09lwo4rgpMy4H3paE4PGwgD0tVWHeSUo+AMHOk8I7 -FCEAF3ZCuPu1ElErSbmFrgg8xJ3KaSnEPHgeS/WPRyMveRDY9c+9HJulFOB/s7L+ -a6mE97MGPP+fl0Bs3jJxZVowxXX48LsR9skJWxqhgh3fiQEiBBIBCgAMBQJToQkT -BYMHhh+AAAoJEI2hWpfnRJAGDUcH/j2RV5w2HeR8kxIKryGQJQqyrmvedE2AjPH4 -dFNL/DMo2o88BUgKTOxMUL662Oyrw7nGSsXAIliTAtZ6VkKv2QpSgbxTDjmFU3+g -Iq2HkbIAxwali6jSPOj92bwzz96CUAwAnLdnFCnzZhUn8TcYN+3AKIPB2CuCOi8h -SfvBUd6BV+CD/vrvUMVR+/IOshWKmo3vGTJT4RqU56WDriJvT8NPDt9c3PSjgCkR -6tLHyXvuIekGwqhpHIshndNf7EaTezKNC1UlvdHApdDdsiL4Zjn74QD3M0hWCzP+ -mFy3yiflVO4xODpWSqXaaQCiq6hz1pC7Pc1CSzAO6XK1IzQyNnuJARwEEAECAAYF -AlOGrhUACgkQJm2Jil14mT0IYwgAqRiVYt5s5iRmLlTdNNOkUO3TF9HWSL6SXa6m -Epu72GWmGrwynGfsg8CiMPQ7qSVhiCe+lbApZp74PS6fj2J0rFlimEw93lh8Ho+u -w2xM8HDpSSZEaoWGj5InRIB2eA7Cara3hs/TA10e+PQp0+zfkXY4SszI8s4JSF1y -lSSN2WTZga+7xDPp21U7q2Fon5xS0GrArAguHJbihyVSCZ2AKhSZfMHw9JTpGrog -mmfnbfSk+21cPNazZC+F7paCzoetGaXB8WMAxpPfNxRMIJqFi9/R+5FDMt2rsDbU -eunb+MYKFc0WMl0A98r2IpSQ/cd5XA+OOYPZtOXWdJe6MT4soIkBIgQQAQIADAUC -U6aCRgUDABJ1AAAKCRCXELibyletfKnsB/9uh6SiCWNfDTysax30phcjkldxAA/F -Y+FT9xGBLz6WT1TRdxV+Qt3vwBZQDG8ML3ldG6W1lPIjYN8lUbrO6yka0Kq701mQ -9PdeTj5Uscvg1eFYWmfEv7C3N5jdF3P8fJmAVaDKsg1ujezuHn/DVz4iphW2FmKF -iCrP22nGPQO0/QKi9g6tXD4csfe6f4iT9thT9VNFrWG+uWLceP9AGd87kk8nh/9O -hI+uaxSosyirN5oQN6gLrkZG5Lae9DxNJqhPKnVmvP9w3UgSWWz3IXWDZAxw3mUw -vpiQfi1Ep0f8PAVdFOUzkWTVIr5pTYHlVrZypDF7GASYYDbZKsRTSwtfiQIcBBAB -AgAGBQJTpEpwAAoJEOzv39rU8b8SId0P/R8pj9YMax+0oKGBB0uT7JuAaz8cufLs -tr98htAxGZ/f0Kn7oH1YEGgEQEPfvtaf1Ui1CKCiGx1uyWRF6fVwJpXvEZmnwgat -qvpV4PZysfMeAMff5EMJAtvDYayqvu3FKDvAd517RGxX1TA7x0CJpZY42Bj2mX4v -hG679Xe38eeEygNZhDhRzSWpuc6cuy5523OHCVe7CcXVkwCGJ0QuTIVruzvlaJ47 -qZHujyDxLeeAyeJYWDUERENbmUDNolsiuoIEShQJCv2HBSpCMo4ehE4VHWeqSEKx -zeqynvBCPJh+YOvQoJbY37blaCkoRc3ZnaUlt59JiHhr237qUD2JzLVtcStUZhIO -txN1YIHwXQYU32soPHAKCn2eNkFRm6CBefoyQ7m71dFMl3YLPDkkQmYcn60qKprE -yc5esKTWM5GBPAr974pzAsiQ2zUKZRMEeZfOAkrW3KKgGRmuoQfv5ZDqVPJFmCGt -pozRuAU04oAOALw9cXC59MkDNSl8K54DLaPFwY0lnZB6kBXlKKSGu+qakIqhTwZU -4WEbzQaC4alsTSYoPJ5ZMobIRbb5ojDBiduXHHut/Z18thqMOF94i0QLh4Gg6Ti1 -iKHkYoITk78AIb2nfJagW8U338QSqk0xma3C9ivZdEiZnM3b0LvI0vGdZXVokEBs -DpqZNJE9X2o7iQIcBBABCgAGBQJTpLAtAAoJEHQ3f59qR5Gf8M4QAII+9v8a20vq -1q12gEXOCSU7zZVkKgOVe7ST+mCsdn3c1xJK3/DvOahfH3VMgmr3WW+DBBO30G+V -3AR01cgY7kh13Otm9xhD9I1Ok7uhDYoXuO6AUr9kNEFZ++u+tGpnG7DpRTsYvZlY -VljClLdAtKGqa4468Py84/QHOLoaSkjbqVG1W2rjwrj1q/qA2UWiDkVZEZ3W2w6M -uySskXqHnOyHX7hi8RaLQ45PtGwfBF3uD1SwpWvGeeoR8DlekhMD8IwcBsFt+JPt -srBglle8oW26sH4S2hPaJU1Q2iC8+GT9YP7BnZqYs4H3OCQK6gqNHlapCrgvoFdA -ZFjODZRhOG2EyaTnMiRCgrMsS4FpS+FGkFYok22AFbWAKYj/6xTILPGPVhSf2BF3 -g7azRKed81wPzRkiyRBfqh1XWakiloCpmW7B4M3fwdbWi3WOXQgXc3LCC9d8YpY/ -7R0NrlOLtf+gAWh96Mo7sgn2O/c8FBh0JErUvgZxBfvRsVtjf2QuEcqLFC+LgpqO -B2Z0ZgcF/P7C1kK707KNfNDYKwQ+aWkA+fyn6S5LbEf00Wkv7ho6OkU8mHC6Xz8y -SA7PKknQ19fskxCLB8bCZ0I2pgzPG6fqDEw0ffVp5j5yfNDuyM+Ml+LMoPsEof37 -AYBqS+YxEl9Fhp1GycJn5BNxYV3wgQQyiQIcBBABAgAGBQJTqHjdAAoJEIOCyVwp -Aj35z40QAKAzllWx6AsC+WDsOaBZ/e7tXd6B2hoemF6GgnN3eFUgOlSdJ3+zba2p -dR3Ogv/5kj7d57jMIfO/OISn7N5FNLlVm92RMpF5W36eFqvXjYxvYdH24IcyO5I8 -AZS6uJxlXF7U0Sl+1upRIyOCk4u+qtf9gHiazpDM++POlHggGPfICmjoUbI0EmNK -Wmmk7+iuPXZ7ssYIRnQ0f1RTZHb/NC5JSC+b6bTAfaAsCDtBLetC34fKfWOrVH8I -QmMXfGhlbvpAVZjFudkt6G8StXhCs4YselzqKRk4mHvUPFOw0IhQv5s1T+fcG8dq -RqoqH7Bvt1j2sIuvdGAqaxmQMEbu31En0dtn3B+2EgvSg4BanePGxG5Ka2uHgDlF -8IqgwrGPrNo9tyC87UVkrtNjW1wb3JZ+6JeYYhJCEqFtpUhHAf4pbfsrRFYRko9e -mYAri+D3pBGf56eifTJDr7fLaqxlfCMJZl8lG8V6zA7HM6yDD9tFtOrPAhZFO9D1 -OpT3cj4B3WB/EaGHNRTtBkXJVBXPCzFgET9hZyK2YLEyQy47Q26tFk074tg1mJ4+ -uniX2Rp29Mkap5m///2LltTYrt/ilZOUegZKpMUxssVylVWPid089dKWpBUhH+9N -jyMVhPO+9JmtjVI8G42Ab6lMDuyNZFdvq4WQneKdaooaqsVffKjliQEcBBABAgAG -BQJTuRWkAAoJEOrF6/B6qcKjiDYH/0o7HXQ7KUQG9BzNuyphYX4/IMa42bjdQTUh -Rz22LDtvkKBynM3EbUxBHsRYaSsnOQ1HTC/isF72lKdaqzpBkTyDD4bGrXlX0oQD -F8SREG+iGWPemP1pV/XEHv7ksy74ZeABt8y8ppHDq9A0/Ew6zzBw2tU+ezkPMb5M -qq6TjOzZf2v6ZG67ypmtb4FxLybaA6/XXJPVlogJwly+JpAOOo2/TAvLeoZpoJ1c -Pb637AX3JlTDa7G08KH7v+duGfeGuoEqz4k/PWFuRs0JidD+Ly2v1qKFuymB4sl/ -4vWX8PwHJq9ym/fI/yDZj0v9xEFpdUz0OO38jGd9SLqWMltU9LSJAhwEEAEIAAYF -AlO5IkAACgkQnDFQPG2GY5bWLg/9FHP07HPj2pFvfo2ncMYgssPurNrWeMptQlZc -M9tgZAHl+O1okfh8KCXNl0fM6UFC8npthi0O6q3Kb36gIN9RKHsYkDYRC7XPmZb9 -Y7qETLFZqt+3vD1ZVGz76aFkfLICiy+xWZzWLs3TH2xr14bdfEge904+3tf8YaS5 -rF0ymnaJSywALUHm9hBmymm+E0F8zdhTKEsu46sOf3FnqUlXVxnu0C7JYvT5tRvN -Vfnfbnvv+5cw5PjtYcVFZYtx+2uP5O5yg5jJf3jqRxVhQ5LAbbEypzdYeuGj7BfM -pqInJ9pzoXLidulgtu85COkWA0/EFj/R/U0OxQts2t6h5LvoyfALbyeFlEQTk0lN -Q5/QTUr3BVJCRixn+aXpV5CJ8b+widzdXmA79ogG2r4H/TRVLlrkVkX3gNzO8YJX -x0uhOBray3B3Ek3ENsCvpAETUmOf9bjYurSinyqrwVBXnClXAV+yPGGng6nq7wxb -AsIlPmcTYD24SiVYhLZAEtnaAcRAPFRGZFyXFLBw+SaZ9QRaEAjFZ/Lq5DhMNKFi -x1tdNXFNW5vtmfZKa7WMSIrmr4DsqBz87yhSIOjhDR9yRywiA3AEgRNnYyekYRWM -guupsQqCKzAIoLmgiMEwgJNVnjCBH9mECpASFpGW07OFAftsXE3K9PpWnF7f/gzf -1hSxJK2JBBwEEAEIAAYFAlO5XXkACgkQrs71RuyLAmD9eB/+Kh6TiPDtKHCqcTf8 -m/EgNdjPVrwpj/0qFD4Bv1F/0a5kW0rH4lNiUKI9YLf0HnILFOeG0GlEgNoWIeoV -nrd1pvzWUyvs09sHHNZRc1aTYEegvdOzf87+J7he+ZxXNCqDED+wLDFpn4b4TS8R -y2LkdCFtt3FTADVm+D/SvHy2pgI/T4vxedx80Oaw4hIq4KnEB39dVzhhg7Z6MYDn -r6Kl9rhumKZhOtR4lAGdN22VFOwFGdX5Vq3LZ6AWqQvyp3GnR7hJqjavOxSJ1QZ1 -dQem8fX/CM+Lf1UOm0YKL0UlYKF1RR/zp95LIu4xjKHYU5GXmrdL4UIJyub7FEL+ -AmNNgujd4qHZs6i8zHTHUNno3gRJc5RB9oNTrxrtqFTotpQVVjO7XZ8E6kL4n6ff -IET/zr7UevwmaMWu8fxKht0ccyyjthiw3yh3Vryw79tIVSIY6uSDRrvtzf0L3nOC -avGFTIc5Vd+ep2Y3CzMAeI/j08wSV7R7T/PG1onLUfdENlOha9uHjg2ug3ljOiOm -VqWEE4Pj/Ed1NSc7QbEJymhgSXNCVgooIt5favo+BhGRMBzCjRLCr+BS80vI1xak -AMVL6SVoLSgO0P1l3wIFvPPuMu6e7t8+sd1/W47ac3L+XD04tgxzQf22762IX+6H -piCf2xwQRFy5jdl5UBFEBw4jP6ZD89yCIfU4VKEVJ07GJY2CUkSL7zsUS00RTDps -8jOAbxainBPRHMtWQu0f0+lmVqc2yBLC78QdFexekb37hyjRSktl/uU0mHr/w8oX -wIsPdv6oQqNhRabOI2YDaNUU7409TkVn09t2WhBhBCcnyKO8HyVOwvuou/cflasf -LviVJzwFxYPuY+m58aYVu9HmvxTrnd3ppzuVdw1ZyvynK9U4PEtlOTSHYf39U85t -fe2VFyc1bTphCL/ZaVhD7cX8BlvTzlyeKfIAMcIIsdgipKXEliOTOkiuHxh6UjIo -6hEHXZZxaU6nhSlXvDdLxRzMTNL/wHq+aX8LQVdoWzugMJ19d8HU5PkzuBMqItrv -w0XzH8yvw+ZnRdNKBCaeJ0JZ1b11rdw0UcREDRI7eej/V/Ziypl7xwb6oPATnQm/ -CTFqvWT6bGrJ84UWywmqMpX6mkd0Ug0HCprjp7MGNRBewASq80o1KNusgbGnCEFE -ohmbuMgFyIsS8tcAQ0U4WG76mQ/bc26DmwcreIj/S/SyJrL8+XPqJhc5iZxXxf8t -vKsnviL3Z59wdwNzjyEsFxU96y6wrJb2zuE5FrRNz2mHAsgdOefNTi1xXLqCDI9i -FF+g58TyJNnRE/XOoDLLIzBlFcLDW4aD+dtzXbUC68tNz3a1hs1hNrg3u3qQ3O7f -qj4pOYkCRAQSAQoALgUCU7vxUicaZ2l0Oi8vZ2l0aHViLmNvbS9pbmZpbml0eTAv -cHVia2V5cy5naXQACgkQExjvrF+7287jhxAAstHEko1REjsT+Ed0qNZXnnpeApB+ -qQriISXWDgKywdx00UaWCAM8xGWtdwuXccbxPJhTODwfetMDtMd88us7YffDAKcW -FOunE1GEHmXZuXrfyGaWIZapKEfcZlHbf6LE+iu8oD/Gp9jUYlOCrCI478lgQF0H -sRDYqLxHVbEsHATeZkybms8YY8hGwP1n0KzOzyGhCy87NR20Q9WpNUNqorhqbE/w -BhNsU/S2JKpH2HwiYtDBI9HuZ1Nf41HEoBxIhyg/38klI4GRmdix9MStDI+oda3+ -mykGT+mc+JtVbTTQDYtzXvHBLQBhaTwAoch9svlePDWozStwjPmmb7cvLBobY1cI -Hj9tmL3M3+dh8MdUJaJq4pXnJ045E6tvbamE0R4MpeJkHM/Kgr+IiiZRWsW0lMAn -oQDh4N/r0abx4fx5UteoFwv6sO0jCnZ38Ob9RAfoE6keNT1wGNwhbrHIock0pGcr -Gpf8WPccVeS9ZXJCVgZHxSkw/Fj6ho5plUxtu+Gr8iAGny6NyBePK25jpYytqQ7k -Jv1nP3m6jPTKfAm1m7lOyTP7K6KivKp4ekyv9IXIJsQNsoU/E/kbKhDty7dvSAyE -LgO0qg7y902360yqUIj9e/dFCrj4+eodlb3/PCiOUNyIpvI+Giq6wC4MfpYy0VuG -KdjETvqQep6EQqOJARwEEAECAAYFAlO33XUACgkQ3UDyWKrOAendaAf+MYaPoIh5 -4/GOK+cJ55j7pSisFkFiszDXfyqN2SiU57b1WPaODk4XOqKX2y/W7c3rbkaxe0ZW -+A/sc6i2Es07QlJeys7UV5dwEHQ4mjrBGRXfhl+EpyWpTHqCnfCw6r7uLQlqYcis -3QXtReV7fQbV7lgLwMB8hi9KplnsbRWadfsh0enDQzo+NgOmKA8gJ+iMQyU463sk -/f+fnWaOusXyOuSi9/LGvN34ONRQJ7I9Mp/YouX009xXpqXy+4jHhBM8799IKdFb -Oe7hjv3/UTMaQ23CGx2mCqiVxE5OojY9XC8JQaUiR7hvx36kxoIyAm/6UsGCYwVl -DaL9c+M4L90KdokCHAQQAQIABgUCU7rGsgAKCRCiDL6yAAxlFX4ED/wM70tkqQlb -rrasetUeWd2/Rbl3h6xuXlOpnOd1xrjkJJ/Wqv1tLwl+ZzNSCTTbQRWxq6eAEBcG -EIn50VlcGWeNLUFAa+llsWkmP+da5LtmSirnPOoW4jBUn958ImQe/xWYJA4hKRK0 -ANqv1+YB/pc+thhzt+M15Neyzj5qiiYg3UJlzP7JZIqYWVCKalE824rgEXLwUaZK -Evb0x+ur3s4yqiYdFamP7uh2WpHlGTYy9pOQQv2qwqqsISQ1nB9bc/CV9e0ieraM -KvGXnSiFgN4iT1da6gf5/daLOsrRySI3xYXk68JEaaKg4D1H/qqt4v5+sE7z0+Mw -4HJOncllJf4+Ir+9di2mmSyCW5SoVJCwcvyfDJ0s8/kTRVmwWqJSmx+7RHvcb01G -TwGc/zwUL3DypybwnSBiJGOLrdoUyRvY++LT/84cJpTqYP5zwJuzxUoY+lxBGKNv -s0OEspoqD3R764rKX43DYHpcXq1wia3tZW4pJ9r1qImc72PyB+I0j4bigTr0d7jk -C8/TCuefbT6osoVx7BfMOn8fd82x0hJdjltDfevoFwleu8vQ/Rd1Kpnvs/iBxLbo -luRWObS3llUUwjf5QkwKl0LrgjXoy6+lduGCndjUjii7J2doB/0muGWc93xdNsc6 -yqisjf/gLIGtfHhRrAMz718wvRnKE/8MwYheBBARCAAGBQJTt2k/AAoJEGrScLfc -n3mTUYcA/ijdTpMhzB4vy7/uYxj5uzaZY2THRQ3O+wsv3D+BYMZGAP0anZxV0X4K -uspo4d5rvOEwFt4uGiRrIamX6ovUKa9vWIkBHAQQAQIABgUCU7FIcwAKCRBMsgLj -SHCQ6q5lB/4vj0cS6Mg/s7/at2zrkm3qeydEZk044TsD2dQ7lP1203q3Vr1vRn7p -Nmr1fjEPeDNYyTTR9w6bSBk/nBVMADLAffzFSyo7SYpu42+5CGWD8KSDZN5p2Yxi -Mhe6AWA1/E2INjHEo3oGzRSpf4P9PV2hQtQtIs52EmM5/oae395KUNlnt5ZlTDLC -+qAmGkmFpttGwA+TAbOJ1f2vIByH0y4bBt85tinUjc5xCKAwY9sLRJtIU4NCN1cF -K3yvJk9ZgCl2yisrki2OpIACuCdp8gb5yL6HUbmhxcwyTqN3G6TbHZPm2XGOEx5e -bP9Y6aLRtHMZmUj/zCyqhCQRD43vpXaMiQEiBBIBAgAMBQJTrcXMBYMHhh+AAAoJ -EDHot9j1dwFdmScH/3YRSrRJlDCdd0Bv6NyFPZJzl+WwK3yZO3HyH3uG6q+NzFKj -tmTf8cYqP75xOB4RAR904K2LnU9L7QbLtR0FzksQmZhd9tMVKLoaLoRw2ZBckvwr -l2DdO/b5GaXJTBBV6Ygjx0uht3EajFMDph8K80lL0OLhQtwyk0A2lYzQxzw9XMua -MBAQYyttd/+Oe/O4ThHltAESkXCwMSppoqykZXmM2EIuCU9B7ZWlhIN6jAa4TLoX -ChvpLQUPqFxfvaWPdA+A1TuRVAJMWKUYlcmaET2+Df1ug0KseF0GETrlUvH6Wxxs -Lslkx3h4mDXPUQMs7UrxRu6uwHvETRAQVd8jtoOJAhwEEAECAAYFAlO5ZawACgkQ -IGcAGxtnimOyQg/9GKvhPw282DRyD9LbwTmxeHK9iSMZGuoqBL4fEWWCFssRsCxe -ViZifK1eSbiXhWYnyMblEsxD2ii4YX7bPAVe40gssepzVmyGq2l+VHi8yRSLWkKY -I31qWiFADK6NB/lVM2h1kZiuSL5JkDrDuQnaqKQweoZavoIyTFqkEL573/K7RSMc -hxdQz4ZYEER03j7W04tJBS9UwMhmaKvnJB09r4x+VborJxiyYlx2fHuN796QcMS3 -l00YjH73KrY1QI1eSs579JtteCJ1q3ddFvsGGTLjvEv8UCw9u28BLzt9XBi/XQ+4 -kDy0KpRc2wAcPRqiJVA+XKrv0euutyZNc3tyoI4pl5mpSzJRuFB2BkeVU1RQE3j5 -tlYRWBaz3E/8rztXJOMTNokll3FjoWOeCku+2MbxGXmJn6OmfhssQ+E8a7ygd/yc -zc36Tm44erx5WWbNPDBzY+AvRdaWTf7q670fCOaIwqW4QIVnUhdPgv52h0VgAih1 -e0iKG5ycrdwOW4gdn04q9OuftvSQVwPdjnxQurJz0e9knUbwLMLWBlzs0TTWBOee -6tSaFP6PZyTBfBKcF/qSBhUP3vGFywVZO3EXK2k4AbsReMuRFydoNTLw+KfwRDO6 -GjdJUe/uTimvpweFRXLPrpH9WW9hCMdS2ARgI02+yyGKn419PyCm2n4Q83qJAhwE -EAEIAAYFAlO1aBAACgkQAaIFAegaS7othhAApn2hdFNheypnyIChrnk7KXmPI1C7 -QaeZecYDM+guLQKrK5mv917yNOCElxMMs63a27LdUX7vdV+bejcJcTV+hoOMwqyv -Wg+efz1JKYTo6wj5YZKigLmHDbq5AtX+TtzZBEVyUUyr/BYRnHY9/12JMg/jqqs8 -rtMvnu0tsSeQFyiwl9KR48YSaQplQjl3aZ+ELN6Fr7RZXYPaPRVoiBmoV9vhEtsT -L0tDkkAl9RIjkjav/Cq8uxUUoJWB9gTnfQ0K/SMEgw5EI9ZS9ZZ6RlUNTe/kjZw9 -2RxQhQpeV9HGJ/yvef2T2jmyBrFVQoxj+eP3+2BYL/xtkBlymUznNjQ2ytpeEcDg -h7p/853nXM348l+H/b5PvaP9DvZZT38zdE1DE0K0YY3/G6tOSk7fQMxJRvUNXfs8 -K+NcXdlbZBv4ZFAH7foNBjekr/jFVWLW2I13qp5CkwNSoo5LA+rPyXWTcDS+ekXV -n9eEhdpQVKgRHXpqqB8qtgmGVrylGDkRWWf6JR+Hvxu8nt46eL7/nAY/ti8L1yl4 -hZzi+7+8mY+NrXqAqGY9XZu4WUk5h9kuQjBugoGgzv3yK4uw7kozD8FNhMUJo0fa -JpBOIkoQ36tYy/m5qCrIB5+m68d/Q02n09WnIHegk5c4CRvrjN/cinrcAQB889ZJ -nuvcvhbplt7agAaJAhwEEAEKAAYFAlPC/M4ACgkQNQ6+iB51JB4hfQ/9E1jLF+Hl -F9XDFChZ35PSkMNAw9uSvKUPdyYn+/LEOWemJH5+q02kilAaGXk7vpeShU1LHhw1 -FMh8UBJcZP7r6pIagZrCAvLMTmRD7mUIqAo1T8nitdWlCai9745svxP6Km+z8BPW -9DP0kthemXUMKAn4ovsGgWdRl0RxmtubTlEyNqo71n5+6uQ8M02vKG2YfHVdYPHm -vxXjQ5hg8cLPo41h/9Kwa/gpXl55rtnYbcmnP/QnG7MT5vI13DTZZcu3OlAV7EKC -fZcvbeFD3lmHIs+HaiGbZUExDEdACXuIKwbna+2lSXdZgxRl63o+vfxpqovc5q3V -ZdWDD2/RPZ+elFdNQTYha5Q7UF8J+kJ7aHwleZCXWDkp3BlACZQgu8MRBsfUdPWt -OrVz22lCINkh+IDde1UNnGz/OcJaAcsZKvUgdFwvM9ABi3NzGA6hoQeXg8lHtzZ6 -AI7hWpVAB0k09u0KgPBwq4IszoAqPhGKQxFHsVgy5dsUYvm7SxzYiO00xS9PWBHR -1jspj0grDhW89cj2O555DJHgSluzuMFT/BX6FRzuVx0tJgoet0O+/0UTLg8H9F92 -0TT+kImH3MP1TWM4NiJrWlk6MVd8XPWAeUIdQ5Yd3Bg1ufZnVPYE+tPpzrIUm/si -e8/T1xvYyMFkLS3h2Fj6CSKB7hHhC78H6EmJAhwEEAECAAYFAlPDaHgACgkQxzKx -0cKPTi9m0g//aHt0Bivvqd8DlqH6nNOFBbT7qUilvZohJ9//WAeFilZwmG6xz3fb -yZWosqhRo9C7yiKxlqid53t19ly96WWefcBSEvz3mVkYBBw5VaHgTL26jY3TgILk -/hp9olwLteBB5s/JIklrYrdhxr3v+Oso2+nA1WrpmX8myYuFNEJe8THkr+dJLpe7 -r3yTqwJa2J27rUvTQzRtkp5FhEetc4XdevcdRzJoMogCRO6bv8klCvuY9AiujRiz -OWKoGM2EqAOgaIhxVhQtt7QiMrhEsysRntTqd95H31rlCDY/moTIj/fpr9mBz5KQ -KZdHUDn3FsH0u5+NM+rsK04X3HYFuwQGKI2JvOvZkSUaprwaftGjA5/25bJIG6UB -Yf0/MFIxCG6Qz/m2yftexGt6Ta/xknbDD1KjCUN6Id5ZaoSxeRt1oza0eNvr3JlN -ndwGJ6HN4WizbaUM524lhFZtFtI8Pzj4ge9u5djRpxgVPlOQcpaHlhGZOHe17l96 -1zWZjxzXqo6baePNvYQddUE13vrsrHhAmHwwrHKXZbLQOAB4lXeU16gDkedyOqBw -kPqJh8fjL0JaAs6c2anKrAsiOxPdYGV90xNd32oiaL5WB2EAlTBPFsbYfKXHyow8 -WNFbuh+sqUyu8Dk2bYLe/nlZrwgMLtJrrVyaf6/ik1Xok48vD6ZgFmyJAYEEEwEI -AGsFAlPEg6UFgxLMAwBeFIAAAAAAFQBAYmxvY2toYXNoQGJpdGNvaW4ub3JnMDAw -MDAwMDAwMDAwMDAwMDA0NTY2YWI0NDRjNTQ5YzVhMWYyMjQ0MWQ2MjRjYTNmMmY1 -NTRkMTg2MzE2MWQyYgAKCRB/qxFCZ+T6BLG9CACiyo4+DvlneZjgl1Pdc9SL3vF/ -SGWIdbEfBGc0oPIYqfDCxFQpf8CihSqIr6bMF5tb5bK1G8T/UkSwlY1BuUePThbq -DuOH507oag7o1yxrlAlhtNXhCjRf+2h0VEd/DVlwaaZRy76x0fcYD4i/wjQpdTyz -1uFx2G7cUigNvg9rpbhPY6JMBB2pfF88xjrlFnkx7xTbiCbEeDk4GSdkr2AjTAKi -TLGRO6IZrL9F3AcC37Z3v0JC4rv1wZkqQP+gVqU3klkbgLe27zDYFUcA2JeeUEey -qYWiKBSydK8TEDzY/9GQ/ciZ7/aLVA4iEUV6y712rHrUCpM+9YllL0KPYDkWiQIc -BBABAgAGBQJTxONEAAoJEB6L80kjKRJlRosP/0ucohpASKRCgYNBn1TduyrA9cNu -QNNNsdUXWuzCC93pqC5RbwwD8fMga3ydrBD02JwX02qcQz9X9Np/mZAIdT/aug5m -Z61vh9vhch6c2e2AYiZzX8T0M8jeY/EwoJ62o+rj5QD+ZNbC372lRW3BEHirGZRW -fAKMwSespXbZQPGr1mO3KnGu9wIK5OZHYSWh/YtSeRIwKnzgq0QeClxDQbY7YnXN -vqZ5s92HfMkGtlipsrba9V+xDl8Mc4w9rRPBN0Uoxfte8ZDBGc8Wa502b/pDWLdD -9U6vGASE+E1vFg6lN+iAZ3OXuCoPcna7q0WzomHEdQCTvklCqGQfh3ahvkM6zBf+ -Qw4EEa19+9TBs+MLUr7Egcbc3ZJTYZU/epVgtEq3ilTPOcL9q8cZQlFpmCmXpp2r -Thd8/NTE9HNb4qjLUn32omko1dlckfleQsHdsnIGpCpDv3O/yaGrZKsZ9+Rox2IV -zT8JeOWQ0TVk6cI5aH2fL+ZUm96IlhCzNsPcvmIVGlAVyudaPTnMwubpSLSJYWkT -ZY+7DUzEW4LzaIOygpHFv7mR4B+BJ5WdkhZPqO/LReoa7Af5DKsXEOT+bJm0MoQA -1qkcWw1RMmOYSjJxE+nTXiHHf/oeWwnKnb3ySW8OzC9MVXx1tgApbgZPJM+PL5aH -xn5v8EML3NxvgYS5iQEiBBABAgAMBQJTtm9uBQMAEnUAAAoJEJcQuJvKV618i/sI -ALFK5aH3wDXw8cNo7KvSPohcLZkGMIwrrIqYfiP4D2jnO/O1lSz8gn4GxV9Ya7pq -yovrDn0PqgZunlbf6unsFv7R21vxmcUqCctP372UwX5x/JjsOepxBQi6z+5ptI33 -zPP0wee2lStCD2+Rj+qtKEznoDpsKrR1hPCAPJ/053Q3jJUf7+PHax7FUAIupqUc -b4qXWe7SLi8eMgwXjSvOUYHR251M+/GdCnw3AmQRrLvMB+mREPFnNqv14SEpIWHu -zbLWrTCQjR6zkO9h9Eusrfi894ewH0TNfW4ao5djySPukppvLmkiRaZkz/pDB6d7 -tudiEgivCMh1RIlgVkzlN+6JASIEEAECAAwFAlPIH3gFAwASdQAACgkQlxC4m8pX -rXy2KAf+O4sknnDlQO9vtQonjCzQovAQAPOU6cr92tbipAqdVlLQOoISB2wORgyM -JyjLFDh0p78bozQyRS1itRgxzIoxc/9egIClGVbo3tggKb78laOqiPqEomfevsp2 -kh7364oMAgMM7Qx1ADxdaNuktm9sx39M1twgn+jm2sxWbjvBPZb4/LBQhlHbe93X -MS7w91v7BJFf+YWRVxoPLNGBDNLXDBFut6dL7a2TEbs0TWjbyQtQOZTWkmTccRa8 -AE6Yhyi0IK4XciYJHoOa1t84TkDCzahV9CWhi0FnRNVLn6w4oGDOz4+trJnY2dIc -qWPuv7X6JSNqzmBINYykTgao1BQBd4kCHAQQAQIABgUCU8FNBAAKCRB4VAVOzv4Z -5C7XD/9+IRfqZ4Bn9imqEqLH9UPPyTqEMZNs5ksZOFCyKJCVtaEsKSX20lNCv3cq -3XKo2j8Rd2LeOR/R0uLLlXjJB8U8kdP6naTbicHiYmI3LASSsWZBRaUVtYwyEkgC -b69EbyXB1rZoDfZD2Fk44E5j/BEgKPScJg4HoooLav94dWLjNM1PR60jOYotcg9+ -T4B7+DUWs/y+w3wyYVFHbXyux0Jul+7jYZstrz5BcOyqU+47DDhCZVgdLujr5Lu6 -8a6B6cpvlfUmWizDmO5gewewNHnuo2ao/hPih9tVufBYC34p6W6QZetWey7udEGI -lOQdiqWmtec/3Ko9aB55GV38wIDkRtyBs87mnBI+SOD0oP2hkI9x6jNpTdlDFqTG -ifkTPpyzb7SG+8tLNpGfLN7yjXHu88B4xItcIDku9ZXjpCndN+k6Dx2W7ngurbKZ -cFS0uyMe5jjq9Gyit6H0uoKoRunSYJM+jwJ9thyFAzXzJICiLSMtXTK/A7rKn1xa -VFNJovMcEsgdY0EFymCTX7SiFXAHLfAFGySP0e0zuJNg4aJiFOQDlAOKWYlsGQth -d8+xoEb3yEO3fZiAoyDqDsXL2707lmFN3ovf5cAxKePX8OKE44Th3Nr+ACrqV2e3 -GQHRInJtUahzjaZmU2RI0vdU4sQ0SxS4fxPdbSkoiCmaegHrFIkCHAQTAQgABgUC -U7M4gQAKCRBDYhta0kTdB7cLD/0cuTGomvEVlYYlStdDM/+2F7h25akpUCdCnxBk -ZM2pQRK9sI8KSH+nkquqE6ahp2g/rM+AzP4sKoP14alLZzXrvQyQr5W1umwz2jee -4O2MAOzZm6C3gPBsRh7NyOVoHC/iOMYGr7bhzUzphOfo6kpT/83KItUnDe9otS2c -QB25hzl9ouWN9ZRn8ar0O7B2dLec1gf5yo6MUGCfW/AmpfnIE075+DNcCKGiglvz -26z7AV/CcXcdXgqovU4CVoVndeEWwy8UN3cQZJvWx2k5x8b8/TqmytFjlBH6eE1e -kpUg8PxpcO88r+w86Yi/ErX7X4/QSROmcj31kM6jCpchMK6f1j2rexJc8Y+j5L+T -o8Tf2rWtJmcqSTnH8G8r740HJlIbXEjcjBa2WZtIrANegZndgei4E4X7tyBk/iuf -4fOJUICRkWH3rnl/haSlazON3sX+Xiof8FoZPuengXA/fU97f0mlr1vL0yH8GcnS -qbTgAMhQxAu5eRyO8h+jUjjqvW6mWHZSZtaso3qM2ehL9rXUTPxJClIL9iVhyAv1 -M2N0VdcXuRC4p2BS6qXYWHmM4H1z76WKV55wlPE4eyAT9R8jJOiSApsUB8TZzymm -Pi6ZMiHf/MwdSHtjr5qSgxaOHDGNn6Zq+mrjVpDO+ePJjVJXAAdASJRInAzeYAol -SFDXeIkCHAQTAQgABgUCU8F8dAAKCRDYolbJslup1JRFD/4h9i7fvRjqBsuwDh9a -F3ouRlc6Wndde3O5Wb4Tl9EMG891//ww5P7JW5XKwNnaNSUTNwQbTy/55ZUH3g7I -tpvbh5tNry/n67jr1lxVpRgMVGiu/qJV29PPWDRrjtPLu8uA6kKbQNq2J24ouXt7 -Si8KU1tgrfwc8kOlwuNMs28ShpAEBvfi3uTREnhnDTII76KZrtKhWSuiiQ4TyO37 -0ARvrDiBsQ1jfEv4S8ep5CCPAMPOlSqn9pxrt3SMonKw2fE/KT1K4n5sRtXMy70C -e7eOi6C+Oq1Oyb/E38/esJqkF53h4HUzhIANONbDBoO8lroNfw1XZsxrAzrUaVPt -wsDU4OHho6KAIHhjp6fxCgCqeY4JLMYsItMTSPJ0ftWYGDrzOVaosXiZdO62/TLN -7djVLzZtr34y9DFfKcaCxD9ZJfUNt5KNMXJU1kyMJWjwlN3ZoOCwyvdxtJZnQyV/ -OuVRU09nlPYvT6ia06xPT5aJq6R3FOSuPkzjDe8UJbcVtUySqT/v8ejS2WrGssCl -c+cx6s381vHawrXEDkL6KLFeYiGfoo0UNj90lNnK8I2vJYaFxE4OU4C8QTnirNm2 -qIeafVBrhTA5iBlbCKaTQ4tCwCvSY505RmTXEo368rTWmHlznBlSiTstJhsCAWcM -pIMBk1O2h4YMButQiBxf6T+T3YkCHwQQAQIACQUCU8bTvQIHAAAKCRCz4c549apN -x+57D/9rNntXtXoU2/PM8V3F36ipVqKeS1FH8R0U6F8Vm+tS/usfCM73W9k2pbgh -uNrxOvrtHIOiGofE2sAK5pFbL9NLgR8h4qTHceaNObLo7KbZbo+a1Gu82QnrYzz9 -qXiQ0G/Xl5cDV59a2rMOMKE/cwdIbh76zJCiiXc7/oTwOQSNrzlodXcuM5S6WjoR -c97jAAkq4l71Jv8BwsRQp+J6xGm8CGnuqElHCNk2ehT9fecdhmV8mLjhz6GOjF8f -gy19XrOJqZietY4FJlNBvs1at2NaIuTs+QncLxLQlLMMujDxJDfLf2SyBFAYIsLW -UNYR9dzbpFaiKAlBIZfPuHZ7OwT6PSNTcEMc5geUdpit/o14Jyt06yiT/qwi+VW5 -oTBtRn21ouuNx5XEQcbkEULBY8BTbGuRdxILwjOqoOkmpwAXgCuJMIpwEuz71asV -zPsUzmdunjHu3+fTA+ermQgts56aSaXi3Fh5ER+Tpg9RFBEGCfsMuNtis4gOLhSF -NXvemYLXN448T624/eC5jZEChnLyQF6EiJaNo4P5s1ICCK1gTMqnHfBXnXV9Yfqe -b49aWJz9+5Y4TUa9fk1G0EnY+rkD4On2sryZm/Tq+Pm+mOQv76SL+BpECs59TLre -FXUp9R5GbhtCg4rmVQ++juXrJgQVvms1piAiQlJ+L5WD+cR5MIkBIgQQAQIADAUC -Ux65HgUDABJ1AAAKCRCXELibyletfG9rCACvGRAGMDR5A2r298ZPBMVYy3OP6kQb -UrSjWsA1dmfk6t/i1ASaPOPVw8EyBMZrOzhzyMp7VwEMibPU4zIyiWnnOE5y7/4Z -vO7mL/QuEzmQ9s////////////////////////////////////////////////// -//////////////////////////////////////////////////////////////// -//////////////////////////////////////////////////////////////// -////////////////////////////////////////////////////////iQIcBBAB -AgAGBQJT05pvAAoJEA5yX0FrlJpGVb0QAII7psCSLqGso9xN1pCEyE8mgvNy3YSd -cWLLp0ZQPw3qXxMHyB3pel4gGno9xldFirFXJROARvBjHIOpqOrePyap29HIvWY9 -JpOcjauSvBLVr2T2cup4/pDlqiDO3A46T2KxwMJiD5z1JF+mhl4GKVY4zQln9HRo -peb0T4angzXlb+SubYCZilHOughoyLUJOVhP3Bc9ZDbNsg2sXkQV5qMcYN2eb3rf -L/GtjkcBiU7ACRDWQFDYRnux6e5i3Dm967DVeqaWuauTzSzRjBcHzeWHPGrBJa7f -TdTO5JkPEU8SUIV4qe8DIztGrMKSElrY75wXCaJ4B6Jr6Y2cbWJ1jpgOfbXsWhBP -HfVm0La1yfagBT2k9NW1yOyuteQ3r9b0o16vz6Jv6MjKwzH2io97kayDt/dJAoR3 -uvPc7QPr4TJbmK8e/W/9O/rQz5hafTMhgXPM9Srl9ENPU2TEaGqBFbo83shFfYQI -Fd7BBZxkZZyVVjSFxGKeQKIeJqMP28QtqIZLV5SYtu/KcMjMskGMFFWkWcqv91I0 -n8nVdBuFKoKrX7NrZQ8bnV96yE0WWLIl9mE923Gl0MlYJs0GUPa1VUDgMzMAlSif -9IwkjsTH5P35yHNdUttX26WHTiGBHdNc1Qx5G2D2FIYZFOPhLXqNlVmcSHseSm7y -utfUR84oMzlDiQJABBMBCAAqAhsDBQsJCAcDBRUKCQgLBRYCAwEAAh4BAheAAhkB -BQJQPInyBQkIJZ9HAAoJEBICghy+LNnBKy4QAIqjdsJfb1KqFkFpQYNqQzIeAzCG -Wm4RmhvQkyKEYi72rHtYP6gtTYAUtaTZ2EdBSuy8EnTmWvx7NAueMBC53YLWxmYc -AgncRerz7Kyt5ljCMZLmDC9/th+7rV2lWWydU29jVgs2ly9pzLxFJx17Tnuk+2sm -yh41S78eXGjdy/lTiRf5/ujElFBHoRF0OkQgbmR4PMBzim8nqW72YLOmt0Q5bLqv -GLbf8sIxiCnyzdQvhRuYVX9nVBeN6i8qP7HJyPbTBQl/tUCgprUzY2Wn5qoFfDpH -b0+LZldH5oTIVVtjXnmXiHOIaIA3SKANwxNvVYgO5CQwNTnszg/v0rrorvtfsvPt -LOFpsJ7qz4+FvwFyjc+YdRLrt0IHrrVYyZ3GBzRdiYFP8Hz92kW3RB0NMZ4jPVS9 -XCCftTkb6IK0Usrvf4cTiGqmAj+V0HO7BIAxVyfIf+DiWNQDflKkotRT67r4zo9f -sOVQImA2e3If5xfMi58VnoDJGISgdr96SbcLg8CiwMEhB696FJyBiaA6137Cgm+u -YJ3OxELC+au+VYNqAmBANibcaLj4yvEfLeo/oxgUvH8oUTJu23kofIfCQ/vDG5vC -je+viZV+00/hlEKqbMjCLgimjZ1QW4L7WPIz68o6YQ6HIJwCieF4nkZ4i+j5ZvKN -lrwFiysCbeOjOxcjtDNUKEEpSUxTIGRldmVsb3BlcnMgKHNpZ25pbmcga2V5KSA8 -YW1uZXNpYUBib3VtLm9yZz6JAh8EMAEKAAkFAlPeDA8CHQAACgkQEgKCHL4s2cHn -IQ/9FyNQTBP+ItOYkRS+vwBrMaVq6frY6raYjd/eZmBeC9i2xsDigaDe/t02XxCh -NO7qYwYYfws5CEATB6qfC0pjAazwaLyweZTca/E21oypXTbg0hGC2nkqFaFD7WRE -Ps7bo40TDZ1zOT3+BjqMprmlwwtrnMOM/sWfN9C7OKstdKAp1LH04y6blc1tODQs -8ZMiAX8sm7u194GhWrcNj0XhwK0mCCkIwXCF4xYSXkmbkFwQIpxGhJs1U+1R0FdF -dFA0z51ZE5CDLz7cNMkIz5xzHyj6+hcXfeKhNlsYOeFeMLH4Fc4SFwWO23m4kQ17 -WUKQRgAsFIuVXl5MVUYNcvsKCHBdLe7PsSYynr3xRBShSNStKi5TEShQY2/sMUat -dJTBu0Jopnjmv2uBo93BoyK3RvF+6Ewpk2gxaA4ZnWvcPRzP/cfU86UUFbPXUMUS -tpjTUmKTJinytYGFb50EP9wqt35O7sVVXcmlmhLNFevs25b1EuHYwaKdjpmq/B3y -9J+msmqx7nkbKhPJS1+kZ6nfXwytFmfoHsNVbpmYQX94p7zPSkHGpCXm+v6a1hO1 -VFgeUkmlXFQ4JzFlcFCPepck2eoPzZhRPtGsPIn44k+uWUHPIiNCq9NV7eCh/MCd -W7cftRWMhieQCdVfjfD5BdYzFzMSc604gQf73q5jc8GaR+uJAj0EEwEIACcFAkyt -kvQCGwMFCQPCZwAFCwkIBwMFFQoJCAsFFgIDAQACHgECF4AACgkQEgKCHL4s2cHA -hQ//V3P/PXxmoaXiacEU9YKV+ANbN0Hh3jXTaKuxj72UCGVgV2/PPqrYFuOFH8uN -TCEsVGlnqj0PUHGqgmMPWBn5VRwlrlGUN0BvQF5ZMx8VrtriuRs3JccxT4FYLYyy -boaWQ4ytUZnyygCViJAcNZ8PAqPniNdhLZOXV9py7lQqcmaSW9rg5OHjuZqlAnaw -kp6K/g3th8tnhaun6z2X2A9N+O7qvFJ+yefoXecxYFYtpfjqivT21qNoN/jmqjaw -ln7UC+T5h2MkQtAEJDBPQKQIFGkPAWRjvhWnRD5Dm3kPhCDMKHFA4M49B/KaiHw1 -NaVkIxlmMMAssRsQydBWqz8Qx2gWiaGcgdJ+uyvFRIDA5qG3zXaBKjcjWD910uzm -4bPonx4Fq7c2Y14KuTK++y9HGbHvdfsTD+d44Xa5oXiMHojtATyeYS1KQo81ZWci -GcBJvh/yWwXoGhDMMkYG4pyJ4Hf7oFDQ8X5bDI+l/uCEmMlRPo0cq3T6yJXK+CVv -1R7wXfzYCmhFu3g4lB41R/T1R0IIdR4skJPw+j4YAojidvKITD9YpUSK3UHBQ3Qz -bVjrm24HGsp5btCz2kadc7I0Jm741LrF8xtx7GXYOTa9dp8rjRp7wYGEv3iPbNbg -DKrVozpDv3b0UlFhL9k4hQXhac/YztD7kcJkdUOfasbcRUCJAhwEEAEIAAYFAkyt -lL8ACgkQus4V0qV0mP9ArBAA2kHSAnDAbz1ffke/vvSriAXIuIWWYCwbPgHsqIey -4iR1/7AfcGpk9ECOhWASSXapkO9UIsgiDSMKZrEeKaZyIKpYAVRIhbMhFj7PILLw -LWx/lWTCCtMZQ9AO0JbL4ReSVgkpKuKJOtZJRYAhL1ht1Rj+lV37TT+gQj53+urk -UCr8mSaeVVb6olIPrzQ93v0TkoK5J8tvRcGjKbLY6RffG2cHUQvSY+vDEVbwUnek -eJkUD5eDyChUIf8XJBRIq9hBnnilTcKXgtNrOnVWJJb3RB64b8QUWIgRWnsCUxqV -5x4o4Vp4X7ADsrqJdDKOW2gP8WXFxo28I/qWMuOJ4CD9vTnl6LWhfI5Ej7n+frn8 -+DNgpP3fDQBqHFcJf7jD7TDnXzdHJMYDqjZkKKzdUeXogC6da8io2hrAnT/uz97o -153tv2XV0n/BxQzTCRoGpBkWO9iJHNDpb9d2/MbNbmCyMc4VvpwT1cwHkGQl20/E -Ioj4iz02i4v/WKv4NQNjfRCsijaDewyuipI1WwuERb/EPRiVs3/RFqW0fcXok8ex -XbwnES1L8FeosyTaMOs/vXpW7Nx2oxVcXHNbtlLHGgpWQapx7paIj7pazVq4hWbK -7N7qIYffJPzxgcYysccFbChNLAZ6morDCiS/4U79Rsza8u3eHnOCV9WXZolaApfh -oIWJAhwEEAEKAAYFAk0VKLkACgkQjL+aMihhp5CSOA/6A+3NG9kHKCnN+9vyOQpC -qmh5RAJuQ6qaUs+zLYa0nL2WlAYQpL8hYleXtEx8e8ayqixINVys9Q9AQ3e8ooX3 -R1wiesqEVR496MYmrkrVIv22tyB8kOED4Y1T/+JPoGFl25PPtpS0F11TmAnIKWZx -ctaU0Y7MnqamW9pX7lph1QGoiFCjupA+VkDp4a1cgUhAq1SmeILfGQw24moXW7YU -BFaQkGXI81G9BryvVsAZIPC5G1s6AptQgX+6vXi9FIyqrj9ne0ggkAlo41kNV6YV -ZU+KYV57cj8JQKQuos2VBZCnz2ISrayIjmyiK2gHxohSJsOPsIzaeSTWnoUpT8b2 -0GmAd83bGfr3aFtQhi6QKTBRe9gxgjUsqz6pzpjmH2L1Vfk6/Tjl6V9nUzP60a2h -dDM2Sb9axWi4Mqp7UH5DjQGXL5uKr2Kv0gOh0+DMkaRg/zKv+Mg7/MS0QNz2wots -lacBOcknPexvHr+M8QFkaT7fJjhKKuaLEn/eioxqPxFHJKbxKm+pffwSDFKjBwCn -oQnN8IgQHc5vfIOpaZOJDUo/kRyXntZwtsSm9xxlsGc9f7iLWtHpz9KXj9LmXJwM -hdRtasEgqpR0za18brSjcJTytTgXrkzNoHyrWDrgL3gRLfAhZ+l2KE5NVp+dBr8r -eRljpM/Cj66571LTjh+cm1mJARwEEAEKAAYFAk0YzaoACgkQfvJ9drIXfh+uHwf/ -XPPzzosa3xq4GgIBDr6MTCtSyrRcLHoCYbttGw0DWTi932vXez1DJNM5HMOyYahH -Bh8k73p3/v2n9L4Fpzg2kogrq+OtpEYKmWlNI8k7/FpNWgmLHIH7sVjkzck2biWp -k/10cjmM4yFZJ3AmiisSlWSl5P1/nODhGstE9P7Bio0EcNtrvV22xVZ/UGS329mD -yQjlJP2lYAdGEJgyverfIN4bnWGSb2aLbPo8U5RmKR6k8+RRuxOAa2aCP7SmmxCm -CSsZwAux/+kZgevjlYs5Y1RIXZSKxfVK2HCDsBlm0hdXHA7y8CpjT80wDLyG2L3g -2BCkUAjv4CrGP226j0tN24kCIgQQAQoADAUCTRulxwWDA1RULQAKCRDM0u2U0hc5 -6QYAD/4t/16L5fiUqW4QFSl/FAeJ4Fn8pvf9O3/ld1OOnMiPjdZgBbnmSjwDde/t -ZzqVx9PSH45ZFmAFsmx5cn5BMKEbC6qrPd+TpEpEQebsc6IhG1YLBn3NiqPRv0Ae -mNQb8i88kRm9JzYJ5QnMXisOnwGLgbAif+lK2vA5t7ohaJSd06GU8TivZKg44YPs -FPHTFwZqEK7Rb6A2M/OXrPQSpHkqboODZypnmZQjfE1b2Mri+DO36PO5llqtHHZv -pCJ0st/Jk2uxR/8x7y/YSzs6AtElyC5iVAfC2UgXMo8s6mLT3Ty0JFuU3e9Pg8EV -/7R4fohRLLs42mAh3F1d445/VFPQx9cJNKINajod7uQDitTAwLaat7CmO9uNtDqn -dLuZlYFMspj9AFo5Im2hEtdaVdLob2fxkoXwNWH91HYwMeniL8hVAO34WlpAU8Ot -GQm9BNWSFyKbhz9bH7ZOF0u3HWjDPxiCLdcxZPeJRc04fO09zFNh9ElhL5WYguOA -RXCWGI9R9U11/OOZlWT5zdPIt+2wgmBIJkfZqUZ8e+4nFNR0/vY1w9VB5Zjhg1TS -OOFM8Er4er6UBds1J3tg/b7tJWV6rJDKE5bMKReKaFSgRZWojDj+3IQAv/cin+yE -yqtnp+4olt0K/3C1BsJ9nH3WIQz3PrOLgq7IrNeN6Up8Lp1axIhGBBARAgAGBQJN -iM4vAAoJEKwOw1KFghxC79EAn2Z7ruBVyKibP56YY43C92gQsS0jAKCb2XBQiqdE -0b3jpWfhcfpgEgBcCIkBHAQQAQoABgUCTMPYngAKCRDC3ufzNgQnNCWkB/4r0EOm -RBHmZ5ZNYjZogsSUHCyGBjeM5q5HhSmruUFimVY36zk83mFFYhmFvovV5bIWi83I -9RsG2n/WSinjWp40gxzRdleBGpqHJSIXLYYFThelcoHHYxNsZvq/roeJGjJj5AEn -4jx9bEIK9R9USYjwLr5+9yP4vcTSrseUktZhNogGPKv6JXuUVJ1yeDAFpBKzHUR/ -NOEdaOF9RurlrLPkSkWdRbekeA2tWFj8Xre4aKwhIXoonaZI+lzn/KTEgArLtncP -A7KA28DpyqI41TDXOhFnPhvA34Ru0cPDLgJ8BIfG5hEbr8mSgtg8GENYfKC+VMC6 -CRZXTLcR7Q7hjhF9iQEcBBABAgAGBQJOdd8NAAoJEGRY09R9ALWBlpUH/RtMLA8V -7g3JgUEbjOZlDlmKgC8bJ9OQfUWeg7bastJVWCiB8UX6FdyioJ3gWR2M2gZs+t22 -XFLuGwt0JdrLqNrch5yAZm9IJ2FGHbdOFzh1vDmN5pHqleaLJbCoD4exEGasyRhL -nSAmdf3s9Fi13WIwLcGa6tTxOh4+h8xmrqpOA7Hkqy0EVkJtzXmLC1v6f2evwZAm -C1giCSrou8ZZC9Z5GHylHU84HgEnNqjRAsTxvqNVNMMQ0aRUQyJdSNjf2OLNiSmV -ch08HK8Y3jqyBL4Pwz3I1J7tQHEzTIkZ9a549sQJmqD6Fo3jZD6Ngc/vFUY7/QQi -08TFEAnbULyqod+JARwEEAECAAYFAk6bgxQACgkQ1otj2fNi/1VOwQgAlNnLyvDK -N/77VxUHtAnUmkeDixPHCyZoNhaDKx/W/HIsivJQXez4aTsbaeVxEuxYCa+w0U0h -zRCJOePCbvznJc+e74ceMHTy63IM+J8s3BHjbDgcP3VoRLkPU2UkbYIA7Z+oaicW -HQFkIYuFG7xIYWjzaOmb4TPp67Usb++P97QlEYEHYLw8yCH3jF6PSao6SzEgRmt1 -xHHlKiy3ILRUc52OTA8+3FAMmfQwFGTKxRc1aA092ziczEMtvz2hTkoNhjPx9IQr -e5iSQJBk6VSM5wv8ndLU+a22gUyoB+irw65uyvbzcp3/u72j4YIe4i97rZpBVsgL -CVs/HP5lJrjj5okCHwQQAQgACQUCTwT7awIHAAAKCRA4yz1EIh9tBq2DD/9yiWA2 -LHgZNTnfpzzMqDSfNg2Z6VTuw5gSZZRmCQJNYF4Jj+nwEu+Zast3BnC2VnI3YOw+ -uXgnMsaE4PWnZ73ntensDcsI82VPNwnExa7pKa3TiKr12oc8K8i932rm8viI83fl -1e7INurRWGiGFImYDC0XXUkssBI9RrWNJRCJ0SgbPZirn2VhulEPBx2/JQnK2Epc -kfEqeAGTikO1TsnOGv4pSlmZ55cZ5njrVlTMDzgzL9E5nqZjYp0EZrVOAvgx+DAu -bqawckNXFWgX4Smn+0s4YxYHQLeCicic9xCBAynvswJpE3BzB9sWSTr1ZpR08Meg -v4hWPV6MxxgBvRmkQ4SGFt6Sopjtngxrsd6KkAd72q7Dni3nLWZ7UZAIFkTExvFN -EJ+zOmmlXJYZ5e+ZYmn13cukXk0r2aFjsFNUA7THlIqzzqIq1sabzQIUgNIeci/S -mQ4cvZJEDPrGlej1wmVim/7OxwGGU+vnQPdniqcBr4hSpyXEZXEWvo1Jh0+xYuQV -c5Jwi8PjQA0/ggrWxNRAZ86iJygwSZOwFIGXtWjZH9h7/B1qXNlj8/uFByfuP8cW -YmjrCB1g1uKwa+NArYFEFBngGYy+Kx5wj3o5+1824KHaqgiTaeZwVUdoWCV6SBnn -Eg8CN3oReHxodRljY7QYbMmwtG4KJzSvCJF/fIheBBARCAAGBQJPOZAvAAoJECHb -FHvBxzwr2zMBAI296FHDS4NVQM8nwF7LdFQy+lM4UPcSMUTK8sylQtkSAP9VZgkJ -b/8AojLrt4rorJ73URVxXot/cZXMLj3h1F8V4YkBHAQQAQIABgUCTyQJYwAKCRBI -ld9ECrSgN/9ACAC60NFCES2C1B3QQ7yIOqzsAhS5zgsNivQs+JvnS0nsXXurEqMq -GN2A2Th07s0GXBxn0FT/RH86+a5g4VQ3F+jflZLiiCcqWl/v/6YKpVg5VPCGtzAH -lhwKf1kgn2oJTIXMeQXgfUbpRj03DyTXgfYKKU1Lyo7np6ez5bJGhYg4tLcZB256 -zf2mYhe1yxkJjDMXXMnLFLcGxX1ZRtET5TNREQ9oRqabqtp2ikRk9M630ggrfH14 -RAsVXa+gtuACIpbXsWG00lPYw3nLulEI2m1OLCilYMG6ovSiYWZv8malgtBjvVLO -uyR5B8iRGim15IN/igjzy7Zuf0WY6Detx8cPiQEcBBABAgAGBQJPOY0WAAoJEIoY -7gInQmooxtwIAIs7S5m8FOgH2fxeGUr0/JHPDBzs2KojnQjQ9O2JBICcztovLej8 -JMm7ZfUAMifaQH4j3LjSqwHy0LFZezpujHtH7M1z4kN7JegnBMPmUq/7xtfu3ZoX -/Y5hA3tGv2DfX50Ii3rEafbgxvVsfK0V6HI9ZdRPH3xqPBhOIWFv2CKsQTzjBr7Z -vsiqACLVZ0lctVfNemH5raGkKKcLk/OmGHeKzI5SihX2e//MFmTK8x2vLAvzkUP9 -PVNzfGza/FXvG/5sXA1o/VR/hohK8UrluX8qTpvW93gqVC2ogqkBfHf5RPgOlgXh -PMBbQcNYuRSF9fJCclkUpz5Ubt3J7xQM2zOJARwEEAECAAYFAk9+/DIACgkQ6EBz -5WtGfapw/Qf/euv3RSctO2UQmr4wRPTwP5/iQNl6Ji17lU1kAfF83f480uQ1u3Wl -EqqvD+Rm9FDN8NtRgTWJmHGPFVbFuZqofD7zoAodL5ZsxYZ7XVbtb4wixg15AuNJ -MYKtS2e4ccwZd+wZXrkPAciVai443yd80WoDlO3y20Ganwd4GNkMC1TfZfPm+eJH -z3UAA3rUZHdHZHJMcvorQctm1FRvFG9vJv7qTiTyee2Wdp+osOpZbhx0Oz7YL6sj -Q5Ok8OKzK+MhZosmnsMJURONaMd+3q6SjrtRzhaK8tx/WC1/Bz22hv2JHRqW9HA9 -/nmnfG7ZLYhWe/knUF3ok9R1HQeBfb94rYkBHAQSAQIABgUCTxDSswAKCRBx4o2T -q4Me5QYSCACwJCjMmTI+aS3k3XKzbGE2dv75OEqWPqhm/WBdeZB8uSPlfDVWfmVn -hOAi4WU0Hx+5/X5FYxjfDUWoorN0g93fYrVMseBsqV8jtoznVBJr6XoxGtO9XVzW -tt5XG57llaU153Eqep4mOFCLwoXkPia8uzSxWEqIqER8zQjOOtMQIv03QDPOFQvZ -0yNEiYRlpLUb/GTNcKaaIZ8oBZBozVfFeoypThMSs2Z2j/b4Y1yfd4t1BF3Tauvr -bm1Fxyu3PaYlFa4EPMktvgPPGK7RQAMfUZnkJNWo803n+IDlQPmrtAlzGbZQFCZX -mpKC+zukvTNWGQr+tB7mAWVG3WlCDhqyiQIcBBABAgAGBQJPM9r/AAoJEKpfDYQA -UTlHFAIP/0Jq/g+2x2sb+T7b/u0l3231B+kMPlCORgR4snTlVDmo7QQ+YR5nSw02 -TgodjXnYYz0KNM/dC18OoIGstaHF0g+RamU1Z6LjkKC4UROmKJahUf0sBG9oRSec -qj0PI5cxfvUNP/Ui+6vsqF0G+t3icciZsXUxN+3wcm+vLjk7QaI4ORf4EzguoKYz -fXpjCm4xuJ7L/DoT3NWVh+0vme7lhFcvxS8eA8uxjMJZd21rDPlpkzktdkukn75C -r+7ksZVzIn1ODd3Ln0/3oyoeU3Ae7Enem0O0/r5N2/AT2o9Jm/VIpC1ZcYmiNtO1 -65H6v6/vIl6agABX6NE5OZpEzY97FOUsutdndo7e2z9xilD4aASZ6+yrKM6e4pvf -BZ3A7OUU+an/oJNiuAtwPy54n72Ngimams8SYbGfoFK774b36/JzSbt3zKu2q3s2 -477UC6uLpVslcwsE51E53Em0F+Zk2+9sLLOZ4aJZrwlZ+wmpKrksCQO3gw5+Q//x -kb8jImZZFpIIO7QEgZA0Yxp3EZzG8h0XQ806YXtJUeRHj1q74aa0ifMr9GXfjuog -qqqleienOSmiQTvK6awFEsXklOCGhMy1NJKdjpEiWT9BZcOA1TEbE9QffbPBM+fp -5iy8ABQ9qRa27a4QHXZouNf1ScNGAxy/BLQd4CNnDyo8yUdeLjy0iQIcBBABAgAG -BQJPR+bEAAoJEHq3K0opBLYfQycP+gPH0W0nPdIdzHMfGpXWD7bMIFpvr28mGvmR -krrfIg7/qX0f1tsgW0hwnUZ6XGNKZSCp0Wn0ERErz5AB1/hFlpjmhSsC8uhCZmNs -jT2ppyfxczyged2dnd9VrMh4JmeAl56PPmf5FnZR73+ZU++N95lqMqVsDDmG0L7w -3bYHvJEsmAI97pOEBklx1rOTjEAXVYJIRxMjAiB+S3INTDRq/rwmgGpTf+0qcl7j -FHPirDqmW3fuK3eYXNZZcPdXag4n3vEZEXkx+cAI3FBJegCjc4tKDjlqwrbJxiU7 -gNk4kAlj3AfkjqzAIcFQgZbHMUFPEgIAJzzkAGSJiZh3z10Y1gRd37kwGSRr2XO1 -WN2kxP8Ts/OrPHvpbhfM5Ni+xrON3CDjuel2PVe10YjbSYOGllh/fjDj4OoJBoLB -9A4+ao6g5E8oX2m02IyUhX4QQQea+3YWOVIizO6iB+fLwX5mEaGuTbixG89R2ulr -XCIz1kg/32dXFHsvPC1oCKSZq+FDhG+kccLx4owPEl4116kGQ6wxS6zeeNyB8Bic -ZAzqHXgp634Qx14WbFRiqgf4Nk89qaGsQodYLs5s7aRjdiyYI2rYn49XD1iaVOE+ -W45uZSuld7WVs+02yd51Nl+TVqgp4k908GXC2Rsv+C9qglT1PqEMwuoQEmBnv7f0 -7/CDfoFBiQIcBBABCgAGBQJP11t5AAoJEE0FYen52+4TLyYQAKEljY9XkmGJ8fvv -dQH23nzZBainqbna0Ai2nv8bwu4iLONW9xCdtjbi2+HxDy7WHRKv7jhAF9fVoSXz -s1TQOy0C7ED2dwmvhdRcQEux4z1R+J+5UU6zEdfZEjQVnxn6PRKibFC6IfAW0EAF -5ZEuPHbIbQ91BxTfNi1RgYR9wpTgpc9RaSQ7P0Glq+AT7MwMYRwY1Gk1zRZvjQ8N -zbREuT/8dTz/mUYui/VSiM6aNBJEiavM0n3zW7Vpi9UPhKwVKCdfaqn2ff0/eV77 -LTBYsjazkwh32CLa2ygmWmxURgVc3EZziZ4K2Hucbo1hUHl5wJh7wHDBhgE/pqQg -jkz0BwuOOBUFNzc6/VUWXHAHcKDK83uP3raXXcrMfGMxgS6r1h1i6b0yITKXdmIt -Mq/bem7X8j8FM+yXJe94K7MoC6/q7sjtdGMKoP/Ko+ovvelqqh8Y+tARkUGfDeV3 -wPr4qekvGQBMzbxmyvZjpRS6cUj4tHys+WjHqVI7qqPhwAEl+nbC9ayFqhwmI7Ta -LBf577t0odhqf/iOBJrSMq5bfLZpOswQl9l+pYIQgrMfVeevIPKtHUYm1D0+ZLKo -PFcWn9BRQt+V66IQEI8Gy+xgenbcO7rl8WoVbb512yjZb0ZS4bR0/amfptqaB44T -ZYD89K5cCGTXxlMBtJQD1JZAaw3jiQEcBBABAgAGBQJQGa3bAAoJEA9+9Yywv3lN -Am4H/iV2SALVBoDqEv4O3Fh0Ky1cHoyXRDKM3LW8DLLHAxJdPTXasz43slQ1ccBa -VXPVSbVICU8Q1EZxtcSBam3F7kWFuX5udAyJtPuA5dtJR7gsY+9RS3VO0e3sfQxZ -93GW7SZ2Cfda5dUPD/9oIaSq/ZxnLcwK46Kp4Kgwa5NANlbSCU5uEfjp+/4LIftC -aMqUPRpvImkFcWihTUPaKVlg0wS0z58CXGynqVymMtvhtgoih2tgExzosocSKOff -Io0YV8mGrDlVrhZRYFxRaraTluGb0EEa2GS/ElMj2c8ckPZ0DQnRv5dqnh719If/ -XiVPxUAaTaIqIm4AODNqN36syJmJARwEEAECAAYFAlAdTMMACgkQeFuJ7kgjfABk -dwf+PqXMONUv2dHE4n3h80z6KOdqCwDvqWAVqHCmRyNcPBfcpQde4ZxkZ5h9c2fQ -ufsdJuEPpDPZnRcaqf4gLs+52fLIDVJaMs+Sa+dy0vURVhhZXQhefeESqbtiIOE1 -hB1MNTSrCIzc3pIv8trYwnjNjQ0U1d64jTSARkaIquu8+EHB8/irqVEKPSayrIwi -CWQLGBavraFLh0QPrIn94NkAy1vCHkomkxn9h1Jh6zTOOgHF8VIM43TVhEhDNREq -yOYh7+IqEAgiHjlNd3/5hM56AZLS94UEUzbJoI1O7RaO+ra9HXGkDBnAo7uL0aqI -AxthTm6Q2OV6JCEaLl6lmLnMW4kBHAQQAQIABgUCUDpKcAAKCRAppd4ZI54nx1LR -B/wJWNZfBm8ngOCiptJKJON8kfMwCRyNTyZSF+hjqmLDixWqKw6wWYPNKrMCE46Z -/EbUtJ0sBpMv7Vyrj0mKVUXEh9LZ2A9YWg9LqWHRYJYuckk/21EaDUtx02aNviSM -JPvw/YSR6VXGL1euU67HA1YtXLPnQYP/1retdjbEgaJybzwficHjM9FiSa9chzeY -eFMsK8VrtIONfUwn9brSvpKxVLv8ULfZmBhxfCUnJIrxF2CzvIJkIQlJeaq8WYMI -HxWS16gCnJLZ64jR/WxNMhpsBLrqZ/asJ9+KFfCFbZ8uVZDwmPl5Ru5b6TNgR3ue -NiF8b5vA8S63+cQ8lPiAvXLXiQEcBBIBAgAGBQJQRceuAAoJENArIqDvwzQoUZUI -AI4lnTVkMqtnGGPiezneUTsSmEeIvZOXhUtf7TftPCo+BLU0tnJGyyJqRBf5EAgo -tE8cJBn+/eTRzYToJmuHLmpMxepIWwcXELT4KmuWDWkh+b4UPJrE93KLs/KYtfeV -F/GUo5T7zCHkQJZEdcTayTPvsYGUYDuG0dZC0cRgAfonjWvRFU48bya0tYv973Zf -W9rKLFvYAeIudK4ve+huPPD89ktkUv9ewuqfM5hYWpJqSC8c4jhZ/8xzdadXk+jM -N/aH6rhHBoRdxJsX4ZTDpg2wtGiiK9FFzrF8kQniDvyeDG1qEnIAFOQU6hQHcY4a -oF5dkhwjGrvybFZXIrkhcNKJARwEEwECAAYFAlAg6YoACgkQbrijMKzOgK1ShQf9 -Gobqk3847FCHlMv80KyrFua+/7FLvZBh7ReSkHVH316BIx11tb5ne1loRYVO1Rnu -E0F+OOH2YPfFCDZFKlb+IeLq0PE5UwKLZyZWy4dnMpJ/PA1y3x9lxU3ujnDcSHVY -HK+gKgi9zsdkYR7DQsKsTXdnZWYogll/Vl+imc5jRdHKHnVywopyfj97dThhvEsE -J1MThZ/9RckIwo1RT/LYp9BkbIkseCVVSklPWXu18vASqvyGCJgH5NLmjFwJ1Urx -9LOZIv7dt0JTucVBnGFzvlET88PNftqMgiyzKUcsSdE4MEBH1+WA9h/hjFJl9b7v -2OaJdZQZq/uZJTLwSXrJv4kBIgQQAQIADAUCUEXMNAWDB4YfgAAKCRDKZikPb/nX -uwrHCACG6vtX6CUom+UqZ/ho/WdeR226mkABuVG9xUVeV+xd0/mXXbObhJAUW4DR -ii6TfrltXiHXr9A/4khsDqiTJiuo72LOX2RPu+H3ld8aKs+OOgRS1hCUpizkcBWF -T24Tl3vGOabBmws0Qvb87vQP2WXjSoUg9FdRsAORRESeB4o3aWV3mQ4UpWck1G7S -Oy5K5wi8QDkrixvPyDbYJ1xio6sWbVaUfiCv3G8QIfjmZfybzlizNEIuXnWL/sar -3ero3Omc8T8rkN0jJbCANvbwJSTvtnjOMyXWOrVrCYffcuNPYC7KZmI8DlLs50+q -gbiOd0rBc2VMmho7+QSKNPcZhyOziQIcBBABAgAGBQJPEUP8AAoJEM1jJwRsV1P9 -GHsQAJVu6DM6ncNiDxQncIixer2XDg4hVKRVX/MPmxSJrYkyyt8MtMTQnE25cE00 -XVsAJ6RTHO/QP0vgdqM7LzS7HSEk6+1Ctr/apclvUa21OhDyytFRAZ3w9KYQP2+E -ark2TVFsYuroK2IAu+He+4HkGBZqS9cFiAAjxVc7KWC0gco6Zv6J+JKmYBKrtAez -+oVbGbFL094qOmzujIyIkojFGFGyYW4vi+TrooqDTsYFEQcgcaP9YaXxpwSq+G48 -g5lLO9ivHnVq9hOrsjP7mvCEWNY0OEW1761F2dk5LZl8VO84zHGP+01Vh+CH2k0T -xelipkCBo04paUoIjfLxUmTDjtCsi65wToODK3kORcYmBeXeaTNfL8lHyiqUi+oD -f53eRU9fPaVOLdHBw4ahLw1KBdZbEQTW5QNgHrvRz2+PzV1rfDk5IfRQiYDgKz9I -txpANpRoWVxZ70WyOcSNb7b9f5ZRI/O1p/ZfGMzEO7MvRhP+2y/QOAvnWueGliCl -gmrM+C2LrSm3zxNo8FJZZwkbEJKIAEsq5p/5lQTSDo1fePzIF1Tk8ltU02092wy9 -WQ/WS7wHrhTEnPKPrkGl1R4E5n8Cpqyt3/JL8SxpUrVAhwax+/Mw1IKdTUmGRl9R -mVXnP/9lZZLYBBMwcjMTTnTXtswmafBT5Dn1WiAsMba/G0UOiQIcBBABCAAGBQJP -6n+GAAoJEHh5Y7woftFmtXoP/2YVYwdwtQTJJeM3Kowkgu30T+fSo7YYl5N+PcLl -epBx+/1O4DSZ/UQ5zIizqkoVRLpSVYpcsc7uN8LyE3bixPlVcR7x02xbYgckizHf -vkI5JVEgWTiLtE2rz3w10P2aidhnpEL9WidoGPDL3BMkSV4RB3UwTaeaeGeVfqVq -MuWaOw3wamtGZTHxK5epURG9J8spAKP0NmLRWY0HZ7l/k3KlPVKd6GXBiBLKk2/K -wxDOTH0DaVMMdfxnjO6pOIkdknNV9ToNYjTpG3B2uEZ+OEPIqmGhJXRan3eoZLdR -ro7omdIMPVGSd5f4PJygyZPBIKYT3vHqIssWjxDmIMXmet6btBr10JVbDEL6M1w/ -QLMd5WusKZi6X2KCQoRLmfOZwrPxgJQztliliNvhRSsVrJ5WrWHPHNunhwj8AVF3 -H1B/U1pwfgSFGPvtKUbAqU4WhrM4ZpeAGpFw1r6ygkqpXUe8fPcVooXS0Iox6Wg0 -03tRTt/dPmruZd/RvpJwQPsfUbcya0n5XSyN1EZP1LJWJ/n3YPdK8B+F3qsglZat -IPn8ExcCBOWOmxLJPSJt6iiK/ibB7hl15WC5a0q1/s2h8cS5Lh6JxDIeXwaL1b2j -nWvovu/+USMIloIviOJ2YD4hEbn7aRVDJy/FefuKS0Mm68f3dJFd/DrzJ2fetolq -Zk5miQIcBBABCAAGBQJQM6ZHAAoJEB2EzPAQzFvHLwoQAIOd9tBmUoS7gLDjA2ET -O3U8FMbT/iGYtmZUHcMbeitXqur44zyUNkouajVxT3Oo6IHeUlh0oEJgdRB1ojOY -isoXmsD953mEGN9fHwnuaz/uw0dXf00NevG/h+aVRb22F3KJ0m6g8SbEax0stFFh -IsbroUOk39T4SxbekFbpah6rhvnl0/I2T9jC2rLMk2husxD4rUnqEG4RljXAxsAM -96qMpEoOsYxIVywgjV4J64/ajsdxT1f+m9BqM3D6Q5rJAfl05IjzG32LOevTSod/ -16UG/PjBQqqThpciVEM604hfwBWGUTI1SNf2urqVIitv5SZTSI72UYYDAV8UXi7m -TCcZPf+V0F872l/QdLxktNvPLT3VTYD4fANAd8khNMynl9+Jt8J5WW0mBLcqmrjJ -4D020Mpe6JuGFxPL010LpB8Hel4X10Y/rfX4JrX7ORwpTCTlPud4I1xMY1eaBY6b -LxtWLr5FZS/IbSk+BGt8TnLJLvpMXpKiYxMQ/+3XfR51CDbPR6DgQfKiMANYigT6 -W2ltqjjh5jxo6JmFLgAkSqF39NvrHAtqoE4Vr//4PTL+s0rwVC7GrVLDP/XYdnZf -H8YjEhGZwSWpNTX0exZKW8dNNbwEA6BENdexSR3tLBK0fsdH+6i2Ot6kDTvUSWiN -9oMdysXpkUjVhs7ZUaupH1aFiQI9BBMBCgAnAhsDBQsJCAcDBRUKCQgLBRYCAwEA -Ah4BAheABQJTy7ckBQkIlI3+AAoJEBICghy+LNnBqV0P/27cqZ0bf/0/A+G1oeEN -CgnBOub6hI8jAymNqlEUgAyydyUitGdkJmFFIfIOfLFty9kdr+dpVLafnpZrfbFE -Zj7I4iy8IrNcYLVfnBoot3W2Vprj/2+kKmtggodVqYt/BHIHZ88d60ZbiLAMweS7 -JXD9oXpZBt0bmBamV00A7O6iwMVr06PpMFxA3BfD1c/T3s97yOzqeup8KXWSef7f -wCaE7WjYxvJTPhPXea1Av7ycfw+V/wzFT11RQ8EGXEmu4YT2d+qOL4MSrpCZCmpr -DIKNUBfAfp8dsZit73prsHxy4lcIMjwGOWsx61BA1IIXVDvcN067KbFAvmOp8C9v -d5DXT2IiStbRdK4UlOa5o9KyLMW8E9Ynu9x6eLUxtwmyI6bWur7OU106Ir/pCWlp -2OwL83b83d+IQzwr0nId4rH6JtGw8sO+mjmALwnmMInKQ74sxmd6k8Dam8ZjWa4t -RFmZ5r8RSHC4dEXRx1V3cJBu31Gv9DvvL1iKj9DfyNfotQ/w/jyhxsJG+UyAW3CI -ong8Yignn5ekuolmkZCvDQIhkocRL9lprdiczx6BoUzfEXzK281rxrp9FQPDrHZi -c5VJhrNbxpi4A/t/cyuYbVmMc3wROcza9l3QTOHCH/Asxfac/YqcXOQ+b+9ClYU6 -AYdwqmhqbTp63lzbnyAMo0BLiQEiBBABAgAMBQJQYhssBYMHhh+AAAoJECi7uQ/x -yuFg8osH/RYc2WSChoY8pqNxeKRqOTwxMUgKVEOeVRdHDMFppc+M21bZwzNVzaZ9 -23KR6iqV0Cj+bysxVJ752Vnm8JSr5MI1mhT8Nb1JQBUTxltQW1hCU0TKZwlBiesU -q3qEb/O6YiQFjN+0oGcmgGJxBzMAFiGJIaxowLe1+nxOv7QWilnfnd/eju0c1/T9 -gKr5rLrHtvkYXMQnVIa4OHdZvt9ASN/e5HPy3erI2BLa3fWLd+rJfc15SY9tFZdS -eGbedgXdes30ZyrXdmp6kg8cjdQCtdORYd9g56AlZbwA/gra6WsfcoZVnD9gRN1v -OIUDvwgjgUWTnPlHDKgNeWuD7BnkOm2JASIEEgECAAwFAlBpp0cFgweGH4AACgkQ -vC6y2YmXnYtE5Qf/Yjdnqmb/F0Jy9ei/IEm4ael2lINLCR2iOyX1L5XrkJCq8rLe -EJ8dDVSCPWsc08nMM4sPYfUntWXsCoFbuR2mALyH6XOA3Qj/dsOxw+CdstJLF3oS -KjpZmbDekq8w/ZSyXH/Eu13wL8STMSriTdskvpPkx7O/moBY9+QOU7fauePr5IW3 -B+V8YJpFSaIFGSqSQO/77Tp8w8fxC2QQamexpOSWfPTO3TbWlL/ezAc2Z6vfaP3Q -eUuFXYZLjzxVTArqpPO4oe5opBTpEGdF2UZmlkLnKJjhfnzFCSHT6jLj9vCufAPR -tbNFGTmRCZB8cnhxkDddx7BWpEoHZSL6Ms3en4kBHAQQAQIABgUCUPLP9wAKCRCX -YdiGVCBCZi/8B/4o6gc0JGxnW0HfLWMFbZxG6rvKEliNfI+yqdS/OKUGmXDHxOyh -9ISlgUNDUHpXM+FUhu7g+MsncJFYKafspNrTkBzI1ASgBAuHfqUXN+X9tQrqjDvx -vIkDrqHfr6jVqos51eie0EnpmLXKEBQYu7kNK1hzRQe2TL+cwfK5D1/5ZDaI9tkM -ZUbzEqWPQiebKfbejnHzErMY5HZ/cqrtmiLz0HVZo4UswvQyrhnt1IgWQXeLcYGH -LfhZ1KasyuutnEXwwlouIcm8yFJfG4J/I1T7OmJ0mMjlHrfLrB5t9dIwqkHL0m14 -9P75vK4pqwjPMr7y5k5jwNWjkl1IdOuBsM7riQEiBBABAgAMBQJQ4DWoBYMHhh+A -AAoJEM4ZxI5aOi2ksV0H/jRNU0BbpjD7T2uCOpUXMsvaKNhF7vBhuciLgqmj85WB -uei7480pa6lAp+32iTI8+Lkm6mWc8Zxaz1aoik9KXDQAY8TtNw/w6VZERmxayp6Z -esV1peOWH8NHsenfUfRklcnF5V6hAOLKPy/DZrRY0MSy+ZM8/xdU2Md34rORqO5H -//u0SlliaXQOYt5Rzei3JAAUuU4GvVzE4VzWvez/9mbjjl1W+xCes8hkJEyGdFNt -d46cI8vVn9eC93Qr3scUA/j57u82PCuPK4PLLJ7CqflZbdHBn7bCAeXxVJ2QKpoj -WMm8WF3SkJNWYDoFXcS54rjUWZOpit2ZLNTio6GJghqJAhwEEAEIAAYFAlD259UA -CgkQW7yjptl4BsHX3Q//ZSwNA1OFFWmRHM3A6ruCnEj53xdyvfLDpL+YISjt2YGR -MnJc7/l3OuDNVIYor4V/1kYJXMxQf1W6JmLOuf1pBStEZX79DMmTzkgmN9We3AoW -kVys2a5SWScsANeNcZF4CrwvPCwbWi1tAlo2aT9ySp9NW2/AC7V8/he1ybPFomJN -MSEC1En7LsZZ6lwYkbVcb/g+zfUpmlVAD72ZOJW85TfH2cvyoUaLHLjdxQlA8sr9 -9Fz+FUZ5ItpW7cd3+UB4h/7XQAXUJlRfVBoD15uvh3NIz90Xsvmdtz+9nxniA3K7 -dqtiN2LLIP44dTI1S5OJVcWPiqmciqLX+ROGBlyKaSLLOtZevezthdSFACMP39J6 -EE6tivbpABMwGoGAmIvJTO548uFzyqA/VfaS/L2e1QsLFm4oByU1Y0bWua1M+7qB -covK//rQ0UMx85wY3cNn1K3MVqXe4wqrWholKlfSP+SuKCGsy+klZAFKXH2uv3eb -Aocgle1BiQtq3qUOAsgsJXPuS+UlLxIKKFJgu1I0IXl8QN009/fPIDXRr5q0y3tB -cbUog/z4qFMgbq56tQv9m88NyD3X+DGzMb5aVCY+FdLCa0HwAQND7FmcgifnFUda -Up+jCxL0613vi9H3/I64zwJVddHJhuXA2JcFc7vGLwF53J5srEvitAKeJHfPJISJ -AhwEEAEKAAYFAlCqYjYACgkQOYqkiHMOHHC03w/+OW6ZdGZBHYjWM4PVCbyp8eyG -KUfyM0KL/6kTXytVodzBkF05pRL4jNhD7QQ7FURILeHuyy+64gTe9rW10LQJqb0n -HE+lrso2y0RYXAoWSGI5CsEA6qhMoCEwAZ607VtpMy8nxKF/5kZXdVZmOvluq/Lt -CdhIUQVsVh6CjvVbqxbUaV/LFJABMAMy43vQS5WAFUCaFb5D0L+SK1rA6Dj3L2oX -epSg/VlTpHA3JD6hTC5g7Hl7CAAS+D/PSX/ohMbHsDl/ffaOfL1e/uWT1iNyqqmW -j/0/XIAH6K2GABP0LwZkwEsslu0vYceZTl2Mxav61cC+x70gC5ghAqdIk8saByaN -F/7wKuojEedh/fc3XQxYaIOLbn2ES1nNJpzJDUFrbTB28Qi4/hTlimyabx+fW7Qq -dGtoJ2rtQrFwm0TvJbaNIWd884dh+QNpJi3m3YGXHELeR8FMihzDiVcu5jH+LTv9 -ShoL3cpZZf4hE9YU/s5ngmPaBf9bycM1cHheyeHV84396i/x1hNO1O3heA1c8p4q -y4dKag8lwFX8fpyhO52AOlDs9fYfjFMNAD1/eK0gxC6znJ4aOtJHjNhF5farYu9j -Y5lgEg1GtX93J0E99kKJNt/vf4TWfSWF7lrdr569o1BvQTzngW3kuI/0Tuy83qGC -yBiMRKu8VpUExsw56/yJAhwEEAEKAAYFAlDMmZAACgkQC+jNIAO1yaasng/9FJh5 -PiQOS6aw7m39dvK1WlhSmLo0v2+jZh5Wq5J6KAgauoRArXyWB6RqgN4fWdl6AR3Q -exC6U525Dk7WW7YWp95WTKcAHMXgV95rEYJW55pBmAciCjyHsnLbTJQbg4gQzuyw -zX3KsBnOhAFAwk2NIZSlWEw+WwRhZUhC5HYD6daSnOexG+GoPBTypFb49aHJyS/W -yLojQT6xz0XNBrPV1L3qsrIHyUvGqnOEKg2uEwUGaBkT53bTeVXkLplI+EhJpkHr -0Hm/1djfTb8l2TDgRMd8MVNHfYEgcA/pjUMscPPSG2seUnjACVY1sP+G4yXbeRdS -81gN6BDbcbGnbfUVqZHYGbNn23aZk92Ji+8LyJ295n6K47uoqEm8b41oSmWnXbwi -sEIrBziVytkvzgPB51AXUIPQAZo7kVY5VIX3WumSPnXELC5iNGETW2CYS4rj8Q/c -aSx1C0ZEazi1AUOCnjNU7qCN8ysxi2f0BYK+l3pErtbJX0FsC7FUd02qpy6x3gIT -oSKBWSxlC44dol36gfnusnjk0lVzTfurODEURUM8/ROvjzmJB1jXEhteaJi6xm49 -mc3+P48ovMG1HeBDON4LRO/IwIaN324rmwWHQ2aOiTJwqS612w5DDTgNiTqzjoa9 -gxO+YJ7r6xxnOCQL4/eQiUFQTfykZYJj3FSXZSGJAhwEEAECAAYFAlE6BqYACgkQ -FRqIBvJE6ywKQg//eGwLZwz5UfSa4576wngxTX1uOGesmXCLGQ+OJqWx2kP0Lbp0 -uEQ+dJ6iCw/oD7HSM8MZAnL2wrSNG1kOYGpsb2mdCBJRL2bQZ8rMhBwrKwbnGHTq -PI5NbQluf6SiD1dC1oxx30vbDECBO9HVv6ZCQfeVcx5UMb05hygRu/tF3+gKMEns -oJ6L+wBNGAjPg+jt2ZpTyAm+5+Oq4Tlbuqb+rlFoPldapfIe3cDiT8mLXh+05VFE -a7oTgNG5ToaLGAv8IFxNPReklW+fAvhwXX/DMPKwffvhKHpDijcNguCK/UI56mqb -MubWMTFuC2ZVOuT8oTTGSzdpyhXvc+Mb/ly4iX8R1Jle3B/FkHFEoJiX9+SIWtLw -tNpWpNDSG8hyZT9wgg1AF8RMOa58iVGM0HFWw6YPKbB4VmwDMoVjmW768JZp2pd4 -ZfY3qJDykXUkwCDtv2R1QVhWMhu8/qW0VWS1xHwpjCFDVw8f3XnFmESjaFp50BSF -hGjoeJb2GlDcWrA1MV60ph9FKn8Vr4bYZfgkSw8TZTobq8EMCLl4+GgvqBH6JbAh -6qZfXOb1GW0yrMT3s+D8eUOtmPblAZ+eM3WHdEkcTISgU36p+4pQ4w50FthOliOz -5SRbKzAzQ6wujmGgassyCZ5SWJSN2NHx0V0iQy6tRHDxyL/K30L3zkQZV86JARwE -EAECAAYFAlGL+X8ACgkQPYs1fBzvU/9D8ggAwUtilPOUSR+pCDQ683Wlt9AQTwCi -SSdcYu7R+npDY14elk6Wxel586e7cYZbsX04lOTY3z84cGyNA+58lEfSSJg2f85h -ZTjiSLM5zBS6uBFiCEayLga9tT+kENP/ryoXrPz/iHy6Un/w3CIoT0CMm6+gC/Kb -RVxsFUC+jYMadGYAUMb+k8gr+uVTRRYyt/cMsHxCs6JM9vSV5NlLfYY8vsZpVN7g -8IZSFcEltzozDKG+lSxWmvhof//K/X4sl6vd80aHl1NeG9f8nMNwIkY8Z6GdvUzH -9gX5+WyoGHyhzWBvGEG8Zy7KgmWUZJnXIveTtQ6SMzryRM2u6PYjtAQhkYkBHAQQ -AQoABgUCUXRnlgAKCRB3C2+aLwLOSZjnB/9MRIn/1Udrb/e22qhG2vESyy5X3BMI -Hu0UglrNvb4xfLZzKEqn7nhFor4dqBIT7Ebv+t2vT5WZwtauQOK5Dwpo61dBGHre -uI6DmxnLD7e2jmnI/N8GlNCGk8ergT1LVF7RStWyXOr1+hQ2am+aaZu5FZrmJhiZ -lnAoHhizMnE16OpZcr4PTafvaf+oKff3RF+rylJnIOesvfsK+mJtRMZVepK7exm7 -ADnAXyNg04XfgRg2Cs80juaQuGLIH7gB+1P+WZwOUtyfO94TaJbb0tCrVXMASpoX -ZolEh5cvN589lP84xrXYxOYWkKWaJ4W2m/mQbhuIlmnc82MHXGStuir3iQEiBBAB -AgAMBQJRT1BABQMAEnUAAAoJEJcQuJvKV618E2oH/R1hko0eXRzk/r8CwmSTpJGb -c5C+W2X14qFxWxrbT2DQGg4guYH6TCgbF1aBTj8WQWmx9MOVHm9p2+217tFDT/a5 -1/pASuJeY7si4Il0uScwfyLXGWT7mkM3a1OF1OWiG7psKxGsd8/aKfezRFxBId8A -rzJgh7bCSalWJE+Udf2EkVYZa/4WFlgfiDVxyPJvwRAWLgiJpf6ZQi1hq2f7u4tx -HNlggiG9TYca0iVMy4kHhSvKzlPqB7HS9eHKI0UKjhp/2alZPv9KNPtCmPPfeZQu -1ja9wsFgC7KLyl1KX2Zihhff68m+A/Gz+0Hii3pupHRgmy17Gkd1BjVuimHGaBKJ -ASIEEAECAAwFAlFhHKcFAwASdQAACgkQlxC4m8pXrXzQCQf+ILbDc0SNnoAFADQf -L3kxEGiVLb2irQlFAYBEBoDh+o2kodIA/hNinuqQ23oWNkFK903SEwAqD90YtXQC -rDsdEAu3HYaUoM9U9UyB52rGdvddfv2MHh9xZTv7HgNXoWf49PBT5jeCee8qtsEU -1ODJ17etb9XrvtYJGuIsgtFoJmSxeXUPQFk5240UbjXAW45cmzFjvTQXpik0WPyh -uPNo3fqt1bnj8xKF5yEr91H4EqKTQ1Ure6ZNi0DWP9Z0HDCSq7rSou9qK2wCt1Gv -FedlNQ8PcHC6NMO91JGsA2SL74+oWOUog3UE+py9d+6nuyE20TGFi7OmQB4WTTeJ -TwkPxokBIgQQAQIADAUCUZXYwQUDABJ1AAAKCRCXELibyletfI7zB/0S+OH16Ojy -WRYoTda6OumFRjmCXCHmzJMZ+687JU0ylkAY+A61jyABvURFCw6lS4X+JfwfvB6S -Ct1PhooAB0wSgtpRGVmB+gH1tRDJ5swxthhLU+WNs4GBORHIrubEYI0xccFQBr1J -RmVzSrgLboT4voDZ4BwMnJYJnLTE3hdg0FEiD0lCKKQUfoVY6dfxVDfIkz34PGVb -2Cq/czYm+Y9wNhL2jHHD6ozn7sRwow3wsd+/kYfidFw17ce5WT1CCa9t3mqEku3J -KNZQydHtSEOl61yX1nSSHNAhFudWqBqF4nOh/NB0JzqoLu1hPHd+DSVpasVwVESG -cNoFrVRQfg5MiQEiBBABCgAMBQJRfbe2BYMHhh+AAAoJEO5Q8atV29VFba4H/ApK -7jQmjvXh6z+Aqo3/H3cSsB0Kjbr6//1rLy55/pXypLnl+kZlS5tY3B6cBX1AtC+m -7o3jA3V4GotLMU2udMZB8LwJrPoeZxShSWHqtu0eD9ZCfZdxwTUbTrPeBPTUC6ur -Tjd6qSs9YW5hbEgV3KSkjINPsHEgJpc7EdetelhfX0S6iROsQZ4qbzi51lJOu/FR -ELqG/leigkiS4ESipcSmSzLblg+Lor0xoCa+kkj1tzzn5IWZ1ql67CbJ5U8OAe13 -XwPnaR3DI0jU+v/YHvcZ7fsr1eB6IOZJFjQ4kfrjaKYY3CGaYvpafrCryWg+Lzx+ -Gkc9c6HUl7SWbLBXl2mJASIEEgECAAwFAlFcoj0FgweGH4AACgkQX5UZBJqNDDaC -5ggAx28Vonpuju3XWw97vuUwv2EhHR/qPqCA0KR7cfhwwCceIbyTFNdsXpkNkucA -U/mjsVwuRvBhopwf0wU1AY984jEhvFAJLl/NJ8Ss2VHMqENw84jqo5YmH5TMcASG -gf4qlE00j6zbb2It+wXcur7gm0ag+Qbaaemz0wWRL5KN19TBJMC2Tvw2JxUeZiSs -Tgoqr08zxX/f4YqMUWqyY8s5kgftcH2ob1ub1pbozSlWu2H0ZKiOC3vvW/HAyGjL -5mzEBEKlQoxbA9Gu8FYdX08Rm9d7RTBiUJLIYa1xnkL3WARTHWjomFShE90eR91Q -9t2zwTQ1u020IiuIgq7MCh9cOYkBnAQQAQIABgUCUXafUAAKCRDF+fCKB50omxRS -C/9PSRPpRRMFP17H3X8x7Ijn6RrXYYdscGlOEEWEpk5Ht00CGdQOccPzm9rGWGLd -y/8FyxkrjLerl0PyNbVt+snFA9lOFaLYWlWJhN+nSFacyG5+TO3aKKAhXyMF3n9Q -tO9rFj1Ib3bKLqnSZ8f4wzScg06UKPXFwbB89+NC7vBvSLquUQNWJ/fokvmsvdYl -KxNmdB5R4m3S7NkhjSozdPulFbUDM6myzoDTbg1pIcCJn4sb4hqlFvQIZRQm3rQu -NznUB44LP7xl6ky/udrbscRpFWVwacdiQTCjYbxmPLUY1+4OlpqSS0dTDzQNeNTz -29GQX9k3iBK03SecAjYApZy+wZI5+2eNrFEVyc1g9M9mLxOl5mmbC82vz0DjOiAJ -a0WpJdPm7+g2+kzHRsXTw+eG1dAOep/4Kd500+JjKv2PLS+jtkU7ElMQnliIhzBk -3pdz4XDe65gk1LhcH46Po/2Vz2NtJf2EHltQ5EjTWq5iQgPOSrRXDMfYmLATyAlA -tpyJAhwEEAECAAYFAk/W9PcACgkQacHhvTvxU766nQ//UZhtfQqqv4ctAgje7T1+ -wkcPKhMgRIkx22O0h4lYo7T/G/g93kSO2RWkHyoxzZI/DlvjbxuIlJekTpvdNTdg -lmsuOcUM63wRiGdqEXhmo6SB5S+9bprlLkEssKOAVEg5yYGGHgx/3L1VviwYNQSJ -oaLvEfxOLBeQ9ORL/6ZWL+1DO2GzzUgTIecI1Txhm04CTTx/WL8kJFBGrQWxjJr9 -MpqU6WKopa7DJZxId1HygxcfeQ+I98cyXCTkfi8ZMjuZeJFuXz22rOrB4xl4vXs8 -CxaioSdWvsyWHlLeeLiBlyNcRWbsKA3nLMWKQtH1wKhHeUEOoffKvtW1/0KOx9W9 -asJgEFJOWT/Gv81bIwGGq4Jxlv8ffKQSp9BwiHDuh++HVVBnbBmNw/OKNX0vMFcK -C7ev0gCtLuVT0jvOLOX8UK5yHrOJpma8Qo3zVWX6dqWOMp/0wbmzbNgN5CslsEdF -Zge07iGM0Ybsk5FHE0vMVvRd2vnphlnYWnlkJENuSwypWWynFgjF5VHupDOzPV7m -ubBvSzXt5SXE42tiYkvw0VpnxHzvMnrIcEo2bRni0VQoMjOBt7KTtngRra5Vwo7M -bZwD5EgwX88l9YVw7t6vW02JnoFCI1pFbAFe+Mg1eRLYmqNFy1kop8fysi4QqHDf -xnCc9JLt+QUpSAGzl+D8cUuJAiIEEAEKAAwFAlGGcDgFgwPCZwAACgkQzNLtlNIX -OenZWg/+Nb96GpsWjiy+0Nm20kV2v2HzLEHkfEPYUcgCfaGUhJnXzn31W6sz91Bf -M5t38rMnVUpiufVvKX6tNqR5OtfDVNLeXbbCD/x/h4YQTTXNjk4agF8y/Cq4E0Hp -cJlZop3nw3UKbVQ6hRZ/CvohItpQrBa7sACsTz4LiFcL63nF78uM6mDVw0Mjl3CG -FStfp3WsLMCaZhBLH3bHWqaQ2xtsszecObzC5ZiMVAMyGFUDVoWXEnqPQ3KtumAH -a6SxcIRbMY3vx0PzQT5uepuvEvVGb5lAd6TAxO6iGWMXxqYw/a9YRhN7T9xiNyVL -J9F4L4reAUMXqRxTYeFBYlQEjCl2K8waPq/bvc5rOoiXKRySnq+aki7dHp396ZqR -dxyaGnG0lVYi4lG96ATA6h0LvDcnTiiWWA0yepaoCY7v0l5PX7oBv0u07dy7FVXu -hCX/ix0MC3O6YrXGuebNrWX7XTJYHLb/crrotaY/mYhTdhle8+AUQK1/wWHXI4H4 -AHA4cgnN4uoZa3yHYy/iyxhRGuiW6qEs+Pk416l95Ab0a+GtjLApPvBEec+XGkk8 -OfWRcF5ZqJ4fDID3IEFfEMODP6ftWZQY44DzjAaQFqH2d2/VEYd7s0bbhT8ZPjBP -yOUJyIumA1XRr26qnhvyY4Om5gX+ERw6jKKB/ZJBkRd4E33lw5WIRgQQEQIABgUC -Uc6nUwAKCRA8AJ5rEge/uq1gAJ0SXcR23vDgaK9pP6NlUCpMRzh+ZQCeNFFHzPjx -8caJhM50EanczVI/oj2JARwEEAECAAYFAlGLlk8ACgkQUTYggHCoDB0j4Af+KipB -VSVDVFChPx5A/H1ljG6s0kVF3J7M+su/G5W6WbF8caQejZI2avJ9jYoRSVJHpZ5T -CXubyp9MmZRpoY5KLiVe85WJjoUT8G8c1ejLE9eC3ZAdCk3YyWuoh2Q8y+MrPMsy -1AmZKcdTyMLqfxHnG+F1a/SHmy0ukdPdaYsShk4geqcKFJC9/ai5aDa+imRmVYt5 -XIoMAhx8EfwREH/IB4QBw53zMThZdIsQUH2OLm+hT8koRcY7w4XL+jVupInBPlxv -x3UMNiaDGgN1Hq0ebxfJn37DY461H3zU3+4wayjdRdfx0oOxlTK+/C01x/hleznz -t1FrgBtStiRLr5jf5okBHAQQAQIABgUCUczHkAAKCRCXB3AZ7Iijfa4WCAC2a3zK -nOaKRq0KuJT2xrolBhwAanuqMnFopcznnJOnmwKGVpuIkRAhLMVMnDUSd6jeNFae -Juqlnv+NYVtuWqardTF6X269XLduGpjJ8tlgNpLZa3Yb3sGaEVz3zybFcVYa3+X5 -35xsjFrwSBxVWIDWS01p8WanjYxcxhpiUnTNnhLl4qhH/1z+WiWvpewrn7IT+CDm -9YYuH4UPBqkNQC0Sn9gCxEoYMOhBEVrMGReSqdFk4O+Vg6DnmemgG3x0lUHZ23aT -lYfMcf4SntZ2yiRuwjwHXsmTI9AqrjMCP7xCL5VXdO7/nKmC1WImGkDF6mNOpuew -fnjMtPMjK2LTHxBHiQEcBBABAgAGBQJR0UbsAAoJELTNg+qCLVqRn4AH/jDOQExS -eEuhDAvRJMFKlvpdJ73J6KjovenhXa6SLmOJVaIEPeFS6aRQ1/2/enzI/zqlm1is -T9ywkj3M7vUHRQnU96fHqo2+5zMVx3LkLkZW25sVNhVWdaSRqrlTw4ZVPb9LFGJ3 -wyDGyczGyhhha50xiMauQ++8w9tyQvPiYvjQrY3TvMDPUDR3gEFN6PowAbOlUgus -ElSoOMcd7HMBz7yQcsw4/FzHxRfd753YbkMd8/CthoQzskQLMAag9YMxrKtSE8yH -zkMxi5gw4NqFjuctyVEfBd1wAweWrZ6yWEArgr+AyXTEaMfIgoWvMuzDzAirNPyb -UCvO6xeh5uQhtXWJASIEEAECAAwFAlE+K+YFAwASdQAACgkQlxC4m8pXrXzZNQf/ -Y3p37n9dQKoqhUCV+RIovvZO6ffTfHpB6k46F8GKxxKK6r+OV3ftC3BNhLAhgHlT -eb5FOwWZSMypCCUKNp1n6FkhpaYCYly0U1CQdJVHU4RZj3cnYhTHUi1J9WB6rS6q -XLxC/4A4+3aqCg8C2Hely79N3i69U54lVeACBR6cSdmwn330aEA/MGv6KQH3Ap4E -djlbWpw+XZFQffPObmmgb9378miGPQyb0z7E61LGKG7FmIo8SMRrfsttyhjArROo -ZoFOxPbm6yJytYz7xDqqjYf9sSLqjb3Vs6HRVM12J1kOkKBl7KFNXEdY+UcJioFG -848Fak9J2ulwzjuZasBdIIkBIgQQAQIADAUCUZ8y3AUDABJ1AAAKCRCXELibylet -fNqlB/9SLNyOjxrHcSQ21BoWBtLR+gwFXO7quiqN2uIEThPgnDhkygpSoOgKwrwZ -lIrqa6HfaKWs580VoyaJTZSE7jt21jsSi/kyYALip6Qd4a8JbsfHJNF3ujojjUyH -CLBS85wubydHBdxVvcF4jFaK0uudtqY8oezBC4klrg7S6IVALpyL3ULz8JIv+7Ul -OYET9rBOIUTZx6lsE47S1fDMOIFOUgwtmEF1m9fFXOW54VO9xAYC5x/rvKvyTWsh -SE/9xdnrnJV5l54FOMw1XDFnG3wQ5Ij+X+3jjse0ntxdIuvsBgCkFOB+nA9TbC/s -bqlinC+vZz6O1icBc5zu9wQcUBWkiQEiBBABAgAMBQJRsN7nBQMAEnUAAAoJEJcQ -uJvKV618+4AIAMlgEQ+oWu1U4gz7G8IcqqCsJsAYdBVHFweI0lkVae9ffQkuThBn -M3Q3Ym5G3L1Ya7dBzPrBFca0WMfeO4AC+w5tcdHwS3TYlgFFroyntHVuZfevx78Z -ExoBWEea7WXEbGX3YmCc9RApIXDrb6ArjlcGHqNmhrzY4pdTLOUK/exqZC4p1+pB -/DYsMms4UTFPKNTXsFf8B5BQmTj4HGPv26OcSe8vCWAL20ZqDdEl9g3AOtGBt0Me -y4RfbJ+w8lkfU+RFXl9zCZfQaRJmF0N4AuO/7rPDcubZ3hNl3rTrPzPpE9/l6boW -ycrXX/hIf71p2lAD9yIJb65MsJudjrqLdA6JASIEEAECAAwFAlHCAr0FAwASdQAA -CgkQlxC4m8pXrXycPggAiWBvQq5wotKi/2Qi9PzV1FVa4PEqJdZQxbDXqBDVUYYm -FcTFILF1bL8QPpEWIkyCYFGkBDZB63LXt9nKaZG7llB37Z8CzfH78MAdjWal13FO -6xu5SkAe+gAih8dNV3P93/DDF1jTIAQA3Ph8Afbrh2ztXeoY5PjA0dDQf8YPBcSm -RFH/zwfGx5mzmvwOFAoREl4FscwSlmYlpCyc3IrZKQS7u+xYNQDURKbH2lJKGpQw -819GzKgQeLoxr7/qA20iiOpv2wDyaUTXVAb/M5J8c/HJEWWD7Cncla+g99v9Ewj+ -imttyyTgzfszN3iK0b0HUov7z7b4sUuBwblSbJN88IkBIgQQAQIADAUCUdMmrQUD -ABJ1AAAKCRCXELibyletfOEoCACs5/rfWmDk1gw2p07opfcYaTrMUfivyN4walxC -PhYWT//VBrPjBeV19BE6T/KmaBkNOucv1TCCeQnZM7rT85p9wii/RkcyP+TIu2Kx -kDQHV5h2SOYQMDtKVHmF+Cb0ji8BQFHDMLlKjxaznpMG1a6fTzv2QaibbKHoq1kZ -bXFyB0BTR743dQouB7+u0dugBtTZdSLs06jsrBl7BFv4xuKT68ersgj/2An9rcx6 -9GHL6RCTxgvB820KnQZlCdnO4Nhm1UD3en8pXkBU/fuXGUvCuXv/RmW3Ly0PiY6M -XzAN1pzsG1VDmh2C0eyleTvDHUiDZdLpghzHI7c7/yugkkQ3iQEiBBIBAgAMBQJR -3/bjBYMHhh+AAAoJENZeCl/p8l2/wW8H/j2u6Vh/SPudKaxDv/ihRYdlPVczvm0r -s+eobUD+rG2m9XSpTHakkyPtu3rcghTBPa/hpDAkwwLiscs/oVw5LTkrslpWr38Z -Xdcv7UaMBOe9jFr8Pi/F0tp99Mm0kGx4GvPOGBRVuatTsrfy0xO4GmmYXpj3dyOb -YZuMrknySzywq2NGhjyTDcRE/hyXYRM6pXAI9ww/gqQG193cZakXZsO4WhTj8djr -vVfR0+BRHRhnCUGafJ7D0L6zQStvhWYWR7prgRtlqaMzIqEVZwTpajStwkU6Kzux -F2rx72A0favi+7yRHPmftfr306YF/+KH//9Q47SOGf71LIQc2t3/SEKJASIEEAEC -AAwFAlHk9EQFAwASdQAACgkQlxC4m8pXrXza8Af/S+CqxaYq6VruAoKJU5XnGIUs -dzL9H6SpGKNvMhQk9lpHKCOhFFsnzboZr43ETwtFwTUDIkNvBYOCs0nKb6WYNhg8 -rzM1KaZJ6YqRjVy8BqthBtsgQlxeQh2mFhrBN0mMqRIBKj95OFMofGpSzoDLCzUW -YoB8St7pAUFpb81L31aG5ytTIH17Lrg48sTe8FUMRNpc/VP44umHFQKjtMbJtpUP -qssCKF3fvt2nWWT1A42U3VOW+Qy+wpKKGmOWBq+elPlJ72eNaL4G4qe3JWROsJgo -jFRT/5Dfqj7rkVvUc9DF5NTV4KTuwaBn9YL+DtBaCZ4kdbW8YyUaXHaugTk0OokC -HAQQAQoABgUCUeV9NQAKCRAPkVMAxdkKWEXfEACdZv6jbmG0PWcoXC8LFE1HkbDV -Ac/z4q0FVFzkYLCSrIRXDzBx2D5SWkiq4BxohjCpnRX+rxEaidla9L1wl7pjZw7N -yEjktKM38tg77hkNW6AqbAEXKKb2Ruj85eMdYvAxJ35L6Fj6kYzGQ4fypqDjJD6K -Zt4QEhDrjppxv+5ABKn8ocDrNpFIZtNBUFrP7NMvkpE+4ppUkdDOi5FlvrwrCoAA -ggsArurzxzKgzc8c4ljxSKW0ztzf7Az8AQ6Hk6O0GkyBGz1Z7PhYtddAp0wAtn3G -21WMRPkt7583IxjJqTrcSGYfR0B0wsy3eCT/uePCRfdZydbf4XpCa4yfTAoDAmMn -CnngjZrHdF4bFSvslg6SzrpdekmW7JhC54VOkmDpP2vjIjGRtgdcSp58nHCL+yKJ -MANdD+HaLrdMO6ikRG+c8rGZj129QfgAM+3/UZPAM1i5ubtIcqGTZzTMzVF82C/C -9B966uzwlJnf+m6nStTedAmOWX05QYAXhpmSEYKq/Od9zejWb7x5Acdbs8puxklT -A//Qu3EU7JHaOqHs2+C6lLYLDq9pSpekyvOjRVvJhNgM3ApsevhbfRphIh2VHOj0 -ZmHW/QCBkSh+1nLomgyy1vScqkYky51OfPqpbXSsKDHbVdI5BqE5WBhVmaiEEvne -0nxOdqnc3de8is+7GokBHAQQAQIABgUCTe+yJQAKCRD2QNQ20Da+vwNJCACA83R0 -IJ8XupbFwxrLZd7aHh0ezd55wGGryjl7uz9VMammyun/+uFu/l8PkDWdyJinOzyb -LoVQc9115IsK7baDVUbYBVysoMG0+rVkfAdIKbgap51bNAK2MrdNxLa7EOFxsyPI -FmN3PcumjBZOXCnUfTqiste+GeB+M3XByZDvrn+sQ4PZLEG2/nhljFq2HRnvqtEP -2FkF09xl3UOLMBO6onhgQOYVjNuz0kg7Rl6boHyo3giK+soW5SBqzcq+2kEuFir+ -DIg3Q/xhM685uvN01JDOiA9A534tewD8yPjZOGtPLi3eVowp5zf9ZhWSSSslW1+2 -0/04Qvlx+Hei6ZqkiQEcBBABAgAGBQJSAvQPAAoJELGxtN0n13k4wRQH/Ak9ccVI -I+XJ4Mpd3TfJYq6J1Z0Nk9FI7rtGdGQRjv+MKNVZbQUkTg6w1eiPEKOfL4iNLaot -GDtcSZCRpVIV+/DEO2ZNevcoRJBBI0rjVwzAMq1XnLRSVEVmGi3uuWUJdkxAKH/9 -orPsF00ZOliMeQ+cdpiD+CfI1rqicwPivmsmCdzFZaJDQcxBe4TyRadLLhkP2+Qx -AogM5Um4SJkIeR1PwI2xWpdgd/wivjLaN5g4rD/vDEUWIBH5mjUCFjgVIAFGkL/2 -vMRtodDaXdTlVWykM0ttbK2K2YAmVu3Zyz0LAlNtdqRvyt30ehhKaIuLoBI2CCuv -OVTILkHRUxEYFU6JARwEEAECAAYFAlIITJwACgkQTIisesKkAnzGDAf/VYr2u/s4 -2wfONBHUvgRKQ9ig0jXybMvw1qF/6EnjhBngS9/hiILZY9l7Lw3vDVhfZbqMRj5j -PP1pluoFnhRbFrdEUsHBNXrQgmwkaFYCfR1RBt0e7FX2ql4Z9zbUBOpjh/qVEHpa -zEoDDRwF1JN1l+mDC9aBWc0S+pDxP2g9iGQez9iKloZ5NGt+Y0chrIKxE/0zkbGS -Y2c+b+MLMvfP/0UpUT4IemYFGmiAlLxdQuibZe1L2Sr+zTvxYIlgObv8GoSRDd0K -RsicoqBGtNZFjQUT1keQ9yljfwa56DknwhUoWZuA0L336eRSBUzeVsmtjy6KvSWa -uq48IoAkqn8V1YkBHAQQAQIABgUCUhG51QAKCRAZDZxuGVCo1uQaB/9xQ5fIrYuN -OJehQRUCSKvAd0U4TgfrY2ROAwFaOR7yyHklKjm0T6ab1fpmH58LoDvgbBsiEsFq -g3chPtPHRk0YO9NnQEb74bORbb5MxL6tFuh3AN60kCAn4FGatFxqLcfbGsWcbr73 -GJatAT3I++RFlpZ1WapPI5/E/uzG5DhxiSGJ/5oe/8+0NRJnF4EYWL6AHX8788l/ -+m9Vlo2uu4yfj/tA6elOptW7botDW5gPiL9TgXkAmd729ORMg9Hm20KRERcKNBdN -zsL/Rt7kv3TG3UCeO4YpYTWdW4RX8Hj9/mLqVGU4wOsRjEb3b826kzZXHQJRTAbw -gLchwzv/2kYQiQEiBBABAgAMBQJR9r82BQMAEnUAAAoJEJcQuJvKV618BWoH/29t -u8AodIexIXskbGHHdU0Uz2tvb0J4tv3uMFp1tc/lAUlmS0sH06vtW5j7cu/kBzFC -sya1twrXjiggMLq2BahhJjceOWqxRaX/Klh9fr6p4XUm/8Xr8e60hN9XdY71tDPH -L5yZ798eBd0For4yOsw0yQKemUM3HTkWAOcIazeuMQxboc6jCjHec+1jO2vOEooI -6B6HiCxsy+N8ztAZHmrd3BnFKMUDoi4HaHup8pW4fOKBZVXSACN3SqtkFa6Z0OFj -q9TsyFHF4816M0HSigVaAaKmxSJe7+LQ4CkRzo6hwpxM+JwWUHbr3sQYsWOfW4M4 -917cnbENJlmFSHOWDaOJASIEEAECAAwFAlIIiuEFAwASdQAACgkQlxC4m8pXrXx8 -9AgAqO/5yrrUZYvAVsBtYCipl9EEXCh8HYH4/XDn0EJM8VQ3FgPnusTp8uYi/Re0 -NBGqGh+OHuVDDTH0DyoH92RmUb9sfiFZ8GboSEILQviVdtNFNTga0sx5loGlqtux -S2QYrPfN2B8IN9wbY1mJNDGv1hY2K3lJII+WQJNSuNxpKmr9yIv89nJTpvzHZgGq -p0ziNC05FaO6bMHXnG1+pHIJ1pPJomIieIXdJNj4slBl065vUfINDDkvFywyN01L -O2WcTqed3c3clRvHYu2i1kE57DTHi+7GWjbzN6VRRWrHOZgvHx4THcTCEl6OCSsz -MV5wcKr1BBShSs/vKVr0md9a3okBIgQQAQIADAUCUhpX1QUDABJ1AAAKCRCXELib -yletfHs6B/wMOZZsqQK+EhlJuIXCujNKBcAhKqAnDRHoZyyPWVURX12df1z2CK6O -v+S85iObez1TZKbn/LnaXV3npEW3kCl76ARe5S/nfwNOX8JFxUR7E3Ixz8LcTrhw -526a3s8TAKiqdFzAvJgflHIpApG8T9an3gOmMRHtlK5916sLuPLn4xQWdm1cGFoZ -3apqidnEeBJaDKrgHUG8EiEUMvh9y0kdxhMLCRKnwdRg0hvz5jrufbE0ohRK76xt -dt7+h8Ea6tb1O8ddeou7+IWumXlisEXhDM6TtlofUkndpIn+TbzgRpky7hC0WgJ/ -pvNnx/qm60D8Gxgjj3uEYB4AtB+FiXYPiQIcBBABAgAGBQJSCWd1AAoJELUIuUWq -vFlb/D0QAIRhgQCz3SABfvNDm1WsGPJHYJvD4zG6BParHiujv6ZUCDM4891Og9// -q85R6C69mkOYeIdhF7sRIPDsgJ7cxnv8m/fJ+tAZn/7Ouz9LwEHu0hs6jQe0LJF4 -wCMUayTM5Lkf3QkaAqrc0f0MB3JDE0TGpa6Vu2i9Ac/7HZWaUZVfKJtEOR783teK -C1JCuzAeBO3fy8wDL7kkouXPOwlraIKucTw1euGSJjdKm+lR+IY+zYfzhCawODRd -Ns8rxKuUQIPY8+lBvKnZ6HD0XL/P2gsnmp3gCY6dMd+dn7fqqWwhCZYUzp5KPF5C -0w8PZfTBi8mU5SV1RGTzItlEaq+AjIhQNbuYa4OC9Ilc646ZnKeCVavtj4snEM2/ -rVFYp8I4+Vr7anlQTyf8+zSjJdX7GGKIRzuu9cbQXzzy8fkPGD07koLD74GoAIMj -bdL9KBbgFJ4rP1wFr8vZ30/ZfI7oxW/B+XQMSr/7EdZ4kZhR2YsWWax25yPd0jKe -jfVbtWzkowORNLZmxUs4jN9p2r0ZjqAd9bGaYUOvyc5Zv/Ld/uY6Wcza1dVYaXWs -kkeB79A5Xry0evfDGad9kCtHo3JC4QBaIN6CbVE/LqkuOooPVkzAtFkd5z6vI122 -geQ860c9MlYYCtOm5ldD+zEcsZZht5Jz5EsMiRb8uTiQMMLha+b5iEYEEBECAAYF -AlIrwR4ACgkQhxlm3USjEtTsywCfQOybODrOzEzjacwcOx8jz2d7NKgAni2oo48c -XWCHuzUrK39lO9Xqr6vliQEcBBABAgAGBQJSLQGLAAoJEDfku6jiHA0ppfoH/3FQ -QQ5I9iJGb0vw+dKEsGoGALNciTZTTZ0w0qGVtQb0f7bk/MSZ54mmgG+DHoIejM2s -ZIr8AzqxffYlssYJi3EHydzUrxHekTZlR9RRGZKmyDqTjoCbs3gbf1e9aqz7q2XW -xJinIxwM2de1ZbYpB16kHxyCfciaBBo6xRFlgbqtQSdDU7YZY/9hv006alstk78U -fuVay+rRA3GrytOL9MEn9ZvTcvyPElsaSd1k3fdlKs8NbQCLspt6+tpvGKSVJGDs -JnlmJf4pNU8ypEbIImOs/+BP4q7I+lSaodDjywYhpfUFt9wryISbT/W1hkmqcjXx -Qo9NNN5OJuMpQHQNj+iJARwEEAECAAYFAlItBV8ACgkQklbVbRnRHGgqCgf/cAfS -q/3FdbPzZ8A3S7DhKHvccBsfdysB8yLY6w+bQbHx5OfyMkO385OQi/Ku9PwEMbx3 -GQ1ajh4RzMwFHfgSp702V3opeqJ7yGZ+e+bbjDiDwVkgtrB5vOdgsgKg/F1/UBEG -3t2aOGKG6d8vMW1uHY1t5mEQod5gGqwH1xTTabn/QyxBgZE3E43kdqJoVMPICI+W -XaKT2myPaPfGXxnqTFBCZDcv1Fr755az/JhNZeUf+cqYQ7me461BPqKFC7+ZUO3h -ciwv7YTlemicxGvmktLEyMbe1qUvt2YGkhF6ZzUPbEZHpHnygQxngrgqnAHfI9i0 -GCdQG/9zjK0ypGh5RIkBHAQQAQIABgUCUmrXFQAKCRBAjM1uMaFIs0oOB/wP4F4g -WUVu5y3X5ZsS+OTCPhyiSzHqCDlK0x7LQVWf3+Je2n9s+CRq+/ULBgZcV9A/ryh4 -DTCRkUFNAaDAgciFhyN8OdMhNiq1/+mMwuWyQCSWsw1rJ38hacevsqY8dkcwbfd7 -PCcgPDcdnJyAOacJqtGDLmXXng+X/xsIhBOdMVEImXU5GjVANHmRvWBAhog2dbxC -K3r/FPEE0s/SlMQ0b/jqfRA9eTNk6goscKirXn+wFPK3G2TEZ0L+qrtL2nURQVa+ -wKtW5hnriRJZDGOs/Zo2/pmrQWimJJha9Zu4hTfEfOQQlxxq7BgWaNoLL44+itHZ -WQiKfoLbjOQNyKLuiQEiBBABAgAMBQJRT1BABQMAEnUAAAoJEJcQuJvKV618E2oH -/R1hko0eXRzk/r8CwmSTpJGbc5C+W2X14qFxWxrbT2DQGg4guYH6TCgbF1aBTj8W -QWmx9MOVHm9p2+217tFDT/a51/pASuJeY7si4Il0uScwfyLXGWT7mkM3a1OF1OWi -G7psKxGsd8/aKfezRFxBId8ArzJgh7bCSalWJE+Udf2EkVYZa/4WFlgfiDVxyPJv -wRAWLgiJpf6ZQi1hq2f7u4txHNlggiG9TYca0iVMy4kHhSvKzlPqB7HS9eHKI/// -//////////////////////////////////////////////////////////////// -//////////////////////+JASIEEAECAAwFAlIsI8YFAwASdQAACgkQlxC4m8pX -rXzJQAf/fbPuoCJZ6qLQeV88J43sPME4Sm04f86sWYdJse7bCNlx+rKp4eIUXhMi -MZf8IMS/pCwfFTGTsB0SrKUHr8J+Rgb38oGXZ0mLHl9eDRFE+UPvcIOItMoxgPMH -3Ywhip0g7AyW7biZ8XHnkaQW+GdjvNvl0dlq4MgxjkYBaK2zfGO35xYWElhKTH7X -FrLHsvbKeqbD597OD+nCO9sUmVEJNkXfNW9EmAuX89ucEncZiQEZrEVpjCNZfqq9 -B7NLdyj0cqIesMoLMmcyUSuLzttrNhnqTcy9UxPa0fWhj28MUE6ooSWZ4A8ewYiw -nHMqyo5V/dOxF3o0MoF3DvZKbrk6GYkBIgQQAQIADAUCUj3u2gUDABJ1AAAKCRCX -ELibyletfNhwCACbjPYKu8wVUjJzE5zKFstUAVTh2KEOEYHPJo1fcKhMjHp0sT/j -yFnnI9iHwPhGw/wnozTmtXfD1uEBFTEqKXI2CfSltyp9XB8b99Tyv+0MKEWNanrL -Btk5Eajd4DdOkem/rKoWEpZxJ04zHBdltwHwpgUejKwrCpoGM6TLtE8Kg/RDLt9T -wCCaoRV745fNrM2Nzg16LCmod3e1PyQjEx5b3jJggvS8jLeYJjzXxhOUS2NbKgOT -eBOIMjdb3uc/m3aScduYA521a/TL7EwW6EtH9YTcUHhxvkoNQe2eBKOggf77JFF2 -EvdGUB59MoyiXEwqQHjCSD439S905g3xfAaZiQEiBBABAgAMBQJSTxKaBQMAEnUA -AAoJEJcQuJvKV6183eIIAJcQlIbnD9yvO3ruZODgIoTjAYzC74RRQrp/jyie+/MW -iqEIhUVkd23lZr4m6ubySkXLd1NeyAt9tJgekGA+wgH6Ezssu1HTiDxoUOeVTrX1 -eP00ipgrqFi1Wp3hTx83vSWXgUJydjSUV/IBr2ByjoTn+RX7oN+uet5k3UHbXgEv -/fxEAyF32x0OXT0BWJkEN0nSCDuPUevjizRoA9HRBCgQ9RBr5pD2RDo0toNHwpM2 -ePLyK+ednBcolyOAqfTTqD5BJNneO9zHZvejlyf2+8HI9IM1pVUzvwSX0KW5RrNG -yJJglynOWztDjXtsKNkGpoQGCMbsUJAG6Ye2wZbpuE+JASIEEAECAAwFAlJgNrYF -AwASdQAACgkQlxC4m8pXrXxSowf+NfQ7Knr5R2jblljEMcnV2mFea3T4qLGQtlgW -oDm5+jwXO9vxY8UvGgLJAXnERSwLdiLJcygqzWKarDylPELipC9Zb8Vj4gc5Cmu1 -71CNAkUmeDKwwHO0qD1lZq5Oq8kbpBVp9ycl9MzDhdg3aasckcroS/PHLpbdxoLp -4Q0eem62Qw3rJSIyRbjtqHPv0YSuDqwdJYKme9IlW3hpVDuPXUut+cmNk+V6hM2L -PrdviBfQNvwMW8lc5OhGJqSbe7aOLsXbxN6upv8i9D/d5p/maC7j/VHcSYF18Nup -4ePnAgnyfe7TCYgOgHgqSd2gKcHpwcjapLzJTvAabJBkd4ZLpIkBwAQQAQIABgUC -UkZVRwAKCRBN2P9UWFcMj0dTDR9BeZB6o5QsG2m2gMJEUrGR5OknHAVvOJypSb1F -JkrtlQkm+mCX9mJthmC7Xlgptj7h9+n1qxBc602eU3R8wyAPyBrS+yIqR0ULvhuT -Xo1xWosJV35uhV7OogrrwR6azyD+PlbmZu1H0RsMp8RrRw/r5BRfgnPP+VQXBrZM -wPBlxbfkamXNWozStlH/pOebli8aayKlTK1FN+qo5z/zbBoh493nlssaXqcPQxE5 -da6cJkIKPwPMreqcLOau/6UlhSf0DiWbDL0sh07dqhXLj5fzG4ExVJ2r8/paRvWQ -jHuI2MWPyHXdaSTXqQ/3fN/gUveWK/Llip5k5BQjU8XZ60HFiT7+OxDFogGD6CIY -V/ZQHYORhijczY4fzCFbtlPdHcLbvlJZ4KmrQjIE4L73jpbPlmTDB4msPMT3vxrd -c2XEQ3lqLU4pdR7kCfL+cXqbHE09OWufrpBE5Se3GNH/bsJo53KUTeyiHHBAdnJU -kNkdbb6fAw2k2VNEWGdg7oqkqH4O1BDw0dcTYRH1m0DrBEpfeXnem5nDICzTRPS/ -qtqNAR4muAqJAhwEEAECAAYFAlI+rRQACgkQE8Rmw8ZDaZGvUA/5AcxqJC7wFTgb -JS/v9qZ8KVnLQf+SyBFZn4bNEWEaUXPOvW9ir6tjZS/lqlRJHdjJ8nvzzpptW1C3 -pqd5JQYPNoU35TBnFilhQHKCzjGQJotd/b15oKckzqVYXXfsuE3RRofSo73VwmCP -7fe7iLIoxj1gnFYPNQp5oB01yUewtPyFn/VSJV+5Bej2W7NAvIMDXjgKpngxdqzz -yJCDfjaS9b1LYMiTwt0U6U4m/NljZiNHsQvyVSqDfUIEBTA984DEFMV+hNB6e5X+ -AqBwYFa9IrQifRDV0wpucwvwOClLNA6tslRp01ss+OZzEBHM691b9C6DtH6caxD1 -uaeopT9uXtzbzVtZGqHBqfCjcvebkkq/6ySQ8fMeqH2nsPy/0afj724rbFwF1lVH -m5OatYh3ylnlhf2ajV7b6q1OimEtzNZK3bHtWVtu277AQEvMFz5aNmeEiw8w4SsQ -iEifJtFq3qqZKCSkcBtUzuP1uEQxWuedJ9q5ocnsJAhrRFDZyzU2EG9va9K/U1NL -TTe/6hiYYyWJi8pZHBgdahtTckgLGax59yullTM6npcUav/vu9kLT2x/v+2A9E3w -tX/+LekbBwhmHGDw/pLDBQyDKrtuPZIfCs6VC/x3kNlD3nNG9Dlmi28DQOLyBln3 -FWdoFwTGbMFSeSrjtD5JpGpKU73f+AWJAiIEEAECAAwFAlIqVdwFgwHhM4AACgkQ -eT7NMn8G/Q3XTQ/9GURmDE4LZj2OOKuX+Y0PGcldIScukxKg5JBaCIXA9I/G/gG9 -MWxBaMwCHKtJF1DDcN33sKiuYb66o5bhpzdNBbNGecwrexOsh+bTRp4u3BIlm75d -13Vt0fRufK5D0zYJ/HLRVr63czt1BnFjuAsD0CvN8qIhwHvbPuYSVFh9PH9VsEjm -NvrZsZixGDjCzpKwNcJO0u4ASZIOAImcP2wob3U5duwPAkTA9kCFeotChDpZTxzW -A2zkKgk5SVv5c07K4ZbzUWmt/DTij7OfFDr2tULwPgDd0LvEKoFHY5sYR4Dyd1uP -RHLEjSOc6g/vNd4L+ntmlX9S+Mb6FcxCDnWYL9Nl+rEWZWya3o3eYgqfMGIr84gz -JiL0DuhTOL/A+ww6r23YUbWmVCB587OYzIsd/0YLEDbZQOVjxCNFbQW0IUAHoKin -J7cyTBY/Sy8UJJdATGAuhbrtc3kCdPJVa2e0ugNcremaZtrZV/PvTuFrFxI0CyTY -CYvxYV2/vX7mXZ1O68+oRIerP1Ih5AB/o/7ju1L9p+F19yrSFAnTh6/biNBRXdlB -jEUfbvUqZZsf0O/5hNuzfDzsCpxaN1mfpZI+Nk0YJ1+e463vW/KeoiHL61UT9CbP -fP7wAlviqJ6f3fDoPuMmdaJEekbPA9XjNzJr7TAeDZkK3AYvySt9cMN36KOJAiIE -EgEKAAwFAlI7VXwFgweGH4AACgkQn9zL0B9wqkbiaQ//fqdftZ8+QIrNnSsJTzYQ -BGyyv+VHCBx6jvRCZ5OMwF9mjcPHz9kd57Bypc6+L7X7ZxIGYtxPAa3JRSsAkL1U -F3U83XysHKS2FFMAv9RVhTeMP9DxLVLFp52dljVx00Z6RZ7Hyw8LPh0uMyFgAaD6 -Hp+kF8hthm7qqkIYbzpBOMpuL3D1CUOmPtXxwzX8xTSJEYev7JXGF2ma/DPYfqFJ -qSvwvC3HfMk3kPlRne4p3uZHuNrlUENkbri5V/E0GrXcGkRDMMvH0Rth9q6G2yMX -i1D+4THvLkWRCac1MCJhv2s51EIE5kcnwXko7+6FbxqXS3tClN3dn5tT2BMnH9eZ -nlz+5m23cruC/2xGVoGoTM4v+Y3ElJeaY2NxvV4MrhLoFg6ncgf4MI7bQXUH0U4Q -w8lo4H9BoOwHqyxVOl/RBSbgjKxsBPktK79b/gMROoIo0Ckzy3rTkvEVi428oucC -t4Xx5hFNLJ1QSceY+n733Z4+Ms4Ocywwp6tvPCuyw2o84XzJnFLqJgIX7i4QZnMS -//5Vp1wzTRkoMqGpFrExhZdj3ISsEf/hulxz+rZdx6j9rS8G7If081IsDzrcjpW+ -FgIxwWPquAUOBpB5+QL951grpyrb8zxYHaPloYNB48d1F43pzEkr3ki8cB8D+pUK -K7p/JYjOso/CCAMf+qC809CJAfAEEAECAAYFAlI+0/IACgkQjN13nxSwHE0pZg6g -tc2HdQpEC6NoIIlZxjJldXscyIBpN6kPiMmY/QZqHWsemMJDg91aNWEYD6wc80Np -JmPq4+KUCgs9BMPn6KDjDgRvu7ObRqOPdPC0k1j27svmaPTYKsqTn1iUC8NSVj+b -RZkX37pUUcIFvQBo8n2caxgS84q3LNJdVmKltfEWhxwU5SZeua87Q5RKJcdk8NuQ -o6V88jVmOkcYlxOV23R7VhINvnsMpvCCMckzBjaOECVpvqZNDOJhSIek0OJIs3Ny -gtn5hB7Ek8hSeInNvRhMxyF5CDN8Y+RSp0OxZhIhGEbtSSH78etsOqgrT5xY8dwJ -KPM4008UKLNLFjsJKDIbjFTTgyai0VNNLjvyXDs46o3luDSsfDFo+s82MUwXEb3Z -MtZcD1yYcUja6pUgJRhFI+bIlHFid9iX/84V+oYbTzzPkXihnKpl+vj2tkJFtVkC -4pqRiM5MKO2CCpsih9Dxjqmb69siuBX5LGMptEl/vVWn+doejKpjQ4LIuYeOZj38 -q/is5v+ppMd9EA4di8bGUrGk/cetWS+p7dmI6ypL5NnoATfGkG2ayet15Rl+GoOO -obseaXbD3ts02GYMxJN465ywR0iBvDM+X1e5kBgd7LFSQAxWiEYEExECAAYFAlJ9 -ox8ACgkQdKRB9heQcmqX8gCfUdBmVDMN1Q6WEUnqzga2mo8BR4sAn3fr4seyJnLK -OD35Sr55X01bLyNMiQEiBBABAgAMBQJScgT1BQMAEnUAAAoJEJcQuJvKV618G6kI -AIDPIbhOYsL2//S1wzJGUrYQVuR8+rf8Fsnt7ZjHOEEayeTY+d5eBLKJiQJbI1I5 -Owo9g+7Bda9r8gdYzYqdXxetHVcfnwnTgwkP9bnD47nLuLvsiOYG9ixv9xmTjkuj -b2DQAqndsR1mztqEKhIcyMapoihtcP0zL8kSUQHF2NHqUW/vvQDky7XryU62aPiT -vdIAKvngYS11Dd6QljZksUz6e9GMEhf/m3hjHPsDFAVfvPJCIzE68n9YRJSqDTsF -EMKnam8aQcdmegxio+y4uHwBTXAuzQJbT2sBs2rs7cBrvUZBLX4LF5zDOoRtSINV -px+ctE8fU7sA0rkzdzSaWfaJASIEEAECAAwFAlKAqNgFAwASdQAACgkQlxC4m8pX -rXyQYQf8CjanZXfBBigvMlxvhz+8HYkKq13O4s/nfG1WUPDAt86lyRxLdImNerEJ -5kw8cOjG61UR2UodU2TZTXlxMAzzJxuLq32I65BBxCgrNIXebb/2+o+TglooxD0d -2pFXSeegujb4/5Fc4R8rsW8B95aJAF67e1nTVVGoyoky7mLyVly3Cr9bKkDhRh/D -dVJ3xFYbn/4FjdQHDm7IXeuHyzFZI3BCwtAsoTX9MQND8wjpJjVQTimcJdnamMSg -yHUhYrAMiB6/skH4teF+esmGJlEK1iJGTteLWqdzinb9bJGLRJILaXnubX8Lxax+ -8jCF8c4Qfnwkd4ETKS1RPzKBOVWQFokBHAQQAQIABgUCUpP/vgAKCRAVl8w8cHz+ -SW7+B/4heemfFP6w5Ljm6dUThiAwBUutNtNnOobQJnoqJ8vVx25qXCc00b8cbED/ -l77LDA8dhMbXvEnLFSXIdezsana1+5tEu0X6DLFdSe3PAj6S2A9ftzQPdcfNY1xn -kz/RtnAFGJ7o+THeZkaspl4UamK9VWCOvZ0N8M2faff03AW5G+A7k7IR/pgTNK9P -1rdG5j1E9xDtKglKZfl9PgORncvr+4d88q0QOL07dZC2gJReC4hspuUJ5LQ3mflW -p0bicIR1vLPrHcMmecZk1vnVIaY87rg8eaAi9UAJSbnrVwXKm3WByEyeY8yZfh6U -XFSPezvSyCvjPYHwbcgUE3UbaXokiQEcBBABAgAGBQJSlgiQAAoJEGE2LRD9Guj2 -XrkH+QE2ATqvPPMNLhJkXh5pbBYPAvbFlXn+2iNqR+cAjJhKHzig2wnp4+FIG2hf -xjt9EaJaxVST1bd/SVANo7fnfGxK+3IJa1EkOPQpI7N1zsrcvOPUiLIR7C49u41k -AxCl8YS5IdpftTtfgyXoV0J6IynzScUj1WY0snTBBzyTUZAKc+Hc1d0Cr0KSWDsn -VJTbtm1WEIjoypt5zgiWobR2HI1/04ySGVPrqF2GVbcO3wDE6gBn8Qq+Hc7uVTTI -xb7jrsbVO+9n1UOwEWmw4Veq5dnUy9+DSymjHGxmLyE7Dkb+lAWIAJxmMQsdKrBU -8fhyLkKGdp7bVvsIwrKxQWX+tdmJASIEEAECAAwFAlKSXfsFAwASdQAACgkQlxC4 -m8pXrXzgegf7B1sOE5zxTyQAPj9vx5QFK8NXhii5bjIYslJeGiAeC79+k1R/ZN2P -rnj4Pum4szwmm9EgWFeyPrXK5Ej1obvQ/5lA6URnsb1h+raa1qZvMe6ZFEVs/uz5 -o2ng1aVLgEok/ClIajkJhH8yIPyBWnRDoZTNU0C2rGYdUZryRhTH0U70sM4w8p8w -qUwoeGyjRczL38X3Y2LL22nSVxX+e4UWycQb/FApGzD9vBMez34SMfGq9qTg5OPY -V9Q7QGnvVo4AgA9arHQN8E85nepXGysrst1Jhi3nq12lFVG1Hwqbs/hT5u6iJC0y -s7PPis1SrF+unukBKuNlPBnSQmVHPm468IkCHAQSAQIABgUCUqU0UgAKCRCQe35t -uBCo6lLgD/0YXt0+W8sxh/AsFVqZ+/GtihVccwWnwYzDheB+BWZxrzjS3OweFLL3 -VV5iDCwcu6oeIOo40EUWap5LR7kU8PqtUX9yoDKdzR0qbwpsI/qqVCwuivKdjQ8+ -RNTmU9aYtIUxlRWLEKMgFycP66C2FfaU7xWm3a7WtPLhoHTlHBsbYUwim3nYONAJ -OoqD8PF0Q+xlTbuW9C/oM9MIg1BR685KDD2+5zqrtRwk7cRZmKG0OekBaGP18Mly -l6ryR2ShIOFZMfoSHvEmoLP7IcFTPLPQqmty+1njRcBRHj+1ZjoWtSe1zwHhlQPN -3w5jmt6iDu9UUVruhDFjX+bQmgKasNXtDNOUmjfVS9BWIp8/lZgkD2ugp6USPGSv -UCqwWcPOVDPaTToUfRy7nETCkaerl1xBzKLV/nMhB4WyKNOD0Ulwed2KbisAgxlX -QBSacWR3r6QNzl3jhsuri9FpT9yPx+gw21uxX5zLTyHn7/VIXXrk556Brjoi6rnz -2syZkLXPqyeaNJ1QOidjpu2BAZbxrjmVYkBZlpDDgIvZX6T4w69/qJM9L3BgMsv2 -Gaj21QIP5Doo2R52yw4gjz9mJvEoHggmbwLFr1mTbAh7FYfe7OSVxSkluS4pLyW/ -x0W0etcKhWf2Bm6VI++0fAB9dBS6UNkQPxS35p10GygJsYr8pWw194kBIgQQAQIA -DAUCUqQqugUDABJ1AAAKCRCXELibyletfOrWCACNaijVxxMBtuUlSpxmYpdtZSQV -b/oCth3UZebJgyNcZR3Zmgn3Wfr5npBcon9RnAeuA/v+JdoqjoebYRKbxBPm7VMC -hriCP9Tz/AqkXCb0kPKJVSoorrYiuhyylKSow3IUZoPMerxrKB39GKegvCKAyTh5 -CO/V6BmcpEBN5txMACA7yiIV7OFvVtX7Cp3pzECdyBcuVH8mKKWPLgEdh73uX/eF -jYw0Tjx1hZKPD4jFZQ+6qe2lPjKGxMEKc6/qhBFvHwHASEx8/xOqnXJbadlM+ynP -gGwToj0sf6WWbflfuvYofBes2hoP1oBtFQU6AZkNmVgiZUDHgQXBawcJrmUIiQIc -BBMBCgAGBQJSxComAAoJEDboys6KxAH9bD0P/2CP9xIiJVxJlyj+Swy++9dYR/CI -jy4gRkqVvR4LtKDpmFBWBijob6QESK2s/ZZjVpNK1jTPbyKjoRdWXlGTHWqBHEje -jWh17ZCgTGhM4gXJnrRrzA9IbPDgyDMDaKLzfIHh4GclZlF66ZtoRSMqKUtaR+jA -YygAO/cR8ntT85kQckYEIFyYLa6O6txpiByd0H6EgoncDUlQWLfUE7MJU2ksPrQ/ -GWGMmXbFYiGJ29jCqALZMwdfuIAp4/rZyhEZaJF9+AfLLBd3OCt+0/d5g95QGELh -E3L4yc9V+iDJhK4gwY5FayMEn5FRb9wSE85g9bTUSVkzUke+IiEoaDYIeYztlq/G -DfCkToklmOId0yWZj8dbGdY+VSJfl2WrQi8FhjpncZGNEaH8wc78ZFTMT1Yhnn0A -Lw0gg7PvhjVJAZ72NIDTsYPpNh1LsytEaujDE/JKzTeu2crQPp64yaQJnSOaMM58 -ULqmoaWzlAXF0x45cvlS4Rzrog/lilJHJIKTP1CnX5HbRzGLiWQj14ya3Io+XWOz -O0T0EFj7wkiq+nyW1rexVFG5cuspYIe5tGlAp/nZstbaYpfQu6o5gPxG+C9RROVz -XJV2wF9h0Gm/Epn53W70L3OSwm7pTeYXWfFxujI6ODHdx3U2rFIsilMY3Sm+CeWM -Eylf/SRxp/LB0QMdiQIcBBABAgAGBQJSwFlCAAoJEKwmDZ/KJsu0l5kQAIxNGg3D -NjCUK72ZaokQYormKSi/PD091IVt2cQXgDNd00RwQvKYO8R9qFoaFOT7mZQph70J -wbcj6a36IfQk42M81Ke865gCe3kcnVFhx+8zsIgndJgF46F1aFxKnVnXEDQAf9cg -1i+sPmhwq5ussyBn+F5ltzO2sgLjgP8e5cakKq6WMjKGKqq5RvEsHT9TR2HD+082 -5lEWR+qWGR3iTzmkmvulzwRgjmZRtVYYWhYwDjBavk+rmtkd/8MGTpZ5lYNHCCCK -ihDAjm+pb6Wg6UiW98SLspmUy5ovul8h7mHtrBj738+elYL7TMfbtTWNSgTh2T21 -ucAqpXSuod8a3Y88E61ScQNiGgoAtPIRS5Mm9GO77vFsup78xILTK4VWA/vY6nw6 -oKns2eegu5JyH7mELguCildQLxtQhGvmGV2YA261jGzJNtWcdDkKDO5Sp4rxfPOW -CmL5eNyQc/nZmHJhmq1sN4o8Q2Hp4lwXybb0ro05aEF5ji28XVwfAe/aHq5AwnCk -YCRpnji+Fh8mJVmBQBzGSdKlXJevDzxX8r5cD+fsjvZLECIVKSYV/CcYk8pSnhuJ -nwUglgWS2ZSjQKa6mbnEjMo/y2Cx0FCnT3SqC9/JeKJ6t2s8vHlQrwxB0MO8JK8A -xK+7IdIq/9PHpEag258cczKMi4CWMMd7jV2niQEiBBABAgAMBQJSxxmMBQMAEnUA -AAoJEJcQuJvKV618GjkH/08hDB2kD2BC16onzJfbsHUCZxhEY8x5WP5I82jnOXeM -wBRiXvuzE/SmbyheAMZaDm+vz+vqHt7nGzeFBM8+kH6K3PXDJTIIJXqdPQ9eqJHY -H07a6x/p3PoQSwcfV4TuUV9/vHrSEwjbEPfbTEvGbBO7FYWcXnWCO6N0VuBU1Yhf -eRoiud3JlhuwGEDzjCn50mwGj6gnXT5v7+YQOTacryTHKywOuJ15DPZMJAqZbhlL -ZP44GVmnAUrBWW/BNMGh/Ptu1NTipbWhHuQqOxHoBzSvNU1Ol+MaFVKtKX0IoEUw -dk4elWYB9cCa3ILsgDk1BKZXH7/QTk/I4jPxrTY26k+JAhwEEAECAAYFAlLOd9UA -CgkQiFqWn7/HBsDjIA//ZrQRXcF7ZyfqH/L+1b2dhkX5xfbIFovFGRe9qoika37z -vkSiYy5NBvcZL6gQrEFsJ+uX/NvSWyG6qwwwfwhYHhRyvW70x2tEdrRIEeMFEE0M -MBEKsLy9ngi0g0uBvfMftu09LX54Obz0Ay/qyD79ALpyTant4X8qLAca+n5JxwP3 -M49YX4fxUdXtHJAA67HNTOTi/sj/MpBREjVJQ+G8t6FR9K7qAk/qd1aFOs8qwVRd -WmPI5IV0jYb8YiS4wsiVSFP/NTZ9GWDeQCqGNRzg4O9/aSDDG1kkv4onXW4iltvf -f/jTwLMSFD2Ii6HbmYJYKV+xnK3e431ms5eTMPH5GAyTp2iBjFbwxksLRodQr0Vj -YM9QNAVJ2mi+BwPrzn3OjbphkxTXHOvzVUA8dK5Yx/6hCFBKGoU6e78spsjCaoy1 -lEnoCuuUc25EB4ikoqGkAoIs9ekZzm53Ev/HG147wQT83+nfFe4qI7AjRDcXzF7p -LMHrFCiRhFT+7IMp1dPCo3oJVPOLyu61lb7fokbcWV8upFQgfUvo09hWc5/+YpCh -/4gputvgnitJ+AyCTIjoXmD2DB84wRvEO4ftCI2Cdlx5ZYvpC2KQxfet7zecxotA -IgR4fO+8nmUjXsEvtQ8J2IrCiKP3ppikqLRQmqG26a1GETvfTeGvTb5MzF1n8ViI -RgQQEQIABgUCUtlxSwAKCRDfhbHNvfMu8Bl6AKDLpLi1/JAu8/pwNqr/MiG+va/N -KwCfaQh2BCjOwNz2U0KiaeQRFarqkyKJARwEEAECAAYFAlLZijIACgkQSOuLLWa+ -vOMejAgAi5DEY3d13JIisSeW1zA5o0GH7GK1JQL+U0iaMe06BlY47qTut2jsVf91 -YriFn64MvpxmEKAFL6BoZ+oylTls/wb3VhpKO9J4D1Xjek3A8FCLXOLjEX99C1+A -Vp7H1ebQw8lKDKKo8osefiw+AHc0WhzMIEEFAdEobMMnU5Fc9FT5x5r993KN/7jx -FbueRWrprhnBPtC1AvQH2K4gF85eu55e/MqXF+A6iHLZgqllVZVWjFdA/Utafzoh -Ju+uAwyCPqtpt0OyWEjmMKlz/cukoBFEV+eDKbID8pfW3XjcvaNhCnbwzbTTQGI6 -6FA6/F1EvXkjFJQOoC9RSmR4+/owB4kBIgQQAQIADAUCUtl3AAUDABJ1AAAKCRCX -ELibyletfIyWB/0acmGr18eHdN6B7riIUdjZl4D7WmbT/myAj7Qwzjjfcoa7J5zo -3UGJmF10CmauYnshY9qbSrTj8yGOvYXo6+esJahctGU8aFpLP8aDGqSKVULd0B/C -C/JKmhEv/M1Im8DiWO7VA2aYO0xjOjefVUS5NoO5DhDLk9lqCPukzwNa0Bfa2/Zk -tvRAJOePdulZflzsa2RvH4FvsD0H3II9pi4tuy18oEY3RR0Q1o+EeGHNALwBNYzB -KD75axDJFOrtvzJqE58rlD2/P0h2DzuMxu+8bkES3+kCp16oUofsd/Z3idRcz75L -4Y1d5GNG14FUCnqOVdTIZHrkkDm2MN29f9ACiQIcBBABAgAGBQJS2blgAAoJEAjV -/MeoOiAMoR8QALMCnbC/NrY1b9qQU+JqPm3Xlv1EdGIORaBduiCfI8H19yK2c4Bs -KOLp6gRI1geYsniAj3rl++5QxPioL1tpbmY3BC6bBDyAjiBqskDGEZ4TEAq/E60e -X9EFcxTsKm4OdrIuwDuEGP8Rvs/knYKWxQH4eAGW9ttSFdf3bxZ9EtX9ochRw404 -FNlCG+T8dK9ZB+QoEo+VFvFgubbn9SdaQILAf2IG6kQUoVWi/1BVG92MWsr2lSSc -xrcj+toWf84Rw8Gps9tDkKq6K1/oNaEZsoiSBiVcQEMGQaIUFwGKhaBHBmLqhF4x -E3yQ55WyFLfNo7M8T0mKsKjYuHAENJIL+t3oDnYZr+n+k6AtmokSPs2dN7mgoTjy -8u2DRaFlkSXSMAF9NuG1+D5KjsN0T5wYOuiBrlCzLSeglORPPkElBWmTazFHn/QK -/pf87f7QoByO1Vlm8VVEXtT7tnayx9xrfoErsHlAryDoQBDv/4OWkAtfihgRJ5eo -jNnVR1pdlUeVP9iq38gh2AyqNjT2EqZujOYg/KlLUbq+xZsorW/LcDif6YI4osel -JzaE08qfwb72Ens7lQHM/Hm2ZYY+jhW9Ur8lwsA+XQeetUtmBUiuxyjRHDQfI6zt -YMDCfgV9aV2/JGWZtQ1B64KaAgOpSsepw/6SclrzBiK0bultaEFytS3eiQIcBBAB -AgAGBQJS3BhNAAoJECI32lbXlsGjZ+sP/RE8SBHFRFFA73vpUnl08xCDhFuIhB/v -P/+8h3CDeQ9CtDBMQ+ZnKicWmNYzHJihq5p07mT1DZFATOYYOr7A+/DaEohUIFSu -cNU082Oz9fkEeWvCw06r5FOf05EodVg0LH0Z1XgLpHxkbX8u6pRSy/WhB/FYBJEQ -BSEpmhXku736znNjPVsM416vqw4Z1mwDzf+gJl1ob8tEMX/VdQfX4/mG9AGciGFs -opQ6WO26OA/t+8nYVLDIFSWnbWk/4TP83XrIjABY2AYT9iwFU7JpELV82oohQVZQ -rHTBHDmLsMVp7vTg6tj1vp1cP3HhKcfEwyN564PnyibkSz6TI/2SG0q0bvQDEvcn -ypQyBAUaKmpgqVfzuPHNx2dLI2QN/eWEEwI95wkqfQGD1S6Zzu5lbu+rxxecTidh -3iy3SLgfknw7c73fNK37+xcRdPxLu0YGf5ZmZ5h3yBKvQYIgllSNA9VMXX2ynj5N -vdax8F4ywl3YSu8L/eTC3S3A2aTp79OKFqx/svUyogg7RDsI73soDuVEGqOQ+ZV8 -sEevn91KNSLxy9H6cbxQD6iZNQBthWCoeJtjFwX2aGi22JK3GGWY8SKRHvDOZlAr -sh41ZXG6SwCUdgJ+NGe3uwlLMS9tI9+ehdyW/ZQBW/uW/qwGXOHKv6BfkTyxQSmA -c38vPjZqQ5QliEYEEBECAAYFAlMD8qcACgkQPJMIyXaunLDbzACeJS05y+CPQsc3 -rJoHNuIv2T221bQAnAug2EZOa5pUta1s5vdZ1gdj9xxdiF4EEBEIAAYFAlL+pcQA -CgkQxTQysom/jOx0XwD/dJDnwf7PzAV81nKs2CMGRTj8MR23cyCOhVZYBHjeZkMB -AIm47eR+i433bpnj2QfL6LCO2ka6iQbPuuD3z3ohqF8ziQEcBBABAgAGBQJSB/GK -AAoJEKlp/V8dSruDck8H/Ri1/kJ13w9hqyzxjG5crgmiQS5ncY27dRgtXg2JZBgL -eNHz8JfA32hWAi8VF5J9x908hbH0RhP3e+9nBhOHjqBd1VXw5Tdm8XkTN2FaThTQ -nbAkIbb26+a9wAC6gc3CcvXEakJ0VENd1ETo8RWgZQ9AxnfUDRk2hWauJiG7kJVf -rD7/a9MGufJy2XcvUIUAYbkb8djjLTK2F2XwN+s0jGuQ3gEdUeOwjdVzmNTLgjQo -UlXj0qETYfqHy4H96IMcEifdsXgDUvqnboJVoi/0w7hS3e0lOU/xvSG1Ie33Moh5 -jbGBzKAvoML+z6e41mhqJ4aTmXyaEBxwG89PODUAvsiJARwEEAECAAYFAlIbW/QA -CgkQXLQiNLPZdR97gQgAp0SFwjFgonpvbl/A4hHPoTeCd9b1Wp7LgEsaV0PTcEw8 -q0dY6Lz0C8YDwGKiZX25GaAJ+tm+tETunFm68zrkV1ekcIepuYntJDVe4gqKB/RT -RCIceq9S7mEzleCLdo6eNRalG50an2+cZYSt+aJ2fEZ2Plp4rfWfqm6V9F9iQwE1 -lKxjt07zDzozp3XTWS85PwgQ6+TauOffGQxTo1jOp+ZCtQhpWgIc24/SRg3Tx+ii -M1/++myPVL5PU9Pv7cSLI7WoY1dNrCToarsPZzgsgHerYFrwnjHesNesG0kUS0U0 -8iLuxptg5gZy582XsWTxyx+LDP41ypKWtjhp2D247IkBHAQQAQIABgUCUuwl9gAK -CRAUijab6TfMYMXbB/4gZSHggJE2H5khUz919+zcBHKUoZtVa+u4nT5MjZ5kl8ZJ -udhXbLlh4D0HqIb5trhdPvgMB1RuK064RrXWIZ3TFbjtXqVamBhMmUGNMmSPhlxK -jZHDC3BTJHxI4sjWxxmJK4YHIrTtJpQ3wiWqBHEX8aqslyBYwyERPCEvWyW+xvG4 -Gbv3MWIdhdpBYmqqKVvhYtVsavImFStvEcXiRS9fDyM52zh6Q0e7kSncrm3FTfb/ -hIk5Uc7y6SAFgkX5pzVMib25397+8G8tvwIMagljfoh1K11L63krwtel86FWNjoZ -J8IuscMcYLZ2zHtX+QnATzm1/eJxwUQDQL/leZcViQEcBBABAgAGBQJS8bNLAAoJ -EFBlbzLcxIt/rp8IAMWOSuh95ZK8FDYRbEOSMJdMNHgWLg9O+0ml7ZD4v7d3Pmn7 -bbo+pQp6r28DvblFZq6DWxDkygJieQssGeDOgcFLXnniofdtoxSruZ4PJ+XgOI7F -cgFXfqa0n+vCjW4amHcKyLUi2iFxPl8mWsjNRyIMml0SvLpWV+w9AkoooDNXrrmR -RIZVBsByROTSfJU3J/II1teKg/rre7KKZJlCksbZ9XxyLQa47C+g9TaarGK1bK8a -HW2uT0DajHMroYYEiAKi1TD1bV91Yfg1wbT0mTnXTlbH0nXOqe3aiwKOhSlYnyu4 -uUhtS2UjOPMLJGDj0R3RTb2loKlN5mtPl02yJkKJARwEEAECAAYFAlMDbPsACgkQ -h3RrYfnxIJ+ySwf/Z3oU+gMi7Y8vc6vo3T7LtUKRDOgR2FU63jbzG0N8EskvVf8S -0VL3NeIGWJpD8X3HptkN9MuNx8OPO9nOyqffmcuRl1iVXPKe2k/siXeu76oGv3Q6 -h2tQ4WtgUzyV/5ld3SfegbV/Vbe3fckKu7DtSfbnmWvxktDwU5qO39spXDJazO9X -nxMlCNH+sG1+iJOj6ILZ01jw1KCP16aH3S6nVbv18Kc1EBhPV7usnHh2XuMQfErg -BPXnEq8uYgROx/M84W2AX2SLtCVAp/WNX5p+7HjZuDc1S8TbmWcWkSCtyah4D+CK -ihVHaVZYQ1BGAYSCmxnNsIllMgLD9UOIfEH8j4kBHAQQAQIABgUCUwZ2kwAKCRDY -L+A8xVvP48MLCACkUHvawPRdiQ06uDEhc8HfEzJ7a+hQYqxgXLTvLpsJppb1UUfL -JSuyLiIp+dHPSD2R2DTTSVLt1VZ8rEu/V4GgmToT5vQxjCUhecEA4Z9m3iCEiZ7/ -9yTG0xocoYBcnEtTic6CG33Bm0muIwEiw+yB6e7rLBxZyGJ4E2nMQGDshLDQ9EXb -KhRjgGzQ+0CheUWgaRLPON+p0c0k40XUbFWU7tXv2VV1AnEFYkTYgRICCPheGDyH -+dfX1JwtcDZTB95ssxOBSpYbGpp9t/kZMJBPpo83nnNxfnzvhKpi7dkdX5CGPtJA -X2XMkihdej7uePHjq47CzRiRdXnhVtfOkJEtiQEcBBABCgAGBQJS/z9cAAoJEHQQ -cOaal1TA2GIH/0NYZDpyJ4emA30O1RKUNY/QTae77PbetdAfHIhI4Q4i05MGZ94o -8fkMzhNP3LTyfuaiK5qY3zepfErLRnReoU6yPFQ7Bf5U3DiK3qQCrI9MF+KHZaQu -j3NbtioDmR6dZosYQ0eowYQho4QfuKBU4PGCjTFbLz75JwtdJcwAw3svlTJcU2Pv -ENmXUAd8imONslauC/HfZyvh7oknleyhzkj+wvD9bcdgmrEpYv0UZU/HLNHbhtLn -DON0tfvAySFIZR7qZ8gisJkD77KHe/HRxGXJ5Lr8SXX5lS8datXJqP6WDRgzunQT -TK81bs+O6VgGAOl3A4LctCTPUMfyD5Xl+IGJASIEEAECAAwFAlBFzDQFgweGH4AA -CgkQymYpD2/517sKxwgAhur7V+glKJvlKmf4aP1nXkdtuppAAblRvcVFXlfsXdP5 -l12zm4SQFFuA0Youk365bV4h16/QP+JIbA6okyYrqO9izl9kT7vh95XfGirPjjoE -UtYQlKYs5HAVhU9uE5d7xjmmwZsLNEL2/O70D9ll40qFIPRXUbADkUREngeKN2ll -d5kOFKVnJNRu0jsuSucIvEA5K4sbz8g22CdcYqOrFm1WlH4gr9xvECH45mX8m85Y -szRCLl51i/7Gq93q6NzpnPE/K5DdIyWwgDb28CUk77Z4zjMl1jq1awmH33LjT2Au -ymb//////////////////////////////////////4kBIgQQAQIADAUCUuqxZQUD -ABJ1AAAKCRCXELibyletfM66B/sHlvLktAQWfBNydetUx5dyVDR5YE0lB91STwMr -lxS0/1QO40wh7MIINCLP4QMi2Yb33TdfM4CkwfcmNrTjEXPGFKHijc+Mx5x433Z9 -TMm2QR4ig/yMrcPwTo8lrnp29vaSA7UTUgDF/qysVuOXVZ+JVSMVwFzAIsm+hi45 -bb+rt9f3pQolY0KKyhYXciQZAxyv4thBMS/LE8QtkEmLwVsQJ8lpj7M8kMV2RZvG -KJwMfFgvL0O1NQhFu/OO72xQwnIV+gItJOdDsD3jrsahlitenPRk5zq7o/qgt/qX -OfGVqjbDsqV19SKZtSWS7iO5T2rvursUv99I6rzC20etXLAuiQEiBBABAgAMBQJS -+9UEBQMAEnUAAAoJEJcQuJvKV618HkYH+wdOU9sCOTgMLNQl2Hy/TLqMShQB7A+w -2xuGSX3Cy6pPvWpyE5zRmiFgkntKSUZwBnU+0Q1wz6K+cXU1DgK++5tP7S6+p0c3 -4N+w8NLRqEOVEWWjfVLoqGoSVPQfci4VOtz9rJdLuK89t0F1JYJGCs6T2ZiFezx9 -w5dj0W9orhmWqm8TWax/oCFMluTdB180DV3dQSjLA52RA1vCACTQ7pbphDxfmg1t -JYF8SYXwtOCOdAMHaV4E/uNxVxZN0BlJjhYV+Qp7qv+DX1eHRCSsIE7bqLoCPRSk -KURS8E6TcJ7E4fBM1VhsYcib5Tib36qWaHRFMO7NS71uJ/L4l4aM+wOJASIEEAEK -AAwFAlL1yhoFgweGH4AACgkQ0YtteLWjI303wgf8C0lZshMGoXI4QroNf4k73G4l -B536SBxCpu+dm9sCv39yn3lcLaLxxmN9dKt88pe2Tb3tPjgEMXJ3tQJ2+x8I0ktr -36JtYc0A/GhMrY7ppR39Lp/k+7fqN+XKVPpLt+cTNAjHic2p3J3pUJ4EvJBS7gB6 -uw/g2HLkbNGHFshZZutQKs9CgSgqqKladqb7gnPbMw56cWxGze3R4abQc3pFP28H -f+cqmse1LpI3S2o4cBcqSKVdTaf8lHJIA8h9vJdroCOlYRo4DbrLZLr7GzZBys2i -Wqw7IugSW373hSU7216etMCT/FrDatlE1rp7X89S9kT70vV2agvTjxQ07aBY9okB -nAQQAQIABgUCUu0I+wAKCRDJNvU92PPkxVGpC/0WjXid77rGjcyFoq1CwyX5zk7d -Kugq3tPWaf3sGw3hW+Y1rRoph7hy88GfKfbnackYEVXa5OzJoQCed+MgBjFAKFGD -i2LqNo4EcIMWX+zOBNaEsnwp2bB8tW9wv6Jhfi4RJZRZYOCQguxy0nS4Rq2HRNH7 -8j5E/Xe3ZPcwiaVNZrXEC7CZmCgmzVhjEJ3toC0MuwLC6a5QVR2ZvCECgy/lUDge -XK2TAkbnoqUwtvwaoZFFPWdcfBITEFHYsWFYCGXsDpsTSHiLfe14ogq+5FpCOz0w -aaA3El1Gu0GDEpy3xbRbgTk4HoV0BvVDQOWjiK1dgCmBehdCg86XEb+Zzj3sPT1z -qS3TKVWABV4QoM2zH6lo7RK2AgX2UVn0bRUPq1mYh/iKpcD8ZQMjeDh0L4vx5AAn -f7bTp0SpPLMdmdzHmz2GhfyOuhAtBT7xQ3f9RWCtu7oZ0qDnmTA2lYnvpNZrdWal -oNwj4fQftAuXTU7CLuDk8fZ1av0DFsdr13s6MqyJAZwEEAECAAYFAlL2/KUACgkQ -MFFdzvXJ/MFsaAv/XgiWzwVOh179IzjdvuDU5mB1F82zbLbh20cN6iTkTbBdeaj2 -ibA6WecaxxAjCe1y13VuwS4MBCX5KdRQyp+ypfzOspRWbCzmUg4ZOfpB1RW2cAQo -/jrnN7wYiDLCnQcSg9Qf0WATMOcb2YzNHB37RDyPEn/YKJjBbN0YiXBIbMBSMMRa -7S2NV6vkQE4AfJ+DNoFY+rsjo+tMC6NlfxGQLxC54b+AwuVMNCSF5gFZOpbMzoN6 -Hww/r1+NiOQlux03pr/dVinI1bglhDsfNuATM5//tu5CZjzt+yUUMLPIYJeXY7Fm -cx5Hh8Nk94SYo3PZ+jZYYjksjkyKvGQI8GyDzOs9QJknv3MuXnhPle6i1TOx7LRq -ouhOYHDdVlUjTvHY+9DV5FuOYfGJiKwxP1b55unl9TXrKQ63tbNUa26Xtwj7HsD6 -y6d+j1ansg/p1F/SQu67hCTvRvp5OVl87rUsKYf2CufatUxD1str4tx/x3Q6yUlZ -jJFZuK74Cd0rsKcSiQEcBBABAgAGBQJTEGkKAAoJEAWoWhxbNmB9WjAH/3GT4BBK -eNPRG4ZSeQyOPWmwKZArH3T0ibqJP/ZQOIylH0MbV1otYE4IjU1N5+HHGWoZXPWp -LYg91EPdsq21XNKaxXacNEJ/8844cqdjnyFw5+ezVZ7HIXcJgSH7VZInkSIPQUux -kITm6gurLfn2z5gQJOwQEsZv/YL0ZT46fAluA+Cq9j2ahmI+YWgVLL7PDEqzRUN5 -0BLofdAFVhuxXGTOBj8xSHnEsHg1N403KMs25Ya8TLedBFssIP4wbEa4PMLcJGsb -C8do8hFyq+zM53xTMG7eKhX9TfpBs8ZBHc0t7LsTsc8cDIzt0UJaY/IpKiL0levl -yCjU0dRj3cQyBaaJARwEEAECAAYFAlMYhkwACgkQc2GUjqtWI507MQgAiMBm3Av1 -itH3qQiKEDzwAuiO3KX2nrbSOHKInPse1T8zjDZjlBTza+zM1PHkAHaFdZRAWw5u -1ZaVF7kwtLqGBCCJgZNINg/4E4mdGqZvmJxdV4kbHCgkFZqdZmlEOWvQAajLroYe -R4LElJNeZNM+ZZhBSj2xAECbk0Q/lS+xX5X1sVe13565taRIMcY+fzg3KONHh3Nl -Yvg2hhJ8LOyOmWn/stAKSmr9/izgL6KlAKnvM0gCLgZJXeU4aseHQH6PAHr1GuLC -KULSDwOWmfsOyW8LD9t3Sem1ekgr5JeXZGxUMPVn3ijB6QsPfti/xAcq/aMppNoM -6p79aHiId0VW5YkBHwQwAQIACQUCUxRLDAIdAAAKCRBx4o2Tq4Me5aGIB/wPLvyv -t280VsY9HgqwULF2RlK2XlahWwnavBs1onr/dXPX3fxTjjlkTJVRfV1abxfdOlrx -zyz3Zy5sFDWY4SeFSOVOUs4GqK/jATkwanRGYRRuPUGXJEe5pz4G/YMn6KTaxx4v -ERznR2TdALWz7LcVMx/VlLtVnVGeBzG/z1qvF7f3hwTGcedUmGTZTLacxn7PAnnj -Coz8GbNeCKke6aZc72Pzh5cTXozZ31fRIp06m0sxeFHrYZAlrWCBl+JCnyWQL3GS -p2h+nwisRKH4WPNP9zXKmmkXqOYOQlnfcGgOxzPrRtIj4Dlqlugwj6FuppakiBvm -2DbgusbkZOn29TGjiQEiBBABAgAMBQJTDPnFBQMAEnUAAAoJEJcQuJvKV618JqoH -/ialAnjyrXfGWaWfzxVV6eMJC7zdWTWmXiWntnQi1ml0F9ZqkOKqriXczbHRiOjm -rmukr1pGJgOXCL8YJk4AdhgPHDKVVHoZ+jVr8wVUV8IUR3OeL2XbpnT2Cg60XAo5 -AHMvW8YwqNEiNEXPMJfrI97YvNV0Xlj+OpuHnVjXzu95Ml38iIZYHL1FKrjnYpaC -L8eBvC9XX2Geib47Msl9qwCKneR6jEDmftwB1CWLn2NJ6C9cP0/aTawVEYCBOXQ2 -ARn6c+aXe+dWoTk8dBU+cwgzCH9NsFZhqnnqlXu1xgccOi64S8Wvk73Qc7l4jk9T -wdFoTbfQlDrKGghm1M20s1mJASIEEAECAAwFAlMeuR4FAwASdQAACgkQlxC4m8pX -rXypTQf9E10wucLWJtSpJzQK39r0gKKu+f+HiL/LsvVOH0C1+FVtpwz2odZYZHye -edI/fGJQl8+hxdHLeuZG6EXwZBSMJ6g5F4DS6iPnoHQnzhLnMde3GQ7eyFDfcNCn -loNhXP8vQy4LODXxDLEKXoD0iTQd17fCwfcoiuSja9oxaYxYbK7vWkRHvLXFLk1G -bQVbPolzJHj5jgYx3yiJceNPreTvk8NTHV83biFlqvdQQ1AhGRR+B/j/MoDi7EwT -YwO2CHI6xtUNrRdBAj8yCgyjCEJYxijQ0ujf9L+umpGe5h+imWDRNnG7VySHoVW9 -gHfGTmW+Oa/947g670UPf4Y5J4u6RIkB8AQQAQIABgUCUyZYVgAKCRBtHLsMF6fR -+XA1Dp0ZVl3iAZKL2IfpGeRC0P7RmT+Daum3xqZbjC5ZcftGqPxELhPvF94gVzQI -LW6c66f9lrzz7A+2RwvQX2kIOOIiwIeXRZiqqWnnJXDR7DxXkSO8Tvwxn/CEwAs2 -Xcyl7Mz2Tk2mYLcUnqvV2uaE0tBFD0d0MN6ie5Z0zu1QQR/+FDvW69jGVRgd3lp1 -L1K5LXsSr8DighryDnEZQwV1JtJ6UdIg8MXdfUaLGQ5o1s+QwENOePoYL5I+8TvK -AVKxTLjN3SUTTyhrk70r6uK2mY34wC5CB4YwAOD03H8+Lt6pZbvdKmmVv9s+wG4q -ItgFj/42iKwRY8xLpmKHtpCzaMP0oK6IbXmjdbVzPavX41n9ueZEXRjowDPcqyY+ -d/qv+m1kRfk2E0T+JJCLSZ/ZJjejx0rxUI3RbZOsGv7h/1+8EfbKDIXqV8eva/IJ -w3NX0VKIrfasfoTw96abroJMkp72KjRNVOI9wqti2WgHAkYeVe4kQO+un4TD6n3A -bPFQsyCERR8Ip0Mhv2O0Qoe03kQYumKd+pCx49I1zVwJPanxVSIMeoep7Cbn4/UD -apXJ327esqvc3PFHiZEnMAEFz6IYxBPJi7RBEn52LKK/4pQr4uOBxnuIRgQQEQIA -BgUCU0w73gAKCRCabZJij/3JQqfhAJ4pCrjXoY5sn04qsuuKTWtsGJrz+gCeJjGg -4JV7zk3bPGba95atiSobo4aJARwEEAECAAYFAlM5xbgACgkQW848ce/eVC5nmgf/ -cw4bvSCQyVdm1p2HqwEIr9DWn86Amyz6zICk1YNGaVE5JV627Swy/99PQUqahv5R -ONTtbF9NPigwz/uN5CCMi15ot/ULJAKWT+yaQR0nzHOOI7b9w+fhzmCZ0agadCIX -KoSHbjiDW6ParKyvF3UbT2p7dOauS71YD8cgingMj5Vfz9sf2+qylRsimkwotUNM -RZ7Ah7UajVUpinVKtKHd4fDSANsfTvY4faAxgvWQtylUIF8oLVe5+IQqdneZNs3T -LqPn0O+BGnPU9XIADJ2LBwBOAxN1jl8DXsVAod1XBqTp20kbl+RfBYClLO4H7UdR -COJkozu1c1w1N6Utt0/AtIkBHAQQAQIABgUCU1KzBQAKCRAOgaZYq0DZH1nFCACt -FwQFbCm0MtRN0yd0RjacYhOFa/QSLNVZC9DBLvYmVWJWXGXTNg5ImITxh2cKjbT1 -mUTe3LKAYMGfR41NsXalIl3+tcLA631Tq2VTOBtlaD51jR90Jh33DouBfqU+nXet -QgbsH7KPf0TtZ8TuYHUwAS8eaeAaLyBW0nZbXlWMegv38Kz+nKrfCgi8xZlMc7sS -VRCrlhyfewtykAsKLlXvGYpK3pXLqhge4PyfcS8VfpzQpXhwEjhOuc6S7ce4cDtQ -aI1v4mwTZ/v0T1Xw1OnVXsGGV1BiGWb41nkrETpJtoT2WKcS9pGLEbezqqCroXZ6 -Us9sVl0d76yMeard0/J/iQEcBBABAgAGBQJTW/mCAAoJEAkXfAWsS+2HOY4H/jBi -e3bmXqtoEuCKBtmo0fKo+V/O8d2izBlKFM/bOtUJvkFwdEy3Giv//ePiWr1AHoO/ -Kca5BKr/HkL70fI1a0eouZza2I98aC6xvBg3i+uckiComx29OnhbDMLyLWVDWTCs -xq4vXOk/TmXSnbX2ClS37eZcIyTGHEq8aTS4p4nrTDIGTA9q157aSnEoqK3Oa9Y2 -2qyD6w+PgfSAz89c3Zs6LzNTRsvg3403wTG2eRJ/o0leesa93pgPOcCknKurAWZe -ZHhpHuROMWizXrf4AFFCF/1fwzWpAkqDa1V6cvW2siKWYHUepGIZHG+GeJZBWBcz -vFdA6SJSNiLj00O1imeJARwEEAECAAYFAlNddBsACgkQfraZsuJ2qDA5kAgAoy9j -sSiuC9ZbbX3qi2aDo5B7LcN+nq9Lq4kLJyGI7mwfW6CUuuwAly4wV0UPPonMLioB -1MoPCwNMSoNMuQhHxc5+vpilt7xW0QgbgDMzfklwdK341rNO4yMCOeGlGWbvERsj -azgmlyNwM+ukTBXKYViDBHmQVfdEGnMSLFv9j0ZV944Xg/CiMzPWeK+eelSlyZEc -FZpo/7V0J+DtBSN6HwmqtTJ+fIufYZ1KD4Y4xY+bOeeeoAk3CGHFUvhw1BfIwLxm -UnHhVuFRS8/sI6hc9CykOIAsJmKopYFcPAsx/XwEIuw4dHNnLVDKe/4TL++3AO5K -/QptikZdSl3wJtYhP4kBHAQQAQIABgUCU2y55AAKCRAGkgbbdVclKyZpB/0RvY9L -IogXBOkHeOytUE4K0oMnqeAzWIWyhbadIOXsgc1f/AkI+z5xkBDhT9fmxJZTZg31 -8UNfwHAXFNCXiB+vtrCQUne4R1Tusn79DMmasEXAqvHEoWZcyRw7nWqd7/eTT2bT -ih94e0Ft72ga37gBpWtIqaY0aKAIUfvZaHRWq9R0jHw4G51UCM+xrL5AZEEz+Tca -BjKB7IE6YaShBo3UV6vcA1yqfvuV5cty1MW0pTwwRCMdPfN2hHQZgFTzc51fnUe7 -j94i2xINBFmenCukzhMkvD6rhuk+A43Iq+LjJA71Mjau8fk4DSTprgrC020j5HUl -3xjn0qmgk50m+FJHiQEcBBABAgAGBQJTdWuMAAoJEBTutqQUlPHX+esH/2r8s6nb -JLtNu5oWQB8q18YSVLaeeVZppfRx7DXXvgkaNty39u2P2VPZHuN6CcxopdPYeB5v -1VNS/z0q/RK+4jkym42QIO7RhS00hSf2L9DWONUhNo7Inzd+yyKK/2vQLl4ICHd5 -JV4m3/XXbBswmpobC/UEJWeeRoZxCVAUXTYM/hx+638wLhEXEESiQuziOZ+f7js7 -DeniJ40a5Ryzjg2DAAmgmZpKdct0FVM0IXa24hzQ7YA1/fooH6AkKIxHfPcJ9ia4 -kkhyUQlCc8soOf1mbZMBueJRXf2KfmcpBQLpe6U06LBdgayyDNDdocMBfQX1Ltk7 -kEyYDgnvyVIqpGOJARwEEAECAAYFAlN7PlUACgkQG5mx+nLhfMa5LggAk1DM7B3X -ld8fct1e+T47TCDBxIXF/LtEddvs0MtSSQzVcvHeYHMy2JjNjt/YUAN7T547cbC/ -6iPyie1EgOMw3B9Cs9nlkEiKX1iJX2SyW5/zGD2+UvfabE6Aef8xpwQpfMHOHy+v -PsSL4Tmep3x8J/v5PrtJWImWN4zPpE997RSyT0LMYF24W/0mw6SkFUGlBbqeack1 -9DqLDmJ3zfgYv55uSma/kBNOaqtui3rHNr/J0DZ7d3DoCTV2pJJ01TR3HEnLVkwd -AS9r0+IoN4l2bgRvV4XRuVHH7SVfjLcoXK4WEB6L9NsRqGleGG8Cb0azDlUQ1j29 -sWb48TFlKUCx+IkBHAQQAQIABgUCU35hzwAKCRCvW54JIUavHwOKCACmtZi/Sg1e -cKKhhjBis7MWA6gwnnVhs6HxhGAy9zJlHj5vljw+7X8l54Ret87Twr61/dHHfOlk -7RNw90Gy/+FK9BgTXiF2/Dewm63o5Hh/G+4VwHpVwT6k+wPdvMiSKKf8hqEV6ymc -SqUDHd7oxQEYoCMkOg4PVrWLIDmbUkGTf6POhulDNm/MtZf6ba+Oe0orz0E+3bq3 -f2dCdJE9wo7Hhv6PqXBxjoqVpYP/pGWNayCoCIL/XjQHGPPjtK7L6ALdQn/dLJX1 -kpWrcYZoyltF7MhR4nR+OGoKYmuJTYBaQZGgO0PcZGYvUrDmFiQVhI7fgmwrV6wC -ay58RTXM2WUdiQEiBBABAgAMBQJTMIPzBQMAEnUAAAoJEJcQuJvKV618YmAIAJnt -Cly9CyQ3JtKCz0juJVkYTMqTi9PpcKVFP1scP0WwF/VUQv6Y3zeJU/hsTovqF4fI -By10iTv0LGMtrM7bsF9hG4nukQT9qgQnn12tfrJhuLi+jCJE+vCWJ/+apq7Hbiyx -rfq+p+U5tvJ6R4WWXGi5Hv/W4IeTKdureV+VpzlUVgp30xzttYWO6shO89K0EyTE -YrlhqxHEkMwPQa4hkDMzkqfQiuEhspZiNX9BwoKEt+prJfy/2BwwsQxIxPRe2KM5 -iPhgaO0fT6LHeJgqC5/7MxBFc8oe9Cr92NIG31WKo6HWeOcRrCuIhomt5dfC7uGw -iXYawMGsEZOybTSRqnuJASIEEAECAAwFAlNCUhgFAwASdQAACgkQlxC4m8pXrXy4 -iQf/SQ3Q9RLzQl2TSmV1X4RFmH4DNAFroFQiZH1tKpyN27hpuSa8dG2K08aAn5mL -CUysWrrZO4OURSO7PDarXf0PGURey8Wg4f2QAY8hLybdXPxOpwbcSkx80K3q6fgF -OyeXthSRje1kcsD+ZAufPG7EK3qAZvyYsV3FaVLdtzfIO/RpYkttI0P0rHI0Wud9 -EN8iWSDnmToQxT9M9Kpxoy9sRuYUtH+s/D0KARqRtOPlcmuMvge097BcafckKGPl -7F2P215sx6mAjV7oskhRJtqYEMCJB36i43xxUmQGToGCDdc9b9t+IeD15OkFmcfJ -odAvOhufAcpHOJ1iGPDjvAD0W4kBIgQQAQIADAUCU1QcdQUDABJ1AAAKCRCXELib -yletfDqLCAC1oVrr36ghkZ3mYX3qAFgvSNPkJi9wRJAIXB0ULHSajjZ7VR67D1Kk -Pq3pwBKIm8CKHswPH67698c58rCCsGeKFNJ846JZeswB5CX+o5Shi21l3B/ohs24 -sr7sxyYDOZ/NhMOPliWahTpq8iP4sHrKpU7ZyZszLffyHqMU5HrdgXBQUJf979n2 -VabuB1d3Pn4Xk4K62NgMgPI9fgPLD+ijJCWCaF9naC+oayTvhtGT22LX5kHYww3P -blcSFtR34bLXngGRIrZtaeHdOciF4JPR66CVLhJpPYRZCOdKW9m9Om4jmeJAOmQi -TvmC4f3YZjU32x4Kbk9NcqDagppTZNWZiQEiBBABAgAMBQJTV4w/BYMHhh+AAAoJ -EG8s2Ly/+fbecX8H/j6izqsyGQRjkaa11SfU0FmU7xUIfnN0T2ddbQIbk/a/UGmz -OvI3RmO/DvvkaNuSdWPZL1LLlv8RXVErUzozNNJKcGQqo2hktgStP+L+jLCz11Ar -r+zlORLhda+dtbryXzcZ1/RDuq4R2xPWzsM3MPWyz+UWqucNKnxBE0TkC0LrgV/0 -bdN8flNhprNi9fQCGv2/qtnJqu5XIJie/EJCYLrWWbEyJUkNk6OU16wfz1krXawZ -4VtcBh/KO0Oy5zXlI/m8k+Sfw3kV+xqfRGNPNsDfXbcpvC2vIxcGR5Deowe4x81F -uTB5wWHzVkc0edPIbh3YiGV+iIjeyrBq7JN1wyWJASIEEAECAAwFAlNl6IsFAwAS -dQAACgkQlxC4m8pXrXwFuAgAmqh0BpMGNUM9gkRomZVHuDrt4dUA0Knd242c7uWt -dk61o6rtHwiDWIjY9ANV8mG5iKKK7M+x+cHOCBe7qUZY8I22dUE7HScKT255upK1 -Y0oOP1Qr9t3RYF9NtyToHBZeL9i6rgoqvs+jGDxlDDxAhphz75Jm2cfhJTt0Nrqh -peDxA3T6WW2ELdRhMXr2ltEot8r0zVUKOnLVP8t0lXNyLeDPMuOTUA3Hu7IrTRBy -1GfoxZezd1fiintg5l9z/y31ddcUK9A/W2RWBJ90bTwJCGj8XQgA8o3z0SN27rIu -vmGKGjuKvg1UeGtwaqyHrwAhxFTjrylTnLQpnHhy5iK97IkBIgQTAQoADAUCU01s -xQWDB4YfgAAKCRBvh79LlYh+j9T2B/0Z942DBLLxbYdU+bqu8XwSvycROJ+Ko8Bi -jHsJk+54m/yhAP2Rzt3HIBPvUTQ3ICyhhYPUK94xKILFpebNJbTgUfez0S1RpI0n -yGwarIvEXjjt6vwanZFlFhOzaHoChFTAYfwZxokxoHbZHQiA3K2qlKrabE8G4+k5 -nW8Y5sEaf3aiTrmiTCmXS1xF8M2wh/xrp4C2HIpYbgFt4Yl/Y71WCamo4XS6Wg8i -VzRqYZ5Os0EVJ1GjICMSMg1OtY1FDYy4GlZeEizTB7AmG9N12ex5eli/Byb5o2oB -pyuTYWrXwVvZ0ABqre3bKXZPsyAVraCFPx2SKE9g8SN3NmFWAFsEiQEiBBMBCgAM -BQJTVrZMBYMHhh+AAAoJEBcahzzv7fb6JfQH/ib9XbWACa+1HlioHu/ICu2/u8ys -km0wa17+d1LKkLjFtokydhHVDxtcyLVvXbjDMd9aj7/YRc7cmdPW5cfb/a0Did2d -jpdvUKszFZ0PAkov/7wkyfMd1FPvXbQGRQd0aRoT31amPg0//Xlt0O1wStDn5HKG -ukVpCTnT9nitr5dDB+4Mfp7y6KOdprUzGv/wHmk80LPMuitmOOGHqasoMDkEEaRV -7IZuRikEpZRLYG/MzbKd/wDrj006U1Y1JjtUwQZkRrsqzmxWLAuSCbN0m82+2Ire -2MhypRJlF7yBzQF+rr6zyKKqK7WMe2fXDmIXpbJmMpG2gaVc3AgVKALRd1SJAZwE -EAECAAYFAlN/tHgACgkQT6OOgi5PpI9GvQv+Mwc0nfhtL65/Qo7hGXlEpuhdYttX -br3bKL6hdjrKw0YKIDJcbq6GhRTpglWgAx3tSLDta4LTWdTBZXYQL/vQaMic51T4 -qBHD4A9Ft0pBURzRBS9vEye+4OeHocbEzivIjrAb+U2ffOmh2HSlDmiW9AFddiiv -aX57dF2EkH0CXWxIaMc+URzM/YL/ALpBTw1GHTFJazq6m+1xUBKErfSP4QhI+fq8 -Eksbwn+YUKQ8HT5jgdRA1aD3wNjE3yVtTb85jlGoZXGr/iGsjL/N3vsNXtgXsfyC -kwDFK1bEajyUjfAoobCcpzFbHdhWxYxLItUbNWLDp2oVqdk/K6ZHdN3hZDiGJ80W -T7zExCo1Mf1eWGdh+r4nG76JamTdVjIZjPJawRAxlspMtKA7My+JGLo97CUFcCEw -PxQIJqKqWs5W9CKJdxmGDkGHxjj8dISwSSK6ay/b8nQ6BJVnPiM5YKBeWstJ0DdS -eI4gEIcEwvkp+C0dkySWUI7+WGdRmK+azxQ1iQGcBBABAgAGBQJThcQvAAoJEO6s -dWFStw4LT7wMAI1CBUm7CYvel7+sQ1CMjWLUvamHM0YNzLc7IhlCPGc42yluxZsS -VEVhJnSYzsk1Qyw9AjpGQ61wCPGhUmbis8OuinfDQJsQumEwfRqUcewMQerQip9E -T8/bwkPv1LHhrk78yQdxgIOsTuIS20OUptdSUiKl6pKtl1ilxCT4bPuuebJ73BPN -Lz3YfI9rDzLlGsfx/Hk0C0Lo9G9saG39HWx1Uy8XoGYYlTpWkXRwX8+kN2a3vzwa -2vDZxnKm2ncTFNfpgkXVb7d4v47Lhn3JZCcmCKejy3j9LYtjL8skaGXgqsq5q+Bs -Yv5zWX3nOQTWOuNDEWEK7aFKYaWSwuRIHlC02fHijrGhVyVBRg7ZXFX+01Px94gj -YAdT/zwY87/QH53MxtubNaYRgNjDlh/+uZmuDJh9oImLzkQNvdP2OLoqTh+uMaTJ -E8ZUsqNjJ0JDKpWszDe/1/RTG48aojJIRqtMt7/RERxYNZ8Yxc/bzxA4JKRoFb5L -BnOCnANrGFx4LIkBnAQQAQoABgUCU3gBsQAKCRBEKQe1iN/EV00tDACWyaqRfXMe -Zp/TGdHuC6sWzDdGFCzUk749dwzmB2RXFT2pqAJEtS3mdKiMaTgoVYMKJ++46cxc -yFa4R+eOhHq4W4ObQsfR1hH6kEBjzYpagcfUIofHJfojwU3vnEljbDKlH/HFsGos -/b3ZxeBQTuJfdn/1BsQPKyTNaXCpwhIaDMfZCnf3B5/Hl5/4pyNS9tCq6BKHMC7g -NMFmwGA0U5CR9OtwkfF8MM3+sXuqiUi/36OvWv5x95bGXZGX/49d19N9zBnb/8Ui -8TEC2ATh5YAaoCZsoqhdIJaF0So/Dcb49OqgXD9TafMRBYmlfhtIakr/JmnBiYEx -62t5CYegjoETgKDkl5qpT8rZbuY7FfftPFn/MMFddZIddVb9gUSaB4PQDSXD5JYQ -VGzA4nSWVfKMBxHt3j8E+9g7Sd5L0gMYc3cGI3vQzXi9zjsUXlyzo11dItioU3cw -sNVcgzZ/Qow3kDcOPitlGai28IQT7Br/m26XtSzNF5vIhc0IBJHmUneJAZwEEAEK -AAYFAlN42xsACgkQ8u8vRwaei48KDgv/eJ+po+FGTLvU/xAoUGN3stSO9NjawoL6 -VlU8hZUopxFoY9gYePnUUyXPrBXJiZ8BeGkm2q1/dfq7YVesg0dKGH9E1nDCEDbb -YszellPkTycYzaMuASFfilwD98DovWxqo+VPOMK2aTzQ0suzf/Nv+qFq7MnBkE9D -PmttfZE9BAQDYvOkGwHfe/cH0vusp1xbsKeKBRPBlmRUZWDGN+PTNGmSniDKe8zO -BicI2J0ZzqGzNZyEzc+E1dMOaaJhgKLLANUL0ORSgcqgUKliEgpOeryBSyj1KhNm -d+kmAtLKxGzCRWuQhQieutZZtk/ITY1K1jaWymW8swTDuBhM6XNXftsOrzt8xa3s -Ay7kaIXv6/BeY3YymBGJBqbSlZoF9GwFhYzuy/8Pz/VJR6jwv5NgSvDhOPBa5Rsx -4lezo1FMTEwP7AwELTZF0fZtJkuGsPh5g5/ZlPfoxuBezqETVa9pfEWHgSKCQSNn -+VL/E9x49ehwAFbcuET5y6BE7n/Em513iQGcBBABCgAGBQJTgMDxAAoJECrT7UPn -2xWPeG8L/RRorFo7vRqtBT+tRkpqrIdtfojbm0fLnGWwBLi/q5XyAZYvBLI/5krJ -URGTZFUOu/q3BBKNwW8kRHW1720MyemccMvhL/kxlPOgXUUg9/Pjwn8FfD/Q8OqH -jqeWmmTViCv1bvHGkvwtDqjK6P/ZXwiiaeJbjbswksJg+HAlrSkf0CWEta+RLDw6 -dOnYwGZjfJocyz/N+K+a26KX62vFXc58IzsH7gXFBrdMVLToKACos4bkbp+Hti5D -VmPttvFT8EaXLmQ+2ODdnOL1IOVlxYx6ExcWnuQ+wo7WiBpEn3r+gaKFhMtHyur2 -73gkJJIzdIHPcL00OlEAvwBanqx5u73KNvxfYTceLSLKFExbWL/zpjkc6GeQp1sY -vSpD8y1Z47aksVgLRf07IA46BlmcnFomSwOGLzEZUKawuR5an3VumvDW1Rb1MVEl -gZOBnfhbiFmVs27/llTQ79k+6SwTq+3RYTSWzZGsOxMSgSDn5CLkmnNntvsUK2qb -OV8wWw3OzIkB8AQQAQIABgUCUp+WyAAKCRD9tbjAZ/JTh6UtDqCJxkAEIvF3Koaa -gxZKEAjsCr9Cr8fAzDH5YHx4qmh4zI+N/A140a8Lk1qD0w2+ofzw911kisVlKmVT -421+8qfusOWpThkMpQow7LON/GWH74P+k2+YW58Nv8md7uSOzU3aCgTd0KAp5bQ0 -8ZKyuNDugYKMX596JbKB8cVGyQ31NLcJ4TRFYNos2VdftELDFypp+LNh8tTGJxlN -dXIrz4ORlkxol9IE69IhD7uw8/gq/kJ/DGp6moIT0IoQ/hf4LCBdGBk74/6KJCda -iVAQZP4Izkq+HW9hRmke/VpIBCDX0xCDGnOd/p38VunMFzqHxFwfOL/vFmF+lExB -yIqesUFiHNc3nUn0vyo/hXs3V5uHnB3LGDJDgbsyoxSC+AbJnfGslhXVeVrXy4z1 -UxxGCESQXevAxkYvHNyZffIIWLKmZ8dLxOfJs4mfDtJKOo52vLANmFjgFLO8cJo1 -tHcUscYXRgseJ3S7SvxLfTso6rNZCqSu9peBghrez6Qj1O0QO5bYDbGlCtGDD3Kt -OkCbndKF/CXo/wqVaT+29n83sGUS6YGpzSbQLj0mJBOuWDUs/GSoq5SqwKm9Sjxr -0w1QwUbIApk8w/kTkRHQF7dco8COplCx7XeJAhwEEAECAAYFAlNdmfcACgkQtxbj -880UzRVMKA//SPvqjHw1W6FmdHtBd87wbH8HsGgFa9NDkksa00lODoF+He63DIOH -KQ74AZQmPk0MQ8pdbl7A00ITiyjZqra9aSF2g3sRG3QKZQ6vqlLCJ3ZystV4LqZz -MJakrrajzcaiqfE/9HtlRse2hlZlT1xLlKLC9v0qkSRME69ZRLgL14mdzg5CIUkF -YBq2wrOwU8CeK3/ITIkPcYe4YmrRg95T2mcp+EKZA6U93n5OP6wOjQK+L8elxBY8 -Otx+uXhN227KlGpkml1F2iIJCNclxmsm0op0akQpzNkUvIEBkvksWktercd7940v -1hj0TiNIQ4jMuQuhrosgIbYnAU7Uyrhe4JA5E51jXDcKz8SmsynI5vYqghIALyeI -tLxFqaEERFPyLhHXUKN56In3+DXQlMsD3rJk54JBRiJHmzg6ePpEJboAjGsfa3rh -TxdgEcELEdskNceFqJcoFY4cNRiumDDihAeOKeq8FjVmlEOlSKXuB/DBBRR36bqy -5O7yvhRGyV41nMolHTub9IkjIZWV6Smf5jvQCkodDzq/LwzkBYSqPijiEScBQz3l -IJc8K3CwvIzyLueDX3MtpJOB0XGcntLxan43ts6y6gw/XTvhxMrtQUpCU+Z6Dd5Y -7dOYtXAhp6ILBXZz61yLPgHel+Q1aakIewuaCtCSRkGLxcWmNpxbjl2JAhwEEAEC -AAYFAlNicIgACgkQdzHqU52lcqJYCQ//Yqrn1jp4VfNi+z31MFNMnf5I1h8In4c2 -Kq4rw6uAzCslrBh01oUd6whSt2ZTwdwnnWGFFnkW1y4ECw9R3rKUhQZN71dfCS69 -sYjwS6i/yyey0tWTtzSg6WpNt4b3LGSsgHhgBA7xOREmc0egg/+Tx7KtQLYoEs7K -takB6+FYG/xAwBa2DmhVQZn1RKXnCIYVtGma8MJ5w7lw7NrnC1xqgYm9j/r8RONy -P4DfVk/jGhrj2ZJgD2gGQvewa5s+bWY8JU6z5qUB/Wk8TGY3s+QnJ5lB/WOLSvpi -2Du/g9+TUXKUAh7jz7LGOcfQyn2hxHB375ZSRFn8noG1iELNpUKsUGyfkTbpkUNN -bI47DSDeOw/ax8S+S4Ux1n6mh7WBwi7Sdcd87DEvgPBhF0XzW1hKfolV0+iOwY80 -oj6OFfCxMdlYahF9u6hmvun5BcRQEGGa3cFudDd6qL1nt5rFoUe05mFMsYfDu0Cw -FFPPC2lzmwUGPhVp6LzIspCu62BsASwX/aIg/DH4UxFqZRkD40cXHxtRHOCHm57k -KJCD9H0TR18lAjQPofNBctcKvQkdK96Tdu6PzdFnjY+jDoneToUKn3VcexDqL0kR -1i70ykaq1wa4UjcbRVmBSBGLdllock9ZxIXjZzFh1S7FPquBEHXdDY+Q/QTfqQ6r -9MJg8MKsuFaJAhwEEAECAAYFAlNqtlkACgkQY4T3VJ1wHYu6mg//fBsgmqD+eYGm -kbiSnDw5a+LtJgFHBqvjO6qPa6gqCx6qSKYU17vRQ7pvqtzP7/K29zMdbfkTKaaz -8xJOHExmwuU6Kwl25z3Jkf6fSGvkHXyzjRW/wTqRFtnnC828yxcNPl/nhoggtE0n -KHce2YcNYALD+UfoTMTD/sKmgvHyAZj4h1uhL7Cfu5WOWhhHuz1ujd+CFc/4m4T1 -yZoyIJ42oTXUqv4s7EepyNxZQ1mMgX+9kknSdsuSU/SmAr86sRSIgYnqjpekxZcg -U9bUIwgNBgbKO3mxeeOOKCDUlUVzwKJhIr2tRu9Fmvb9KWV+h9kUz74ELcK1+/fI -Uxwl3MFGqseHagR2SPQBlC/ZVloos84PUol39e/P6LYjK/7fh5enSLXcbxO2NBSl -BmXxItP99IQPniJ7nAhwAALSdjo3eyWM5ZNu2x+MmNrSfKnfj1h2LV9KvBdBHyDp -135hDk/T5DctCI85hUJSGo2b95Cb7x6VntDtT80Zklzhiz4VPCjI909r6b+lOTlc -sSGEk2VnDjxdfSkchZSr8PdvZnJeSk640j53XXlVWQP9buM+AXbynRsiKQ3grh+N -M203Yc1QAq1fiP/H4fz0b0CUG8dcSXxb1wu0v1QoWyElADJRx37j3fceJ4geqgjT -wx4CzIGWquDeNcC+surjrGDl4M0UfKKJAhwEEAECAAYFAlOASjYACgkQ8S2YV0Pu -JiBeJQ/+KXbqR3rJsWtwamHp+j9rJzgnQnyHfBdqjUrSkdZx/T5UFocVenhP2SCZ -IyKd7SbgZlzHbeGaVQEO5jHPE6dnU3UJasYSNJV/jsBbj7o7iXR9WRznIQLj70A5 -1WzuMdrPDUXSEatybUbdGIdkmxDRSlAPiEPtJ+SwCXOwxGy/SwfaSlhdx6Yt/GM8 -Ap1UeI/Vrjklm1J9n3mr8K1VOjLDvoPIQ+qF/CSgYktBiYUyidvhE0oNC3IVOtxw -uOhlpCR/7ANbP2C6c3tbpd4Bb+rABsiWKZBSYt4WIN8J8gfOzccBWEFYHRfWfhDQ -KQ9nvDazBNKK+Fm4qlEMGTu2BIZhYtpMbGiUMBgYkK265agHUZG3fglV3xjpWMEc -gcNHTKR1kZw4ybikFH6ZCJPC3O7Gg4dDmLLp6c3sSpLKu6I8KTFy83ZKWk2bZXiR -0jv0QHqvpDGyFPV04xYa5Um92XQIwOpRv01au3cxafoCs8EOMUBrJnvI/hAC1RtR -Z58ts+ikoIrTT7x1fx307lZsGGPnTJIuCDIP+B4e8Yu2t/Xf45IqmZ7We1E3NHe1 -7COsSZS1GLXBI0SG7XiNr8/5ElyqBtYX1McpWrSoIycM3xeJRVSuOQ8EDovntIzM -l2ICCz4fF8xXZQoVrztnn/meTEW36+lFJH0bZayFORQDFoJuOAiJAhwEEAEIAAYF -AlNMNMoACgkQJSSWKO07zca20Q//e04Afn8X/DN379V/VfrRTsMZrmlcoUyzievS -wm0lQvtXuAoj0K81fIL6/D5hn6fh2tkeLrN7xMza8NtF9AE1aj/tpvfQ9Xu4VTlt -PTeqkIo38rxl4FyABNMQC22Z4d+LhwQBMXYZ+PQpDIS047SLbaM7TwRflkimxkRd -ixoQxCA05tRueAPWwzL2ULUIT7z5zcKJdAlfrsjC3m8nruFYL1hveWI5wr0FfjJC -k1pHQp9lwHtu7F4OIAuMyf/3adTNDyXwGJHguHVr7g/U2GCGEXHxAuHadhd4j/ha -25K0TGETfgpXmJ6Y4qoPp547YFNMrJstkxjQkqM7Nku1shcB1kCHnpu8MczggoWz -HlzN/keB3ABMTbCtXxeObyEVewAZ39QO0YtA18ZItFTWLpiYUiEmFyGLXk1v+p6F -vFyQ+fPb0nSCBYEB+ZXoIdtuHj1ID4llo1wN26fo5sSfbBvP7EvFuaFasyo6YvUz -5ZcGj661ibVvc0iN6TtDI1nri9I2OkwFpPSdUO5OZz5NmfGV7JMbxSRcEznQwmBv -a96vFzyrCjgGYNgIok6/bB/TasWxDaae0YD+D/sm/k1c1gAcTssyokfBudFZZXsD -/jAsw+XE61R/A9H1xha8LoRr3DFl6NqQVsuXXVyrG7GpVDjvjAsxfhFfL5TwgOkU -us03qKqJAhwEEAEKAAYFAlOAt8QACgkQt2GIO0QovcDNlg/+LD1a6brEHQ99DqSl -2R3oMh03tEu2GlPS3h57+hxOyOklLDLqNc9f46M95DlkSguHyDkGcoU9DSL+3FMC -3SoR8cPNky5D/E7NyvtcnoOGfEYARBjllbEqCju1nlcFRoU4w0HE2XvimxUcZTtt -5IN+s7aHqO2URyjMW98/7p4C/R8oraEfXQ6IHuIDTQAqDgOZP+jGlyEhBYfd9nVs -A1wbcUzYesWl9PZlB0gKo0FGEJR4veDRuzp0CIgkA7CkqL6+9WiLc93nXAvBxIze -+Egl0PMlHafMeNQlNgMcoaTz1CWV3OUuT4PHmBkKSkRRv4HrFCNoGXJFtHbo1P70 -+J3iySSSCvFt51GILgDt481XqRHU20mVLoP8PZEShgtHIaF2aBsHWySsKQdkx2m5 -/LCo6mnm5wC5QI9167NvGT4Ox2UvebmDvztBNos0xrF0L8JpG8+85gEKsicQsN5h -2EaB4DUcN6UqsvEq6Ob+JsZgxZlIxlrj0wkhKRTBM1tTMuJ9fJjHkFgycFFg6oEL -k+CJKznxkA+x7FaRE8xcwh7tVQbhysd1I4dt/YVloZJgOEkBlbJoqaQhvVP+jP3N -lJopClXNlZFwdoQO+c5TNr0eTFGeEWDrkQfW4t+8mglDSm8sSKbPebGaM+DwBNzZ -VjSoYBhmPSrlf6cVufnPqeKXg8yJAhwEEAEKAAYFAlOBIKAACgkQXXDS68rSyeZi -BRAAjaxDGKKzQnTt5cuwRynB6vRF3GbTc6e5u7miCsMnFnMennV13AyIOEEX4u5+ -5JcjPivKMleo/0dNPX1pbLfavVIEIHXmPgOcr5InaCH+7ejZimckiu6CARbezug+ -VyGj4Te9jD/IZXAWuQy/HDNojgR+uo3dB9E9AEHeJqQn5g2D6c5dsqi4C94UD3zM -rJWJvphQpUwQBHCUl3v8AdlfpMSXh4eeh9pwVlWZ4nHVDLRB0NC4oopOCT8Zk+2y -N/c+oPD5ud4W9ofmQvCiWwWTEEzQFKBgqXn/Nf3lEF2AlyTqK5pqqlzZzgNsLuIf -EL8qZKy8CkZlUIeuvp0lrLSDunHgu2Rh0Bz96o649gAyNaMXt2VgoCpQh9Tqu+bA -DuiX+61ls1mqtpq3NS6pbcfW5ToelOJLi3w8QpoCppp6/j7Ozqm1cWbDAlvB83Jc -qyB+MfebhK5SN+q5m/QQ4CUMezMz6IRQLu6WJmlRY20bvZWT4MmpM2HaYNRzA0aW -ReGz9EUyRxTGRl4S7d9+88rEimLIA7hbO1mL65QGasteYD7FCDQ6+5fE4VHvMVj/ -fDXz7tZOZYTIWF6ZVhV/DTQckj2Iep/AfSvMVHe+D4/qGjIqYUuSTVKmH5529v7f -a43eWpis8c5gkKP1rFHisXVb0T+62jglMT/etwHVqQ52sZGJAhwEEgEKAAYFAlNS -9WkACgkQ8l4wHEYMMFUlBQ/9GQ/dVQhd1izyBhN1yRPVeZ1vnYY7DQxKkiVbYuk8 -z6kPEjrJ8nDJq/6nqtc42CMuxN3arkKlK+oCdA7q9gZ1Md9Y9yDtU3XauJlLJ8Ly -VObWhODtJxlPPEw8m6zPKwHikx7EG7zwhgoMMqFbeC2qSBtj6+DOFiM3+UcVSR7a -Vkr6e18mOROt7aYT273dpASj/qOdCRto0+p2WDf3E7tTcijlNUHH3z3N3IYQFE2F -BO+lFWiy+k0GXus9r2zA5kPm1joN7UTgXgTxUZ4XGfzWMxAfLYwcmZtDDvBQyX1D -AS7ToxvkQmqfYAVJt1660tAnEIfCuJBy/OD598u2PlQt7w9RDhUMWtajf8LRiWE9 -INqsnSyBc8DEBBk1nzGCoRfGkR3PExjYp3APo92MI9fca9DXwKV4t8NRrCaQO3HK -VaoVl0Qh15SIcV/3TIGI2dWJ0PU1OuaK//AktkGm5IS8vR/+Emwdcu8tk/L9pK5F -LXBQNO3jVIn4GjOomdKsIg4lU++Ra5MvgNIXTewO2hnqIfc6jNLewbECKxV5r6j0 -TqN0XxJTvmkP0Ue02bq6hIgKHC2UYK9yvOiYOMAj0Gj5C5olQoQyqdEYOHU7mXna -WRatejf0DBWija/Pxq5z5tmnUeB/rO5r+oBs+jADIwjQc59lObLXPFPMQ9xVAe0a -M4CJARwEEAECAAYFAlOJJsUACgkQesCz+3TrM7n5ZAf9GBvPIBH1dFTrU2+H8lhe -iNf+czDBY9ax/jK2HsWeu5ATAzsQxOzWu2Up/aDYaBZAQlXpcf0r8Qgl5jSUv6q+ -HM0y/TSNSPSE29p5Nb/YuWOTxB0ZVVqDY2+qj5vaV+HKx6CCLYS4AUUHZv5P8L8w -8iSIo1e0obZg+aXsnBbtEIpzqc6pjVtAhBhgh8OKwUVYNoQQB4cYttN6x6wyyqcu -xfcrkmJjQiXpEArR4K5fcwy7Kknr3+MCI3BAkKN/cEUKimwlb/d91iVqwslWxFmJ -NUxscFU0iBUUREf2qVZysfR1NN4DIelf5wmu26vAWuV7fg7z2MI2Y9oEyhv0Folw -mYkBHAQQAQIABgUCU41mmAAKCRAAmsRm9Sfv8KtYB/wJAxap7YgeGf/1hgiJlWKO -fgtu6Ue1EzQs1wZ45RLS0378Lx1eMzaMmjJrayln1rrIkRPLE3U8aAEKnMdFpFg9 -qQ9uEEOo7aO9DcF53KKRSjOsb9RmbzEpiwEBnQ2fYfPiQOAUnCndBj0R+HWV8M8F -9Ws7lXmcVQ0ozHaGHyAUsuvWp8lb01h907Amsx46OO22N6bPEjf9tszPINFQx1gX -l3v5U2JoI3RWFXH4Q4x4d76NEasy86ypLO0w3twCaCZIMtktgYOHj3FiYEa0ctq+ -4frtIn1i1IC17892/eVj1oDG4hzLbLJenDB54wpB/Rs0vz6cpK1d3SRHQidDluhC -iQEcBBABAgAGBQJTjsaFAAoJEACaxGb1J+/wyL8H/1Clo3c/hLS89CM88RgV/VnR -AtfNEFzx9iWVtcrhWw+7e0hfvi5AWxhaK5U/W2q2OoZZxhabfby8OxicVxarGPZb -WgnJ6LNtgjiRj4m+LoFeB5YqscJBrJREYXde6O0iSOsQRVLiYjlIxAlIkbfi6SIa -/FVw9jAOoQrn2fnHSPTpWMslGFw5d8OX6+UtSde0fNaYsofQS2ifpEY+YsqvC5BA -gwemcrp5nhQBHX45GQwHaR1LNcGPPfJTLOqMiXLblL+Ec9uBytBwV++jbDvyXyTW -kAXeESsgiiu8QEcJXn29Srmfk1cght607yNpTCxRH9ySEmgdYkoWKQJIokyoZ/CJ -ARwEEAECAAYFAlOOy1sACgkQAJrEZvUn7/CFTAf+OKVYC1VQBIN2oxAbAW5Eupog -Ezime+5zOPoxH5ofIG8bgNFZ5GvR73tdzGd+P4hQill6y2feE+qjboh6Lh22KgIR -rNFiVpibzUx+9qmmuRJ8pfJtKT/GLoemDhnibhUO2NlIbFCL7v30ez8M9mTVRjk5 -iqLjRr45PC3tN3MhGzxPRSdQ9ef/puo4FBdPaJsCTZ0gVeIjEGieeuwj83D+hc33 -cCWOmkX0HPZjsb16cDJLs3r7m0tuUgycfJ/T/Q3XR30Uw26OnCyw9pUuXvSNTBab -lY8jk8KCwh4rQmZTGgi5hrONJeiEnJJCps0JXt6AEQ2FCA8OI4nfBQn/nx3+Y4kC -HAQQAQIABgUCU4nk+wAKCRA162yEbNVPC6H7D/wJKXafEfU9KTjUHYycvSPnv08M -CmIPKDDsByHb7SaidB0qWM0XLYDCEM4KGnnRVVw45wxYLOxMKNQc35nf3dS1C1cc -vsF+U36bq4QFpycf4Qc3K/IlNOggMLfEsZ2OqknDOjH4B4UaBYpIlVfdXbSSdoTf -s7gJzSRXSB5IbDwYlDDdo+KPsh9p6KNEsfVXL97BX6pZmUTVGz200MQdTkogbyxl -GC+XyN3RK9VzClmKqBkHK5odrB4ETS4/7WAGaRS8LqocsJJEbE1GJ0fd3PtGzP98 -kdtsdQr+mO0aeKTuODOUVNgsdidqg7Wyd8Qq6qnGA7JLdbW0hAP41hWDOjnHedOZ -qPN5ZYVh/k77s3330DjGpljlJRRVwLHrn3ob8fX0/Bum2Z4PFHr+/ISoRq4QV+ZZ -ecKEOWt0AEfwY8jGd8Kmm68fw9vy+9h9Fl6ARwulDieSaF023vmYgTeCnpimXMtL -cjwMPZemdOc9TlRIV5T2Jf66mA7W/9/Bx3rZjp8AvrIzuki6a/slJuJi22fLxN9R -E/7AR4cSJ9B1gLEPD+YY5QQeembWNph9V6dMDmNrXb7v8DLKLBGVWSgdGnZ0tU5k -FYCcNB6Pu3errWJmo0jjsAJfXkwsY9T+IDL9vifh6Br2vZ1ZKa5a72oozfmN7m31 -lzBkE3GFSUF82+CWxokCHAQQAQIABgUCU4tx/QAKCRBtPiAEQVr0o9tIEACj/hwW -/DSGwdEs4WKfSyIlb2itr/l14IkM1vZSru52kJUSByZ/thEyK7J/wgynOZBbcV1m -cVSbxUuQ0oKgzAZyWwU3yLugTwvwG+PjpBA74QGG/IMy3WuhU6V+wfZZbL+6PHs0 -g9jSykIuod7M1QL+h0SY4zfjKFm4oR11eZoZWRpC4AoLIEvKHzdjHZl8wNsEgG0S -I7PC4UXyDYwRCzMDPlDrlTmWOQdv3K2TG32AtKh8D33wjVXBIChMZJN9y4boSkjR -DLabrzKDGrBxb0qhQrAHN19az9rmUuNwz5ijS9laxf9uxajnDkfGHognMy18FYjz -abLDN7vfe35AFMxqGWA549XAMSKZE6sh9HBu7Isf0xHV22r8MwDllTHXUvVzJVEX -mL7ZK3ftvUL3nuAYxq3xKxowPAfhzSUKClSwmr1s3/HmOr8BptJjERNDKh4MdzmY -0QJKd7WOug3ce31o+ajL87V6+E7Xu/zC9kiFefp8XohaPDiB7Y4JU749SzLbZbxx -7HNXb660mrT+Cfrs3Vr5YtiDtxWkJZkMak/TH7dIG8ds6G2zdzGydgfZuOxd7FEp -PPCsxkDiQ+YX96E11v40yGX3DW6FpAnxbzzzSNcchaljZigK/OUtCDpScMM26FEa -TcqJf/g0r7nT5wfrBKa79XEkZ2g5GNNN7tl5A4kCHAQQAQIABgUCU41b8AAKCRDv -6bcGgCb2GstrD/9b81Hh2wfnCvs49bxlPMmpgwQzGyKR+y4hH5QFTkBpMd09uxXV -TFM/SeP+C9P51ihiQWuOBreyc7mUTHnZm92SAtCOte+i/TUtkhj/IcgnZ7Db271+ -52ptSyACHk9xG9DMvTqpr7TUJkZkKlPPhpkG8PhDqlmj+Qjw/QQ9+ctaTJ4YhdyZ -OyNINOovgIiKKXBo91zSuqFNvQ+egshj85etUBugQ849yk3SILabZcTY87AAposu -S/3p98YstrNW8asAW4t/ZRh++xKeSigRZ2lLqdKe9To3xHfpZ0cTyJStfr6nQy7z -YaeAtF7wKRG0cJw/sHCpuGDZ89BSh1JfnQw+TM6mnz49P1aL5fFfCqETfHebf66r -/fljMngrSGRQTz3WGg2vKeKnGpKbqWgruSBoZ1Mn/LDTSFozRpHrWL+eYhsByrS9 -Z1eblMtXiDrBl1jegR43G3MEIuDkb+VJ2W+lDE2pgN+rCPTET7Prfad+0eWpCAXI -JdP88gKRHBK1CkcvJy1yF8NyTYkvlozVgbshiwl0AutvgFeNWYZOEkLB41LAJ7xD -qlacJH6LzxQKI8IZeftIDV+bxvqPTD8QvK7u32q32cH6Sw2fRLBdHc+TXPdNsZsa -Z2E8w6DbzAeWlu2eToBhhmrl2lhGMbKCut49RI4JVW9fr6E/Xvn0Uoh17YkCHAQQ -AQoABgUCU4BLkQAKCRAWINxaxqB9nOD/EACcqKQ0OisRtkQBtkF7wZwolfokqIDT -ic4cvUlzn8ctNJqLJSxKhMP2JazL/sfbIOlsUT8HUaa+qjvdOyWbRPvH3V/KNBhG -JuJk/h0vpW55gOMYnKr9XxUR+UyuURRRebwfH1nNVYjVrEHxDUzKyD/ZTI+3F9Zo -KUvXz2oGz1JNEXwwn7D2HTpQsl6rNfAhZdNdv8bZtWH2Hx78Z2Sejvh1zPgLyzH3 -5iZEXNbXakRMsuoYkUO1OygGhWj/0YvyUNAd91Z5SIOWMFdI9ZBMxD6DaXg1ZnLY -RF9FeNNhos5kVJIhSHkh6aBGWoTmCZC1P4SNDSAz6rfJL7RMw/HCASbRIExSfdKY -3TdkioiSlQWp5bFwSIjDjZbVniqxCPO/iiqbwVx9kIWJtdFpP9qgArM54GQJl4sF -j75Mfh+2FX0htEqWTNSUMK5D99dLAEGorhxQbNTAGZCEbrzBVC7tOcvcdpg5lluZ -y/G9s2lUFyOLoCZ8kSu7L5zyE2z8mpbTs51uDt4PcZB14CngKjoLQXHbbrd6lodC -i8lXjI/E/SbmYcwICY33zjLRmPZtK4g6SFGjg92GxSjdenkWVFW8UUx6o9wA85pJ -rAhqTx7LsLlE9C3DU8IHqNvm2nvbMKs+vCUOaIgnjq6YaLgJUHLJQyawOvB2mF53 -zWufbLChMuifnoheBBARCAAGBQJTlnRZAAoJECBPgM2WPf5LBawA/jBRdc/ieVon -PwR6kdiPd0dpZcDBKflQb1oOmkDVx7mZAP9TLJhur0mBMbwJ5P1tYeR4/wFb+Ygh -PPhvCY/An+w5u4kBHAQQAQIABgUCU5GLOAAKCRD3a+0RbrowlJo+B/4tGoqgZ7vx -539F10Ewb8ilfMXhVGl69azCjdJgmY+k4c3LbUiAujQKUB99tEGKWSwdi/2FvN8b -gFFhOvOdvO6YEDOXeZ4QDyjulkqj67wrP+Mm2ZnY6T0MvdkmUY1qCa9udBNgtH+u -s7dW7Dooo+sfG5y0p7e25uI9SDLEa7qFUHrbrZQuZkZ907/uMz+JQzoARPtSs9L2 -ET3oqfXTEx98M/B2XnpsdNjwMfoPQTjohrYYq5r0b2VrQ/PZO70bmKt6KitoMqzz -TpQ0egUuwg56K9KpTI+W4ZwgBl9CEr/MZPM2/vZy8HmBXIQnSQDXQyZBA4nsElfF -rIjQumLwvTWWiQEiBBIBCgAMBQJTlB8kBYMHhh+AAAoJEOleNw+Ej61cc88IAJCR -lpFmQ9Gbt4ZY4deHaj6Dhsq6i0gAz+zC4nLxL08xj7d1NxRpElJM/U57KoSscLtG -s9SvQCQUhkXZUhE+AIBGeq04V2ZDrXYZ+7j9jrNZBv3mCOBnYosruU0uw21+9eO2 -UCEp9C97DGmtbPpQk1QH8k4TmWQtOtJxmgMhS4o2dPJzpKBgJp97oMZvX16VurAC -4Cxagq8GufRYOSZz6JPht3Ks3X/9J6/aEIAL6XyiE3i9OLWQBCi7Y6l53q6cWuMY -hc0esEVNz8uZLwGauKpJTK5m+TDF0U1nOLRpkcoO95JENz4Cd2sM+brfIGfZAZZb -SnOvA1S+eE0vkeZd4buJAhwEEgECAAYFAlMPlPAACgkQc4578yA1G/ZUdBAAtfHW -kfB4PxHOESigoryUGyLULQGJIHxC/G5MfJ8p/51Jq2gBf+sD8mGf0y9oKzuiJf9A -ppOIDfmkkXT7N0kLhVzaGoz1UWU0I+lADqJU69cerv4dBkeeYeyPyqhvecR8wcUI -bW4ou6Y7WfQX2RGpRgskc3ooDgSrg86OoJo/hhOvcnxs7yQgzPztSi1WaWWtIgOa -+4EKjiGdgQs8zHMBZxBO+/OJxh9zNWtVJNsar24RIGkjVjXuJlfV+qLMyNoDkhMe -7aodScrs2pfHhQeTVrhtFmd0HpOixt9TU4iOkrHaMJYVixMAugYZAYKm4BlYQvhL -qCDWY9dJwIQizFLqHT0KaBI2eeAU0KBo8GffiDy8uc+8BrHjcQXZxQIQVg0+bM6B -FAyB9ofMG+67X1mz7FOBwmfXiIifxZ6jVjHppAJ8d79A0QwS2i3QXo/uqwexggfL -OhwlSp8R63KTxTA197EgXKHzSsHsNfcGxXpl++LEFnBGUzZGyWBqOG3a9wGBoXFc -N+kGT0P+itURWJSgYSChrqpYlUAnhw5I6JywWkfA5gD+/Qt9TlqDXb4Ra7WIHjCA -JqXJyWhMqXNJKecziJFizcB0zKNpyCbz3sHbCY+BZFru786KaJvA8Ea6joPn/SJU -n1XdWI4jLh/HXWKc9pLmK/tHoothFnTUWCDFTtWJAhwEEAEIAAYFAlOgt3IACgkQ -1FUjZ27WELdUug/7BbyIcBF+G/WZ4mfZ7RhO3kCYngtDkY0jPid1BDkQ4yG6LEGy -yhSpmN0m6lVXyhdsvFAECJpZ+SF96+oUAg0Y9DxwIkgnj6tK3qftykE9mswbO318 -0SxGsqjcj+qJfVqFc7LjixpWMV4cqqIIVXBDuYFu2pB0kHxlt3LHQkZFdVKcKeVk -6ObBzYFz9cs+5vFDOrAM9IKMioxN7C2z2xWpMaSop81XpwooAAvt/LEOkeZstXs7 -QCWOTy/mTR7fRmSQwtRtjQHYmUtaklGA58Y3jU/ZofzrP2cfh+pJi1LX8RsgiIXJ -zR5t6W+6KgRdMamC2am8Bf62LXSgi4MAqit6sBFl5xi0l7mXkNLMyzqGCyc8mGux -tANQKPcDaFU9IcYWoYgf+EyseyCKPzYk5Iqr+DMOZ7MuzcWaKz7EoOLfGBWl0ZRR -dzDJL9IZyrDxihx2yBTHgzy1DFti6rtxtwsamzmTQTPkP4SmJ9mb/vlFmtfA/5XA -3rcK08eNSQcWzEdEptMhm6/Vg7ZSRw1uKBSKVGPMk2RqDQ1lyj0U62wSCNxFTMPD -FjGIaH/l74qaA1TsLqjSywhHs1YQIPNHNIC5rqsZ/4H9bAPw4sekIgG3Bt6dRmvT -v4iBirWeEm/XXyvqaQNAWNwWlZ/gzRmrr5GUyFoZOsdgdyIx3xxI1P1EJYOJASIE -EgEKAAwFAlOhCR4FgweGH4AACgkQjaFal+dEkAYBiQf/YpitTtzCAugdQhlJfESE -71R+BV3AIUL6VOrXjgHLv3XKeNjhOo6J7mJh6gxz2GGWExONcKT7jboysuT1AwAk -cgoxTzdq/meuJORZ4h4y6bjJ2wIdTLffwOh9ff2bqqTwoYOHG4LPkdxQUPUVTXT0 -6EYQiBYaKnNbRoS2s10wwa5Uq6XHgSnUBdxuNxw1BWi/PxTpYNKTNlt+806FPdX9 -2SP4ROARGd1mA5GSAm5suTBbF4384TYQH2ZsL2UgXPCgnBExQ+bA10BcgKwa2OQc -C2jhGaJJLUXEk+ulRSU5PIjdGyTeLqsMtqjtBdwQz336DaCkKnpqwG3mLFJwMlcY -04kBHAQQAQIABgUCU4auFQAKCRAmbYmKXXiZPWuDCACcTPNspq+pm6hWR0zDzO2a -skOkpCU0gzqRyLPa5hfKFCZkCwryiJv8YJRWZNYcCh+3cXo1S1ne5v9/SiAMQrfm -0G0PuVpQX3yTBSkry0awlNKzPy5vUSonOzuMrcx7uFd5qVTRLSEADEqgNgV6EsQm -Yy792ki4AWvtoxrVJUsjzDI1gXayqy+pYPdTqP6rXAYICdCWztTuyQvKBzdtS6cJ -FP5lKzh2Tr7DYcjFvKATHSh08sIC3ltPAaWS562yrQ4jMyPP4Tkzu5HpLpupHru5 -aSnHzUfZWNE/h4aqDu6COkndU08/11+2flBzYgm3fNOprrlwD6kGNLT0ulLAU4u7 -iQIcBBABAgAGBQJTpEp5AAoJEOzv39rU8b8Sc/8QALu8oEKKEmijAbMeDF7Rq0NN -2d9sT2w1EP/EnEYRs6cQtwW4v25q98V2RegyMDq50tpnG6PMbEJ+EjNycMFu5Mcx -pPi9pBAldY/rSJaCdYvfQbA/MB6p+pVEAFasTkb2pCC9ZopyBJ6D1varw+pfQrAZ -/fuV9DtYTgrFmNjC6RbIcjaYvUrjS4w6eXrJIlzLz9xvxKDDDr75WPm4hgiTLwDl -YxyNiawaPrR3B1zyJQmFmBk7cqW/h7dOnyUpYPI3INIqWkMkXR5VN3LifNMsbn5T -b1eed2XZ+mAMFBxR+ttyDhiWv8NjV4eWQikjv0PDla+FUwfVu3ZO2VoGGUrRPWJP -86IhJ4Dv2nmb+/asQ5zevvvYuuUDDUP5SZUFmCidumli20jtgaIYgLhSMyTavYaW -Aj99z4JxwDKb8TkdK+x8T6XZbrIqNeR61KOz259Y0k4gRUu1XZuA9WMCC9fgWNtk -gSbHRFBzAG0G6oFru9Fj1g5Q3rgh9SYFdN3Fe9zOnFqHvF2lAofaTwyDzQtxRu77 -Ov9miz/D/ar21bGO8J7sQwBpWqG8y08UmGR5KAtSpJM+vFR55AJXku/RIXRI22/X -ARb+VkME+HY1LQM4E1hNusCDmSr4aQFVAYvBFopg+BlQSmdVFzJij3n5SUYW+Jos -NfFpPmneRtIeMUn3ia6liQIcBBABCgAGBQJTpLAtAAoJEHQ3f59qR5GfRSMP/3xq -ofdNumgpo6gQ8rP5+zBKbWXN636TZb4O/7qOQ5d1s2yJpqE3xNNx0dsGVUpmZSQp -HVKnSAxksOqeNAmPnVtEpE86Jz9dk6vFGcSq41pQiQVzhyHBBYUzPQSVWDEY7G4t -qtEn1s7VmQIwIH/ZV5P9UfxTN1KP9Agrws5wsUhKlI8h9lYWGemtXH4RIDamhJQT -TQrGrcqoP02AP0OIfj8KxAgnjqy4b6ifhWeSJFcz95XwBCEdmuH1pF5kFx3W+405 -AhoHe+KIJYrjomXLWt9VsKYsv7tT8uwu0n9ljli2SbIt++SNESFL36E9yhBHkLeV -mp4gWheRyfuBZmwxKg/dttHk6V1QUs3drSNOpQgqnURrOTGmjZPtcH/4goVUamXW -wRGjZMgUSvOCU9RlaGavzs51z4D24cdawy20MsC7XInF59yb8odxfx3MxM4u5jgF -FCZw4zOFtVZLy0r64QdJLZ/4Wsj5O0iN3R82cSZ3iG3LxesbHq7ZiFgGlDvndnvq -2xz2jDr1NQ0qrrCrx5P1oLkccPwEF/Hp/iq8xPPPmh0z2hYSut9ngij0jR9037FE -AEXLBfEWYYxxZeJYaIsEEeTLcp7LnbS7a6YkprJEXveKiLrC/11c8iaArlyjKaTl -dvDUMGG2OcRiJPleieECKwT8Y9ngaPonJuvz4dTLiQEcBBABAgAGBQJTuRWkAAoJ -EOrF6/B6qcKjRRAH/0uNF0jI4G1bgVbDtmRSJfKsWBSppn3091T6vEdMEgaP+QPA -MdRubZLzCG1w5I8FCmxnyVlANGgjta5KVlWAw2Q5NPWmHI2eXRgFjZx4tAIB31B4 -EqaMlXLtst7C5rBe0BxQ+CyywBLWOY/Dy3mMHs9ZH1uo8S8Jlx4ZrPHdLDeDlqYo -LSkOfAaqSrZRa0wT5J3L5zGuAC7hbeFlOUzISF5AZDsLLt+DoPdGKSTF/MCTm1c5 -67NBJu6wKcagCDqk6L7uaV+roXJaahPvhiPuLAV486F3mAeq0BG0JBBJqGLpmca8 -p418rfwobFTwv1UHW0XN6q+libheZ79Jv2CyxsqJAhwEEAEIAAYFAlO5IkAACgkQ -nDFQPG2GY5YqJBAAhUG8F6PrD+AIjm1w3DMdanzDe/GlJtrmYZblc35GNN7zZULc -tEhMQYG/vLPVaF9JjfpoZsYSz6yOBBouQpbQoKCmki71gw9oHzk2UGuLqItpoyJr -MG8AijFSOq6xuQyCR9y8nYZbTusVhhdqrtDjptGNasVsPqY/N6/QI6rXy5WDa6N1 -307paOxHMMpLo72WgglDQBeVoLlxthFGqpAXE7kNxHpCmaRhAK3vC9IZRMb1nvOg -pcxLuVBMLyuZn1XZ/T+mG/TeJ0URRvwTd+OIifOE00mviik0b0qFsaxZuuFPKpjr -7UWBAOrKPrfLRofYcYuIBunPNhL3AtyC3gE8ho24FrAm5Hei1yvA2AbyK2Nivp3n -SOLw/TI0UlnBkyvyEfGwQwe4DWGEb8UA5gDRF0l9qm2atJzE/4GpUfiQcoWyFhio -Tguyvk0J+OEdNJecGlNxaGH9bPxpfmyWslWD4Wei8JiDCy1xVeJpSnamAfhIciqH -ndxb/DHFmFHzqZOtN+QJaWbHxLoi74f9PudM89pIemWm6dzrTcIqcEccoMTYUfeQ -K1nMY/BfpTX7RDOLoid3/eLWDoo3ZRk2hKzi9xfxJFRfPyUDYPJhIEKve4R3LIJw -NoQBqo7fh0nUgu4Nyvm1EHt4Wp+hcpdeQmDRbm0QOq9mk22jxM3McHwCuIWJBBwE -EAEIAAYFAlO5XXkACgkQrs71RuyLAmA/viAAjaRFixXxuK0nRXeT7ch+QoSBKIVG -+5Y6HGIiuDoRe5gpQDgU+7HuhFeY5rg1/wsZ2TOF0oS0nvm0d/ZipkfFCHdeaTFH -caKoDhbz3fj3hrRiNJvXgnzWbk1uGCDXe2PgzKgg+zx5EI8G7prywSZbIo6k9N85 -Ozag2sgLRNupFhhQPCdsbH4jnvW/X6NHPEmrjyqH/SpKX18lAJBT4W28dtrnfQff -C72QZQlFVe5KcR3JkZL0h+nqjjCFNmoIyacM5dlnBlwUMxB7JRNpwpJeNQIa2i4n -JusYCnGt8b7Lg4HmvIU/GLQjSwN0xGaqBRiiRajaHV4it4dX+sY4mQn5PIqjgSZn -3tnQMe/Ms8kfi8XitofdwvXXye/reFDp+vxlDTEC4vovywXrX1L4deEIuOpWW8Zn -FIG/YjJ/DUTqdRoIOXx8fwqVLjIFwzani4vbELCLeWovjfTOpHsPCFU6maOaa2K+ -doXYK9TCDCGUOFr8NPIY+TTZySZ8NpCmF/H8Yi2m8BDBSuGkTKj0nxLJU5dABMjM -NKjVNZE+OZrFK+08/jNjsTYCiUKcuxfpKEMsMhtsK5h/1t33edrEYOYYC7O5vpW6 -sepduEvfNMxbDue9TLPf1xIVWtLiUdaUQGkt76/j67YKOBaGRSgq0AymEe62zLND -5UvPu/ZwqkA00vjczo/L58CpiyFGIjX7qRC2ThRrlKEFYAJsi8Zsexatf/cWF9t+ -oQBV+4LrSz+8eqVBL64F7ZQXTzODBF1LTIAf6e+Z49WKJTOjppQNRxmR7rk9J2NS -xMwZ9Fw2bJRg1+PLO8MpVqADjiNHNkmoQkotp4ICCm8CLUlHLqyQE7J+s3HwIsJt -OhGVFNh9EqS+N5qYD5AffXL3qBqr5W6I8p4O1HljMleOQ9VHDvYEdoyRAvOOa/a+ -mz+LbWVrghwA9gdmd/n8H3USoXQwdQNXv2ngo+EXrOyuNgcmKvOg1HK2oKx55/6U -MRy5gQAbTDgu06zKS+d0QlfUbdvLhb1WeemCafiz/5ma4dKzqozASXV/strJxSrq -gmi8bFehq9NelxCfvJhl5ZULZeQfJAH3Oaa/aikbIeq+VBZsPPB64UMCOooprJjo -C985Y+LYvXZlqkgIlj9CBHlaPuvniV2iGWkFrQctdX9F/YtZYG1eonZMqHUyJUCn -4DixAfweusS4d0iz1UbVW5rjwBWSMM1Rbj4WFm6+htFyOSdgc69kdOAJEz/IHhxN -u6jC0XIA2v/RvSfaTiDm7NDU06toy9MOY37hSTSTg589csliSUUG/9EQGs6esIPr -eTQwhQp4sGQFjpZ+KARPlAPTgD9BJ2OPWBaP9nnvfngm+Oo3AkJmC6IlqokCRAQS -AQoALgUCU7vxUicaZ2l0Oi8vZ2l0aHViLmNvbS9pbmZpbml0eTAvcHVia2V5cy5n -aXQACgkQExjvrF+7286XSQ/9E647zdBLvuOmnFL+It/bPFsVZ38pyvUTrqgb4JVd -Lj4bh0PqazFD7rl68kGuGnteULDbDtox7tG6TtueW1C76jaxCS/QfRQmNsgMzmmd -hePGH4L1hIhrzotGf2gIXKVPY/OA2j0JB/uhRWshnm/pUtQRAQeLTkRumPIPhCw4 -fDFmpwYZwjVI6cuOtZYE/lobtPfPd6ncMK5PK/CrQ2ydBEc9p5gtypvyvuoS+kWS -uaEtQ9avLSybYrWKCfpF5ohtYITEu1ebbEd/iiBN6Ha+tF8/s+FZ/Rv4AvIBwGkU -R841SVfS1m6GTVXLso9Xp/KiBv+o/C8tU1violHgfqpl7yH7979ZtlcWVoGDXH+n -DnQmrA1XbS5A8YrknUK650XO0/kh2ljVgjnB6enTA5tq5OxtGGQ6+kFQGa3DcZtG -8Kk6GgtqfZ9W854zURhlttgrnpG68f+IBITQXjw0bUEDkcH6Szohxyewfj6mmE1m -zCs66+JwhFNI+sg4SJkOJh7hMvPEoN9gVV6qtNDvW4Lx2friIbbvCYxr2WKlIhwR -CaGPbehLB0SUZq9wfoh9zuSuwdIvY1XiKCfMuWiQx/BInM3MQ8dyX5/E+UCz8hGL -ID+TzQfMrOZncDfdri+vG9RJ+RaiDAi27Q/RJ2efwnFNYLZBtd0oYnKSjQmGEsEG -0KOJARwEEAECAAYFAlO33XUACgkQ3UDyWKrOAeniBQf+K5b/c79/7LuC4OtxQTgh -43ujGDl9NllKsMEIkGWkNgsF7WxYAaYt2DZuNH5qoTEo/R2DlX3vR7uGBeb/Pg4W -k/amRwtY5gZ/XAEOaeFXht1YSP1WT7p8Va3YRAx/I4PUgkUg9ySPRfBLCWe6h2GX -s+t/KxHA++1HEkumCAY756Z3i8LK5dKSH3Y1IlKZKQdHmUqOBOJIV/9gGzUF5zlZ -azamOFk4eRWaf0n3vcBjb64iCWQ1Ibjud4BmOYoB/X1MRyLDiB8uD9QNuExQbTOQ -HUWKV40yLLvcTeBHReXWbqUTwWRvHruR+/GkFmpVbjnLWd8Zmmr1nD0diU0c2JO4 -DIkCHAQQAQIABgUCU7rGsgAKCRCiDL6yAAxlFSo4D/0ZLGuys09WqD60JOhAtqjn -mb6uS2uvogTr506Qrw0yehuNQKJ+C3MYOqP0EEJrKO/Rv2Y5GTbCKJOkpmg8rpKO -y27Vvi7/8a1+6cxQQh94Xk2Y89e7Qrs9i0YAdYWStcJlX3x2u5sJTXLE+OPh/eDQ -aA3su1ZxU079sJ4yzpWd1qKS4ZGYiUxi66qadz1RS1U6p0dQBtc0XGuwK8EijVBw -QecGmf4Air4W0DlC5eM2QWVTMc6QomJLlyOtoYGOzrOfImGEaTTcEzgZmwlcwTTu -nsJCYTa4rSBAbiNvEPtbrEV6MnL8S5ivTJgw0v3OTqNIPL0nXaRriecJuT4oQvOB -Z8DuAxDhNOETO1i6/x02+L9jmuthc/0h6kPdjNUc0bl4yuDf8qxcc0n6PYhtDkTJ -HGQLh6mIaJy31Ipr1HL+dT1QDQ75scej0+SxJBM9BEEX5KNvTfKdjvgGAAe1f2fZ -AeFIexgoahL3dGJIpCdlJrPk8Dl3WI1SfsGvmeug8zZinwXaikkXD8OMtDR2uOZq -JG0b6WYRqZpjWmKTWtwhXnSwNwbz0xZtM/Pj8RcnYo15rVB2lTRxqps80+4NcJ8X -OTpTgD1RlOCL9aeV2Loav2DV5BAnN41NxjbJSIWc3qdk8RV54nm4alGGDfwBvns9 -zSklwEij6ElYrTQqSclDxIheBBARCAAGBQJTt2lHAAoJEGrScLfcn3mTf0UBAJbG -oCX+QfJtmUtLw4jcrQzkOmHRwLv3oU0jGSkvsD8RAQCRXU2DsN37vizTuFbuJSLI -yHx/lVbKmAfPaPbQccM4r4kBHAQQAQIABgUCU7FIgQAKCRBMsgLjSHCQ6hXMB/46 -EYFuG/K43G+po/PHBAV9keOvy6/h9wsXTrO29yXRkYOiCz99jZYtMzHjuWsBshT+ -hkbWCESzik3liL6W+MHbftAuH9F6hU+sq5TgtGFcADIMPaM6KI1JOzs99++9fRkY -sPEx04DNb7CSUkds2MwUaZyZnKQk/SnkV9pVIwaeiItnxFUdXT/CiNJRJ5TNyhpX -Avkf2BghQqyYJyDc74i3XVviPI9mmGeYPF2UeNKYaFVDnpbkksuUIVWUy2/A7kLi -eG4RElk/rY1JH4i5cgAgq+Gku5nbs2oASCGBSeURvI1CRXrwFY0cfrL2kK6XPthy -M7EQKeC13cfKzRoV5V++iQEiBBIBAgAMBQJTrcXQBYMHhh+AAAoJEDHot9j1dwFd -D5EH/1wHoyMnKREjzJqiC2U3RSo6kxLKjxI6sQMqCwDMDRZXyVk35almND3uKa1l -8nEKBtsJYcA9pKiecDGtCdl5+uMYVgnMIGAm8C83oJiMXjZJqSRwV5QKu/Um5dju -2CF6BIZoeiO/KHuMCyNMG/Zvz+xa2+qR9rERShSVZk43pAfiSP/njVLG5J96Y3D+ -nMjoeQXeQX3DZTB/t6ej5JUcK9PWCpUaIM7BaxMp/l8svH9j04ITqgDHsKdx3m4E -fjJOZ55Yiyhc405JnJ5nb3Di/MjodW48Xz5ErSGRcHnxlT7ZAZgU+6utwChOApB2 -f7OilDwlq48eCxqqEuhvx/Oa0gSJAhwEEAECAAYFAlO5ZawACgkQIGcAGxtnimMO -ShAAhZX1uIis4C4Qpyp7H+La9tm6JduTfDXapJWxiba6wjMVYXi9hnhNIC0kfdl6 -dCyrfCPd5eRx48r3X6xPXKzgGhbUyG+xfUQYJV5IOFeOgMzSfabrpHm87mUtAJ1m -kWucz+9wtCp/AQPAdTYN0tcMAbRQG1vxpkNJ+MRGsIwTZVCrp4zi/1z3pSJT1dZQ -VZU0tcOK7LuJHkP2QNzqNxwu8ZLydKEyd6grXJow2jHAJoUG9QvoHsaNmGGaHpJj -2oqW0Z/34qlpr7pGlOnO18ASJ456hp9OhO6aoiev4WF/Ae2UQt0T6oVf2LnFqv9H -ycT0nvV8faeroUkRHGRoCvyFhy8ke5uhb8zalpYy0vjv00E8OyS8gvYSUYTQj6fR -S0dYWoG2Qo489DQ14IfdTJib8HSM0hgzxvs/eVhShGQgKNd+W7b1bboj6r9m4yAg -k9hrkxtjVUIjgzpFNeh4igk/Wg4cbKhjkUFjoNOCY/QdHP72WzPwgI0d6vmVIA97 -nBwhPhQiZnT+uz0GRsE+z7VRPliLqBHdL7gBkDw0NRpzGWldt4+V6zk0h5uuicbh -m6AhBqvGkUxnGfYlQPOS/pGA86SVa8oU+NKUorc9bIdNqPmW7yxyYLjUknSNVgEs -UV8xvq/X3bwwtvyb7V6EwdlvJLeni+kCfA1Rily1S/uSOliJAhwEEAEIAAYFAlO1 -aBAACgkQAaIFAegaS7rgdQ//ZK5pxuP5HDCSnRvh+Zqkeo6FgBYx/Yx6hweGZV5l -FPb5G6f3jcRauXbpAqbXC+a7siN+c0rRGqBhKyu6AKiKDNz5iFrvYyqSQAr9crCf -/Vrjyujq2JGwKSTdvPOtcHYxAIwzHDBOu8aLs0LJ6+YyAN0o8rMUAF50mBW2s8od -Hbk5lr2MqqgPM/NHPZ7iJf+kPGIMxic4r5lcxNPT/THbsz0VWr1lMqe5pM6R5OA4 -lBQy01eLwUC+g8M/Kp427NT0jqXbDUT5FifxruPqp2Nh/qDyl+3zmGxdbs/A7x0k -mjqemw5YxKrPivXceKWZYY4zrrur4Mp8eYN3utbdEU7f4rcXb/vwOH+ibOhoPU9T -3sXVkTCkwhcWQrIhQtcOfwol6XexsndDEycjsTUTIXnjrg4V3Pj0fEpeD5+LVwG8 -WpsX5eTxYbVx7twgrGCFsouLgLj2eFtlpVKbb7TuuzcrVBiCorwlFz5a9lUHqjiD -yFTPm3Zp6P20fgtxrV3byQr3GmQkCS3u8hrUBIJqybZV42xrTuO/AO8s2r1IU5O2 -9r3I/I4qT6FCRwJkzevy2paRDNMOrMYAf9Bh9VOsWDqScil+52gP93oPG5McUlcw -v/wND//4/RbUrUo2o/J5DXaTqAC/hTcrbG3rpOACm2DQ9iEyEEl/JaSlDiS4eL+y -J5uJAhwEEAEKAAYFAlPC/M4ACgkQNQ6+iB51JB5uKBAAnnr7NsIegchCFX+ceqDB -TkI0vtfSQEmSUqoJEeblL+6dsfC8xiT/mHNQ17O+0nd56N3zIhF8G3hqI1oJrCkH -kaQANdgpEINqxz2DOm+6lphOMbFSgKfLSw+2Fa1X3ZWRXrihzgq6h9I0rkpYE6aL -FRfWH9N2gpq8zBNyYy6aU7mHgQMz+YS5OXkM9a4ssfTHa6eC6BBjK7pbLfjY7G+d -XbWoPrlDkwuRY09Lx4CkvmMrF1inEZWcq7xrgHIzJQc3CQtTrPjf8Br1r2yxz2Qp -SQvwCVb3mKkywlOelTp7k0UbnhDFd5k8hr2PMvERAeciFMAk2of/L9JeaeHujq/u -OIDrFPX3vNBBnfMetqBhyjuEU5O2Y/yLee+7Cgc1HZCyCmCCXw4A4CNMfqbJ/+cf -MChygzXWYonxFOI65ZJilg1zAanKMgNfplrnJw7IsOmYC4EA8kWEpHv9dPgChmHN -yvpBJ/h8BAvgujlfB92+gDY411nlhjQcBlKZsDO7z+tnLj5c3sZylW6e9CiXzL/x -DNpsPan56qY50JwOV1nx9muB2NB9wH64K/wE+atcYmQTv7MJvA834fw3URhgDmOX -m6ybifFHlZ8jzdqfGUc89JySjYRjWVGG1GuAyySx2ZySlkEgWiBXK+g2OyMXFFum -6JSeYhrNNCKg+tma3jKz8oiJAhwEEAECAAYFAlPDaHgACgkQxzKx0cKPTi9xnA/8 -DCuLRnLXwjdzUsUqK+B1Mj7I4e4K8+G0FYdnkIaK2UxS3gJdkWBXty9iv/FjYVvA -hAwHG7/nQDJZwAksF5f1xlNvBc19DYwboZTivkzHIhlKP8faMc/Plp2emDNP83wE -AV6JOPIEJCskViPRV8lCya5pXFfipmQmllpAnKgZgDyi3t6v2h3V9en3drT42XD1 -/G0ee3mRjF0F9RdwcGXQzPxuO/At9y+b/7fAlVDB3xIKg/t40TElJzgv9Rf32WR/ -OJCPJ5eMhSNTqOk+4MDybCYrCmSq1Fh4JRooMbX7k6xjyPmO5lYUJzLVw8cGM8El -op3kynMNjj1GH8Ey1bRL16qnajxs0D6Ls6z5xUTjoAosXCXpuYiDW+ohKDUprMa5 -An5mFvrlbSGk9ZIqv9M5u4f4zmi/mD8voFfy9nSY4B5qjCtuc3fKXyJUB4v5nQ+k -p3JhCWvIBQF5a9fkjBlolSBDHmV32tke+1V3+JQ2iZt8AUIlEqYps0y7E8K19WFj -NsKosRbXyk29rr7X5TNI6/wH4x/DweYeb4PYmfllheQciYFnxJCv23bVfkMimbcF -kVMvRySSndIzIrWxFtaBA6wTyAH/MwYxu0iM6o5vW6lN+B8Pa/0+kfH8B35l1P9t -jZ1QLZQy3C2wTcH4ER3fMc/gT7syTitEy6MR+bp1SjGJAYEEEwEIAGsFAlPEg6UF -gxLMAwBeFIAAAAAAFQBAYmxvY2toYXNoQGJpdGNvaW4ub3JnMDAwMDAwMDAwMDAw -MDAwMDA0NTY2YWI0NDRjNTQ5YzVhMWYyMjQ0MWQ2MjRjYTNmMmY1NTRkMTg2MzE2 -MWQyYgAKCRB/qxFCZ+T6BCOgB/oDwz8WmkES3Mde0T0kkcDIGjeXVWos3d9zD8TQ -Pk0WImvXJ+McINsKpnjaJyRx6SxLyf1zigPIuy3o0wqrRujG9q70/eneBr3U3EEa -JZY8Acok0aTZq/8t+SAfnitw2czbG1oNZyt/i0T8elCGvKg82b/vg1Uh8z8Bwrza -0eUp07LfBxz7xXi6Yhz62C2fzdiyTuTte1kY0CTjwj0kDlpuAPl5MQjVhZ2Zumc3 -1NRI0d6oWFAv6bDUOPu/FVWor72f8U0fzMHROc0CppN+Z8I4JyPwvIxA+fXGMj96 -eAJ5C3c7Onprn+DI5tSuhhJWEgFIjXkTACCurzLUD7hRDmSRiQIcBBABAgAGBQJT -xONEAAoJEB6L80kjKRJl25oP/jKlqO8c6cQWaQfsL+kDQzNRBidfFNTmI+f5ztK5 -7NM5dFwD5CaRD4QxgB8CyOpEazWfMAEKBdUK+HrGafzuwg5jrUdhvO+hf02++Zvg -GYPpcBLGq9vasiRQWObIBvAV/49LaRq0AAUFHl8ZLJoKYqOkHoyRAyNuPFbZrRuT -X0sNoGzqzOFRZACnm1XLyd2q52z7fVU1biFnWAwxta9tWy6miiHQ9xs/1biEjY2G -j+PQ3IeC942rLCJUqdnpo9ewnAItUO6PegDNyxTyZgDu6DDUezTJOX/Oyq7LPT51 -oM6tzvSqbE8XHvjwIEgMi/kfcQxJqUHp1fkTFV+Ke9uohkaevvtjShcKgUcSCJ8O -5yPAgPuAGD600K5uL7LzfHW0Koc3AD5KeY5XVUhPR0rSrzMvLN67M2pT2yYL/mvd -l2aeBtjKPkPfEU38EGSVee9h5FsoSgrThoPLJ61RoJQ2p1mWpfEHJCvcQ8a0flxq -K/T/nCGcJmhPioBfo+FoO9eDHg8iZpfHHqflRo/u2SX2062pysbPVpogOKkR2hhq -sWt41TZSP/NZeRAivqXx59gGPwyUkzDtKE64/cD1cg2nf3SMO6e7OIbHvmzlzfLW -w6GLqvjggTSnHSk7ER0wqwA4HOS7rcw0WoRfxrtA6f5sfdrrJePvn0M9W8C0yz2v -uFpliQIcBBABAgAGBQJTwU0EAAoJEHhUBU7O/hnkLAwQAKMrK5YRuyzyPURCfCGH -MWgEHpTbu7WDpxD1eRXA305Rs/t8jPKIX5w1YsmFgCNR0MbujXD+cAIKsi9zj4fP -yqnaeZZ6wp6vp467gougFYo03ZdAxexgFqzLr3jDld5S3bHtcGb0EapEGNFb9e6n -IIUb7NKJ80NoDFPno1zdfKuVov95SL9EwMmofFU3ZMjDlU5GjcnmCzxef6FUYP3t -H1IZGL3tSQSTOUtELRT4aNXPQpeAfFA/hxCtLPNuuIV1cheA4a/58DHOI2QgjqxI -D8GGSpiLX+cVyctA5qEgGy9lvqETl5yswjhjf/01wN5kCVhLJ7QQk4is9RvYfipg -u/Jr9pw9EWa9VorNmRVAcejDcjaHnNt21y7KBi+Ipzml3MxCMyGLWNcisjytzB02 -jUQCwO2DLVsVnpNZzf74YsnabMLDCgK2+M8CLBMUhWcb62d//VkVP4hydJMIUid+ -Sach7UK1CVlsIjBrcLiRSeUBZ18tIaU0eCDbwTZ9b30vpD+HqjtnkBEgGW+D8/QM -zDJ3drgVIMjMwnbILkfn15Sy4iNynBEJ2TbRm4N+W5Hli5+kMnzPYki/2+Kg3EZt -TGxXvsCzKHqBwQ5z8art/MscuUFwdgOJTvliqV9BpeX8XEUfqjNuRg6+tmoDLavD -ET2X8wkQlJ5JxLwCPtU2jEBiiQIcBBMBCAAGBQJTsziBAAoJEENiG1rSRN0HReEP -/ja8dC8ypTdN5gj3t5Jd0I6nMKRJ3EBIzfaKQ+fw8cxpdkg8/6OdboCNPIS7/Apo -s/fyb2cd5Y9VTsJTIYpC0zop3jG4v8Zwh+AIU0O3k7sqjnmKxzFzJzXKH78U4SNX -Ya1tkWOCiQh9XG2GBSnpcKimfNdiTNR693+jsNwzmPQPGKZPwuZJpHTPEprXk7Fb -aD547+3BNkuSIz/JbOmZGvImWp3UWHJXKsjaVqxvC6LMwsg8To6Msi3QTLcVRm8z -5vT6UUiwVm6HT8QhPv3LHih9RcLrEcz4oGjZlc0x8k7qjqSG6AnXVMN1LGVp9ihx -1mJjEUImR2h4TN8VXGidwKEN26ILqUL3uLa4Go3TzjvAxYNBuOHS/OxyDFqGG/Kt -ek8wLvO/h0cqtGHJvYZXLwxNFQqy26wO7fqyLnafClo0d7XB0IBhFFewCfDinHcJ -NS49GgkegcpqtB8eOnuNybgkm3U1a9REp/LyU1bSCZ0uMZLqO1tL8dB4pAQrVgqe -iWjL1LaMEWcFR6JNwiMp6oze7kMXoRFjeRpDOAiEjvsFiG6wMDJHxEF/eaPHjE7Q -xGO6yANa+cpzFa/38Zj46QK37w8tIPyk7NeBs+kWcxUTHP5TW/RuZLFq/mq9a4dL -a8pGqq4KWG7iz9RFB6VZvKbfaJlJzHl9pdYDtBCs6UM6iQIcBBMBCAAGBQJTwXx0 -AAoJENiiVsmyW6nUwJ8P/0OdIxedb0Bn92IN4SYDMLVls6w6/JRKLFyacG1/4sU2 -V9BfmDsGRL8ec24SwX10L2LVvQ2XNgei1rhoxovVMMLuCVVQb0KJ5JymCwbm0yma -UZPyJG4yUyvl1E+/u9p6QWYfcujKXoO/b2XZcVMiTvwbca+G5inJwkKB9qcn370U -SKTdJlO3E2JQ9DXj6UC4JMYwRcy5gKy7MOemOU5f/KuB0WVF3WQdCUgaJ1wNcA/a -eHCG6oG5JAoYQZpTKoCMuC98LodWkjU43YjDYmvvUkcfR0oJruAeOCFpoMVXdW76 -qbBl5cdCyM7qUrmJg1XzD8Y5oIk+mRnXobhtetREN9w0y+RMY8g3Sz6Z+0zChkeJ -hwSyRGDhyR3aTR9b1hXfl/n09ZWnAdV8SZp7z+bgIqqbJoNC43PS14mbJfGDff+x -sDQb85mqdz0QcBPbjc5f0iiKSOAVxvdZduQXdy/5Yj9fmc3Jt9Qvo1b/tCXptpCi -aliyqU+78kOmsNHWH5q5VL6+nzZ/+aMWY/aS1fTraF2numfoZ8CPlhxX9ZQgJX7B -rfEdrBMdDaZxDUJXAkIUT+JHM8YM9wU7udyx8Ang8ksG7CZP1acO48Gwi3Y90x3I -/EKBKTi6CgTg01ct+0bggeDfBFzwaJsAO2rKzfjuE7IKtiV4JI14tfn+xIJUhAUg -iQIfBBABAgAJBQJTxtO9AgcAAAoJELPhznj1qk3HpegQAKpolxYS5XblVCg3bfTE -LY0mubs8/ab8fbB6LIvEovFyG3WDYUoocAvEcqeCaARh2TsC807bkkNxACsy597l -g+bqmWF/A+gD5ID0qQyBo36Auz6MoQ/FHtpIus9pUi+H1PWu5w0Z3NeAip+foLs2 -0GvpB4vcOeHUMAsxOJFTI6KTmw6dkyslgbW7ZtDqynXbAitfGas5UG1wVanla3/c -Y8lDwH71465BxEzWlNSdNppGnKp+o4RaeRfDWMoSsPSkb+zgK3WMFY/TIfCM2r// -2i4DLUxtedHKsXM6/PoqqiaZR9+mlER2XthQYntGKNHObmMZ1BS4iQOGs2CXMlf4 -hAPSLEWmdCuSi7UplxPZgp9yNRHEO6eTqUA4QAESV7o9y6sttU0H0qLx0x4OlIhz -Ud4GnFGaXZimz9fgpQreZhO+lVwPO1lrRgoR0GBi2LkzWNd8XgyJ5MW/4vw+3BhY -aG6MryLKApYZ3bfTu6m+PhaV7G1JhM/fm60JSWpDGjMNEjGj9GOne9zQ3S/SbTVL -/W7VZyoR6PlhwxxPA5CsL3mXouIW5glIHiBB6gEBhGOen+F2X6MFfxNeUcw6HLPw -0yl6clDYQ1JoGgoJWhcXi1AcqOMDvSNVqZIHA3FBZXjium0teFUqQ4xNIXXb3gnQ -/Z4XWO7fw9NVah66vKvW8xwwiQIcBBABAgAGBQJT05pvAAoJEA5yX0FrlJpGE/IP -/3ifz78L8Wejy1THDtSxsOsZ8w/ma1GilFkgur/I9Gkf40HGYav81rGdVhXbaWwP -KSETh+Z80N4vsYe1XY8Fqlb8jG7tkvn57/43MbXUBg/mDrxvyaknaiq8C3pldAJ5 -fBE1Ktf1P6RMeJkDol1PsRfnWxDvREhnhkLs2lHiR8LAf84ItXRG4s8pcImHLiGH -mHSPK7S11OQJjgKD76J9f82iDBznJAhIs5s1q3CrxXJgz5ynY+AT+0E4eBtwIgOY -vFmif0neE2qaGPlffUsMrHFo1/thia7oneIp77GNA1PzhUC2aOl6MOr7iTBXrSm5 -PQyPGIyb8H79u4ao18kWI5waC5bTYV61pL2OQDsfKHZ8z7PXqsIn6TnfYEfnZX+r -wKMYgyTfYrZihXrpCzycg3tZiuU+7FLPO+SeouOD+WDCCFOWkI4Iq2M1FDLMZRgV -4DWshHMrjLoTpD8NUZcc5LRW7REz5n5LmS6/HoteUyGEfLGpTuNSOxN9G0Lv+JpX -nv+Jter9+nYYLUzWAhw5275pLh4VrpYRLYcnLQflKi55dk0npNvzJeYl/f45C7fh -uRTvHZKK7AGrVC7Un1qtfT+UJcMVWDSTwfCr/dKD0u0XflHU+eJsrKHvs5vZBC5Q -tQBlnO7DDLPMXheH7qfBgI+lPPBOvqf2iRskQFjAkiXTiQI9BBMBCAAnAhsDBQsJ -CAcDBRUKCQgLBRYCAwEAAh4BAheABQJQPInyBQkIJZ9HAAoJEBICghy+LNnBoQcP -/0OeLbq5rdqYUMutN8O6qw4GK/nRkYOrOSn1s5G8KZB6gC7UmU+f4YtCEi6DGrdK -eJfhcVmSB33VM1KgvHcuBBdQNA3RSUdP+ov2C8n0KSKM6hqfA0MKiras3HuI7AyS -12vjIPuQbCyEcds7nxdp2X8jLZH72J281Y0hH3SWQYC+9BB3xYHb2DTsQw4xT3ji -LEYYeAOdi4aO5DV4Yx6FObP2GEP8gtEv7T1QQYLQkJb5tODCM3hohGuwl7KQQhHB -WzX9G5bzkoKZHypAliZ8FdIlqHc5VrKBBWOk+8snFAegswqwheunsSJlsa9I0/iL -dpaSrXTerF0mUww1Y0WDjU6iuyaMUJohHtRZpCYs0ZaAYKLqE2fiERLkR/7I0aug -/I+lGL4kdZRl7H1yXpqNNr4J9/goEUhh3DhDBgM9+NL7pCzZGiJ3mYw03RrISJaS -2cbtLiTST6rC5+dr0VYYdJFKd9cOCfEOmEIAuQe0+4VtMIMjEL/j7Hcr4brzhyll -K2utyYmwOXajw4NjDJg/+KYRXPtdsozLIbLmh/ktgQ/PJHjJ+Ktg5/NXtEOapYm/ -Qc1umL61G2fsxBbu5V1XV5XjFVqyUI+9a4JFKAi7lQQwR6BKFjJ9SCmM55Q03xkf -c0oTH9k+lLd7kSD+Fdtz8+uotzNb6eX71pj8MI2fRPS9 -=Cy6S +mQINBFS7wI8BEAChYhCa6QqmhpZkM63GN78qq4OI7MYvz+rIVo2At1zBu4TNmHqr +mNtGMV0M9cSp8xa4YHBYa+tJ8kawO/7QZQ+mT+aufcSXUgG55oCDL8t6vcM04CR/ +KKxtEk1vRsblV8aI0hFzGgI3Qxr+dismOMq2Yi6ruPntVayxpQVE+dq+G4l3SNfz +pI2hlO8FSHMnYZGjRsbluNcFoZpHp4pjoudc/m10mVmFVvIOfftBjhJaBnyyndgG +uXpGUuME/5xbv5pnRH/KzQNuN3OHmpfjvu2e6q+PXTD1Lm2ma9pN1grpq0s4Z8dg +iZQuUax0r2/6Y4nDHtUdHQOFW5VpNldz5HT24/lHnl/mFhJZjSFf+YwvJONJBPjB +lmm1/KLuOoPN3MydBx2jkU485htIB43KnqKHXNuRYG9cApAt4N6J5eWPyfjlXsdP +zXSl42yg3EEsJlijBSR3wsIJ3+sWvQPMBdjgN0RjvoyI+zI7BeP8LC6ngz3GC8JS +D5B8XNUYV32tlCs1ILdUPUF1BbxH2sWxysbpl9RvOG56JArSG2k+KlihXH5fmNiC +NMWZ5vBShQ+bpBXh55fu3F7axequpWzocRfH+mfvBh5yvZnjDRGC3UZ06CFWN6JP +8wDFR+o8ZHSsq0Gx/2mIXVsJT6h0mF92Q1iqH2SQhFeRL3M+RcED6Bx33QARAQAB +tEJUYWlscyBkZXZlbG9wZXJzIChvZmZsaW5lIGxvbmctdGVybSBpZGVudGl0eSBr +ZXkpIDx0YWlsc0Bib3VtLm9yZz6JAj0EEwEKACcFAlS7wI8CGwEFCQHX+QAFCwkI +BwMFFQoJCAsFFgIDAQACHgECF4AACgkQ27gCslis2E837Q/+PDcnimd8hPFCb2el +BF1N/HmPJXkF1OFPpj2jm095YeRAsgaG/7Gecwf4C679EqVkCpaL12BaKl9i0PKJ +8zDe+mCkE7jr9LZHRP5Xa14BuS2BjdMX7crNcZfOjF6jQscW1poeX5YtwwKbF7ot +svWMmerq+kyzYS4diBo7CNQt+yD9xUo4wN3LJ+WNj+c2ooNnNJGqdzzqznTMpFar +hfXhJUE59CQMqSuktx+PQa/ThoYsxIAIHN0h4Ts6uKAeqvVONOzd/JwQW9Nd879X +604ykl5AZxhgTh3SOs0mHnwJy7bxKjsQqbrcQ+KWkbmQ4c6+R4N4bOpNYM7JA7m/ +93cLt1mD63ckqcG9oFtG4ijAPp8ndDMe/daIRZRYTJ0OKxv5/3puRMo/9ORPlD4A +kHOWeMrHJacqExtNXNjLUbbHCCesAwzTuvYIxYqlUqf/67t8YW+60gMuESdAL7tn +l0IlV4hs7Uh7KZPQqcFc7qqTyB2YF+nhd409drmgejEWlS8ZsGaA2iSrsfHmzqdr +DQ7RENtCa63M2uxHfg8IJdrdfg2OHQb76AhYk1NgImP4opU+itN5x/IyMVl1l102 +Gz0XKJdBiaG8N7pU6Wiv4NTR3GIl022kCR9diBwMCXBKcZNQlLhbDkrjewxPC6al +rmv52vUCW2leeZI2n3dHkpeuGQaJAhwEEAEKAAYFAlS9HE0ACgkQEgKCHL4s2cHz +LxAAgmMz3L2g+R00mJ2AQh3cAP8dujPchmSOOIQ/RV5W7Ow1Y0jjO8aUnWowfhUp +tuz3V+bIG3n5Qf2ZZEEiOnFLPkJ5lQ5G9JQLgjl1ynGlUNe9Rn4AN9d9D+zgv7d+ +1o8GMcCOEWTCUdAocmNbwg8KDuhAJKQXFS1DdjqAXtwcnabe2jBMyMcEPMGq9RWr +u4Zou3lBSjwkaNwmvrboPxs8A2FHuvOnNn+PscdFyxetnLsltFOs1+Wlwv8GwfcE +srg+S2T+ld8IERt7JCvzkSHEM8NCFRuZ8uN4oJH3MlBnXmX9hfaPzjexaGTz9N5X +94PifuhB+zcUwl3sQc1FsveYNSVBJeXVSc13xMmmIUZsDtCWVlxaetpJ1OtT0MGu +SF5N0jagiTGadIUeFpAXXC4DpGuPKNANxyCuJ2TU8n1Ngltc1zisPtbCEcPvjzR9 +AD8EZS+3oGBbvjp4ZYIICzG/4pya7lT2Zq+Fa2AZEwfh7a5r4mknW8PZUKv6b6ZE +v8vIK/vooqj9tjW29FmbwkbimfzBAbdmo+vkjoFiFOyMu7TwRBt+PAZa+NtjW/kD +e/LenGEStThBgyNkckxgUG/TXOxrKW8t9zjDDpZNULxLrPMALt+vRwce3gWVhy8b +UXo12nlahydSmDiZdbOpoyfoogEKVHZ0Fn+DUlabluZ83wyJAhwEEAEKAAYFAlS9 +HJkACgkQus4V0qV0mP+nXBAAu0d5P5jpz43HWuMzTmb1BkFfAxm6Ag2Uq4pplngM +x02tsGKz0aSAEVrab+PXy1zVBeW7MdqxlhwoUpGYL50X60nZ2RBI8cGOuTjatGRB +zD/o+sQ4OezKYgs1U5TrcHnCwDrf9L0zZc+9c/dveViCwzIIkrMIRd0CE5iBdhY7 +hBMiJg1a7NSc5gu8Ju+DOzfZSNN6qjbDX0Zv1xNgf1wNHwNdZHarHFFR4MLqV55I +1ItwbI4se6OzqEOHNbsUU7n+Q4NX/3+qGVa/g2vkmfNVyFDRz6lq8GSW/a8ZWlco +x8R2v4boWbksSjMW8kF5Sq4w2rSonOPXAs9TwZXv8vSpIcrJiaaAkV6C0x/wDJ9J +XQ2+sdJniqUo1UEbc5ux725ZzWamvRHS+PF6rlD77ge+W0ZSnjHT6ty8H9DjdZ9i +Fwjq+KnZ4OWJC8u+SQpMAGq9J9euixrenpcyFT8vFX2fzIL2wh/ol0R83sU8V4Xp +v0XXz5GLcoWU9AyqJQoDjGc7zXe5/VO9JHhhkraZjpe2FarV1FZWKtdRcdcwPMDR +W9R4Xs3fE7+Hf1S2pv0Z7w+PWjRG5s8NyqrKvVTJdwXdaJkZFya9m+qTyZitkJFB +cwfCS8yKgM3p4AfCkyoIibaUxelry5ksFGn/BEkTH5lFMCaRLIQJSOX6DO+wg5C/ ++5eJAhwEEAEIAAYFAlTRNZoACgkQnDFQPG2GY5ax+w/+PjgU6IM36g3g06dDXukx +sAtVlbDoyW0zQqvERYc7RrYEh3vhxm18oUX33IoetN1BIaXEQb15zF0WTTPj/4eg ++VvEwF4rHRnomYANiObTliTytEtEFIKXgWq+DAWnhkvWZB7wYWf1DhAJ1MzplY+4 +RNLlfOkomXEI90QqkpVNWYLo4svezAYZ0kCjYxTBXJ+1XH+iN/efgpTLEMRVjxQI +bNoYmwgQ09uCyMMRLPqObJc9BCAGIxh9fekRq6oN5YEaRWI3aHGGXgPzuLaZ5olh +3vzUKY1JBekpqTjYG/hWeiHnAqxfhKjxlg3xQIy+Nh8x5QoBOvrV1FlUf/CL16tm +h5E9+p2VO5XTFIrGg3pgIS2POS/ejg5AGlqPKhDwRhXaM3cbMsc6+k1bv58BmKJv +FpKeKDfCq3FDEPKdc48wdCAwUcUSVeNQzsGJyR9I0tlUI3xzg5SmAjQuET1rkIJn +71QSCt70+IShHLOmPbyAPzmtS1tVYTAygEcTkEOicNf3fDqpmLpLYiq0NesdUSWp +XWXLPOXSA+oDyhQbpChctqZyKZ2VTQVOYHlnfx6HzeJ1Zdq8Q1r88oeZWH8h/qeu +DgX6WnPHyi3XCbWR9MobTrgIUpfERS+kOPCGtkwI9FiJ5pLjGu+xpPwV5Eho2Egn +E/0w+mz1zeZ0D0CJjYIA6e+JAhwEEAEKAAYFAlTSSXoACgkQuzpoAYZJqgZwKQ/+ +Jhe1pMLq4onN8H6RM8dQvEfY49kFRncr+JulbFmiSWYUCaX6OP1MOWFZ46dNDO53 +rxTEoP9byGj3mfYEWUSxn8MI9idI81+mwLnhoBCaCy8CAEOUdaIHru+Q8uMpLLiH ++4PCjgorZGV1nkPl1Mckq5nei2zZysfxVRaYlfw1v141tBOMOXnUtobD8beVu9mY +C8dXSQw25FwdlqI2a5f+s0fAhs7mBjBsz3XBeQnrL88HHaKKD55ilEjcULqXiQvG +QcXUlxi40o5aa3C7Np0NpHzUCcZlrsZp5XpZGOaV95mCQOgNQIKlgd1iP4r5sGc7 +wMmSdnu10YDW43lTTSFphp7eo817A6fQMXYtWiAfFhMitXU25Y4a9jVxJeJhLEuc +4Za5eMAMM3DRaZaR0qngsGsfGC9TaEZOnBauwc2gqbpF8HCOthy7CMe3U1kiM4hF +cRktAGhv8q+Qskaf+SIQTAqegDsprcJeEesHDavhRStBiy+VLrYJd4bcbPKQUBuw +IPoaqa4Ca7sY5qN4RH54640T7b7DHTkGweQUO/d7HzoQSZHrRt1n+QnHqLQ2iicr +3nEhwFPwukFKXfbP2MDcHCtsVqs4t99BZcv3ja7Zcbl71UVbhavO0oVB+zZcoH8/ +UUwdDvsCkqPBPWnVzJDgJinCqcDd4A5+FxEoGMfWXKmJAhwEEAEIAAYFAlTTzuwA +CgkQCRq4Vgaaqhx2yxAAjAo4P+YkbOTDhcR2sRLOvfMcIssO2p49dK7+5N24apMG +A1ShvQWnYqOaypo42QgaZy1xFfHm1uyfsMvpdW8P2sO8CEUgT6rP/kbCr/m6Zzi3 +y5kYdhqggRdvd3o77oNJ4IyT5vOjtG3iWrve69/soppodhV53zjmqluqeWu85nC7 +uh9iM7XmJUcu5GfL+vnKjWSp/uczJwEOA9R8t7fADjczWZhw8fD9uHgQWIoEHbml +pxFl/7KALjHMGyJoMO+AYPLIZychJ5dJGxJNGe3JZbaHQJ5cyzBSSRpI50wLoJ5T +nc/tsYF/DDKHSKCstJVYkdiDb2nMSlUZz5cQR7FyGUxBzL0upsmCgmPgBR8e7VNk +p8c25eKZd080R857g32PmwjK/uhEk7cJ+Zp5m0m50hGnUZAGv31sGACEW/YCoyYn +nmz9pTpRwsK/ryo1/5KZAvH1ozSWqZjFj34bDuDlI0mPMiG6QqXCq37gqQMku1Y2 +d7jNgEWk/utpU23R3bGzRrgY0otCDnpYcvQa3msx+iJuQPHcD7gccp6Car30y9ss +Nf8TGyQ3MF7koD3lkjz3LD5ZLnU9ck5Lz0jiwrys2Zv2iRTYRG0ou34pWKUh1YQN +ZWYJ6kwIaToX/b/+8iw1c+xUSSqHJqJkTouvxBdJ/iS70n5GMl9Wm6Oe4tEsN965 +Ag0EVLvBMwEQAKnvGNhHuyGaraqMVpyM/0Upz3hoECl0vUPaXueHjeKkxnjBg9/U +xUeIah7TjLMeoRYfqW0WGZRqIuKpxUl8KwkE06NqYutlu7v6w2WT8odHI4NcC/qF +tGZ407d4UIqPT9P+pEWYMn2rUL8dJnqoXm3ctUi6z4Y6fAs/k/S/Crd3uAhn1Lmb +UkEGOMPsotyFLgkrWpDZCXISEjK1yH2Es3p8c0cQm30wjPimHYSCMTNTli/kWe9t +9J02Q0j0lBbAVmWDmYf01kdeSEt0vPLuHRuuwvjDNPm7k3XbUVr6bV8vLhpIsXq2 +Fwr7XqOxpomEDQHdETwB8jgswwgOOiNkBU8d0+6IIdoN+ucueszQzE22FnAXC4o8 +JillKQrZGr7b0IJank2uuVMqpTigOqZQvEpHyccHgfRcsUZxm/G52/ctEKpGcPdw +DOykPUXDfwBq4aryTqrNMOmtVISGNN1FndK1B7GAuGQN/nD9fyE3POhNiZ1l7dco +EzeFTjue+FN7LtzrmHb0TsonnrL+t36Fdf0kxwk2zCJKoIbJvRTESzWNCL5SpdYI +g/NUZIVNZSpiKRtwNNVb3ykeqjoA/YC8mtp6sYkfVPtPMO8XaOWsSf9QvwO2rYTx +/JcrW14k4vCOtpWW9QNa/6yTjhpt/RT9KxdQ1tQqT1HRrEj+/xd+PMYLABEBAAGJ +BEQEGAEKAA8FAlS7wTMCGwIFCQHX+QACKQkQ27gCslis2E/BXSAEGQEKAAYFAlS7 +wTMACgkQmP7GvHUqPbbs1g/9H7rALRpC/k1g9Eiqs1bzKsEPWrIFRYyM+HK/67oD +ekHcFn709ZjagB61QO1MFZKMebmclUyUGQtxexrjj7WxQ7ZgTBuZpS/Bzy3Q7nyt +R5qV7WGg2LKkRuoIzqrxo75VB86sI6tbkcAU9sg0fS8Ajug3WTrCHWQSW03HM+5u +ZPYWfOtWmdG4n5u1NJoKjeTBr13FcxmLg34F/K35gukz2mGNkD3N9EHXVFNB55Nl +QdJZbwx0fYkfoNOivhbaRm3Uva1RUO4rafSSWrEHHzVTSUimVPaMWbL6G8lOOw5q +Q6lhq3xsp9HU3bo6EvMJ2rEY6unawyjAWuCJUW9tVlc+/tpgItAzhiQ5a/6RjFj+ +zSjS1wFqcLL+T63gBQZ1exVQJbOUyBgtb338BTYeMHXKoH0I/TovLiGAb7LlmBi5 ++Ll9Zfx+U5e+d6cK5GwfDRVbHQzNHSV5uraTyXd7wlnIPQBZ+zyQFbzRnfp97lz7 +8nABz5EiCmEhjOvZrKOYk4CCbqSVvD/xkdLzwEJF0f6YphQcWWKtAxS6r+q7B5gT +wXfIih3Dt0CcIJycKxX7fSSBsdN28gz3RqMOrsToftBPYmKZXnnZkMXM/CHbOkA8 +sLb/7lxhVBnZNVH4ZRvPzrN0WBvNwT/O9ztR8ss8lKeH1liG9j90HdLWV8FSWELz +aEDwWw/9HgJf6gMLBjVi5JfhYv0I9FutdDrlHPhwHOHepJG4q+tDL3ZJ6pGv2BqS +RUIqCOV1sCwaY9Q+cP2gQfAvEZkVnC2EjMsWESsVOq8N1v/Gr+AoB8nOL6dtZobl +XEsxOgMV6VNuPpXMP7U5uDiskRbOEM7iceD9z2f7FZ1LHAqgh/UEHf5fcjIxvpz7 +vIRtHVp0AC5TGMBh4ffpcmBxuUogZXWKOzE3oCAEzSXODOJkgSnymxJMiD3rdbuJ +WBhsY0cFjLiFeiq74Xw2tylTquZu6y7a/eHKBO7hxbisRhhooSawLJg322RgXXkp +ys/9Fsj4aR1aDT1h0co86bOiNVeMWU7yfRJi/Qbx+MSGtWDStVt77qVxfcWouJGb +DkADfSBxFcw9qE7vyk1dbH7ZdNy5RGxWB8tk8xc/CxbBpjL7sFUD6RfvafsNL575 +RNL3E9F7tkVSSfNriV0TqZarUXsgufYpBz7CtapEkYnNhA2ZsQC1sNXDTnh4flQj +pdJcPTQvnPxMnPkzyycPWGahcomMfj+C27HgR4OCOIFPwXY7d0PkQVUbpC0Jnhwz +z0wo/cXqVRHAYMUMVi5SjBu9vS6NfF0JSlqMD0Wq1vtRhw7id84BwuI0366pCSm7 +Nwp760mlZXkAxmVuh7u15vC69HFxv9AdPsliLhZ8ZaCIC9MM7BO5Ag0EVLvR7AEQ +AN/E325mECH9+a8jCu0yHu5s5GOT9MOjyChyAFuont9YKiUj+1f3Eu65rHmuGDAj +Az6NZS9ONENzIcDvrKvTcQbtfggtQJ5ExUPt6n2X7xdNFW53KkonS+DjXwTQrr2v +pnImb42XsNnZVBjaSzqpbxWF6rXWgTMeICWVuvkRfRab8qNLh4ugPuC+dqVermt9 +8uTf6eKa2sssBw4m36/sPXqoJ/TWahoCglob/uKbh3mr2OxpDpzb4BSbTEwuRi5X +P0VtkLroEYgCZxCCO6gH/S3zZFM/MEJSKqHcV8QdrR6l6M3u2ILcAa16KtUMGiBH +9JSXgBd/nRhDr4lpitstXJbwO6rZ1JCmIRkxUhMcnMdMl9Kp5c1paoQv8uGOIgkj +i1BHf+/UN34ocvvS4XyiKbioOfWnAUYte6/IC2PC/6CTyw9csvG3YgfvCPLLyXga +Izv236af7ZLVzca92hn/tjzZEKuvY0VokM3o3cEXkUZQmGXQ+vEVM4p98q0yrrgN +GQjXXNulRmRXD0WTVO0HXWcfMtoOffkGlch1UDzTyl1rg0LWNAC4l5aWaqbJiwXD +2ahsMe9VcLLNbwPMl2v893veN3WPZPLCqDARHtRt7EQHH3aV7jp/ngrdVZCBws0r +z8AHAO5h69uyOqihdI6HNAgku2ie9d9WEMvBLYebeMZtABEBAAGJBEQEGAEKAA8F +AlS70ewCGwIFCQHX+QACKQkQ27gCslis2E/BXSAEGQEKAAYFAlS70ewACgkQPIPc +tS9pnFZayg//b66Ksjrd74e9ldAHuNfS5dH0eu4nDyWK4NUePj3GxEaa/K1n+EYl +SGgMVM15KgcY14hVAV8c9bye+PmY/B+2Mgx0rAmSLY8kNflT79RCk1YH65kEChOa +Gk6aqJmitgRnmUBn7Ymggz7qIXp/N2bBDPl9PV/sa+1i60siUbYCy7ShmnVrjNRc +zoickAngoIQRYwFECmFmSbeBXbzBTx1Rm2u2KkVEjPWVzP4TYYrvK7PEu3qIfClp +JrPhN62mwV2RZw/sSpkmAjT5EHAHt9uA12YcUDvTKTz76VWVhAFW4XoCvgf/xDFL +j/EKc7/rIVWHVT6LVWeFNbzO1jwC089EwksZDPbgsBOnh+1gI9XqjR4Cc6Y1D8MQ +G+xKA6uENMgwlEHqhqn4smBj8COEVC9JxI0SYTmrXMppWofnrXXL7xMG2wSRRWOt +F5rEKGoDhvc2uKCaR/mv2Ng8C9G+gALpmdC7k+9RHqi0clBdM7zEGX/t3PnRPk4z +g4UzQMGdPRdLBD6ki5zfHes73ch7uddbGWIfVuOTLH8eNSYf+26TrBvwnJlgQID/ +ZGABsBLHqqFif8KQqLsUjayr1kCIjOudy+NRFCt2G3gp2jMCbGToBy885XNUns5G +7u7HY6Y89h6FVTtUlyNwjbD3ycc8VUMq9AH3TZz7onwlti/ZH14NX4XhIg//RvpC +0qlvyKSGN5dCDx21ds9m2K9TTBO0+ypq/PCXRC8pJBrzq/vb7a6TgekUYTofZVqL +6mZjgmHiWhgJqmwPlZFMTteuN9WQEMqLofjbpy2zCeqtEK1yJrTo0P+ENXWCo72c +V4k5aDZ+MGP4aKYuWgMQAmqWJny80XaqHuthsjP5BzsrGFxTYcA/e8F8qg/Go+Nw +IHKirA8GL6lT59yZjMJOsiSIp7ravSqkqV4brymfzumeBm/yUV4FHnfT9ZhJIjLh +AXpaEuvIcTm4xPMGKicL+ST+cRjuZP2bmJhEe98RCO/WOgmrSpp9SDBjVsznIii+ +j3ecabX5da1DL67TuNSYymcFs3gQoPCviSJjtiHPVwD18O3GUR6nR4JmwM3sLOzM +GDbS8nZbsxR1h4FEbE92QTmPc4HHdTb0QsGa/nUgOGqxzSdMX/5ERDIViymRa6q1 +GwuhbuEDRscBg3vJPG9ZOTaYazNDQCSuJc0wBi95MpuGXvO7bXnqVONW+sHBZDJU +Asm2EhymMwzCfaEnuS+W2D3becJVzmFMpRTVzn+axmEG/4EjC/uSiFvdy5TX0He6 +cc36mH0uonEuePuFHqPNeHGgVotT3TRNkI1ZalsL5EwBw4I1Wq+erMpMkUo9FnhD +JnN5erc6oKNAlo+NIRWUGnC2XHOTwhPF6fkTBOM= +=q6aF -----END PGP PUBLIC KEY BLOCK----- diff --git a/wiki/src/tails-sysadmins.key b/wiki/src/tails-sysadmins.key new file mode 100644 index 0000000000000000000000000000000000000000..9414cbbf991614c161b6207bfae3b9fa3e818436 --- /dev/null +++ b/wiki/src/tails-sysadmins.key @@ -0,0 +1,138 @@ +-----BEGIN PGP PUBLIC KEY BLOCK----- + +mQINBFA1+ugBEADuozPjHs6+ME9Wm3c94IqqUhwEEFJ3xz1sYJus4V8GMW9TEy1L +iQGwx5p1+6yOi+D/tvW3q9jmerdI+EWvQeUvrwkx6r4razTZTe1+48u0jhko85SM +xDzEF9wf2gGEt0abZamUu86kfMcmPFMVoGLoLI/7feAscP4iGMK9ZlX+C/1wzq2O +gujhXdMv7QoYvII7wjRPm4NZHM2MUxLxwxhjifb8JZPE0WGyUJ5+FsPEreh0MgC0 +R53Eo6wIzTU4cBB/dyabI/2/jn2YaOsvoC9B1M8N9mG/bxSqTETiQrgcA1bk0zHj +qiy4fXImi+Gkacbzwrdad9QkRVCHSXu/pN6iqZiUvXvfmAObjRYsoY3JPfjGCTyF +58ZELfHnGx6MQtF6Dj0wX7qMBY0jh0O0n0znmwVp1MLm5Augs6hAvX8VF99KQVtc +mEUnb+Gxc7Y2MBFjWvTpiVwcXAZt8z13gE6UPls+X5JKdDqXLqCLR2cq82+EBtS0 +8U7jOOacGGCU3+2/fL8T4KGvlXnUN5OnqCb2lm07GdEsHi2k8O16/XPocaLSxzQF +ZVRcLsmvD1hct367+mxrrvANmnl7YyljGzjzsOfMv5duxnpVpbLFRYzOg4BC2wMb +HlKtLFc+blXkVmvICax+OTE8bP+YoO1qW2gkB6wUrjAyebuuxwJXF59XmwARAQAB +tDZUYWlscyBzeXN0ZW0gYWRtaW5pc3RyYXRvcnMgPHRhaWxzLXN5c2FkbWluc0Bi +b3VtLm9yZz6JAhwEEAEKAAYFAlA3L5oACgkQus4V0qV0mP8gfBAAlnnYqXt3TkyR +4AB2a/IUnN/AbOYK3BcW1mhtVW/XkYgWyRW4fdlfw9Yf62bWnQHZA47Yj8XCfjv+ +V0MekGnr0ShBqb7N6XRNW2nT3VpwtJ/HBS94sJpS5wPFxhT6lMYPZOQG8Pm/h4l0 +wOF/PolC1FD7Wy3LNeX/KkuFMEOVNmVxWtXf7qR+DtFjQXuu7C2kAeAQ9FN7JEb0 +CP0N3S97Ok0XByEHwtDWX3448uyRNlBSZ57Cf5HuP4tt9mvl4uikoo9acsCmEuoO +0WtGg+9bG3/wkSi0rL4a9Yti8KyjYKpdOW5CvYltWmNj2mOOZroP7hotTjOtkFsE +M+smG770Bi+bJGCUweDmKubqt3plariR4OP/BZK1Cyf9r9D8pGbdGfW9PILAQGqT +1QEzyBIPfeHQcOqj052mpZxsCWjoXFMFlj/ooaqyOY7KJHbEvAvD5B/v91GnhdFK +UljHxPeMDDchZj546vz4ObnsUD6HJUGaEw4bSh/cW/N8V3DIr1P/wv2oONI/Ndxs +0MHfUA5MvzhSnt3LAHeOAitmtPTvmtFfL/Zl6gNXvM4a5gi8jgSFxu5fqidDH6OY +DuOczduJ+RxDLa+Bz7DzFzJgchNLlsVaH81AvoIB1Dfx3uI25Gs1D8h5tfK1uN6F +htuP1OIVjfOqBeSqGdTEDTMpo8Tk1fWJAj4EEwECACgFAlA1+ugCGwMFCQPCZwAG +CwkIBwMCBhUIAgkKCwQWAgMBAh4BAheAAAoJEHD08DEWUl9DjNEP/RnRhbW3OAsM +EXptsZmUGo9jUAoeWiugYr5uZ8aiQGTynTh08wzHKROimPvZ7Ctaszolq20/VAcd +ocZDcRD5bmDXgsHFPeK0sKcBGAe+paOtiF0up1rLxcB1MPz7bUCvTn5AMin3lhFz +LTdq5ei6AkOitaGOKn5v/EO66gsGVJ+edxrMbi+vIOa+cf3bIolgaPErGUQJKahZ +UKstwsoxiXAucZ1QePdqYj1zt6XhLe+xvHPN04XWucI1hXm/8RHzcxTbhktl+kXp +IALBjewWraHTtgP0mmXGMDVO0bE3qpiNxw2451mRu3ypJGotjqlwo8fPMAgcus/3 +wEn1VUrsYgTR2gUzXVc1c8GVdGVXV9cDn/nXeYwcVNP4Rg8Q5vjl78II9y+J+Gpa +DX7t3He/RJze2JpeOjgfmIEN7saUWY2yntmOqHKrPZnPsU80khD/Ku3e1Zu3dFib +cbxkcbyNWeQZ6j/NLnNPPRj3MEVsp9GXVi/N8YQVl4V9pblsCAXZ8FKQxSL5x7gf +WetP3U4fmfrij/xaI9JDU0Aa1tE5/tcICJVwcS8mGUYkzKb5IQlwmoQTtR6Vr9hP +jxoPLIu5Fyd+t6QtvjwP1zXLg4Y/Gz7GNFMBzN3kQ55e1ZW4JDxcQqkMwg7qg4xh +6b1huU9/VJ+nVVrYMNw35rhvs/KnTXUXiQJBBBMBAgArAhsDBQkDwmcABgsJCAcD +AgYVCAIJCgsEFgIDAQIeAQIXgAUCUvExlgIZAQAKCRBw9PAxFlJfQyGLD/sFwjPT +iu+tds7yQEsvWOllPUEtxZuosfbq4ySIx5o3Pf5uxgfZoT5OKxdwNky4QpsqKb0l +m/dWC/ZqDJ0HQkkwurNDEkFc5QEKS4Sdsxo5ctAD7mclTRKHwkbs2tYb685vSMHM +mEYTWm8kwOX68un7T5zvXRdp+Zvl2qJi2kMm/sOGcphgFSUhjP50HUPzk4dmeH7a +sL/q94SU3LcgeNfMSy6sFhZec8NzbTdVUQ+87TOxOKJw0BbbWbQp6WR/J/2Xi2mj +E2ArIwP73osmUhfCM0B9LmKpQeEoSlmu7UnEANmW+lIRnQb0GX+uHEejU2RbW1KB +3kJMZJHTSjAEzsbIJb7fOLuPNlnI+61oduHpU8F9WCL9O8nRSUNslzMGhIp1FmVd +s1cx6tfuBtV3Bk3/uJnpBZOA+P5hzcdHGiMmV5QpcarDd2/hjICYirPyedx6iZrm +snG1io03tCewcRytJC167IQ+4abBQOy4v+SewCH/k5Ijis3/23/hlP/mUytG0odr +oKM3tk3bR0On3jVlV5IYO7vbPjw9FhPaJVhVUHxBQZ3xxjC82eauSSzDCyvj8SzW +yLxFglt/1uXZyKf6A6hVbaVmHy/1+m00kLzvmoWsvVLu0dKLK95SAvSAavtGJL7W +tG4Jz9T8pW1lZPvshN9OlcOv/PDl6R5+k5xZUIkCQQQTAQoAKwIbAwYLCQgHAwIG +FQgCCQoLBBYCAwECHgECF4ACGQEFAlPwcc0FCQd83dwACgkQcPTwMRZSX0N7cBAA +0di96iM5uZoCWyiZcgOFmQd5PLPhelBaN0TKPH+T4VImRCPQ/R1FcmKCZSKzbVxO +pqUgQ/OL9pxCsHtx4Vgkh1yj2EPKNYurPu68i8+kM0AzwQmIY525TdUnVXR4NXF4 +u7MapxuWMkL8RKf+tdLAt6fXyZhIN1dCK0BRv2t1CV9V/uCU1yzlMDm/e3FlJAs/ +UAk6NS75vRzbPPshKo98SRyh/d+2sX/rBtVCWxsd8gVMZKyU64sRfypaMi6aZWIr +pg4RwrbEdrmYtNBcGKCTe4o/DMHN5hFQxrEt1/jND6jSEicvWyJC92K3JtDmtEID +eaSmQpFpiuLqqKK/L6WG1cPdP1/v4CEGvssDem+vQ5echBEnLHlrCGp7WK0QE3r6 ++5cJf9D+L7RWT3/vNVeNA7aMm9VBJPudcSIOrOUPp1alvljiZSqerjpJ2ZrNc4z8 +MYT2C/aUbYs1ovJuS6r4B7+4grEq0iUuaRVrd1EHlGLnSgi/oplzPSOTD0YH83Rq +UhzI5J7w4yHq3dHZSOewtnQcs+AuuVz+IpZVK0Go7Cr5axhlHRjvdQ5gkZdoxGKB +465A9JJgCOF/HYjjpUjk0CrUccKFrOe9SUnaTNTM6yU0OvUCbVJlL3kzkPq+11lG +9DYyDNSk8grF+GuGqH34CLlJqLaYkWXoErRgKnHA7ju0TVRhaWxzIHN5c3RlbSBh +ZG1pbmlzdHJhdG9ycyAoc2NobGV1ZGVyIGxpc3QpIDx0YWlscy1zeXNhZG1pbnMt +b3duZXJAYm91bS5vcmc+iQI+BBMBAgAoBQJS8TGVAhsDBQkDwmcABgsJCAcDAgYV +CAIJCgsEFgIDAQIeAQIXgAAKCRBw9PAxFlJfQ2/vD/46pnfbtPVgFvtJuos7f55n +DPf5Fq641/G20EM6LBtQsWQhIZsVs267WZO9Zqd+J8O2AA5pOgikhUV5idc1mmVf +MSk6TkOKicnENDSCi6CKVo4YSnzdS3sxcieFyFVeP5F1Ol1BRhH9NFGZ2/Er1o2M +Gu3j+On8/b8W19lSnYyWWt0VSTMXDuwdRIb0OECHJMb8aj/KqvYxr1JN/c/PiaQW +DhJ4xwIMcGgIkT4AMN/RO0x5KVA/8cKCDJGi8LcuOEY42e0z0WFVeoh4pUxpYJdS +eW7KDHqxs5j4XB2QzxxZX3SHXnzZb9mde6BK0Tskg4xK4dJRfWN1VYFZVx4zYoIc +tcFgQiWvUvPWbjrisPNUyI9Kt83GixIIpCl+zUWB7BhEgKKinApplIkZpgM6kxej +KkIcGOogolpVtaBXCIE/tVbJWxqVk+VqAzKUfElQUPfAQyAhboukCOnMeoCPI9B2 +bfO9x0MwoULF5Zbo4fKpj5z/Ye/wpFJZJhGAuWlgj5FLfOrr2MrrdC/pfyq/Qyox +6artAQDk9BU318ehxDsF/YUZi6BwHuOZHms/3Co1o4F9aA+1Cu6xZOviMLoUROJz +5NatOeLVnl8LY6C2PpJ+7SusKilPVz3EvukRhz/kV0xPq6FzDnjuApnixQhKbB8u +STqAz8LVilaY3DLIz/Yt4IkCPgQTAQoAKAIbAwYLCQgHAwIGFQgCCQoLBBYCAwEC +HgECF4AFAlPwcfEFCQd83dwACgkQcPTwMRZSX0O+4w/8C4ZjBxwNCkbJodL7hpyS +ExLTjcmPah4PlUtIwHDUgCuvefDUbqAgctgQOFSb0gN9kKiptjsV21m7QHzgllJi +tXajw1NsdYPTY9TSlzRqovFRyktah2jWotx3amgQig4YYd5kffmogkInEwii9WCM +2e1BDoxyaiyaMtKrINHrpPTrEzV8/MNvDAyKs9EXPdH9uScFqiv6CQ7ywaOMFMlI +wDCKCaEt4pGiGSrxDtMn/bD/540LtBt3WXE7M9oTdEMHUuER1aMTXOgwo0Ny2adi +FpVtOKl6TKulqBkztevGIs92zTghDqPgcTcOWucnTa/G0ctybE+F30oKHTF+zbwP +BgbZtAdf6jspZ8DqnT4FWQgxeM+QXICHcZg81Yt/TgTA3IT+NVUs6O6BdKo5hjrw +WBKXPOmRLCAEl4Nke3eiTAFNsUlYivsaL+X8dgqiXsguXZan0rT9i6j53M8RtsZm +JUybGLS9SK5AeC8+z/2zyfQMu/2/BDn3RyahzAn3Nkin17PGfZYcx0urlPwCmUx4 +TMCULMp8M2G5cNNrfnhlGZTW8MY/nEcJkyIfis4ZwhbUKXR7kVdwH8VpK5Nd+k1D +BYYHeVsQT6tJ1AwGWpIiPQRzjOdPkU8JNijGFVDwpn56mdmsMQgyB7tiIXxVuprP +vx1n6pKEmMLqCDd3nAPMTuO0T1RhaWxzIHN5c3RlbSBhZG1pbmlzdHJhdG9ycyAo +c2NobGV1ZGVyIGxpc3QpIDx0YWlscy1zeXNhZG1pbnMtcmVxdWVzdEBib3VtLm9y +Zz6JAj4EEwECACgFAlLxMZUCGwMFCQPCZwAGCwkIBwMCBhUIAgkKCwQWAgMBAh4B +AheAAAoJEHD08DEWUl9DuV8QAIXQ+19Y9rpCDE8rjOuiK8cscDsnzsnvgYUlqB5l +He3a8ce4Qpi+Sny2Jy0hzEKVMhgpgquMLfWuxXfsZlO3/G9E9J1RXaRJ4sBuPXVf +JVl/RxeI8eHgKKcSETlS9u05P+h0M/en5dKlBsWOHDoGrdyKhjA/NLaGbxNtS112 +vQ6DiunvRNpkSYOKXI2Ay4CMqgjxsWnKWdtHvYn/W2IHUo/mFNQ+dhQK6KmtnJcB +8c+o9IbRMO6QEc7eU+bqtinYKVDt0t256eYpcK63HwItRybGCIyNDdgqs4csjJzj +lp8BkORr8NFXQ26hUJwyR3zwS4aI+QeDFDE5VGEwH5l/M+ChfMPElE56d/Vn4dWO +uxe/NHqYlS1s6FbtOcU7coAQVRja0yRVrSwkUUK7b0A1TTSudhKB5U/0El/KJHkz +XSE8r8Q0jZdQyVW4jl4kqLzPWe3M8oZcbXxyalMOuvAkKkWoy0vknqMEnK/nP29S +CVDJLoye+eH5ALOHOXO823RI1i7kRPWKUoY5jx6ZWqMWLYbgOFauB03AVDx0h9Xy ++LHmRHP50STbH7Qn0RBLLmlnHgBCZ13SwfBYjp7/tlKgrsKLrv8H8PFWeICUGRJw +qZKEJH9BS8JyRVASsxpVwMbVOVlBp+gwrPacPvJWHdSmpf+GI4o1/PO4fuqWMZSs +iVz8iQI+BBMBCgAoAhsDBgsJCAcDAgYVCAIJCgsEFgIDAQIeAQIXgAUCU/Bx8QUJ +B3zd3AAKCRBw9PAxFlJfQ/IwEAC3U5UYvovlohUjW5sUDAUHjm/3C4ADaBvd+6UA +Pcs2q/d8VYETeqjvrc2wDR16gbhwAP1MSEkXPslX7/o4k1MowiVFZq5G3RJ63q/0 +8MouVhXtm21rdfFyJNOGUVdMNySc8F7SP1wW5EiwUvt0jYkAjWOpMeUiAH8aug+I +nzdhq8myZGitPIhz4XrvS5VcjJvzZpmEHl8oMeK0Nyo+3DXmAn/Nx2Uv08V2YxwC +EUeFWUBmc+wINo8l612+5yej678jGPelumwT5Esxs4K5luTO2iF3iGSXgD2HIBDZ +xOBbtujIteVM6YWLu/e7DWsaYl92rA8QQ0CsXLDRZfBEKMnpUJ3dPoD61j67/O4J +8+Y5oPsT4vjC09CrLJ+mTXORSoN20FVwq9jQlMlppHsz7bf2D4A1JTUi2K+E9IoR +3CH3PbZj1mq/JQt4yJ6bXanktFYteroGRkgY5ugkNm+jFFr3eCdU6/GE4LWi1Q4v +5vnGV8qigYyBZhjR0HEJXVjJjKG+2s8kD6bmqvJ3tbDCbgih0HXY7b4t2Emjd58h +QKTZXzTi36/iXTxOolBhsgRT6CXcgEYQT6DcRU7pzPl9WGgjDvfAhFHz52cer26D +xF3qTa4FtDOBjw6oub6lYfRe4wPuQWPaD7ZAk/sUHF1cGUvbs3NdGZL12DR9duqQ +YZgnrLkCDQRQNfroARAAsKBPFNmpWpVAU9xgJbQksH2FDmqwL/mrH5wjXxXc5T8H +fi/dwruvS1f6ZR4zcm5OVbk8Eyxz3DtXWpGfakpswqkUwvqNMbRi8aSaJ4c4Cepw +P0JFVu+LULTuw8kf9Ll+EIwLqN9hBBGNBRvmud3pBWUHuN9x3furcNfL/xTC1BzD +bS4N5EpNqrah6xwIak4IXf5jY8lFSXCg0NVlKkkGuCnOsLYDfMqpgIQyrf7xKvUR +jd95B7kYo07iunXzbJvagaGIq8O6ABcjZK19eQ157XQpxpdUkx12NUsB/ycXqRUQ +RtyCtQxoO+DcpHBGIO2LNBQmbTnUOn0uur7KWUMfcfq2cGhKALgQn6Py+sk5LrhV +whGvKqRsP3a2q/N79w67YhtB1rW2DXfZMJbucZEbwWzY08C771zFgna93lOz24BL +kUErqHJmdgRHUCOajaNVLooR6hogKeCAFiBmxBSgP3mj47fyeYGZW02RkmbWviIv +UIIh8heTydyL/HvUQwcrRZ+TqibZ2luUm4HIm8kxmo+Jbl5SI83mduUP0jbc4Myl +2POnYyyEEo6ET4s1nYOfYx05M+Bzoz8ArY+V0b2D/yBthxv7hrlHwmxPfFRYImT8 +TeiDZPCPv3NKIfo0Ipu0TgqkKSJmCS8s5Vore+0wXdeqPEzU1JjnBTKTlxqIGKMA +EQEAAYkCJQQYAQoADwIbDAUCU/ByBAUJB3zeGAAKCRBw9PAxFlJfQw3VD/9jSS1n +SUhV5A+VGM3ARK+rrx+0vSUARzHShTynmcpkhw6NUSD6eu4BnZ9MgD5kpt6DgADt +E6gjsIZxUAsiJ4IrFfT1Sg3SBip0fZdnEYPP/leE5PY3PXOV1k1Bom+CKoUWFSUj +Nq5rvCjBVk+IPxhG5hIzyPtoL14K3xGJ/dlN34bfWOgg/QTQl2D4ruivpxVxeVLP +E498/ufaEUMNNiJHtQ4SRopVroAPnGX/5zOfpvRlmC4fPOx2F0543U7SU65yQ+zk +lGqYdoegltKT/LiQVuLTWcsolEoCJ9HE+ygnwfZyo+B64brf9Kujs2MO/Dx3uz91 +q9YXp2zmbo31uZFpwLpJdnRlMlU0EuRDRYAw9pzQ/YbmjdIyLF1CcxhtxoB7z5+p +jtpJVOuPRfkN4EiHkVPoYSjHjxam0wpuenNrC3UQhAZjxj/KlSQIYg4NSR1bP7WL +dZXN/2Q4fExpjxruVYsWemqZkDPnqMcEvb1k4N77dKPh6Uwt8UvOSO3bMlaC+3cw +O4CETlpBDjlsE19G8HLnMV5oOnjjMcwT1hbmcl6QRsluAQtwO/HAU/rZ0yYUwbfY +SyQvE18Rg/fEVju7cE1KPAjRM3PAjc8N1hM4Itmge2PiurV8K5at4MzjSnfc9zzT +AWywbvj6d9a4BVZfOh6prdFEMxrSRvk+N1EvUg== +=nMFI +-----END PGP PUBLIC KEY BLOCK----- diff --git a/wiki/src/templates/page.tmpl b/wiki/src/templates/page.tmpl index cb7659042ee7624e226009b7b0250a8f125e7ac4..19c8fba22ac6611bb6aab164df68568562a7fc69 100644 --- a/wiki/src/templates/page.tmpl +++ b/wiki/src/templates/page.tmpl @@ -1,9 +1,5 @@ -<TMPL_IF HTML5><!DOCTYPE html> -<html> -<TMPL_ELSE><!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN" - "http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd"> +<!DOCTYPE html> <html xmlns="http://www.w3.org/1999/xhtml"> -</TMPL_IF> <head> <TMPL_IF DYNAMIC> <TMPL_IF FORCEBASEURL><base href="<TMPL_VAR FORCEBASEURL>" /><TMPL_ELSE> @@ -12,6 +8,7 @@ </TMPL_IF> <TMPL_IF HTML5><meta charset="utf-8" /><TMPL_ELSE><meta http-equiv="Content-Type" content="text/html; charset=utf-8" /></TMPL_IF> <title>Tails - <TMPL_VAR TITLE></title> +<TMPL_IF RESPONSIVE_LAYOUT><meta name="viewport" content="width=device-width, initial-scale=1" /></TMPL_IF> <TMPL_IF FAVICON> <link rel="icon" href="<TMPL_VAR BASEURL><TMPL_VAR FAVICON>" type="image/x-icon" /> </TMPL_IF> @@ -21,12 +18,25 @@ <TMPL_ELSE> <link rel="stylesheet" href="<TMPL_VAR BASEURL>local.css" type="text/css" /> </TMPL_IF> + +<TMPL_UNLESS DYNAMIC> <TMPL_IF EDITURL> <link rel="alternate" type="application/x-wiki" title="Edit this page" href="<TMPL_VAR EDITURL>" /> </TMPL_IF> <TMPL_IF FEEDLINKS><TMPL_VAR FEEDLINKS></TMPL_IF> <TMPL_IF RELVCS><TMPL_VAR RELVCS></TMPL_IF> <TMPL_IF META><TMPL_VAR META></TMPL_IF> +<TMPL_LOOP TRAILLOOP> +<TMPL_IF PREVPAGE> +<link rel="prev" href="<TMPL_VAR PREVURL>" title="<TMPL_VAR PREVTITLE>" /> +</TMPL_IF> +<link rel="up" href="<TMPL_VAR TRAILURL>" title="<TMPL_VAR TRAILTITLE>" /> +<TMPL_IF NEXTPAGE> +<link rel="next" href="<TMPL_VAR NEXTURL>" title="<TMPL_VAR NEXTTITLE>" /> +</TMPL_IF> +</TMPL_LOOP> +</TMPL_UNLESS> + </head> <body> @@ -42,12 +52,11 @@ <TMPL_IF HTML5><section class="pageheader"><TMPL_ELSE><div class="pageheader"></TMPL_IF> <TMPL_IF HTML5><header class="header"><TMPL_ELSE><div class="header"></TMPL_IF> <span> - <span class="parentlinks"> <ul id="crumbs"> <li><a href="<TMPL_VAR HOMEPAGEURL>"><img src="<TMPL_VAR BASEURL>lib/home.jpeg"></a></li> -<TMPL_LOOP NAME="PARENTLINKS"> +<TMPL_LOOP PARENTLINKS> <TMPL_IF DEPTH_0> <TMPL_ELSE> @@ -60,26 +69,25 @@ </ul> </span> - - - <span class="title"> <TMPL_VAR TITLE> </span> </span> +<TMPL_UNLESS DYNAMIC> <TMPL_IF SEARCHFORM> <TMPL_VAR SEARCHFORM> </TMPL_IF> +</TMPL_UNLESS> <TMPL_IF HTML5></header><TMPL_ELSE></div></TMPL_IF> <TMPL_IF HAVE_ACTIONS> <TMPL_IF HTML5><nav class="actions"><TMPL_ELSE><div class="actions"></TMPL_IF> <ul> <TMPL_IF EDITURL> - <TMPL_IF NAME="ISTRANSLATION"> - <TMPL_ELSE> - <li><a href="<TMPL_VAR EDITURL>" rel="nofollow">Edit</a></li> - </TMPL_IF> +<TMPL_IF NAME="ISTRANSLATION"> +<TMPL_ELSE> +<li><a href="<TMPL_VAR EDITURL>" rel="nofollow">Edit</a></li> +</TMPL_IF> </TMPL_IF> <TMPL_IF RECENTCHANGESURL> <li><a href="<TMPL_VAR RECENTCHANGESURL>">RecentChanges</a></li> @@ -109,66 +117,73 @@ <TMPL_IF HTML5></nav><TMPL_ELSE></div></TMPL_IF> </TMPL_IF> -<TMPL_IF OTHERLANGUAGES><TMPL_IF HTML5><nav id="otherlanguages"> -<TMPL_ELSE><div id="otherlanguages"></TMPL_IF> - - <ul> - - - <TMPL_IF ISTRANSLATABLE> - <li class="current master"> - <span ><TMPL_VAR LANG_NAME> - </span> - </li> - - <TMPL_ELSE> - <li class="current"> - <span class="visible"><TMPL_VAR LANG_NAME> +<TMPL_IF OTHERLANGUAGES> +<TMPL_IF HTML5><nav id="otherlanguages"><TMPL_ELSE><div id="otherlanguages"></TMPL_IF> +<ul> + <TMPL_IF ISTRANSLATABLE> + <li class="current master"> + <span ><TMPL_VAR LANG_NAME> + </span> + </li> + + <TMPL_ELSE> + <li class="current"> + <span class="visible"><TMPL_VAR LANG_NAME> (<TMPL_VAR NAME="PERCENTTRANSLATED"> %) - </span> - <span class="hidden"><TMPL_VAR LANG_NAME> + </span> + <span class="hidden"><TMPL_VAR LANG_NAME> (<TMPL_VAR NAME="PERCENTTRANSLATED"> %<TMPL_IF HAVE_ACTIONS> ⊷ <a href="<TMPL_VAR BASEURL>contribute/how/translate/" rel="nofollow">improve translation</a></TMPL_IF>) - </span> - </li> + </span> + </li> - </TMPL_IF> + </TMPL_IF> - <TMPL_LOOP OTHERLANGUAGES> - - <li <TMPL_IF MASTER> class="master"<TMPL_ELSE></TMPL_IF>> - - <span class="visible"><a href="<TMPL_VAR URL>"><TMPL_VAR CODE></a></span> - <span class="hidden"><a href="<TMPL_VAR URL>"><TMPL_VAR LANGUAGE> - <TMPL_IF MASTER> : master <TMPL_ELSE>(<TMPL_VAR PERCENT>%)</TMPL_IF> - </a> - </span> + <TMPL_LOOP OTHERLANGUAGES> - </li> - </TMPL_LOOP> -</ul> + <li <TMPL_IF MASTER> class="master"<TMPL_ELSE></TMPL_IF>> + <span class="visible"><a href="<TMPL_VAR URL>"><TMPL_VAR CODE></a></span> + <span class="hidden"><a href="<TMPL_VAR URL>"><TMPL_VAR LANGUAGE> + <TMPL_IF MASTER> : master <TMPL_ELSE>(<TMPL_VAR PERCENT>%)</TMPL_IF> + </a> + </span> + </li> + </TMPL_LOOP> +</ul> <TMPL_IF HTML5></nav><TMPL_ELSE></div></TMPL_IF> </TMPL_IF> +<TMPL_UNLESS DYNAMIC> +<TMPL_VAR TRAILS> +</TMPL_UNLESS> + <TMPL_IF HTML5></section><TMPL_ELSE></div></TMPL_IF> +<TMPL_UNLESS DYNAMIC> <TMPL_IF SIDEBAR> <TMPL_IF HTML5><aside class="sidebar" role="navigation"><TMPL_ELSE><div class="sidebar" role="navigation"></TMPL_IF> <TMPL_VAR SIDEBAR> <TMPL_IF HTML5></aside><TMPL_ELSE></div></TMPL_IF> </TMPL_IF> +</TMPL_UNLESS> <div id="pagebody"> -<TMPL_IF HTML5><section id="content" role="main"><TMPL_ELSE><div id="content" role="main"></TMPL_IF> +<TMPL_IF HTML5><section<TMPL_ELSE><div</TMPL_IF> id="content" role="main"> <TMPL_VAR CONTENT> <TMPL_IF HTML5></section><TMPL_ELSE></div></TMPL_IF> +<TMPL_IF ENCLOSURE> +<TMPL_IF HTML5><section id="enclosure"><TMPL_ELSE><div id="enclosure"></TMPL_IF> +<a href="<TMPL_VAR ENCLOSURE>">Download</a> +<TMPL_IF HTML5></section><TMPL_ELSE></div></TMPL_IF> +</TMPL_IF> + <TMPL_UNLESS DYNAMIC> <TMPL_IF COMMENTS> -<TMPL_IF HTML5><section id="comments" role="complementary"><TMPL_ELSE><div id="comments" role="complementary"></TMPL_IF> +<TMPL_IF HTML5><section<TMPL_ELSE><div</TMPL_IF> id="comments" role="complementary"> <TMPL_VAR COMMENTS> <TMPL_IF ADDCOMMENTURL> <div class="addcomment"> @@ -183,7 +198,7 @@ </div> -<TMPL_IF HTML5><footer id="footer" class="pagefooter" role="contentinfo"><TMPL_ELSE><div id="footer" class="pagefooter" role="contentinfo"></TMPL_IF> +<TMPL_IF HTML5><footer<TMPL_ELSE><div</TMPL_IF> id="footer" class="pagefooter" role="contentinfo"> <TMPL_UNLESS DYNAMIC> <TMPL_IF HTML5><nav id="pageinfo"><TMPL_ELSE><div id="pageinfo"></TMPL_IF> @@ -218,14 +233,14 @@ Pages linking to this one: <TMPL_IF COPYRIGHT> <div class="pagecopyright"> -<a id="pagecopyright"></a> +<a name="pagecopyright"></a> <TMPL_VAR COPYRIGHT> </div> </TMPL_IF> <TMPL_IF LICENSE> <div class="pagelicense"> -<a id="pagelicense"></a> +<a name="pagelicense"></a> License: <TMPL_VAR LICENSE> </div> </TMPL_IF> diff --git a/wiki/src/templates/rsspage.tmpl b/wiki/src/templates/rsspage.tmpl index 5cdfe729a4687c90c093bcdad5a7f11cd05bda15..d099e7579b10e30eb9f0d8f2169f4bced20ea4ee 100644 --- a/wiki/src/templates/rsspage.tmpl +++ b/wiki/src/templates/rsspage.tmpl @@ -5,7 +5,12 @@ <channel> <title>Tails - <TMPL_VAR TITLE></title> <link><TMPL_VAR PAGEURL></link> +<TMPL_IF COPYRIGHT> +<copyright><TMPL_VAR COPYRIGHT ESCAPE=HTML></copyright> +</TMPL_IF> <description><TMPL_VAR FEEDDESC ESCAPE=HTML></description> +<generator>ikiwiki</generator> +<pubDate><TMPL_VAR FEEDDATE_822></pubDate> <TMPL_VAR CONTENT> </channel> </rss> diff --git a/wiki/src/todo.fr.po b/wiki/src/todo.fr.po index 1b1dd733a8a6aa953d301d4d31d3e0fbab3e9bae..d04b06693de369ab425522bc12fc3af676a13454 100644 --- a/wiki/src/todo.fr.po +++ b/wiki/src/todo.fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"POT-Creation-Date: 2014-08-08 16:14+0300\n" +"POT-Creation-Date: 2015-02-25 14:21+0100\n" "PO-Revision-Date: 2014-03-11 16:55-0000\n" "Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" "Language-Team: LANGUAGE <LL@li.org>\n" @@ -57,18 +57,13 @@ msgstr "" "documentation sur [[comment contribuer|contribute]]." #. type: Content of: <div><ul><li> -#, fuzzy -#| msgid "" -#| "<a href=\"https://labs.riseup.net/code/projects/tails/issues?" -#| "query_id=109\">Tickets that are fixed</a> in the [[development Git branch|" -#| "contribute/git]] will be solved in the next stable release." msgid "" "<a href=\"https://labs.riseup.net/code/projects/tails/issues?" "query_id=111\">Tickets that are fixed</a> in the [[development Git branch|" "contribute/git]] will be solved in the next stable release." msgstr "" "<a href=\"https://labs.riseup.net/code/projects/tails/issues?" -"query_id=109\">Tickets résolus</a> dans la [[branche de développement Git|" +"query_id=111\">Tickets résolus</a> dans la [[branche de développement Git|" "contribute/git]] qui seront résolus dans la prochaine version stable." #. type: Content of: <div><ul><li> diff --git a/wiki/src/torrents/files/tails-i386-1.2.3.iso.sig b/wiki/src/torrents/files/tails-i386-1.2.3.iso.sig deleted file mode 100644 index 67f00550899935a62f7546fa54a54183b762c927..0000000000000000000000000000000000000000 --- a/wiki/src/torrents/files/tails-i386-1.2.3.iso.sig +++ /dev/null @@ -1,16 +0,0 @@ ------BEGIN PGP SIGNATURE----- - -iQIcBAABCgAGBQJUtunGAAoJEBICghy+LNnB5w4P/16Z1zaOwOL1ESJKS8zWqUnm -iCmwbbVslmM2E+z+DRVgaDpsc7wFFBq+5TrMKh7Ttb+PX5uCh08ISgzWmU++KtAP -JBBQQIKIwwr8NyGSbo88wIyNggFLC6J53VlVAf5BYkSAK0E+ZIsZ4sG03mp3QxQp -RyYnLkPRrwX81Do1vGQ4+9dJXWEXCycILMls4DRgTMAHwf/Ck/d8oQVdyLAf6f12 -6DjBsWOCyjjKK9yc61at/1luUmWnyTjJyGTLne5WtqP+oyJ8JlDqoNSP/nsU4nTE -GZodBFrnmz6rCmdehYY/PAr9E6JssXqOBOLgWQWPX5KSlAd6+B0JPBPWLj/LbGsj -nkHgY3hIXGHkwJgolL8y8a1tAjpz9WrNF0/WPK1679l5Vn9peCU9PhWvO0oPSKJU -9TVszolmx/leWkF57ICezVLsEyi4wSDcefsYy13gEGsJkDYcBIHp4AWOyLkoZ/lk -eADnFalG67HmD9iWyOV+8Gponlo1GjuyHJ0Of/R6PCKhC0qGpJGrUQErvPoxaJb0 -2SFxnRf1HIg+XxKmXsjLMFlC4/TqErzkUJVnrhbZuOk6tOqNourtJDrYsBrYEg6o -nVw8cSzAvzjlhdBMv3ig4tJ3GD7mUPF7wRvTej8hT44M00Hlso2b817tMdrzfinV -/OU9/gN/DxMLUAB/od6g -=Gx7W ------END PGP SIGNATURE----- diff --git a/wiki/src/torrents/files/tails-i386-1.2.3.torrent b/wiki/src/torrents/files/tails-i386-1.2.3.torrent deleted file mode 100644 index 02bfde0aa35a9f6d96267857db4edd1e283fa5e1..0000000000000000000000000000000000000000 Binary files a/wiki/src/torrents/files/tails-i386-1.2.3.torrent and /dev/null differ diff --git a/wiki/src/torrents/files/tails-i386-1.2.3.torrent.sig b/wiki/src/torrents/files/tails-i386-1.2.3.torrent.sig deleted file mode 100644 index 1be03aba468aaeeb0aa9506a176df7aca6e430dd..0000000000000000000000000000000000000000 --- a/wiki/src/torrents/files/tails-i386-1.2.3.torrent.sig +++ /dev/null @@ -1,16 +0,0 @@ ------BEGIN PGP SIGNATURE----- - -iQIcBAABCgAGBQJUtu9wAAoJEBICghy+LNnBd2IP+QFCC7CUuDmGxxH+kNX3aTY8 -5ed7uzJVm2L3Vj+GadS8JMC6076gHgdz3soU1Mnbnwb0zwoCRfIcoPF4/GDwtdSD -6evP2zXf6NQIjvosmG/5Rg9UDXcPbNWFDZRP0v2LHCK+A+Dn8NKON5AMhueYyFIS -4vMc0TAo53kNOAJMrLxcMOchSd1l0fiuYAPCYYb1HqmR1x0MG1FBxo9gIoUo8Qia -nXrpk+9Mki1K+8NUsagA+H83GFDjmmfFp05Ug54orPFNTSjhTyyYU+prGnbpqTy3 -iLVcB2n+lO8i/JjgLZhmYNlgY5yso5rQFKv8IQv5W5rO6bAgoQhWTn2QBrnbA+K4 -6a9dLqPPLHxrBBML21I+5ZTjXMkTDpYUtbwTFNOM/yUOPcIvJBtVHa1ZZ4DZGV6B -Udp7kqN4CC740nUWqt6+6oaHSL2Khg9xlIerRXzEU87xcsDzS38JsDN/35WfB1yb -dS9H3DY2cY/QWOTDsFwi/r0g/eOG7Qdg//PjSitSuruNjMhEkOSm42cYJ19Na47k -29L8NfygDFo0XLIagCG6OpGdedbKVoOrmViFBSW4WQ/Uz6Mgb3Sv4QUB+WBUT9ya -S30FcWlnzc1I9cPj1+4Ncb/V4vfCkZ45/bpRMGLjXlxdwizXO4hMykoW0U8JWpyT -VS9y9ZtF0IL/kc3L4FI8 -=H110 ------END PGP SIGNATURE----- diff --git a/wiki/src/torrents/files/tails-i386-1.4.iso.sig b/wiki/src/torrents/files/tails-i386-1.4.iso.sig new file mode 100644 index 0000000000000000000000000000000000000000..5a176eb2b8eed43a19a799f93a7c1132f8539ec6 --- /dev/null +++ b/wiki/src/torrents/files/tails-i386-1.4.iso.sig @@ -0,0 +1,16 @@ +-----BEGIN PGP SIGNATURE----- + +iQIcBAABCgAGBQJVUO1LAAoJEJj+xrx1Kj22Ck0QAIDSerP09SY2s70LUOtlPt8s +c9zkVJ1BkeVph0R0KShqC/9d1+wdTBBnSbQV2CwPojFvXyJtQbh1/jv4xHskmFFp +0e1aN2R32qwo4sBgkQLeJoJanqIqMDgd0kFDkRim3LAed9f6W9jGyJfbOegOtTV4 +/WkqPsTOQIW+VnZyPTFOcWWgQTyvPM4DHGad0FWAkWL0rYVLHHE5G1xtzsOjylT7 +DULJJEPtdgfU4ZnaRBxCnbjzfnFHsLV25CNHMAWudQNu+9gGs3bJPn21bQjK6qi7 +APk7b4ouI2o7RTVqwt/7t10YRj2jxh2q3U/F5kCSLgSw4xalvBbjuNvTRrzlwJ1F +8gcxvlGU6192pUR3QnHb51MPLZrnq24qVAzfrlGmBmQpQTJcWCc/rHGy1op/kjcH +wRFCn0uX17pkvgQt0mg5f9Vsau/ctecEfk/6d3ShvGmWFdl5OWusvubxs9JobAae +NmEpe/igtJDMewv4smYa+HegAZNOtZyD4WxZp2uFqku04Mjjr8P6hCdHJ1gvGF68 +IdNOmMyudURHoJ+PotTV0TCqMXvqxacMAohP+cfb7HJGw3ixxxMvp2YybQZQpoOK +QKEPEJa0Ug8Blqvpkh+Qv1IIZVwtDM9O5JemehN+4bP4ls60kyagZPK6eM4y5be3 +YACJ+n80jk/3+XCfb/kN +=agt1 +-----END PGP SIGNATURE----- diff --git a/wiki/src/torrents/files/tails-i386-1.2.3.packages b/wiki/src/torrents/files/tails-i386-1.4.packages similarity index 87% rename from wiki/src/torrents/files/tails-i386-1.2.3.packages rename to wiki/src/torrents/files/tails-i386-1.4.packages index 80132d81bac4854f55aefef2e483d9f07dc36303..a2420c0f2e112e0a9ed3a51186ec5be3afbf2ebe 100644 --- a/wiki/src/torrents/files/tails-i386-1.2.3.packages +++ b/wiki/src/torrents/files/tails-i386-1.4.packages @@ -4,7 +4,7 @@ adduser 3.113+nmu3 aircrack-ng 1:1.2-0~beta3-3~bpo70+1 alsa-base 1.0.25+3~deb7u1 alsa-utils 1.0.25-4 -amd64-microcode 2.20120910-1~bpo70+1 +amd64-microcode 2.20141028.1~bpo70+1 anthy 9100h-16 anthy-common 9100h-16 apg 2.2.3.dfsg.1-2 @@ -15,7 +15,7 @@ apt-utils 0.9.7.9+deb7u7 at-spi2-core 2.5.3-2 audacity 2.0.1-1 audacity-data 2.0.1-1 -b43-fwcutter 1:019-1 +b43-fwcutter 1:019-2 barry-util 0.18.3-5 base-files 7.1wheezy8 base-passwd 3.5.26 @@ -24,19 +24,20 @@ bash-completion 1:2.0-1 bc 1.06.95-2 bilibop-common 0.4.21~bpo70+1 bilibop-udev 0.4.21~bpo70+1 -bind9-host 1:9.8.4.dfsg.P1-6+nmu2+deb7u3 +bind9-host 1:9.8.4.dfsg.P1-6+nmu2+deb7u4 binutils 2.22-8+deb7u2 blt 2.4z-4.2 bookletimposer 0.2-1 brasero 3.4.1-4 brasero-common 3.4.1-4 bsdmainutils 9.0.3 -bsdtar 3.0.4-3+nmu1 +bsdtar 3.0.4-3+wheezy1 bsdutils 1:2.20.1-5.3 busybox 1:1.20.0-7 bzip2 1.0.6-4 ca-certificates 20130119+deb7u1 ca-certificates-java 20121112+nmu2 +cdrdao 1:1.2.3-0.3 cheese-common 3.4.2-2 claws-mail 3.8.1-2 claws-mail-archiver-plugin 3.8.1-2 @@ -58,18 +59,18 @@ cron 3.0pl1-124 cryptsetup 2:1.6.4-4~bpo70+1 cryptsetup-bin 2:1.6.4-4~bpo70+1 culmus 0.121-1 -cups 1.5.3-5+deb7u4 -cups-client 1.5.3-5+deb7u4 -cups-common 1.5.3-5+deb7u4 +cups 1.5.3-5+deb7u5 +cups-client 1.5.3-5+deb7u5 +cups-common 1.5.3-5+deb7u5 cups-filters 1.0.18-2.1+deb7u1 cups-pk-helper 0.2.3-3 -cups-ppdc 1.5.3-5+deb7u4 -curl 7.26.0-1+wheezy12 +cups-ppdc 1.5.3-5+deb7u5 +curl 7.26.0-1+wheezy13 dash 0.5.7-3 dasher 4.11-2 dasher-data 4.11-2 -dbus 1.6.8-1+deb7u5 -dbus-x11 1.6.8-1+deb7u5 +dbus 1.6.8-1+deb7u6 +dbus-x11 1.6.8-1+deb7u6 dconf-gsettings-backend:i386 0.12.1-3 dconf-service 0.12.1-3 dconf-tools 0.12.1-3 @@ -85,14 +86,15 @@ diffutils 1:3.2-6 dmidecode 2.11-9 dmsetup 2:1.02.74-8 dmz-cursor-theme 0.4.3 -dnsutils 1:9.8.4.dfsg.P1-6+nmu2+deb7u3 +dnsutils 1:9.8.4.dfsg.P1-6+nmu2+deb7u4 dosfstools 3.0.13-1 -dpkg 1.16.15 -e2fslibs:i386 1.42.5-1.1 -e2fsprogs 1.42.5-1.1 +dpkg 1.16.16 +e2fslibs:i386 1.42.5-1.1+deb7u1 +e2fsprogs 1.42.5-1.1+deb7u1 eatmydata 26-2 eject 2.1.5+deb1+cvs20081104-13 ekeyd 1.1.5-4 +electrum 1.9.8-1~bpo70+1 eog 3.4.2-1+build1 espeak-data:i386 1.46.02-2 evince 3.4.0-3.1 @@ -100,12 +102,12 @@ evince-common 3.4.0-3.1 evolution-data-server-common 3.4.4-3+deb7u1 exiv2 0.23-1 ferm 2.1-5 -file 5.11-2+deb7u7 +file 5.11-2+deb7u8 file-roller 3.4.2-1 findutils 4.4.2-4 firmware-atheros 0.43 -firmware-b43-installer 1:019-1 -firmware-b43legacy-installer 1:019-1 +firmware-b43-installer 1:019-2 +firmware-b43legacy-installer 1:019-2 firmware-brcm80211 0.43 firmware-ipw2x00 0.43 firmware-iwlwifi 0.43 @@ -139,6 +141,7 @@ fonts-knda 2:1.1 fonts-knda-extra 1.0-2 fonts-lao 0.0.20060226-8 fonts-liberation 1.07.2-6 +fonts-linuxlibertine 5.1.3-1 fonts-lklug-sinhala 0.6-2 fonts-lohit-beng-assamese 2.5.1-1 fonts-lohit-beng-bengali 2.5.1-1 @@ -153,7 +156,7 @@ fonts-lohit-telu 2.5.1-2 fonts-mlym 2:1.1 fonts-nakula 1.0-2 fonts-navilu 1.1-1 -fonts-opensymbol 2:102.2+LibO3.5.4+dfsg2-0+deb7u2 +fonts-opensymbol 2:102.2+LibO3.5.4+dfsg2-0+deb7u4 fonts-orya 2:1.1 fonts-orya-extra 2.0-2 fonts-pagul 1.0-5 @@ -263,15 +266,16 @@ gnome-themes 2.30.2-1 gnome-themes-standard 3.4.2-2.1 gnome-themes-standard-data 3.4.2-2.1 gnome-user-guide 3.4.2-1+build1 -gnupg 1.4.12-7+deb7u6 -gnupg-agent 2.0.19-2+deb7u2 -gnupg-curl 1.4.12-7+deb7u6 +gnupg 1.4.12-7+deb7u7 +gnupg-agent 2.0.25-1~bpo70+1 +gnupg-curl 1.4.12-7+deb7u7 +gnupg2 2.0.25-1~bpo70+1 gnustep-base-common 1.22.1-4+deb7u1 gnustep-base-runtime 1.22.1-4+deb7u1 gnustep-common 2.6.2-2 gobby-0.5 0.4.94-5 gobi-loader 0.6-1 -gpgv 1.4.12-7+deb7u6 +gpgv 1.4.12-7+deb7u7 grep 2.12-2 groff-base 1.21-9 gsettings-desktop-schemas 3.4.2-3 @@ -280,7 +284,7 @@ gstreamer0.10-ffmpeg:i386 0.10.13-5 gstreamer0.10-gconf:i386 0.10.31-3+nmu1 gstreamer0.10-gnonlin 0.10.17-2 gstreamer0.10-nice:i386 0.1.2-1 -gstreamer0.10-plugins-bad:i386 0.10.23-7.1+deb7u1 +gstreamer0.10-plugins-bad:i386 0.10.23-7.1+deb7u2 gstreamer0.10-plugins-base:i386 0.10.36-1.1 gstreamer0.10-plugins-good:i386 0.10.31-3+nmu1 gstreamer0.10-plugins-ugly:i386 0.10.19-2+b2 @@ -301,7 +305,6 @@ hdparm 9.39-1+b1 hicolor-icon-theme 0.12-1 hledger 0.22.1-1~bpo70+1 hopenpgp-tools 0.13-1 -host 1:9.8.4.dfsg.P1-6+nmu2+deb7u3 hostname 3.11 hpijs-ppds 3.12.6-3.1+deb7u1 hplip 3.12.6-3.1+deb7u1 @@ -312,8 +315,8 @@ hunspell-de-de 20120607-1 hunspell-en-us 20070829-6 hunspell-fr 1:3.3.0-4 hunspell-vi 1:3.3.0-4 -i2p 0.9.17-1~deb7u+1 -i2p-router 0.9.17-1~deb7u+1 +i2p 0.9.19-3~deb7u+1 +i2p-router 0.9.19-3~deb7u+1 ibus 1.4.1-9+deb7u1 ibus-anthy 1.2.6-2+deb7u1 ibus-gtk:i386 1.4.1-9+deb7u1 @@ -322,7 +325,8 @@ ibus-hangul 1.4.1-1+deb7u1 ibus-pinyin 1.4.0-1+deb7u1 ibus-pinyin-db-open-phrase 1.4.0-1+deb7u1 ibus-qt4 1.3.1-2.1 -iceweasel 31.4.0+fake1 +ibus-unikey 0.6.1-1 +iceweasel 31.7.0+fake1 ifupdown 0.7.8 imagemagick-common 8:6.7.7.10-5+deb7u3 info 4.13a.dfsg.1-10 @@ -332,7 +336,7 @@ inkscape 0.48.3.1-1.3 inotify-tools 3.14-1 insserv 1.14.0-5 install-info 4.13a.dfsg.1-10 -intel-microcode 3.20140913.1~bpo70+2 +intel-microcode 3.20150121.1~bpo70+1 ipheth-utils 1.0-3+b1 iproute 20120521-3+b3 iptables 1.4.14-3.1 @@ -340,7 +344,7 @@ iputils-ping 3:20101006-1+b1 isc-dhcp-client 4.2.2.dfsg.1-5+deb70u6 isc-dhcp-common 4.2.2.dfsg.1-5+deb70u6 iso-codes 3.41-1 -isolinux 3:6.03~pre20+dfsg-2~bpo70+1 +isolinux 3:6.03+dfsg-5tails1~bpo70+1 isomd5sum 1:1.0.7+git.20110618.6c9cd2f-1 iucode-tool 1.1.1-1~bpo70+1 iw 3.4-1 @@ -351,6 +355,7 @@ kbd 1.15.3-9 keepassx 0.4.3+dfsg-0.1 kexec-tools 1:2.0.3-1+deb7u1 keyboard-configuration 1.88 +keyringer 0.3.7-1 klibc-utils 2.0.1-3.1 kmod 9-3 laptop-mode-tools 1.61-2 @@ -371,7 +376,7 @@ libapparmor1 2.8.0-2~1.gbpe0cf35~bpo70+1 libapt-inst1.5:i386 0.9.7.9+deb7u7 libapt-pkg4.12:i386 0.9.7.9+deb7u7 libarchive-tar-wrapper-perl 0.16-1 -libarchive12:i386 3.0.4-3+nmu1 +libarchive12:i386 3.0.4-3+wheezy1 libart-2.0-2:i386 2.3.21-2 libasound2:i386 1.0.25-4 libasound2-plugins:i386 1.0.25-2 @@ -400,14 +405,14 @@ libavahi-common3:i386 0.6.31-2 libavahi-glib1:i386 0.6.31-2 libavahi-ui-gtk3-0:i386 0.6.31-2 libavc1394-0:i386 0.5.4-2 -libavcodec53:i386 6:0.8.16-1 -libavformat53:i386 6:0.8.16-1 -libavutil51:i386 6:0.8.16-1 +libavcodec53:i386 6:0.8.17-1 +libavformat53:i386 6:0.8.17-1 +libavutil51:i386 6:0.8.17-1 libb-hooks-endofscope-perl 0.11-1 libb-hooks-op-check-perl 0.19-1+b1 libbabl-0.1-0:i386 0.1.10-1 libbarry18 0.18.3-5 -libbind9-80 1:9.8.4.dfsg.P1-6+nmu2+deb7u3 +libbind9-80 1:9.8.4.dfsg.P1-6+nmu2+deb7u4 libblas3 1.2.20110419-5 libblkid1:i386 2.20.1-5.3 libbluetooth3:i386 4.99-2 @@ -423,8 +428,8 @@ libbrlapi0.5:i386 4.4-10+deb7u1 libbsd0:i386 0.4.2-1 libburn4 1.2.2-2 libbz2-1.0:i386 1.0.6-4 -libc-bin 2.13-38+deb7u6 -libc6:i386 2.13-38+deb7u6 +libc-bin 2.13-38+deb7u8 +libc6:i386 2.13-38+deb7u8 libcaca0:i386 0.99.beta18-1 libcairo-gobject2:i386 1.12.2-3 libcairo-perl 1.090-2 @@ -468,7 +473,7 @@ libcogl9:i386 1.10.2-7 libcolamd2.7.1 1:3.4.0-3 libcolorblind0 0.0.1-1 libcolord1:i386 0.1.21-1 -libcomerr2:i386 1.42.5-1.1 +libcomerr2:i386 1.42.5-1.1+deb7u1 libcompfaceg1 1:1.5.2-5 libconfig-general-perl 2.50-1 libcontext-preserve-perl 0.01-1 @@ -479,14 +484,14 @@ libcrypt-openssl-rsa-perl 0.28-1 libcrypt-x509-perl 0.51-1 libcryptsetup4:i386 2:1.6.4-4~bpo70+1 libcryptui0a:i386 3.2.2-1 -libcups2:i386 1.5.3-5+deb7u4 -libcupscgi1:i386 1.5.3-5+deb7u4 +libcups2:i386 1.5.3-5+deb7u5 +libcupscgi1:i386 1.5.3-5+deb7u5 libcupsfilters1:i386 1.0.18-2.1+deb7u1 -libcupsimage2:i386 1.5.3-5+deb7u4 -libcupsmime1:i386 1.5.3-5+deb7u4 -libcupsppdc1:i386 1.5.3-5+deb7u4 -libcurl3:i386 7.26.0-1+wheezy12 -libcurl3-gnutls:i386 7.26.0-1+wheezy12 +libcupsimage2:i386 1.5.3-5+deb7u5 +libcupsmime1:i386 1.5.3-5+deb7u5 +libcupsppdc1:i386 1.5.3-5+deb7u5 +libcurl3:i386 7.26.0-1+wheezy13 +libcurl3-gnutls:i386 7.26.0-1+wheezy13 libcwidget3 0.5.16-3.4 libdata-optlist-perl 0.107-1 libdatetime-format-dateparse-perl 0.05-1 @@ -496,7 +501,7 @@ libdatetime-timezone-perl 1:1.58-1+2014j libdatrie1:i386 0.2.5-3 libdb5.1:i386 5.1.29-5 libdb5.1++:i386 5.1.29-5 -libdbus-1-3:i386 1.6.8-1+deb7u5 +libdbus-1-3:i386 1.6.8-1+deb7u6 libdbus-glib-1-2:i386 0.100.2-1 libdc1394-22:i386 2.2.0-2 libdca0 0.0.5-5 @@ -512,9 +517,9 @@ libdirectfb-1.2-9:i386 1.2.10.0-5 libdiscid0:i386 0.2.2-3 libdjvulibre-text 3.5.25.3-1 libdjvulibre21 3.5.25.3-1 -libdns88 1:9.8.4.dfsg.P1-6+nmu2+deb7u3 +libdns88 1:9.8.4.dfsg.P1-6+nmu2+deb7u4 libdotconf1.0 1.0.13-3 -libdpkg-perl 1.16.15 +libdpkg-perl 1.16.16 libdrm-intel1:i386 2.4.40-1~deb7u2 libdrm-nouveau1a:i386 2.4.40-1~deb7u2 libdrm-radeon1:i386 2.4.40-1~deb7u2 @@ -569,7 +574,7 @@ libflac8:i386 1.2.1-6+deb7u1 libflite1:i386 1.4-release-6 libfontconfig1:i386 2.9.0-7.1 libfontenc1:i386 1:1.1.1-1 -libfreetype6:i386 2.4.9-1.1 +libfreetype6:i386 2.4.9-1.1+deb7u1 libfribidi0:i386 0.19.2-3 libfs6:i386 2:1.0.4-1+deb7u1 libfuse2:i386 2.9.0-2+deb7u1 @@ -583,8 +588,8 @@ libgconf-2-4:i386 3.2.5-1+build1 libgconf2-4:i386 3.2.5-1+build1 libgcr-3-1 3.4.1-3 libgcr-3-common 3.4.1-3 -libgcrypt11:i386 1.5.0-5+deb7u2 -libgd2-xpm:i386 2.0.36~rc1~dfsg-6.1 +libgcrypt11:i386 1.5.0-5+deb7u3 +libgd2-xpm:i386 2.0.36~rc1~dfsg-6.1+deb7u1 libgdata-common 0.12.0-1 libgdata13 0.12.0-1 libgdbm3:i386 1.8.3-11 @@ -638,7 +643,7 @@ libgnomevfs2-common 1:2.24.4-2 libgnomevfs2-extra 1:2.24.4-2 libgnupg-interface-perl 0.45-1 libgnustep-base1.22 1.22.1-4+deb7u1 -libgnutls26:i386 2.12.20-8+deb7u2 +libgnutls26:i386 2.12.20-8+deb7u3 libgoa-1.0-0:i386 3.4.2-2 libgoa-1.0-common 3.4.2-2 libgomp1:i386 4.7.2-5 @@ -656,15 +661,15 @@ libgsasl7 1.8.0-2 libgsecuredelete0 0.2-1 libgsl0ldbl 1.15+dfsg.2-2 libgsm1:i386 1.0.13-4 -libgssapi-krb5-2:i386 1.10.1+dfsg-5+deb7u2 +libgssapi-krb5-2:i386 1.10.1+dfsg-5+deb7u3 libgssdp-1.0-3 0.12.2.1-2 -libgstreamer-plugins-bad0.10-0:i386 0.10.23-7.1+deb7u1 +libgstreamer-plugins-bad0.10-0:i386 0.10.23-7.1+deb7u2 libgstreamer-plugins-base0.10-0:i386 0.10.36-1.1 libgstreamer0.10-0:i386 0.10.36-1.2 libgtk-3-0:i386 3.4.2-7 libgtk-3-bin 3.4.2-7 libgtk-3-common 3.4.2-7 -libgtk2-perl 2:1.244-1 +libgtk2-perl 2:1.244-1+deb7u1 libgtk2.0-0:i386 2.24.10-2 libgtk2.0-common 2.24.10-2 libgtkmm-2.4-1c2a 1:2.24.2-1 @@ -677,6 +682,7 @@ libgtop2-common 2.28.4-3 libgudev-1.0-0:i386 175-7.2 libgupnp-1.0-4 0.18.4-1 libgupnp-igd-1.0-4:i386 0.2.1-2 +libgutenprint2 5.2.9-1 libgweather-3-0 3.4.1-1+build1 libgweather-common 3.4.1-1+build1 libgxps2:i386 0.2.2-2 @@ -698,7 +704,7 @@ libibus-1.0-0:i386 1.4.1-9+deb7u1 libibus-qt1 1.3.1-2.1 libical0 0.48-2 libice6:i386 2:1.0.8-2 -libicu48:i386 4.8.1.1-12+deb7u1 +libicu48:i386 4.8.1.1-12+deb7u2 libid3tag0 0.15.1b-10 libidl0 0.8.14-0.2 libidn11:i386 1.25-2 @@ -721,36 +727,37 @@ libio-stringy-perl 2.110-5 libipc-run-perl 0.92-1 libipc-run-safehandles-perl 0.02-1 libipc-system-simple-perl 1.21-1 -libisc84 1:9.8.4.dfsg.P1-6+nmu2+deb7u3 -libisccc80 1:9.8.4.dfsg.P1-6+nmu2+deb7u3 -libisccfg82 1:9.8.4.dfsg.P1-6+nmu2+deb7u3 +libisc84 1:9.8.4.dfsg.P1-6+nmu2+deb7u4 +libisccc80 1:9.8.4.dfsg.P1-6+nmu2+deb7u4 +libisccfg82 1:9.8.4.dfsg.P1-6+nmu2+deb7u4 libisofs6 1.2.2-1 libiw30:i386 30~pre9-8 libjack-jackd2-0:i386 1.9.8~dfsg.4+20120529git007cdc37-5 -libjasper1:i386 1.900.1-13+deb7u2 +libjasper1:i386 1.900.1-13+deb7u3 libjavascriptcoregtk-1.0-0 1.8.1-3.4 libjavascriptcoregtk-3.0-0 1.8.1-3.4 libjbig0:i386 2.0-2+deb7u1 libjbig2dec0 0.11+20120125-1 -libjbigi-jni 0.9.17-1~deb7u+1 +libjbigi-jni 0.9.19-3~deb7u+1 libjim0debian2:i386 0.73-3 libjpeg8:i386 8d-1+deb7u1 libjson-glib-1.0-0:i386 0.14.2-1 libjson-perl 2.53-1 libjson0:i386 0.10-1.2 libjte1 1.19-1 -libk5crypto3:i386 1.10.1+dfsg-5+deb7u2 +libk5crypto3:i386 1.10.1+dfsg-5+deb7u3 libkate1 0.4.1-1 libkeyutils1:i386 1.5.5-3+deb7u1 libklibc 2.0.1-3.1 libkmod2:i386 9-3 libkpathsea6 2012.20120628-4 -libkrb5-3:i386 1.10.1+dfsg-5+deb7u2 -libkrb5support0:i386 1.10.1+dfsg-5+deb7u2 +libkrb5-3:i386 1.10.1+dfsg-5+deb7u3 +libkrb5support0:i386 1.10.1+dfsg-5+deb7u3 +libksba8:i386 1.2.0-2+deb7u1 liblapack3 3.4.1+dfsg-1+deb70u1 liblcms1:i386 1.19.dfsg-1.2 liblcms2-2:i386 2.2+git20110628-2.2+deb7u1 -libldap-2.4-2:i386 2.4.31-1+nmu2 +libldap-2.4-2:i386 2.4.31-2 liblircclient0 0.9.0~pre1-1 liblist-moreutils-perl 0.33-1+b1 liblocale-gettext-perl 1.05-7+b1 @@ -768,10 +775,10 @@ liblwp-authen-wsse-perl 0.05-2 liblwp-mediatypes-perl 6.02-1 liblwp-protocol-https-perl 6.03-1 liblwp-protocol-socks-perl 1.6-1 -liblwres80 1:9.8.4.dfsg.P1-6+nmu2+deb7u3 +liblwres80 1:9.8.4.dfsg.P1-6+nmu2+deb7u4 liblzma5:i386 5.1.1alpha+20120614-2 libmad0 0.15.1b-7 -libmagic1:i386 5.11-2+deb7u7 +libmagic1:i386 5.11-2+deb7u8 libmagick++5:i386 8:6.7.7.10-5+deb7u3 libmagickcore5:i386 8:6.7.7.10-5+deb7u3 libmagickwand5:i386 8:6.7.7.10-5+deb7u3 @@ -839,7 +846,7 @@ libnm-util2 0.9.4.0-10 libnotify-bin 0.7.5-1 libnotify4:i386 0.7.5-1 libnspr4:i386 2:4.9.2-1+deb7u2 -libnss3:i386 2:3.14.5-1+deb7u3 +libnss3:i386 2:3.14.5-1+deb7u4 libntlm0 1.2-1 libnumber-format-perl 1.73-1 liboauth0:i386 0.9.4-3.1 @@ -902,7 +909,7 @@ libpoppler19:i386 0.18.4-6 libpopt0:i386 1.16-7 libportaudio2:i386 19+svn20111121-1 libportsmf0 0.1~svn20101010-3 -libpostproc52:i386 6:0.8.16-1 +libpostproc52:i386 6:0.8.17-1 libppi-perl 1.215-1 libprocps0:i386 1:3.3.3-3 libproxy0:i386 0.3.1-6 @@ -940,32 +947,32 @@ librdf0 1.0.15-1+b1 libreadline5:i386 5.2+dfsg-2~deb7u1 libreadline6:i386 6.2+dfsg-0.1 libregexp-common-perl 2011121001-1 -libreoffice-base-core 1:3.5.4+dfsg2-0+deb7u2 -libreoffice-calc 1:3.5.4+dfsg2-0+deb7u2 -libreoffice-common 1:3.5.4+dfsg2-0+deb7u2 -libreoffice-core 1:3.5.4+dfsg2-0+deb7u2 -libreoffice-draw 1:3.5.4+dfsg2-0+deb7u2 -libreoffice-gnome 1:3.5.4+dfsg2-0+deb7u2 -libreoffice-gtk 1:3.5.4+dfsg2-0+deb7u2 -libreoffice-impress 1:3.5.4+dfsg2-0+deb7u2 -libreoffice-l10n-ar 1:3.5.4+dfsg2-0+deb7u2 -libreoffice-l10n-de 1:3.5.4+dfsg2-0+deb7u2 -libreoffice-l10n-es 1:3.5.4+dfsg2-0+deb7u2 -libreoffice-l10n-fa 1:3.5.4+dfsg2-0+deb7u2 -libreoffice-l10n-fr 1:3.5.4+dfsg2-0+deb7u2 -libreoffice-l10n-it 1:3.5.4+dfsg2-0+deb7u2 -libreoffice-l10n-pt 1:3.5.4+dfsg2-0+deb7u2 -libreoffice-l10n-ru 1:3.5.4+dfsg2-0+deb7u2 -libreoffice-l10n-vi 1:3.5.4+dfsg2-0+deb7u2 -libreoffice-l10n-zh-cn 1:3.5.4+dfsg2-0+deb7u2 -libreoffice-math 1:3.5.4+dfsg2-0+deb7u2 -libreoffice-style-galaxy 1:3.5.4+dfsg2-0+deb7u2 -libreoffice-writer 1:3.5.4+dfsg2-0+deb7u2 +libreoffice-base-core 1:3.5.4+dfsg2-0+deb7u4 +libreoffice-calc 1:3.5.4+dfsg2-0+deb7u4 +libreoffice-common 1:3.5.4+dfsg2-0+deb7u4 +libreoffice-core 1:3.5.4+dfsg2-0+deb7u4 +libreoffice-draw 1:3.5.4+dfsg2-0+deb7u4 +libreoffice-gnome 1:3.5.4+dfsg2-0+deb7u4 +libreoffice-gtk 1:3.5.4+dfsg2-0+deb7u4 +libreoffice-impress 1:3.5.4+dfsg2-0+deb7u4 +libreoffice-l10n-ar 1:3.5.4+dfsg2-0+deb7u4 +libreoffice-l10n-de 1:3.5.4+dfsg2-0+deb7u4 +libreoffice-l10n-es 1:3.5.4+dfsg2-0+deb7u4 +libreoffice-l10n-fa 1:3.5.4+dfsg2-0+deb7u4 +libreoffice-l10n-fr 1:3.5.4+dfsg2-0+deb7u4 +libreoffice-l10n-it 1:3.5.4+dfsg2-0+deb7u4 +libreoffice-l10n-pt 1:3.5.4+dfsg2-0+deb7u4 +libreoffice-l10n-ru 1:3.5.4+dfsg2-0+deb7u4 +libreoffice-l10n-vi 1:3.5.4+dfsg2-0+deb7u4 +libreoffice-l10n-zh-cn 1:3.5.4+dfsg2-0+deb7u4 +libreoffice-math 1:3.5.4+dfsg2-0+deb7u4 +libreoffice-style-galaxy 1:3.5.4+dfsg2-0+deb7u4 +libreoffice-writer 1:3.5.4+dfsg2-0+deb7u4 librest-0.7-0:i386 0.7.12-3 librsvg2-2:i386 2.36.1-2 librsvg2-common:i386 2.36.1-2 librtmp0:i386 2.4+20111222.git4e06e21-1 -libruby1.9.1 1.9.3.194-8.1+deb7u2 +libruby1.9.1 1.9.3.194-8.1+deb7u5 libsamplerate0:i386 0.1.8-5 libsane:i386 1.0.22-7.4 libsane-common 1.0.22-7.4 @@ -976,6 +983,7 @@ libsbsms10:i386 2.0.1-1 libschroedinger-1.0-0:i386 1.0.11-2 libscope-guard-perl 0.20-1 libsdl1.2debian:i386 1.2.15-5 +libseccomp2:i386 2.1.1-1~bpo70+1 libseed-gtk3-0 3.2.0-2 libselinux1:i386 2.1.9-5 libsemanage-common 2.1.6-6 @@ -992,7 +1000,7 @@ libslang2:i386 2.2.4-15 libslp1 1.2.1-9 libslv2-9 0.6.6+dfsg1-2 libsm6:i386 2:1.2.1-2 -libsmbclient:i386 2:3.6.6-6+deb7u4 +libsmbclient:i386 2:3.6.6-6+deb7u5 libsndfile1:i386 1.0.25-5 libsnmp-base 5.4.3~dfsg-2.8+deb7u1 libsnmp15 5.4.3~dfsg-2.8+deb7u1 @@ -1009,9 +1017,9 @@ libspeechd2 0.7.1-6.2 libspeex1:i386 1.2~rc1-7 libspeexdsp1:i386 1.2~rc1-7 libsqlite3-0:i386 3.7.13-1+deb7u1 -libss2:i386 1.42.5-1.1 -libssh2-1:i386 1.4.2-1.1 -libssl1.0.0:i386 1.0.1e-2+deb7u14 +libss2:i386 1.42.5-1.1+deb7u1 +libssh2-1:i386 1.4.2-1.1+deb7u1 +libssl1.0.0:i386 1.0.1e-2+deb7u16 libstartup-notification0 0.12-1 libstdc++6:i386 4.7.2-5 libstlport4.6ldbl 4.6.2-7 @@ -1022,7 +1030,7 @@ libsub-identify-perl 0.04-1+b2 libsub-install-perl 0.926-1 libsub-name-perl 0.05-1+b2 libswitch-perl 2.16-2 -libswscale2:i386 6:0.8.16-1 +libswscale2:i386 6:0.8.17-1 libsys-statistics-linux-perl 0.66-1 libsystemd-daemon0:i386 44-11+deb7u4 libsystemd-id128-0:i386 44-11+deb7u4 @@ -1034,7 +1042,7 @@ libtag1c2a:i386 1.7.2-1 libtalloc2:i386 2.0.7+git20120207-1 libtar0 1.2.16-1+deb7u2 libtask-weaken-perl 1.03-1 -libtasn1-3:i386 2.13-2+deb7u1 +libtasn1-3:i386 2.13-2+deb7u2 libtdb1:i386 1.2.10-2 libtelepathy-glib0:i386 0.18.2-2 libtext-charwidth-perl 0.04-7+b1 @@ -1046,7 +1054,6 @@ libtheora0:i386 1.1.1+dfsg.1-3.1 libtiff4:i386 3.9.6-11 libtimedate-perl 1.2000-1 libtinfo5:i386 5.9-10 -libtokyocabinet9:i386 1.4.47-2 libtotem-plparser17 3.4.2-1 libtotem0 3.0.1-8 libtracker-sparql-0.14-0 0.14.1-3 @@ -1088,7 +1095,7 @@ libvte9 1:0.28.2-5 libwacom-common 0.6-1 libwacom2:i386 0.6-1 libwavpack1:i386 4.60.1-3 -libwbclient0:i386 2:3.6.6-6+deb7u4 +libwbclient0:i386 2:3.6.6-6+deb7u5 libwebkitgtk-1.0-0 1.8.1-3.4 libwebkitgtk-1.0-common 1.8.1-3.4 libwebkitgtk-3.0-0 1.8.1-3.4 @@ -1108,9 +1115,9 @@ libwww-perl 6.04-1 libwww-robotrules-perl 6.01-1 libwxbase2.8-0:i386 2.8.12.1-12 libwxgtk2.8-0:i386 2.8.12.1-12 -libx11-6:i386 2:1.5.0-1+deb7u1 -libx11-data 2:1.5.0-1+deb7u1 -libx11-xcb1:i386 2:1.5.0-1+deb7u1 +libx11-6:i386 2:1.5.0-1+deb7u2 +libx11-data 2:1.5.0-1+deb7u2 +libx11-xcb1:i386 2:1.5.0-1+deb7u2 libx264-123:i386 2:0.123.2189+git35cf912-1 libxapian22 1.2.12-2 libxau6:i386 1:1.0.7-1 @@ -1129,7 +1136,7 @@ libxdmcp6:i386 1:1.1.1-1 libxdo2 1:2.20100701.2961-3+deb7u3 libxext6:i386 2:1.3.1-2+deb7u1 libxfixes3:i386 1:5.0-4+deb7u1 -libxfont1 1:1.4.5-4 +libxfont1 1:1.4.5-5 libxft2:i386 2.3.1-1 libxi6:i386 2:1.6.1-1+deb7u1 libxinerama1:i386 2:1.1.2-1+deb7u1 @@ -1137,7 +1144,7 @@ libxkbfile1:i386 1:1.0.8-1 libxklavier16 5.2.1-1 libxml++2.6-2 2.34.2-1 libxml-atom-perl 0.41-1 -libxml-libxml-perl 2.0001+dfsg-1 +libxml-libxml-perl 2.0001+dfsg-1+deb7u1 libxml-libxslt-perl 1.77-1 libxml-namespacesupport-perl 1.09-3 libxml-parser-perl 2.41-1+b1 @@ -1145,12 +1152,12 @@ libxml-sax-base-perl 1.07-1 libxml-sax-perl 0.99+dfsg-2 libxml-twig-perl 1:3.39-1 libxml-xpath-perl 1.13-7 -libxml2:i386 2.8.0+dfsg1-7+wheezy2 +libxml2:i386 2.8.0+dfsg1-7+wheezy4 libxmu6:i386 2:1.1.1-1 libxmuu1:i386 2:1.1.1-1 libxpm4:i386 1:3.5.10-1 libxrandr2:i386 2:1.3.2-2+deb7u1 -libxrender1:i386 1:0.9.7-1+deb7u1 +libxrender1:i386 1:0.9.7-1+deb7u2 libxres1:i386 2:1.0.6-1+deb7u1 libxslt1.1:i386 1.1.26-14.1 libxss1:i386 1:1.2.2-1 @@ -1174,14 +1181,14 @@ libzvbi0:i386 0.2.33-6 liferea 1.8.6-1.1 liferea-data 1.8.6-1.1 linux-base 3.5 -linux-image-3.16.0-4-586 3.16.7-ckt2-1 -linux-image-3.16.0-4-amd64 3.16.7-ckt2-1 +linux-image-3.16.0-4-586 3.16.7-ckt9-3 +linux-image-3.16.0-4-amd64 3.16.7-ckt9-3 live-boot 3.0.1-1 live-boot-initramfs-tools 3.0.1-1 live-config 3.0.23-1+deb7u1 live-config-sysvinit 3.0.23-1+deb7u1 -liveusb-creator 3.11.6+tails1-14 -locales-all 2.13-38+deb7u6 +liveusb-creator 3.11.6+tails1-18 +locales-all 2.13-38+deb7u8 lockfile-progs 0.1.17 login 1:4.1.5.1-1 logrotate 3.8.1-4 @@ -1191,7 +1198,6 @@ lsof 4.86+dfsg-1 lua-socket:i386 2.0.2-8 lua5.1 5.1.5-4+deb7u1 lvm2 2.02.95-8 -lzma 9.22-2 macchanger 1.5.0-9 man-db 2.6.2-1 manpages 3.44-1 @@ -1210,11 +1216,9 @@ monkeysphere 0.35-2 moreutils 0.47 mount 2.20.1-5.3 mousetweaks 3.4.2-1 -msmtp 1.4.28-1 msva-perl 0.8.1-2 mtools 4.0.17-1 -multiarch-support 2.13-38+deb7u6 -mutt 1.5.21-6.2+deb7u3 +multiarch-support 2.13-38+deb7u8 myspell-es 1.11-4 myspell-fa 0.20070816-3 myspell-it 1:3.3.0-4 @@ -1238,13 +1242,14 @@ nocache 0.9-2~bpo70+1 notification-daemon 0.7.6-1 ntfs-3g 1:2012.1.15AR.5-2.1 ntfsprogs 1:2012.1.15AR.5-2.1 -obfsproxy 0.2.6-2~wheezy+1 +obfs4proxy 0.0.4-1~tpo1 open-vm-tools 2:8.8.0+2012.05.21-724730-1+nmu2 -openjdk-7-jre:i386 7u71-2.5.3-2~deb7u1 -openjdk-7-jre-headless:i386 7u71-2.5.3-2~deb7u1 +openjdk-7-jre:i386 7u79-2.5.5-1~deb7u1 +openjdk-7-jre-headless:i386 7u79-2.5.5-1~deb7u1 openssh-client 1:6.0p1-4+deb7u2 -openssl 1.0.1e-2+deb7u14 +openssl 1.0.1e-2+deb7u16 p7zip-full 9.20.1~dfsg.1-4 +paperkey 1.2-1 parted 2.3-12 passwd 1:4.1.5.1-1 patch 2.6.1-3 @@ -1264,17 +1269,18 @@ pm-utils 1.4.1-9 poedit 1.5.4-1~bpo70+1 policykit-1 0.105-3 policykit-1-gnome 0.105-2 -polipo 1.0.4.1-1.2 poppler-data 0.4.5-10 poppler-utils 0.18.4-6 powermgmt-base 1.31 -ppp 2.4.5-5.1+deb7u1 +ppp 2.4.5-5.1+deb7u2 printer-driver-escpr 1.1.1-2 +printer-driver-gutenprint 5.2.9-1 printer-driver-hpcups 3.12.6-3.1+deb7u1 printer-driver-hpijs 3.12.6-3.1+deb7u1 procps 1:3.3.3-3 psmisc 22.19-1+deb7u1 pulseaudio 2.0-6.1 +pulseaudio-utils 2.0-6.1 pv 1.2.0-1 pwgen 2.06-1+b2 python 2.7.3-4+deb7u1 @@ -1284,11 +1290,12 @@ python-cairo 1.8.8-1+b2 python-central 0.6.17 python-chardet 2.0.1-2 python-configobj 4.7.2+ds-4 -python-crypto 2.6-4+deb7u3 python-cups 1.9.48-1.1 python-cupshelpers 1.3.7-4 python-dbus 1.1.1-1+tails1 python-dbus-dev 1.1.1-1+tails1 +python-ecdsa 0.11-1~bpo70+1 +python-electrum 1.9.8-1~bpo70+1 python-feedparser 5.1.2-1 python-gconf 2.28.1+dfsg-1 python-geoip 1.2.4-2+b2 @@ -1307,19 +1314,17 @@ python-hachoir-parser 1.3.4-1 python-httplib2 0.7.4-2+deb7u1 python-ibus 1.4.1-9+deb7u1 python-imaging 1.1.7-4+deb7u1 -python-libxml2 2.8.0+dfsg1-7+wheezy2 +python-libxml2 2.8.0+dfsg1-7+wheezy4 python-louis 2.4.1-1 python-lxml 2.3.2-1+deb7u1 python-minimal 2.7.3-4+deb7u1 python-mutagen 1.20-1 python-notify 0.1.1-3 python-numpy 1:1.6.2-1.2 -python-openssl 0.13-2+deb7u1 python-pdfrw 0+svn136-3 python-pexpect 2.4-1 python-pkg-resources 0.6.24-1 python-poppler 0.12.1-8+b1 -python-pyasn1 0.1.3-1 python-pyatspi 2.5.3+dfsg-3 python-pyatspi2 2.5.3+dfsg-3 python-pycountry 0.14.1+ds1-3 @@ -1327,36 +1332,24 @@ python-pycurl 7.19.0-5 python-pygoocanvas 0.14.1-1+b3 python-pyicu 1.4-1 python-pyinotify 0.9.3-1.1 -python-pyme 1:0.8.1-2 python-pyorbit 2.24.0-6+b1 python-pypdf 1.13-1 -python-pyptlib 0.0.6-1~d70.wheezy+1 python-qrencode 1.01-2+b1 python-qt4 4.9.3-4 python-qt4-dbus 4.9.3-4 python-reportlab 2.5-1.1 python-serial 2.5-2.1 python-sip 4.13.3-2 +python-six 1.8.0-1~bpo70+1 +python-slowaes 0.1a1-1~bpo70+1 python-socksipy 1.0-1 python-speechd 0.7.1-6.2 python-support 1.0.15 python-tk 2.7.3-1 python-torctl 20110618git-1 -python-twisted 12.0.0-1 -python-twisted-bin 12.0.0-1 -python-twisted-conch 1:12.0.0-1 -python-twisted-core 12.0.0-1 -python-twisted-lore 12.0.0-1 -python-twisted-mail 12.0.0-1 -python-twisted-names 12.0.0-1 -python-twisted-news 12.0.0-1 -python-twisted-runner 12.0.0-1 -python-twisted-web 12.0.0-1 -python-twisted-words 12.0.0-1 python-urlgrabber 3.9.1-4 python-webkit 1.1.8-2 python-xdg 0.19-5 -python-yaml 3.10-4+deb7u1 python-zbar 0.10+doc-8 python-zbarpygtk 0.10+doc-8 python-zope.interface 3.6.1-3 @@ -1369,6 +1362,7 @@ rfkill 0.4-1 rsync 3.0.9-4 rsyslog 5.8.11-3+deb7u2 sane-utils 1.0.22-7.4 +scdaemon 2.0.25-1~bpo70+1 scribus 1.4.0.dfsg+r17300-1.1 seahorse 3.4.1-2 seahorse-daemon 3.2.2-1 @@ -1386,31 +1380,31 @@ spice-vdagent 0.10.1-1 sshfs 2.4-1 ssl-cert 1.0.32 ssss 0.5-2+b1 -sudo 1.8.5p2-1+nmu1 +sudo 1.8.5p2-1+nmu2 synaptic 0.75.13 -syslinux 3:6.03~pre20+dfsg-2~bpo70+1 -syslinux-common 3:6.03~pre20+dfsg-2~bpo70+1 -syslinux-efi 3:6.03~pre20+dfsg-2~bpo70+1 -syslinux-utils 3:6.03~pre20+dfsg-2~bpo70+1 +syslinux 3:6.03+dfsg-5tails1~bpo70+1 +syslinux-common 3:6.03+dfsg-5tails1~bpo70+1 +syslinux-efi 3:6.03+dfsg-5tails1~bpo70+1 +syslinux-utils 3:6.03+dfsg-5tails1~bpo70+1 system-config-printer 1.3.7-4 systemd 44-11+deb7u4 sysv-rc 2.88dsf-41+deb7u1 sysvinit 2.88dsf-41+deb7u1 sysvinit-utils 2.88dsf-41+deb7u1 -tails-greeter 0.8.7 -tails-iuk 1.18-1 -tails-perl5lib 0.8.5-1 -tails-persistence-setup 1.0.18-1 +tails-greeter 0.8.10 +tails-iuk 1.22-1 +tails-perl5lib 0.8.9-1 +tails-persistence-setup 1.0.22-1 tar 1.26+dfsg-0.1 tcl8.5 8.5.11-2 tcpd 7.6.q-24 -tcpdump 4.3.0-1+deb7u1 +tcpdump 4.3.0-1+deb7u2 tcpflow 0.21.ds1-7 tk8.5 8.5.11-2 -tor 0.2.5.10-1~d70.wheezy+1 +tor 0.2.6.7-1~d70.wheezy+1+tails2 tor-arm 1.4.5.0-1 -tor-geoipdb 0.2.5.10-1~d70.wheezy+1 -torsocks 1.2-3 +tor-geoipdb 0.2.6.7-1~d70.wheezy+1+tails2 +torsocks 2.0.0-1~bpo70+1 totem 3.0.1-8 totem-common 3.0.1-8 totem-plugins 3.0.1-8 @@ -1429,12 +1423,12 @@ ucf 3.0025+nmu3 udev 175-7.2 udisks 1.0.4-7wheezy1 unar 1.1-2 -uno-libs3 3.5.4+dfsg2-0+deb7u2 +uno-libs3 3.5.4+dfsg2-0+deb7u4 unrar-free 1:0.0.1+cvs20071127-2 -unzip 6.0-8+deb7u1 +unzip 6.0-8+deb7u2 update-inetd 4.43 upower 0.9.17-1 -ure 3.5.4+dfsg2-0+deb7u2 +ure 3.5.4+dfsg2-0+deb7u4 usb-modeswitch 1.2.3+repack0-1 usb-modeswitch-data 20120815-2 usbmuxd 1.0.7-2 @@ -1447,16 +1441,16 @@ vim-nox 2:7.3.547-7 vim-runtime 2:7.3.547-7 vim-tiny 2:7.3.547-7 virt-what 1.12-1 -virtualbox-guest-utils 4.3.14-dfsg-1~bpo70+1 -virtualbox-guest-x11 4.3.14-dfsg-1~bpo70+1 +virtualbox-guest-utils 4.3.18-dfsg-2~bpo70+1 +virtualbox-guest-x11 4.3.18-dfsg-2~bpo70+1 wget 1.13.4-3+deb7u2 whiptail 0.52.14-11.1 -whisperback 1.6.24 +whisperback 1.6.28 whois 5.1.1~deb7u1 window-picker-applet 0.6.99 wireless-regdb 2014.10.07-1~deb7u1 wireless-tools 30~pre9-8 -wpasupplicant 1.0-3+deb7u1 +wpasupplicant 1.0-3+deb7u2 x11-apps 7.7~2 x11-common 1:7.7+3~deb7u1 x11-session-utils 7.6+2 @@ -1466,7 +1460,7 @@ x11-xkb-utils 7.7~1 x11-xserver-utils 7.7~3 xauth 1:1.0.7-1 xclip 0.12+svn84-2 -xdg-utils 1.1.0~rc1+git20111210-6+deb7u1 +xdg-utils 1.1.0~rc1+git20111210-6+deb7u3 xdotool 1:2.20100701.2961-3+deb7u3 xfonts-100dpi 1:1.0.3 xfonts-75dpi 1:1.0.3 @@ -1484,9 +1478,9 @@ xkb-data 2.5.1-3 xml-core 0.13+nmu2 xorg 1:7.7+3~deb7u1 xorg-docs-core 1:1.6-1 -xserver-common 2:1.12.4-6+deb7u5 +xserver-common 2:1.12.4-6+deb7u6 xserver-xorg 1:7.7+3~deb7u1 -xserver-xorg-core 2:1.12.4-6+deb7u5 +xserver-xorg-core 2:1.12.4-6+deb7u6 xserver-xorg-input-all 1:7.7+3~deb7u1 xserver-xorg-input-evdev 1:2.7.0-1+tails1 xserver-xorg-input-mouse 1:1.7.2-3 @@ -1525,7 +1519,6 @@ xserver-xorg-video-vesa 1:2.3.1-1+b1 xserver-xorg-video-vmware 1:12.0.2-1+b1 xserver-xorg-video-voodoo 1:1.2.4-2+b3 xul-ext-adblock-plus 2.1-1+deb7u1 -xul-ext-torbutton 1.7.0.2-1 xz-utils 5.1.1alpha+20120614-2 yelp 3.4.2-1+b1 yelp-xsl 3.4.2-1 diff --git a/wiki/src/torrents/files/tails-i386-1.4.torrent b/wiki/src/torrents/files/tails-i386-1.4.torrent new file mode 100644 index 0000000000000000000000000000000000000000..963841f460f43a808f3cee8e2af9324ffb7bd82b Binary files /dev/null and b/wiki/src/torrents/files/tails-i386-1.4.torrent differ diff --git a/wiki/src/torrents/files/tails-i386-1.4.torrent.sig b/wiki/src/torrents/files/tails-i386-1.4.torrent.sig new file mode 100644 index 0000000000000000000000000000000000000000..58747db040c32c9766329bac6ae8bc8424eceb5d --- /dev/null +++ b/wiki/src/torrents/files/tails-i386-1.4.torrent.sig @@ -0,0 +1,16 @@ +-----BEGIN PGP SIGNATURE----- + +iQIcBAABCgAGBQJVUO2NAAoJEJj+xrx1Kj22PKMQAIiJ0Hst/ZcN9jnprdi8k9eZ ++MDBCnrW+lhWw9VUScEisBtg01t+/BedQhqjcvizSCb5wbICaKoXGgacNnAcnpmm +Gxv3OHI51WM1cKA9+czqr1m7hyaO22AoGVQw+M7fu6DUlflHQPHqekEVEdUtHMuK +o1YHNe71fyZDkP0non7cg1MxPyZjlTJFMBA5iVUlRoQ5khYyJYqpVPbeTCc3l/Kk +4I1EWRBXTw8pcmnFT6F3TOKr9+B/hGbv2Ni+2hd/lU7gnRGhjjU9U6Io9mIWhtWI +yKEBSxUCe4koYJzVFCE2GVWFJdMBjFVHub9wKIELHM0nzFgEamXHyGw7uAsWgYND +8KcvgNF4NytDKhgEWjuLe1xFi999XBMGH/MTNt2357InDzxJMH9V0Xjie0NXvKWW ++GhOJSUwhlpj1J4bqmwRJeHZiIdHKFJC4+pJNygLSPZa3GHyXsxtjqN1FuE0ZKpU +qsPzZm/8buPeHuvxEPdueTyBUPNz7HwjUzFIebOqjGK8g/7wpDnN25pci6KGAZ6D +HP2vtqXN+o4py4EQ1gIxDEY4wrK7P7wutLjVw2yeDST2WbOdcYJpceOSKcy8590q +Wo/ApVb3pQtkHFQy7FsGyOOSclP3oK0yK7HkQrZQ+YevCNXbCYWvSRZ9h3OqGSAr +HnaySFSP1o+rDR8g2+Ow +=x7qV +-----END PGP SIGNATURE----- diff --git a/wiki/src/upgrade/v1/Tails/1.2.3/i386/alpha/upgrades.yml b/wiki/src/upgrade/v1/Tails/1.2.3/i386/alpha/upgrades.yml index 6d3374c891bf1f486c7ac13cac4a191c7d9006c8..2f61384b955230668b695049d8c6b3fdd03bf16e 100644 --- a/wiki/src/upgrade/v1/Tails/1.2.3/i386/alpha/upgrades.yml +++ b/wiki/src/upgrade/v1/Tails/1.2.3/i386/alpha/upgrades.yml @@ -3,3 +3,18 @@ build-target: i386 channel: alpha product-name: Tails product-version: 1.2.3 +upgrades: +- details-url: https://tails.boum.org/news/test_1.3/ + type: major + upgrade-paths: + - target-files: + - sha256: 587e06c70420e486fa441f872db5240fe24c3a4f7acb4f003fddaeb36d8c6df7 + size: 954132480 + url: http://dl.amnesia.boum.org/tails/stable/tails-i386-1.3/tails-i386-1.3.iso + type: full + - target-files: + - sha256: 7ef984605533681da41fe148dc28aeb2e69bebbdcc309f5f8f51243e23f262a3 + size: 293089280 + url: http://dl.amnesia.boum.org/tails/stable/iuk/Tails_i386_1.2.3_to_1.3.iuk + type: incremental + version: '1.3' diff --git a/wiki/src/upgrade/v1/Tails/1.2.3/i386/alpha/upgrades.yml.pgp b/wiki/src/upgrade/v1/Tails/1.2.3/i386/alpha/upgrades.yml.pgp index e3801fdfd05ea6fc1a11f8750bea4e5ef3ec593d..035c170d19d01f6fb96150e347ef63474a28aa1e 100644 --- a/wiki/src/upgrade/v1/Tails/1.2.3/i386/alpha/upgrades.yml.pgp +++ b/wiki/src/upgrade/v1/Tails/1.2.3/i386/alpha/upgrades.yml.pgp @@ -1,17 +1,16 @@ -----BEGIN PGP SIGNATURE----- -Version: GnuPG v1.4.12 (GNU/Linux) -iQIcBAABAgAGBQJUjqiEAAoJEBICghy+LNnBmSAP+wRdmSBAy45yEpxorbtUyvV/ -RAKK+SXOLHnkfbT4DKMwCh/OPpUO/WZbdLcJBjid7G47JFGEOYchkWPH3jA12x+h -4pxeqN+18b+gzFPUCV3VETBPEf+ShTrHB07X5q6S5ed7WFX4dOMhr9q54NMJsi5E -1ZHxRiEHiFn+ojJxefwJakvsbTlXO/QWBKLLa14lVGZe5u/eWbiISF2+VkmgJzEY -QPQqxdNi0FP7mKBLZo39iyS8HcEAb7qrn8IMv0aIt3Fn5yrnqFaKtB0Zs69Aa8Dd -8V1Xh0yKMa7uVlAIaBvW0W/wG9FIRNXzW3RW3XeziRx/yrJ4rB90kEoeeCmhEFmP -i7dTrjVqlDE1CkU7mE4nCEzLPvrkWkKZySz97HHEC4Y2qQddIVulX3rqg5FRmroo -nO1L+Ofh1h/Bz/dHwGjYnkWGc4Qbr8Su+6NpVWV2/Vh5bhN+GhL5tORhpEB/tuN8 -U/uaTxJsHddT9qRC2sScS6Ar94M0CRdABwJZEav1Qg7hHZJlPq9doRaRIOjdIAOM -zSY09T7F3BGtP68tjhTot1RxgKVPnLTzwwymdi074tcijSnPYm47oKhVBnWvARwm -oWKZ/XHTehaOm9E5hb13eMgA0NiZGAM02IDtlFwTYUZwjxYgMhOLV5DhP8pLBp2X -5gD6R3HJyA+FLUA2LMYQ -=O+Kr +iQIcBAABCgAGBQJU68zUAAoJEBICghy+LNnBackQAJPmg8didgQ7sUuDDSuKaNiQ +RsuyBV0p3OKgUvyQbi0cMqrANMP9n7NrmPaeUuh00mbYrKpXhh7C7n81QeRKmlcr +9PckolFQ1vojDxhJk0jyT6HSQP+jdo+S4oCkhXd38vTkFlH5TYdiqt1Yv1l9+Ccj +zDb2sGJR1MF85qqJoUpxSZFzS7NOw1idRVf/8FtEgOWD+ZeNJe89LanqrbJmU74y +O82M5u9WQgB5lsvI96KsFfcmRjZGHSEVXZ/XuE7GYRepL3jl+Rt89fCzbcxPGvix +4hnoO4zmeAJgZI4bSsl3GzLFOpI7GT7vU9WIwhkxK/GahydwYpIHlCB2E/qti46x +74G2DKEarkxXmemY5QQfBO7VIsxLTL3q6eMr41ovShIzVQKVTRQjnptES5CMuh2H +wv+DJkcnZAAlGSXkurtLh6nwcd5+LGWUVLD1+OWLBmhtdaK0XA+PuU/TxzB6ujxO +prV7tw4JXgKxbrARpsZsVLfidbUsRT1FC3M+QHvnSb9JsStA+WGpGguQxONNa0A2 +3k6o4qxJeGMChEddLeCEjR3TqIf/G5Pwm+jRcgM4xZTGtgzGaxKjhBkaRFBhSUpk +3ha5QfvTrRo3uhG0hxQEX5OFu2Q1VX8vL+3eMA6v6NLKyMKIRhtkCRo9xiylGR9Z +PoukNItaFqQoCkkkUokl +=3JMb -----END PGP SIGNATURE----- diff --git a/wiki/src/upgrade/v1/Tails/1.2.3/i386/stable/upgrades.yml b/wiki/src/upgrade/v1/Tails/1.2.3/i386/stable/upgrades.yml index ec9b9076bded742d9dc8083941d7122f0246524c..f2f6211c0c055932a6fb9db01a9e1e3e3d36c7f7 100644 --- a/wiki/src/upgrade/v1/Tails/1.2.3/i386/stable/upgrades.yml +++ b/wiki/src/upgrade/v1/Tails/1.2.3/i386/stable/upgrades.yml @@ -3,3 +3,18 @@ build-target: i386 channel: stable product-name: Tails product-version: 1.2.3 +upgrades: +- details-url: https://tails.boum.org/news/version_1.3/ + type: major + upgrade-paths: + - target-files: + - sha256: 587e06c70420e486fa441f872db5240fe24c3a4f7acb4f003fddaeb36d8c6df7 + size: 954132480 + url: http://dl.amnesia.boum.org/tails/stable/tails-i386-1.3/tails-i386-1.3.iso + type: full + - target-files: + - sha256: 7ef984605533681da41fe148dc28aeb2e69bebbdcc309f5f8f51243e23f262a3 + size: 293089280 + url: http://dl.amnesia.boum.org/tails/stable/iuk/Tails_i386_1.2.3_to_1.3.iuk + type: incremental + version: '1.3' diff --git a/wiki/src/upgrade/v1/Tails/1.2.3/i386/stable/upgrades.yml.pgp b/wiki/src/upgrade/v1/Tails/1.2.3/i386/stable/upgrades.yml.pgp index 6c6bad53644fd70f24bbf946c9b589ad90462005..4e4bc65f4f1f3e6dd9c250c1e3dbf235548ff92a 100644 --- a/wiki/src/upgrade/v1/Tails/1.2.3/i386/stable/upgrades.yml.pgp +++ b/wiki/src/upgrade/v1/Tails/1.2.3/i386/stable/upgrades.yml.pgp @@ -1,17 +1,16 @@ -----BEGIN PGP SIGNATURE----- -Version: GnuPG v1.4.12 (GNU/Linux) -iQIcBAABAgAGBQJUjqiFAAoJEBICghy+LNnBJ9cP/itfvsPL6fH3qhwN0HBBkDTB -HwLh4h/hjc/CI0htgj/zrdRCV1fWU2/WJ9UDUBKlMxpjsC3PqhejFSBAw2z0n1VL -bJDlVDTkzZYxO11s+lQeC6Tyu2GNQaG4VKM49wewebW5nz1if+35aJViy1vFrVdj -asblK+J0nOQRaLhJYNcfx4FwpO3Cd3RRxpfdlJ6RaKS1+I/9aTqJIY80DETzZlu2 -0Js5/oGKlRrXjdHUhzqUbpbp8e031Epjx5w3MQWU50oCjTgYzdC6iPS5HXg6Acjy -MQ/0kXpPEgbg5jlW0lwcWNFlP63qA5nMPrgZ4DTzPOXlt86MNJMMRvKLVQBK7X8C -wEVNOwYT906m5vjtUIJN6E7ZwU643JPAtejfL80FEB2yrZsBhQBjZY0w706aF84r -x92kX5XgoXhQLEJOytbT3MWR+VIRiB3Sx7g92VsGFMJjaH/EN+WNPvQp8j2ExBZA -rY7mjD2QYMn81cfZMPzvyW1j+tZEd1WwJqA0GjxvGLy9OkpMOXobDI+jZtEB7i6r -JMXZh+gC7fRZowrhkibDMFmwQBXWHONdtKR+4HZgXVQU8nhflgkDxCKHiHXNHbvZ -7Fm9V6qCPMFKxSAiRAaM+PwVrRimnC26SzQchk2v+u8kBvQwOeQ8+XORdRviQyUn -jz900zXim29NLbMbT/Iv -=wVah +iQIcBAABCgAGBQJU68utAAoJEBICghy+LNnBO5UP/2+uIi+wki85klKHCLEPaWaQ +pmnkpxh3nePH84cGzrfHor+TrsTd+x2Jo+zbe2GEWyvlqhrJSzNf4W98fuiqrbDt +hiapggKrvWVjaAn68fyPa+unGPsfZZjYfaGeJDfBI4jPQkTuRcpCYEF9RkseoqNL +zZAPowPr2B77yvVLrvqHSSk8LijPTXVdv1cJMXW4ucPt1+0HHBsPL6lWFtK7gqH2 +ljlJ7D80FU7xKHnS1zhxsDNGm2Ig2NeaCA+cFtuO7K+WyxCJEN6xrktO5wz8Iae0 +mkXPSWoIVI1a4a24sxGNLerevt7b6lsjdTYHxcrhqNVW5SHs2j45k/FBX+z9Bfzn +7J3mfSJ0ZRuFh3AzXPtz+k4vGiCveplhIrpqduf51jXGx5QJXKenotJXRe+lCYRQ +L1IFgUw7MKzj1aXk2KJSfNZPGhDHKdWXb17rYPylOp4SGH4B7koTbfA0Qx+WhPNh +vmCtAK15R+KReExkAcWeQtGo7LUGj8yBPxso7oh8fhGQPdXNlqiohWEamiyxokF0 +1yV2NiZhsSO5XeTYx9rA7UkTGGzuG6AyucJt49EjWAHBMp5lWAsl4b9kzonDgaOh +s8nj3VuTKmyoWxTEvZBpqIeN+v4oJG6+VaBHf/RmV3h9aIpy2QaEdUuOhsrWpiwa +DDE0H6XpgvxmrgV6bJfl +=p5yO -----END PGP SIGNATURE----- diff --git a/wiki/src/upgrade/v1/Tails/1.3.1/i386/alpha/upgrades.yml b/wiki/src/upgrade/v1/Tails/1.3.1/i386/alpha/upgrades.yml new file mode 100644 index 0000000000000000000000000000000000000000..f829721c47f36ba217c6ea0eeea2f95d46cf20d7 --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.3.1/i386/alpha/upgrades.yml @@ -0,0 +1,20 @@ +--- +build-target: i386 +channel: alpha +product-name: Tails +product-version: 1.3.1 +upgrades: +- details-url: https://tails.boum.org/news/version_1.3.2/ + type: major + upgrade-paths: + - target-files: + - sha256: a32009af6d65cdc158bb4592f28f64147bbc5c9468693a413333dd7999f93592 + size: 954132480 + url: http://dl.amnesia.boum.org/tails/stable/tails-i386-1.3.2/tails-i386-1.3.2.iso + type: full + - target-files: + - sha256: bac2570370dd8d7ef3dba329814c15d1a5231098bd4b0e52ef16cdda95b4ddf9 + size: 90460160 + url: http://dl.amnesia.boum.org/tails/stable/iuk/Tails_i386_1.3.1_to_1.3.2.iuk + type: incremental + version: 1.3.2 diff --git a/wiki/src/upgrade/v1/Tails/1.3.1/i386/alpha/upgrades.yml.pgp b/wiki/src/upgrade/v1/Tails/1.3.1/i386/alpha/upgrades.yml.pgp new file mode 100644 index 0000000000000000000000000000000000000000..2d2ef18643bc439c48b5f7455b75105b4dab0a8f --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.3.1/i386/alpha/upgrades.yml.pgp @@ -0,0 +1,16 @@ +-----BEGIN PGP SIGNATURE----- + +iQIcBAABCgAGBQJVGbf1AAoJEJj+xrx1Kj22d48QAInnPm7i91H7GltplKKN7yRN +SDz5eHk91/NSMoRlafh2AGXMZ64bNmoxE52DWFRMNCOXekngGg1XV+oFMoqgjKbD +EM3MgaSqGggxcFA3QXArDk6XL/f9sCjqMAVLwX2RaxH/NN8UMEt/Y/KWWiIMCDRS +mYkfZjjW7aWiKmQphQGLgOguI4UsPtGDkHuX0ol2dzdxg9TchIfz9EUPQIlMseY5 +Z8I6JUYqIpmyLikF7xV/0Muzsg3m3C+UppFBcKyWnb60SDiD0SV0dzmVIbNVQQgv +rzEerRRtPHZQ9o82FM+F2VgePAHbV5SwObftYf/nDzF9clPrFQ+vqlLTWHktu0fx +zvKv+YIzd8VLd40LATDNRopeCZaRpTOiL6TCF3P0RNwa9C3hAzUO3bkg4WHNI1Fj +bikv7/j2DBTRzBErMI1fQ89HeKhs8gCl4R0YJqwKxImcuM2TM08UyndBTdblcOvU +6iWVfI2YOoVYEUGIAleucbE4eGrNM6YVuUk2hGrK2z8kTSZwAv0KklnInhlMnUIn +duetG0FFLhjuscHC0054D/SB6xsE9Dqh54fYkMS3HM85omM4iWIX74VN1YNecDx3 +vHMOwkmlzfIRRcGBFrMC4ZGNfMr7SRH8Pp5QfQoAYCx1ruwoH6GK/cUF6RAdO0M5 +4uJO3GDklSxIRHPmJe6n +=wlXx +-----END PGP SIGNATURE----- diff --git a/wiki/src/upgrade/v1/Tails/1.3.1/i386/stable/upgrades.yml b/wiki/src/upgrade/v1/Tails/1.3.1/i386/stable/upgrades.yml new file mode 100644 index 0000000000000000000000000000000000000000..8c90af7907827f478f4a6223f89565e02acea83b --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.3.1/i386/stable/upgrades.yml @@ -0,0 +1,20 @@ +--- +build-target: i386 +channel: stable +product-name: Tails +product-version: 1.3.1 +upgrades: +- details-url: https://tails.boum.org/news/version_1.3.2/ + type: major + upgrade-paths: + - target-files: + - sha256: a32009af6d65cdc158bb4592f28f64147bbc5c9468693a413333dd7999f93592 + size: 954132480 + url: http://dl.amnesia.boum.org/tails/stable/tails-i386-1.3.2/tails-i386-1.3.2.iso + type: full + - target-files: + - sha256: bac2570370dd8d7ef3dba329814c15d1a5231098bd4b0e52ef16cdda95b4ddf9 + size: 90460160 + url: http://dl.amnesia.boum.org/tails/stable/iuk/Tails_i386_1.3.1_to_1.3.2.iuk + type: incremental + version: 1.3.2 diff --git a/wiki/src/upgrade/v1/Tails/1.3.1/i386/stable/upgrades.yml.pgp b/wiki/src/upgrade/v1/Tails/1.3.1/i386/stable/upgrades.yml.pgp new file mode 100644 index 0000000000000000000000000000000000000000..f8e7ff83e8d2ca2d3562d7e69b48ec383eda29c1 --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.3.1/i386/stable/upgrades.yml.pgp @@ -0,0 +1,16 @@ +-----BEGIN PGP SIGNATURE----- + +iQIcBAABCgAGBQJVGbS5AAoJEJj+xrx1Kj22lCcP/2/gA4uT4q4GJdJbCQeRG6ux +RCSvCvO0ikFxgvQ9s7Gkd8Dp1b/CaW6jpLnYeqKmWX06Q+Wp2bsfFSmEQMFC3C7x +qp90Jz9Zhugyst6UC5d4ACzvkpDT5Z2QLCvmOTzJRlGOk1vtWOdX0M7GwJZn0odp +XrEEEiaKwfS4j5VjpK4CkE68mlrmEx17G41HWLKbrn+Uyve3tXMI3uHQL9anu8PI ++wAb1pGPA3P2tLKqoQTJ53LR1sBFQw7Qh4qO9+69iH1lJjMGmT2DF12FXIUKy/6P +JsoIS4BK0L7npphWPZ0XjkuOKp4rRB8pFytQHhWDpVMAX80cEoTYH8IRAp2ajNB5 +fu9tVArQgoloabSf9maq3IrK3N10G/roLVRBeS7swW1jlpRV/5dtb1um+bUzoZ1U +eixLqIpfJ8ibhZ4cwEiXufW46Iwye3Gm+ae190+3o9hMHRyzHog81UocmFI86n+x +5rRulWvW7d0Xz8QuXEUUnZm96z4QuTvdiobjZGCEBZm2lhZsWlIDtgSVz23YFhFq +a8YCzCjPNeGzmpf3zWRbA2UUCGO68yEYVZFO7UfxGmAbcXT8ROFBepb7mlA4RbxP +ItVf9TG4R9ENM9lcLvZwYxA2QGCMq0Q0TD1m8iA+hLAj+48DLxOy7jlVs6se0rFS +kICzlzzNJb5Dr8nK/bML +=Ul9+ +-----END PGP SIGNATURE----- diff --git a/wiki/src/upgrade/v1/Tails/1.3.2/i386/alpha/upgrades.yml b/wiki/src/upgrade/v1/Tails/1.3.2/i386/alpha/upgrades.yml new file mode 100644 index 0000000000000000000000000000000000000000..ea490a7ca31fb2dcc699737881eef61f7aff2899 --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.3.2/i386/alpha/upgrades.yml @@ -0,0 +1,20 @@ +--- +build-target: i386 +channel: alpha +product-name: Tails +product-version: 1.3.2 +upgrades: +- details-url: https://tails.boum.org/news/version_1.4/ + type: major + upgrade-paths: + - target-files: + - sha256: 339c8712768c831e59c4b1523002b83ccb98a4fe62f6a221fee3a15e779ca65d + size: 970584064 + url: http://dl.amnesia.boum.org/tails/stable/tails-i386-1.4/tails-i386-1.4.iso + type: full + - target-files: + - sha256: 77824d7ab8e89b6c54ed8405c4dd9d3b8a42befd10d5354eba0c97d978a4bfad + size: 291164160 + url: http://dl.amnesia.boum.org/tails/stable/iuk/Tails_i386_1.3.2_to_1.4.iuk + type: incremental + version: '1.4' diff --git a/wiki/src/upgrade/v1/Tails/1.3.2/i386/alpha/upgrades.yml.pgp b/wiki/src/upgrade/v1/Tails/1.3.2/i386/alpha/upgrades.yml.pgp new file mode 100644 index 0000000000000000000000000000000000000000..9f837c0bf5ebb8c8d2dfc9143c2d27289fe83321 --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.3.2/i386/alpha/upgrades.yml.pgp @@ -0,0 +1,16 @@ +-----BEGIN PGP SIGNATURE----- + +iQIcBAABCgAGBQJVUZdnAAoJEJj+xrx1Kj22OLoP+QFFQFebg4bNCLi+mDsDWhbP +CTnaUCiELZWE80NpqJ4gQIL0/yv0acsJaBstGBa4zpfIRJ4fy2YIBZmEu78/DyiU +BlXb404SCnbwOE5k+/NOUCV9Rsg/Z0NdkofY/XTBcwsn3wKWl2xByEeclHhvG5sX +z8oLrgvaQU+XmNdAWuXFPujxBxOP4k7SLSo3drDVTI9nhqtIju5N7ceWxTt6LlU/ +AjxXTYh4N2V683NEEjlvSoD5pJ8ES6olSZxvIUuPzJOeR55Sgv2qPowVN/6+Z4wj +x12bdZYGR7R/ScGHzr+HlHIiQW/l55Wd/HL3CnVzcyfgs0q7plbEasNvQZu3ZV8D +Rj5UiXLlWGqXBLQRhG9ICXzqoXBQxSGcoirn2+bNZPcexZFgax7r7YT25CAgRVp3 +Z9pmPHgo+sgBnsAnVVymE1Q4eJx4guSVcK+dcLpVexvfULWBzZbLpZhoEWBoOfbE +LUUHNcZyTFo4xJ3ERyXOEhC37eer3uGPNY9D0YiUR5PJ27mjq3ho+iSRdIrjajjy +stwc+dqPDcgK2TSl+3kT4E0ikerli47o9ufgTw01znYGYR+uLs28OK9uOMSlA/7j +UFiK3yK+4Ci6GjbhxskF4rpuNCPmHNzhCKxDkW4T6KXzNQMAnlKzUAVWOuu2dUA5 +LQj/0pcKIzC3WxLH7BIw +=FzLm +-----END PGP SIGNATURE----- diff --git a/wiki/src/upgrade/v1/Tails/1.3.2/i386/stable/upgrades.yml b/wiki/src/upgrade/v1/Tails/1.3.2/i386/stable/upgrades.yml new file mode 100644 index 0000000000000000000000000000000000000000..0ce9d783c27c2be166bc0b76105935c3ba99ddbf --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.3.2/i386/stable/upgrades.yml @@ -0,0 +1,20 @@ +--- +build-target: i386 +channel: stable +product-name: Tails +product-version: 1.3.2 +upgrades: +- details-url: https://tails.boum.org/news/version_1.4/ + type: major + upgrade-paths: + - target-files: + - sha256: 339c8712768c831e59c4b1523002b83ccb98a4fe62f6a221fee3a15e779ca65d + size: 970584064 + url: http://dl.amnesia.boum.org/tails/stable/tails-i386-1.4/tails-i386-1.4.iso + type: full + - target-files: + - sha256: 77824d7ab8e89b6c54ed8405c4dd9d3b8a42befd10d5354eba0c97d978a4bfad + size: 291164160 + url: http://dl.amnesia.boum.org/tails/stable/iuk/Tails_i386_1.3.2_to_1.4.iuk + type: incremental + version: '1.4' diff --git a/wiki/src/upgrade/v1/Tails/1.3.2/i386/stable/upgrades.yml.pgp b/wiki/src/upgrade/v1/Tails/1.3.2/i386/stable/upgrades.yml.pgp new file mode 100644 index 0000000000000000000000000000000000000000..9681d5d24ec901370d349d99df57ceb435494ee5 --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.3.2/i386/stable/upgrades.yml.pgp @@ -0,0 +1,16 @@ +-----BEGIN PGP SIGNATURE----- + +iQIcBAABCgAGBQJVUPMDAAoJEJj+xrx1Kj22kmsQAIxzf6mJa9CpANbvc3wmQi8N +HhOQ/2lYe11YfzqBbnaqYE8LHivmYb9duv971grJ2hvkpxrjv+VbVT4h/NWnb0B9 +SlgK6GLsmatkJVFKwv7pPLfOQRFeZr7id5QDu9xndQHrO/Wi5goblUm9TjwmN4Uu +PCEgFEizzyT3QhV36LWo9RU5RtAgWT+2HqARUn6KZEmw672eoOgifKYIVdbFmyAn +4ZUQXSgw6NowO7MbS3GNwRwfStsQZakC4db7m1XszVkZ37/55088zxiWvjEIjr+u +7cCWX768uJsEFMqH/g2NbWVsa9uq19dhgtDBvOKP9Dx3mCNBPpOnflcXduqk95Va +7+FLf5uhWLbQDFg7TgqsnNsAF8POz/oZ/rzvVWQk3ZrmsWMZl0lXKI5eLrHxo5dI +2YLprJnyQ2L/EhxIE8NpuAXO2z9qJR0DRiHdK4cQleUV26I321dhRo2v5q+5AT1w +8MsqZI+dxzbseqsGIQTKMQafG4IIDeb5XrXKziXzGo5/aHRSQQrCeRk0w16QMKCs +ngK+mE1KxHpxEfM59GzdRN5cVOyrORTT3fGJh6XfcmAnZtXfJ4yK8P8mFf43+fA3 +aC7s00QCgFNA5dzPkyjg89clP2F/NGvUOeeM7UlAwANDcSY2XjUnIFLov+KcQh55 +g0I5wzBVNe8VovbhKbdF +=UhOQ +-----END PGP SIGNATURE----- diff --git a/wiki/src/upgrade/v1/Tails/1.3.2~rc1/i386/alpha/upgrades.yml b/wiki/src/upgrade/v1/Tails/1.3.2~rc1/i386/alpha/upgrades.yml new file mode 100644 index 0000000000000000000000000000000000000000..b2c4f3ffc153bcb707819e76504ee38b19af1745 --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.3.2~rc1/i386/alpha/upgrades.yml @@ -0,0 +1,5 @@ +--- +build-target: i386 +channel: alpha +product-name: Tails +product-version: 1.3.2~rc1 diff --git a/wiki/src/upgrade/v1/Tails/1.3.2~rc1/i386/alpha/upgrades.yml.pgp b/wiki/src/upgrade/v1/Tails/1.3.2~rc1/i386/alpha/upgrades.yml.pgp new file mode 100644 index 0000000000000000000000000000000000000000..8d2e90b3f82a6b6df123e90ef081492b751a9abd --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.3.2~rc1/i386/alpha/upgrades.yml.pgp @@ -0,0 +1,16 @@ +-----BEGIN PGP SIGNATURE----- + +iQIcBAABCgAGBQJVDwydAAoJEDyD3LUvaZxWC2EQAMrSsdI8FY/CJl53Iqasclp0 +ysp9cWaMCJvWYBVn7crOcyD7ndtNyax7uNq9o7u2xfk1JHGgu5oYEFz1VLpaafJP +cWE7zAXmvYOoT6t+KG4ZSUFOrWRQ0U2lbTIQlTv+L2973zfupCIP0BnjPaakZFeH +XixRJ3XNDMbCcw8PdHq6nNBzcGNMuy1xpHt9rKNDVEdS4Y7fMLewxBcaKjkC92rV +T1f8r2zRtKHfUJj1mnH8dXEZLPAlC2peUe/AyRssKx+IuEKPFHuLQj/yBmojewzx +Gwqgznsx8GZWCwPI68bpk8Y9kzn5wWBAYtlDapHv7kI+kHUp2OByN1CN/uIOd0W8 +H4gIro0RcePihM0hAgXP8zCc3Zm0/mlAog+vJFvZHozrJohvTqH+Vg6aq+glkhrJ +oU1dToXFWiGZZNDmadqtfJrI+RHsEryWHA4DAwBmaDlLV3faMdNfsawJEOtSBdtP +fmPkFGiue2byX7EWjEjMxZITXFovBlXhRdBz9QUyKadIt7lDCtrq6Uuu9/3X3Dtt +SabmpRQTsaCZa0hNTe9Y4X+EZrP3ggNfEkBJFz4i2VFvu9j5k6mOKh8ca9s5LAlF +SX1SOfVpWQrCBU8xDYxsNqk0pm+/ATU5eRLROO2HaYblF3uy114gJvu3naRyGUn/ +0HtmSqbzxrVHuWbh15My +=FtCW +-----END PGP SIGNATURE----- diff --git a/wiki/src/upgrade/v1/Tails/1.3.2~rc1/i386/stable/upgrades.yml b/wiki/src/upgrade/v1/Tails/1.3.2~rc1/i386/stable/upgrades.yml new file mode 100644 index 0000000000000000000000000000000000000000..06d42a7cb3706c39602fd16f4dae165dc7dfd7f1 --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.3.2~rc1/i386/stable/upgrades.yml @@ -0,0 +1,5 @@ +--- +build-target: i386 +channel: stable +product-name: Tails +product-version: 1.3.2~rc1 diff --git a/wiki/src/upgrade/v1/Tails/1.3.2~rc1/i386/stable/upgrades.yml.pgp b/wiki/src/upgrade/v1/Tails/1.3.2~rc1/i386/stable/upgrades.yml.pgp new file mode 100644 index 0000000000000000000000000000000000000000..00d7d8f40dba517da59e71f92df010a651a53388 --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.3.2~rc1/i386/stable/upgrades.yml.pgp @@ -0,0 +1,16 @@ +-----BEGIN PGP SIGNATURE----- + +iQIcBAABCgAGBQJVDwyVAAoJEDyD3LUvaZxW/BYP/1fPYWZx1zvlIITb0MPP9llI +YCwioZ7l02kToNLKvEJaBPtneyKlIusvD5M7/CFnFF3xum/YaYYjg4bcrGX8XPPQ +tCBDrvc7/k+3A0Z8/CsY7MIO9kJ8rZq8HcVza8ptyoFhO0dVvZ+ff1C07KTgVKiW +xWXqljLsjyqm10iO+DTpjxqmEcfPelvOyofY7pTi0iIl+KozKm5vAGp7m2uzUwg5 +F7FRCtsi/1KHGfpE3mLGiPzXD8IyNZHx+9XcC3+WdahGaNYx8toEFNEOVEfGJBv6 +HwUZV685F/Nr6SKenjiLu230TnlZaHJHVguvyedKjGOUX86AoNzH3Ep6SJwdJVV5 +h6tu/foloJSHkZZDUW7LuKUj6ZoVL4Jdx0LXYn+Vo2WbpkkFPCwTarAf5J5lLzd5 +1i/BUxgo4hnnoNVM/Xx56gIWjryf9QeOQOjXxE2d5T0jflmlJW50+nt6cJIf6Dxa +j2tJL1t2Si0NZgWSE7Mba2stuJNVcx2fdOAHDYxYBJTGsUDhaB8xrFp22+Vd0gt7 +83d4aVVKX9H64yx6PbrQJBAdP/Px7UvCB1yrIiunW5SKuu+45eYJKL9K0GPuFu6Y +n1sroWef47fxAmN9hcVLngCKCY2FudLH7rx9RtkVWph0MaMwRqIAC7RAYOfyP1f0 +qUdZpIuDiPJIMlfz/o8B +=LJ56 +-----END PGP SIGNATURE----- diff --git a/wiki/src/upgrade/v1/Tails/1.3.3/i386/alpha/upgrades.yml b/wiki/src/upgrade/v1/Tails/1.3.3/i386/alpha/upgrades.yml new file mode 100644 index 0000000000000000000000000000000000000000..1eee3f7332d24187f18e1e719c83baa3bdb139d8 --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.3.3/i386/alpha/upgrades.yml @@ -0,0 +1,5 @@ +--- +build-target: i386 +channel: alpha +product-name: Tails +product-version: 1.3.3 diff --git a/wiki/src/upgrade/v1/Tails/1.3.3/i386/alpha/upgrades.yml.pgp b/wiki/src/upgrade/v1/Tails/1.3.3/i386/alpha/upgrades.yml.pgp new file mode 100644 index 0000000000000000000000000000000000000000..c6eeb4e0450b18340b93ced414af6ef14b514cf0 --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.3.3/i386/alpha/upgrades.yml.pgp @@ -0,0 +1,16 @@ +-----BEGIN PGP SIGNATURE----- + +iQIcBAABCgAGBQJVNfStAAoJEJj+xrx1Kj22L3IP/1XeilOEfemCCj5FW/boexBs +6vvytgYxAWBi+IICD/Vv/JH6N0ogys/qXdTwNeStpHWvkOaXv4tJ3IK9Juqv4zsy +aUXVEn4BloWGsmD0O7I7flFyXI1jEh4Da+B4Hv1aAv13gm6Nqg872da1GWmU0Npp ++A8SaIKqRNNPt+dk763cFf9y1CBtBd58oeFiEW39HwWANkWEYzUIWRU2P97sLRkY +kIKP3155JdlTKddK7wsoxZ7IVkLxEBqoLhqlAhcmMNekQVrrY4PbRVcmp2ykEMDo +4cnYT0KqhqJvxGKybS55p/loEsiJiVVoYPqjVNw/Fx5EOv64pyeOwnlaJ8Q3ha10 +p8U5ijfdEEMGlnlXD6CHlT00HaEiQ0C27Rr7jNFQsP67Co851f+XpubSrUeeWTXC +iLxgpsmdlY89CGFWsbM6e71ZV5DJ9jtwI249aBOnM5jxEmZGWN2l3XdVajQpN+WD +DhqVEkarfqHhbFNiVv8kQgK8nHOraFVGLg1i62pfmDV7QWbbinhAZe0kA9NiqqBu +7+Zm71E3yvaIE3z+UdDcgUBKqqM73meibJGlx7Y+gDeORSO1EkWaiUwcySAiyDJY +47zfF4WqG5oxcn8i/qBb68g1qdLTmldm+lnU5ThWzINfqiVSjf/+bXv1VJT7750n +74M0Z7T+4lJdlGTBbrYs +=MBTi +-----END PGP SIGNATURE----- diff --git a/wiki/src/upgrade/v1/Tails/1.3.3/i386/stable/upgrades.yml b/wiki/src/upgrade/v1/Tails/1.3.3/i386/stable/upgrades.yml new file mode 100644 index 0000000000000000000000000000000000000000..d72684eabfb622adb75c701655628af0d62c57af --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.3.3/i386/stable/upgrades.yml @@ -0,0 +1,5 @@ +--- +build-target: i386 +channel: stable +product-name: Tails +product-version: 1.3.3 diff --git a/wiki/src/upgrade/v1/Tails/1.3.3/i386/stable/upgrades.yml.pgp b/wiki/src/upgrade/v1/Tails/1.3.3/i386/stable/upgrades.yml.pgp new file mode 100644 index 0000000000000000000000000000000000000000..a248eeff0b7b5e885b45dcd8beedec7cbe5fd972 --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.3.3/i386/stable/upgrades.yml.pgp @@ -0,0 +1,16 @@ +-----BEGIN PGP SIGNATURE----- + +iQIcBAABCgAGBQJVNfTDAAoJEJj+xrx1Kj22N5sP/idM4OdtGjhqnntix2MLEwup +aJCwGqKlnMgIhj0NpkD7wOJpnexmYotp01MWFCUo3rjnilwpnPH44/hpSh6HIuWZ +uWDGkL44czbqBJ3cU3KPXxR7jgZ1svHqY1jYHagqrQSSGE51O5HlwgH+zXKU7bco +AmyjQtmL0hL97ctnnZ2i9wyvgRPv1euYfV8lU6YZNKyWiRL8GQanCrBFeM3P6u4A +dVyTyvEN+LsD4Yvm/jOkNrTh5txdV79CWg2BesW68ZeHMI4ITZ2iYy/tujHQ6G1a +GRDl0JFuybekk/tMpQ+5n3COMlslKLPWxqdg6JRZC9xdsKWYl5ZD026yXFARspmG +dt2U1tYk1lwR9uhW91eA+/DtBGnh6ZitID4HEVNpC5It/gF+Yd2ru6AxMjt/3CbO +KgA5fTX8EEenn2vNMtamk9HMdKKiXjxU9dpHcSyGvKt5b7N6PKsi4xpjnJnESMFU +R9C67Ztj27I9UdZnJydpJlMUPPINqB9NBl3VEUz1Vmxo+jMVPou/QoZy0lfhIEBO +Kort5JtXLeMvWdn/2MJqf/6w0GyVf00qy/MUp6lNlzb24r6XwptGYptXvG7UKIWN +dcMdlamPVWoi9NlpZXaQEaNrTcYCidFYmd8lW1NQg8qgbFktZDZVlcaARlug5oMI +wwVXzjAU1dM5PJkUZy9l +=XmL5 +-----END PGP SIGNATURE----- diff --git a/wiki/src/upgrade/v1/Tails/1.3/i386/alpha/upgrades.yml b/wiki/src/upgrade/v1/Tails/1.3/i386/alpha/upgrades.yml index 2ccec9064c8c07a9f6382e810603a5ea81d26783..7ed93d5893d745290a2d31f1cbaeb2af54d7bb16 100644 --- a/wiki/src/upgrade/v1/Tails/1.3/i386/alpha/upgrades.yml +++ b/wiki/src/upgrade/v1/Tails/1.3/i386/alpha/upgrades.yml @@ -3,3 +3,18 @@ build-target: i386 channel: alpha product-name: Tails product-version: '1.3' +upgrades: +- details-url: https://tails.boum.org/news/version_1.3.1/ + type: major + upgrade-paths: + - target-files: + - sha256: 897fc177af159610136816e0396e85c36922da4ce86a74da3fe47c5bae7832cf + size: 954132480 + url: http://dl.amnesia.boum.org/tails/stable/tails-i386-1.3.1/tails-i386-1.3.1.iso + type: full + - target-files: + - sha256: ccac5ab1f01fe3d97df559e8eb16ef9e66944e39d25bbe8097f8af056063c6c4 + size: 178360320 + url: http://dl.amnesia.boum.org/tails/stable/iuk/Tails_i386_1.3_to_1.3.1.iuk + type: incremental + version: 1.3.1 diff --git a/wiki/src/upgrade/v1/Tails/1.3/i386/alpha/upgrades.yml.pgp b/wiki/src/upgrade/v1/Tails/1.3/i386/alpha/upgrades.yml.pgp index a016c340c34348ab08cd74a8eccf5e0cde8aa434..d84256c3161e00520dd83eed0ba7469c1944007c 100644 --- a/wiki/src/upgrade/v1/Tails/1.3/i386/alpha/upgrades.yml.pgp +++ b/wiki/src/upgrade/v1/Tails/1.3/i386/alpha/upgrades.yml.pgp @@ -1,16 +1,16 @@ -----BEGIN PGP SIGNATURE----- -iQIcBAABCgAGBQJUPvdiAAoJEBICghy+LNnBYnwQAJnjsqy7xc8IxxoYeEaiKV3e -QS0+DDfq172pNKKGcr/TF85KaMYZg4Gl14JQOKImAucKsevCWKs8/TofDvycfiUg -RyhuEMDURu52MIM9ECFE41NaYLYrF0xRG32nogXO5KzwLDuD6+9xwLieBiR4YH0/ -F72aP96hcnNmhYuYK5G8d4e9t0uuS6SZ/RY6JKFRlaRFT8o+XKlZl25wtQ8ce3tj -icGIkOLRxX83wIEPfKLgU94EZFhXaS3diDFKtKrxFPQPp6u3e/f8ooJrAyoo6pp5 -S1Jv8DDvpeS9PTK7E85NmmiHs7l/viePR4ll0S+OsoEflYhhUB2dqJ+D118ydY41 -LUGpLB7pGGmaQsI4ZUJXJtknOiW7B/uQvbAF/yXOTtufs92Pv3k+/g7GpF48MA2P -8wC+eoRxVZwiuWkkAuK6SRpDcUyA4xl7oFK5bWs+b4kd9HeMGE1u0G/NdFO0WvdU -kfew8lU1GTsz1cZTQIc43rA/i8XRqUrTC1Ow6GDumiTLYd2stQIfhGiegvzMAc4+ -KjmVKZI712CS/jOszDf2sREEo3g1N5k3lrt4c4BZ901bqzVKS9KJV43ZAzwKxFm4 -PHxn+k5Z51SPqlS6lZpHj2ZxEOSloje9tY4sAcdQUh+yrtuL3EEK3qEqzQPUY2Hw -9uL8FCgak+ZVW3aJGAoG -=JVUZ +iQIcBAABCgAGBQJVDzv9AAoJEDyD3LUvaZxWuBIP/2OhZmqFZS11Hxsu9CbL2mT/ +Vm1n4DJ1vKJDnrQQJ9mof49Gr2DWbWh+qHn5ktrAzUPnR/XUSowX29c4wCcD81vV +oHNvevv7o8JQfmyWn92RV0lpOcf9XJpUuKxAIlDCZqRIWV426BDYwz+5rZ4p2Pqr +lUXyeGK6nV269zlZbNZCH12JX9CyZmBy355nEoYwppkZfagc0BXqSbBngiVa6989 +r4l8q16/6JBJqRvYAyYVdGnuOU8XMeD96PuFFDzQEFuvwgg02UKovUIN4zqxkDfQ +AMXzSk6RkQfeV/3RvOWuFmzwQKNio57B7trJJd4OW78ZeDqRQcyFqD/00dG4202x +YknecXiVSNwrTggpqFI6c/B0mDLXdEzCiiQHgrj+yer4EnxBzqxaPvr/9FDBoe4H +1nLqT/gAlbts9RFZV0ThzA8FeTKvmpeHn1K4PH4wm1jkgLdMryMqPCHflGr/bcN8 +safwDSHVkGZ/1E6A/88rMoa2cx2EV0xQNaqhdIqxM4/FL1BrgWkI0QXHEBTEF+HW +KQnrSG5I2SaijTq4HY4M7xChD8MLvTQPZCOVkwe0Eo7jo6Oonn1G3yCS7pD1NXwA +KJn7GpwE1uNWyX7iw0KZhEe4xBAUKeK2C4UG/UaK3Qd13NwXYpcH27540oWOVuSR +P+AiNwPsgv8NnKROJejH +=trGD -----END PGP SIGNATURE----- diff --git a/wiki/src/upgrade/v1/Tails/1.3/i386/stable/upgrades.yml b/wiki/src/upgrade/v1/Tails/1.3/i386/stable/upgrades.yml index 19e6c95e939b751bfae6916e75d915fc8d180b4f..fd925c9b2c3698dca2350a8c041d52fc036842e9 100644 --- a/wiki/src/upgrade/v1/Tails/1.3/i386/stable/upgrades.yml +++ b/wiki/src/upgrade/v1/Tails/1.3/i386/stable/upgrades.yml @@ -3,3 +3,18 @@ build-target: i386 channel: stable product-name: Tails product-version: '1.3' +upgrades: +- details-url: https://tails.boum.org/news/version_1.3.1/ + type: major + upgrade-paths: + - target-files: + - sha256: 897fc177af159610136816e0396e85c36922da4ce86a74da3fe47c5bae7832cf + size: 954132480 + url: http://dl.amnesia.boum.org/tails/stable/tails-i386-1.3.1/tails-i386-1.3.1.iso + type: full + - target-files: + - sha256: ccac5ab1f01fe3d97df559e8eb16ef9e66944e39d25bbe8097f8af056063c6c4 + size: 178360320 + url: http://dl.amnesia.boum.org/tails/stable/iuk/Tails_i386_1.3_to_1.3.1.iuk + type: incremental + version: 1.3.1 diff --git a/wiki/src/upgrade/v1/Tails/1.3/i386/stable/upgrades.yml.pgp b/wiki/src/upgrade/v1/Tails/1.3/i386/stable/upgrades.yml.pgp index 6cdd24edb3e319b54fc6aadda8a7e07ce8ef680f..9be34a1a3e9dbab5a091725ce8f9d8b8c119fb82 100644 --- a/wiki/src/upgrade/v1/Tails/1.3/i386/stable/upgrades.yml.pgp +++ b/wiki/src/upgrade/v1/Tails/1.3/i386/stable/upgrades.yml.pgp @@ -1,16 +1,16 @@ -----BEGIN PGP SIGNATURE----- -iQIcBAABCgAGBQJUPvdiAAoJEBICghy+LNnBG2cP/3jtQ8er/2Chksf1dGwVTXiB -On5iNiLjjlypIm9XyRSK7kB44ta0Hhb6vmXRsr11TvzU/KzgF4CgVSTKRo8HJdsW -U73c5dGRS9vK4BEvOdUIVJTftVEhO+SZQVnM/gzhJlKmlUCohgjNpLY2Tm94YMtc -I8Eu4xkEeEsdzxUEYV23RiHniL/n0FzH5mJkwugk6IBdT3oyznIDgXKO+//pWbAT -AHYTWNW9EzXLmFBgW5NSZFavhm6cw7plZcR+h/G+qQza/bV/L7jGxuvsOM/n+88v -NDBEks7A2l9mWIKXmzKa9+CSVChgJ0i9HLC2GwbGGfkPowAu8pP+nNGls4SFDICf -JHn+gxWodlvaD+pFqJtiFC5Wwl1YFIxXDlAuF2v9uYdLTDJ0UfJwHCMPsdlFK96K -sEdMzb1iT4dl2YS/2rA5CpgpO0Kv+ZbGZA8VqI6WegJtKw7zmzcCkeGkbpjJELED -O/IkbgVmF5XjMiYQBKVHv03TIqccqYMwXFw7atpEmzfcTyj58zvymemXlwEpQHJP -ta4VWFeqCemw8Qj16r7tojf1nfGEL7ohgQZ8dhu6Uf8csNoYKJznzNhRvkDO92hX -GjLRtj8BxR7XdIEv85SAZvDavavc2QtOsl3HneALBUHi0qgyX1jAIkcReugHpNSa -lha9wQ+W2+4it/9+Z8Xh -=eepk +iQIcBAABCgAGBQJVDwylAAoJEDyD3LUvaZxWWuQP+waGeBMnF2rtXKBBjzMl+xCI +ge2/p/mnYiaXWx8poo8aD94AW4gUwYYDJil4TjAt9cIhlgq1cC6OIwuiIsIKajQL +jvjMoPsdwAN8Tp0IJU6k71sMtPyMNXU4Zu//8noZ9KYxXsFUTXMwt3rwNFZn3Fse +QODVM94gc+oF6+Sv6o2+Yx5dS75HooSwGcQj2Ufk7E8dj1sqWMYpCNjis0rtdG2z +PGiPGhwC1xeeQQNVJlgr+kXAHX7sdNkw2JtUcZSghsO/uOdN2Y+MKAXzitHOpItn +3RwYw0vVZ44m9SFX7sMFt4bw7eKS9YRy+zF8dOAsplHt92Zph6ZoxiM0wE4iXJzc +TJmBP41MvjFO9Q1r3PqASwV6RDQ1Vy1EELcxNbL/5DZR6S2UaCvtB/Q9JhlTG9eO +4deuOdB2QR1fOP8xpjEgKFJNhuqXZM+yh8rmnp1MmE/bmnicrTRvZZGOiaqTSRH3 +3jU7XrvHWxtlpWiXL8UnRY8tyiuaYPmXL1r4JU2zcRVP7kbqCWJDkXsyRGVcY4F3 +lPW/FIDCBxZwOsN/xE97XssqUKZxLBNmwmy10toKu/Lpg52zDovwKPI/UCKPNSVW +bRrhltxP7vzcwJB5MJimVBR4ze2p9wRfca2ZB0Mld4P1ZC3wGRxtcFzjD4Vy7X/o +w1dKDNgwpjnusGt94Kfw +=/jU+ -----END PGP SIGNATURE----- diff --git a/wiki/src/upgrade/v1/Tails/1.3~rc1/i386/alpha/upgrades.yml b/wiki/src/upgrade/v1/Tails/1.3~rc1/i386/alpha/upgrades.yml index 40d1386ae08bbf4970c75643c2ad66749a24aaaf..69849edc0d6d060f6995dfe16c758b35b0e78d29 100644 --- a/wiki/src/upgrade/v1/Tails/1.3~rc1/i386/alpha/upgrades.yml +++ b/wiki/src/upgrade/v1/Tails/1.3~rc1/i386/alpha/upgrades.yml @@ -3,3 +3,18 @@ build-target: i386 channel: alpha product-name: Tails product-version: 1.3~rc1 +upgrades: +- details-url: https://tails.boum.org/news/test_1.3/ + type: major + upgrade-paths: + - target-files: + - sha256: 587e06c70420e486fa441f872db5240fe24c3a4f7acb4f003fddaeb36d8c6df7 + size: 954132480 + url: http://dl.amnesia.boum.org/tails/stable/tails-i386-1.3/tails-i386-1.3.iso + type: full + - target-files: + - sha256: 231eddab871a5de1dc69c36e15ca064ec6074d2e70e2346fb7f5f8f963ff0d87 + size: 169461760 + url: http://dl.amnesia.boum.org/tails/stable/iuk/Tails_i386_1.3~rc1_to_1.3.iuk + type: incremental + version: '1.3' diff --git a/wiki/src/upgrade/v1/Tails/1.3~rc1/i386/alpha/upgrades.yml.pgp b/wiki/src/upgrade/v1/Tails/1.3~rc1/i386/alpha/upgrades.yml.pgp index 1c33bef68dc44fed5bf629448383beb99b4e66f8..ad74a8133750e1c182ad4e7a84047bb1f810deba 100644 --- a/wiki/src/upgrade/v1/Tails/1.3~rc1/i386/alpha/upgrades.yml.pgp +++ b/wiki/src/upgrade/v1/Tails/1.3~rc1/i386/alpha/upgrades.yml.pgp @@ -1,16 +1,16 @@ -----BEGIN PGP SIGNATURE----- -iQIcBAABCgAGBQJUPvdiAAoJEBICghy+LNnBaaQQAIsWdMvbGgEdg5AXMD9BWWPi -2y+V6orzilgFIFuQvJ2fdSBNUwp4EoBZlQsltndB9n+Y13IO3hhA12REvKU7nxH9 -/ekzVq37mYmyUADu5mQmdWyPlBPXqCvxobgzDyXkzIvIivJvetsroBYG9Nhyiu/w -j3iEbtEgtOcLZvF9Zpdaqb9nJSUYIdqvUagqlTfT+xVDzqtehClBWN0odlQkP7cf -/JAATAS79FfN7Cml8gATpM+404PMxoQT/cixV/xWJFCKoTryG8jlC4rMqBxe86iV -Ft7p1O4lNcFkpZ/qI1Ov8fh/OgRRxQ0fZu+kcIdSmJbHrhVN4dacaKA5qm55Qgc3 -d0h0nAg/vxaZYVRITZFWwlxZlNT59GZbqTmG1OrmWwmEAhXlYeJ0TcFSJ4wf55fV -ndHk83k0mSzHv4mp3x56AMcKIRupZXDj1jtD7KzMQrqUPn3L6Ty0bvKJhsu0OZWI -EJrlry9FfV+yug4DViyKgBOFtSIAZDY0l1NM6tkoTE82o3MSy0ohKiawH4Uv/Kj7 -fyykAzP4UT+6UOmks8Mcg/Sasb77kIqZ5oiIPA6MyNc/Rr/8UfZGMl0f8Aw+bOtU -Bq5UGPhXdHKj26XwPYYUDduiOyKOGRqqfyQ/K/Ey2q/lOe9dwf39AYTwqoHR1PkQ -QXaMRvfWtDHJ2Gv18ODV -=T85T +iQIcBAABCgAGBQJU69AOAAoJEBICghy+LNnBauAQAK43PPyaZNy/WIGCOhbJneOl +Z6coUfw3LBJYKmUKAzjeQrvPUFwuo44KF02rJPDOEBua/Fl38CzUAefI0msgjUap +OTLgUQ5NSXwB8g4Wr3SHtwA4mIdl0GmU7f3cs1MlQ/2P5UHK39ZQYvGEhL+23N9r +YY/UNCKd3OMdNp8mJsX0yOrtuGsL5OAiRM3kxxozJZW2ztpOeQzTLy2xcMWhZfwL +KXevGUPSg3250yovVsWRnLGIxQxBWbjv4qUZvEBut/LHROgBdYcu9z4cDW47irxk +eubm4CvCmUMPEDbE4eV1/6z/JQTc5sfg224f4Rtqd3/+3/HvIiwK61QlmZRjYZ1X +ke//OBMEhskYfoBgARqT11gndpdG5ctr8LmZxQ61fur1z+QEA+Se+lfWkhP1nn77 +dWhIrpidf+Ycg69BsitWx+5uMnTp4DCTd9e3tnfA26RXKkfXaFS7yo4RgsIF4/s8 +7QaoVKw5Xzou9GDRWRDLP4Cs0BWj2n9u0ujJkgzYjFdHnv9o87KPANB90eg3zSOo +5dw585ma3VH5BcNbXyhvv4wN1yjpGAJ1BaS3TR+gVGnG9o4ecWqbdSqwnJTptubj +nA2xTUbbqePlgZrqEsZxrsUIpyLBPLHzyYXgs3xw3uPRSUnSBSQFc4a2sTHAflfk +v9syU4mgsy3Gx5C2dtTt +=ptHJ -----END PGP SIGNATURE----- diff --git a/wiki/src/upgrade/v1/Tails/1.3~rc1/i386/stable/upgrades.yml b/wiki/src/upgrade/v1/Tails/1.3~rc1/i386/stable/upgrades.yml index ddbfc8d1acb5311aaf3a5525a4463de04e074f87..38a53821bba6592be9e57a827a952057ff3adf85 100644 --- a/wiki/src/upgrade/v1/Tails/1.3~rc1/i386/stable/upgrades.yml +++ b/wiki/src/upgrade/v1/Tails/1.3~rc1/i386/stable/upgrades.yml @@ -3,3 +3,18 @@ build-target: i386 channel: stable product-name: Tails product-version: 1.3~rc1 +upgrades: +- details-url: https://tails.boum.org/news/version_1.3/ + type: major + upgrade-paths: + - target-files: + - sha256: 587e06c70420e486fa441f872db5240fe24c3a4f7acb4f003fddaeb36d8c6df7 + size: 954132480 + url: http://dl.amnesia.boum.org/tails/stable/tails-i386-1.3/tails-i386-1.3.iso + type: full + - target-files: + - sha256: 231eddab871a5de1dc69c36e15ca064ec6074d2e70e2346fb7f5f8f963ff0d87 + size: 169461760 + url: http://dl.amnesia.boum.org/tails/stable/iuk/Tails_i386_1.3~rc1_to_1.3.iuk + type: incremental + version: '1.3' diff --git a/wiki/src/upgrade/v1/Tails/1.3~rc1/i386/stable/upgrades.yml.pgp b/wiki/src/upgrade/v1/Tails/1.3~rc1/i386/stable/upgrades.yml.pgp index 1fa7e8b799bf788575f1ed795c575c33b5caf35f..1563ba6d9f80ac516cf719822ddc7b6db744bd55 100644 --- a/wiki/src/upgrade/v1/Tails/1.3~rc1/i386/stable/upgrades.yml.pgp +++ b/wiki/src/upgrade/v1/Tails/1.3~rc1/i386/stable/upgrades.yml.pgp @@ -1,16 +1,16 @@ -----BEGIN PGP SIGNATURE----- -iQIcBAABCgAGBQJUPvdiAAoJEBICghy+LNnBPpgP/3XvCtV62jb59GnXfcTHfzCC -MLfdT2tKfb02AdTBRDFcPI+WpA5T4jyv+c1JlStiXx56urgHY5EFYyPmKuNawxmO -hSGMNIvCAN3fDQFHoQcmLbBCnwjsraE0NySyHfgnQF2BphW50K2o91N3QqXfyKOc -ozdis2siwjub/iGJ2GCv/F95rpybX2ZVTks0D5M2cLHqEToUYij/LymTYRNHo6UZ -XMVPl4mlKt9Y58BRhKzDv+i9LNXeflEK+j59i6Hdk8KAm5+314UEULptt68cy7O9 -m6zZPmG9JQ+wXnVut9/53hsBQbSOqTnKCwVb4+CNedkIUNMIfVpNjGYJvlQEWHpO -01AEFp0lPNdHtrVKyk3HdyJiRk/IkNgvM6fuI9kqr5WYl4iTzhO3LdaTU4kH+7+q -PVv+WYdJkGXA2rroxvh1/ot4bsAcDAMrO+CGBS4zlwxNjyG8aSFU09yvk3bEvaTf -+3VCxvAxsGVUDxTRdlc2QhVaKzsnml0jWt7X+vmg2JfJ6z+GH4ydyHtMetu/129U -Utcf8P5KNrRW9H13eQxnXGxBq+ilGa8IR8KfmBPrCxbqu2t7njhg5LJBpZBQL6B3 -F0/qc9d6dZwtspIvnIRc90bTeQlQfUfEaswFHkog5j4SKuVOtfjCAV4c2uk2NuSf -gcR2DTCT5HNSjgYlzHr/ -=OsEH +iQIcBAABCgAGBQJU68utAAoJEBICghy+LNnByLQP/0bdOf1stKdXV+LyiW7Z8rDP +QZNHUmfB/SopcDVBz8m6k2D6fOLX20a+ksnQO8sm6hMStifdzcWDTVSHrIjkfEOx +N9HhD1VAmy5L8dZM1yvLGXda6RVVjLB+tHbPAqhmjR0vN3c27z2Q0XjmqWrVmQGb +GX3bpxf2SKxndjLzqd3b6wgPiwcIgCB24kjjaj8HoQfB5axtRrfqB7eta1IyEfxC +HDbCrpWeePyk3sL4ka1M+BJtV3jR/SByuBDCNhJS21AT3pdj7De1f6akqgX0h8gE +sGQaAH/Ps3Y9z6f8NmGc0ysI5CTCwvSXztS8xDcudaeKE79fQ6/YXmZG0q+J2kk0 +vb+HlECpVg6PiodACz8vPtw0FjGrQkDZkStjYs6Z/DzoC5vHMoo1PDa5wN5Z91Av +m0+fI15g9EvviVpM9zzDRK9geZKZIikJ9VwZMASsnvpH11pFuodZkSnaDf3iBLwo ++yYtUsi6TyGbdCtiMUmlrM/gSvsCBqIVWIj07vG1vtJkstDgW3XgCN60c8mW0gci +J+jI8ETQQbYqWartA6K9gHUqpv+dlJrPir9BFL1LCmwOYOSDVNMqZrfAah1s+9q+ +UBKOqssfNOy8OS4iGZI3MIyztJteaRKyIaqM+2oRGUFi9lHqX1m4NtgB/RYGBsH6 +eCcgndkb9E/gg3FB7lnp +=piYd -----END PGP SIGNATURE----- diff --git a/wiki/src/upgrade/v1/Tails/1.4.1/i386/alpha/upgrades.yml b/wiki/src/upgrade/v1/Tails/1.4.1/i386/alpha/upgrades.yml new file mode 100644 index 0000000000000000000000000000000000000000..706a3bd4f86aef30b72750614908b6ccb15f3cf3 --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.4.1/i386/alpha/upgrades.yml @@ -0,0 +1,5 @@ +--- +build-target: i386 +channel: alpha +product-name: Tails +product-version: 1.4.1 diff --git a/wiki/src/upgrade/v1/Tails/1.4.1/i386/alpha/upgrades.yml.pgp b/wiki/src/upgrade/v1/Tails/1.4.1/i386/alpha/upgrades.yml.pgp new file mode 100644 index 0000000000000000000000000000000000000000..2e3ad2211d17effa184eb25c74979ede486c8a88 --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.4.1/i386/alpha/upgrades.yml.pgp @@ -0,0 +1,16 @@ +-----BEGIN PGP SIGNATURE----- + +iQIcBAABCgAGBQJVUPMRAAoJEJj+xrx1Kj22Ow8P/R8kZXJ6v0RWn50z5hlaMFth +kdFBiG6IzA7f7hhrkeAFGkezawZc9b0ko5bGy6g87goxOlE4QjlJwsDVNL1Jdqs9 +co+gFcguDazA0YwA6dsr0nwFt5jlZfKcyC5pO6cjhzNKmpLUEVIpfJE7cgovD0B5 +XWpCzfA3PO6/WTjxkmAcZIR44fqlgFFp3wEKCwIOBV5fmH7q9lfdCjy3E+gLD2Lq +BQrJbfA9QclXr1Z9sf4gSs6UBljF4IUFiWH9a8vyA84wv7ufspM+ESAOevV6ikDV +zKBixdN4aDVnokLKzrq3TfkJKjWrpLhGzG3hRnzekGBL7qB4Y3V4moRMXIW++B1K +5cRDvfTrm4ktMZBhRPD3oVZeyO7nIDCMCDuXTe8azBtXSnW2IGm1ir8m+mtianvZ +WBxCpTswO/C9ZvY8py2LlnIUSdDHS7BmpJF6Oz+sLrhncwL5HPW35bC1OCNTt11Y +8dpetDf1vMbRKEahKeNcSYMM9vrhWX8oeAVxTopxl+V35lZtSDqLKU1TMbEcZbSD +qZqlKE0a73RGKng0CIcVz1dW4Doy0v/EzyFFP2+lAizB/e0ecz5RcUsebQqEjyNm +nLwnWRsJbuKuXSItmcd89ywG/zBD0tcSncaIdjpYsNvlj9C9Tv6rmEitEa0JMDal +4uOQRWMzQtNZdnh0SNMk +=LtgL +-----END PGP SIGNATURE----- diff --git a/wiki/src/upgrade/v1/Tails/1.4.1/i386/stable/upgrades.yml b/wiki/src/upgrade/v1/Tails/1.4.1/i386/stable/upgrades.yml new file mode 100644 index 0000000000000000000000000000000000000000..237d11369da49b5381cb6461c5e87199c4eca403 --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.4.1/i386/stable/upgrades.yml @@ -0,0 +1,5 @@ +--- +build-target: i386 +channel: stable +product-name: Tails +product-version: 1.4.1 diff --git a/wiki/src/upgrade/v1/Tails/1.4.1/i386/stable/upgrades.yml.pgp b/wiki/src/upgrade/v1/Tails/1.4.1/i386/stable/upgrades.yml.pgp new file mode 100644 index 0000000000000000000000000000000000000000..512e9801cd221e6852582bfe40efa1aa76b15959 --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.4.1/i386/stable/upgrades.yml.pgp @@ -0,0 +1,16 @@ +-----BEGIN PGP SIGNATURE----- + +iQIcBAABCgAGBQJVUPMYAAoJEJj+xrx1Kj22PowQAKDYAy+Cah7GQB+eb2Lq/wtC +HaKITicFscigVQ4+xCOj9CR2C6LtKWnKoj61A4XFgxmSkWVKVGW31Tdcwkmlghas +V0cD46yRUYPZ4iCmZ2NIT6v0Ii15u3YjZVpJA5g/r3i3+Iw3wZ8V6zmFmHvn2qc1 +vUlVii+hXdohqdjVggPsAqKJvkW599+VTawBsMuAlxQQ1NJQQlgOykWrYr4ip7wS +ozwfBlaiNhBDEbJMc49GjwURfGUo3JfEEADJRw6Cxgclc5Z5P4zX4iJTqq8FTYq9 +oAkGYsl7uXbrJsuizUL2PXy11LyXXtPEtW9GMJYMdpe5ZBEPy2CVTzChDwP3Wc2H +Gw05aZ+NSp2yY/IpOsBTF/4buiyrSx9EwA8xHkWd9PMzA2+rKf5iyIQwQGYTJDY/ +ez9w+yzAjwJMP2YoLvTadTA4MQp2zwaljZF5ymCIvgwyxLfc5iDAR3wFe7i+mn0J +dIm/hFwMSV6fahtoseEFbvQa5zpGakX77ucIEwDoCiCXg2wSMKYCM8XOXFOFQyUP ++szHBt6Yf1fZk5cseAduS3C03OkSVtnBUcHaHS6LwTsbgJ0Wv4kpoO7i/oqoiutZ +csdl0V4/29JlxWrAtr13bgi6WjAZ/BdFApgzKjZCDD4ykWT2NWJRmfS1JJ/wbNOj +tvqFHLrgbMwY6kFEulSi +=233t +-----END PGP SIGNATURE----- diff --git a/wiki/src/upgrade/v1/Tails/1.4.1~rc1/i386/alpha/upgrades.yml b/wiki/src/upgrade/v1/Tails/1.4.1~rc1/i386/alpha/upgrades.yml new file mode 100644 index 0000000000000000000000000000000000000000..e8d0fba246deb3d80ac293130bd0d4e5281061bb --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.4.1~rc1/i386/alpha/upgrades.yml @@ -0,0 +1,5 @@ +--- +build-target: i386 +channel: alpha +product-name: Tails +product-version: 1.4.1~rc1 diff --git a/wiki/src/upgrade/v1/Tails/1.4.1~rc1/i386/alpha/upgrades.yml.pgp b/wiki/src/upgrade/v1/Tails/1.4.1~rc1/i386/alpha/upgrades.yml.pgp new file mode 100644 index 0000000000000000000000000000000000000000..b37a386c55fce8f3786c18a1fab2090aa45ecabb --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.4.1~rc1/i386/alpha/upgrades.yml.pgp @@ -0,0 +1,16 @@ +-----BEGIN PGP SIGNATURE----- + +iQIcBAABCgAGBQJVUPMgAAoJEJj+xrx1Kj226gIP/RAOV9KtB1beyY+NtfGGrnM4 +8q8ovkVKuHUX0aQHRna+ftWQuiZpP3aU7DbRL2CeqZFq9xGNi0hxFVRWvfm9x9u+ ++vRO2v1M2V8dOX78/pAYAqNXl9XG0DUES/pKX1C6tZR+CwGtmgiOBWAIZhl/f2SK +OHZOyB7C64GMIrETIVZCTRdB4Q3zVhAXxOrowjkA2M34/CDWfNZiTNDV6rSObDts +RjHa+x3wjLl+mEaQxcJvYXLW9U5BnRVv/vkgW/stEz+fhmJMXSW4JtZP7RJIxpm4 +jm1gVPFPsMDjQzpYPg5vcSyYb4KUVUFTPDsJ9xo9NBRij00xdTz1U/fgS2EOfoKj +hhI9IErWDjZ/AUokOSzh7arOWnAtK2UbJLXuKghvbb+TRtHfgk+qpMoW2AW7a+Jd +9hlzxo87AgKxhXYzgmREnPgGF0OqVNKia/OBDm2HyTVGZL7JF70rimtK9KDCmh7w +h3Xublnib/qOH8e3sOkCI8mmq9F/VmU4P1rpzjMeCgRq6S15u++NlzrOVXV6fIs3 +xoKi4O+38p85OtQqttiMVMUX6buNokElgshwQwkO64D0vuQXE4Zlf0z9UacAvr/o +JFU8DRsGQM6L/tFr67Vslhc6gT7ARt2U99uhqGaqKPnOXbxDAx75g8JLbUgGsWsg +SOuEBbDgUXaG6HNvPkNX +=ugEx +-----END PGP SIGNATURE----- diff --git a/wiki/src/upgrade/v1/Tails/1.4.1~rc1/i386/stable/upgrades.yml b/wiki/src/upgrade/v1/Tails/1.4.1~rc1/i386/stable/upgrades.yml new file mode 100644 index 0000000000000000000000000000000000000000..1c340abb324b976cd7b6c879624b87133a042648 --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.4.1~rc1/i386/stable/upgrades.yml @@ -0,0 +1,5 @@ +--- +build-target: i386 +channel: stable +product-name: Tails +product-version: 1.4.1~rc1 diff --git a/wiki/src/upgrade/v1/Tails/1.4.1~rc1/i386/stable/upgrades.yml.pgp b/wiki/src/upgrade/v1/Tails/1.4.1~rc1/i386/stable/upgrades.yml.pgp new file mode 100644 index 0000000000000000000000000000000000000000..457647e079d2445e69a57193296819af130d39e3 --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.4.1~rc1/i386/stable/upgrades.yml.pgp @@ -0,0 +1,16 @@ +-----BEGIN PGP SIGNATURE----- + +iQIcBAABCgAGBQJVUPMmAAoJEJj+xrx1Kj22Zu0P/iY0fBUqFXbYRgddBdLsYgZM +OyGBi/NQOAoTJuC4XgxclV/fuLEi/ztFfmm2+p7opMHdsXlMMHd2yp6UfdxPicXK +WaD9H7EkXpdHA2gM8YCf6RtIHlhW9X9uQ1Ot/81Iet8ASXtK6Un1x41Ktf1YDfCh +zoqgM+XEK/mdxud6q1i5Np5gw9W/k6pIKM4GPptWkSwQSIbXgKPEG2LZiO5gF039 +A3NaRqp2Ni5rQHDUtCZK6k8HEbv0gWCl4HuU5XKKS38m5b/WPb+QPaL0tHxpcWaZ +YV1Uw3A3IXjcweu9xUjX2l8a//0SOpszUZqe1BcDNkw3ffswlxUj5URuiFv3Z117 +DbeP2LH1j2R/GNJrK1AZDis8NkW70tooKIokVDOIspIOuW4OsM9W0Tz4lb5m12tE +NGoCNmuGNchNwZ+uW6dQZ+YA3Ack8uk3zNeD9kKO/hiC+xYqiI+qQw4PU3L/+/sM +DrIten5FAuspaI5GW+OQHiBnrKR/HoSyLlSBra0fTGwZ1Kx2nV2jHF0aE6dXEPnC +y0QTZDGMfRWasT3YnJGBNAdT0MUD1xrzrHCV3nWRKRfsvuZJfvyEYIj8WWeDns3o +F6wcyPQ/jmicZLj4R3SBA6cHbDK5l6DJdrcHsrk2g5uLdkOQJdJMzFLyzBUi+m+w +u+2yq8UvsQvkR8JLqKXv +=yzxG +-----END PGP SIGNATURE----- diff --git a/wiki/src/upgrade/v1/Tails/1.4/i386/alpha/upgrades.yml b/wiki/src/upgrade/v1/Tails/1.4/i386/alpha/upgrades.yml new file mode 100644 index 0000000000000000000000000000000000000000..2dc397669ba3e470c90a70eefaefe44126f5d389 --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.4/i386/alpha/upgrades.yml @@ -0,0 +1,5 @@ +--- +build-target: i386 +channel: alpha +product-name: Tails +product-version: '1.4' diff --git a/wiki/src/upgrade/v1/Tails/1.4/i386/alpha/upgrades.yml.pgp b/wiki/src/upgrade/v1/Tails/1.4/i386/alpha/upgrades.yml.pgp new file mode 100644 index 0000000000000000000000000000000000000000..1a5a17c2e6307b69e84bd25358b9ed4cb1aea487 --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.4/i386/alpha/upgrades.yml.pgp @@ -0,0 +1,16 @@ +-----BEGIN PGP SIGNATURE----- + +iQIcBAABCgAGBQJVDw62AAoJEDyD3LUvaZxWPnwQAL9fmQqhIz5qfaR0kYy3V1yo +naseAJoTfiEFfsu+wEtaQI9arfEhYJXa3w0e0j8sjZNqgiIwehzz7rG+lVvVSSy9 +e5OGeJQm/EfX7Z11yQclOB1l/Len4xjdb+7qtbaEcuG4iFRdMYhEbG0hBWNbYnrz +DhPNBA/SnZyQSxEcISh7n5iWqhTtlVfy7RHvsIP+VmeRJKXe3aZkg+mCvXy8uFWz +1hG/XVakSi+ttQQlojcu6BGcu2D7AjErh4DE8sXU5uNZoj7MPBWPEkOn5jvg6FRE +GFRTce7cZxkbcw4Fjw581xUq6fzrPuc6tmwa1uYY9DrE1m55B2Eh9JkuBhFm5A7r +1NoXZnFtweOYkVAPILhgJDGGLHtuH0Kz4TFwPLkpsHvTdAh123bQq73/2s8C5Gp4 +Hl7t3dVcAEQFoWb7mslW0uqHOK3RpMk3eRzZYgcxf8hbERKueb7C6evRs23xE8jr +bLT+TjsFYKfpebaIyf35FAmzP6r7R9PTFN7QfVmDvv+/adGYGOtEIxyWVc2QcxtC +I7bVavzSfBrwKwlwbRQQPaUHPAfksSx15OIC1LsiNs/0YHM+S2YmEmoQ6ehhXQdR +wBFgmu+Wydx8GbtaLvuVQgcLDc8tXfLX2jYDubo5Bp0FnvYIYh5hwAL+IBWeWfzO +EhfgV0AQ7Ki5olc29fDA +=uvqH +-----END PGP SIGNATURE----- diff --git a/wiki/src/upgrade/v1/Tails/1.4/i386/stable/upgrades.yml b/wiki/src/upgrade/v1/Tails/1.4/i386/stable/upgrades.yml new file mode 100644 index 0000000000000000000000000000000000000000..318caf959537efc100356bfe1762022189605472 --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.4/i386/stable/upgrades.yml @@ -0,0 +1,5 @@ +--- +build-target: i386 +channel: stable +product-name: Tails +product-version: '1.4' diff --git a/wiki/src/upgrade/v1/Tails/1.4/i386/stable/upgrades.yml.pgp b/wiki/src/upgrade/v1/Tails/1.4/i386/stable/upgrades.yml.pgp new file mode 100644 index 0000000000000000000000000000000000000000..cee987e5d2feccfe7dda096c8c3b07b5552f978a --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.4/i386/stable/upgrades.yml.pgp @@ -0,0 +1,16 @@ +-----BEGIN PGP SIGNATURE----- + +iQIcBAABCgAGBQJVDZ51AAoJEDyD3LUvaZxWDv4QAL+MB79jt2xZfs4u1v3h7J73 +p7LdZcevS0MgHriBFZ0t/CKfKyEBvToSQL+mEZOlpNW8Hk/ft+36l3gd2f55WQA6 +6XNtcBDeyusojfQF1XpisHAekYv7kOGgdIcOKQhkfHt++mj6eypCBempz959BXAB +WuozXNNJdSt2TgCejJEI8nP/JIWOLjHYiOwvdBMp+t1dzgd10inu6v0+PSqmyaXL +opENgLb+Ik9aQN2hiyVuf9bJEv2lk2ua5YhDm96A3JnJGZ+jTHaldM1pGD8j8I2N +55kqTtSOov8QFFnyooD+7R0m4TGKQJeUAsGZ4MqsF4n/OohdxQn7p1hH2/TtuZWu +fO7V/ec+4YGCMUWUb7EkUwvRCWQV+c6V3ndBNzmm2tYy4bzhOBy/v5duM18wLmc4 +JS0be42xVfhEIjp7/MS1NUvgKizGZbHDm9kZPQD4ybM/K2glKLpioOLGzyF6LEvc +KqDJiG6k65Z2VAhM5+6MJVnM0cUXy4PtMyx6ut/g8ll9fD0RrG67+rZXnpd6z2IZ +AY+GJSqYataggSDN3JFfUAFbOUTaeSqfVbOByXHFyx4Pu5hTNl+AZ0oV2BvJDBJr +Yr1AXtYIwjEiU6TBruBxy4uW7eyIx4aQvRUMEgNmk50DT8irGQ7qjFGdDSsPAGOH +2UuRcyTdxCFTX756EP7a +=rikq +-----END PGP SIGNATURE----- diff --git a/wiki/src/upgrade/v1/Tails/1.4~rc1/i386/alpha/upgrades.yml b/wiki/src/upgrade/v1/Tails/1.4~rc1/i386/alpha/upgrades.yml new file mode 100644 index 0000000000000000000000000000000000000000..2a765f6965f8bd0c4eb604a195acfa2c98b25dcf --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.4~rc1/i386/alpha/upgrades.yml @@ -0,0 +1,20 @@ +--- +build-target: i386 +channel: alpha +product-name: Tails +product-version: 1.4~rc1 +upgrades: +- details-url: https://tails.boum.org/news/version_1.4/ + type: major + upgrade-paths: + - target-files: + - sha256: 339c8712768c831e59c4b1523002b83ccb98a4fe62f6a221fee3a15e779ca65d + size: 970584064 + url: http://dl.amnesia.boum.org/tails/stable/tails-i386-1.4/tails-i386-1.4.iso + type: full + - target-files: + - sha256: 7b4e5c356b58dbe8166ea14a0f025cc1eaf14722e7504ec5bc2a1562c7d2c181 + size: 87562240 + url: http://dl.amnesia.boum.org/tails/stable/iuk/Tails_i386_1.4~rc1_to_1.4.iuk + type: incremental + version: '1.4' diff --git a/wiki/src/upgrade/v1/Tails/1.4~rc1/i386/alpha/upgrades.yml.pgp b/wiki/src/upgrade/v1/Tails/1.4~rc1/i386/alpha/upgrades.yml.pgp new file mode 100644 index 0000000000000000000000000000000000000000..9517cf78a38924a05649f63af294936effa708f8 --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.4~rc1/i386/alpha/upgrades.yml.pgp @@ -0,0 +1,16 @@ +-----BEGIN PGP SIGNATURE----- + +iQIcBAABCgAGBQJVUPIUAAoJEJj+xrx1Kj22fgoP/Aj8CHNGq4MSADdsAoaY3XuJ +JD1iP72jrQD94OxQFxFdeKIMeDFYblxuwMZ9fLfNVN9D3ZrxGU+7GQD1CXu3HZpR +yYN7OZSSBONSAXEDiQWSRoZeEYtVCZAW1DMoGduACD/YUvsi1Set9KXGLu5jXd3+ +Q7q1lXQAtpGSPqsxbrwGN8NXewCLy33jDJUs3m1gomaYsU0teymSM5fgST8/dKcd +4vJ6nIQgekqA36rtd6qvNqQlJKhKVaoFG5rrSQhsTn4U8LMCioiqVWPLmXwh/RdE +YwKM1msmZ0jhLvr1Z4gWzyC/A2Jqo6ZmGOuS+7LaOlzWYG3dbrdquRsMQpLvvmgH +8S3uUev0n0VWEHXpieRYv62NoHDODZXCV1JZBaBmPxy0h21jJWJTt7Uzzrlpd8Q8 +J3Vvg2vnUcRW72wl+WsdPFeK2yd4OXis6jJpuajED9QXrBIK1RcZLp9ifY+d7gdY +AVmnOziMiLSr4SQDSMpPOs0Ly5VXxsjSGupERy8mK/2DLYfuFH5Td84nn+yL0/di +B8H8uGG7Ya/QUU57mUx6+2aizRwAEu612HNO3kkQt755seQ92d5L5pR54V/sX2HX ++s/AMhOk/32c/MxyusHQc2JgU9FyGIiSBpy+Din6jMdPZElCvfI1zhvFG7Ixna8A +eW+rASmGlM8r4JWj4KeG +=ar1e +-----END PGP SIGNATURE----- diff --git a/wiki/src/upgrade/v1/Tails/1.4~rc1/i386/stable/upgrades.yml b/wiki/src/upgrade/v1/Tails/1.4~rc1/i386/stable/upgrades.yml new file mode 100644 index 0000000000000000000000000000000000000000..efd2c5c32da89c798d8cf65036d540f707878d96 --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.4~rc1/i386/stable/upgrades.yml @@ -0,0 +1,20 @@ +--- +build-target: i386 +channel: stable +product-name: Tails +product-version: 1.4~rc1 +upgrades: +- details-url: https://tails.boum.org/news/version_1.4/ + type: major + upgrade-paths: + - target-files: + - sha256: 339c8712768c831e59c4b1523002b83ccb98a4fe62f6a221fee3a15e779ca65d + size: 970584064 + url: http://dl.amnesia.boum.org/tails/stable/tails-i386-1.4/tails-i386-1.4.iso + type: full + - target-files: + - sha256: 7b4e5c356b58dbe8166ea14a0f025cc1eaf14722e7504ec5bc2a1562c7d2c181 + size: 87562240 + url: http://dl.amnesia.boum.org/tails/stable/iuk/Tails_i386_1.4~rc1_to_1.4.iuk + type: incremental + version: '1.4' diff --git a/wiki/src/upgrade/v1/Tails/1.4~rc1/i386/stable/upgrades.yml.pgp b/wiki/src/upgrade/v1/Tails/1.4~rc1/i386/stable/upgrades.yml.pgp new file mode 100644 index 0000000000000000000000000000000000000000..54ce60f2eff293cd0608f8d7ae6128608dc26702 --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.4~rc1/i386/stable/upgrades.yml.pgp @@ -0,0 +1,16 @@ +-----BEGIN PGP SIGNATURE----- + +iQIcBAABCgAGBQJVUPMLAAoJEJj+xrx1Kj22PWYP/1HVFKCGspqRNTvGusrhiwkI +brhiY87iv2ROyZVgI7isavH2YW0SvBOeOhNSc8yiVTlr9qGUNYUit6cmquk2N185 +2qAKGOIlL9byP9gltKvW1B9Xr6bscY2CXuFlCio8yGPb7KWiaRak9P39VTWUCdo7 +9fhAvdxWVG69IDJO2SqzYzpx0I1QxjVRLqIQPYV3CMBUq5TTbNHvFPe5MqxvnlX7 +dUPuAhChTGFqqKb97v6JJ4CRJyvFkxNzICQdvaxEbo9CplB+NY7lpthEZ4TC0EGu +ZEJIiuOmaSLiKNl31oTPCT56zWdfWxZDkzEC2rzNFck+59hxT6S56DLF+bd8V7em +xpToHDl4eqA0CTiCDRyXjgtqAwSAONpaWwC0hJSQyRftPFjIGm6qqE5p7nvsKgVY +qxKqtBXafgL23lgXmIfTfF5pJ0Qu+VjM9IRZORBD9nBBQomUVDyl7y3HkZSJblQL +aXhBEnp7ZCcXO8ZKwIYRxS31AR5X0w2JHE0CYBJLjPXr5HhGdR7fDhacI/hZuJdZ +zIQtnDh3adx44qFYlUqRwi9COVg+KdCyRU0j4SLoO/CArDGtY6IOUKh/bE/0ej80 +bfenwLoXQb16+ufXwTVJ9eNueN0vAHZ3A2fFgoCq4E9sJ6t7MUGuZ5iDx1N6QhAQ +r0v+18IHv1Gdf1kylhAO +=OEsI +-----END PGP SIGNATURE----- diff --git a/wiki/src/upgrade/v1/Tails/1.5/i386/alpha/upgrades.yml b/wiki/src/upgrade/v1/Tails/1.5/i386/alpha/upgrades.yml new file mode 100644 index 0000000000000000000000000000000000000000..b135651e610eee2cc06eb450f7882da5e17698f3 --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.5/i386/alpha/upgrades.yml @@ -0,0 +1,5 @@ +--- +build-target: i386 +channel: alpha +product-name: Tails +product-version: '1.5' diff --git a/wiki/src/upgrade/v1/Tails/1.5/i386/alpha/upgrades.yml.pgp b/wiki/src/upgrade/v1/Tails/1.5/i386/alpha/upgrades.yml.pgp new file mode 100644 index 0000000000000000000000000000000000000000..905cfd62d059104aedb9568d94f3003a5e29d44f --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.5/i386/alpha/upgrades.yml.pgp @@ -0,0 +1,16 @@ +-----BEGIN PGP SIGNATURE----- + +iQIcBAABCgAGBQJVUPMuAAoJEJj+xrx1Kj22824QAJcTaIX06daBXXETMicVk0eR +oKGuj+ZAYwBXEnMCOXZ93EF1R+yX6GQxVPuuvJ5Pu+tqLZ6LB5BNIB+ohC6HIjGj +6PSXIi6h2qIuB7v1aVQOCwNXKSw4g4uPwNWatkq1SjeLYeZG4a4n14sU2cHyKXBk +I4lOAIw7uVSmGCmWRW/ZyPzHPfkeFeiT8Aru6NDGfkJhlIxNON8/VjSTbcROwajj +VSAPMMMGUyJZ6I9fnGxZMBh+B/KxXv+yjcfU8ZXF95wolXSc5s5buwpAfVZHIJZn +31zNSdPh1gzmUh/cCUw+FduP9D8nQZTkFIaZ34vELyvy1vwV1xDSOIck+YKb3q6V +7wBoTQGUXI3GQtR8C9dvY2f7I+carYnLxyypZBEgOQ9xaEbhDqYiYr0bPIfAj8rb +L5pmK8AYPgM6QeVD78seCw68d2rKt4X09yPe+cAJv+Vy+DrUCPrAe0g9E2cZDcrf +jcEVmzNJz2cmJqenCUMxtlledHOc+Klw9TF/bRmU5h28NMWd399RifrsN5SyIR0/ +Mpic/mQ9uFE4ecVG9sHetpEXH+k1knssf9IQt/WHX7BRXBC06igZlMkwotdRmRu5 +EE6xdDGF7v4g3U7gd/IxtzKRbZmHjnGGzo+WhxNj9Te44m8DaFWuIkWqZwH/IFb8 +wZztNtA8AO0nIh5eADUL +=wJIF +-----END PGP SIGNATURE----- diff --git a/wiki/src/upgrade/v1/Tails/1.5/i386/stable/upgrades.yml b/wiki/src/upgrade/v1/Tails/1.5/i386/stable/upgrades.yml new file mode 100644 index 0000000000000000000000000000000000000000..284bdb7381241810ba0d4c2ff93c932818aa7f84 --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.5/i386/stable/upgrades.yml @@ -0,0 +1,5 @@ +--- +build-target: i386 +channel: stable +product-name: Tails +product-version: '1.5' diff --git a/wiki/src/upgrade/v1/Tails/1.5/i386/stable/upgrades.yml.pgp b/wiki/src/upgrade/v1/Tails/1.5/i386/stable/upgrades.yml.pgp new file mode 100644 index 0000000000000000000000000000000000000000..75296e79373e7d73d0905d0f3c9f73b7d1831a4b --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.5/i386/stable/upgrades.yml.pgp @@ -0,0 +1,16 @@ +-----BEGIN PGP SIGNATURE----- + +iQIcBAABCgAGBQJVUPM1AAoJEJj+xrx1Kj22jw0P/RksHTbxBN7S2oq2+IfkjK7I +Yi1HGU1hRJmvlKrguXghSL91iNGH4YYp73eqh055LHjZez2j9v3aC8pz54EtHcNR +Qm5VN7Wk3o2A/LmxubMmsY0CLEd9EGerDvcR/DoLzyF931MGpAVmEP9vi+9r6YXj +TnPbiAD4hv80yJO6TnCiQkicPqUJF22MxdhWbujv1Rxpa2QKOXgjzZUv2yIB38Xg +CD9zdWk6GyY1p0Ol7yqEj7BDqK6pj8UKQOH5qN02Fe9nu7/uzMqcCPCgXiFuXpoK +fdGeo8xDGlds38AdqATYyMRSh/R4mKJNzQF0CBp/dlIUqIyeyD4FOPAD0pvYYmIg +btBS+ehmdkANpq9hfOBOXvS0hT9RjL4w3c7zfJ/4q1uYnCms5fpIhxnpuC2BXEOm +398ayct27DVoJ1SUIlMZkpsjXzST71euWaE9ON0O739E+lNabiherq1zXWyaE3OQ +J71K8lfXQrDVR6U4MZ2bUowo1xcJr1W6ziFGNlBog529sVb2dJI6jmU3QnhIbfuT +86T1zKXmQDuLYYauyRorbKIOxVHVgRAoH7YokLZTW8TazKOapulZBNyvrFUedp1Q +W5ebr0enz6DNvhaRe5FR8qfcOvg66QxHiyZjp16Ku97dXsVZlpWDgx6ZUwf3dIha +0T/ff/VO7z9BrboKfRap +=LWDz +-----END PGP SIGNATURE----- diff --git a/wiki/src/upgrade/v1/Tails/1.5~rc1/i386/alpha/upgrades.yml b/wiki/src/upgrade/v1/Tails/1.5~rc1/i386/alpha/upgrades.yml new file mode 100644 index 0000000000000000000000000000000000000000..c68d8c2ab06ff36c1db0e25fce2644f4641b9cae --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.5~rc1/i386/alpha/upgrades.yml @@ -0,0 +1,5 @@ +--- +build-target: i386 +channel: alpha +product-name: Tails +product-version: 1.5~rc1 diff --git a/wiki/src/upgrade/v1/Tails/1.5~rc1/i386/alpha/upgrades.yml.pgp b/wiki/src/upgrade/v1/Tails/1.5~rc1/i386/alpha/upgrades.yml.pgp new file mode 100644 index 0000000000000000000000000000000000000000..6bbc47202a894ec50decce5908bd0c4facace450 --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.5~rc1/i386/alpha/upgrades.yml.pgp @@ -0,0 +1,16 @@ +-----BEGIN PGP SIGNATURE----- + +iQIcBAABCgAGBQJVUPM+AAoJEJj+xrx1Kj22V0YP/1MRT8A25JgmkMLdD6xkpfCk +UchwwzXFCeRlVRgjxupAMxPhQOukx76IpNm4kieYIIFQFhD3A6GsZZtsm7LSl46a +tKnz7z5ZueKNny/FCW7VcPAXF59j3hAZFz8KjBig46QW2UVOaDojxaTsjHt76wcC +ey5tX6bFCzFNCmQ1IzvDnQscmw8qPm5v0ObD86tySg6d9oppZMps7GKHt12vjXqC +xxhTdNtfwpwZcV4XueFqBQbymIQWcyyqIbrOzWlYMB0r+lHBDM+dabs+ypdAub18 +GkriZLMEfyns2jca5g5Mlnkv2QknIS3F/rnFkUMGwEW2inRXyXixeokjNqs3xlnA +SXfCrmBVbi3VrLIbGJedYWWJl+yIQ366tCfvXPdAHDnOgJQqOCVSUTaDtKfT2qDf +pVwP/nNFkd3xt43Wta6La9rLrIbuyoCbCo/ZrhBQltiMdmFA+eudhXyNu7kCdrGu +omVw2AOiQMlEB9vM1ZMcQIn7t0JfKPF73dWnJ+ksX1fVxtlOQToS007lTh09G6mm +59JsLeTPipjjunDXP5z8oMi4bYHwRKNRjZ+TRrqDy8iOBpqZfldywil3J2Y13TVG +QDMKl3CWv6eV0jPzH81PGgN+QxRQpaukYh+TdaWnYqPLlsxKgsvNzAiY2enKjpAw +v9htp6KWahcTqU1esHyt +=8ZYh +-----END PGP SIGNATURE----- diff --git a/wiki/src/upgrade/v1/Tails/1.5~rc1/i386/stable/upgrades.yml b/wiki/src/upgrade/v1/Tails/1.5~rc1/i386/stable/upgrades.yml new file mode 100644 index 0000000000000000000000000000000000000000..1b9417ef8cfdfcd4c6e47c186d1a3b50e2fc3d18 --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.5~rc1/i386/stable/upgrades.yml @@ -0,0 +1,5 @@ +--- +build-target: i386 +channel: stable +product-name: Tails +product-version: 1.5~rc1 diff --git a/wiki/src/upgrade/v1/Tails/1.5~rc1/i386/stable/upgrades.yml.pgp b/wiki/src/upgrade/v1/Tails/1.5~rc1/i386/stable/upgrades.yml.pgp new file mode 100644 index 0000000000000000000000000000000000000000..72a9d9a0fadb94a9080e1e1f3b08fb7a8e9b9d02 --- /dev/null +++ b/wiki/src/upgrade/v1/Tails/1.5~rc1/i386/stable/upgrades.yml.pgp @@ -0,0 +1,16 @@ +-----BEGIN PGP SIGNATURE----- + +iQIcBAABCgAGBQJVUPNEAAoJEJj+xrx1Kj22xyUP/ix1uP4980FeDYk9nDvtVDbq +kHLvw9bbdq0OsTia+CJvdL2Nf4fH0EJMdZnSObJrShvmWgRQzfdcPT75RN/DI3GF +r/7bzk2aogir18AcYi1N7MIO0Wns5trvQ24ryUqPBxt6mx7I7sCAL0pr+exyZCgE +LH0sWq+Gfk5ReSdLd6UKWX/ZzMPswGIrbaZqeRItv8UxkUI1Goy/YAW36ZzwtQh+ +fP++goSeFq7TsjJ1vT3/6TK62VyZMHWXvK8OHSVQG/FvVioYYUguqnW2xDhvLyDq +ShzxFzHOxHJqlBSnsaZjQdHKYqWTWwJ502IyNwlD7pb5iswJmyKBvTlXHirGrBCa +VovIpNiir4XY/bbuDhvxajihRXSoGFlK7XkDNVELapR1M1NOYsyEN2zsaL344uyK +0ZTsrlOJN6lXOhaMbvCNlmoScoiZUN068Tr2jx6hxl69mJYCG1rghH4XREC+OngO +gzL7CeM9t8OQeU8Y9EGK+fY93iPHdy1ytfPOIkzQlWCucjQAvrHRxcAp3yrnFECZ +BuVk2K6InS+JtUOnbZLM4EtlKQa+tqH5pnDZmrHzYaq4/UI2LgpVOGtKqnknsNFE +KjweX2vhlA/BKkT6xVgGYuMHsSPiqs2r8In7p4anNq6gLKUH8qnohWaZYoweabiU +Bfttj1ADIZKTaXHf4LNk +=BCjM +-----END PGP SIGNATURE-----